From 3cc845217e03c489ee1abe120a6d256c249c2695 Mon Sep 17 00:00:00 2001 From: Rishabh Raj Date: Thu, 25 Aug 2022 12:33:42 +0530 Subject: [PATCH 01/44] Kubernetes Data Protection Extension CLI (#173) * First draft for Data Protection K8s backup extension (Pending internal review) * Removing tracing * Minor changes to improve azdev style * Internal PR review feedback Co-authored-by: Rishabh Raj --- .../azext_k8s_extension/_client_factory.py | 10 + .../azext_k8s_extension/custom.py | 2 + .../DataProtectionKubernetes.py | 192 ++++++++++++++++++ 3 files changed, 204 insertions(+) create mode 100644 src/k8s-extension/azext_k8s_extension/partner_extensions/DataProtectionKubernetes.py diff --git a/src/k8s-extension/azext_k8s_extension/_client_factory.py b/src/k8s-extension/azext_k8s_extension/_client_factory.py index e507a64b1d8..0ecf3a7ee15 100644 --- a/src/k8s-extension/azext_k8s_extension/_client_factory.py +++ b/src/k8s-extension/azext_k8s_extension/_client_factory.py @@ -51,3 +51,13 @@ def cf_log_analytics(cli_ctx, subscription_id=None): def _resource_providers_client(cli_ctx): from azure.mgmt.resource import ResourceManagementClient return get_mgmt_service_client(cli_ctx, ResourceManagementClient).providers + + +def cf_storage(cli_ctx, subscription_id=None): + from azure.mgmt.storage import StorageManagementClient + return get_mgmt_service_client(cli_ctx, StorageManagementClient, subscription_id=subscription_id) + + +def cf_managed_clusters(cli_ctx, subscription_id=None): + from azure.mgmt.containerservice import ContainerServiceClient + return get_mgmt_service_client(cli_ctx, ContainerServiceClient, subscription_id=subscription_id).managed_clusters diff --git a/src/k8s-extension/azext_k8s_extension/custom.py b/src/k8s-extension/azext_k8s_extension/custom.py index 249bfcfd5b2..e8769dbc0b6 100644 --- a/src/k8s-extension/azext_k8s_extension/custom.py +++ b/src/k8s-extension/azext_k8s_extension/custom.py @@ -27,6 +27,7 @@ from .partner_extensions.AzureDefender import AzureDefender from .partner_extensions.OpenServiceMesh import OpenServiceMesh from .partner_extensions.AzureMLKubernetes import AzureMLKubernetes +from .partner_extensions.DataProtectionKubernetes import DataProtectionKubernetes from .partner_extensions.Dapr import Dapr from .partner_extensions.DefaultExtension import ( DefaultExtension, @@ -47,6 +48,7 @@ def ExtensionFactory(extension_name): "microsoft.openservicemesh": OpenServiceMesh, "microsoft.azureml.kubernetes": AzureMLKubernetes, "microsoft.dapr": Dapr, + "microsoft.dataprotection.kubernetes": DataProtectionKubernetes, } # Return the extension if we find it in the map, else return the default diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/DataProtectionKubernetes.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/DataProtectionKubernetes.py new file mode 100644 index 00000000000..3b5b1fe5534 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/DataProtectionKubernetes.py @@ -0,0 +1,192 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- + +# pylint: disable=unused-argument +from knack.log import get_logger +from azure.cli.core.commands.client_factory import get_subscription_id +from azure.cli.core.azclierror import RequiredArgumentMissingError, InvalidArgumentValueError + +from .DefaultExtension import DefaultExtension +from .._client_factory import cf_storage, cf_managed_clusters +from ..vendored_sdks.models import (Extension, PatchExtension, Scope, ScopeCluster) + +logger = get_logger(__name__) + + +class DataProtectionKubernetes(DefaultExtension): + def __init__(self): + """Constants for configuration settings + - Tenant Id (required) + - Backup storage location (required) + - Resource Limits (optional) + """ + self.TENANT_ID = "credentials.tenantId" + self.BACKUP_STORAGE_ACCOUNT_CONTAINER = "configuration.backupStorageLocation.bucket" + self.BACKUP_STORAGE_ACCOUNT_NAME = "configuration.backupStorageLocation.config.storageAccount" + self.BACKUP_STORAGE_ACCOUNT_RESOURCE_GROUP = "configuration.backupStorageLocation.config.resourceGroup" + self.BACKUP_STORAGE_ACCOUNT_SUBSCRIPTION = "configuration.backupStorageLocation.config.subscriptionId" + self.RESOURCE_LIMIT_CPU = "resources.limits.cpu" + self.RESOURCE_LIMIT_MEMORY = "resources.limits.memory" + + self.blob_container = "blobContainer" + self.storage_account = "storageAccount" + self.storage_account_resource_group = "storageAccountResourceGroup" + self.storage_account_subsciption = "storageAccountSubscriptionId" + self.cpu_limit = "cpuLimit" + self.memory_limit = "memoryLimit" + + self.configuration_mapping = { + self.blob_container.lower(): self.BACKUP_STORAGE_ACCOUNT_CONTAINER, + self.storage_account.lower(): self.BACKUP_STORAGE_ACCOUNT_NAME, + self.storage_account_resource_group.lower(): self.BACKUP_STORAGE_ACCOUNT_RESOURCE_GROUP, + self.storage_account_subsciption.lower(): self.BACKUP_STORAGE_ACCOUNT_SUBSCRIPTION, + self.cpu_limit.lower(): self.RESOURCE_LIMIT_CPU, + self.memory_limit.lower(): self.RESOURCE_LIMIT_MEMORY + } + + self.bsl_configuration_settings = [ + self.blob_container, + self.storage_account, + self.storage_account_resource_group, + self.storage_account_subsciption + ] + + def Create( + self, + cmd, + client, + resource_group_name, + cluster_name, + name, + cluster_type, + cluster_rp, + extension_type, + scope, + auto_upgrade_minor_version, + release_train, + version, + target_namespace, + release_namespace, + configuration_settings, + configuration_protected_settings, + configuration_settings_file, + configuration_protected_settings_file + ): + # Current scope of DataProtection Kubernetes Backup extension is 'cluster' #TODO: add TSGs when they are in place + if scope == 'namespace': + raise InvalidArgumentValueError(f"Invalid scope '{scope}'. This extension can only be installed at 'cluster' scope.") + + scope_cluster = ScopeCluster(release_namespace=release_namespace) + ext_scope = Scope(cluster=scope_cluster, namespace=None) + + if cluster_type.lower() != 'managedclusters': + raise InvalidArgumentValueError(f"Invalid cluster type '{cluster_type}'. This extension can only be installed for managed clusters.") + + if release_namespace is not None: + logger.warning(f"Ignoring 'release-namespace': {release_namespace}") + + tenant_id = self.__get_tenant_id(cmd.cli_ctx) + if not tenant_id: + raise SystemExit(logger.error("Unable to fetch TenantId. Please check your subscription or run 'az login' to login to Azure.")) + + self.__validate_and_map_config(configuration_settings) + self.__validate_backup_storage_account(cmd.cli_ctx, resource_group_name, cluster_name, configuration_settings) + + configuration_settings[self.TENANT_ID] = tenant_id + + if release_train is None: + release_train = 'stable' + + create_identity = True + extension = Extension( + extension_type=extension_type, + auto_upgrade_minor_version=True, + release_train=release_train, + scope=ext_scope, + configuration_settings=configuration_settings + ) + return extension, name, create_identity + + def Update( + self, + cmd, + resource_group_name, + cluster_name, + auto_upgrade_minor_version, + release_train, + version, + configuration_settings, + configuration_protected_settings, + original_extension, + yes=False, + ): + if configuration_settings is None: + configuration_settings = {} + + if len(configuration_settings) > 0: + bsl_specified = self.__is_bsl_specified(configuration_settings) + self.__validate_and_map_config(configuration_settings, validate_bsl=bsl_specified) + if bsl_specified: + self.__validate_backup_storage_account(cmd.cli_ctx, resource_group_name, cluster_name, configuration_settings) + + return PatchExtension( + auto_upgrade_minor_version=True, + release_train=release_train, + configuration_settings=configuration_settings, + ) + + def __get_tenant_id(self, cli_ctx): + from azure.cli.core._profile import Profile + if not cli_ctx.data.get('tenant_id'): + cli_ctx.data['tenant_id'] = Profile(cli_ctx=cli_ctx).get_subscription()['tenantId'] + return cli_ctx.data['tenant_id'] + + def __validate_and_map_config(self, configuration_settings, validate_bsl=True): + """Validate and set configuration settings for Data Protection K8sBackup extension""" + input_configuration_settings = dict(configuration_settings.items()) + input_configuration_keys = [key.lower() for key in configuration_settings] + + if validate_bsl: + for key in self.bsl_configuration_settings: + if key.lower() not in input_configuration_keys: + raise RequiredArgumentMissingError(f"Missing required configuration setting: {key}") + + for key in input_configuration_settings: + _key = key.lower() + if _key in self.configuration_mapping: + configuration_settings[self.configuration_mapping[_key]] = configuration_settings.pop(key) + else: + configuration_settings.pop(key) + logger.warning(f"Ignoring unrecognized configuration setting: {key}") + + def __validate_backup_storage_account(self, cli_ctx, resource_group_name, cluster_name, configuration_settings): + """Validations performed on the backup storage account + - Existance of the storage account + - Cluster and storage account are in the same location + """ + sa_subscription_id = configuration_settings[self.BACKUP_STORAGE_ACCOUNT_SUBSCRIPTION] + storage_account_client = cf_storage(cli_ctx, sa_subscription_id).storage_accounts + + storage_account = storage_account_client.get_properties( + configuration_settings[self.BACKUP_STORAGE_ACCOUNT_RESOURCE_GROUP], + configuration_settings[self.BACKUP_STORAGE_ACCOUNT_NAME]) + + cluster_subscription_id = get_subscription_id(cli_ctx) + managed_clusters_client = cf_managed_clusters(cli_ctx, cluster_subscription_id) + managed_cluster = managed_clusters_client.get( + resource_group_name, + cluster_name) + + if managed_cluster.location != storage_account.location: + error_message = f"The Kubernetes managed cluster '{cluster_name} ({managed_cluster.location})' and the backup storage account '{configuration_settings[self.BACKUP_STORAGE_ACCOUNT_NAME]} ({storage_account.location})' are not in the same location. Please make sure that the cluster and the storage account are in the same location." + raise SystemExit(logger.error(error_message)) + + def __is_bsl_specified(self, configuration_settings): + """Check if the backup storage account is specified in the input""" + input_configuration_keys = [key.lower() for key in configuration_settings] + for key in self.bsl_configuration_settings: + if key.lower() in input_configuration_keys: + return True + return False From 6c56613a6844d28c1895e3fde1f6e7f86e7a4681 Mon Sep 17 00:00:00 2001 From: bragi92 Date: Wed, 28 Sep 2022 12:18:54 -0700 Subject: [PATCH 02/44] {AKS - ARC} fix: Update DCR creation to Clusters resource group instead of workspace (#175) * fix: Update DCR creation to Clusters resource group instead of workspace * . * . * casing check --- .../partner_extensions/ContainerInsights.py | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/ContainerInsights.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/ContainerInsights.py index 8f1271b2593..fbbc45ac325 100644 --- a/src/k8s-extension/azext_k8s_extension/partner_extensions/ContainerInsights.py +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/ContainerInsights.py @@ -587,8 +587,8 @@ def _ensure_container_insights_dcr_for_monitoring(cmd, subscription_id, cluster_ raise ex # extract subscription ID and resource group from workspace_resource_id URL - parsed = parse_resource_id(workspace_resource_id) - workspace_subscription_id, workspace_resource_group = parsed["subscription"], parsed["resource_group"] + parsed = parse_resource_id(workspace_resource_id.lower()) + workspace_subscription_id = parsed["subscription"] workspace_region = '' resources = cf_resources(cmd.cli_ctx, workspace_subscription_id) try: @@ -601,7 +601,7 @@ def _ensure_container_insights_dcr_for_monitoring(cmd, subscription_id, cluster_ raise ex dataCollectionRuleName = f"MSCI-{cluster_name}-{cluster_region}" - dcr_resource_id = f"/subscriptions/{workspace_subscription_id}/resourceGroups/{workspace_resource_group}/providers/Microsoft.Insights/dataCollectionRules/{dataCollectionRuleName}" + dcr_resource_id = f"/subscriptions/{subscription_id}/resourceGroups/{cluster_resource_group_name}/providers/Microsoft.Insights/dataCollectionRules/{dataCollectionRuleName}" # first get the association between region display names and region IDs (because for some reason # the "which RPs are available in which regions" check returns region display names) From 083ed6d4d331f3be8cc38f47d0edf59d36354ebe Mon Sep 17 00:00:00 2001 From: Yue Yu Date: Tue, 27 Sep 2022 06:50:00 +0000 Subject: [PATCH 03/44] Add self-signed cert to fix PR gate for azureml extension --- testing/.gitignore | 9 + testing/Bootstrap.ps1 | 80 +++++++ testing/Cleanup.ps1 | 30 +++ testing/README.md | 128 ++++++++++ testing/Test.ps1 | 133 +++++++++++ .../k8s_configuration-1.0.0-py3-none-any.whl | Bin 0 -> 42351 bytes .../bin/k8s_extension-0.4.0-py3-none-any.whl | Bin 0 -> 55464 bytes testing/docs/test_authoring.md | 142 +++++++++++ testing/owners.txt | 2 + testing/pipeline/k8s-custom-pipelines.yml | 204 ++++++++++++++++ .../pipeline/templates/build-extension.yml | 52 +++++ testing/pipeline/templates/run-test.yml | 104 +++++++++ testing/settings.template.json | 11 + .../Configuration.HTTPS.Tests.ps1 | 54 +++++ .../Configuration.HelmOperator.Tests.ps1 | 137 +++++++++++ .../Configuration.KnownHost.Tests.ps1 | 6 + .../Configuration.PrivateKey.Tests.ps1 | 86 +++++++ .../configurations/Configuration.Tests.ps1 | 80 +++++++ testing/test/configurations/Constants.ps1 | 8 + testing/test/configurations/Helper.ps1 | 45 ++++ .../extensions/data/azure_ml/test_cert.pem | 32 +++ .../extensions/data/azure_ml/test_key.pem | 52 +++++ .../extensions/public/AzureDefender.Tests.ps1 | 71 ++++++ .../public/AzureMLKubernetes.Tests.ps1 | 221 ++++++++++++++++++ .../extensions/public/AzureMonitor.Tests.ps1 | 68 ++++++ .../extensions/public/AzurePolicy.Tests.ps1 | 74 ++++++ .../extensions/public/Cassandra.Tests.ps1 | 98 ++++++++ .../public/OpenServiceMesh.Tests.ps1 | 72 ++++++ testing/test/helper/Constants.ps1 | 7 + testing/test/helper/Helper.ps1 | 72 ++++++ 30 files changed, 2078 insertions(+) create mode 100644 testing/.gitignore create mode 100644 testing/Bootstrap.ps1 create mode 100644 testing/Cleanup.ps1 create mode 100644 testing/README.md create mode 100644 testing/Test.ps1 create mode 100644 testing/bin/k8s_configuration-1.0.0-py3-none-any.whl create mode 100644 testing/bin/k8s_extension-0.4.0-py3-none-any.whl create mode 100644 testing/docs/test_authoring.md create mode 100644 testing/owners.txt create mode 100644 testing/pipeline/k8s-custom-pipelines.yml create mode 100644 testing/pipeline/templates/build-extension.yml create mode 100644 testing/pipeline/templates/run-test.yml create mode 100644 testing/settings.template.json create mode 100644 testing/test/configurations/Configuration.HTTPS.Tests.ps1 create mode 100644 testing/test/configurations/Configuration.HelmOperator.Tests.ps1 create mode 100644 testing/test/configurations/Configuration.KnownHost.Tests.ps1 create mode 100644 testing/test/configurations/Configuration.PrivateKey.Tests.ps1 create mode 100644 testing/test/configurations/Configuration.Tests.ps1 create mode 100644 testing/test/configurations/Constants.ps1 create mode 100644 testing/test/configurations/Helper.ps1 create mode 100644 testing/test/extensions/data/azure_ml/test_cert.pem create mode 100644 testing/test/extensions/data/azure_ml/test_key.pem create mode 100644 testing/test/extensions/public/AzureDefender.Tests.ps1 create mode 100644 testing/test/extensions/public/AzureMLKubernetes.Tests.ps1 create mode 100644 testing/test/extensions/public/AzureMonitor.Tests.ps1 create mode 100644 testing/test/extensions/public/AzurePolicy.Tests.ps1 create mode 100644 testing/test/extensions/public/Cassandra.Tests.ps1 create mode 100644 testing/test/extensions/public/OpenServiceMesh.Tests.ps1 create mode 100644 testing/test/helper/Constants.ps1 create mode 100644 testing/test/helper/Helper.ps1 diff --git a/testing/.gitignore b/testing/.gitignore new file mode 100644 index 00000000000..5687a0bf32d --- /dev/null +++ b/testing/.gitignore @@ -0,0 +1,9 @@ +settings.json +tmp/ +bin/* +!bin/connectedk8s-1.0.0-py3-none-any.whl +!bin/k8s_extension-0.4.0-py3-none-any.whl +!bin/k8s_extension_private-0.1.0-py3-none-any.whl +!bin/k8s_configuration-1.0.0-py3-none-any.whl +!bin/connectedk8s-values.yaml +*.xml \ No newline at end of file diff --git a/testing/Bootstrap.ps1 b/testing/Bootstrap.ps1 new file mode 100644 index 00000000000..0598b139c79 --- /dev/null +++ b/testing/Bootstrap.ps1 @@ -0,0 +1,80 @@ +param ( + [switch] $SkipInstall, + [switch] $CI +) + +# Disable confirm prompt for script +az config set core.disable_confirm_prompt=true + +# Configuring the environment +$ENVCONFIG = Get-Content -Path $PSScriptRoot/settings.json | ConvertFrom-Json + +az account set --subscription $ENVCONFIG.subscriptionId + +if (-not (Test-Path -Path $PSScriptRoot/tmp)) { + New-Item -ItemType Directory -Path $PSScriptRoot/tmp +} + +if (!$SkipInstall) { + Write-Host "Removing the old connnectedk8s extension..." + az extension remove -n connectedk8s + Write-Host "Installing connectedk8s..." + az extension add -n connectedk8s + if (!$?) { + Write-Host "Unable to install connectedk8s, exiting..." + exit 1 + } +} + +Write-Host "Onboard cluster to Azure...starting!" + +az group show --name $envConfig.resourceGroup +if (!$?) { + Write-Host "Resource group does not exist, creating it now in region 'eastus2euap'" + az group create --name $envConfig.resourceGroup --location eastus2euap + + if (!$?) { + Write-Host "Failed to create Resource Group - exiting!" + Exit 1 + } +} + +# Skip creating the AKS Cluster if this is CI +if (!$CI) { + az aks show -g $ENVCONFIG.resourceGroup -n $ENVCONFIG.aksClusterName + if (!$?) { + Write-Host "Cluster does not exist, creating it now" + az aks create -g $ENVCONFIG.resourceGroup -n $ENVCONFIG.aksClusterName --generate-ssh-keys + } else { + Write-Host "Cluster already exists, no need to create it." + } + + Write-Host "Retrieving credentials for your AKS cluster..." + + az aks get-credentials -g $ENVCONFIG.resourceGroup -n $ENVCONFIG.aksClusterName -f tmp/KUBECONFIG + if (!$?) + { + Write-Host "Cluster did not create successfully, exiting!" -ForegroundColor Red + Exit 1 + } + Write-Host "Successfully retrieved the AKS kubectl credentials" +} else { + Copy-Item $HOME/.kube/config -Destination $PSScriptRoot/tmp/KUBECONFIG +} + +az connectedk8s show -g $ENVCONFIG.resourceGroup -n $ENVCONFIG.arcClusterName +if ($?) +{ + Write-Host "Cluster is already connected, no need to re-connect" + Exit 0 +} + +Write-Host "Connecting the cluster to Arc with connectedk8s..." +$Env:KUBECONFIG="$PSScriptRoot/tmp/KUBECONFIG" +az connectedk8s connect -g $ENVCONFIG.resourceGroup -n $ENVCONFIG.arcClusterName +if (!$?) +{ + kubectl get pods -A + Exit 1 +} +Write-Host "Successfully onboarded the cluster to Azure" \ No newline at end of file diff --git a/testing/Cleanup.ps1 b/testing/Cleanup.ps1 new file mode 100644 index 00000000000..cef1e2d1bc3 --- /dev/null +++ b/testing/Cleanup.ps1 @@ -0,0 +1,30 @@ +param ( + [switch] $CI +) + +# Disable confirm prompt for script +az config set core.disable_confirm_prompt=true + +$ENVCONFIG = Get-Content -Path $PSScriptRoot/settings.json | ConvertFrom-Json + +az account set --subscription $ENVCONFIG.subscriptionId + +$Env:KUBECONFIG="$PSScriptRoot/tmp/KUBECONFIG" +Write-Host "Removing the connectedk8s arc agents from the cluster..." +az connectedk8s delete -g $ENVCONFIG.resourceGroup -n $ENVCONFIG.arcClusterName +if (!$?) +{ + kubectl get pods -A + kubectl logs -l app.kubernetes.io/component=cluster-metadata-operator -n azure-arc -c cluster-metadata-operator + Exit 0 +} + +# Skip deleting the AKS Cluster if this is CI +if (!$CI) { + Write-Host "Deleting the AKS cluster from Azure..." + az aks delete -g $ENVCONFIG.resourceGroup -n $ENVCONFIG.aksClusterName + if (Test-Path -Path $PSScriptRoot/tmp) { + Write-Host "Deleting the tmp directory from the test directory" + Remove-Item -Path $PSScriptRoot/tmp -Force -Confirm:$false + } +} \ No newline at end of file diff --git a/testing/README.md b/testing/README.md new file mode 100644 index 00000000000..088a819a429 --- /dev/null +++ b/testing/README.md @@ -0,0 +1,128 @@ +# K8s Partner Extension Test Suite + +This repository serves as the integration testing suite for the `k8s-extension` Azure CLI module. + +## Testing Requirements + +All partners who wish to merge their __Custom Private Preview Release__ (owner: _Partner_) into the __Official Private Preview Release__ are required to author additional integration tests for their extension to ensure that their extension will continue to function correctly as more extensions are added into the __Official Private Preview Release__. + +For more information on creating these tests, see [Authoring Tests](docs/test_authoring.md) + +## Pre-Requisites + +In order to properly test all regression tests within the test suite, you must onboard an AKS cluster which you will use to generate your Azure Arc resource to test the extensions. Ensure that you have a resource group where you can onboard this cluster. + +### Required Installations + +The following installations are required in your environment for the integration tests to run correctly: + +1. [Helm 3](https://helm.sh/docs/intro/install/) +2. [Kubectl](https://kubernetes.io/docs/tasks/tools/install-kubectl/) +3. [Azure CLI](https://docs.microsoft.com/en-us/cli/azure/install-azure-cli) + +## Setup + +### Step 1: Install Pester + +This project contains [Pester](https://pester.dev/) test framework commands that are required for the integration tests to run. In an admin powershell terminal, run + +```powershell +Install-Module Pester -Force -SkipPublisherCheck +Import-Module Pester -PassThru +``` + +If you run into issues installing the framework, refer to the [Installation Guide](https://pester.dev/docs/introduction/installation) provided by the Pester docs. + +### Step 2: Get Test suite files + +You can either clone this repo (preferred option, since you will be adding your tests to this suite) or copy the files in this repo locally. Rest of the instructions here assume your working directory is k8spartner-extension-testing. + +### Step 3: Generate `k8s-extension` .whl package + +You can perform the generation of the `k8s-extension` .whl package by running the following command + +```bash +azdev setup -r . -e k8s-extension +azdev extension build k8s-extension +``` + +Additional guidance for build the extension .whl package can be found [here](https://github.com/Azure/azure-cli/blob/master/doc/extensions/authoring.md#building) + +### Step 4: Update the `k8s-extension`/`k8s-extension-private` .whl package + +This integration test suite references the .whl packages found in the `\bin` directory. After generating your `k8s-extension`/`k8s-extension-private` .whl package, copy your updated package into the `\bin` directory. + + +### Step 5: Create a `settings.json` + +To onboard the AKS and Arc clusters correctly, you will need to create a `settings.json` configuration. Create a new `settings.json` file by copying the contents of the `settings.template.json` into this file. Update the subscription id, resource group, and AKS and Arc cluster name fields with your specific values. + +### Step 6: Update the extension version value in `settings.json` + +To ensure that the tests point to your `k8s-extension-private` `.whl` package, change the value of the `k8s-extension-private` to match your package versioning in the format (Major.Minor.Patch.Extension). For example, the `k8s_extension_private-0.1.0.openservicemesh_5-py3-none-any.whl` whl package would have extension versions set to +```json +{ + "k8s-extension": "0.1.0", + "k8s-extension-private": "0.1.0.openservicemesh_5", + "connectedk8s": "0.3.5" +} + +``` + +_Note: Updates to the `connectedk8s` version and `k8s-extension` version can also be made by adding a different version of the `connectedk8s` and `k8s-extension` whl packages and changing the `connectedk8s` and `k8s-extension` values to match the (Major.Minor.Patch) version format shown above_ + +### Step 7: Run the Bootstrap Command +To bootstrap the environment with AKS and Arc clusters, run +```powershell +.\Bootstrap.ps1 +``` +This script will provision the AKS and Arc clusters needed to run the integration test suite + +## Testing + +### Testing All Extension Suites +To test all extension test suites, you must call `.\Test.ps1` with the `-ExtensionType` parameter set to either `Public` or `Private`. Based on this flag, the test suite will install the extension type specified below + +| `-ExtensionType` | Installs `az extension` | +| ---------------- | --------------------- | +| `Public` | `k8s-extension` | +| `Private` | `k8s-extension-private` | + +For example, when calling +```bash +.\Test.ps1 -ExtensionType Public +``` +the script will install your `k8s-extension` whl package and run the full test suite of `*.Tests.ps1` files included in the `\test\extensions` directory + +### Testing Public Extensions Only +If you only want to run the test cases against public-preview or GA extension test cases, you can use the `-OnlyPublicTests` flag to specify this +```bash +.\Test.ps1 -ExtensionType Public -OnlyPublicTests +``` + +### Testing Specific Extension Suite + +If you only want to run the test script on your specific test file, you can do so by specifying path to your extension test suite in the execution call + +```powershell +.\Test.ps1 -Path +``` +For example to call the `AzureMonitor.Tests.ps1` test suite, we run +```powershell +.\Test.ps1 -ExtensionType Public -Path .\test\extensions\public\AzureMonitor.Tests.ps1 +``` + +### Skipping Extension Re-Install + +By default the `Test.ps1` script will uninstall any old versions of `k8s-extension`/'`k8s-extension-private` and re-install the version specified in `settings.json`. If you do not want this re-installation to occur, you can specify the `-SkipInstall` flag to skip this process. + +```powershell +.\Test.ps1 -ExtensionType Public -SkipInstall +``` + +## Cleanup +To cleanup the AKS and Arc clusters you have provisioned in testing, run +```powershell +.\Cleanup.ps1 +``` +This will remove the AKS and Arc clusters as well as the `\tmp` directory that were created by the bootstrapping script. \ No newline at end of file diff --git a/testing/Test.ps1 b/testing/Test.ps1 new file mode 100644 index 00000000000..c1d4f093b2e --- /dev/null +++ b/testing/Test.ps1 @@ -0,0 +1,133 @@ +param ( + [string] $Path, + [switch] $SkipInstall, + [switch] $CI, + [switch] $ParallelCI, + [switch] $OnlyPublicTests, + + [Parameter(Mandatory=$True)] + [ValidateSet('k8s-extension','k8s-configuration', 'k8s-extension-private')] + [string]$Type +) + +# Disable confirm prompt for script +# Only show errors, don't show warnings +az config set core.disable_confirm_prompt=true +az config set core.only_show_errors=true + +$ENVCONFIG = Get-Content -Path $PSScriptRoot/settings.json | ConvertFrom-Json + +az account set --subscription $ENVCONFIG.subscriptionId + +$Env:KUBECONFIG="$PSScriptRoot/tmp/KUBECONFIG" +$TestFileDirectory="$PSScriptRoot/results" + +if (-not (Test-Path -Path $TestFileDirectory)) { + New-Item -ItemType Directory -Path $TestFileDirectory +} + +if ($Type -eq 'k8s-extension') { + $k8sExtensionVersion = $ENVCONFIG.extensionVersion.'k8s-extension' + $Env:K8sExtensionName = "k8s-extension" + + if (!$SkipInstall) { + Write-Host "Removing the old k8s-extension extension..." + az extension remove -n k8s-extension + Write-Host "Installing k8s-extension version $k8sExtensionVersion..." + az extension add --source ./bin/k8s_extension-$k8sExtensionVersion-py3-none-any.whl + if (!$?) { + Write-Host "Unable to find k8s-extension version $k8sExtensionVersion, exiting..." + exit 1 + } + } + if ($OnlyPublicTests) { + $testFilePath = "$PSScriptRoot/test/extensions/public" + } else { + $testFilePath = "$PSScriptRoot/test/extensions" + } +} elseif ($Type -eq 'k8s-extension-private') { + $k8sExtensionPrivateVersion = $ENVCONFIG.extensionVersion.'k8s-extension-private' + $Env:K8sExtensionName = "k8s-extension-private" + + if (!$SkipInstall) { + Write-Host "Removing the old k8s-extension-private extension..." + az extension remove -n k8s-extension-private + Write-Host "Installing k8s-extension-private version $k8sExtensionPrivateVersion..." + az extension add --source ./bin/k8s_extension_private-$k8sExtensionPrivateVersion-py3-none-any.whl + if (!$?) { + Write-Host "Unable to find k8s-extension-private version $k8sExtensionPrivateVersion, exiting..." + exit 1 + } + } + if ($OnlyPublicTests) { + $testFilePath = "$PSScriptRoot/test/extensions/public" + } else { + $testFilePath = "$PSScriptRoot/test/extensions" + } +} elseif ($Type -eq 'k8s-configuration') { + $k8sConfigurationVersion = $ENVCONFIG.extensionVersion.'k8s-configuration' + if (!$SkipInstall) { + Write-Host "Removing the old k8s-configuration extension..." + az extension remove -n k8s-configuration + Write-Host "Installing k8s-configuration version $k8sConfigurationVersion..." + az extension add --source ./bin/k8s_configuration-$k8sConfigurationVersion-py3-none-any.whl + } + $testFilePaths = "$PSScriptRoot/test/configurations" +} + +if ($ParallelCI) { + # This runs the tests in parallel during the CI pipline to speed up testing + + Write-Host "Invoking Pester to run tests from '$testFilePath'..." + $testFiles = @() + foreach ($paths in $testFilePaths) + { + $temp = Get-ChildItem $paths + $testFiles += $temp + } + $resultFileNumber = 0 + foreach ($testFile in $testFiles) + { + $resultFileNumber++ + $testName = Split-Path $testFile –leaf + Start-Job -ArgumentList $testName, $testFile, $resultFileNumber, $TestFileDirectory -Name $testName -ScriptBlock { + param($name, $testFile, $resultFileNumber, $testFileDirectory) + + Write-Host "$testFile to result file #$resultFileNumber" + $testResult = Invoke-Pester $testFile -Passthru -Output Detailed + $testResult | Export-JUnitReport -Path "$testFileDirectory/$name.xml" + } + } + + do { + Write-Host ">> Still running tests @ $(Get-Date –Format "HH:mm:ss")" –ForegroundColor Blue + Get-Job | Where-Object { $_.State -eq "Running" } | Format-Table –AutoSize + Start-Sleep –Seconds 30 + } while((Get-Job | Where-Object { $_.State -eq "Running" } | Measure-Object).Count -ge 1) + + Get-Job | Wait-Job + $failedJobs = Get-Job | Where-Object { -not ($_.State -eq "Completed")} + Get-Job | Receive-Job –AutoRemoveJob –Wait –ErrorAction 'Continue' + + if ($failedJobs.Count -gt 0) { + Write-Host "Failed Jobs" –ForegroundColor Red + $failedJobs + throw "One or more tests failed" + } +} elseif ($CI) { + if ($Path) { + $testFilePath = "$PSScriptRoot/$Path" + } + Write-Host "Invoking Pester to run tests from '$testFilePath'..." + $testResult = Invoke-Pester $testFilePath -Passthru -Output Detailed + $testName = Split-Path $testFilePath –leaf + $testResult | Export-JUnitReport -Path "$testFileDirectory/$testName.xml" +} else { + if ($Path) { + Write-Host "Invoking Pester to run tests from '$PSScriptRoot/$Path'" + Invoke-Pester -Output Detailed $PSScriptRoot/$Path + } else { + Write-Host "Invoking Pester to run tests from '$testFilePath'..." + Invoke-Pester -Output Detailed $testFilePath + } +} diff --git a/testing/bin/k8s_configuration-1.0.0-py3-none-any.whl b/testing/bin/k8s_configuration-1.0.0-py3-none-any.whl new file mode 100644 index 0000000000000000000000000000000000000000..cc8e8e0995f81da31f6f919f83d344cc164e9568 GIT binary patch literal 42351 zcmd41Q?Mve(U$WwIq6!mIqDkP+L)M|Iy>k) zncLdX>gt-?m^2Gvb&hl?)Mr z6A%6VOj}bqErM+kbg!d6zrT<7(CNDd7isWYXa=uspnrYC0YII@jcRd%ONM>O>@R4;JUARJB)Vk*HNY+f4-%qw9Yp3W-CvA(~2opunQOV;QrrH_QnKXf>M_EaCR zKT*f6)x-X|%SrjYJ^O?oWQIHlM|NzS+=13t+tgf`cM4=K+6|GEoSM3u!b&ZQKlSK_ zcofTSEe$_bEGT!FxxnlxrNitP{i(E@m!QoozY$|!=28v+op>;BROjXidtSWQUsRQ^ z$z9J{osRngl>0AiFykQfgZsyZJ0Ji6ivNxchF0drHcq-G`i4%n4(|UUg?oP0D$nn3#*B(gSEcXf5NFyZ!^FLy-jqCM@1hemehWs(hQ}L z4}2XYm!y+rcYTcgj{VnnR}zS1ZVrYv{QC9lD=TX6CIkVD$gRL)wqp%Kh$5t2MJmSO z-nk}Bao(u(&J4Ni$gj@o5>4;-)u#CoPjJ(Ky!?R$u_iSw&1>8C=ww@<{@&}zWq98CS zj2q^nQ9|aBrGaLPVum@d&#H{ZgamoD9-e#I!KLHP=yg;U-zEi z&8S4H2y$_t>bWHwQn|d!amz6op)G`jVYs}v4;G4{~}-?F}0u8K3-V=-l{L!m{QSdL5rBIP$V8j1!y zv+{MHCRHEqSqtI<3;|Ngt`eJtksxRzEUK_PfKND?XiBlfNr4&1^g%6MK))V5Aa~6& zThKt6NN6*4_>`66>Q<9rLWYi!Nk4fWnhw5~mCc-(Q_?(ltN4+3P4u5~{+m1hJ#)0f z{yTr*ulT&2U`8Fw1T%CM0BGXcd&nnT+4Q}rq_1&Qu-`kpx*BK;fD4x8G-P#nxS5UF z?tQi@49Ut74yLJ7fz3l3_Z!vK)mNZx{cb`YVR7j&b=i85vutcAR@n16ar2_ABz*ym zQ4(WBzFdz-NOd?^RY7VqTx(|8+rOudQ1>Z*1m#^8CX*u5Ftyas1|xs=#b9#C)tm42 zm<#x;tMC;jF%<#(Lq9*CG+9_7y}!I~KLR_tmG+}i#Blc72mr&P7FbyeTPo1{^_fSy zy;D+zOcfJmd>aOjq#gLsGZ6u9CVsM)Q-x5}p&eDox}i8TdZJYWH8dHlhmtS@r0as& zbeI`&z0r7uRn(Xu)^sOELQ<~JIZ4X)CyFXQ- zUEmu0$GVY)>;2$tfM#AAARs~ts8*Q96O<5NS6#)t*J6yvXE-?2iA_(sSqBM@ zU*mfA89m@uH>|4EP;p1BfO0__H_o>X+n6^LXqz$yv?RhJvDI$cypPtAt$86wk`FPG zC=OA*`u88NwHdjBK~JwEeP8gEv<$0$LK)#yEaBQ)@GF_wVr?%eNIQHDPfUn{AMo&z zVtB-O23d1FsujzZ9hfGnbp|EmTQU?nsaCZJJnKc|<+5a3A3d&Y4BfiZepEGhj1{EP zVR@fCq?J!fLNq!~ayD0dxPZJ;wvcqyX2Ktr91|ovx-3lFC{~9GUoFNKiz90b$NAbs zDTGD3cS4|U7;+XBJP4U1ffDxu^;n$EF~}qQ&@~@Vu-~_eMgBK4;AYU2#fDtet-v<(m65IvNJas zM|*JZ=yU{wO|^qs%A_w z0{QV}7Tv@dWogWWN*9k)b0j)WX6J4BfPpY$zCIaG*4q(Y#3c#+(t~y9V$fKez{zMAph|r~2})Td7t16OqNSFr<(JOn z=qBZEK5e=>XJ?Q+!w)O-O;m(DX2`2#2J_*ld(1j%UBKFX|G}8UJjYASxgRlaY^$(* z>Gf5ZS;TzAkB$ZRUfO2~gbc00Ut!aWqA_K*eF)6jO&%{U-TM5go$Wn~H;q~!R;jCF zd6pX!JGpX{HYPvG);&E_k<6WmZ$=tm)eJY4U@YOGnLiP=7_17m2kj0*+1%=4T-Dno zOYC|bqV(24pe17U?ze^>I2iix$!pI*vvL5QVtP~#Wloc%WcSe&@uF9}qOpaM3o-W# zEINZezHcB170J^yY??uikK42D0x#B{^OgyVX)yU~oygiCQ`XlAOEdZJ&90BGPHi@R zz(y_}pP*r0=3T+Jp``+KgiRk|;JlJPG0Krne)7ND`_K&II=41ovir9H)f?;h*u?Er zxt=prr+*Bp+@OtAyci*@bv_EiEh1VL9e$$Xjow5TRzeG{(MZefe zY+0v#>`?d+j~C$N-Qv+z_v0iuaAxue3dK|Uo1daL0Zxuih002BzP}spE2%#ZPZ_{4 zl5Oe!O~S<_eYGaN2U^)$xx#w%%==&KO;$YnfaAaB`vwjGK>FV`Ul)BVb0htKr_2A; zoMB~s$t^zk?;KtFoM7T(#HQedKP_R%6n~K^d=Ri!y2p(-r)|=#WMt2MZ;9K9(QcC{ z#9kL~rZ!t`cVt*P;kys+T=v&cB^4g0`0)kV6cen>6-VtUs31$L!uQ22&G<;*Q^cUM zhPz&s#F#gAX6*)`k!V74ypZCX+ zce;JG${31~L=J#|$cAHHxHRv~Ue%mZEtXyf-Y-dwR`NN2>uIq-GxL?LH;-%ru>2|6 z@l+go@=b=P$2Y|yG)xwnW|239CzB#Kg$gmcj)yrof@X0}ioJJ-TsYXaZolsjUzq=Z zk?aS`>fI&Z;|Kd&g2+qCyC(-q@B8E)Vhj=&PEaQa+UxJKwfLkMjEqy^|DG0y-MkdY zs`eWT&q+^GL_uMJ-Fte|Qg zX8Hc(=`^%W(&XB@mAa8xOMS@i>rVCj6LOWn86i>#N?d}aH$Z@-h2{DR zlGc>&|Df$#m4X7UU9&&sKf3WS3*h4ggH?sjMM+yxZC zFO4Z?+!W|l0^nXEZJ$mW6C_(iHITfFW}MGYF+KT4c0$lF>~!^HUU2GY%)sBBGPrM_ zk@G2Vc}=ywm{kHHo}?RC4b}^67kNKCY*fYb#YOaaHI>y5d7XMPbmM1+RM|A#H1J*~ z_jmnJ;w|&nbeVsFpfpgWsnfTN^T&)FH?{gyl;vXSCkmCw3v{7YsRwe;#qZd*w=}Gn zFs|P#$i)$ZVbCj*(?nx-8DmSx`Hn(~{q0ylmVuRg-x8#|57oi%0y=k;&UdFggen8} zEsh?KZP#vcz{u{!QgG4_C8K^DT#|WxN`@&su05NNt#C)(7ra93hmH$`FU`&xnE+l? z{hTI8?`nrNmvpv>mT)%)KPs)s!DpAKYfQ_X)EL3q**lCSA654RYfapueh_Nr^nyms zfN@E2AK%wi$XNF*qYi7Ly%uMz>xa3GR5f{Nh&nD{pgQx}tbZstO$x7+zIE3#N0Z2U z{}(>g$sj{&zybiA@c{r3{5Pf3(Am++*7{%7oW|02++=ys?gfg+6Pp&3+K}Yrp1tos zWlNQ!!9ybJ4lNnX7Z)>-M&R;msy2DpwM7Hq_ahWuSFx!uH-yxpdV%@`y$ho1IW%<; zm{D&(UboOj;7yNjRUb&#oBT84KJKPvTm>TGs4Qx_wXihVOK+C5c|NVTlnvu@^c6Qwa39UR(9l=X`XxurjQCV;=LIvSVOCAPbYB=*M1C;6ezBJe8 z?UQ+%B@fNw2xi-bZ&gYOfDE%w^$shKCL+R>KUhuli6)<c30>c^#&O1mv6Q$Nf-zCBY z4Fbx2hzzO3Fmcngv0kF zPGt*8cD96Lj!fxq0ZKTOz%7HkKS?6%Gs-b&b=lkoz6Q?FyeOSH{8%s95vbIDW)*;2 z^UNsRgLoqat^ed-0Um1suTY9$2yzjGUT44StuxKt;tO&!tI01nxgq?wxTOSI-Uc9&jzFg*v=pb4e9!ltRewioKWj zCX4Bv06v%-f>86Y@TK?yc5dZO2!78##ax;;{9yJZp!I5I)>Lw=#7KF1GxU3YhDq=+ z%tMPjuD7F~A6J`;wY+`5ygrH|R9$?a6u)$lY0qN|El+^q3tqWW$%Fmt6Mgv5gQSy6 zO9T@6LKI8DYkd$f1FMy?K{qw&wPkmBnSb|m?wOoXhtWPhny?A+)ZTHtA14Y3ntj=$_n1Y}GUxRbM!4r3X|UV*NQs zp$^NV5Vx^2=mGLyJmb;Pe<@!;53&YEaS=Tt)K(@?Tf-rdr4vFblmB3<%xPIzTIeeR zJ1Cp`%NbyE`ZsvUxp^h7y5hNGtUx}Kc`*zzE!>8YFYhI27jo=1LQ_m=jgck5IPB5x ztX~bpp$M^q*A!=z94wQ#<#A~}N`_@S56A%Trpf6DV@I;9FgNGP#P!T9vJFz@_ii3F z5il!hq@ zKS&TRD)0@YrpKUTCEh--+(Ic}&Aj+L1Hx{Z#A8MDc^TGFBY*2OlZi3(`B*7XN#6Gg z^&CPJhjyKO=P5+FkXv}FyCO%BBCC6NSI`naYgL6mw>S-Noyvyl`8)EpRPNDs4F;0} z8Sx&mGqp8o4r?x*OQioQ%8TvO>F1Bm4s`Sx7EsAdIY-aw88=@U-Vn+U)n ztzunrFcu=p2(4nmQWh|a8joW4`WxwtLy{+733beDofIB!b2$K<)li7U*wVT5hy|e7 z^5c?okH3Hw%Y$9K>q8xb?QTq?B~xo38@tD=cHuSi2R)*xN5jsIraDP?lq0`py|x0^ z7?q{_6_E21cA}$QkS3zzSk?vN7lbr38<&Htec^penQ{?@MgXkcTDrBgo!HlqrC`3c zWTiAqg9#eP)eNuE@~z@a7BmV^L`I-QE{;!Vz`KmJeO}Wi*GbrzXK7G(8Z5y<&>jL7 zm|>R1l4zAmkd+Bx(2mX7N>E0Vx%&JO3=311P1NALpeMe=I=8>EP@Jf3F0{CZ-%23M zn*0WR=z763v{^#VBx%`sAlxq99p}yB;wn1R34q&@Pi-`hY*)>q^9?2MNlr9Rw<3?qL6J^Ea%F7Q?Ul$a&e(rozn9m>RK5->Y)X)Gm}hmFJ*?d1SQ zh7q+X@dbT@b(*BPOswu@llTu*_;0NX(b3$K^8%4ON&V}|&1+vZ z%gedl>F;Ih4(=^K`R-qC6SACQa&>=0DtZPn^Z;*-_CFvvg6fwm$J~%yYc^K_wrE{6 z5J_$h6o0h9s+Q2BBsQ`^@e%m}B9eo`IS5p@T~UCEXbgmX82J*1aKv2km!{d*&0xc8 zv02XF4L`oR2a>rjT261ZbO&ZfCmZ>+!3NoTl>9o@*OI#@A~qWdy-&-!bIu5F>TF5{ zyMwf{a(#6Ln#M#S-S4|e5^(<_w8Pc>0JKGcrp8U9RIc8Ro&%N!q`G?5)}%!0cBOl& z7Iep*AFlL+3UtrG620I|0;Y3_Y?LG+nzS1Nr|CH_>&F&*+g&5lz)+CjbWvS$_PyO7 zy&-Lp&D=C6j-8+;Z47dE*Rk+l%b<<`dbPQA%0bMn;v;KH$R6wnXCKn1tc0%q@m=-( zVF69x{Tsn=zqso39Uph4wbB^SjoT zA_zMm^J>3`LBUnjV-OA5n)WKuXL)v$Z8IZxJlslCPpu!SLa!aEPDMNuJfwcu?L0N1 zuANTC$3LpZW#vYB*(W4iG0-1K*i-_n2oJW3pNFI3A@s#2bL7G8B{mQ<7Mgv3MWI|u zVyM1iZW#1p7T2gb@r|*={)~T2PHX`~V8vg)+}&g8kh4RZicxe4>(QP`FimvAUR>%5ac03^LY_o!sgpO z)WgJ5ILmDG{Dea}1=sauc?f{)s4Y2(3Jd?ICc>hFk6L7-V&$qzH}WQ|G9mzF`f*}m zpnvQRY-bW3Nb#b%b5FmBD+AVj{cma!TY2Zu{B*e}?9XS!-MgMQ_wCZS#wHGf{-pOz$}Hu4mNP6Oh)TqJ9QAvX@aDo za@a_a%qLGBWFbuLs8a24MlUVJ%m)e_7joq2<<5ZKrEX?W>mtCK<3)bZ;SwQrP}yBw ze+?f;V`p=yLZ}bB@tJp$C&`20=fql|4aecf2MRYG3-KRa>pski%v~qjb;>f88A2Te zh~EfCswVFSvg5{)^=dD#nabf$na9#0HcYNq0_?%e?sQ&AAthOl|rd z2e1_fzV0w^%s6z4&bd<*86&e8pgX2Do&JZr^503T)vcu)T$_UN9z-9?LyPT`#cOAY zCyeRGABjVrpZfR>-g>37Gn^S>Y4up&X@zQ8tG8`kue`A%?%5akvT%ADxpYC1Xvx;N z4Hc(R`Q1$ra_IYNK=x?GMYE@9_|2oHQnp3K{qStoia**F6T%ke!|M(VLUo8NtO8Tx zNwTJ9E1A?XoXM*&bW2I~@DmDlTU+a`<>7V1aKz>1fHkz&@CwFUEd|H{YW%jvll_gu zZ1JOp_=9S?>s$RM@3@RDjnCfyWcCkWjoB8cl&%C0t0unjhp^B$BGy{`#kq`W_O&+_ z#xt02T~#VWb#zPcoYZGb|3xEL&L}FB#Lg8Up+tt!-jNcAUBs<(I$G7)wiU4)#-#Op znNG`=*)*1~OpySOD|RT(>@ps-@&;jZ+mf5z^P?lqJ~dx-iDd`SDd1*w7sjaH|K--WF{okK_n#o;{%2N@|2M+a$=K1!@qeBqsE(zF9iW32c9pp= zrlE`D#3v=@=m(WMP$+~KjfvcQQLEkqd49>wvHphrWHw#g|NC6%g$J|QCO9i!Jgzs> z9I+Es41(=2LdE=-c>%3>uhTR}36n&MBz{0dz_;Vat}plu@5*|Qfm8XIe?E^egnxE4Ttn~kb=Kr@~Jh#qnN8tegGXEJ?(*JM4{0EV) zrL%#tgN^aO_x~~gqU&gAY@_dBZu`$yxMsJEEo5ui70vjCzxFw^DX$C>UAU-XTDT_W z69`yDw+g(~Nro;F?Bn_)CSZ2$+bdIS@uA$vSh=l!EfKARVwLN7$IfH>>+bXj&cpk2 zcRJryF+1&(>Qb0`Um4#Rn^{rK)q z`l;Wy!JarSm%@r}XdWhIdV_!dhmB!9a>Qe$?ca&wqZF72W^>H(XQE?ecO!$@UFJ@~_#_;YgE(|F zKUrNsWm6S}5xB+F?vIeuU1}A(r^c->>*T z&!1DYgw4*#zqb#q*V^H)6m%$=wF2^}4rOb0-1o36g^=Vb4^ z+(HWVk-2K_VG1r;7K^z&VS>Jmk{y{XhSI5bwh+qBgm8@(H!sB?A~=q8^LvW|TtJn<`tU+6L@EXSKfWWJs=a zBGkc!szTX!-avVPaAvm&p0n|}9F=-smH5Iz|ENS@VzrMj#wjKV&^B_8G7wCfOmv;e z#4xnG!cP-eV3Cdb`{um#F*pWToRBAZq_e^2=H&CY>d+N-^#$qsZBc2z4_XA!^Lp}Z z=|ytPNxZi8IaV#DM;sR z+W;?evJ?#^Q^6#=C}r$Db0{h?q; z;i=C@Zbf`Q2|*|lmIP2Iz(%&4T-`=m4L(m@jyH$rw{AFPcZq{@5@9=7vqIFjIW4x! z8;NYT0c(=FWv!6IS&$|yw$;+w{p{FwEWAwXtDKIz%%_=1D?;0DPJ3_x_&oQg+72-- z>)q(HaBIpHXRBIK-Q0IXa}FgQv}h7K9RheYGVcM$40Vu|NDF5itTV~5V4sj#*H|Rw zUwm8vC(xWibz)b{TUpm!Vw4TE4Ws2U*nsM(L@}B3%#l}qKx?CTO&>>7QZm(LeI5$x zDRmf~_n2ssDQ*7_p(Xb(X1_<7W9yjn$9Nq&Sb$x?pwd5&KhMH9gU_veEZ}WV>xfxK zlcJ{|yP{W8+P=>hp-<`=0Ko=Eq-;*4G8N@n3odm=&c7KNx{^X!HpOhtUx=;;f{T$y zSvLP-i=VPydgNS^YKoOTcnF&0tRh0B5fBXLG=yP;-8%BWmMSa*GE>4kh5En6Fz!x zP)ru$_|Ui%gIvT|3>E{(h*~6S%X3X+$wg}8?DU{R(7w?LoWrl&6<(|>^l^2Tw`^ZX zV6M3+U8M8f{1x*xocdb)bZc4Lgzz%#T{cIL5)zS;MF=%8mMMcRseFR5q-~Tnz@QWc zu*oKg;*(Pn6KR%3E%1Ucl=uh>AR zs?)z+v`Y|>O7=~>FjyG5 z=M`BV4Sv(vfiKR({f64)1w;>Xm7Z8#lnW4sku5u!d;oniFdcV-Vd$-s#!jnG;Ot1{ z9dQ8OI5B%Cba8@<%3ZRPB!uZA$PCKm#<~N>fN9Z5v|5gKYJi)~i42x}0%L=xc~X~5 z&pk2asF3z8GP`O={z`NeXzDyrztG&IL@{bk>|L)Z)nH`KvFVO>7rd#sh+SkW(XKY$ znAf-Iid6mpUiO5fvgfCtF)EV#9wE+EsbjtEajYqGNLvJ#Vpws&t?LI`UlK&w$vEE0 zfKVx}b>tCL;-NO-K~zXBXK9`~U_5YxR77K_t3;52-H(XH)p$#kpus1{g~kYOUL*76 zhW{AzcG5}2|D-bl=?{h_?hCBFJ!dyhv9P-3DJgZ3XHm2r%}p>McKNbZ#IKg2uXW`_ z-aSUWjgqR?djgn*KB$aat-`Bh6h05&Q2D!hP^!!_tT^L5(~Wv$MdZ2j!-= z*ZkDZU-Zl(lt?qwc9;@T7XC^PJIk=bE)|U9e95h@kP4-^3+)o@m@b1%9*&A{c&hRY zpY1MzX<#79OZDA){}NWm7k~a2*%9^F1PXcc8EiAzUid!XtF2k-9O)cW!+?wSfrw@) z;=Pehfpmb<1GvC^61-2~_&V(!XaU+Y9u8Wek3^$S>0u*8m`B`!Cy{-QyJ>1lo^8Kp zv9@_*WQ9q1QbXv}B^%$detx5{a1BZJYDE0J;vR^`Ual1&^Kz|EvNUVirtf+P-twZG zyY|`R1jKA0@(B^o1g+C<9%PP0HnAX=4X~_zAaJbO`k>j+N&&oVWL(*Dk*vE{-fj?@ z*@+3MjRXcG0C4pHX=WGp(h)6Bm;yV2hHD9rzyFpsA}Wn^*KRUyCl3>zzS~Wl?2#+m zun@O1g8}dXy2byU2caB}x&j^=%a(k0^@wIt7?ZpLDCw?CUZXtoCFf)7F5;<8{%pKI zKcGn`@rRB`(r30v*ErJk(#*U90dae!?%Ig=daYrm%(f<<@DVaylZ>AyBrFm%pG+9X%CNKeKNQbNzGe1;=$YC90fJt7D}c@b?+ zbIjE5fPW@~Ejsaz$jEUY!U05}R{-7J7pNEQBSR>GBlRxp(g9QbS)85@ow5h7^fOT; z7(S9TaXHei91Ac$0_3U^AkTy+IqzRb!wqX=8T@CUeFBpF*y7zLV1pHgSz!O6?Lhz9 zG807;DHPGnn^p!~#H1MYoJ+oGXEJz3rXv5+=Q+pAxoz3oW1m>Q>}l4IDOWmJZldf_ zlH2X9T;cY&d~I#h*lZl`i6h4(1=P!BODT5V$)V=jc5!yN-I3e z^5J&|-fdUaXIE_8)w3r$n=CqC6guUl|HkuRu?*F;8&~G9K=P=fxc`|Tjaya_7w*ap zlZ$cR!xpIKbpTp)d%uAPYsN$qo00BZMufJi$uXQ>^UloOIB|xZfoC|4ea3Q{#kosP z#5HE%(WuTrZnHz(8+tgGU(w`X=#w}xF!W2R&t2aTxs2HyzCpK)K(%mN%OE^F9v)fv z1F2q`?gT0CE6Zqi2W;i8HsTw|xy7n(6hIoUqk2(;0^Z1jJw+uF1NQuthR^AjLgd}( zPFNgO>E8rgYhBb^g>)}7VtFGZwBqp>#t3$ESTbIIDVRYu@g5OaH`Z7yFu%(8+b!OO zO;tv1kQozNJa!^2a@Eq9ONgCqB+!vG(kXebBWihrf5++WYaJbAZ`x(wqAG1|iLTXN zW)oi87)QTS91I~*BTLLn-LmQppM|)NOij|d!)>+Bo%J5bbwJ)VHnoYQ*LKGNqi=$FgDhfHI|Y!6?KBFZSu^Pw#P*IVUC38g(Ok8xf|Ez>0tP5 zQ+inSY1G<#d}{DsY!(C~8oxp(xc@eXdgV16_-_mm)KLzPwbyEb$3 zMg%YSHu4)RTGvA%cmJ2+6|0TeQf)rw=c6<;bGxUry==1>ijpknv`X3*H&ct%-64g` zXZ`sD#a*ll{MF-ePp4Kb_kHuUJ|RJvuw5KU{;Ofv6tLH?EnIQMiFLHdoOYvd$D(!O zw(mm<)_Nhjh|1=e)OJ&-LKnP<&NoF-d7Hw@Pf_>TF(G&9?KQqK^P;U6`>SWmJ)5f(iv89>H|{Rz*HH5T z*Q2MF_xAlq@a^Y4!X`rS_mi%8q?%Txz6*W0i=wkAX?#o=Ul(g?ae5qW_SgH^t@@~a z&*8cBi~aXAR5<81<41e(S4>)$nDE~yS73wg@@H#ev~6;>Zu!^Z1y2XNZ#M9^CGDSI zE=+3g-|kmkJNojUPg>H&n#xVuTGGY}BZgHP;|}GU&DG#y!Vt+L+xYOqBa9<82*)#hzKgG$q{+-nv!AIBSHgy#k3YL8#eWN3@4@iS%c1R=>mK5j_k1`Bg<@Q{(5txA+;W^1PX_nq$>RNG4Z-P%w?64Lk3R(rxZzXD@QUt`6{Q4Ybgp; zqRQ+2t1auL=CI1CvL!-*RHbe$Ybgy&n;Ep*ZR_;KRnaLO(Pkvz_51GkX3TV!JE`+C zS5jF*_JbxMGWfW#`+6PT!>h%^r63lWb`Xkm^1Eo6@pR88 zYQ0tyqXcoSmMvWFsuGCD18YCj;HouItS7C|`d5oN04EovTUE5{;A_4kHn%n|KXvx* z)cJNe@^x2q(nBc5o_6TVcyWdH@QY!6RNOf!SG6`)($_iY2`TJ?^ovkv^n=J0WVS}T zyxZj%VPNV(uL0Ry%yok<%QtYX9#)!&p_Re9=E}b}=LU3|Bvo zbJP}flB!k1!3Uh5#ym=C%w5;l!tu+JS&F0ERNMxyEMjH8AtQ989VRjCCT@`t#c&d# zeZk7yEtb@3y3IZhDTC04{|vm@x@d^H&jq%MaAKW?DgO_kc74D&u7B~NJUrzdokk$( z)G@+P-JOxyK)5s9=%RI2WB2uBxo+LU@T7HCJ=W?TUD6wqPGH7~oe7#pv{J^5Q5%`N z@9AMvTu6U@%PX@pHKh@(YWl0enqmOUUG=0(Ce2);Vj=7KitvW9AY-^iZw{kH?36n9^d{OPoGf5R# z)#{?&);MBn0+lU;3Kwfz6<1PNhT|Iwpz4l(Ob7Qg_g2f-ZJ2%-s{OvQr1^!0b;!=jsGmg$+}tr)d<41@R$tcoQbY83qo4b+bE@8 znz!L^sDqbm2mYAxvu0;Ihel&}?FLiow>{=_uqte_G)dRBNC?bD^I}TOU`7Rk+QB2d zVNyTCyo24VHEr(_`G#?kG{;+*@yr@kz$1&7!PZjTxX4_i_!EAJ`Ovib4{@75%ZN`^ zNYQ1mFDRuaT3ATZMT#>=tfnAVBTFz&P+CiT&avH+mdR#P~bHj&e#;6-vyL#*2yR2<{zqx@CU2Do8S-Zp#xz zdP&aeyf;*PX!R$~{ZrFS+)3iRC-|>0)_gFRBa;g75Z*Bma)MO1*io?k8hgX_N6upr z-VVH+(Ai?gFbETHPXoe%3eo@fV)J<|nX%-Zj*^pCL%Ph6{fTHrqbBdsZh@Q$sODr~{~WV~1>m z&oypH;8>`_0VAh6z=ewuf}0ohm4!a-8uB}UK)#}WNUL4f)n>%W;nqe+A10J8Jz=FQ zXDIxhJ5z9FiAZ9EobMUq{jG*Dj64E@i}Rt~hO9{Sv4kH)4xz09V3iuij2!z!SU5}^ zVJ|Zwb4~ih2z}X2cW}-IQplMAUZ;A;BjcsUT#cbHV_n1&A3vkf6Wq9v8WYf|qa!(F zju=ZRPvXm8@+x(K8WS~w%e7WzO_|bqi?X3zxW6kc<3XN7cr#@N)%l{5OT|8Wu%)=N znd~-(^n5*V|KN!Ml%Pqb&CvY;-avGX1Ob z2ITF2=K{XqG9k#N034_<>Sw>ryy2ZeYYfQ-(I)lClpENGR=m0JM}M%0dxGm$6A@~I zx|hJ>!KpdHbGGfJm)@EH6g>&7{QO@Gyy@;2@$dQfjr+o;U4)=5Es!P=9_Bpq4#=|a zUl}x!0vrLlL6PVq=pE~-7!B11AlLM>YSe0)W1_^;u0O5(EqeI~4$8w|7Pg)lU^)cH zkei;x@yU2H5XuLJtY8~uQgI4o4P!CKITQ(#-{Tdl?ZJ?Jt71<#8SXOo|4wtLfe=a-iBpEh(H5#DO}q6_sGqrCuG8rU_7crq?W2EAk}P0Q)aL5mxP+ z>PSeBIOD_vg}ma?t#>umaIsri?ODXnn% zc@p=Dx9jPjkf0y$kZ<$j_a?Wp!^RXu5Sb|^(dtFJDh0@hI?=JbXXifRr>sQz(NVet zz%=#?{+#f%-?L4^+bN~p!($AJH^gwZ)hR^yTT<$wh~dN3@Aa>(yYp3TG6ij8uoQZ= zWsXn5H15;rAfbn~L7=Jc;x+>x+$!NYuIgYtR}lrnhygMxv1zfY(Rd9At&IUOE2-lO zaUE()-mAPtxrenQh^dhm|;nF&5n4{CH^f=Lm5ap14MOEE7^PWzp?b{*XH^ovaQ?U^6P0Jr| zpmnl9L3YBdPUSSAdY$1|n`gG*UIhBP3O1IA(0%FjtK3f{#BjPQ#p1MZAqskw%J zF%LvFaIb*qa!HElLYrQMPnFl_#46|`5%de(rl*e2v_e@${}iV0>Vy~VoQXL-UIGQp zX|TX_r9l1wnd_NCYmmnMI7!U}+GEK*nq#AnZ=m;8^FjvCU&9C5;US|vdXtRaCT1~zRZRH2+x>CE4IxjRaDIq7Zk|JH zP5)&9?<3gpYYO}TT`t=%exMt0x^+Ois|#@czMUb8&k6C%e_yjj#-5f3+8Vrb69C&G zm2ewwn*AwGC`x}Vvqp~Y;Ki1V;CH7XT3=QBtu-Xe(+!Chf;iDKMT|%q!V=?91TvHn z<*-IyGO~0(_QdDta!64JZ+XrYXp&RsXrq6n9SqZj9g{DFHXtj$x=;hl zwfE`9%QM~Wr$|xg2?v7skfnZ*y&4*%4eieS{IG;--y6mqHypGZL#lj&$@j=saN7K+ z>=bn!r6gMy^3BLAB9qb)gJ~Jwep^s=HCV+xBy;RhQgWyT+%j+Sl5s0kCD{!+9e-~t_r%lDqlUU{!=fD6r) z>k-cVqG*^}51AMA_z=+jjw^$75iQEYgUKn?uUFxz&(f>|DcX4)O|soSF^)RLTjhZ=H3=7*?J1X$K+{w zN+mM@2&= zya!!K`UzJL6-Heh_m27)WJR%T;5p$8UMGd-XdQHh0lz#DLK{bfgabpcZG>Bxn;?1v z=RtbN5gbQ318xi$)iP}@gd~h5BXbD8+*H)5=xV6r03tO$(PAztf~8-lw*>}x!gsnV z<2(s(7mcDcx0vWB2644)j{C;-UDTC^Rf;RE!f9mEC?n%Y*IpY(WksWjDauGT{|9H^ z6s1|WY?-!gRi$m)wq0r4wr$(C?X0wI+eYW>zqil(rJ;wdsF5S^CK#_~xZTI|8hz#vl z?tV(WH4QJs9HW*;^qH>L(j7TdMZVbpk&H}(7hbk(`e!tPH2yHRz~kNPYBy-vGp=mx zXPc?l_~W)6<2g@|w*~iyG{csv~jLNr%?K{(AOZ~gR2RyBeHtp16OzKm`(ru=-H?Vv*f%#hC zuURX{a(43-AN1Ht%bp;Ey!@x8zI7Kt^0yllAJ;$l+41nQF8J9rsE<7nEn%aebAm}E zLpei#gu7m1Ol}?6Aw`zE)rKZdW!6;>h>339IyG&(5nZS@7Cs<(aymGl?}qFbziM8J zGfo(2?sJxm5TUl^AmBAC(^<{>?_+dSe`}%lzb+C%cetj$DLi=DO>OBs^NnUa`(%gD z#WjnfKYVHUxi`@R|&oQ}0PJ7{6 z&7oLUzCC!;!9g3L^p~IG38%&w3$i}!&ak}}tEabCGvyDGGZ6f@{y8hQB z=)(e$t^Qm7_}lb}x5Bq4?UPq^bvi9Y_SO4rk@M-StFx7@OB*73*?(13*MWxZij+G> ztcENiq6Z;ydy&Z7T-TfSn1xf~@qlbWcXxHl@Aa3kt2@-I*ua^s3k*BRTng2y4$p=u z?R^1@_JZ_E2NJ$^kTzR9eBB=$-4WHPByXy2dl4JbCN1|b?#`V1sm3Fh;>8es5xDs) znQC;v^M;lV``RTp=Pq3BN6F%Q3v&E@;G`|Km#O=!gvl7IYO=p>4WDrfgAEOR&LKCN zR+ydaFsxO^qUM22S*F)3mUgZ9Ii_J!@0$)y3glc!A`|0+elgYG>** z6tEPdVCL3hGmAJTOt;`WzB&}z`)4?WC(V~-)^@bC zU5oOxB|vc>gA0Gv<=XMw6;~IuQ1NU8ipY0&0Y`J=Q3kL^4PF}?E#zEoNqf8ERnTUE z`#_ztZt(eBJ$?T*G5*v7dl}S%-eo`A+g5nKCUNR=VDNOR=O|zd|Avfr^`JVc*fZOD zj1>FY|BT`6-x7S*QGZY&%0!U%7?J-8L`}=@q`{|cK_Pta?)xh5SN&^xsMWGNC6|^x zc|~WuHYA@*M<>BS?HW!JGcD3sxvpIkbNenFR#0U_o&-G&;K?+>zS`eml(YYT0C#$DwV@FLHKz32a@nZ!}o?ZSnsTJhnJrM0}JvmM7mV>5? z;}gaab9Mw3b!{;)X9#WLRMDA>^{Uo8S(#o@2w zRcP@CFaLR^G=LE7P~wF}zl++tDI6jc}?S&DTWHw9F6 zf+ZXU$`f8QAb+{CP|j^u6DX1VZOa+R$_hVF=gYijx6i{a$1&Jw$fLLG8);X|JSgUb zKZMw6Xl1aW8IX{E&v_H#YfoTtAjx# z+trt~K`BV!1c{GY(!yT~yI*QGqvpzHgc*DzM(b^J+hT}iN~O9mHjPWKJ3#DWd&o*z z&{BT(1}EfIx$;YW3(oIaXQRgEt1BwMw6v(HmIW8}tN53qEPzUrz$J<3?K6`&8eq+; zB@6o#_Zy*etD6Om{c9oc7_k-c7#OZa@KnbjCK-eggnV*GpW8VQzx|m?eF_RQ$_UjjBqdNJrh5sPitFYG%s?o7@`HsK#Z598|^ z5-&{pKnp#VtzMs~KSD2)M!O4m_X=()m>eIU-c;+(*qX8CUW@k1#y7oK0hwc@t!-!@ zV=1Hl7nr(TU2QV&t2YjMZ8Yuv7{bImtMd}y`zC5*WZTz;$u@DlJ zxn^#UwGW^R1@EnH?l7muSWoAjx)wLxBIDZ*QeiS?jlF?3GX~-_1k(!IkunXCQ|Wg* zR5z_28vSajtlf2V4+!gLx>u~STqYXgWqyj7$r8fhWSt=)U4d5P6rbXp=&9K{*t^utp=8kZgR=N;}g6lPifdE=CFsjG%iGM;A$U*Muvx)N7A~yqfC{6OofVp40W+;Qh-Fz=B(Ef0qCoBSI5amb zoaz}My%2_9c3i)Ey71rwt2V_}n3<#`sE*M~eXSDIwyj+>s#Q@Jas^oQH8Gf*nQ7Z3 zR#(c!_f?wpVq?yj%GuNzAH1vBCW2X<7)D`TVC}x$&3`fk#DoqEdN&Xhwyc^yg0_KH zB?cAE1ulS4*5|rmt0frF)`+O(3B?NtMQHz~?;6uvQg;d%1{;XbD{WL{)m60*0$Vc& z?>yt;P}Sf(1N~Wemcyb@A5i5V(Ij9Bw;i0bIDnJE@SkOyY4E}RFf3DsuF8wmILepc zCv*EH7ay6NZ?n7qy0}3**gQaDF3-Hjd4@Bkt?{M~KOs?lpitQ!JJcuXl)kSeUZKnw zLk%=ICDR_0#>8c#Lx*gO!Ecxk3+Jwq{0BKq!)T)S3 zsErN4F`F=jY9+pG)5@04M+c9nn_z)>*)2N35^sRHc6v~49yxaLS>~68YL$_TAf1Sa zeDvye((o6T$1)K`B(HhYWDY6SANbe|3DqjfnDjmAln{jDcSy0q?=_RTmOxuZZGLic zZS=hDG*yHh0e6E&|FgCiuJh|ERcuCARypWpSY1(;37@~=nsr0;=@VTqcdgCs&xIK>I_Nhp)exG?ta379TqK!Yzk(8u1ghJ+DO3 zvY!251hB^%vCxwG>gT0*HImQmZ9VRvzPf|87Fq-AQ506{r2@viF)WkaaF#w|8Sx>C zuM>sLLB%g71o(R&+*D~kIma!h7v;T*WbF=g6o-QcM37cf?R(-bWl_p&VWQ%v9`>t! zt7>LDGQCg2U^Rv0pk+X$)GVdb+ft-42+M|lk2q!o{MCJOz^O3*HBRlsrpm6!=4SV{ zXKDXtZ}0BR&`cR}JUry&>OL3OdC^-kyh7<+5BE779n)MQdXMFl8KOM&HsXwO_HpC+ zDtHTi9KO{;{z2ORZ&df?X`6t{pAzNrr(F3@RQG@0S7#%8haV}xe|;Kb`K|lu5QLxE zhtOAhfuNlhVW9&l0+slnl%J!y#kD|XnVd}>-Z{d;-2pl?X7As(r}S4ibZy?%s&pH0 z&P%d>uRE}YR%C=0sqY>{+U`&kcR5mVa6CbEG!KD*LV(6|swZ7_a|-gr3SU!0{t;xu z<^5WMQq3Ph@FB{~NtJntkP4&|RiYYOm{KB|^UP3e@GLihWOkEKR*+-=sA#29S$T|u zhOz^LXB=f{UT0lfMzNg-j=Uo6(2t{UFBI9vg>GzlaXxh;&O1D?TU?lpuVvQ;t9SCBi?cj_to)8rHMXCp(Q^h z^aPtD8K#| z8jEzWNfO$p^XvaDwxbH+!Wtv(3I;vsyvvH02$`OFVUvhAssUd{>^#>Lj@mhORz9n4 zO3Sa7&u<+B&7H(a9gR<7tM2;lJGIUDJl&-M*C4@*FX%NjH0qS8;(K0pcDK7&NfM5p%9}kk9Nv8M&|#V}NYBphvc3;J~jk7`o7V zd=T$|p1__q;5G2=EdZ<_%?7#L5%zV1h9^f?l(%IQ`;*s2OHXx`PKyqdkwq$|o{`0) z8rya&%RKcjYDa9av{y6iPd!7-XI72+r$&Z^Y1LM27xQ*jU%4)s$AOEYM;7WKB=RUD z0_SYO&@Y%M1;C1|Mk6K$jrQcRwI==VnGUiL2%3Ua<%0bmsL* z>Y1?1q6`HvhJ(sy=`|0vM0CE~i(bu}5xgJAl_ua#n0 z7PIStUA-A3t9unRKXYbB<-0><4kH$t{O@e1AcXOeo|pS6hu+x-NJ6dR}fd9 zd`xooF?q$KLXkhxGefUUUR?aDfvvQA1$>Q4Ov;mA(hPp)!yp>q^B}iP1ym$2WtLmD5TjXKBN#TwPBAMi*dP2W zZ()s?`;DTl$)#-g<@)&Gv?*{I$)oKN6p>j!4$Pu{HnCR0tk_bOqJX!Y@<*U>_7vx#Z#kk@%Q%5zB}8yyLnze z^}ejksxhzu4LP|zT*C;^ZhG&auwsgy<30;U&!0JQNi$Zu)iHe7Sap4g1yGt>D1kf{ z_%_TvR+t7&lpR>|w4@<4g5dY%@ge z-pH*TtXa=s9ad1W?=C=t{z&^0C=Oo5^o%l7;9OPwSv5#L#VsmV6-BGfQ_}BqH*eM^ zE*tYDr5m1?FUGCd4swtu*dVE!EuD1HcwbdEV2bA}cg$r>qbV}Kpwd&IBaZDIin0-KBK5--15ziD225gRhJ~|tfUfze znTl&O_X0DSWK*6JV$}OrMAD%<46nz<5KXO`)-i`9YFL1QxXBrV-;la8I63>Kn7(=f z4ymuxmA`ilP;JZ5$E%Klg7AW1Yb5xGmhyhcF+g!7e29439*AKqNbLuXMN6rkIB3EFfVkSLlTg^Nq)W&v-& zb(2dMY9mLTelcNwrG;)V!QK)&r;c&~1VBeq!0$c=5|WHX5h)%fXrQ7R0xl&rY7tMQ zc9Fgkyt01gEdtw|REuHuYTtMO_iVttT;D`o#$3$_RCtC#FuTMlarL&iLwKmtDZq2% z69FGS^JRjp6~;e*=tu|r{t$TR#9}K<%*fuwJeIn#o;nrS#f$@!2ibBwL@nV%O{wxZ&iJ6k!Ve?I*(m8W2Kxi9a}3e0&=0d@z)s8vdEfJhJ-n z8T`==^pxz=s0uey;qQK#^cSo`85n#fL&8v19M(GT4<8*z!res-0bm zu;-&fMKaA1) ztDJH8(Lu74C)q)+DJaGaa1;4huxn{iiY$<3T~x5@@F2{yBXMlp-~&7hX~Uc@3hqNL zW+l0!HKREW8l+D(QjLU5?Mn*IAf7r7IM;(DD@8n~^@OUNYNgjxoTLhAPJ3#Zq;B&B z7O21&ftaJgCmFxH!EY?SAY7y1e0}16KoECNH>C>F$_sgXPH{a?gIB_N&UHu6nO{ul zUARN)U)1C*YlD@+Ry>|aiH=Xum)Jqg@sM@n&3}O{bp`vlz>)3b?1R1M@u^ZZ@TmD` z!RT-qL|v`6%ApW{pG(96I!Qb1srY>c(+RXA@cbxHI0KH4qZ=0snx4mO9xlh^z&OuG zZ(@6WwhhzatPqBcd`Zo3I5!i*`R3z?xO<;{0&94C;r2+3IYj*;zS26mv>XG`*vA&L z>)bO>iIDGOxKI|EhV45J-nkze{5~-x>J10fihyUbx@hkw(z&Qkm%xh_h^Lp#{}q16 za%rjH$?|)~A{WlPr2WmC>RG!T6Ug11(yRW>Ee!&HGw`aDm|lWR5kp=F)s<7w0{#TP>2Xmio~QHiP9JWp`Q9q5>HsMo+N<>!Y7Z-v%Eylj+i9@5#q{B0 zhiR~v%r_o`cUuU8HFhw9U2gBY3=prhS{oisNfGulOt!c}>rJ>cu5*&qH9fdC&-r4y z!H8N2QJ{`sO?*08#ZVb)e^%wZcrYDj%?6U*w)}Ke_YCleX8i_uOGcq!dK7e>SQoZy z)Dy%Oe1W&cBCq>Id6484Ruv-9UoL}ZBQ$Lab$|rq<|-g+m}ogw9fq%nwt2p=bwS;o zC!5h8f*^0u?Uq6t4xU?DJT^4*Ez%bXTJ$o0Hk>wRe}cWMHrvcG{I7BKTj4@3#uif- z@8{g}nDgE!&W$>*I*1d;!nM}@*M2z>WadJD#960DDc!91e50aXpaF0VWD;m8S!l6f zE6htd9p^^-+p>wATN(XQ8)AjwQ?Ewi$6KJP6B1e!P0t(9^5GTQ3@6AG+-6E@zgv(M z?QMI-3XIIy$HNnx{WA|8{fV;Dh+#J@2z84T*Jdl7}KviuS(b_W5Ps_x2Xp zC~=vN+BJvmYByi_eM&z5YHL6cmU25_Zv)i16f?_Z;g}}0{Jn-#6d=z{s)NPcG7iyn z3f$qPy!|L1X{=>s7Ht$u`b|AZ`uPkS5?xuwN8mL2>Jzo294ea^!-Sq0tjNny1BeTH zzIV1n+`@*Md+rO{qL-idVRL^YjdkN3GdxQ=nE7aLK-EdnH+a|3b-yX3G_M| zwN#VGuy2qfT~o6CDb}4Q_)v{JL{t-V1o?}h*-E#Ag`QDKx##>ovI@N^!(^#1XKVnF zm_=hOrO#+zy^hf(>~)i7e|cq55q}`g4Go*ZPn<`q4E?>g^(?lfM~&T;IQtu^x;is< z8IQ^Yz8QWXX}(-0`T+j!;r#vtBPevq6bamlYl{6&kbZ#=PUf-EO!rm@y0c13FSMfn zI3ar-Z$DAbI9N?zFUx1tNAJXG3Qpx*?RCXBtIv&!@KiPi3)CKE>qFNFklKm76=GsH z-3I>@pCIO^=9$M3r|I(Y;rULt*M`-_LWtv008 z9?Do3c6}9wf>-%*ygC2v7Dj2j-tKtw@dm4N_fupHy02yB>@(XMB)qEIR&Pt>BV7C1 zoa?GJ>QHC3I%nB-%O%lo@}Ne`C19b3i@}AV)TaON*cjkdjAlbT3xAn|Yti0&W4KF@ z69CP44nt9Ggodsvu?S;SjWU+hy<+J*}y%p|iZ!HaGNm^gx_p8e#^IEBN zZBA%bPk%V>iDcY0%|yj++V6o}-GyrLA@9=!Ca#{4L@#UDmG|I=dwnhIM!UFb9f9L# zd-w&ps%wwdIx)uKD~ZpuiI}jiz{29V=m_pXr{V?3FxS`aYP%=D1K^f!*dfI)Rrvl; zluCtq$M>2~c!CAQ2`mQ)1sK%gwlD7b=N{3V^T;nqACG6xweN4wHQIrh4oA|SH|Tut zO`jE0;N|bSg3SH!+Bz@Nf;y62bzy!Re>_LZW9W{v>JtE4W2VL5K>uuiNzC%9QQ-jqMq~j1 zIRD3kod0Tnb#2`k|J4HHSlDc^+;#knG5}0UZmQQkP=?AbyJtfLL6q^MG&QyADhA+0P}j zTZC#c+Pm2qWE>x)(?1h!i}y~8fBV*<^68#-|ny|hh2q0D9a2`VyAwwVRPwcCGZrd@rxh= zFt}z=p+wNv*AZ9$R${CwN0$b^+gSe#MF9fXr(~5-Cs=szStq(<R~o5n-RiA#`9rLQk^WPelaFrTX%-lWe*YTzk1+6nar5jDAoZaU$g_TqugvU zC-e!@!KGTl?z5Q}2&CNruA_>!3UQuEN#y6sZejgc5LP*l6%I zUbMGoroZLQiGO$xBz{0EAd3Ykt*wB5d#g{ItW|Jg4{=R;j%5mS3We0LBin2cvxZ?+~5)Q@#5hSX;K~ z4V?8_ckzD@@8oLtu0lO;hca3k)x(YrpIq(?lV+ZS%UB zN(Gjc$t%#Kh;}vPn>$Pl?JZQCr-=q9ERBRjldO35nWfcPh#OJ5Cu;M~0uVrmyWMh@ z=%pDLko&^!uWM8Gshl6HD{tK@TRdTE)T$;S;9wB%NbuA5pfrCL$pIWf%Z@}lFUhAPkH41+=^0U=53BG8$5WthGbPvClC{l*Ld3BvT z9gKSwC&6IPXPg!6JaV}r#zRw2QkFKF9Hhd8hVru>L(s7oen+U%(yc$>uBB>gPJN8hA=D5#pbV;83{AuxmY5LW;K zBx*-$Kf~-}eJ&KVCG-OTmrv@KSKRUyI9CjVJi(o8C$LY}&nmI3U1{&e$#xJ8ztIhz((U7>N_Q@9Q zFUXhyw`q&S`TJX1YXNkVX0*-Q7e`Zp&J^mMQQioLH274lg+Mf|p7?f0U^2HDhSob2 zMRI5%-WUm81QqHEs(mhG1;-H554#cQ4wNS&R(&#cD-1g6aQ8zmFkZOn%QbbqoT8Y+ z)A!9z=3P#d3F}7QG9jc%aszN|(9seG@p#6re4YDFLM6c-$0UR#h`v%r+7zsWp1Fj6 zB>jx^f-aIz_X;!j98MT12jn8&8pjLo%%*!@qvRQ`y1n>nZQ^%9RHmrG^N zTSb1lgibtXmEXD7tYA_j8IAWCPdsyaw$53LdU}rna+_OdT$%zLb-qn<+zHpKEOnfF zv-Oz@+l2dSa3|fAa-&D-9cgvp1ICwi6=fug{poL96bLYMSeW?;=Z6{f?wT~qNwET( zps@(Vy%60&e9w=%CY4Gfne4Z|p`iBnv56J$3_|ci)it_^7*dWS&j>DN$@HVLXJCV5 zm~LZ5_oTZe9sw}InGFiWSbv!*StKi5ltTo}`d!;~b4J+Um%0Jp)a=q`1Z>OG3$Mqi zf+KR*jSaMLJtOgToc3W9Tx(a0r)9a;h1car2y-dFNiw(bwt^&4&|O~W41p_?-`uC$ z)=)D%lxo)JbjsST0fP^rhKD~Flv`0+VjNE>W0V|mX`J|LK_4G$Xt3fk9|z8Q54)Za zf1IZPK)c(62x|Mr;ZCZ`!@8Xe{xY~%HYGNx;o$#B8mwzNv7TVaW=6+_q$!_R7EEUu zOK0J3qb*+E2A3l^cz!Q_{N0D?=}wzXpHBQPdk~pmePx{Nn}}uu9?0f5%?WA*c6oC9 z$xGFU*BdhDjO;^vsfK!+K?|%$+8EphZ-SZCgGhl)JQU(-wanMPdI_~13kN0>z$nzY z>jl#JScYAkWa}^=Be+1&cWbyzHqH=?63i}g9dmpJ%b?DMA;7>OrmAS?Yea6q-64p) zg(bdb>(Q8c3M{kjMBg}!3|YPWUo0Z-WbBx^a68+SC#p~{6aCR%YO$m2V5SywK4bVC zyL{t<>caq!P7FymqGF`j;K+Y;d>T1)vPUi%QPCB_FsloBCS8+YlQyW;`P*iy#CVFV zv(lC5rBLYn`yFhyefG*hL=CWSQ$zpITHiP4KNU~Gsm74!dSthLF3-BwTi1r%n*!4r zrWda(jx4O5*}^)ScQG#@Cog^mE7@(TW>wU`M*)lZF?bE;8UU<%Zeeu7`UlEZ`M6qQpm?CSCoHdqP{}F}gSQI+kvAxz3;k^0?8UYL-N~u$F_A(< zjA1_QX=%V^xs;Z<*lhawM#$ZcO%`!aD_f@Ha#?0Fj?&ZjsDMg+9D&>0D-%6jWw{m| z+~5`WgKD;Jo@Eu$u#Z=Df9SdY@)TNrCxz#vNo}Li)P0axR}{ruZT_Ni+=S$n8QUN% z>ds2hO$Ag+kU)&*^3jUBlbU~Z##SZ21W-yBcL*how>D>XXyJ8{;QV+!x^R;yh2njb zNAm{CXXYwpn}!luSS~>!rw3ap8{cZxsNAF<21Yd>hwW(M=shi2vSN#zzbP=JAN7*G zov+5_?0~z1Sx<{JHqDd#ed}^*&QT$qn=_t;A2S5?P*&P4InT_KP>2bWu*O`bMk|;& ze9Y=i$qAFkG7HU&)TCgB6%WTXbBr8*%*-z9AUS^^xn)g6foMl7$j8DPt}(Z>V?dfM zC6Md-_O#AkV}{dLA8&~-DBQe9($c=o#N;t>7Z-5`wx{?diZ&OUs2tVkh+F@DO?^XU zDh;|q7u40$R_Co(Q;GkflLE@KiykPu4EL2&gGeIEbIZ%?lWcw-0vWTNv znZC+n6a@2{w-ZmNoH_v0Is(p1kAY2(+jd=wIm#Y99!JLv zEP-%m9a1^QG){?V-bkkKTfUArj;$kOfTFfTa2oh#AHZ>;LenO(YF4n~DOWl4Vh!=J z40@w9%MN5b`Np)c6DZHF-=Mry{@HOD8g`f7%X#aF6txXagO>WRQn6_QLyA({q*a+Y zSv>wk#0~zLCU&@~L8=;2F^vPJAgopWV=4u5G);UNV(Ifq&baZX;#xeN#qD zf`eAL11gz*@lKx$y;GGJNPlUG+GJghK;7`+4JDyzu4UL{p9&wZ7xnWc#(bYxb;2;b zH?^fafYLSk>Z=efhs`E(vsltqrll1fJ8QYi29W%k^TI2eoSVuU^o(G>Ia8AKhRL}k z-M7R~cjVDq5l!{&(qL@cmRv30bjiON^E~-%{a%EI=TOCdI}_5 z^0*z7Y*{i;|D>QRaL3KfqcD!rNE^ke#j2&YsDCSf^oKh3+Y_4DM2Vo+1r8^P^@;{gzIl_;>V>e8d<^Po?Sb6&$T7w~ z!z7W)*QXJ~jGb>ZrIL93;B&a)sAi2eIqI2K$F-I#HuUx+-eW?tSsjb=ZNMU>%Fr6j z;@Teh)sJ{FXNFvU_QYIRm^LwbT_>p&ZVOqNVMKy#&AOeJcM;*9uqWwQQq+HqTjN^E zpsbW58RT&*Br@rbH+64X zOx%ny(ACu`q0wEre`8i8p88Fbr$+{}Via)fP-oBRI7bN8JFvUYgQ{Q4$DNbDqz&{9 zyr9%a&~v+d;N3atUa71ek-sKx`%GUn!hfrmH%l8ziM-e9W|q@~71aq2A5eLTei`Po zB@*hiG8Qp|O>t^H*;&iw3ty$&mc=j%L}52KPU=^Wh=9~i{OKTcyDU}--1PWb(P1I` z!8Sf(*rclcx!}2VhVL?sJ5^+?yFKZMIaoHF3#F^8-W5o`h6BBX$G-o~dgYGAHv9Ka zpq2eFzqtO}fo5ZC^k43||73o}(OV4AAq2U6hl69r^X<1u2JhsdU_ptuCu|ich zk+EO9Fp3$kaZY0;ZaX-xPBFxW$2eB>N;j@ETyBq!|6{H!i^h zAhV=WeOS2AL4a&bK&<>FQf~0s>-E@?;<%ZuAY6DNDA#!UGI}Y{r2efTwR@>UF2~b?3ofOk5@-Y%RPrF7>(j^jFpdyotLCOZS zaK|*HN;)!)W#o4{;!InNF8YUW5=0%5^uV1SwX3*9*iCt>F*8bKKR{)#QD3gY@&h7c z75g5F+AW(ku>?#@EI)!FXj1%#d;oP8%&UY!ml%-$v?a@V48*n0elO1VBsNh?C%L_X zoi%i^c=a7ufLMIX%+u8YRf4j*_7 z2K5R$0%RMXen1N70w;Fq!A)ko&)LFCG|{4Y@)e&L3^^g|XkA1F{Gb;>xCIzXdm3Ka z8W!A_yMx2x5$1WO6#Hm28tiXFXJ>oocCJ@_H+znV^)rnJD(q1=QRq+l5N2^j75b#& zyud%W>`X-9ng>PLu=RXT7|3t4>2~JKvjJY1SojA0`@No?iFG=dlZGj#dY~U!l&B z!v5!fW^s)`wNZDPlGtCW)cs2N{BY`#II~!Z0;Y(fhj8Z|lvtXq&zdQ{_UH{)=`I3W z(Q9^N#hIq#Bt|K4{r6{9*23=vjx%z7%>yHro!jB2BeA4nRk6eTPUrE2YxLYmxt{2T zX$ix8o$R+^2~{aW#BH(+hCtsEZ7#*6T&)m>AZG^NuXwI-*HENb8H{KFsXl-ofFVbE zn+86{`8S7lSLNTa-WU?TPf|qqw5%mic^!*z0&&+_B6`d|!>tK=ykI3=baE5LV|5C{ z(#FR=JqTM(ZNi^rF)>cIx;NhSfv>N;u3WC$`^*8=Y{YP<`=PRx!qHa(PRVP`9sgH!rq7q6CFPh(!ndYw4ZYF1EM^dp718a9g8L%8 z)}V6}e0sc9&zz%?%}+@dKB}WC@%`&&Ax!qoSRzP(X^0$P9J(=zeVP5pCD4N4hS7}~ z5$^5m6b)^yd$=P;g$|s(}w5=BvDgM}HKY@Sn zP)oKomP?kj8@5%2BIRw>|M{FYYgLOJz?fXP?uf|1A_w1d$IrdQsT)u?K#^Eu>Nk%4;q~yba{BB2s1b{JbJMrL(D5!$F`B8#H+i}erY{w_ zY7^s{cyV;$W1;q)rHz}Dy)C1@Z^HfV!WE8GQ+dHH{r3@_m5M}T$9|_^nL#`Nyp-A%WeFSqI-VuH0}SdB>kW2F$dj$ zr0{ynjUz5>dUgeo z#JMk;$DWJ;t&Hs07;&Z|7!~ky1B-v_QcKijelocG8oM|H)+1|d(A8@|Gl>_UfQn-r zI+E|OQ<6o1=DCGNH^7h+L}MJKYVR@ywoQxsJ47og9g!Q0RnoiPuDd<53DwY7`-DCN z#cB1SM1J`p`(YFTQIi8pr3C{)ymZYfiNd3Jkc&`e8t8#SXm6=e$xIcWw4yw~IOGB5 znDdSQb|F1y)76h=xrLS3Q_zDg!5k0M=H2=^^R~gJgkQ5msQt&&1U9`q*49Qc# zq0bcTn`*3lfnq=xb!9{Pq-f*v)H860gN<#)3@!iBicNvhr-XRVLc^GRyljD3O@apE z0$L($W8nhKIoh_+6?(>qT&}+sCngGHvJeDVkLsZt8zG+waT5Ts45<#mu0C1TfX0Uo z=%jYnP-l>83jjCFL1#C4zR1j%Bw*^J21FkCoTXEPqIX?V#8G{E4kC-4PG~RkBWx81 z7q}LwXba3@A}xL|PyDGgO{DryZGgX!YO0-{S@cvNK(wrn;1M8_Qo1NP^=Eo$6GQBG zW=@XEIm}`Df^%*K8|5tyE*FRUgRS$!{l&>HznWENa`qBoV`-8&kJK%aFydHPXg=h~ zDg)gdMC1yP#gF9_lpIx%fR4Q}#%UTK|F&zvqZEK?tt%fIAV9-dn{V<8z?4qYNTN>A zf%qmU%R>y$!z#+edwKQK#`aP4PAtq{-&xgP3V_VFp`yp{2vP)X26|O z5{-QfEjHcGLUu00+sD0ayW!oZk{okMru!)33~8@$Lb5`&K@gTC^W!pV986>vR31wZ z1C(ZiG7Zo}?Vx%f0Vpy{+t3Ukmx3Mt*Fr2nbExTY$q9QZx|-mbRq}K~7!7MHCu9eK zwqgt|Mh~kgUv74hBQ25IA<}0tdbX`LOCiF!<}lprU}*CU5}xhU}`n9JP|Die~WPjOjIO z;zj@?lV?=lnM=JqpxaTCvzfbxA68io1SY$%&QNgKfYM)Tq;d`#rJW!T4dM#folS-1 zDRlUwF@@tT^&Dv)64R7wW_HsDc^tIvw&h9QGn z-_eIo&EW5K&iCOxkT44#I1}#caSaTB5v)a8cJN!t{f^lc1Y-LSXHFr87 z{zbpPE;B((`^_B7|2Sr}FHAU4zcl z7?r|#sudqc79@}L2;HCTy)`wo5eQ-o+^-{ZD?F2E_x7W~!^Q2g8>;E2#EJ|}Sb}6O zEmLdE$~4V$cBj;h00m0ciss^?-b=9aNv6L#kTPMXNg5yDJ0D#OQo&=WYpaXnWKddF zMIWCX4XB$fqvte>jTSzHwasK}6lCT7*f9oc36YryzEy$g;ikgqBAOF}=Uwo7Zfi3$xB3-qoY}j- zu4ePXg7tk(I^^@`S+yoTB2)%e58wc|)#~xaD_-b+E4@Hg`AWtnZC6Ed>2wL zv3d2Z9ygG%+psTpyBBRPFWlxqO<|k-U__}1=my=+VcJe0fmMn!c!Qwgj>i^21XE!yDi)D6vcj=)lyddt9OU2)aaht)#e|8TNHp*m!L37g0++s6%sp+uI zZ*kSlp`s8P^d?Yl{{zw8Xj9|kyGB*yeJxpAQSZz9LEDy{W#k<>Q~;2-RAe7D0>KtO z4Z|WYE^8b$;Qg=8&I786ZR_Jy>74-5B{YFR0OC%h97w-LhXrA83dy_RQ$*h&%f6tjSlQVnv*_#M`BJ^BrpBIki z&XO<4ff#I8M6S;Oc?Y}qEQCRw`H4KZ*sqE*xe}YHr_}mz^spOO{GkziC_RXuiVGG| z)bvVKVs2tZwCbp2kUVSi*47j5^`?pKg}KZL87 z=mR3lS(*=rZKXx_IW2{zb4Nos7pG(vr&gt`q8=SO;X6xADA?IiQ39 z^+Qn)5@_hv$X7j*-%Q0{RHJBmAM*N(!#rrOedOU49=SCW&G)U(To_pr_r#tO%)$Eo zBzx5_wi!HEs+=^Hs&AYMF!6os1%sF4*-tFFcKUXJG##Y7&cR@WE?R7dN{5z|}9ZBb3CrX2a1;OZ-rL8jpWP8`zUPwt< zPZ6S~tFNY`E$HNoKpFfs(Gcw{r~Hs^A~9s^b{1z5Y>8ql1cmr6z9P@N*@M(Iq2A~c zJJ`%z98`Ns%Ro%Zl&^T>YLq8uD($?!wSkPO`_2xfK;wqx8L#pcmX1^6kOEoB zs_i^xpH~!q7a6Jxvv7g0Os;Zt+N6Vah}}ePbVP#_Z{T=MU?a^RMqB|(_SZMuAtd+D zvCB!OchNGTX)d7vX+V+Q&V?<&nS`%7RD3oP5)uyy4Q|BDHdIoR-F=OmOK{J5B|Y`z ztqpC;{B(v39_%f1kwO%C&O#&&66us4*cRPi+qVg1{(kEM6qc`W5O6hr!*y^Nu9Q?)XT7hoogpk%)#A$}`ChV&RwTfP#I-7Zs`#m5zlWJ< z+8Ze=ly##cE+ne9+^o?#k(< zxIS#O=KfJ;d*>8TySaQ zpA3B9FHCv^H~L(%CbM=Y+>B_UUWlhUUE>Q~B?k*RzwIIZfis>P0F~e;xb4Z2TGBL& zetNO~{l%+FkzI|-2SU?1$*L-b!JZ#zVs$(5iI9bzJve=isr5oS^m~Q(g2{Emss~L? zFKyG!>A-YN1h|HX-+61J=x4%>oB<>0x-7Iop>TwK!F^h^)_U}wAiHvxEv8@lbXM=$DhlmQtw5&?5JKN7 z{^vgZOF{LBSo7nA03k;Yrgf5(;uNSJsjEJMQ&X`N+^SDMzqW`Txh^>%NlXF0GP9gC zD9Q{NNAq^dO6}}&gB7S|fQf8w_o2`DDsZzpW#186jHj;TF+TfOL1fH`dN4x1#iGYp9TUztT+HLAv96G>O%CHGWUXT8$fXU$VpT9n;#@&$(Y* zywCsDj#31HE9C&DO#{+zx0&_tJ?o-==9Uz#W&?5LC*^#zsd&#+(vF#`UsfK0&e_TE%BhH zjUeo1mY58aO`M~+oK9^&?)Cnlrrr#zv++QAearh3&evu*B&Vr`53wR~b;Tz*}b1$;MT9ogNL%3`REexA&#^ zcpImf%9f~KiS(B5$kX|9c;?rh^1Veai4omH7|`qKdJ4kc0cL0AYGo&ga7Snqsu%Hw zbs%{ob=o^LK57bq)CF2Tbxh*?G z3sP@u(R>BrJr=th^u#o#mDN&W@yX~@hJh3di|0 zb&Wzg@(f&-#XZuehQP?*}p4_RNv- zH5-56!~Ql{nl%>c8B8`mq?D5tsaef9TC$*CaXm@ef8^`*2I_^Lcz#fs$YWLY_HWqy zsNOv0Pst8n6k;1B8pc(K*UumdKZKErGVEz)s0*_{{!Tkp-`sAzRuy7yputrH4BZe# z-pM2Z-p-&0Q{}JHjx~6oVtZ~=+}e>w(X;tfOEkNAIVZy%1VjO{qOUmOK+sD3mZ{6_4)PnPh%OA{lOlOG30!P~%SCpGeq*;Y@+}82(vY&c4>g>ny z&@;igVvLuy@KH~EbwbNG%DG-r^}a#UyRrD5uW8!S)xT+WPUvO67c!;7v6ZcA8rSyx zLzBB1^l2KkBvWzSbw=lBh?oijYm-VUt<&3Hyz>L1YcygCb=RL{p{4O6eGcPl@LuIzGA{bX%6hb*b> zAAiUL0$9Ye6jzg3cbs$Q$2FNNk77JLRF>zi4Xu|t*XfcO+#X0ERyWm(@o-}c^v1zUV+;?bWNtn>lvr^a zyPTqAMRC`x({SngyK`A&YiSp83(7@ZE;Wm^2pFa&CgmgOq^|EMxe|ZG6;8NJ>tB~v z0fmom>U0u0#km6H7i@xFs*|sd>qD?3Q@+1l<{M)*?tbWZefUD;xe!mlfo$sn&yB|r zF5#7Ct6WgRmGn9%*t=I6Eui=1BdaqGn|S%)mU6@j1+MADYdCLNEY9GjO#R6KX^E*^?{u1GjMrvdhkn3 z#!LPoWhh69dpjgk6He^>*sTKLugehX7jziD6F`r-TV)=lU>I2g14t&Ej zCg~2Jjo6`A(;pbf27N4s7(VoL6|pn#%PQ*vf(=7DzEMcms(j|WQh2jU*aFIKV|Iml zg>N^3S z9e0MB%nzD6DV2ftqCUIpVH7c*+8o_?EVwthYi9|%Lb}}LKi{b*_nCJ}TL-egEmb#M z65R;5Jft@_lpSW@``l9wJ#<;AFWRrnla5>5MukyqOhjfdYnHr&7L;>)eqnDd=9(-D z)b4}c0o+3A)G#$smZ1i4qx3wai5Ar=m>1>)VBY3u!PufxBHRI?M7p7F@JC?tG)2kv zEst=%himry(yH{`Go?B3(lsj%vZUB2tF8iu)j2#~IqO%G zO1MiYCtmheFsVrMQ|>KRT&gC=q1J6Bkzima%Wgmo(94E9Na(so8nulIFDZQ2LV-0FEk=@rqtW!55^2bSr( zCY#$%t_lP#G^yRjKT;J9!;e`pX%_wJSC{H;^2rMIl7#YeHh(z` z6xLFY7gm_ErlG_%g=^+#-o2TWRRi@SoJf=)=W%{^MsB$Hs3lnK!57<-w`Wx@FV-3{ zgV`!o!Z;ZW4MlaaXCR^Ao%c)Zw1Hi2d9+=Y`2Chg%(C`P!_E0Lb963<_f3HmxVb#l z**V|4H`Ze3&wh8;@48#-Gu}~rc!ykZN=)%yn%kDN*VRXUXDnvT9#rMud`jJRBYg61 z);NP{k)leG1ONc3&I;G9_7r#{O;C?}wA5Li-MXL9yPad7I%5t7j^qnnz}jwq&U8Td z+Cw?XE)hQkU-+Gg?NR~bR2Stm+rfs-0rR<_h~TuyP01ZZhqcY>QEe#67X0~>arEiy#^6SDupTSrHG{gHRe%Ff|8 zG!a3&K`{DvBGj1Hq1*Y-GzW7h^S|Q1F!weYUHixxZQTw!$0YYJ);XZ<{iAiilnVNp zxl;&%usW3aqsuj8{aAlsk^VgBz?VNU|K9$~4f4<6<37~N=F`xDJ~XNS)`yb*0c>Fp zhnwHEbpB0imT1!w8KYAN&0WI6I`_j&^gGhOfa=edTDUkP?BTz`{aktbxPJJL1?jKE z{%72Awd!92t1x%_XY6s7vmXo6pBQcQpW5?p?7x@y#-w9b*gl~ToR)qpb((tHn9`V~ zs!pVdL{GV6e@XwbHy(Ey%yhOVBI+uC7Wp+}91LcA*A@YT{pOfsCTTsv_o$v4kD0O+ zv!O8aQl5w?Yo1!1oft@KI4Jxn@g7P=EU`08otKQej!`50kl z2s=^P)BA5#{uR89xht6SuunvGZ~kv0|351mQwTEz{Y1#d>Aw}i2uR12!i-Bkk*Y=f zw^FC*e*cP6#%EcgFK=|uH6*AC23qZ2VT-~UDI zpPCpW@aX3j{@vr56I0T{PUA;NlxCK>@Vm0v9gl&v+63` zRkf64LBY^~fPkQYvTAEpa?+7ZkAQ)IB*1}y2>*RG_BQ|JW@yXhYWVMM?%-lDoFvYa2~7z?mUZhEX7b z#K7O&(_%iXD-pVG2vX3r8n{JzD8KHQF$(6Q|J)5;rj)atQA8uCVJ5IK757}H*B=okaZ6+d35kn3P|M!a6OJ05{rPGC0RmGA&Ep}|s>U1X|@E*U)gO3Nm z8vxz{N#5EQF4OrCKG?B@kL|uS6hwqn<%W=VtJn6j%#T3LF^ z=T>n+p5V*yDZmgT5j22w%O({sa9Y8s?n2ef-@;YSqQJJCw^n*LN>KJ}`+Ygrl`XPSZW!F$r-sDu8p+I027LCc|d8RRd&czVoyB%Wk>2kxMi?{R;6 zJL8gOUB@nfi7jumraW`k`6$cPiPJc7ys&$~&-hVz*7|4+wVjNA?^7o3SgcWU9_!RC zGc+&zaX1_9$Gj{1EcWVu2yL<8sgX}-{3zxcIedYG6M%bb7T=>ZzO|S(qqjet8{L(b z^quFHdn$e3uX%Y){4u(;5_YrkHxc3oNa;WLP`A!>oc+g#J_HaD#s9{KshzdCgPWm+ zv8kJ*i`PF)R@4R@wwU00K4_tiRS;umMFR<<3b0_7aTCle2U4vxtLbo3@P-GkS9wiD;5H6baf+1b1R{Xp(tBZbXrBQ|up;?T_wCaeEQTEk#4& zF~RtsMA&@E$Z`B5!Uq%xh~R%C!otzT-q`KG5=Mf&;~*1U*lp@NA)RwUD%PoWyLFcw z&L*$}l)CfKz#6(vI82)caj+edg=4g=7mVw$EeRyBy`tRIQ)ns> zD)jQO5y{bqfNhc0y8qtMQi+940f}ihZvD9s=eJcL;`3>N_ev@lojls=-PaimUj*mH z!k`spXi7dr^cnXfV>A2VLpd8TVN8=b>{OA~QK;Ewe&eT`=O^Nv3xUB-k}K}!4<)Bk z7x8n~Ux@j=MQ%aeQH2OQyD5mVGB*~|QrlRYLZ9!S77ec)xIM!Ew78cr~k5d zqOdIpGg9d72Q7hj1OHW?_#II#WaVZs0Zi#Q2X9w)mVBC7o4U-8&zL?PT8PF#4okAv z?Ud}h62np(7H7`bP(}P}l6*lJu25fCNEQ96w$L3o~Ycn*(XaPRV9ol%G zYFdOx9r}h4HcoaTWO~Smou3`07V;Nbx2e_E?DB3;qRFpQtly7JJ25%3>h9CFl<_XN zGEigM&D@OcstdV5$8Fbw909QxZdjH&Nuy{bORfF5^px@wk1XNovUYPB&*XF@ zu;iMyUH=?*yvM1N^J;72^45w%-MbSU^A_MG4mDTWgH7CHo zo~}$}LM`KNC`Uohl7asBAIc{y{BhKCp$oczUJ!m!{oD+}^p2af&jk{e)8CS5vuFMHyugXFJ{bo55mRR7}lx&cM-HXt6g*1}pb9o6iM~mfj3<_`df5B_Z1d5O9l>tJwJjPA2 zU0cG@41yGD&OEDk>aoaG)P=oABTkX&rAfl>>AnUtcY-NYW`M9Vf`UN& zx@7%${?abglk-gWB;>b(9$N0yY4PpwzeuKv$VaK1H8ikOtY(yzvF4sB8)o(3ZH=LA z^#aQt^$fJdNLEW=o5Moc3`l(I`BV*oDu}noe{z_3K@fu_ol0lt#RA7ca4?qadB}H~ z&z@fQbp&>o;jB2qiFsz>&GKRfD45E*q#(1xSZ%(=7i#jQ=8Hsb61=AVG?#A#h=LJL zI6Y%@2@Yr2hOHrDBUtQ(n)5=no{I{%bE?-k^EjSDJ_IYGYPZV+GP@ojt>y z7hncmDlH@?o7XFEmDgJ-Ip;g(AunXn(@pSqG# zhm^M=OQm%RdC?NZuj&g`5$SK({|sgfp3pH;5FjA7e|;~>|CUodjP0z=jQ{mC{}s@! zssnMG|5{(tdqhqEywkAZfv-!dr!pg=ut=d4 z8)$tpO*Hxa{%s0KuQ_f%C(&jsZ#Egf}R zr(JAL!}5SnB&tLXnL%{7qzMiHPVs4Mgq<2Tea{+1A3TI)AiRf?YRrdInTztlq_eVa zh=BWq0X;OmF?}3vwbx{E;Tw?7ivoSbC+za(bdj1nSL@rbf(ODqp78WsW{h+?VBT&K z^|QS4Hmu={iG@h&f>`gJT38e;Njyxe{t5A)h-p?sNge+y+c*DOXZ-&Kv40)&KZW&= zt`QY^+wFgJ{VNy8M!0sO^{_rnh2bKqFxEcQBUBIT)f#ETQVPw~U$^*PJ=s{4Y-nwn z$!vy>7Q0;m4>4(a{iW_cDqjpj6s{dANj2^IMuOb3BviIE6|G^^6QG5Xog;0Bn=dj& z_v?dJI%H71A=RGwaW^n^$cp(+m_nJ~{cQ zu)hikV^BbP7GpWP9k`9wH&!WCU~dZ@wq$L2R^r2>4NajYp9FXnG}&8S ztu}Q=oqDBFjBFc&%MwK{%O?0P>H?^-Q)f$t1z?NL<4?5YZPvuG8bJ1f2wfU7EG@y~@?c7wvWWvwc(jL%t_N_d3jI z^vw=(#W43};p8|CgOil#3fOtId3uaVoQJvseSOa?ARMuLKHSW3C~Gw$<~D_gHV(Jn zhBg6iQX8%@m`GmJ)u^?KNEeE~Wn)~a?vENje`Hw{cDsuhFkkCQW>Gz1Gs_s$P2Sr9 z%^g3|O|;hCVqMY2bzq;6|A~jgoP>_RKP;sGJ(T|&9{;Vz?akec|D_>g1{+sLhw2j* zAdu4Gs^ut@p6SDYqUEOPWfyYV(4?Y8HGH#)?PiU=1O2xN+D8 zMDZW(F?9HIuDS&kElGW=FSsd4pstlM+WySeVpAP$%Ve?xt-xjS@>5__WgBG;?s>Z` zvVBvbSx+T6JSknh2mp$#{?0gwOybDPUz5M@cilyd&2L9n0AbDMKOnsW8F)(0x6Fvc zX?hou@tz(Fm7Avmir=63r#-u^rz7(lbP7&r4zR{mH{|D|XMV}MZkU~&&dIkAb8ZZb zzpSr&kkU9H5JBQcHm{h22{rE)2Q4-&IYO>$m)u`?&NHy-@Z(&$^6Rp(ED2LwQm|x? ztd+9DODl%o7-MGq`Y|+^oLZ~7%%ZYS3K(eDt|+`irK0 z{*UIDgj`MY=^v#S|7zy{mds2Y9bDc18UXl`NXU6aZQU>TftdzWr zylF@cI5Rj=Q>e~NXTNm6nX-7n-Irlq;wC_3sr@_#UwyQ`a{{eMXX9Bs!fiFf@z6B=Mz=madv8IvxE zr+xXH<*iKwllHED3*q@=DU)eiOR2G{gP-2LZPw$2w0JeEO^dkO-f+~G&$zw?upZiK zd}+=toS8#z9(hxhMHl@co=O>%6>DvhK{4b3v}D{IFsGL_wo&jAXqzZ7R5eFt z9{%5IQ^1}5T0f<|waPkotmxEzhaD0nbha%F(38X1>*0NWKqv!#>T*CoZPH7{{UVZ5 zBs8%N*u_Do=}4QbUG$ctJL%HB)UMLBu_dwbV;AwnREq0c=p<}aPR=?b4ljvlIi(!z zo$v<@IWuC0BXffKFV5n__5*%+hufL!u%gxUz0*_WUF4)H86uCI(;%EDZU=r$+UgyA zM_cTqV&*2_MWF{z(=pFlDzmAkJjU9cSLdG~2&FZSztfR}_N1Lr&8>@`0r5=`Q=qq# zcvuQLMuJB_?9>DAqt-IkI(A?q0zsz0VNK{Ip2-( zm|J_sY^QfLcRev6?<7-#;-pLNt3n~~a=+hYT|=b*p5p48_SiHtg+gk(=~Mzh>*#Bv6%f11+Rl3NrGjDVTH}BNOl^0k z_NBqmy=R2$oytqk0V!T5!WOuh?(7<)um)JdELDNRLh>2uED|ei9WH{0Kbb;i%abfT zQfp_p5|=GfN>#1|gc;r$cfX z5?H33L?_FV610+lB>wDew|Z+*lVZn@5jw|`NZ^T4M0}p5=T|f~7?s3HS9U`lB;j3w zu;7M2zoG6aH$bztGMPCTr&%Ca05?%|iPn;m?xUmFIp4o>EqQtaAgZSt6v|Y+(D-z1|@)IEGw#*4bk@GBibad<%lsBoadY+BeYp;vz+o1ymI| zSYe4?2v?(f``kUxANT|*tjYirSV0sG6NVJJIpBmf-`D7yPLDkf#TlVr)3WvQc1ZS_ zCe?ZN>#9XVQOq-DIw{Mzi-8&*enjaTYqMcN76IjWv0GW?`f#<{1`+_AIfn1KUpzf@ zt#C}})_rNJ$jOFdJ37jVP=`ZV{Di1jugP^{&QP#42gQk6H9hMO=CVIDJ6{pxVqDg} z+0)2#emFU-Z&r5VUxaLv$@S1QwWN;1je)cGmiWZRGY*LpvF>@prBYO`>TNA`&Pk?6 zz?xMm(a#>t0`t(XA&SDF2SgxJ(0^4oHwFB}XLZ75+kjSrh9f=6pzI1g1Pna@4Pb|b z;EPD7PqqT&ZdPz~kfD-dG<1Y@Y=rIV$J%N`(AMZQmco@f+Y30W2Sl}vFSl=j3F?;M z1Tllb!L-t_GB1?K@Ij3gLn>Xb-Q;2-aqWQNzO2J9b04ri1qKWed_X%Ihqg zh_D2GFK)h;{92KG^@|VzI5%NUe5OJNKu!QxZdt|-K?~wIfa#y+KeQ6g3r>1p9_rdO z@sym^l2ek$!C+emb#Yn;B^y;GN)@_i+~5p?UcG3|<`Y51dP$M(h>CEjVonJ(p#;S0 z6|nTRbMh4}Nm4|p+wwz9ZedESG~gqQx5{QcVR`bKWpHI|07VHb-C>6i2cpYJ<20wW zpZz|wAo4iCxy7iNb6C%i)h!mQKOwBaZ@!yp$6s`IFVgiT1*`Sm+XbX~G#kh$7Qn4%Iqcsx>z zC`Sd2?7bhxFQNd(#=KbVgm&G+M78AJ7?~`NHFbK0DFV4k%r0e=iUv7^88lXNnIto$ zFpuEAlPqN1OePrH@NpS#=R$M6z8u#oAd8o48IH_}B!Rr&8)M(u-3;FGs*mjS93c+AL9qeTOfog>0nCNv>uum$~)wQh@9_*M&j zsJ3Q&pv6w}8smUhJZf!boXJL=>!B~#oAJ;b#@JfXM{9Y96>gxqDV%UDI!D8uQTZ4s zNwdF?!ffMHY?L;n85A;kbJHL2XhRx{bFACVF3Wk7b+!P$>?`*Y3|H)S-q7dG5#r7k ze!h`Cmn0e1U(z0Qy-=^SR09NM6U>QRe{#|Is}}w`*Jmxlq1``iWLsW5XOxvpv5=l} z!_l^7(cC|6elV@l4u1>$n_lNBY{jzaHhNx)}PKhuntmYVe(a9ziK6CUF7&G;5C^s#IRTb zX>F^7Ko&1x!uK2~dG|}pORtC9%V31tm;+<;(0VPk&l#7EC@d_>4?O?G zHUCh02!|%xJ3`Rm(ojVZsT;E6zEk06P97K_U9*YTk*Un}DT@XgXQnnN7f@DCJ{@j& zuhBbwtS^V56lEb`t)1YXW~xUc83SEz%QWb0=`LU^oO4Tt@qM;>#jJ5uW%rOS=@ z@jM}p+mW?Lje~ZNcm0&=m(^?HD0nd}Ig0;BQJ6&#d6F>n1`s0Xcw2sPP!@VO&^~+m zo%hiDzMXF_;Ez!SX%Jw5k(s)tMQZVz7%Q@#Gbih&CQ9oZQ$oF}n!MxbWPfJhVW0gY zT+`__JA?WWbIt(l;y1j`9LU(GYIx7xr{CLqeE?+-u%{mw&)4sWPhV3+yZWCtz5ss% z+PfCkgWIpH8T^}S7A5|ON94Vy8$gwe)u!4NE`c_N4tsr!#QUEXT+EHRmysaAjzOl; zU{uka%^0ZyrxYDu5EEC81a2n)-^(4ePKJQ}{LqjhBOZ3kkQD0eK-V}tNq!cCHk;8y zNDlzkdQ#ROX%}Y(aR>0^H09Jp$axc4stNv7N<(hBcOy$qH&^gb9)qXF(1=F$8hl1U z7`m0w7rhpWtD=$Bwr2%vy5#c_A_!Q!kE6`^{MNYPw4|I%mZ7~arI-$vsr-zaFY0%M zhG^Tu{JMp|vSj!E**pZHPX}Ssn=im@pdn&_7Zcb`M|93cdw(~&0@}U&nt#I^QAf}3 zXeE1K<9KqPjkv(;!=&`1d6^a+QSkcvSE<{iWqHbjhq2R}@=m7oR&Ku;N;BpodfpM1 z;GDk-*m3GwdnY}ug#GADXLcW{bgiF3R;~0?dV+6fo$SpLLr3aL9`Z(E?JCyxoljSF z4MIZrf_Y|wu;(`C%Fq~nMVDHbl5ooQGt@nFJ-zhgbFf7FQajb}9Pyr4#$r{UvL|bQ zD{k?fwtwRlbm*67eYv|yMEtjxGhmc3+?|QzSoWX+TtW(>g{JdllH>RU2LCD?_cT>~ z%*|<{p?*H*8}UEI|1dD12LcQT2onJai1U9D|NmAAZVu)y|KB3sl~LH+-NjtY+``VX{h&)`|#gunydF$KcM*r3NL*udC%l4DwwGL}ySktVbeI!@aG7`lBpgmG~1Vl4u=G|;R%F~Str*5S=$YvA65Xkhy$ zpadm?2V=~zre%75>!VfBrOj8Oz;{rFd~}5y^8_|rg9J! z!`CiVL<;kNZ&BQmw(wG?bOowteN!>ts!6`-xvF}?)11cA6yvVb7}&8^+9JWPj0nfZ zEi_25ZklbdR;l39Wzx5E*t$h7A|T}V@=PYObg8a7tMA8qeeI-e_sqV?7V37V=DGut z>)kUJ-;#05=VNp`UPgnj7e)piHE74c>6hwA?Y$XKrZnKH<({Udi(ExkRw3inLw)Oq zX-Cl<6B=7NJG!aJ+A#!tFW~^gF#K;ClAJBQzq^6nWoq_UiPRm;l{IjwvXTHQO7Wa| zOP#FXO`B(R@P(fyRC=Tkh%Jpz zoCc;b0YUn77^a2<6&ek85QP&RwD|f0 z)b)6cmC_(D%cN9;d`{{rrFxcVcTk{H8;LqWfG6)1d^;~3y@69f0s;LW7f^p=+RF7I z3X^zKHjxm_gFGWiv!Ec4Lfm`$=^r*>WNR(A$%AH%4#Hzjhe?riHL){j&P$hZs&`#s zpKy@?4Hw8Z+b`&5wg(;@R@ha3>*6&4SD(}dSN(4#o0iD|RR2+6SdTM`B*kkYkaZ!g zD2fpb>7~%zfG-2;-%oA{ZoTuw`id5h%Pv}EW>PpvEzlw042G|>2-@-##QYp&*_0RU zS>RKatd~dpFih119Ew3=>Jd)8sh57=P*X4iizGFc$8*+009O#y@NoyesQ&(*t#np+JmP=SniO%TePn+H|6CmYB zF8R>GTxshMU?&cX(uiVqCLrX>;|tXJ}V;Ro?wSZAeW3q-T}6xpbuVG>N+WG`JY{! zhvz;_KeOnWCS)(>dAoU)e}Me(C>sO_=iUY`oCS{Sizc`!j!)qzI>hKe$xrxk3@NNV zAx+*q6@8hXZ}X53BzMV&Y$yF4JxdW8w|k1dPigs0a{AVN3Q)hRe~<%Fbw2;cW+Sl$ zD{mDQ2&hR12#ELpGPTId$-0}EyEvG;ng7=uXGYJ*^-wD5Ctp!natt2{*2c%e$79Xe z4lMQ@yY34n*wbY8QVFWE9|tyaX~>~$XwQ%Jl2~1u9N6LABodobEw!oXLA|dgd^d5x z^Rs0)(Ya+~^!tLDT)$nC!H+X8$tqLCt2@$!@^A4xNih*ojk1VI*8FRxHwK^2K^L1` zg=EuwF|#xw_3xZn^G0!tloP>4M(TUfRSQ(fK2=U~XS7l?>=Ckk`vL+$tyjL#cUK(V znPXcZVVULdBdR6xyfKCaQ$`?aeG@zUQd%DbbjdI{bZeS(3q`!b1J)}n3C-#*q(Pno zC!ix~q}XYT^0YVm+4v6nGuJXZppA_CG@h<()w@-pHUna|t!`UKk^mmX)E&jVQMQ)I zC0`C+Nt9?&d{s|-Pc$j$LbIi}?0bPohr1BfPIYfboj#HYTW6IOzK5zTFZY*Xlfq=n z7RgKJ*$4XIG>}iP-Gid9C|EO?U3ERzm9v7#>zAl5CCAWXSCeD~q zcu}+U>lIipCyK`%BIWoQ7%o=6XYt=n=pHcHg4P~4y@Uk~6y1g8(Zns08xF@+OLXZr zsqOW>f|0G>@x&AqHbWtrzA?`o;jeQ(n zhbp5I3IIH@%&~BKcC+m8GY0#K3bm71)NpdHb$4 zn+b-iWo_Z&dVJ2Z0_!;gJ6_9@qnhCIJ_=BpNDl+u+B94)X%Pvo!KvuEji6CtdFw@X zmw8@OiIWBLMti|0)vX%}HmxX^&+cHO{wp{TVhD!U)+bGD#ALEUYZzyu#)s$E4tIe! zw$84Mt@h;T2`i4qdWrPpjTtMxKxMa#r!`?of3U1LK=as|re^ZJueYE1+)4XVb^i5S z^4=XW2B8*KoL3E&q%qVcB!z`F9Nm@ljjxLE^EiZ9J2g0+kXZ|u1GMJkWPgh5lxP| zHa_27T&iOh#pXjZaBHpMob3sV%;lGpW>$?8YMK}I3tSx`URcysk~4L>RJJ>TR8ix*kKtj@r<6l7tMkd8&1 z;F{oaQWdhQ2lDpf$}~+P^sXM)0|QjCqpbvc-r0WV>fHwn5N3qQ;;3fa$oN$cOav=o z)_)}=rAxwezz(8EXW-R>>xR(D4T|ZMO>E3_3FAn7G0kN&&#{ieEfCsDz>FZ*aUC*F zphsK)y{O?Gn5MD)rPe{d!*mtweEZ7!fbsyw;7o#exs)T1cC~ScJ|>UKPl^TI5yG_2 zS@1SL3sT_X-|wdAjlDVPV}eyXf#L;N!{9;5DOBexx9~rTT<9OK zv{gv-Cvt8qiO!CH)lGE!kAHs7*SpN0(I*AwvKmA-Vf+Eo-I)riTsu!js4$Pc2eT+T zytEV5haJ#_+jTym11i_S!7hzo(?Dn$ovy{2zCiW79v}pcckO78Dz+Q4GBOu#RD5EQ z8r;{6`+0S=*P~*~L+8@Q+1Ri^=Ow6EM=V|s!wQQx9s_nq3CP4s{vcyiBxVFNippil zub)pt#GrTcwUYJKVt}MBLmFdxOr)P|nF+ZnB~GTUk@Bx{%q1MGz51MH|MZr=3@4$wv6)=FTm9B8*fs%o?v#3{A-bzwR zo9Z#J!))2M^CU}*em-+w7GDWrkv%(_z6+gVN2cDQV%udy#gveO9O}I6RsWFO{p0=c zZqW9MEsB7a+uNJ&iuCz@&?@>}2|4*<=h04_p?g5;&`I_+7nawzjP%X4k>P zY$?}t4)>XsXK!OFF60JD`-D)}M(WRIs7XzUi@4Eos%$^rMz`k!%+-mN6;QhWTR4LTYg`q$+Zcy+WZJ*_2g% z*1LLKt6VQN$j>%_hg|HLEg0gJVWJWP@*S&nhJG*O9cKAvF189* z#XdJ)Diz*dWKxx`&$sqt1DOkw^~#OE=igoH5hPOPiiL0^;;SDTLUj(Zc2+U2+z?)S zsn);}Use-`{L!#~-~xYI^3OOb^J^R0bmKf=ct^{tx6{slA)SpB&zDp;ERz0|Vx03^ zXBr3%)s-xf`cqPR!-*z9s&`z{>7K)P{5=v#{(Csw@vQ^i{(7EcncY8@3qPo3AfbIm zydj<@GL zXkdKmdQN6Qmv!&?Q(50088;sWN-Q5sSb6|mw?6Rhpg58nxLH>W#R04_=1A&yGU&K{ zFm4CNZ{xrOv%8;YM1lRcfPb5wjm@5_U#atu&14KKTe4ZvSGZ|pF4~YL2jzAmV57Q; zug0+YsR{EK#h7Qjf-I)c&blKK%~?h=SYm!{n5z2Fw#6_l+dzzIzU|6M87pct(h(yi;}XEfMSxvXL~|-Xob+!mOt{4% zClkx0WSB0s7z{sBx$Fs)&$(umTnkwHyCgkP#C1OpwL`=wM%!v3X{DA{c*oOD^rNxk zjeqe5tsvkkO1f0P9Vg8u8Oa?z&A=c_JVxq3m%E|m0@cpB`QViW%q#y2I%o9`+z#qQ zT8OqkIiAs5MgH8~CONFA<{(BKQSLm03|$DwGy%qRVGM_MAMW#t`*V4-PUu|d?>}+C z@C=)<#^N=|u2941`xo<|G5_!enI)o`@koh3w80j^K11YELO&Ne-7QN_w2>Z%dsmWD z2n~sFX!i{{{LMp@es6w6*{(X!zooYG0>4fDMT@kfma2kOT1XZ$p~@`w8V9CkGM!H{ z-*VdJZcn;HB!K++3Z=SuCgGztpz34gN8qyH9f8rx60@#~7j%g-KZmH0KN#ajdqE_T ziOsWZt+IZ%_X%F;tUoWNEsS!$E0@@Jd~9NFi55gnN+I;q+wUWja0hQsVf_Snpbek@ z)JwYGJ(=w&d{1a0USWETv1H9wa?@_L*R5)%VJ2+VWBuD?$J^_%pHlPG5yu1ddDofh zzOdW(6T`dIHBw4-ZCDt#2L3BW9@>Y-t;YP87q7VJm_H8vFT!I4r+Z_*BNIt1#el-M zdTf^>fxcfC7NEFM=7)*@1)smj(DU7aP;-Mm^h>T*n;g+Dc$;dbC%4QS3Agg1YCT)) z4^>-1D9X17rWIe42O6T)jj94}a@H zm`Ek6w-uR|NAHbi@WDzI2V2IA?Wr)qh%MXw?X2#Eu+8gYZpn%Xb;$UIZ+xaf`gM0> zy=BD2f^WL)Pc;7g9o*t#i{h%neYGTn|Cj~ecgQb3%DW$-DQQ!Wi>Y`1hoPHA#Jg@{ zG#$Vpm~q=pauKPs@0c`-+_rPN9Odxy#JN>h)X$Xd4B*2#dbU41Iy=dJOqgO{R) zW0op)7;KM5p1sWd=BM(pX{x}X#K@o}=kTH=rI<<)#BFAom}8EF4XC-Ih%qH0%&Gge zUjuj|@wXD2<-&X{-=@9g`9r4he{OmkP`C)@_rIx^Tq`9NYR-qAEA6}rmL9TI~tieYa!K5$c?Q_@lhc)?h3mnG0~}kRBdnK;Cu)ZWQIC8Mvx*j-opF{f5^qT ztAI7!*NvqsMpq&VStMqO1RpDI{(??f?a3*1wCCrqfjI_a5gf6bYasW8+}Waj%mIWn z#a&th#|tE?En57Bxz{EZC3$B-00dbhJRY3yy-tc4#3O`_s|@R`*bD~A7Md8ard(kI zt4Zjx;x1;NME7fJz(4W)THIO0~2WGn^rmZ@+nxZNU23Qh3(KB(Zpx+-ew_J8oy z{pzdb1R!|XCaQEM$0p409-tTo(}-XcRlSC&(!i}>o`TylOW5y=5M0zo~EHOUGF#G_vcm${*7^KRr`D|Lk)FHeE|gr$9^g zF~Wf=!2vyX^k`qLJQbZ1S`g3y`|e$5IE2Fw`;dp)1`%QXbX=b5+l0d`ri>|Y>!}~G`0XrbHGVQ>uJH^|$y{9ZI>EdxPbOEf- zl_nu4Vqd?o3Rf#+^JU%vqXxfS@=YPZ^;7ObI8tb;lo&SW9;!#jhB1BI=WRi7f(C)4 zG7d(2RZ{Z579wf7O@k9DUW=cz`OJBED!Ug)v;1=S&BcG<{5S>gQizKh?-J5Zhx1xZ z$Gfn(poq|cUa4`@Ms?J1l+ZBJh16Dh`+#LuF1yNZe&7`wdG+XE)P65qWnxqIdRO7G z&W<_4U$4I6WxFpFp-R2k3%0De{h@2i2mo+>9hAiTOe4VIP9}qG z?N z*dxxlIwr+gA?gZSAO|Or<(gb`;6&65j~K*SWnr*b6A;3JgR%#Irmz}pW^s_VP2qUp ze3R{o<0svQt(mshpx$lRO9wke5lHZEfkcJ|=YsXB=^oX=Z8ocq8B#Rc@K9^6ccig< zk8i`Qfn4^wHPnz*;gPmt`vC6?a>|IeVeK#4eUpJ6h`K+<$ik8g>^ki(+7zonbw&pK zNW)koYV;TxUB4XFo#(#wQzg#bL2`ArRlQi^|BeZX@pQ5KRWcqe=IwIV@dT0cZ1SXg z{VD0iwZEX+tsIVDZh%$rg;9-HUdfbMi0Eq;di%m4J^ypB&b?nOW+YzccMXSx*m%)n z_(~C2el1*8MN#vbHy=ta;DU-{xC0yUHl4yDTX( zBffEq@TTJT=weoNuCb)|4;=5GA|tUDakNrvYg*4WV10=c|J!7jS|l1cF}PGr%{E1^ zdp`yuWjzW?$puxf?NfKE)+yrqGAP4Q&bo-s!y7Qt3Ve9<~1bsA>FW&c=kzr5Tyr(9I?mU1^Cqd#sA0Bb)i zE7*~8E4vgzA|P=2UKA&~v|z_K=iA%~yhx`jie9qA7P>p|eFPgAjzr?UE;JBpa8%DmYF! z3Jz&vKtA&7i((IVsO0cLKO@{^OGefeBOTVbPS_&KS;YOzx7tWS;E!oCBJxG9Mp!yg zDyks6MXa^2fM*bgd}tVG1(~jJmcxRSER`#ze^*NrN-L=P8ws7nfYB$H&u%hg2uNb zmNW@Bj6NMBW4}L&tQPV+3mJmD7pyq>SG-0qcDwPbohbMTZj*d2ZoWc?UG;qKD97%~ zcZgrbued}60Zf!0@P&q%Y;RE!69Z~f>OB(hJ|yj8rwmr;Kk>o2UnNBCja!4W6FzhN zU@*2at=2`IF5%OYcH7H0>VpR4g`E5*5`Y|P#?-vf%%#=_rC0vzm6a7tI`LxcHWAv5 zPM%k^ca)mCR9n0GGiF;uM=BlOSB{UG-^8FKi~TcptB(EOaI!?XA$x?rYY%O#2?N3G zkoRiXx)76r_q1f&3}db5#FcIS2}$5)*xPQZ&doV1%t4O``=A6Dw3)3;+1ePclS41< zZqkzZu|Xq=u`R@j(5M&1m2d*($=F1GpTb`gZZ^%82Q_ZbH^~9P-|r#McFtlh|8e9laI+%xmBm~IL|j7J$|P{8u9)PI~s&oyUp&HQ|$~j-|>G7L>vvY z5|8$5t4Vnd@;@b)xNPnX|1%QQv>sSRP=J6+)&8#r=c0}dZpPOC7Io79{+6}0`tJkC z8NM&aZH}fs%(I{Vt?s-Q&#nhZ?+zb{_FsTF#_3T2K#xt+2l`yFffpC*IG8j%7s z@SqAQIa&>J+A>_gkyqFkr+F`lCwA;j5Sw9Andd|ml0kaSGSic(eiM;QGSTEgARt6i zBdy<`^@Ogg+!}?DGx>_`Ly!^a9am|+5nMxUTg8I{o3F;C;Pa74CBoPBgi+Nxuu zd&hACQVJ#;3x&n*IQf$qVfDOnoTdVDOJcVZcjy+1`xr7lv?Mm&R-B;yJac9x>~J9* zL=CTL9lP>)^b8Uum$U&p?cqGm3;n=n7Mm;c6wE8KTCb7Gdr%#Z-T9_Ttx9PwNh9#f zD>gCYPWt|zXIzlJGYQ#*x#@N%?Gtz6t^P^TtOYlHa^!px2kRFzW3E8LFl_xsCN!Wu z0BUK9D-?^iIBEgnFvVc>ZHcEh*+k?9JU2Bq)aof+PvC}Tft`5{hrJ2U6`G6v?p2$O zem}0N>VzkE^8FFjHFlwUYPfqNo%QsfdeR^BUvn~e;jHB`LGT*nOsu4xJwZ$$DE-=A z!laNc>`mar%6U6vQ#zfDzl_ua1s@%FL*`*bsBj{J&WJrtVH}fMIOPd*fkX$|ttgWt zSEqCn(C;;DekV9|Pd0)m^pA!}* zL%9YcL5HfUnu<}14Ex0&{wM{Ajh2}&?C|pvHu!mXb^|zxF=!))U zNaU4P2VD>QB;h;Ms?0(oAxWdx@+cFs4n3{j5tqbe$yYs2-(v}bsoh+~{-(hz1cG@2 z+gv(XB)kuCF^-sn$P#4di5~`du<;U{)=bCwOPT(Y zPMO0OG#en;!&sgKG)yeqCNHZE+*U3n#N!Fb&2cI#(}?909I<8CedA>|4T;Bll-Uy- zlFn`(#_euYq4#L`((CuTSK9;?cdG?3S6Zd9i>>x3OqCI`#13Z3_FY>o!$X8$j57p$iqwSr0R`7^CDgc4` zQ>(ECb23YcgS1l^3jL2)@?t4erX_QYmvpPc{ge@OWZcz!nbo?lXjWT*xWB_5M%2ul z$&n6sw+I6VT^sWfgp-QrA6HwV@T~?NjHqG4rHcoA#gyu28gtjfA{0iXZ-Y z&d6#V3*B^tS=EM_7|xI@3r4Et!L6t6mAZx9xZCN7!Qp!EF=qtC=!aqAmyQOp>=J6C zZ-QYfRbjtwke&EwNr-~lNsQ?{PQS~|BQM5i!qKrU9VutX1V)8*#X3wg_im1);7XzCP zPMm4hR}A23F~Xca9)Dbe9E0zNo5N!@K|Kx!YxxthLCr;-j^Q>Y@(3{oKCR&aM<8hV z9t(`#s4SidWvAj3B{gF;{@HP?P03noeSG)ba^Wd^)Y>Fmdr--q6d+D}Uq@iUhraUq zS%c*E@>55E0KiA4VdnA_$pq*o56roTMu&NjB+J-W7f%5aVnSQNuP2jmaG;ClWoA>W)395z;1pq*XI)Lf&455pFTvq>NOl=z1gWsL%P zlvatToYt{5O_MFtv{2y3QIO;o)3t;+a+v;yYFVV>7Xk4X`Qp0#gE||^Fb6GJ$Vq3y zzy-FNBa5ea|4mRM+Jn!-;(~88N&jZJkKGK7-R)WkqL&w?$}Q4rYJ>JN^AKjW1SQ*5 z63dG}4fS4DBQ2zlutp12!*D;lVhvtNMZIc`rn8Td@IhPkNrY8g0aTH8n&xpQ^^JB6 z@BFReu6__-dPmVH`_Kb<5m3CeYgP>k`cpy4EI2R|oRNYt8Wg5yRB@JTkFt@X0duFy zP?yh?dfuESo9^5aUlDcwxu=v2&1#4)x7HoaFF0ha2tt(v-w{!1?q%_eD5V&#{Ftlo zRjtu-XmDiBf3c~SOv=LD%a=Q?rv$VA^qPxH1X8sRY^=b;M5KqK3q(1_5pWe$kf*fZ z|Gc?k=(_NBvv?skNtOQpF!xSTwsy<9X4;%-+qP|Mrfu7{XWF)H+s>S6+qN?+|Fia~ zI%~Ds)%ImweQn&082x)=M1OmaCxGQ*JhdHW%M9hG;4`X)RPidz3GBP;+HEDJVPI{x zuyxe{diyNIXPysdGwp~v~bU3cM47CbkpGy%|9~YSJ zhD)uHw)HkcNAtzH&S&HI&nR|?Q0Vp4ap z7cPe59a++e&t@_ zdl{$3t%BD%Lxx43VP(d#-dYQWH>iAdi=p1d%bsS}U~x>8O=`qPfC=Ol1*Ucxm!^i* z8@g`iHgir0S>aw0pR*xno_R0%E-AuP_ZB>^=lkYy6D6M|CMCN|t~){a7MJmTRT!?~ zd|N&|JQcEy4bWORY=DqM<#h1rDqc1T%|ivnWEGPvE2a|*{Lp9+>I&?-z%IH2&oOS{ zp5g8JfWPS^U2|_0Q3(bf>+JYB{NOb+C^HZ+lgvRm4)jDGa3|Aa{@<{=d5#~ zy|&pPRZJ7}WpK5lAXrOLdZ^YhUdfPMtvE^A?A^k96qsxrho&55J)tl=l@?Y%pSDss z28jgVZZ-cF7jm>B1#^XbfW*JHzQfRlsBC)XPf;k1Y zpHP??zTSu+AEZB7{*5obK37OmgSVp?(4OH_R2M?>4Z-qNFiv~;^ewey2g17r`!+ zsh-2F>)E>3L9N!vV9atXhL>{Gq$Rw9?rBqG<5BtN~hyFL-DCA&TVl{Mp>*cl%EHk5C3?Qz_ zf>!%e4(h@C=QWp}0i!lI`$rSm=(PEYip2D!g>q^p6y=t}3{^JkOCx*#vCCrzWJ(>z zPLruUz)Df*_Ts0?T;LP5Hm=U^aPxH2%7#6@rW!dHl9^@o1>BuxmA^^b_cBLm$G$=V zi}AiYn>X|HpLQ9A(pp9hm%u!B`u5nPD&IS{A=-f=8uSQfX?&L}hPDpjV-5fx+JWfT z$U{*rD~9i;)zRyb)rKl1P-{x^Pijfb<&`(W(>koKMd_{hDLD2c!#E4u+8@-25%8q3 zb6Y7$-5CfRm1xUZdS z$HIE(yOa|1AZc>-%k7EkCcxRO3ci_H~M}w>3XCtOzxE1}|IkJJ2HD;I&V9Dr? z=r3pvwLLv}7na-m?i$c>E;dNHXiwcUslFB|mf+CC0joS8A#AK8NVX8>6Qa&jT{+WN zd%pH+9I6Jox6S2HK8-D8ngJ+NCyLmK;8QI1UW*U6Jb6NOz|G4Jcg<;pz2~BI7gHKL zuoZ0X91x~l5Kp&!(B)l&ET==~;jCmyds#!?mCL!? zeDMOAa$8-dYtMf&xQW~te*w(@cJ2*S=UowEWmqP?8aHX(<=+@{CN*Y#oox@jZWB3| zsmUZai$kvlpMHOS> zwN~nZHSvE2wjXbJQY?i|TTn(C4w-|j8+rj5G!T_gvOQ`(4@*>1HsQ@^WS>NeHypw<2R^9yd0R7Vj zY<1TA@CuVL)y8atgsAneCQ$p*`K8{U2~C2tVwQ*{b!ONDd`%>=s72abkFen*bIfgd zjQuqlg>{}TkI>|~k1IT{t)=62Xk6jP0A>}E`u4984(oi?Lm(sknx-ezVeheqPonHg zJkIj-3uya;qMkd2n)PlphGrg7?>de*kHKS~w%5rT)<>~x9MKGTXU?i6G?=OC#o6L^ zQ`{jA^#S{e%+KM6GZ9LBU zcEyO=8hmv#d!_dNBE?Qn#=JYf`zr}Z9Z!B(NcPTDz0SQ`aJ@b{Ausq~vf;?AHGOni zKM>MT-`yEG^&_m`vbSc3wH*mjJ)70!r8zXTiYXMkE$&&vcXF>4`fuo^~I30nzAF z@b9_(F}W7|Y|iP`j~>Vgyy`7($zae}BYdW_O=|aah|6(o)vrR6+Eu1{Skv)c>bDu3ZIsL z_Oa@{x;JoN)_GhY<nAu`ET}QWq(l>Ft>D3?WLcNp8C`QLY{rzCn zf1X@f>efLj*gA<_%wE}0{Fu;lwVDcbW91+G>8!ZoDwsi6Ko@t>+wQ9s76ynD=hFCs zJ@T{+mV!Rxy2UZz`nf8I$Za>uTjQ}ep9=h1l0%O@Sk2)wk>3iVQpxdyGh(S&HLnP{dh|E9`SyeyFk}YRy2je6DFP=H>pky@YV=dL*I*s4qwEK!~^R8CP4K)v2<{wjf7*S)JkZvAMU0ygX{QvcDFsj2KP zU>)BqlfOKm64oacG*AJHKpE_4nEmtBk5`-hHdsPqOK$NXv#WueW{G-;Lz zj^Hk3ZVzDI%-dVTpP~6SoR@S=L=`@a5Waa#+j!rsxK1P~hVsf;u1RO&oO#ZhWvMnc zgq(VXd#)7JY+%|((+Yw5&$*M^AxLYw0hL-3KLZ?7h&epF1KJp= z3u+QjjT+3Sw#_YVeUIyZJQ$wIwUPFJT{%r-0xoO$!I z^%&_wY{Eb`5XAN5;s6|oY!Lc3J;pTy2o$VRw8CmX<`5|? zXnnbGl^ncL|AOiqhVg1&+==XfY9foK*L?&0 zo)Tz(=zzqZE|@3{sGq|8IJKW&&XBPGIJJG7ywGc0)wa?a*v?&>%5$<21CzyMX~^b{ zJFAiJJ{}VdXdrr%42nOrBUnQtG4D*W1)6gzt~Q?TjaA4;w=vi5_f<dX><(2V*#`JLs_*H! zZ53)a;@)AGgAH+bjV$^-fb>rb1(!9yit7!wsyj*IO;61&aUQ#P-Udlwe?9nEfnt)` zOh{VgWSfJNxv3M}g`>G!syHGk=C@wXt(*l#>A6iNBmSI$ya=$M7bZd&SE7QYjf74WSRsgrNDjLKEyN z)W`On`OwFv;YLgS?*SEDFv>7hG%Ya`>Vu1iuNXTicQ{&D(ZzH$DIF}t?h)U)F-e+A zljnblxu^foLeu?$>pFb2Xg!7lt#%_S*HDf3$RXif>Xj_nuOEexa?gY=lIc7S*@`n7 zOFOJ%lHRG`bVbiKSu-r)En$h9?c;FOwq(0?=x;)P4G z1<8TP6nwuN_5$Zpr`G7xCRU93jxU1y^Q~ZOMK8aAEni)zB6u6HV1!xxjcX5AQ@#Y@TR##8Y>W4!(g^u_^t3tkm zH3=-@u6nB&yB>@{fX0cI*VDTt0@p%8Ih?mz4n=IjurzN&U@-U=h^j06K2wT73NH??q-D;U8x84e4Za1Jsr)X848UH&D^7 zxTX8*5#VhWh*vcL9Aoqcfh-`wv1_2d&s|;}mi12i+W@~Rn4QP+2g?Irf%^UD`Po-8 z1N;NQ_f9CvSk8BqK213um-Z|QlVb+Jx0{~{hnC=P=0=9H4TgZ2u#1aB3i#3KS(orM zx0%{)M3DNiGl)89(|RW8EoreH7$Uo6 zVUs@Znj+u)KPxESEG8jDk)~9T?lor+0Gn)2itnOKmDsYQY`HT;S1&_5JQb4-5P)yk zNNI9zTsrOJN|8!N!g+7W)8_-aEg&Fr(iF^&9PCve)0B=_NCDsI()KUNu&6~hTXdOj zPN^(UrPEm!oyohZ>**wGQwGQJFV8|AsaPrno->$x+MlcPHgn&Ov5sZyC&90+BUqta zPi`unFeBge&Khipf5F-?qwpG7vWtn3jg;>LB4?#Gh<0DhW59~l?oNSu;Eu4xmRi#n z%)eq#axxZXd2r#><*Pm~W)~D^TZiuH%QN4K6S+QG7T~sN z2DSVdtkB{8I-WPWFDM-uuP7OV+9zQ;v^>ANpttKh&9dmyt|_&gJdDwJuoo4D@_5Xw zJ^l93nGVCZ3jHO~vN;61Gvg^FLK>+NAg|`X~4(AHoR2C=jf?-nzOx$=V!gB#;RB<+faeAzRga6S_POOr+2C?VOjY-DkLITWbK#5Sh!R zj-K&Stz!s<0#Vy^oLXdod|%YF9SDh@^eA|vGQl=SAVFR*ubNRTPyf}^v0C*G_?}ao z7$917>gWSj)DQTPd2k0@`YYRZbGGrs_v&UsWMIMHhkmD>yRvtx<&tzep_cV;-o;op zzp`_$Uie(O(RX1vQ6z6v=XFf{r|EJFK{y=Pcg!P|294Su8nof_#2uXmkORmzDxeB0 zM{PQ^*qP;J8>u-1V9nvmCdrcw*wpExP*-##C021Btlug z*?VQoPF!5{0EU-F`RkhLTz>iGO>{|B94&` z%vt%Yh7}4Y&YSXPTI=w0Dv%;tW=gP27-^9`!pA$3a5n14Qd?N%<@R4yzK_{=Os=rY zx<~qDIVgtFl4Fy6zzjj>$YJIRk6JIln(46jTT8St^lIs_cmHt-0ES6hHsELB1%F-w z#{c;X@PB}Tt6~J8fEZvzo&#K8=&`g{xWcIV)K5VRr`Y4x5}6~mwp_q?`i!3O==cf; zY{t}UII)R+6KxCh_ghX@E08fN9j5YC4JF{-(HSH_C4(PC`kD@rJSBsHvMFNwMFo93 zKWYckPVg?QcbGZU4`sJ<2}1-Lm50CAM*W)gy$zBlK&>6 zpC%_K$N!UVTouCr_X8^xah1I-qNR`J!Y3u>>;skGQ!GFbi;moRQmfhld3?&rw*G{B zXEB}MC4VgN!h>CJ6`D~f8q=F@irD&71cL1_OwB^h@)xaWr^7V*HztWRN!&jnw13(4 z2LG=R7`c=W1?K(5IJR<=LGLECVb`S~Mr#K+A>t--td+_0&F;)PlhlqRtV85x^AnQEX|_sAz1F zI}?X2lN3Z$f(-_{itD;9pWP{1t%imO#M}e;HzqsuM{cYtiNP8J&r066Mx{2tt9T0l zd9JO19=y)#?7QB~=xkMkIKYDYgZQR!e&MOz_PzZEUm|Nj&ALA^(h2*)|JSMt!d_69AsO9}XE7uOGUK@6avtt04q_OxqC%gXe#PG(7`9cF zk4L25dJRO@%T$Xli`{yPZI$-yFz;_m#3TDXEcmI{-c z4jtW+n+gr+9ZZAj0b^0u+Ai^6uM2;;rk<@b@5^WNHD;0c`=Z46H~P&vJsvg1Je>1` z$6D`ctyywY;e{=fbejO73&!fHZUL)RTrBYsLyC0%t;8=L>X6o8J2%p zcHgiWsaz6B7MB4@h!&WXB|$njy~hD?vU;jER@Ag1WEWMO0A|qC*(I@Qtq?cgfmm)9xZ?wl!Y622zhAyXr?m{478Z_Lge$CAgXT4qG*QN^zbIfRT5RTg zuVW*u#G^10DTS-h^NCb4w*^(BicjE|d7bLKz`d#o8&#v8#E7pDcZh;Kwuj4D?- zc}tdJoyN@oRh?l8MuGA~)(k0Lt}K;vo7DtMq=@afg4o#L2kQJ-_U!k0IpjG98;yAN zcK!a?*Rl+XJL3%@cG`L@oe+*vAyO`kDyEt_qD%a_Mru9FY!f?w>s9s6C8)7!N@y2^ zj^gGg=pnMe*Daiq-Gzngk zirqdlOP~VQtXi>hJn_5{xU{-kVmrJR0*{eclZ=7kScXh@3}TQ&7(*x|cl5cR0|_{s zsnnP7XUhU-J4G)PJDQ0g!`1tp>PsH|u5ZSul*O7I{hq*QcVZBS9u&3QcKgD*L*>cj zYGfCgz*I81t|9ftUg z#SF|GBWrC#{TNFb4YJ{N6WJ8zbMoHlkk>E+$$L zk8~Gv9u|`J%$9ZY{PwUD+m8Iz5_>F3m2zxfb7!tz*%E25j&__GNz`|@WM;IF1Ly`I z#^w#_CCo~IU*?v%J=Q*eCLFT2y1B!W8e=n)cj{K$bc=*%H%N`alr{DS+RPM$#~4B< zWKYICKtZkF?O5HkdT314R9U<0+yqET}{~Ca|D25#}uG!2|9J2GZn`PoTTJ1tsB~68kxURLtO_X^E z?2IncGf_YJT9upGutb|3S~y>9q4l<69m|ZiiMsDa+vAlL=|jI)@=P!Bg~u$d)!zL@ z=50=XiIhQRDmjd+6^+9I`|};{HWcUB{=MqUMu0sP`cd1{k5Bp!SM&dEn#F&p&C%A` z!O&RuM|4gOwpRZ<{~z(`{%f$oPtnn(tZh3_kL-P2)4GP6EMCUq1}Fkkb~ejw?Z>>s zQ8;aFnY9ffB)jY_f#egmcd+3({dx09V5bb(#(sL?_2J_Lv9GFmU{$`> zgc?~C98_|nZddguUGuG4vq*|6(TKjx@&+Fm6ZQ;6<&PB|sF?ZB6bzNpK3YWH9N(Vz z$sH_%p1Ky)podhI3f)l}vm)xrBvLtNe#C$$89f{v4|kM)Ad+}w!t^Sl@G)hmgz0iB zW>$b1AbIl=n|A6$AXw%@Ot)3{Yc2E3QqxvyRY7xdV^Fq${tSYJh>x(g<+B|= zst&ZM+NB1zMVwRi<%Nso*~4MI%rA|%g&HuP_l;=xP2hY#7|qcVO(~qZ8LQgeXm7QN!R3je*M_B<4y5S zOp!WdI#PCMYt&E4^Zuj0vaCw|=g}CQ7^P_$U3i2r_cQqiDwVaRL0GYpHGE%xj5BOZ zT2ZT@OA(aewj~Num|j4SOaAykat?!y_qsjpe>hQ@ze3qf?s^##5)(Zkc8-Cs``O{ zxN76I>V3;)FQR$``2pX5DNo$*?RceJ_6_*&N_D_y62JOU=;cp=^55-l{#~gq#t#2X zqxlhIRjh!;06l`pGw%@D7I9=4Kij4eq9CL{DPV~cos^;G&|GR<=2AA z*0&Piz0DLFrR?8aER z)AJ_Aoj;#&!MGFP^1dL~BWuOa+d_8w}nT)y(N?#8$*Q z30ZYyM?&Hj`wuz@vw>r13p#q-04!;I)=!gwdxHo39vd}mv(Ng+_GT!W^Nr=A*Wem$ z%9E}aK@6A{@w9X}nwUUHE{&DUi_|&G`b8$E)LNeDBY3W{vy56QqqO-LQAVOct_GW_ z%*(Yr%&gk86Hyh++WQ;K7qsa)0H5U$v8^VK?KG%}8LZ>{7?0~?FzrnW=wU31RxcaX zsjSgl-4{q<_93G>LJ_K%ofg|MDJoByHd*=I!WDy(OzYESw2EPELytDmEI`!He66Us zCH*m`1uOb63>ixdelxM8((;WH@vC9-ghUi9Ds7c5aVVzVc&cFTVFL2cAcBpO(tbN* z9hj_;!d??TMH8q$>w@0Xi4}VKdp&zPG+LmZFPY^`gP&dUWUSE zri~Z3oWE3+aE4$VsRd@lQ>iTuSB4Xu!CY~V;OBwYuxdJft^;Y68joqumao>veS+J9hD;kuri0-Wl6lWHEM7EKrddr%piixVY^ah-#XNcJn-nm3;hHGJhb`|fU;{$Jv6ZE2Ur5h~3u{1z$yW=kQ*XT3X>woaHJHI?$SAMuR zuXg{_O8b8+<6qBztOe~&$Bkx0-(_8YdlL_b_yC^31_>wdi5RzoF7cA%ymv z%-r!L0;{Sq?=7xqx*+_12d74C)|n|M;(B!}F?gtvpr4=;6Ms;ieXUt;R9Q59?7H{kFL{&c@IJy8gs_ zYRKz>g0-(}QfGI&%T8&}^mu9P=2)FMh`GRqCDI9$Q;)6o3~oTK``>W1 z0ns{?V0fqeh00)VpOTucu%)6@el*q&z4H!o z1pNRN?-%m5ns0RgK=l;6 zkjpnU+z!Zk60reQg?Tinq-bG{hUKzN>4;`D>b%MfgH8f30e3LxcE<`V*kH+VXC-Um z(TwfeNgLVtPE$5X3yn@OV;(}&4J6R38!xAqa7~4&*R;z5$N~lQE&H{&27IegT4Kl(PhW{GaRZ7wUxj&m9(Z5O zdV3Mx(V8kaH;3#c*-xjfYk!11KD)OUs8V*B07#l2%1YwRW3ZcNwT?!kniB2TN6Gfb z5<#i371CS`*oqx8(g~Fj4nb~E(j2UMje6gUhxgj77ZX{}*Q1JPx*q0=0Aqjrq*ybTa$LeoEqZ}eNM6&89o*^VASRe& znLT%`#Pp*1al@E+LR&PGZHivhgw~4pX=>BaYhA%v{7BLF8vT+6?1+42O+X7!`lf!X zRPJ)?4J}82TR{wDvZ)1Yrr(v=OGJRXH&PQA+^g2vCaM&cnE=`h*GmYMP2}6ok;vF(JcB-yMQUTf?|)Q(MOHz;lgWiqwFtd__z3E|jKPTz8JsQeHZ?-%+*~sdY;5 z-JpE)S?QLg*^ql-jB-Be>TeWDT_@*!ckJ2G6i!h4H8~z9k9I`BbOmHlb1y0BH^J5# zH6v5F+q8WH>#!t8$h6}m?x+(3%W8Z)pY2;K1?u_sYh9-Lta zk0v!@4Drhqxz}LmnWwJ8Y8JlwFT(cBV6h=d6O*uv?+P}6=Lw5|zU|sZz;w*0#Ri=A z32XFym2fLo4Y7dtnD~5vg|t+J&n&gPq%YEx4$z_-mDAH#eZ1>j8%0^+EVt79gZV0k zvq2Ym6N@HDhmr5BrW=)m3kCfKAqq*ed5YmHWE*^v- zv`G!wc0gJHBxMkjiw<_W!Gs*Qb|Wr$H0tphl@^;2^A~JOp<=BglST8ako6Xbrzi|+OU zqt^%y5ZYVs;WAS`n>HsQSQxcAE~{?ewSF7r?!C(hElO`#|1foR{$A}V$kwFX{Ny7s zEp##vw1kxnn}HUrMvdU^DA&JmqN9uzf#uOzTofa&* z?fLh9G2sBU5%nRT-^vkr2j0H4(8Gkja=|M3doOSprV3XQy@(FGXKtUlOnMwKv%Ura z=|0l$wWUSK@=9R2;DgA*iIM1g=BjE!9ToyKiW z{LAY)?tYID0?=RkS0Hdr>(Me1&a@9Zuw~UWOKx-iJr>7Qp{Xkl=Y<^u0Z=1|xZ{rj zwhRj7AxgYo(#wsWK6tI=K#N9Gq=;GEggYW}vwL=2Q;lGaw*A9$wSHEJo6Hf_be;J9 z-9WIUiCZ!#&iC$yWljQa?pn>fz*ONmtA-i7^Q2MdV~j<%ehBmf8`@%f@4EFo}LjyS=)G43EtR8{&%SA-j*Yxs?Bn+xkw= z--Bl=gK?_yoX%Q^1S4|7M74mCSPi9V0JKy?^Na7LZrlnT4LCv7+GdqrPgt)(4gpK2 z%q1c0Z4{G~;+RczHgL<&(Ga+j;Zt0!&qu}PY%X9}v1h9`aHV&w8`|_szdq7g0LUKX zJ`9#$JGM4Z1D6JEE?{#&8YY^2XM|5$Ar{#THzZ$2Mg*aT6yd^f2LBY`Hz>IM>~O&e zp@NzylzdUbHjy{Vtv!+M6z{<0R-xwX+@)?1Nv^Lg6=1%3Dl?ET7| zNUCaX#ispbujsRRQnM0L{LZ}0lESqS>LvRMTk;X%0Fqs;( zr6y{t$Y`sm{Fjc>z$@ZViSuYd3*cbV0~}xW zj8Psty{>pXp$o_nzkR5~E=?0}Emiu^e^oK3-S;Q9lEHE7<9z;=|b_2WHisRtbWZ}3m9VmykCT?Ea4lvTV9^hww<@%~C zI&5-C0zi3|(i&^gx;Va$k|GJR;XTN$k(G4j-3cTO#@^P+40w7SY=kR)vW1loizeWT zEeHfvhM_U-F@^YRoS}j?rZZBDnt+D<>iz1FRhIl#N{f8f5F!Wk+l_6GnaH{z{RrE@ z7j^HShx=rXVYLQi@4-B(+XC1eL2Tkn(gR(OR@#;eER@R*7}YWiuC_zARGn6E6@q0M zsm6=gtEEF9^V<6fE|gMsFz0*E*se@}d;H}nDxcGP;7zYtW^PK-X2B<{y6SPsj{K6O zzVst3ZX|Wm7#SE8jZONV zpbntDmS`I+5{R#oSX+$|?*kE`&a&uU2U0J$f($WA&h5#NL$f)_VL_6wW)B-uTQ@TF!3U#WqWX37yrO&s{dT)n?TUVEwll=}DMz41m=7w;`l#4yDEVh^*UPl&zMC zW`T7`Bp5sEh&=IFgvyWlh?n;tr?JH1$Usx_Eh`0lN8 zbM&{bR(P<1!fc}9#MNSQsLjytgHE57jD2UsXaK>PpvE;mjRN9qa+ORcZRj)`31I4| zCkGJ4s=IDLT>87zh*y={>@YV-pKW+ffpF(6suV?P%_?l({JZ@^Oe!ZRexF8f-{T8C zdvK9W?=3d@+$XAl#HU(N;RgB;ZW(T?hO;YNnhRrly|m$F@oO5KTBReSuPcxWMnk`L zflq37hB%j$#V39R`|*Q{bYA+Z-c_~C$9eO|F$PO217<-Gfn(6?ipmeHts}`i%$AFU z{zeOpNW&h;M+`;#L)jl%e;S|Bd>PN=$SQpn=UZPLG+P0LNc1L<=5>-l4}+`!9WZ;4 zmCVRvn_^^w4nQ~Hjc@d~0m>~rUUo(uS08K5K|5yFTz7)^4?9D9O_^$cMYPriqrRG{ zA{0RoyD~#Ih1$5_v^1@9&}=vfl`=<@7Ir);L}TxWmW&PVzdRWiv?BLQ6!%rRYogsr z5$P()`iN9(Uint;qWR9B-=kEes~8Wssb4Q!XVr|lHgWuT&KFVUCs!$(SAE)!>g)1; zU>mQ{beA2vq`_5z^p0Jin6zWcchQ$?IE*hHd|%lIhni}5N?KwGool2b9R(~>BE?t- zQs*YJ&F_*}W%T;!eo1Myk6(bgq`n=Yo_QRD#bq&DOMiu7DI=+4e1Fx-7p-J;Q4pfR zm0Y8XP_-Hk47Hx=b~BNo8*U%JQQB@#2?}AkdQ3XQXJtLh@%}*l8`R_O4dkjjuE|dm zqHUwnQiB_7U1KP>u@losFY)UBY>m5LZUY0Ur@L5m!EVz+`Cv|MyTl<*uN3iedgq)iz}TdZmH*rOGnT5(Gu1c6DQW2fGO# zpE#-ME_BAF%yn>;FtVcV&CYSzJf*W6M2ymohNQos8=rppR+8_fS=nMdfc4Q$3}TM` zXU7)6$@gs_0M$)41F-^eE^3n7t-rQdKu1SrY-&mhD3E1yd8`(MGB~)X?;4+1uWNnT zZCBwnp*0J5X>qnhB zu8$H_j9!WBQAkC0wW}d=gf#0Y&4GaIC*xn7^`9G`ybe2Iwu7NFN*@UEojuP$3G?Mk zhccQc^(h&sYqK!xW*hL{xEzC*L^yA2gom4N(B91LD5`9qGwM`vS`YdxcLK*xh@1~S z4CmH{U+>RZ0kw=vWi{h>6feSOTd$J|+eunTQeXyDK3p zMQ4LiM2XHY?;gS@vPSHJju*5^Xq8d&9m!E4<8r*8%J^(I7-@Y`zMAE}PpJ2|1Vjl0 z2*Uh+88>qJ2*=c^za z7cnZY&>OYhA+;<%AkT z9KC1-C;9vIp8gdov0;do1{WV9Yf(ct}k^^N^IYK7)NZ*Fcca;X- zEh8~2IvzU z?JB=kL$0XKb~G4@Kjf4-GD)-;h5%&U>nk$lvQI624<0(!Bae3hV*}o=r$M?!9a1+s z;Js6?V^$38Ur*qfAJh{e(-FS+qIqg7-WT^D5cLhimi0H)tcn##9w9l)({J=$3`GmD zM3#4oS>;~Tq;wrZn{x)E=}Pxq+Oij%5JSD*TKZbKiA8(9S9r%0s@6X<*R=z`A>`%v zmiQ)|Gd@$}_NO*E@%GH?)u@*u zhxUZFYa1tpZ{4~R;3N66y#`QoF8TOf)K%U!xNV5JWOVB-?0RXo(H_yk|B0B#xi0RnjgL1ZSdlF}Ndydh%)O(F!l>zoF`x!?qXxqf^ z#j#msT&SmCAV2-sg%@wxw((>NOVkvMPddFfR~!>ky+pXkQ55+|u(@Sz=RU9QX})*z zDVojJenk$DS|}2hbRHes7FnSi!mt6`EQQezQSG$#+KI$4UR7gD8Cl=s9Th2;|UL27~?vM z16LQBV0#&9k>c2-Hv4pcp&xt0IY?Mcj}vY;lvld6q0lkvnyc}U^&`fJr~{9_!_pz= zhoG6EPy<4KKEt^eaH)lt6oS2~GcLi#_NiXTN-QFlNUEC`X>*5-WGT1?hioRw5c$bJ zB_80+G??hH(z{L&ZPEu*yEiT}i{2ZDq3xNcu}wcf9CoVmr7xN!AI!!j%HqK8O@X*_ zp3ZUm8DVmRN2Q?Da)DBS7*h|3JmpL3tRLjD$eE{}0<*puC&=g}KgbE$bOio8LfUa) zEjyp-cl>IEcjhAZ*lfVge)ZO^oTFt0aPmgXC0cY?Cufn!C;~RGN?)vLF;XyTJ}56~ zW%utUwBo-5B5D_Xd=LX;$Z%mJQj)7@iS{xcUp>+g+ z;W_4?`etxrE=aK|1dj%_Ljj7O8ulJisgd;@Pr+uWzG^BKk zuQ-fCU@=#i6>~STQ;Wqsf;6!EE?NUonbh6g(Q%vp#*lNxfP3?r*a?(T5v+lz-ZHvw zEF<^9PO>p>6;|XKv66vTIoL-kVxW%TZLDOFb&B{m*PNYpKFlN_4V|5L#aDSFRxA zVjH5YY*H%gjN_(~7P)UTNBF!AZ9d9kRm5y&CB1Y4*3litxW^(j7tyHc?^2AG@LztN zH+52FqtgVN=m;I6lw#u%fn}_L(j7dS;O5 zS*x7Ii9aXaUU~eOMB-xO%Ay66HmRDu4+kv0a%;lCAa!+$D9hsQTA`69)`LeC!O^M9 zJGV%73&ukagkZ%ZAQO%FY`KF|XBQWU500)eQdLYWB-s>nb)_;n&|PX}XwFI5o5zQr ztE_z@6RY#rDLq_)D(m%X#7Sy?cyZ40<0frW-E+v)Rx!}2P-qg_bmUjV_X|1Y9n$dE1o48kH zxEp8hzmGSO%n4IM1ZQo6#i$lMb*Jez7Y;+a9A%%x&U0wDv<>&Z2eQ>kzRwc7Ig4s! zPrtjB2$Q#OrFjLfTS8l4DfxPV+WLaouF{ZqL?J9N&)M}%^3>g9)+2N`BUY~{l#J!5 zo`ygA5jw66=CC;7-YQ({2kOtoE6gnuz*#utPc3(`rJT-$Y=r0UFnq`~;!^D*-fE35 zB-_1U(3QdS&cJTDp^W0x>CA;~puJuLu@J_z)In|Qlsn$Fn6YGk5$%ow&5?1bSGz76 zW*O}ug02i+-YZX?`f2ilPr54<=X=<{090(L61kOJgl5&2!;cvs&52FbWB==-*+?_TFO4@elMo`P_$TV`t7KNz1me8Hn=R2 zNI2^&@?VP1I^lwcn*u=p7iI4pCE5063#V0Lf zZ%GoSSiIyA<(w^&mn0k#2(>@01n-gv7TR_c11M}&om|6LZ@G$SW`P+N*ny8jOVU+o zXqhwMezm!Z2&1OjqcF#gWvf)de?Bey!4aZN1p{Rdm#E<*tD!X>spY&bfdxj(QZCs>bM+!T zKg>KVSUAdS56%^40}aPBxC!#~&7UrBV;_+9k%NCsAm>pwcHihK#n9nuqnNgXx_iRkDImc6Nx8TtyVX`vwO{Wh_~vGbsQ=flcku!$#a|&;RHY>b4WuvarDK1 z{%(hKl;1yo^3UZy2?FclbF*ad`$p`R(pF5*hHq{#u`;i{{4%EuJ|LIBql3r~;$^AN z_x{blO&;{Q-F_({%f_nQTqjPi1hV^DC{yqB)!%+NmF!3S?Y0yvCfOs4XBKawSv#IAhFPq#xjSZQIQD|0?Yh{@Bp~)xnYOO-JLB z9sJ@x8EAUq*!3@dV{JYXY;GBPNt45qqrhmVqm8%A99+X=mjF@<7R>sAx)&F0xY{Qf z)+cFN^qHGC+uQo0mZF82z1pxU&*ypll|y0YlFz}F(%hBwgwUhU!Sze zY2eq5S=ud9U-x5ugEA~1X{G!`PrFvs&DJqUdaY87;f))ZWW_q)Mb?Xf`kMgcwVH@; z&M^^`R`;99@$L4B`NWG)kbr_Pz>o`C8w+hMW6NSaf0A!1WAav-dQaX}@?U8! zaoFU+;#+Cu_YqkQjE(6okkdPZGA*>BmSd$iTC+lcOE(pm?e$2>Ryr8^X|&g) zT#EHI(8I;`Tg?|oV^OJ!fF#a7?=ziAY!I}jMv|77ezW^6X= zeJrdNHI`EmuWVXucXTXRNoWtL4aA_-2nG5HlF3H4L|eHqxeS5HZQ(T|+#85rU4z>! zkx`={lE!a4y+7lPMB+c#9Bx^ z?s}J(hSN<{FrmHAaa-pZINMgticjZNzfR4i=L_vs0Uq(Ltr|MKTciuDu;lCTm|vv7 z9$SKfC|s1p$V?{r_1@|)w$vBy+uPgtel2{$u^@}xOmE~+3Rr?3?HKK8hZhGOeg5|D z1};C4vx>7S*Iq@UFXUNnJ4Yq~Z)At2NEwi2(bBVBA@aQNM|5nVv~vHw30XOs)l$}0 z%O*~#64?Oi1p3UT0veFTm?|%w@q2;ZPF&2wkYoaDbzv1H=B-H5fA$+DHD&99t+rm% z9-R!oY+}Lt7Iuxg{s1PzrF1Lwl6V{ZFV$j`R<8SEkV!$1bxWioEnfx0SOSl^xEu=- z6}Gse-^VM+LFEuPxkidk^B9&MMnW<`hoCbR=v$4kEsW=>DvvL`2xpRV4@&I}lBAF;K~<6Yyf-%M(&GP&>_69*5k`n^>` zb-dYWTole%W#0gVVd5{drD5q>u)Z7S%*zT{8VfrRQ^!&H%{%xM+l7HFN_Ovu%J-|B zzG3%~YjQT)AIZBJeOynnSN-r-{hs4-E&-Q+qJTYfXGK?SMm&r9N@g21^Le|E0v6a7 zoZx5sVTyR(Cw;cxB$|}KSZrmyicQEi_z|O`CQ0Va+dB}Vjm?y6dA{=ng(xZ3YkVmt zTtz$-Ss4Y|nhULy3qpT_MPDL*wQYmj%$ZDp8eoh>36q1!%N$3vQnhz_Pv+DYc{jty z=oK>7vObILqh>X~5imI7coN^qG6(`6bo8hjbnd*kSRX{cNrk7+WLGVFW={oduqmbJ zkSG#9h2=l@*E<*dF;N4vVMee;YyP-5;8eHX^GwXTq~7RF!81DOCcQ|WZ!RE74<=#v zirvLkc(vK3nQ%ytXT5R>=2LcT2gS-FihOvhEiN!zATXcdASl}wGd%ad$ZSi(;s3B! zcUW~U=ZpDy75!WPImD)>?&WRkAiOQHR!m1By79Q?)_pCyyRcj{dv6RKKFAZ%Lz57y zewgFudrCcIJ~*BhiBbir4PLL6;Yu@!3`Oh?)KsmffnW`Lz=aqnJig7#?Q(|MHVbpW z+BLblD{A%hP-ucor~nc$Jhkui{bnG3kFUV-GL)COekeVbsL4fFxfsksHY;R|>eJ*r z-wMa<=*krlzs@xI^Q4Wf3TH3;ndwCH5L(=n=smsZ57%{1nOJbXRrQOC!0C-Lcm4)O z_*lYK{nTbwp7ULFwkF4Bf>cDv>c=S!TWxcoS2Sw}oLY|2r}H&!Wo_!r3(OzeRbU$? zbw5|;e~m2IN&uwN)60$a+aZ-L{Shmq13L4ky-6ZYe{Xs3Gixk-8_s4wR}feSx-89u zGWZjgd`mpopr5@YwAV!)o^y7VM{>?techml%jB$^7-g#M3k$u>@ctBZUp4mX6Elr) zCX+OY0HfOu7uT*+{FrebEq}xnr-!^xR4jSdG;|1M=o>_IUe4z-f5?6KI$~(ik@g~u zdx83-N8l|ITpfr!hGPB;Wjn*Du5yIN@$ry^=i}t^*0=+7K;X;i$3AdM|MO;7^THKh41~mztAQ5F$-8oka);6C)7!Gva zSi|2$M+m{$B61@oM|54FRjVwNZTIqlpJaP)rp1$Z~{6&ns zaXwrk3Q_RX)VWYaJ2&tmXZZ?6=_VA}-S%~n^5@D6fsEV9Lkw9@_o(OtU?WY_U;k2V z1chqgLDcFf&HIM$Vp`d%QXQwpQmc1QQ^3_SN9-iq&}?R zq(m26!unwP8iX={umcO9a@%|K_2xnlWOBSgXWiIv^Fo%eSg)}Xt1 zd|<5>59uOx=Ew)Iswna!ovGd8Kd}aTR&aN9K}h@lGbEKv5oAweW(@=^W>z6!9U?7V z@3-gCI|%k)eYg;Y!ZNa#JQffR(L}DK62_Qh$hW%AD*5_3$wX*o3MCS`PM!kxUOfKp z{g)VguKw9=0^)S-gNmyle99KEnry&2Jb6t{;nI!l(E_V*1d$EN#0heCG6bBb7*lTk zMC-{h@;vX96l#J8#szrGWk^xI%FNCoxGH)WqOtUePj*K*b1imBqlpF%O01czL^gO? z@fu(b5P^a73jFJV(poQ1R{dlO6Gn3(Or^^3nAceA7uXu>c8WOdIFsA<4Skg> z+Z`6(N?12dLrX`gV(ll@A{)Q{B%!8)5gb;jtZwV?F8g$CiM0c@oVl5#2*+Vra!L*n zjC;YDhQlx%T0P8ciiGlkZY@acVeY33MX-cD)pUdMTl-hI1GNz~v)^`lSKav13EGw} zp9?UItZDn}wo$D3bxS{0!(Q9>-^M3YNS|qF`17=0i<9Y+JS*I;p}qb(ga-SpXJvqW zL;ZVFdM-kT&N(2FKMWiQNcDe|l>Yxvee=`U#@X8OuNoX>S-_eE)WNC2Jr0Hp9ifc$ z7ML>)$ku>zB|TV>+G<>cug0Q&yhXaGNl9&B2$j&MO>@|8Rj@){NbjANN0&!T58~1D zpCi{;Zao^ElJpBP=v%VBY||uhHfEvWUa8hJVHhX?_4zsV0a(eK#qwd*g^r|1w@Lb3 z?ifSVYQ!_}d`uYWmm2nc^Gpb@u&Lz(jFb|Ue{B_%4)V^?AX_+5DjUt@`U>0EYW1}l zcK7#`UTaa`v(~ipQ>z*Ji9O_~V9qvD;D~*@E|D8TrBv&SkKMyZs=&lk5{>roV-eJY zD!wU?LGLaZ;qa@n>|rHl?~hs$RWK_T`i;s~$u?%bUN7T&tfdWBBwuUcu7O4ePlwwOoCFJad(+~|HR=_#zl3iGasEH8FIzj~f2*JTd*MSYlO>>VB-r&UJP=MY=VqNu zn6VHI2S&14F^D+Z8ePLw&H?A^E$d>apdc7wmiX*`!&CkU8*8kRVcD8i^=TANl|zd- zNnyU0t{e)sKB$sS#y_0W+2)sX!@klACnPAE9~0p>Ci%jrRh)ZZM>FqexLTnV{?4p% zs&nLGVP4T1A3dBRL{{V!N+Cg7DVu_z-;R83znuBC<%|nTz zxA&k>o=)nd-cUdn+CcNy1UHZzZM}P>zR@w6W%m~+9^oV5g+4923mRcjyxlkT z%fl4mD594b2af%Yk*V5()oR*156pw;{@%NED@}Y3$&Y(;4*9{{YkG6`XbB;&Q1lhL z*6-v#n?hNbsRXlho#a>X(k(Q3CHCBQn;x;=N%1eF1PZ)S2^G*lKv(KOKw|&nnK1r$ zA~MIH|1m*-{gtNuWxLjd^0na$zVoi-CZlIo zfm%TIQg~z_^h+WnaqOsKuVXBE0Cm;?0arM2UKlB|472@|5aMCi4sZk+tRzOL3{s=X z{<2!}i(yQMam8~EJ^D^BM z)iiRwVt=Bijtm3PQ!xidEHLE6xQ-TOJvqj_cRphi)B{e9oJEQ|V1G+aJa**Rf|dt} zwCib75{FD91&Lj-<{#8JGzf=;MB-XvYI=R20uqT#&15@& zfJe}wdNXsRX7!@vO9v1GKzU5qQj3*m;70_r?lL&!#ACo911evCLOg;l>b#Qb-lET( zWv6Q3OC}A{_SY~&hHyqbZ^=xIA|qLjW0UY0CQ=cdrR_)mF@Mhpcq?50ZVKY6FDKV~ z6&?K(`OU8ctdqGP)TMV(^X zh3WqGgI$$1O9%lrxi^$Z3uWtwNv-R960N3OrApC~my+q~{Fp^gHY;q0UC~i`Dq-*X zf>=bVzz>H~WG)cD33N3wrwK?W+45>CQ`Nw>lXQoNp>MExlLoGT%tZA6G$Y-4Y`+RO zJWUT?QL=V@b@%x+a1qosg(WvAB1GZmpibQJ@2F$$oReG1#!a&3MZ3Cw&fz!|5kYk) zLv&88Gr>>{Yb%*c5evw##V4j1HWI_a0~rP#liBX&`hf;g*a`l9(dw4j&dgSa|MkxW8T)}?CuT)2JrdSb;5vlxmg?8rrQXWkyg2jo0wA^v2 zs`N&jiWTfmoq9zDLlKE^CY{PCQ=){hK4~ao|afWO&lVP3qr(hC( ztZ+o2eE~89v!&Hj*0H3>Vk2BgB{BnwsOcc!(*ad!P*HJiWbVI$B}#v%|LhBBq0c3- zKQf|Uaro>i$&?sGAbSEsNdQW{6<6Arj8|S(v->?}a8~>@C6+=qF`5K_BVn@`pk8ZW z^Me?`AlQja%y>sry@67FZ;ae6@|Iv<}6t@_WcMr8#yt#@60mM%OhryP4 z@)ja^M6IzjF+p~mtO9G0u>rOURk6(Tig)@+T$0b4#@$mCS5zjpOMDrPj|!(++pw$t z=)4&yIwM_*q~) zS;^H5A}Iqxzr4R^$!Om+lCIGWjn5(B=AITvt~r!6m3*6Z1BhRWw=7TsyU_A18y-&G zwnlXs7O4c9%9_x*Es3@3Si}aY4FdV}>{rP=X{v#T4$E%*F{5#83KRY%T*tXyW^jJ= zIxELwJmvH;BinqzReAi~UVV)@cL?_ZORH7MiBOCK|Kp(N!7rm2a$F_#o=x3khREUZ ze0y8R`O2A3fLrO=t^6t*LlJK^QR?DH`>I?g0wQ#Y@?y!5sq}M;zC12EbE8_KyHDLo z@D-MCxh_t-RLcZS(R`sE>UeLC*k0YdVdE}Detwm04&s`tG+gUft!A(Gm6`=C)>au? z)ss?ehGQiB+qVdiowg3wI?tB|{`yjysvf7eL3dE5D9I-eC!GLJnj!+=-c}mTyEs7w z>^}M%iNi?)#6R~rvWS1Y$N+ce`ya#k!uY>&Ju~u$xjg>5oiCE0TA#Utj0{-kf>?Rm zz@Xo63m_u29Q1Jb!L6*^y!85qx^?a$c4Aqnt&k;$50?`#9Nz>GFg$Bs2jDZfmjtaq z>1`Ez!&JLsMS1M!i}PpU-Re8|BKq8Ki~sN2+rTGTOwxhZ&W|zB&V7CAEKkqHz%sp! z?(^9_uIyh&3*i~IKy$#5hA|)~>*!rC8Z>gp@PfEz)tGaW<$;GL#ut)RLBq_ORj-5H}tnGYQBSGZ3ADmhix3 zozbeBAUL}-Oh6oUEO9e_a#)7mo!S4{6?#3gh=KKgS|hiu{ouWD&^gCnJEYrO){%QY z!MFCgIJUYgZ|}Fx_gIm`WPrl4dc(qnML&8EDKGu)+&JrYVOEGMY4eHzted?O(LC}| z;Im#fyBNyhkU9OQmuLE>j&@*N0xH3O#%|D*@JoinHY{hL)FJ7U1=b zApX~yNq-MG{KvtM;qQmQ%Kwjv6X4$M2bTEdWom08*#nWtuH{Htwp`{i!g+{B7syJ` zx3?!$qMg`Yod?RxU)u$YYCe$w`QJ26&6_?Wud*tk5&_9mUq)r?x6ulIx`>S^mh2Da$>W4YS za|9~doXC^Q@E9F6P&WYR!2%^(PnAuzv zAnPAacrDhAy24hd+#Mw-%=>N7LLRN7-39pt+`tG|A^d)5nA}%Odn?f>&aVv-*ai$;h zaSj1;6)BkJ$%E!fy}FGG}>#`~MLDUO}hSz+jKhjL0r$3M9%G}=orF?^9X5kyHXVOM{0 z_bm^YPAXu_I!Lom8*yW6OK9_0k-6Qr)B_Q zpC1bc>!j{{e=JPGLSGXS&t6kR=!@2F7u{;`8Es10;0-NY)6I#bQSOv51cU6R0 zUB|m3P;8j#^l5wAgV6@-De_B$GO zM!RhcF*9u5rEKtEf7q=_QZU>V zedK%>kG~bBDcx!FTsG%!+|2L6oudw(JHU)vIh3ai`&yFRy)9!n3wXg(6u=dS(ThV& zs@rS1sadlk|f!0jc*-oBKBs%)1#nPbxIqk zXRuqQa$Ea`iEXW%$hB`6-8esf|NAbTyo-pn3!ucAmIngT_#b=i|F;<3zdG`GmbPo0 zx9z^*u|74OzY`nOw=uff1b(lb(Y?aVt%r*KCq`tp>9arb1p!)igyXh&3S7#&I3bp|I~y>* zfFgDS|FO7&e6oDph8;p(WQ>9y>`{MUc)K{{jEMSY997L9zvE$LS%7p^dZwp!Gy6~{ zKiVPLf8otBV)w!Nh7$#tIbDIyo4Nk%^<#L zN6Qwd`+uUZtjiu3u3wyZ1#NS4a;}(TXXQ}5Ma3ZQ4~9h%fVYtmv)8q;%7nOuw_yOHlgQ@udZ^1i}{z$nUT;#71WX}=noe}83UXRDsU z9i%O|yFdZp}=g%ii2B8#F% z*Bk2WiOFkPm3fq`Z$?r&EP?b% zu=0EGr5CBGuBa2xkrV~=1BKVoT5!QJCny%7eki%A>KY^&`n$6QP07u|>Cbprj;CXx zjj;`Gm#tbF4xpYuMrU_cAzf1iKu!jQhy=<_x+i8ccL+}V)E0#tCpgH_vsA!G0GLt| zscb}|hdw4EK|LFCc^?OiBlIPtnk*h*DmJkjb?QSD=tQ7~-8=eD!ZZwHdITCBt~Cj? z1JCygf`&{fx4;HQM5zbb~ywhluB|0uK?{-W=e#}<;;Hx zk5`6p0#sSw&YQ!ZD_w7_;7wxdPHio5K{;S->J@JvW6$izI18~A2ahQUd`~Yp7}b(4 z^MJnd_mV90q8X2GExGRqNW^%Oxr{ab@;wQ%ssHnW+9>aYQP4VEL3)(8Oh}d8<6FdSJbSxW$99uc(K=KqCq~)jOuF+SrOWK$vsKteT zXO=x%I5{bqH%bs6V7_1M-%ebWU4WCYY`MVi#1e+!Wx>9FmYvig!D8#j3QeR_!_em| z!`vJ#3!{8U`P>*cvwSx2%8>Y(mjYH55lJd_9O`SQ*O?`e6kV#y21If-5=2+?r!}7m z|9*3t-K(g0a-soSvhg=q`pCR5<(CI%s+{$$E-gMeY7#gnJFh*3>{}8l4Yr6zMzz#P z1QK5QL9V9Bo7Qsv(NtM$W_x9EYu8Nv$%~M!lRET1a^@bdwK3vhvn~GZkHU$*<+Ys7 zp3>ln0e!^u0$!#Bkk(MnO*p(5u}5-cPGL^^h&b`Gse&`?W;kLU!3Nd z%7JO&qHCjJ7#79Nw~gwAdZPy;{qw~9*iWX|dva4wNqdT=6|`N^6*^`IM5yVwxUD3@ ziQdk+cu~AqxS2Th@en8K%9}vLVZuC4cm0SqCU&0316EkJgV$^Q0kbs3QTNxv_-?l8 zo-`Kh@*k->p*-Tdp&!694t!V}Hp9)b8bZmV#AC#JW?e>622lHVG*}cWvy8*bkHD@! z2UpaX9#tZ*I>MP)Eu-ZYp?@N&bC2LS64c{rjLgvI>sJip`ocv#x%6!%TRtA7+2&~P zQQ*D(ne1|@uikK4neK9#FWYdENw6Sn zVKI?;TPMW zmG*|9>G-r*8z)4&fT@(2t|}97W%2UdW2p`Q(ClJqi5&x@?I*3Wg~XQq6I`NI=Yh2t z-Hfo2!zQJqYm+(qMMCd-EaT8#HO8Nn=tF}ov94{{IfLVyXm8Tew-|GO)k$7#sNdH3 zbfdgUgz{w=DKJPrh!qyfCs}c?JY}E~ZnVD3lf07y!6L6iMDI78P0hossT>&HKgE+L z3ZRY2D-0BUt#e7p>Drhf8Cpwu@A{-D+XStS8jj_-xGA`=t!pYb^=kPX?N8b?BH!l0 z6UWNpu#e1nYD+^i;|gCjY2w7b)iO`_&Jk;Z=B9p3C-zY-pY}e2Z)g6tW!dJU>GYM^x;gE2Ytg41dea)WD){lreE7xadp+H9pEplIQ1&KTc@^Dc?J15; z+=JkTZM}@{srC#>?w=`F?I=+8g|PVLBpYptkt&Aq(KFOFcRr`@rG=&|SQcl_acfI| z&eS)jE;_RwymK+Kt0_CJ`Q0~8LVx4ra-XX)_)YJ@kyr0adN9(nXFP-`+0MFd zny_-;#BLc-t6o;jACD|l&+-a<)qU>es_vRMNs*1=UyZ$>lVh&m;%>fKw3E4^+BOG1 zdfMoR!>-_FP=Ilyk)6mlcdH&2aBpc{7<%!%{-=ZWer2ViyWw`+Gk|Z>5kPJI7sak6 zr{mB6^CuS_BRwlUBfXKiqZ6IEjfpLTh^UgVqT~-{NqISX2S=w#Rax6TcBIZbHKdVV z>!vu4bOH?EN4=KSp<@#*qxw!K*pwtO6yz{8iLtP|vo{INxI|9yfIKtj8c7TOtq$x{ zO%pLK9nLPdbGVy>V)X2d&Sq#nPDNDX4i0_Q_k6Btu1TCtR)rO)&hYUyd?UM!%Es6Axi~odg)$sbKe)82 zm*IxQ^<$5CB@@idPMIViifIxTb>z6dB>I4f&*bHw88$*9iN#$8hIMQ9hTmhvK($L@ zK8{=y9VfiPS>8K{rBw+jG!1jv6cs8`d8}&N_DZQ{JkS~5b{qkXE+EwXwZQDy+d4;y% zsr!D-ex06-VhXO%)f;q>jxVl7`TaF0JWrc*6ER(}t!yob2o=H`kJ*lXc;cMbLjqe` z$tPAtC^04H0NjwHw)h#{VcF#Ao>=eP`ql6?snh+D(Phl@0Iu~!j6b9aI=Pqg!|Ob0 zLe*s9cV$QK-TgUuAS~R)(sAX)Y=4Lp7`o@|7J`PTA815ni7`Pmos*BsL)CW}mI1dC z7}~eT&T5GlWZ4j9j7u6t10};-!|2FZi0w3P{3A!W$800t^}}{d;Fesm{O2<&ruL| zqU1YT5eNsccx(rDzb5pzzMRUeNVhdba@bT^f9OIG%q|gn?Lb&1e>9M92mJ*X`tKe+ zw6jB1^yV-lu30vG+j14C=Zy^`4uUuf>K4r8MsKMa`Av%!eCcUfeN{45+d(VCIW?zVB>E@fA&I`%}&iWdDxizA`k0F@fH}1$)GBm zJ)CV4=m*xNI{nNC%TN6HPbph}Z6P^~4QSbb+y)WAHbV2?ZXwpjPWndrPWto~jS-;ygq23tXW@(=A0|EAhwH8I_l-buvLC#9v(^Q{Gz} zPaCG$1vbi3kE22|4n$pJTATu?nvev85a@@b7_jzKCcB_HakfDfya60~1I)Ovx}c~- z>{+)AV}~h78R|Huow8WyA^x4wxzS?^tr#>1XBDSi`rZTH*I%aBC%ZD5H<#MGZ;oMV zGTIvO{0}SrMJVGTBBPE)x0zL5<=7|h9X}XiH9Y;Y)|@zM9Q5`vGQB%+ zjAm4O&y2lVHM*(V(`R!#&IU$wW4)(z`ThhH<)(sxX{^v?ay5yCf2C&Kx=Tr&|KkGT zeqF5EHo_roAg26YE!saJQ|acJxp0%vSoAkXec}UQ6A`PVS6Wj<`$x?_PHs-p6;hRyVbe{N(U5bc?t`f>?%Mx} z>isWpmW1yJ+5q6cE)u}?e}4|CNr;Ndz)nlZPR_zh(@{@NOxG(iF0gDn$WKbsNzsln z)G10xjndMGF+i3o%rMTdu+Ol}?8A&rGt55FF2PgMNllK*)G1O@QOh2{NXj%TQkJkT zO^yQ?RAeX0_jf`5#kd(EcdBE6vJ4*r5D@u)Yn-g8vY?2dvf!kemhBoln$J-+rvO1m zWBfYnpeht4!WaiKAm;z&s==xr)kV!-sh9kVJaaVdS z)M(80oBaqzRg1*gwR?D;qr{Qp&raC^4vK_sJ<9-&6Q1AN94dp8%=s*-xYiF7v&W@O z0Yf;LWfF3QD6ETZ4fpO!Nch#FS;tbOY}tF2!H$iSA^ojR5r_1X&TMeIA?v>J9SNCW z<6==-X7w+R>gk%emmMo^>A%9qnMppC8G1h*7w0^7&Xo_5LPDp>m0UC&IOdDSjt}4O zUIuNCth6004`g6?ZxwidDK01eh_1qSjVh$gcTJdKu+xok%F8hzg27=6Mx(~eau`H> z`rx~GnB!KMEh#C8Tk0k39CR_iU%!TVa^ya+*zEDnx^sZeUnD5-ac*Gne%;%|`+hNb z(=}Whp3vRak~LFO73Jf%R)^I7m{x1b$(uQo1G&=+anFB#XK2;-JINwz%hS0QOml>8 zpdNB*JYiJ1fOT8`gB6F-#m-KE;x#s-2*O2woP3O1Hwg)PRi}t`seQED5fY3KBK|f- z_x$lONzhGvA|fD8gvhZOWmzdioPwGGH>O1%gp$4QbsqF}eH}VK2({@hW^(1y@U?T! zu1cBZW7ySt4uiYdoS{2Jh%72tmI8&j*qp%@2SaCNnrB}fafxk+BVYI-J^jYc(ek!Be$nFAT~R>tQgeqrx4Ff> zIuVKy_Nm_ZcD2o}tm&}{FA7Zt=q@jq@QANO_hE+-U?ryY{zx6#I7&@_Ug4s$WlaEhDm1Sle+pWYoFghj zdd+L^T9J#`hr&p^N(*UH{(Nl-FBsVHLG5Gg`pukFlyCs+grhv;KD44TLB;KV@rSk< z7ue9g!~NrYc!kCy)p4bW<^^qzoHelO)qSIq5%E|$u?Cjmnv%~;a2rZ=?TJN$Ff=M< zIO{4nk7pki*j4YQM_MDu5H<@|g?=snhj66pBHTE;_cu(T7Zf^~6dEsih4(6v19AKl zR`}@hv4-+#g;igJ51UlmpH4lAB{P#JO^6dkk4+nj`5Ck)4y^duZZuX(h9i!7Kzjw6 zlfY1CyqrKD+daHEC!IC3*r0mffN}S)A~_24OXkO2rrZ$hz+$AdYiW9^qgp}M;rgT0;HW|`!m0}EjxO!=b-|*lDmYs24b1G6ET^Xk zc2Z{xWNY=cTJ9CaAz1eYag@l@;~A=(maRZBJ`T2lnq%BmQtC7c1tcYu!(PW)boOP{ z-w0ZjfKnWs8`MZHq9`>Tstdfn!b$2BD*ZA|myYG9wG&13Z%3bApc8e@*JsvTrglZNwx#3c0~ zh5i|P$XQJ!C`%Cg^Tx-tW@q;}HZ-cC06R3H@)-2|3*tISh@hh#C?<>!$mD|7Lv`og7=0{!c?cS5#2delJ{?Us9joFIqxsJ z6!_ucnPvrjy${GB^>yw%GJm4$XtBg&^7c6K%9qdNw%BH2i8KQ1vxHd>cS*O!>$)?pOn2Ja9wr@##=8IMD|ErT2T9ND{}PEcjG= zDa|~G;qLB_lj6vC+R$2&hEQw`I4TUwZSrS8^*@LN07hVS;dNXh7tpauk0tBsd>#&9~To{FD>ApRqg2n`k7$h>c zk#)=038RW8KsRwV5u_aNpnCbKmvgyB_&Rp}r|o&0_DK5D@SG53ufakHHY`jK(@1*k<7_aIg)cTm(65%b<)_V5`S?`cY7(U^SfxqV z3-d%GjLEr{)qW9eKd48gH`;EOn{hZf%q@AUS({cKAt^WiSiC9=_ZG=OjZ6B$URF&Z z@GR$jLOhC1?MB`Cu1fhDB^|iy=4gHA&m{dg-{SUg!#fpklTDbMkGS5f#_WfLy8%*QYd_n3NFZmyA zJ{@VFmdWkIOl4?7Q7C6c2V-8M-hI9AZoETXg~VZ?5_JFpL2VGEkeuw(&Z`mmg>p=l zk5H}Zfx7+^LHTq~+bhdW$_Mk9A=N7Ou_2y6uX`QM@G{3&m|#L-uENLp-o!!m7dl#36ILY2ms1@!n zQdYH*n(3R6w_$cDeZES<-AxEVUbHFrgum2Ix4?+`-A6@nN#X4f*}&^|-JDDz8brvH z45je*SZ#W1bn0{%$f5kJKOTE=v0j9{1iON$j<*}ymVIyf+$|;AsLW53F`T~3aRuYh z@Y{JfM7!5n)mxB|-F`^qjOG$4N0=0s$4Qf4LHuk#Z^ja3<$L0n5xO8ozgu0C>4%J54?-}y9 zOknM6zOnHQgThtMEG#GqP01095A9N8Mlh(|lI-@1=q;qOrW!z2dTDtV;8Z8c6C*JLHv*g20;V;%MFAAN(19d7$A-68{pf2e--%u z_357!Z2pt%;=h8an5WuK0l;)1{>|6=53s+=!u}EL-!yK1n&=xk**drbvhn{F)8a!) zh8=+E35ZY-{5v4vy}+Lt;MM&jrirbCwZ79oV7ZHh!pj1%-T_#6f5R#ObpIc*%#5w< z{sBqdNIO0jfD!@7Jo~#o&XKfzeA}3gdP47%GuG$*7_fy z27rA!Appx06A*OZ_}jR-0)Axw1O-?fPBz94{}I1;WDxXlb}$w(HUWs_89V$#Be4xw zSxW%R>NNi?`|;n~De#{IL}C6XjmXMKI~y1~*cbz}FaM#TbGs?0R>1gL0G1=mzqbN- zFYpHj)Imt5@epMrZT@@z84cGKY)p1HZLxT;hj|0ky z*dRVZg~4M@%~=_;i{~qeos)s7N+YClVTyc|8OAQXfQ?8ymJ(L-AD}`vLA;*%#mbN?@>?#Z8rd*9yk-Ha%9|K0p?uj%0!fgJt?Ct-^mv uJ{IIu90Z$v+enkd9Bc9;YiORm*fiq@*tMmq+$dEl6Y?ID8<5kt=-V%wG`o!e literal 0 HcmV?d00001 diff --git a/testing/docs/test_authoring.md b/testing/docs/test_authoring.md new file mode 100644 index 00000000000..b41286ba66d --- /dev/null +++ b/testing/docs/test_authoring.md @@ -0,0 +1,142 @@ +# Test Authoring + +All partners are _required_ to author additional integration tests when merging their extension into the __Official Private Preview Release__. The information below outlines how to setup and author these additional tests. + +## Requirements + +All partners are required to cover standard CLI scenarios in your extensions testing suite. When adding these tests and preparing to merge your updated extension whl package, your tests along with the other tests in the test suite must pass at 100%. + +Standard CLI scenarios include: + +1. `az k8s-extension create` +2. `az k8s-extension show` +3. `az k8s-extension list` +4. `az k8s-extension update` +5. `az k8s-extension delete` + +In addition to these standard scenarios, if there are any rigorous parameter validation standards, these should also be included in this test suite. + +## Setup + +The setup process for test authoring is the same as setup for generic testing. See [Setup](../README.md#setup) for guidance. + +## Writing Tests + +This section outlines the common flow for creating and running additional extension integration tests for the `k8s-extension` package. + +The suite utilizes the [Pester](https://pester.dev/) framework. For more information on creating generic Pester tests, see the [Create a Pester Test](https://pester.dev/docs/quick-start#creating-a-pester-test) section in the Pester docs. + +### Step 1: Create Test File + +To create an integration test suite for your extension, create an extension test file in the format `.Tests.ps1` and place the file in one of the following directories +| Extension Type | Directory | +| ---------------------- | ----------------------------------- | +| General Availability | .\test\extensions\public | +| Public Preview | .\test\extensions\public | +| Private Preview | .\test\extensions\private-preview | + +For example, to create a test suite file for the Azure Monitor extension, I create the file `AzureMonitor.Tests.ps1` in the `\test\extensions\public` directory because Container Insights extension is in _Public Preview_. + +### Step 2: Setup Global Variables + +All test suite files must have the following structure for importing the environment config and declaring globals + +```powershell +Describe ' Testing' { + BeforeAll { + $extensionType = "" + $extensionName = "" + $extensionAgentName = "" + $extensionAgentNamespace = "" + + . $PSScriptRoot/../../helper/Constants.ps1 + . $PSScriptRoot/../../helper/Helper.ps1 + } +} +``` + +You can declare additional global variables for your tests by adding additional powershell variable to this `BeforeAll` block. + +_Note: Commonly used constants used by all extension test suites are stored in the `Constants.ps1` file_ + +### Step 3: Add Tests + +Adding tests to the test suite can now be performed by adding `It` blocks to the outer `Describe` block. For instance to test create on a extension in the case of AzureMonitor, I write the following test: + +```powershell +Describe 'Azure Monitor Testing' { + BeforeAll { + $extensionType = "microsoft.azuremonitor.containers" + $extensionName = "azuremonitor-containers" + $extensionAgentName = "omsagent" + $extensionAgentNamespace = "kube-system" + + . $PSScriptRoot/../../helper/Constants.ps1 + . $PSScriptRoot/../../helper/Helper.ps1 + } + + It 'Creates the extension and checks that it onboards correctly' { + $output = az k8s-extension create -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters --extension-type $extensionType -n $extensionName + $? | Should -BeTrue + + $output = az k8s-extension show -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters -n $extensionName + $? | Should -BeTrue + + $isAutoUpgradeMinorVersion = ($output | ConvertFrom-Json).autoUpgradeMinorVersion + $isAutoUpgradeMinorVersion.ToString() -eq "True" | Should -BeTrue + + # Loop and retry until the extension installs + $n = 0 + do + { + if (Get-ExtensionStatus $extensionName -eq $SUCCESS_MESSAGE) { + if (Get-PodStatus $extensionAgentName -Namespace $extensionAgentNamespace -eq $POD_RUNNING) { + break + } + } + Start-Sleep -Seconds 10 + $n += 1 + } while ($n -le $MAX_RETRY_ATTEMPTS) + $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS + } +} +``` + +The above test calls `az k8s-extension create` to create the `azuremonitor-containers` extension and retries checking that the extension resource was actually created on the Arc cluster and that the extension status successfully returns `$SUCCESS_MESSAGE` which is equivalent to `Successfully installed the extension`. + +## Tips/Notes + +### Accessing Extension Data + +`.\Test.ps1` assumes that the user has `kubectl` and `az` installed in their environment; therefore, tests are able to access information on the extension at the service and on the arc cluster. For instance, in the above test, we access the `extensionconfig` CRDs on the arc cluster by calling + +```powershell +kubectl get extensionconfigs -A -o json +``` + +If we want to access the extension data on the cluster with a specific `$extensionName`, we run + +```powershell +(kubectl get extensionconfigs -A -o json).items | Where-Object { $_.metadata.name -eq $extensionName } +``` + +Because some of these commands are so common, we provide the following helper commands in the `test\Helper.ps1` file + +| Command | Description | +| ------------------------------------------------------------- | --------------------------------------------------------------------------------------------------------------- | +| Get-ExtensionData | Retrieves the ExtensionConfig CRD in JSON format with `.meatadata.name` matching the `extensionName` | +| Get-ExtensionStatus | Retrieves the `.status.status` from the ExtensionConfig CRD with `.meatadata.name` matching the `extensionName` | +| Get-PodStatus -Namespace | Retrieves the `status.phase` from the first pod on the cluster with `.metadata.name` matching `extensionName` | + +### Stdout for Debugging + +To print out to the Console for debugging while writing your test cases use the `Write-Host` command. If you attempt to use the `Write-Output` command, it will not show because of the way that Pester is invoked + +```powershell +Write-Host "Some example output" +``` + +### Global Constants + +Looking at the above test, we can see that we are accessing the `ENVCONFIG` to retrieve the environment variables from the `settings.json`. All variables in the `settings.json` are accessible from the `ENVCONFIG`. The most useful ones for testing will be `ENVCONFIG.arcClusterName` and `ENVCONFIG.resourceGroup`. + diff --git a/testing/owners.txt b/testing/owners.txt new file mode 100644 index 00000000000..ead6f446410 --- /dev/null +++ b/testing/owners.txt @@ -0,0 +1,2 @@ +joinnis +nanthi \ No newline at end of file diff --git a/testing/pipeline/k8s-custom-pipelines.yml b/testing/pipeline/k8s-custom-pipelines.yml new file mode 100644 index 00000000000..0592b58ec53 --- /dev/null +++ b/testing/pipeline/k8s-custom-pipelines.yml @@ -0,0 +1,204 @@ +trigger: + batch: true + branches: + include: + - k8s-extension/public + - k8s-extension/private +pr: + branches: + include: + - k8s-extension/public + - k8s-extension/private + +stages: +- stage: BuildTestPublishExtension + displayName: "Build, Test, and Publish Extension" + variables: + TEST_PATH: $(Agent.BuildDirectory)/s/testing + CLI_REPO_PATH: $(Agent.BuildDirectory)/s + SUBSCRIPTION_ID: "15c06b1b-01d6-407b-bb21-740b8617dea3" + RESOURCE_GROUP: "K8sPartnerExtensionTest" + BASE_CLUSTER_NAME: "k8s-extension-cluster" + IS_PRIVATE_BRANCH: $[or(eq(variables['Build.SourceBranch'], 'refs/heads/k8s-extension/private'), eq(variables['System.PullRequest.TargetBranch'], 'k8s-extension/private'))] + jobs: + - template: ./templates/run-test.yml + parameters: + jobName: AzureDefender + path: ./test/extensions/public/AzureDefender.Tests.ps1 + - template: ./templates/run-test.yml + parameters: + jobName: AzureMLKubernetes + path: ./test/extensions/public/AzureMLKubernetes.Tests.ps1 + - template: ./templates/run-test.yml + parameters: + jobName: AzureMonitor + path: ./test/extensions/public/AzureMonitor.Tests.ps1 + - template: ./templates/run-test.yml + parameters: + jobName: AzurePolicy + path: ./test/extensions/public/AzurePolicy.Tests.ps1 + - template: ./templates/run-test.yml + parameters: + jobName: Cassandra + path: ./test/extensions/public/Cassandra.Tests.ps1 + - template: ./templates/run-test.yml + parameters: + jobName: OpenServiceMesh + path: ./test/extensions/public/OpenServiceMesh.Tests.ps1 + - job: BuildPublishExtension + pool: + vmImage: 'ubuntu-latest' + displayName: "Build and Publish the Extension Artifact" + variables: + CLI_REPO_PATH: $(Agent.BuildDirectory)/s + workingDirectory: $(CLI_REPO_PATH) + displayName: "Setup and Build Extension with azdev" + steps: + - template: ./templates/build-extension.yml + parameters: + CLI_REPO_PATH: $(CLI_REPO_PATH) + IS_PRIVATE_BRANCH: $(IS_PRIVATE_BRANCH) + - task: PublishBuildArtifacts@1 + inputs: + pathToPublish: $(CLI_REPO_PATH)/dist + +- stage: AzureCLIOfficial + displayName: "Azure Official CLI Code Checks" + dependsOn: [] + jobs: + - job: CheckLicenseHeader + displayName: "Check License" + pool: + vmImage: 'ubuntu-latest' + steps: + - task: UsePythonVersion@0 + displayName: 'Use Python 3.10' + inputs: + versionSpec: 3.10 + - bash: | + set -ev + + # prepare and activate virtualenv + python -m venv env/ + + chmod +x ./env/bin/activate + source ./env/bin/activate + + # clone azure-cli + git clone -q --single-branch -b dev https://github.com/Azure/azure-cli.git ../azure-cli + + pip install --upgrade pip + pip install -q azdev + + azdev setup -c ../azure-cli -r ./ + + azdev --version + az --version + + azdev verify license + + - job: StaticAnalysis + displayName: "Static Analysis" + pool: + vmImage: 'ubuntu-latest' + steps: + - task: UsePythonVersion@0 + displayName: 'Use Python 3.6' + inputs: + versionSpec: 3.6 + - bash: pip install wheel==0.30.0 pylint==1.9.5 flake8==3.5.0 requests + displayName: 'Install wheel, pylint, flake8, requests' + - bash: python scripts/ci/source_code_static_analysis.py + displayName: "Static Analysis" + + - job: IndexVerify + displayName: "Verify Extensions Index" + pool: + vmImage: 'ubuntu-latest' + steps: + - task: UsePythonVersion@0 + displayName: 'Use Python 3.10' + inputs: + versionSpec: 3.10 + - bash: | + #!/usr/bin/env bash + set -ev + pip install wheel==0.30.0 requests packaging + export CI="ADO" + python ./scripts/ci/test_index.py -v + displayName: "Verify Extensions Index" + + - job: SourceTests + displayName: "Integration Tests, Build Tests" + pool: + vmImage: 'ubuntu-latest' + strategy: + matrix: + Python38: + python.version: '3.8' + Python39: + python.version: '3.9' + Python310: + python.version: '3.10' + steps: + - task: UsePythonVersion@0 + displayName: 'Use Python $(python.version)' + inputs: + versionSpec: '$(python.version)' + - bash: pip install wheel==0.30.0 + displayName: 'Install wheel==0.30.0' + - bash: | + set -ev + + # prepare and activate virtualenv + pip install virtualenv + python -m virtualenv venv/ + source ./venv/bin/activate + + # clone azure-cli + git clone --single-branch -b dev https://github.com/Azure/azure-cli.git ../azure-cli + + pip install --upgrade pip + pip install azdev + + azdev --version + + azdev setup -c ../azure-cli -r ./ -e k8s-extension + azdev test k8s-extension + displayName: 'Run integration test and build test' + + - job: LintModifiedExtensions + displayName: "CLI Linter on Modified Extensions" + pool: + vmImage: 'ubuntu-latest' + steps: + - task: UsePythonVersion@0 + displayName: 'Use Python 3.10' + inputs: + versionSpec: 3.10 + - bash: | + set -ev + + # prepare and activate virtualenv + pip install virtualenv + python -m virtualenv venv/ + source ./venv/bin/activate + + # clone azure-cli + git clone --single-branch -b dev https://github.com/Azure/azure-cli.git ../azure-cli + + pip install --upgrade pip + pip install azdev + + azdev --version + + azdev setup -c ../azure-cli -r ./ -e k8s-extension + + # overwrite the default AZURE_EXTENSION_DIR set by ADO + AZURE_EXTENSION_DIR=~/.azure/cliextensions az --version + + AZURE_EXTENSION_DIR=~/.azure/cliextensions azdev linter --include-whl-extensions k8s-extension + displayName: "CLI Linter on Modified Extension" + env: + ADO_PULL_REQUEST_LATEST_COMMIT: $(System.PullRequest.SourceCommitId) + ADO_PULL_REQUEST_TARGET_BRANCH: $(System.PullRequest.TargetBranch) \ No newline at end of file diff --git a/testing/pipeline/templates/build-extension.yml b/testing/pipeline/templates/build-extension.yml new file mode 100644 index 00000000000..cf63db635a6 --- /dev/null +++ b/testing/pipeline/templates/build-extension.yml @@ -0,0 +1,52 @@ +parameters: + CLI_REPO_PATH: "" +steps: +- bash: | + echo "Using the private preview of k8s-extension to build..." + + cp ${{ parameters.CLI_REPO_PATH }}/src/k8s-extension ${{ parameters.CLI_REPO_PATH }}/src/k8s-extension-private -r + mv ${{ parameters.CLI_REPO_PATH }}/src/k8s-extension-private/azext_k8s_extension ${{ parameters.CLI_REPO_PATH }}/src/k8s-extension-private/azext_k8s_extension_private + cp ${{ parameters.CLI_REPO_PATH }}/src/k8s-extension-private/setup_private.py ${{ parameters.CLI_REPO_PATH }}/src/k8s-extension-private/setup.py + cp ${{ parameters.CLI_REPO_PATH }}/src/k8s-extension-private/azext_k8s_extension_private/consts_private.py ${{ parameters.CLI_REPO_PATH }}/src/k8s-extension-private/azext_k8s_extension_private/consts.py + + EXTENSION_NAME="k8s-extension-private" + EXTENSION_FILE_NAME="k8s_extension_private" + + echo "##vso[task.setvariable variable=EXTENSION_NAME]$EXTENSION_NAME" + echo "##vso[task.setvariable variable=EXTENSION_FILE_NAME]$EXTENSION_FILE_NAME" + condition: and(succeeded(), eq(variables['IS_PRIVATE_BRANCH'], 'True')) + displayName: "Copy Files, Set Variables for k8s-extension-private" +- bash: | + echo "Using the public version of k8s-extension to build..." + + EXTENSION_NAME="k8s-extension" + EXTENSION_FILE_NAME="k8s_extension" + + echo "##vso[task.setvariable variable=EXTENSION_NAME]$EXTENSION_NAME" + echo "##vso[task.setvariable variable=EXTENSION_FILE_NAME]$EXTENSION_FILE_NAME" + condition: and(succeeded(), eq(variables['IS_PRIVATE_BRANCH'], 'False')) + displayName: "Copy Files, Set Variables for k8s-extension" +- task: UsePythonVersion@0 + displayName: 'Use Python 3.6' + inputs: + versionSpec: 3.6 +- bash: | + set -ev + echo "Building extension ${EXTENSION_NAME}..." + + # prepare and activate virtualenv + pip install virtualenv + python3 -m venv env/ + source env/bin/activate + + # clone azure-cli + git clone -q --single-branch -b dev https://github.com/Azure/azure-cli.git ../azure-cli + + pip install --upgrade pip + pip install -q azdev + + ls ${{ parameters.CLI_REPO_PATH }} + + azdev --version + azdev setup -c ../azure-cli -r ${{ parameters.CLI_REPO_PATH }} -e $(EXTENSION_NAME) + azdev extension build $(EXTENSION_NAME) \ No newline at end of file diff --git a/testing/pipeline/templates/run-test.yml b/testing/pipeline/templates/run-test.yml new file mode 100644 index 00000000000..a9950f09063 --- /dev/null +++ b/testing/pipeline/templates/run-test.yml @@ -0,0 +1,104 @@ +parameters: + jobName: '' + path: '' + +jobs: +- job: ${{ parameters.jobName}} + pool: + vmImage: 'ubuntu-latest' + variables: + ${{ if eq(variables['IS_PRIVATE_BRANCH'], 'False') }}: + EXTENSION_NAME: "k8s-extension" + EXTENSION_FILE_NAME: "k8s_extension" + ${{ if ne(variables['IS_PRIVATE_BRANCH'], 'False') }}: + EXTENSION_NAME: "k8s-extension-private" + EXTENSION_FILE_NAME: "k8s_extension_private" + steps: + - bash: | + echo "Installing helm3" + curl -fsSL -o get_helm.sh https://raw.githubusercontent.com/helm/helm/master/scripts/get-helm-3 + chmod 700 get_helm.sh + ./get_helm.sh --version v3.6.3 + + echo "Installing kubectl" + curl -LO "https://storage.googleapis.com/kubernetes-release/release/$(curl -s https://storage.googleapis.com/kubernetes-release/release/stable.txt)/bin/linux/amd64/kubectl" + chmod +x ./kubectl + sudo mv ./kubectl /usr/local/bin/kubectl + kubectl version --client + displayName: "Setup the VM with helm3 and kubectl" + - template: ./build-extension.yml + parameters: + CLI_REPO_PATH: $(CLI_REPO_PATH) + - bash: | + K8S_EXTENSION_VERSION=$(ls ${EXTENSION_FILE_NAME}* | cut -d "-" -f2) + echo "##vso[task.setvariable variable=K8S_EXTENSION_VERSION]$K8S_EXTENSION_VERSION" + cp * $(TEST_PATH)/bin + workingDirectory: $(CLI_REPO_PATH)/dist + displayName: "Copy the Built .whl to Extension Test Path" + + - bash: | + RAND_STR=$RANDOM + AKS_CLUSTER_NAME="${BASE_CLUSTER_NAME}-${RAND_STR}-aks" + ARC_CLUSTER_NAME="${BASE_CLUSTER_NAME}-${RAND_STR}-arc" + + JSON_STRING=$(jq -n \ + --arg SUB_ID "$SUBSCRIPTION_ID" \ + --arg RG "$RESOURCE_GROUP" \ + --arg AKS_CLUSTER_NAME "$AKS_CLUSTER_NAME" \ + --arg ARC_CLUSTER_NAME "$ARC_CLUSTER_NAME" \ + --arg K8S_EXTENSION_VERSION "$K8S_EXTENSION_VERSION" \ + '{subscriptionId: $SUB_ID, resourceGroup: $RG, aksClusterName: $AKS_CLUSTER_NAME, arcClusterName: $ARC_CLUSTER_NAME, extensionVersion: {"k8s-extension": $K8S_EXTENSION_VERSION, "k8s-extension-private": $K8S_EXTENSION_VERSION, connectedk8s: "1.0.0"}}') + echo $JSON_STRING > settings.json + cat settings.json + workingDirectory: $(TEST_PATH) + displayName: "Generate a settings.json file" + + - bash : | + echo "Downloading the kind script" + curl -Lo ./kind https://kind.sigs.k8s.io/dl/v0.11.1/kind-linux-amd64 + chmod +x ./kind + ./kind create cluster + displayName: "Create and Start the Kind cluster" + + - bash: | + curl -sL https://aka.ms/InstallAzureCLIDeb | sudo bash + displayName: "Upgrade az to latest version" + + - task: AzureCLI@2 + displayName: Bootstrap + inputs: + azureSubscription: AzureResourceConnection + scriptType: pscore + scriptLocation: inlineScript + inlineScript: | + .\Bootstrap.ps1 -CI + workingDirectory: $(TEST_PATH) + + - task: AzureCLI@2 + displayName: Run the Test Suite for ${{ parameters.path }} + inputs: + azureSubscription: AzureResourceConnection + scriptType: pscore + scriptLocation: inlineScript + inlineScript: | + .\Test.ps1 -CI -Path ${{ parameters.path }} -Type $(EXTENSION_NAME) + workingDirectory: $(TEST_PATH) + continueOnError: true + + - task: PublishTestResults@2 + inputs: + testResultsFormat: 'JUnit' + testResultsFiles: '**/testing/results/*.xml' + failTaskOnFailedTests: true + condition: succeededOrFailed() + + - task: AzureCLI@2 + displayName: Cleanup + inputs: + azureSubscription: AzureResourceConnection + scriptType: pscore + scriptLocation: inlineScript + inlineScript: | + .\Cleanup.ps1 -CI + workingDirectory: $(TEST_PATH) + condition: succeededOrFailed() \ No newline at end of file diff --git a/testing/settings.template.json b/testing/settings.template.json new file mode 100644 index 00000000000..5129dbd0a20 --- /dev/null +++ b/testing/settings.template.json @@ -0,0 +1,11 @@ +{ + "subscriptionId": "", + "resourceGroup": "", + "aksClusterName": "", + "arcClusterName": "", + + "extensionVersion": { + "k8s-extension": "0.3.0", + "k8s-extension-private": "0.1.0" + } +} \ No newline at end of file diff --git a/testing/test/configurations/Configuration.HTTPS.Tests.ps1 b/testing/test/configurations/Configuration.HTTPS.Tests.ps1 new file mode 100644 index 00000000000..a2dee2b348f --- /dev/null +++ b/testing/test/configurations/Configuration.HTTPS.Tests.ps1 @@ -0,0 +1,54 @@ +Describe 'Source Control Configuration (HTTPS) Testing' { + BeforeAll { + $configurationName = "https-config" + . $PSScriptRoot/Constants.ps1 + . $PSScriptRoot/Helper.ps1 + + $dummyValue = "dummyValue" + $secretName = "git-auth-$configurationName" + } + + It 'Creates a configuration with https user and https key on the cluster' { + $output = az k8s-configuration create -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type "connectedClusters" -u "https://github.com/Azure/arc-k8s-demo" -n $configurationName --scope cluster --https-user $dummyValue --https-key $dummyValue --operator-namespace $configurationName + $? | Should -BeTrue + + # Loop and retry until the configuration installs and helm pod comes up + $n = 0 + do + { + if (Get-ConfigStatus $configurationName -eq $SUCCESS_MESSAGE) { + if (Get-PodStatus $configurationName -Namespace $configurationName -eq $POD_RUNNING ) { + break + } + } + Start-Sleep -Seconds 10 + $n += 1 + } while ($n -le $MAX_RETRY_ATTEMPTS) + $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS + + Secret-Exists $secretName -Namespace $configurationName + } + + It "Lists the configurations on the cluster" { + $output = az k8s-configuration list -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters + $? | Should -BeTrue + + $configExists = $output | ConvertFrom-Json | Where-Object { $_.id -Match $configurationName } + $configExists | Should -Not -BeNullOrEmpty + } + + It "Deletes the configuration from the cluster" { + az k8s-configuration delete -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters -n $configurationName + $? | Should -BeTrue + + # Configuration should be removed from the resource model + az k8s-configuration show -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters -n $configurationName + $? | Should -BeFalse + } + + It "Performs another list after the delete" { + $output = az k8s-configuration list -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters + $configExists = $output | ConvertFrom-Json | Where-Object { $_.id -Match $configurationName } + $configExists | Should -BeNullOrEmpty + } +} \ No newline at end of file diff --git a/testing/test/configurations/Configuration.HelmOperator.Tests.ps1 b/testing/test/configurations/Configuration.HelmOperator.Tests.ps1 new file mode 100644 index 00000000000..8b89ba24c58 --- /dev/null +++ b/testing/test/configurations/Configuration.HelmOperator.Tests.ps1 @@ -0,0 +1,137 @@ +Describe 'Source Control Configuration (Helm Operator Properties) Testing' { + BeforeAll { + $configurationName = "helm-enabled-config" + . $PSScriptRoot/Constants.ps1 + . $PSScriptRoot/Helper.ps1 + + $customOperatorParams = "--set helm.versions=v3 --set mycustomhelmvalue=yay" + $customChartVersion = "0.6.0" + } + + It 'Creates a configuration with helm enabled on the cluster' { + $output = az k8s-configuration create -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type "connectedClusters" -u "https://github.com/Azure/arc-k8s-demo" -n $configurationName --scope cluster --enable-helm-operator --operator-namespace $configurationName --helm-operator-params "--set helm.versions=v3" + $? | Should -BeTrue + + # Loop and retry until the configuration installs and helm pod comes up + $n = 0 + do + { + if (Get-ConfigStatus $configurationName -eq $SUCCESS_MESSAGE) { + if (Get-PodStatus "$configurationName-helm" -Namespace $configurationName -eq $POD_RUNNING ) { + break + } + } + Start-Sleep -Seconds 10 + $n += 1 + } while ($n -le $MAX_RETRY_ATTEMPTS) + $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS + } + + It "Updates the helm operator params and performs a show" { + Set-ItResult -Skipped -Because "Update is not a valid scenario for now" + + az k8s-configuration update -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type "connectedClusters" -n $configurationName --helm-operator-params $customOperatorParams + $? | Should -BeTrue + + $output = az k8s-configuration show --cluster-name $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters -n $configurationName + $? | Should -BeTrue + + $configData = $output | ConvertFrom-Json | Where-Object { $_.id -Match $configurationName } + ($configData.helmOperatorProperties.chartValues -eq $customOperatorParams) | Should -BeTrue + + # Loop and retry until the configuration updates + $n = 0 + do + { + $helmOperatorChartValues = (Get-ConfigData $configurationName).spec.helmOperatorProperties.chartValues + if ($helmOperatorChartValues -ne $null -And $helmOperatorChartValues.ToString() -eq $customOperatorParams) { + if (Get-ConfigStatus $configurationName -Match $SUCCESS_MESSAGE) { + break + } + } + Start-Sleep -Seconds 10 + $n += 1 + } while ($n -le $MAX_RETRY_ATTEMPTS) + $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS + } + + It "Updates the helm operator chart version and performs a show" { + Set-ItResult -Skipped -Because "Update is not a valid scenario for now" + + az k8s-configuration update -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type "connectedClusters" -n $configurationName --helm-operator-chart-version $customChartVersion + $? | Should -BeTrue + + $output = az k8s-configuration show --cluster-name $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters -n $configurationName + $? | Should -BeTrue + + # Check that the helmOperatorProperties chartValues didn't change + $configData = $output | ConvertFrom-Json | Where-Object { $_.id -Match $configurationName } + ($configData.helmOperatorProperties.chartValues -eq $customOperatorParams) | Should -BeTrue + ($configData.helmOperatorProperties.chartVersion -eq $customChartVersion) | Should -BeTrue + + # Loop and retry until the configuration updates + $n = 0 + do + { + $helmOperatorChartVersion = (Get-ConfigData $configurationName).spec.helmOperatorProperties.chartVersion + if ($helmOperatorChartVersion -ne $null -And $helmOperatorChartVersion.ToString() -eq $customChartVersion) { + if (Get-ConfigStatus $configurationName -Match $SUCCESS_MESSAGE) { + break + } + } + Start-Sleep -Seconds 10 + $n += 1 + } while ($n -le $MAX_RETRY_ATTEMPTS) + $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS + } + + It "Disables the helm operator on the cluster" { + Set-ItResult -Skipped -Because "Update is not a valid scenario for now" + + az k8s-configuration update -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type "connectedClusters" -n $configurationName --enable-helm-operator=false + $? | Should -BeTrue + + $output = az k8s-configuration show --cluster-name $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters -n $configurationName + $? | Should -BeTrue + + $helmOperatorEnabled = ($output | ConvertFrom-Json).enableHelmOperator + $helmOperatorEnabled.ToString() -eq "False" | Should -BeTrue + + # Loop and retry until the configuration updates + $n = 0 + do { + $helmOperatorEnabled = (Get-ConfigData $configurationName).spec.enableHelmOperator + if ($helmOperatorEnabled -ne $null -And $helmOperatorEnabled.ToString() -eq "False") { + if (Get-ConfigStatus $configurationName -Match $SUCCESS_MESSAGE) { + break + } + } + Start-Sleep -Seconds 10 + $n += 1 + } while ($n -le $MAX_RETRY_ATTEMPTS) + $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS + } + + It "Lists the configurations on the cluster" { + $output = az k8s-configuration list -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters + $? | Should -BeTrue + + $configExists = $output | ConvertFrom-Json | Where-Object { $_.id -Match $configurationName } + $configExists | Should -Not -BeNullOrEmpty + } + + It "Deletes the configuration from the cluster" { + az k8s-configuration delete -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters -n $configurationName + $? | Should -BeTrue + + # Configuration should be removed from the resource model + az k8s-configuration show -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters -n $configurationName + $? | Should -BeFalse + } + + It "Performs another list after the delete" { + $output = az k8s-configuration list -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters + $configExists = $output | ConvertFrom-Json | Where-Object { $_.id -Match $configurationName } + $configExists | Should -BeNullOrEmpty + } +} \ No newline at end of file diff --git a/testing/test/configurations/Configuration.KnownHost.Tests.ps1 b/testing/test/configurations/Configuration.KnownHost.Tests.ps1 new file mode 100644 index 00000000000..2cb2946bc3e --- /dev/null +++ b/testing/test/configurations/Configuration.KnownHost.Tests.ps1 @@ -0,0 +1,6 @@ +Describe 'Source Control Configuration (SSH Configs) Testing' { + BeforeAll { + . $PSScriptRoot/Constants.ps1 + . $PSScriptRoot/Helper.ps1 + } +} \ No newline at end of file diff --git a/testing/test/configurations/Configuration.PrivateKey.Tests.ps1 b/testing/test/configurations/Configuration.PrivateKey.Tests.ps1 new file mode 100644 index 00000000000..4bf86d52012 --- /dev/null +++ b/testing/test/configurations/Configuration.PrivateKey.Tests.ps1 @@ -0,0 +1,86 @@ +Describe 'Source Control Configuration (SSH Configs) Testing' { + BeforeAll { + . $PSScriptRoot/Constants.ps1 + . $PSScriptRoot/Helper.ps1 + + $RSA_KEYPATH = "$TMP_DIRECTORY\rsa.private" + $DSA_KEYPATH = "$TMP_DIRECTORY\dsa.private" + $ECDSA_KEYPATH = "$TMP_DIRECTORY\ecdsa.private" + $ED25519_KEYPATH = "$TMP_DIRECTORY\ed25519.private" + + $KEY_ARR = [System.Tuple]::Create("rsa", $RSA_KEYPATH), [System.Tuple]::Create("dsa", $DSA_KEYPATH), [System.Tuple]::Create("ecdsa", $ECDSA_KEYPATH), [System.Tuple]::Create("ed25519", $ED25519_KEYPATH) + foreach ($keyTuple in $KEY_ARR) { + # Automattically say yes to overwrite with ssh-keygen + Write-Output "y" | ssh-keygen -t $keyTuple.Item1 -f $keyTuple.Item2 -P """" + } + + $SSH_GIT_URL = "git://github.com/anubhav929/flux-get-started.git" + $HTTP_GIT_URL = "https://github.com/Azure/arc-k8s-demo" + + $configDataRSA = [System.Tuple]::Create("rsa-config", $RSA_KEYPATH) + $configDataDSA = [System.Tuple]::Create("dsa-config", $DSA_KEYPATH) + $configDataECDSA = [System.Tuple]::Create("ecdsa-config", $ECDSA_KEYPATH) + $configDataED25519 = [System.Tuple]::Create("ed25519-config", $ED25519_KEYPATH) + + $CONFIG_ARR = $configDataRSA, $configDataDSA, $configDataECDSA, $configDataED25519 + } + + It 'Creates a configuration with each type of ssh private key' { + foreach($configData in $CONFIG_ARR) { + az k8s-configuration create -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type "connectedClusters" -u $SSH_GIT_URL -n $configData.Item1 --scope cluster --operator-namespace $configData.Item1 --ssh-private-key-file $configData.Item2 + $? | Should -BeTrue + } + + # Loop and retry until the configuration installs and helm pod comes up + $n = 0 + do + { + $readyConfigs = 0 + foreach($configData in $CONFIG_ARR) { + # TODO: Change this to checking the success message after we merge in the bugfix into the agent + if (Get-PodStatus $configData.Item1 -Namespace $configData.Item1 -eq $POD_RUNNING) { + $readyConfigs += 1 + } + } + Start-Sleep -Seconds 10 + $n += 1 + } while ($n -le 30 -And $readyConfigs -ne 4) + $n | Should -BeLessOrEqual 30 + } + + It 'Fails when trying to create a configuration with ssh url and https auth values' { + az k8s-configuration create -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type "connectedClusters" -u $HTTP_GIT_URL -n "config-should-fail" --scope cluster --operator-namespace "config-should-fail" --ssh-private-key-file $RSA_KEYPATH + $? | Should -BeFalse + } + + It "Lists the configurations on the cluster" { + $output = az k8s-configuration list -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters + $? | Should -BeTrue + + foreach ($configData in $CONFIG_ARR) { + $configExists = $output | ConvertFrom-Json | Where-Object { $_.id -Match $configData.Item1 } + $configExists | Should -Not -BeNullOrEmpty + } + } + + It "Deletes the configuration from the cluster" { + foreach ($configData in $CONFIG_ARR) { + az k8s-configuration delete -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters -n $configData.Item1 + $? | Should -BeTrue + + # Configuration should be removed from the resource model + az k8s-configuration show -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters -n $configData.Item1 + $? | Should -BeFalse + } + } + + It "Performs another list after the delete" { + $output = az k8s-configuration list -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters + $? | Should -BeTrue + + foreach ($configData in $CONFIG_ARR) { + $configExists = $output | ConvertFrom-Json | Where-Object { $_.id -Match $configData.Item1 } + $configExists | Should -BeNullOrEmpty + } + } +} \ No newline at end of file diff --git a/testing/test/configurations/Configuration.Tests.ps1 b/testing/test/configurations/Configuration.Tests.ps1 new file mode 100644 index 00000000000..a85df42ed2e --- /dev/null +++ b/testing/test/configurations/Configuration.Tests.ps1 @@ -0,0 +1,80 @@ +Describe 'Basic Source Control Configuration Testing' { + BeforeAll { + $configurationName = "basic-config" + . $PSScriptRoot/Constants.ps1 + . $PSScriptRoot/Helper.ps1 + } + + It 'Creates a configuration and checks that it onboards correctly' { + az k8s-configuration create -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type "connectedClusters" -u "https://github.com/Azure/arc-k8s-demo" -n $configurationName --scope cluster --enable-helm-operator=false --operator-namespace $configurationName + $? | Should -BeTrue + + # Loop and retry until the configuration installs + $n = 0 + do + { + if (Get-ConfigStatus $configurationName -Match $SUCCESS_MESSAGE) { + break + } + Start-Sleep -Seconds 10 + $n += 1 + } while ($n -le $MAX_RETRY_ATTEMPTS) + $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS + } + + It "Performs a show on the configuration" { + $output = az k8s-configuration show -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type "connectedClusters" -n $configurationName + $? | Should -BeTrue + $output | Should -Not -BeNullOrEmpty + } + + It "Runs an update on the configuration on the cluster" { + Set-ItResult -Skipped -Because "Update is not a valid scenario for now" + + az k8s-configuration update -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters -n $configurationName --enable-helm-operator + $? | Should -BeTrue + + $output = az k8s-configuration show --cluster-name $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters -n $configurationName + $? | Should -BeTrue + + $helmOperatorEnabled = ($output | ConvertFrom-Json).enableHelmOperator + $helmOperatorEnabled.ToString() -eq "True" | Should -BeTrue + + # Loop and retry until the configuration updates + $n = 0 + do { + $helmOperatorEnabled = (Get-ConfigData $configurationName).spec.enableHelmOperator + if ($helmOperatorEnabled -And $helmOperatorEnabled.ToString() -eq "True") { + if (Get-ConfigStatus $configurationName -Match $SUCCESS_MESSAGE) { + break + } + } + Start-Sleep -Seconds 10 + $n += 1 + } while ($n -le $MAX_RETRY_ATTEMPTS) + $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS + } + + It "Lists the configurations on the cluster" { + $output = az k8s-configuration list -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters + $? | Should -BeTrue + + $configExists = $output | ConvertFrom-Json | Where-Object { $_.id -Match $configurationName } + $configExists | Should -Not -BeNullOrEmpty + } + + It "Deletes the configuration from the cluster" { + az k8s-configuration delete -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters -n $configurationName + $? | Should -BeTrue + + # Configuration should be removed from the resource model + az k8s-configuration show -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters -n $configurationName + $? | Should -BeFalse + } + + It "Performs another list after the delete" { + $output = az k8s-configuration list -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters + $configExists = $output | ConvertFrom-Json | Where-Object { $_.id -Match $configurationName } + $configExists | Should -BeNullOrEmpty + } +} \ No newline at end of file diff --git a/testing/test/configurations/Constants.ps1 b/testing/test/configurations/Constants.ps1 new file mode 100644 index 00000000000..f1e8c6ffdc3 --- /dev/null +++ b/testing/test/configurations/Constants.ps1 @@ -0,0 +1,8 @@ +$ENVCONFIG = Get-Content -Path $PSScriptRoot\..\..\settings.json | ConvertFrom-Json +$SUCCESS_MESSAGE = "Successfully installed the operator" +$FAILED_MESSAGE = "Failed the install of the operator" +$TMP_DIRECTORY = "$PSScriptRoot\..\..\tmp" + +$POD_RUNNING = "Running" + +$MAX_RETRY_ATTEMPTS = 18 \ No newline at end of file diff --git a/testing/test/configurations/Helper.ps1 b/testing/test/configurations/Helper.ps1 new file mode 100644 index 00000000000..842e2da84aa --- /dev/null +++ b/testing/test/configurations/Helper.ps1 @@ -0,0 +1,45 @@ +function Get-ConfigData { + param( + [string]$configName + ) + + $output = kubectl get gitconfigs -A -o json | ConvertFrom-Json + return $output.items | Where-Object { $_.metadata.name -eq $configurationName } +} + +function Get-ConfigStatus { + param( + [string]$configName + ) + + $configData = Get-ConfigData $configName + if ($configData -ne $null) { + return $configData.status.status + } + return $null +} + +function Get-PodStatus { + param( + [string]$podName, + [string]$Namespace + ) + + $allPodData = kubectl get pods -n $Namespace -o json | ConvertFrom-Json + $podData = $allPodData.items | Where-Object { $_.metadata.name -Match $podName } + return $podData.status.phase +} + +function Secret-Exists { + param( + [string]$secretName, + [string]$Namespace + ) + + $allSecretData = kubectl get secrets -n $Namespace -o json | ConvertFrom-Json + $secretData = $allSecretData.items | Where-Object { $_.metadata.name -Match $secretName } + if ($secretData.Length -ge 1) { + return $true + } + return $false +} \ No newline at end of file diff --git a/testing/test/extensions/data/azure_ml/test_cert.pem b/testing/test/extensions/data/azure_ml/test_cert.pem new file mode 100644 index 00000000000..a8cfe1294b4 --- /dev/null +++ b/testing/test/extensions/data/azure_ml/test_cert.pem @@ -0,0 +1,32 @@ +-----BEGIN CERTIFICATE----- +MIIFlzCCA3+gAwIBAgIULOv9pTNMMZNMXFF3ctTJZEcPfQgwDQYJKoZIhvcNAQEL +BQAwWzELMAkGA1UEBhMCQVUxEzARBgNVBAgMClNvbWUtU3RhdGUxITAfBgNVBAoM +GEludGVybmV0IFdpZGdpdHMgUHR5IEx0ZDEUMBIGA1UEAwwLdGVzdGluZi5jb20w +HhcNMjIwOTA4MDMxNDA0WhcNMjMwOTA4MDMxNDA0WjBbMQswCQYDVQQGEwJBVTET +MBEGA1UECAwKU29tZS1TdGF0ZTEhMB8GA1UECgwYSW50ZXJuZXQgV2lkZ2l0cyBQ +dHkgTHRkMRQwEgYDVQQDDAt0ZXN0aW5mLmNvbTCCAiIwDQYJKoZIhvcNAQEBBQAD +ggIPADCCAgoCggIBAM1dfkb2+o/VzazOSSXlv03rRaV4/+wKALuOGrZGJbGzm4DJ +WyN6+zogIKIbDMPUm4eB1Jh9vSQ0RciwhCUogPel7HYQhlFtyfq4I2PReXm7MInm +ZGpkFZdHliYFMQv5O1FDN4SjHbpKpEomUIngj+j5IRuQ+5wksJfEE4GKBdTv0zSJ +kvIW3o4qf3kYUuoT53g93HqUQKg6LKZ0ra7som1F1dVuOgYXmyirrdFm2SJ6y4Z7 +Fuu7/bNHJAeUIcaw/3FZrKAdYst5MO6BquDPQ3LUmIW9MPO7ynfR0MKMXFvHmQmt +ve9IMRF52FkKqO6mut3kMEhQqE9iiEcLZDUghRwzxIgYU1cHw1jBCTxois4f6HdY +zK9fK9TZoI1ftWoFcofhV4uiB8NwsRQqFeAsMrd2qCbMjLoHysMbKl3ORwtG+sl0 +ti3DhiLQbedfBHzy0xtaZvkauP6+qoGYYjGiDQjP+acvCrjjSwVpWWhu44EWFWnc +Iszjp2AaG4LagaV+ZjTHDa4mkyz/dI3EDZ6wDmHCYdbI57yJhXqjSooVYNE4FYwo +KDXVT+42mtBGIA+e/pRFYE1bUsuIubhuKVLNd081W+rsS3Juv6KWMNnahUm8Mv1P +unwQKrtJtc31rEXGjsVp4E95ncbu/0aAoczCnYlXp1pLNevnNfRdeoOWnNLzAgMB +AAGjUzBRMB0GA1UdDgQWBBQNlOeOEqZh7hojtGoKETkk+Cdl/zAfBgNVHSMEGDAW +gBQNlOeOEqZh7hojtGoKETkk+Cdl/zAPBgNVHRMBAf8EBTADAQH/MA0GCSqGSIb3 +DQEBCwUAA4ICAQB3Dmv2Ftxp0vTDBZMUXjOKqpyuznpT5Y7LzoHxWKBXnwCGVuOo +1P1sse/QD87No+jAi3lPtQo1+GVbnN8kkIPAu8Cu3ogrlMr9938ogWz1/x33D2Nh +DLk2ZDg7UxsGxIKvMCV9MopZGQ2HCN7M43iXJ5dpZ82F6kMHZpGdigAnbTzh8iGu +vro1SiBCwPwlv+VW7VvU0OpGgBQlVj8CMON01/lWYZd4vXrv5iox59l/b1HcNrYN +Pe2CvZAmqx4Wnar8HLV6TAFPqvFf/6kAeWXt89mKaGx/LTy632sXeBHVnL62o6OD +WUjLECjTF1LSI/tzgoQUKIJ70FysIayUoSDcyb+jpb0dKBoi1vUQOS3R5gH35Z0c +fiGXvsDCtK8UvU5V4W8msBtEF1TB1vk5rrhAIGecHyY87iQnF/Lue6CvLQ6jhga6 +A7RRaKf05Stz+pyG3AF3P6iAyFK72k9LIpb+iGvlDZ2yWAMcqEuTRGeo3G3xQabN +VGG0thneWrQ7KicRXNavMgytnHs73mHGTMgffg4njcNPuio8ewcwxhDycYJpr4gz +NqtdgFPBzx9nQjrK6ZBDSzbkkLFNLnr+OSB9pvlpVnC957qqZ1L0GrJIfN/kbCF3 +TG7u3bkbTjlrvuxY1FAqrXesZrlBpx5cxLrO8XOuSlFB0q2pJSwfIv6Jbw== +-----END CERTIFICATE----- \ No newline at end of file diff --git a/testing/test/extensions/data/azure_ml/test_key.pem b/testing/test/extensions/data/azure_ml/test_key.pem new file mode 100644 index 00000000000..e238b5c2225 --- /dev/null +++ b/testing/test/extensions/data/azure_ml/test_key.pem @@ -0,0 +1,52 @@ +-----BEGIN PRIVATE KEY----- +MIIJQgIBADANBgkqhkiG9w0BAQEFAASCCSwwggkoAgEAAoICAQDNXX5G9vqP1c2s +zkkl5b9N60WleP/sCgC7jhq2RiWxs5uAyVsjevs6ICCiGwzD1JuHgdSYfb0kNEXI +sIQlKID3pex2EIZRbcn6uCNj0Xl5uzCJ5mRqZBWXR5YmBTEL+TtRQzeEox26SqRK +JlCJ4I/o+SEbkPucJLCXxBOBigXU79M0iZLyFt6OKn95GFLqE+d4Pdx6lECoOiym +dK2u7KJtRdXVbjoGF5soq63RZtkiesuGexbru/2zRyQHlCHGsP9xWaygHWLLeTDu +gargz0Ny1JiFvTDzu8p30dDCjFxbx5kJrb3vSDERedhZCqjuprrd5DBIUKhPYohH +C2Q1IIUcM8SIGFNXB8NYwQk8aIrOH+h3WMyvXyvU2aCNX7VqBXKH4VeLogfDcLEU +KhXgLDK3dqgmzIy6B8rDGypdzkcLRvrJdLYtw4Yi0G3nXwR88tMbWmb5Grj+vqqB +mGIxog0Iz/mnLwq440sFaVlobuOBFhVp3CLM46dgGhuC2oGlfmY0xw2uJpMs/3SN +xA2esA5hwmHWyOe8iYV6o0qKFWDROBWMKCg11U/uNprQRiAPnv6URWBNW1LLiLm4 +bilSzXdPNVvq7Etybr+iljDZ2oVJvDL9T7p8ECq7SbXN9axFxo7FaeBPeZ3G7v9G +gKHMwp2JV6daSzXr5zX0XXqDlpzS8wIDAQABAoICAGA91WT6b7gikW3PitY40it4 ++72tc/oxQeCjmv8a5qVdr51uP8jj5IJ79e8iUBwiMfUSMgh4vMAPwzhnCLbFQZNN +bgByhA/7LLHTw7oOvCgBQqENmLeHSdsIkGQnALJEzbiqkIUXUGIygsXBKPNEiwy6 +W/qoOlIVm7C0EhQeE9eTwN4ZLwVHFGt5nR2p+Yl7ZHmkPAQyIA72nGAxxAd7HC+r +j6ejLYwXWf54XlAJK+8Nrv3KB5bYFfADge4PTLjpz/xV8yFiRB9pHzZXDDaoy0ow +OX5LiHpg4mS+rl/OGaZlZuHzS1Ss91niSTKJXVviRSahvsLVEduKKKVqwD5pjBcx +fRQOFIVX6Hk8aizHZaF01nZ48Y8Lyi/i6ZmajKxBODuVXhJXz6IWxREsUPNzJvHH +MSwnN8Mx3zx45dzVlgm8lDv56o0OWI4I2ppRs2dowWWbItjVHWdpreWxp2uMNYQB +o9lId5XEKisRhI0WRd42/CNUaYKf1ikAvw3d2UhrhteGQotYBaXVdhoH4g5z1F+A +wAfZXEif5gQoL3shHtQtdB9WSZhCiY7DUQhIKt2sqXOPEFwJUTnwyCrQymKUNKBj +BEtM1jDUT2ganQgNxGE9OtThFnrosnP95rSzCj87mrne56ZtMPNAmHiZt9JN4mfM +C4JDu22nqJKQ5FZMewwBAoIBAQDnCibtimNnl+SEhGK5SbRLgyRAY+AbwzSU4gWa +YyisIUmFb7YlwkjmiSSH0Bt5HUfgJssHtgUmOwHMGVEL8PpyNohzfP3Fe7yfJhxA +mIWZLYnvsnSRB4eVuUtk93ot0XaFJAbzMzOkuSWkWnlIf4Rdiv5JGwNiEwlOujGy +snzUOsFzT0j2lGzHIBaZYPC/L25kp8JQ7lrrsQOoF103lrO6Uqn0KTLGfRNYf6ZU +1FmOGkyIsl+csrI1lOyVDjTVi4XFgCv8EUeWaGM2jLaEIWmAYfzbmJamf0rNeF1H +Mh5Y5iSkOjzmuz31NGu+cW7MV4IFzYuoRC/MZbFX6KOabYDzAoIBAQDjjUPGmVh6 +eJQpSUB2KbJgj86DAilMLwpmdMrmyPNbZaiA0R9x5w7YWPbh4K48OFPnzJsntB7I +hNdniTq9qUPt5cgtDdHJ1PvdZ/DkPn8hOig/KpyPcUvkG3femtv3J1cNclqbX4ID +LoytnmHT2wB9V0frgp+G7JPAM75BlJwkgxhUnkyxn+4yPuoxasDYneh2bZUgxzYw +PcWKBM/j4gbIolg332ItsMcsKK/a0HwD2JWEYkkePrdcWE2T9qfacAdaoZaaZS4R +D2LU3eMmRotPKXIuI3JPYJmVWSZZndn+ysgmmYzen7/d9p8G1ZrA2N1dYDoVf3jh +X6A9N3YJl+YBAoIBAHjff9RA1ZbKCb0mwbusis4C00F4vzPnIahOw52tCQdc9uj/ +s+z3Q0qRL3J6dxUbM5Ja2Ve0a+c/ccZE7Hjx3yVH0IWTO/VIsjsVJizJXwPvpj2o +QIHrzYyQf5hYPSyhbH9lhNlRzU/9qWreBpveUvLZmAXJQzDZQsJUeVHDPbmO78yT +C1ot9ucKq6gc5ncvqnKwreHHgfvTBVW4u4Usq+TsAIyDzVO49hkT14KEAkJtEeNm +Zs1FVCTiQBAPeabLMvZMAzcCF1DiVh2g6pAgJuEK4s5Ee3SqHgl3Ul3AI85gwYTG +Dzyrc1PI1CGzmMMBeT3t9oXW/qbSAUE7rfRKG+8CggEAJGtCkrGOSKOtyuHPcFoC +E5RQkAUziN7qgjVlGATHdjRSALP3nWpGpPewI7yrBjZZr3q+xl78okkolIiRHzPN +DHE/VX6lufDdkrUFB/K8tBuzv1BZmFegttRyne0ZEXh5ZUyNFdr2Wv4DQ/JaY+bk +MCtc9mOElrqcdyGQ7LwVNX7J0Rk42yDmpaIOJ3SXgtPbFcE6IfHgSV5JlGpqv2U4 +groA9ohJFVj6t6WXZ6UAhDkQzQxR+YY+IIh9ehX7DWnqs2WzTeits8tLnRgaN9EI +kNXoUVwY+n1Sd2W6TpOGBVJ9MDhZJHRa5/KFxzk+uGi9HSm+ghxRw3hjlAihWq22 +AQKCAQEAgOtb7QKUIyhQh4sqAflyEzZyIvJ8+luM7ZaeXevBgarXBCOlrcfvsv4r +qdFOIV9ZFfBkf40dSwlHu50DiPnZSg8aRBXjRVlWP9QkabnB5hPwjZ7Rr3+F44ty +gr76n6yJbiLZIBOAlDs0e9W30vcereqvr6puO8TOZbjBm+41gyDnw0MzQODQFqgg +CngrENoMGjsBPAsRzO2Q0NPlUQx5o+qbc+izMdRj532jPZ4rymlfVAFLQ5qBJcVT +A09HY7HJu2GvCfoBRUICD1etd3tg/m9hK4rSrnLn+zLRjfg1v4FPxVK2ZO2+XY0G +hsfzUDNwvb4vnu9Yq3m//0pk/pMs6g== +-----END PRIVATE KEY----- \ No newline at end of file diff --git a/testing/test/extensions/public/AzureDefender.Tests.ps1 b/testing/test/extensions/public/AzureDefender.Tests.ps1 new file mode 100644 index 00000000000..419d226cb2e --- /dev/null +++ b/testing/test/extensions/public/AzureDefender.Tests.ps1 @@ -0,0 +1,71 @@ +Describe 'Azure Defender Testing' { + BeforeAll { + $extensionType = "microsoft.azuredefender.kubernetes" + $extensionName = "microsoft.azuredefender.kubernetes" + $extensionAgentNamespace = "azuredefender" + + . $PSScriptRoot/../../helper/Constants.ps1 + . $PSScriptRoot/../../helper/Helper.ps1 + } + + It 'Creates the extension and checks that it onboards correctly' { + $output = az $Env:K8sExtensionName create -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters --extension-type $extensionType -n $extensionName --no-wait + $? | Should -BeTrue + + $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName + $? | Should -BeTrue + + $isAutoUpgradeMinorVersion = ($output | ConvertFrom-Json).autoUpgradeMinorVersion + $isAutoUpgradeMinorVersion.ToString() -eq "True" | Should -BeTrue + + # Loop and retry until the extension installs + $n = 0 + do + { + # Only check the extension config, not the pod since this doesn't bring up pods + $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName + $provisioningState = ($output | ConvertFrom-Json).provisioningState + Write-Host "Got ProvisioningState: $provisioningState for the extension" + if (Has-ExtensionData $extensionName) { + break + } + Start-Sleep -Seconds 10 + $n += 1 + } while ($n -le $MAX_RETRY_ATTEMPTS) + $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS + } + + It "Performs a show on the extension" { + $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName + $? | Should -BeTrue + $output | Should -Not -BeNullOrEmpty + } + + It "Lists the extensions on the cluster" { + $output = az $Env:K8sExtensionName list -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters + $? | Should -BeTrue + + $output | Should -Not -BeNullOrEmpty + $extensionExists = $output | ConvertFrom-Json | Where-Object { $_.extensionType -eq $extensionType } + $extensionExists | Should -Not -BeNullOrEmpty + } + + It "Deletes the extension from the cluster" { + $output = az $Env:K8sExtensionName delete -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName --force + $? | Should -BeTrue + + # Extension should not be found on the cluster + $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName + $? | Should -BeFalse + $output | Should -BeNullOrEmpty + } + + It "Performs another list after the delete" { + $output = az $Env:K8sExtensionName list -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters + $? | Should -BeTrue + $output | Should -Not -BeNullOrEmpty + + $extensionExists = $output | ConvertFrom-Json | Where-Object { $_.extensionType -eq $extensionName } + $extensionExists | Should -BeNullOrEmpty + } +} diff --git a/testing/test/extensions/public/AzureMLKubernetes.Tests.ps1 b/testing/test/extensions/public/AzureMLKubernetes.Tests.ps1 new file mode 100644 index 00000000000..d38627219c1 --- /dev/null +++ b/testing/test/extensions/public/AzureMLKubernetes.Tests.ps1 @@ -0,0 +1,221 @@ +Describe 'AzureML Kubernetes Testing' { + BeforeAll { + $extensionType = "Microsoft.AzureML.Kubernetes" + $extensionName = "azureml-kubernetes-connector" + $extensionAgentNamespace = "azureml" + $relayResourceIDKey = "relayserver.hybridConnectionResourceID" + $serviceBusResourceIDKey = "servicebus.resourceID" + $mockUpdateKey = "mockTest" + $mockProtectedUpdateKey = "mockProtectedTest" + + . $PSScriptRoot/../../helper/Constants.ps1 + . $PSScriptRoot/../../helper/Helper.ps1 + } + + It 'Creates the extension and checks that it onboards correctly with inference and SSL enabled' { + $sslKeyPemFile = Join-Path (Join-Path (Join-Path (Split-Path $PSScriptRoot -Parent) "data") "azure_ml") "test_key.pem" + $sslCertPemFile = Join-Path (Join-Path (Join-Path (Split-Path $PSScriptRoot -Parent) "data") "azure_ml") "test_cert.pem" + az $Env:K8sExtensionName create -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters --extension-type $extensionType -n $extensionName --release-train stable --config enableInference=true identity.proxy.remoteEnabled=True identity.proxy.remoteHost=https://master.experiments.azureml-test.net inferenceRouterServiceType=nodePort sslCname=testinf.com --config-protected sslKeyPemFile=$sslKeyPemFile sslCertPemFile=$sslCertPemFile --no-wait + $? | Should -BeTrue + + $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName + $? | Should -BeTrue + + $isAutoUpgradeMinorVersion = ($output | ConvertFrom-Json).autoUpgradeMinorVersion + $isAutoUpgradeMinorVersion.ToString() -eq "True" | Should -BeTrue + + # Loop and retry until the extension installs + $n = 0 + do + { + if (Has-ExtensionData $extensionName) { + break + } + Start-Sleep -Seconds 20 + $n += 1 + } while ($n -le $MAX_RETRY_ATTEMPTS) + $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS + + # check if relay is populated + $relayResourceID = Get-ExtensionConfigurationSettings $extensionName $relayResourceIDKey + $relayResourceID | Should -Not -BeNullOrEmpty + } + + It "Performs a show on the extension" { + $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName + $? | Should -BeTrue + $output | Should -Not -BeNullOrEmpty + } + + + It "Lists the extensions on the cluster" { + $output = az $Env:K8sExtensionName list -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters + $? | Should -BeTrue + + $output | Should -Not -BeNullOrEmpty + $extensionExists = $output | ConvertFrom-Json | Where-Object { $_.extensionType -eq $extensionType } + $extensionExists | Should -Not -BeNullOrEmpty + } + + It "Wait for the extension to be ready" { + # Loop and retry until the extension installed + $n = 0 + do + { + + $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName + $? | Should -BeTrue + + $provisioningState = ($output | ConvertFrom-Json).provisioningState + Write-Host "Provisioning state: $provisioningState" + if ($provisioningState -eq "Succeeded") { + break + } + Start-Sleep -Seconds 20 + $n += 1 + } while ($n -le $MAX_RETRY_ATTEMPTS) + $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS + } + + It "Perform Update extension" { + $sslKeyPemFile = Join-Path (Join-Path (Join-Path (Split-Path $PSScriptRoot -Parent) "data") "azure_ml") "test_key.pem" + $sslCertPemFile = Join-Path (Join-Path (Join-Path (Split-Path $PSScriptRoot -Parent) "data") "azure_ml") "test_cert.pem" + az $Env:K8sExtensionName update -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName --config "$($mockUpdateKey)=true" --config-protected "$($mockProtectedUpdateKey)=true" sslKeyPemFile=$sslKeyPemFile sslCertPemFile=$sslCertPemFile --no-wait + $? | Should -BeTrue + + # Loop and retry until the extension updated + $n = 0 + do + { + + $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName + $? | Should -BeTrue + + $provisioningState = ($output | ConvertFrom-Json).provisioningState + Write-Host "Provisioning state: $provisioningState" + if ($provisioningState -eq "Succeeded") { + break + } + Start-Sleep -Seconds 20 + $n += 1 + } while ($n -le $MAX_RETRY_ATTEMPTS) + $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS + + $mockedUpdateData = Get-ExtensionConfigurationSettings $extensionName $mockUpdateKey + $mockedUpdateData | Should -Not -BeNullOrEmpty + } + + It "Deletes the extension from the cluster with inference enabled" { + # cleanup the relay and servicebus + $relayResourceID = Get-ExtensionConfigurationSettings $extensionName $relayResourceIDKey + $relayNamespaceName = $relayResourceID.split("/")[8] + az relay namespace delete --resource-group $ENVCONFIG.resourceGroup --name $relayNamespaceName + + $output = az $Env:K8sExtensionName delete -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName --force + $? | Should -BeTrue + + # Extension should not be found on the cluster + $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName + $? | Should -BeFalse + $output | Should -BeNullOrEmpty + } + + It "Performs another list after the delete" { + $output = az $Env:K8sExtensionName list -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters + $? | Should -BeTrue + $output | Should -Not -BeNullOrEmpty + + $extensionExists = $output | ConvertFrom-Json | Where-Object { $_.extensionType -eq $extensionName } + $extensionExists | Should -BeNullOrEmpty + } + + # It 'Creates the extension and checks that it onboards correctly with training enabled' { + # az $Env:K8sExtensionName create -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters --extension-type $extensionType -n $extensionName --release-train staging --config enableTraining=true + # $? | Should -BeTrue + + # $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName + # $? | Should -BeTrue + + # $isAutoUpgradeMinorVersion = ($output | ConvertFrom-Json).autoUpgradeMinorVersion + # $isAutoUpgradeMinorVersion.ToString() -eq "True" | Should -BeTrue + + # # Loop and retry until the extension installs + # $n = 0 + # do + # { + # if (Has-ExtensionData $extensionName) { + # break + # } + # Start-Sleep -Seconds 20 + # $n += 1 + # } while ($n -le $MAX_RETRY_ATTEMPTS) + # $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS + + # # check if relay is populated + # $relayResourceID = Get-ExtensionConfigurationSettings $extensionName $relayResourceIDKey + # $relayResourceID | Should -Not -BeNullOrEmpty + # } + + # It "Deletes the extension from the cluster" { + # # cleanup the relay and servicebus + # $relayResourceID = Get-ExtensionConfigurationSettings $extensionName $relayResourceIDKey + # $serviceBusResourceID = Get-ExtensionConfigurationSettings $extensionName $serviceBusResourceIDKey + # $relayNamespaceName = $relayResourceID.split("/")[8] + # $serviceBusNamespaceName = $serviceBusResourceID.split("/")[8] + # az relay namespace delete --resource-group $ENVCONFIG.resourceGroup --name $relayNamespaceName + # az servicebus namespace delete --resource-group $ENVCONFIG.resourceGroup --name $serviceBusNamespaceName + + # $output = az $Env:K8sExtensionName delete -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName + # $? | Should -BeTrue + + # # Extension should not be found on the cluster + # $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName + # $? | Should -BeFalse + # $output | Should -BeNullOrEmpty + # } + + # It 'Creates the extension and checks that it onboards correctly with inference enabled' { + # az $Env:K8sExtensionName create -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters --extension-type $extensionType -n $extensionName --release-train staging --config enableInference=true identity.proxy.remoteEnabled=True identity.proxy.remoteHost=https://master.experiments.azureml-test.net allowInsecureConnections=True inferenceLoadBalancerHA=false + # $? | Should -BeTrue + + # $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName + # $? | Should -BeTrue + + # $isAutoUpgradeMinorVersion = ($output | ConvertFrom-Json).autoUpgradeMinorVersion + # $isAutoUpgradeMinorVersion.ToString() -eq "True" | Should -BeTrue + + # # Loop and retry until the extension installs + # $n = 0 + # do + # { + # if (Has-ExtensionData $extensionName) { + # break + # } + # Start-Sleep -Seconds 20 + # $n += 1 + # } while ($n -le $MAX_RETRY_ATTEMPTS) + # $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS + + # # check if relay is populated + # $relayResourceID = Get-ExtensionConfigurationSettings $extensionName $relayResourceIDKey + # $relayResourceID | Should -Not -BeNullOrEmpty + # } + + # It "Deletes the extension from the cluster with inference enabled" { + # # cleanup the relay and servicebus + # $relayResourceID = Get-ExtensionConfigurationSettings $extensionName $relayResourceIDKey + # $serviceBusResourceID = Get-ExtensionConfigurationSettings $extensionName $serviceBusResourceIDKey + # $relayNamespaceName = $relayResourceID.split("/")[8] + # $serviceBusNamespaceName = $serviceBusResourceID.split("/")[8] + # az relay namespace delete --resource-group $ENVCONFIG.resourceGroup --name $relayNamespaceName + # az servicebus namespace delete --resource-group $ENVCONFIG.resourceGroup --name $serviceBusNamespaceName + + # $output = az $Env:K8sExtensionName delete -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName + # $? | Should -BeTrue + + # # Extension should not be found on the cluster + # $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName + # $? | Should -BeFalse + # $output | Should -BeNullOrEmpty + # } +} diff --git a/testing/test/extensions/public/AzureMonitor.Tests.ps1 b/testing/test/extensions/public/AzureMonitor.Tests.ps1 new file mode 100644 index 00000000000..9748755eea0 --- /dev/null +++ b/testing/test/extensions/public/AzureMonitor.Tests.ps1 @@ -0,0 +1,68 @@ +Describe 'Azure Monitor Testing' { + BeforeAll { + $extensionType = "microsoft.azuremonitor.containers" + $extensionName = "azuremonitor-containers" + $extensionAgentName = "omsagent" + $extensionAgentNamespace = "kube-system" + + . $PSScriptRoot/../../helper/Constants.ps1 + . $PSScriptRoot/../../helper/Helper.ps1 + } + + It 'Creates the extension and checks that it onboards correctly' { + az $Env:K8sExtensionName create -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters --extension-type $extensionType -n $extensionName --no-wait + $? | Should -BeTrue + + $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName + $? | Should -BeTrue + + $isAutoUpgradeMinorVersion = ($output | ConvertFrom-Json).autoUpgradeMinorVersion + $isAutoUpgradeMinorVersion.ToString() -eq "True" | Should -BeTrue + + # Loop and retry until the extension installs + $n = 0 + do + { + if (Has-ExtensionData $extensionName) { + break + } + Start-Sleep -Seconds 10 + $n += 1 + } while ($n -le $MAX_RETRY_ATTEMPTS) + $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS + } + + It "Performs a show on the extension" { + $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName + $? | Should -BeTrue + $output | Should -Not -BeNullOrEmpty + } + + It "Lists the extensions on the cluster" { + $output = az $Env:K8sExtensionName list -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters + $? | Should -BeTrue + + $output | Should -Not -BeNullOrEmpty + $extensionExists = $output | ConvertFrom-Json | Where-Object { $_.extensionType -eq $extensionType } + $extensionExists | Should -Not -BeNullOrEmpty + } + + It "Deletes the extension from the cluster" { + $output = az $Env:K8sExtensionName delete -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName --force + $? | Should -BeTrue + + # Extension should not be found on the cluster + $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName + $? | Should -BeFalse + $output | Should -BeNullOrEmpty + } + + It "Performs another list after the delete" { + $output = az $Env:K8sExtensionName list -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters + $? | Should -BeTrue + $output | Should -Not -BeNullOrEmpty + + $extensionExists = $output | ConvertFrom-Json | Where-Object { $_.extensionType -eq $extensionName } + $extensionExists | Should -BeNullOrEmpty + } +} diff --git a/testing/test/extensions/public/AzurePolicy.Tests.ps1 b/testing/test/extensions/public/AzurePolicy.Tests.ps1 new file mode 100644 index 00000000000..8f68426f4ed --- /dev/null +++ b/testing/test/extensions/public/AzurePolicy.Tests.ps1 @@ -0,0 +1,74 @@ +Describe 'Azure Policy Testing' { + BeforeAll { + $extensionType = "microsoft.policyinsights" + $extensionName = "policy" + $extensionAgentName = "azure-policy" + $extensionAgentNamespace = "kube-system" + + . $PSScriptRoot/../../helper/Constants.ps1 + . $PSScriptRoot/../../helper/Helper.ps1 + } + + It 'Creates the extension and checks that it onboards correctly' { + az $Env:K8sExtensionName create -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters --extension-type $extensionType -n $extensionName --no-wait + $? | Should -BeTrue + + $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName + $? | Should -BeTrue + + $isAutoUpgradeMinorVersion = ($output | ConvertFrom-Json).autoUpgradeMinorVersion + $isAutoUpgradeMinorVersion.ToString() -eq "True" | Should -BeTrue + + # Check that we get the principal id back for the created identity + $principalId = ($output | ConvertFrom-Json).identity.principalId + $principalId | Should -Not -BeNullOrEmpty + + # Loop and retry until the extension installs + $n = 0 + do + { + # Only check the extension config, not the pod since this doesn't bring up pods + $output = Invoke-Expression "az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName" -ErrorVariable badOut + if (Has-ExtensionData $extensionName){ + break + } + Start-Sleep -Seconds 10 + $n += 1 + } while ($n -le $MAX_RETRY_ATTEMPTS) + $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS + } + + It "Performs a show on the extension" { + $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName + $? | Should -BeTrue + $output | Should -Not -BeNullOrEmpty + } + + It "Lists the extensions on the cluster" { + $output = az $Env:K8sExtensionName list -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters + $? | Should -BeTrue + + $output | Should -Not -BeNullOrEmpty + $extensionExists = $output | ConvertFrom-Json | Where-Object { $_.extensionType -eq $extensionType } + $extensionExists | Should -Not -BeNullOrEmpty + } + + It "Deletes the extension from the cluster" { + $output = az $Env:K8sExtensionName delete -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName --force + $? | Should -BeTrue + + # Extension should not be found on the cluster + $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName + $? | Should -BeFalse + $output | Should -BeNullOrEmpty + } + + It "Performs another list after the delete" { + $output = az $Env:K8sExtensionName list -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters + $? | Should -BeTrue + $output | Should -Not -BeNullOrEmpty + + $extensionExists = $output | ConvertFrom-Json | Where-Object { $_.extensionType -eq $extensionName } + $extensionExists | Should -BeNullOrEmpty + } +} diff --git a/testing/test/extensions/public/Cassandra.Tests.ps1 b/testing/test/extensions/public/Cassandra.Tests.ps1 new file mode 100644 index 00000000000..e579c43ee30 --- /dev/null +++ b/testing/test/extensions/public/Cassandra.Tests.ps1 @@ -0,0 +1,98 @@ +Describe 'Cassandra Testing' { + BeforeAll { + $extensionType = "cassandradatacentersoperator" + $extensionName = "cassandra" + + . $PSScriptRoot/../../helper/Constants.ps1 + . $PSScriptRoot/../../helper/Helper.ps1 + } + + It 'Creates the extension and checks that it onboards correctly' { + az $Env:K8sExtensionName create -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters --extension-type $extensionType -n $extensionName --no-wait + $? | Should -BeTrue + + $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName + $? | Should -BeTrue + + $isAutoUpgradeMinorVersion = ($output | ConvertFrom-Json).autoUpgradeMinorVersion + $isAutoUpgradeMinorVersion.ToString() -eq "True" | Should -BeTrue + + # Check that we get the principal id back for the created identity + $principalId = ($output | ConvertFrom-Json).identity.principalId + $principalId | Should -Not -BeNullOrEmpty + + # Loop and retry until the extension installs + $n = 0 + do + { + # Only check the extension config, not the pod since this doesn't bring up pods + $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName + $provisioningState = ($output | ConvertFrom-Json).provisioningState + Write-Host "Got ProvisioningState: $provisioningState for the extension" + if ((Has-ExtensionData $extensionName) -And ($provisioningState -eq "Succeeded")) { + break + } + Start-Sleep -Seconds 10 + $n += 1 + } while ($n -le 20) + $n | Should -BeLessOrEqual 20 + } + + It "Performs a show on the extension" { + $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName + $? | Should -BeTrue + $output | Should -Not -BeNullOrEmpty + } + + It "Runs an update on the extension on the cluster" { + $output = az $Env:K8sExtensionName update -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName --auto-upgrade false --no-wait + $? | Should -BeTrue + + $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName + $? | Should -BeTrue + + $isAutoUpgradeMinorVersion = ($output | ConvertFrom-Json).autoUpgradeMinorVersion + $isAutoUpgradeMinorVersion.ToString() -eq "False" | Should -BeTrue + + # Loop and retry until the extension config updates + $n = 0 + do + { + $isAutoUpgradeMinorVersion = (Get-ExtensionData $extensionName).spec.autoUpgradeMinorVersion + if (!$isAutoUpgradeMinorVersion) { #autoUpgradeMinorVersion doesn't exist in ExtensionConfig CRD if false + break + } + Start-Sleep -Seconds 10 + $n += 1 + } while ($n -le $MAX_RETRY_ATTEMPTS) + $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS + } + + It "Lists the extensions on the cluster" { + $output = az $Env:K8sExtensionName list -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters + $? | Should -BeTrue + + $output | Should -Not -BeNullOrEmpty + $extensionExists = $output | ConvertFrom-Json | Where-Object { $_.extensionType -eq $extensionType } + $extensionExists | Should -Not -BeNullOrEmpty + } + + It "Deletes the extension from the cluster" { + $output = az $Env:K8sExtensionName delete -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName --force + $? | Should -BeTrue + + # Extension should not be found on the cluster + $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName + $? | Should -BeFalse + $output | Should -BeNullOrEmpty + } + + It "Performs another list after the delete" { + $output = az $Env:K8sExtensionName list -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters + $? | Should -BeTrue + $output | Should -Not -BeNullOrEmpty + + $extensionExists = $output | ConvertFrom-Json | Where-Object { $_.extensionType -eq $extensionName } + $extensionExists | Should -BeNullOrEmpty + } +} diff --git a/testing/test/extensions/public/OpenServiceMesh.Tests.ps1 b/testing/test/extensions/public/OpenServiceMesh.Tests.ps1 new file mode 100644 index 00000000000..75756a8ad1f --- /dev/null +++ b/testing/test/extensions/public/OpenServiceMesh.Tests.ps1 @@ -0,0 +1,72 @@ +Describe 'Azure OpenServiceMesh Testing' { + BeforeAll { + $extensionType = "microsoft.openservicemesh" + $extensionName = "openservicemesh" + $extensionVersion = "1.0.0" + $extensionAgentName = "osm-controller" + $extensionAgentNamespace = "arc-osm-system" + $releaseTrain = "pilot" + + . $PSScriptRoot/../../helper/Constants.ps1 + . $PSScriptRoot/../../helper/Helper.ps1 + } + + # Should Not BeNullOrEmpty checks if the command returns JSON output + + It 'Creates the extension and checks that it onboards correctly' { + az $Env:K8sExtensionName create -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters --extension-type $extensionType -n $extensionName --release-train $releaseTrain --version $extensionVersion --no-wait + $? | Should -BeTrue + + $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName + $? | Should -BeTrue + + $isAutoUpgradeMinorVersion = ($output | ConvertFrom-Json).autoUpgradeMinorVersion + $isAutoUpgradeMinorVersion.ToString() -eq "False" | Should -BeTrue + + # Loop and retry until the extension installs + $n = 0 + do + { + if (Has-ExtensionData $extensionName) { + break + } + Start-Sleep -Seconds 10 + $n += 1 + } while ($n -le $MAX_RETRY_ATTEMPTS) + $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS + } + + It "Performs a show on the extension" { + $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName + $? | Should -BeTrue + $output | Should -Not -BeNullOrEmpty + } + + It "Lists the extensions on the cluster" { + $output = az $Env:K8sExtensionName list -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters + $? | Should -BeTrue + + $output | Should -Not -BeNullOrEmpty + $extensionExists = $output | ConvertFrom-Json | Where-Object { $_.extensionType -eq $extensionType } + $extensionExists | Should -Not -BeNullOrEmpty + } + + It "Deletes the extension from the cluster" { + $output = az $Env:K8sExtensionName delete -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName --force + $? | Should -BeTrue + + # Extension should not be found on the cluster + $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName + $? | Should -BeFalse + $output | Should -BeNullOrEmpty + } + + It "Performs another list after the delete" { + $output = az $Env:K8sExtensionName list -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters + $? | Should -BeTrue + $output | Should -Not -BeNullOrEmpty + + $extensionExists = $output | ConvertFrom-Json | Where-Object { $_.extensionType -eq $extensionName } + $extensionExists | Should -BeNullOrEmpty + } +} diff --git a/testing/test/helper/Constants.ps1 b/testing/test/helper/Constants.ps1 new file mode 100644 index 00000000000..3ecd3621bc5 --- /dev/null +++ b/testing/test/helper/Constants.ps1 @@ -0,0 +1,7 @@ +$ENVCONFIG = Get-Content -Path $PSScriptRoot/../../settings.json | ConvertFrom-Json +$SUCCESS_MESSAGE = "Successfully installed the extension" +$FAILED_MESSAGE = "Failed to install the extension" + +$POD_RUNNING = "Running" + +$MAX_RETRY_ATTEMPTS = 10 \ No newline at end of file diff --git a/testing/test/helper/Helper.ps1 b/testing/test/helper/Helper.ps1 new file mode 100644 index 00000000000..4ff949e7ab4 --- /dev/null +++ b/testing/test/helper/Helper.ps1 @@ -0,0 +1,72 @@ +function Get-ExtensionData { + param( + [string]$extensionName + ) + + $output = kubectl get extensionconfigs -A -o json | ConvertFrom-Json + return $output.items | Where-Object { $_.metadata.name -eq $extensionName } +} + +function Has-ExtensionData { + param( + [string]$extensionName + ) + $extensionData = Get-ExtensionData $extensionName + if ($extensionData) { + return $true + } + return $false +} + + +function Has-Identity-Provisioned { + $output = kubectl get azureclusteridentityrequests -n azure-arc container-insights-clusteridentityrequest -o json | ConvertFrom-Json + return ($null -ne $output.status.expirationTime) -and ($null -ne $output.status.tokenReference.dataName) -and ($null -ne $output.status.tokenReference.secretName) +} + +function Get-ExtensionStatus { + param( + [string]$extensionName + ) + + $extensionData = Get-ExtensionData $extensionName + if ($extensionData) { + return $extensionData.status.status + } + return $null +} + +function Get-PodStatus { + param( + [string]$podName, + [string]$Namespace + ) + + $allPodData = kubectl get pods -n $Namespace -o json | ConvertFrom-Json + $podData = $allPodData.items | Where-Object { $_.metadata.name -Match $podName } + if ($podData.Length -gt 1) { + return $podData[0].status.phase + } + return $podData.status.phase +} + +function Get-ExtensionConfigurationSettings { + param( + [string]$extensionName, + [string]$configKey + ) + + $extensionData = Get-ExtensionData $extensionName + if ($extensionData) { + return $extensionData.spec.parameter."$configKey" + } + return $null +} + +function Check-Error { + param( + [string]$output + ) + $hasError = $output -CMatch "ERROR" + return $hasError +} \ No newline at end of file From 0a6208d9642891eb9013a9ac701d2e91bcbb0bd2 Mon Sep 17 00:00:00 2001 From: Deeksha Sharma Date: Thu, 29 Sep 2022 14:21:25 -0700 Subject: [PATCH 04/44] adding the api version to the operation definition in the client factory --- .../azext_k8s_extension/_client_factory.py | 18 +++++++++--------- 1 file changed, 9 insertions(+), 9 deletions(-) diff --git a/src/k8s-extension/azext_k8s_extension/_client_factory.py b/src/k8s-extension/azext_k8s_extension/_client_factory.py index 0ecf3a7ee15..36e450bf244 100644 --- a/src/k8s-extension/azext_k8s_extension/_client_factory.py +++ b/src/k8s-extension/azext_k8s_extension/_client_factory.py @@ -13,24 +13,24 @@ def cf_k8s_extension(cli_ctx, **kwargs): return get_mgmt_service_client(cli_ctx, SourceControlConfigurationClient, **kwargs) -def cf_k8s_extension_operation(cli_ctx, _): +def cf_k8s_extension_operation(cli_ctx, *_): return cf_k8s_extension(cli_ctx).extensions -def cf_k8s_cluster_extension_types_operation(cli_ctx, _): - return cf_k8s_extension(cli_ctx).cluster_extension_types +def cf_k8s_cluster_extension_types_operation(cli_ctx, *_): + return cf_k8s_extension(cli_ctx, api_version=consts.EXTENSION_TYPE_API_VERSION).cluster_extension_types -def cf_k8s_cluster_extension_type_operation(cli_ctx, _): - return cf_k8s_extension(cli_ctx, consts.EXTENSION_TYPE_API_VERSION).cluster_extension_type +def cf_k8s_cluster_extension_type_operation(cli_ctx, *_): + return cf_k8s_extension(cli_ctx, api_version=consts.EXTENSION_TYPE_API_VERSION).cluster_extension_type -def cf_k8s_location_extension_types_operation(cli_ctx, _): - return cf_k8s_extension(cli_ctx, consts.EXTENSION_TYPE_API_VERSION).location_extension_types +def cf_k8s_location_extension_types_operation(cli_ctx, *_): + return cf_k8s_extension(cli_ctx, api_version=consts.EXTENSION_TYPE_API_VERSION).location_extension_types -def cf_k8s_extension_type_versions_operation(cli_ctx, _): - return cf_k8s_extension(cli_ctx, consts.EXTENSION_TYPE_API_VERSION).extension_type_versions +def cf_k8s_extension_type_versions_operation(cli_ctx, *_): + return cf_k8s_extension(cli_ctx, api_version=consts.EXTENSION_TYPE_API_VERSION).extension_type_versions def cf_resource_groups(cli_ctx, subscription_id=None): From 9c6835c6fbc58cec1318e7d4390eff3eb89a2904 Mon Sep 17 00:00:00 2001 From: Deeksha Sharma Date: Thu, 29 Sep 2022 14:55:20 -0700 Subject: [PATCH 05/44] bump k8s-extension version to 1.3.6 --- src/k8s-extension/HISTORY.rst | 7 +++++++ src/k8s-extension/setup.py | 2 +- 2 files changed, 8 insertions(+), 1 deletion(-) diff --git a/src/k8s-extension/HISTORY.rst b/src/k8s-extension/HISTORY.rst index a9a7bd52f7f..d220fc47465 100644 --- a/src/k8s-extension/HISTORY.rst +++ b/src/k8s-extension/HISTORY.rst @@ -2,6 +2,13 @@ Release History =============== + +1.3.6 +++++++++++++++++++ +* k8s-extension fix to address the error TypeError: cf_k8s_extension() takes 1 positional argument but 2 were given while running all az k8s-extension extension-types commands +* microsoft.azuremonitor.containers: Update DCR creation to Clusters resource group instead of workspace +* microsoft.dataprotection.kubernetes: Authoring a new k8s partner extension for the BCDR solution of AKS clusters + 1.3.5 ++++++++++++++++++ * Use the api-version 2022-04-02-preview in the CLI command az k8s-extension extension-types list diff --git a/src/k8s-extension/setup.py b/src/k8s-extension/setup.py index eb57c01de8a..4975bf63bd3 100644 --- a/src/k8s-extension/setup.py +++ b/src/k8s-extension/setup.py @@ -33,7 +33,7 @@ # TODO: Add any additional SDK dependencies here DEPENDENCIES = [] -VERSION = "1.3.5" +VERSION = "1.3.6" with open("README.rst", "r", encoding="utf-8") as f: README = f.read() From 700bee5d75ab4dc18f4e4f9f361ccb465aa9066a Mon Sep 17 00:00:00 2001 From: Deeksha Sharma Date: Fri, 30 Sep 2022 14:00:03 -0700 Subject: [PATCH 06/44] adding tests for all 4 extension types calls --- .../public/ExtensionTypes.Tests.ps1 | 33 +++++++++++++++++++ 1 file changed, 33 insertions(+) create mode 100644 testing/test/extensions/public/ExtensionTypes.Tests.ps1 diff --git a/testing/test/extensions/public/ExtensionTypes.Tests.ps1 b/testing/test/extensions/public/ExtensionTypes.Tests.ps1 new file mode 100644 index 00000000000..d9634024432 --- /dev/null +++ b/testing/test/extensions/public/ExtensionTypes.Tests.ps1 @@ -0,0 +1,33 @@ +Describe 'Extension Types Testing' { + BeforeAll { + $extensionType = "cassandradatacentersoperator" + $location = "eastus2euap" + + . $PSScriptRoot/../../helper/Constants.ps1 + . $PSScriptRoot/../../helper/Helper.ps1 + } + + It 'Performs a show extension types call' { + $output = az $Env:K8sExtensionName extension-types show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters --extension-type $extensionType + $? | Should -BeTrue + $output | Should -Not -BeNullOrEmpty + } + + It "Performs a cluster-scoped list extension types call" { + $output = az $Env:K8sExtensionName extension-types list -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters + $? | Should -BeTrue + $output | Should -Not -BeNullOrEmpty + } + + It "Performs a location-scoped list extension types call" { + $output = az $Env:K8sExtensionName extension-types list-by-location --location $location + $? | Should -BeTrue + $output | Should -Not -BeNullOrEmpty + } + + It "Performs a location-scoped list extension type versions call" { + $output = az $Env:K8sExtensionName extension-types list-versions --location $location --extension-type $extensionType + $? | Should -BeTrue + $output | Should -Not -BeNullOrEmpty + } +} From efd86d4e1497b9edf125f469760e143d21243db8 Mon Sep 17 00:00:00 2001 From: Deeksha Sharma Date: Fri, 30 Sep 2022 14:05:31 -0700 Subject: [PATCH 07/44] adding to test config file --- testing/pipeline/k8s-custom-pipelines.yml | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/testing/pipeline/k8s-custom-pipelines.yml b/testing/pipeline/k8s-custom-pipelines.yml index 0592b58ec53..ef1f5aa8577 100644 --- a/testing/pipeline/k8s-custom-pipelines.yml +++ b/testing/pipeline/k8s-custom-pipelines.yml @@ -41,6 +41,10 @@ stages: parameters: jobName: Cassandra path: ./test/extensions/public/Cassandra.Tests.ps1 + - template: ./templates/run-test.yml + parameters: + jobName: ExtensionTypes + path: ./test/extensions/public/ExtensionTypes.Tests.ps1 - template: ./templates/run-test.yml parameters: jobName: OpenServiceMesh From 8dcef494a72158ddb4ab79a60fa60bb18ed412f7 Mon Sep 17 00:00:00 2001 From: Deeksha Sharma Date: Fri, 30 Sep 2022 16:32:37 -0700 Subject: [PATCH 08/44] updating the api version for extension types to be the correct version expected by the service --- src/k8s-extension/azext_k8s_extension/consts.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/k8s-extension/azext_k8s_extension/consts.py b/src/k8s-extension/azext_k8s_extension/consts.py index 2044f06bf4d..c69df7a73f0 100644 --- a/src/k8s-extension/azext_k8s_extension/consts.py +++ b/src/k8s-extension/azext_k8s_extension/consts.py @@ -25,4 +25,4 @@ APPLIANCE_API_VERSION = "2021-10-31-preview" HYBRIDCONTAINERSERVICE_API_VERSION = "2022-05-01-preview" -EXTENSION_TYPE_API_VERSION = "2022-04-02-preview" +EXTENSION_TYPE_API_VERSION = "2022-01-15-preview" From 2ecb63af6e647d1c60f96f2f209a464a3ee07274 Mon Sep 17 00:00:00 2001 From: Bavneet Singh <33008256+bavneetsingh16@users.noreply.github.com> Date: Mon, 3 Oct 2022 11:57:17 -0700 Subject: [PATCH 09/44] add test case for flux extension (#184) --- testing/pipeline/k8s-custom-pipelines.yml | 4 ++ testing/test/extensions/public/Flux.Tests.ps1 | 63 +++++++++++++++++++ 2 files changed, 67 insertions(+) create mode 100644 testing/test/extensions/public/Flux.Tests.ps1 diff --git a/testing/pipeline/k8s-custom-pipelines.yml b/testing/pipeline/k8s-custom-pipelines.yml index 0592b58ec53..4d87a15224d 100644 --- a/testing/pipeline/k8s-custom-pipelines.yml +++ b/testing/pipeline/k8s-custom-pipelines.yml @@ -45,6 +45,10 @@ stages: parameters: jobName: OpenServiceMesh path: ./test/extensions/public/OpenServiceMesh.Tests.ps1 + - template: ./templates/run-test.yml + parameters: + jobName: Flux + path: ./test/extensions/public/Flux.Tests.ps1 - job: BuildPublishExtension pool: vmImage: 'ubuntu-latest' diff --git a/testing/test/extensions/public/Flux.Tests.ps1 b/testing/test/extensions/public/Flux.Tests.ps1 new file mode 100644 index 00000000000..7faa6aa9c70 --- /dev/null +++ b/testing/test/extensions/public/Flux.Tests.ps1 @@ -0,0 +1,63 @@ +Describe 'Azure Flux Testing' { + BeforeAll { + $extensionType = "microsoft.flux" + $extensionName = "flux" + $clusterType = "connectedClusters" + + . $PSScriptRoot/../../helper/Constants.ps1 + . $PSScriptRoot/../../helper/Helper.ps1 + } + + It 'Creates the extension and checks that it onboards correctly' { + $output = az $Env:K8sExtensionName create -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type $clusterType -n $extensionName --extension-type $extensionType --no-wait + $? | Should -BeTrue + + $n = 0 + do + { + $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type $clusterType -n $extensionName + $provisioningState = ($output | ConvertFrom-Json).provisioningState + Write-Host "Provisioning State: $provisioningState" + if ($provisioningState -eq "Succeeded") { + break + } + Start-Sleep -Seconds 40 + $n += 1 + } while ($n -le $MAX_RETRY_ATTEMPTS) + $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS + } + + It "Performs a show on the extension" { + $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type $clusterType -n $extensionName + $? | Should -BeTrue + $output | Should -Not -BeNullOrEmpty + } + + It "Lists the extensions on the cluster" { + $output = az $Env:K8sExtensionName list -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type $clusterType + $? | Should -BeTrue + + $output | Should -Not -BeNullOrEmpty + $extensionExists = $output | ConvertFrom-Json | Where-Object { $_.extensionType -eq $extensionType } + $extensionExists | Should -Not -BeNullOrEmpty + } + + It "Deletes the extension from the cluster" { + $output = az $Env:K8sExtensionName delete -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type $clusterType -n $extensionName --force + $? | Should -BeTrue + + # Extension should not be found on the cluster + $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type $clusterType -n $extensionName + $? | Should -BeFalse + $output | Should -BeNullOrEmpty + } + + It "Performs another list after the delete" { + $output = az $Env:K8sExtensionName list -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type $clusterType + $? | Should -BeTrue + $output | Should -Not -BeNullOrEmpty + + $extensionExists = $output | ConvertFrom-Json | Where-Object { $_.extensionType -eq $extensionName } + $extensionExists | Should -BeNullOrEmpty + } +} \ No newline at end of file From 4ae3aa69c89584faffdfeac65730a904f9972b2a Mon Sep 17 00:00:00 2001 From: Deeksha Sharma Date: Wed, 5 Oct 2022 16:39:26 -0700 Subject: [PATCH 10/44] bump k8s-extension version to 1.3.6 --- src/k8s-extension/HISTORY.rst | 2 ++ src/k8s-extension/setup.py | 2 +- 2 files changed, 3 insertions(+), 1 deletion(-) diff --git a/src/k8s-extension/HISTORY.rst b/src/k8s-extension/HISTORY.rst index d220fc47465..1de8cc95b23 100644 --- a/src/k8s-extension/HISTORY.rst +++ b/src/k8s-extension/HISTORY.rst @@ -5,6 +5,8 @@ Release History 1.3.6 ++++++++++++++++++ +* k8s-extension updating the api version for extension type calls +* k8s-extension adding tests for all extension type calls * k8s-extension fix to address the error TypeError: cf_k8s_extension() takes 1 positional argument but 2 were given while running all az k8s-extension extension-types commands * microsoft.azuremonitor.containers: Update DCR creation to Clusters resource group instead of workspace * microsoft.dataprotection.kubernetes: Authoring a new k8s partner extension for the BCDR solution of AKS clusters diff --git a/src/k8s-extension/setup.py b/src/k8s-extension/setup.py index 4975bf63bd3..b0f1d82c1fd 100644 --- a/src/k8s-extension/setup.py +++ b/src/k8s-extension/setup.py @@ -33,7 +33,7 @@ # TODO: Add any additional SDK dependencies here DEPENDENCIES = [] -VERSION = "1.3.6" +VERSION = "1.3.7" with open("README.rst", "r", encoding="utf-8") as f: README = f.read() From 0213a712f264941cdc6c157e20796b7a76263592 Mon Sep 17 00:00:00 2001 From: Deeksha Sharma Date: Thu, 6 Oct 2022 10:15:10 -0700 Subject: [PATCH 11/44] bump k8s-extension version to 1.3.6 --- src/k8s-extension/setup.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/k8s-extension/setup.py b/src/k8s-extension/setup.py index b0f1d82c1fd..4975bf63bd3 100644 --- a/src/k8s-extension/setup.py +++ b/src/k8s-extension/setup.py @@ -33,7 +33,7 @@ # TODO: Add any additional SDK dependencies here DEPENDENCIES = [] -VERSION = "1.3.7" +VERSION = "1.3.6" with open("README.rst", "r", encoding="utf-8") as f: README = f.read() From ef3e79f56edf3054fd1b32c97ab7bc87d121f126 Mon Sep 17 00:00:00 2001 From: Deeksha Sharma Date: Mon, 17 Oct 2022 12:15:28 -0700 Subject: [PATCH 12/44] adding upstream test for extension types --- .../recordings/test_k8s_extension_types.yaml | 290 ++++++++++++++++++ .../test_k8s_extension_types_scenario.py | 40 +++ 2 files changed, 330 insertions(+) create mode 100644 src/k8s-extension/azext_k8s_extension/tests/latest/recordings/test_k8s_extension_types.yaml create mode 100644 src/k8s-extension/azext_k8s_extension/tests/latest/test_k8s_extension_types_scenario.py diff --git a/src/k8s-extension/azext_k8s_extension/tests/latest/recordings/test_k8s_extension_types.yaml b/src/k8s-extension/azext_k8s_extension/tests/latest/recordings/test_k8s_extension_types.yaml new file mode 100644 index 00000000000..a1d59fe92da --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/tests/latest/recordings/test_k8s_extension_types.yaml @@ -0,0 +1,290 @@ +interactions: +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - k8s-extension extension-types show + Connection: + - keep-alive + ParameterSetName: + - -g -c --cluster-type --extension-type + User-Agent: + - AZURECLI/2.40.0 (PIP) azsdk-python-azure-mgmt-kubernetesconfiguration/2.0.0 + Python/3.10.0 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/cassandradatacentersoperator?api-version=2022-01-15-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/cassandradatacentersoperator","name":"cassandradatacentersoperator","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"namespace","clusterScopeSettings":null},"releaseTrains":["stable"],"clusterTypes":["managedclusters","appliances"]}}' + headers: + api-supported-versions: + - 2021-05-01-preview, 2022-01-15-preview + cache-control: + - no-cache + content-length: + - '505' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 17 Oct 2022 19:14:48 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - k8s-extension extension-types list + Connection: + - keep-alive + ParameterSetName: + - -g -c --cluster-type + User-Agent: + - AZURECLI/2.40.0 (PIP) azsdk-python-azure-mgmt-kubernetesconfiguration/2.0.0 + Python/3.10.0 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes?api-version=2022-01-15-preview + response: + body: + string: '{"value":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/azuremonitor-containers","name":"azuremonitor-containers","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"kube-system"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.policy","name":"microsoft.policy","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"kube-system"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.openservicemesh","name":"microsoft.openservicemesh","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"arc-osm-system"}},"releaseTrains":[],"clusterTypes":["connectedclusters","provisionedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/cassandradatacentersoperator","name":"cassandradatacentersoperator","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"namespace","clusterScopeSettings":null},"releaseTrains":[],"clusterTypes":["managedclusters","appliances"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.apimanagement.gateway","name":"microsoft.apimanagement.gateway","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"gateway"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.web.appservice","name":"microsoft.web.appservice","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":true,"defaultReleaseNamespace":"appservice"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/ansibletoweroperator","name":"ansibletoweroperator","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":true,"defaultReleaseNamespace":"awx-operator"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.azuredefender.kubernetes","name":"microsoft.azuredefender.kubernetes","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"mdc"}},"releaseTrains":[],"clusterTypes":["connectedclusters","provisionedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.eventgrid","name":"microsoft.eventgrid","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"eventgrid-system"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.azureml.kubernetes","name":"microsoft.azureml.kubernetes","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"namespace","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"azure-ml"}},"releaseTrains":[],"clusterTypes":["managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/dapr","name":"dapr","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"dapr-system"}},"releaseTrains":[],"clusterTypes":["managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.azurenw.mobilenetwork","name":"microsoft.azurenw.mobilenetwork","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"namespace","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"azurenw-mn"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.arcdataservices","name":"microsoft.arcdataservices","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"arc"}},"releaseTrains":[],"clusterTypes":["connectedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.scvmm","name":"microsoft.scvmm","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"azure-vmmoperator"}},"releaseTrains":[],"clusterTypes":["ConnectedClusters","Appliances"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.avs","name":"microsoft.avs","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"azure-avsoperator"}},"releaseTrains":[],"clusterTypes":["ConnectedClusters","Appliances"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.vmware","name":"microsoft.vmware","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"azure-vmwareoperator"}},"releaseTrains":[],"clusterTypes":["ConnectedClusters","Appliances"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.azstackhci.operator","name":"microsoft.azstackhci.operator","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"azstackhci-operator"}},"releaseTrains":[],"clusterTypes":["Appliances"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.azurenw.networkfunction","name":"microsoft.azurenw.networkfunction","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"namespace","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"azure-networkfunction"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.azuremonitor.containers","name":"microsoft.azuremonitor.containers","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"kube-system"}},"releaseTrains":[],"clusterTypes":["ConnectedCluster","ProvisionedClusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.unitycloud.konductor","name":"microsoft.unitycloud.konductor","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"konductor"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.policyinsights","name":"microsoft.policyinsights","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"kube-system"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.cnab","name":"microsoft.cnab","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"cnab-operator"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.azure.hybridnetwork","name":"microsoft.azure.hybridnetwork","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"namespace","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"azurehybridnetwork"}},"releaseTrains":[],"clusterTypes":["appliances","provisionedclusters","connectedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.azurebackup.backupagent","name":"microsoft.azurebackup.backupagent","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"namespace","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"azurebackup"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters","Appliances","ProvisionedClusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.aksedgeoperator","name":"microsoft.aksedgeoperator","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"aksedge-operator-system"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.flux","name":"microsoft.flux","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"flux-system"}},"releaseTrains":[],"clusterTypes":["connectedclusters","managedclusters","provisionedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.azurebackup.dataprotectionplugin","name":"microsoft.azurebackup.dataprotectionplugin","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"namespace","clusterScopeSettings":null},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters","Appliances","ProvisionedClusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.containerregistry.connectedregistry","name":"microsoft.containerregistry.connectedregistry","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"connected-registry"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.dapr","name":"microsoft.dapr","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"dapr-system"}},"releaseTrains":[],"clusterTypes":["connectedCluster","managedClusters","Appliances","ProvisionedClusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.hybridaksoperator","name":"microsoft.hybridaksoperator","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"hybridaks-operator-system"}},"releaseTrains":[],"clusterTypes":["Appliances"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.azurekeyvaultsecretsprovider","name":"microsoft.azurekeyvaultsecretsprovider","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"kube-system"}},"releaseTrains":[],"clusterTypes":["connectedclusters","provisionedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.testbonsaiextension","name":"microsoft.testbonsaiextension","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":true,"defaultReleaseNamespace":"kube-system"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/cassandradatacentersoperator1","name":"cassandradatacentersoperator1","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"namespace","clusterScopeSettings":null},"releaseTrains":[],"clusterTypes":["managedclusters","appliances"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.azurevote.previewstandard","name":"microsoft.azurevote.previewstandard","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"namespace","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"vote"}},"releaseTrains":[],"clusterTypes":["managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.servicelinker.connection","name":"microsoft.servicelinker.connection","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":true,"defaultReleaseNamespace":"default"}},"releaseTrains":[],"clusterTypes":["managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/deislabs.akri","name":"deislabs.akri","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"akri"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.arcextensionusage","name":"microsoft.arcextensionusage","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"arc-osm-system"}},"releaseTrains":[],"clusterTypes":["managedclusters","connectedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.azure.mobilenetwork.packetcoremonitor","name":"microsoft.azure.mobilenetwork.packetcoremonitor","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"packet-core-monitor"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters","Appliances"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.extensionsusage","name":"microsoft.extensionsusage","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"azure-extensions-usage-system"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.connectedopenstack","name":"microsoft.connectedopenstack","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"connectedopenstack"}},"releaseTrains":[],"clusterTypes":["Appliances","connectedCluster"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.networkcloud.userrp","name":"microsoft.networkcloud.userrp","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-rp"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedcluster"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.aziot.edge","name":"microsoft.aziot.edge","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"aziotedge-system"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.appliance.management.operator","name":"microsoft.appliance.management.operator","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"kva-management"}},"releaseTrains":[],"clusterTypes":["Appliances"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.networkcloud.userrp.dev","name":"microsoft.networkcloud.userrp.dev","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-rp"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedcluster"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.networkcloud.clustermanager.dev","name":"microsoft.networkcloud.clustermanager.dev","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-cluster-manager-extension"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.networkcloud.platformcluster.dev","name":"microsoft.networkcloud.platformcluster.dev","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-system"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.managednetworkfabric","name":"microsoft.managednetworkfabric","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"managednetworkfabric"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/ + microsoft.azurebackup.mockplugin","name":" microsoft.azurebackup.mockplugin","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":" + namespace","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":null}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters","Appliances","ProvisionedClusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.azurebackup.mockplugin","name":"microsoft.azurebackup.mockplugin","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":" + namespace","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":null}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters","Appliances","ProvisionedClusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/connectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.networkcloud.userrp.staging","name":"microsoft.networkcloud.userrp.staging","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-rp"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedcluster"]}}],"nextLink":"https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/ConnectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes?api-version=2022-01-15-preview&continuationToken=JTVCJTdCJTIydG9rZW4lMjIlM0ElMjIlMkJSSUQlM0F%2Bc1VvbEFONFRzMHkxRHowQUFBQUFBQSUzRCUzRCUyM1JUJTNBMSUyM1RSQyUzQTUwJTIzSVNWJTNBMiUyM0lFTyUzQTY1NTUxJTIzUUNGJTNBOCUyMiUyQyUyMnJhbmdlJTIyJTNBJTdCJTIybWluJTIyJTNBJTIyJTIyJTJDJTIybWF4JTIyJTNBJTIyMDVDMURGRkZGRkZGRkMlMjIlN0QlN0QlNUQ%3D"}' + headers: + api-supported-versions: + - 2021-05-01-preview, 2022-01-15-preview + cache-control: + - no-cache + content-length: + - '28395' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 17 Oct 2022 19:14:50 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - k8s-extension extension-types list + Connection: + - keep-alive + ParameterSetName: + - -g -c --cluster-type + User-Agent: + - AZURECLI/2.40.0 (PIP) azsdk-python-azure-mgmt-kubernetesconfiguration/2.0.0 + Python/3.10.0 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/ConnectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes?api-version=2022-01-15-preview&continuationToken=JTVCJTdCJTIydG9rZW4lMjIlM0ElMjIlMkJSSUQlM0F%2Bc1VvbEFONFRzMHkxRHowQUFBQUFBQSUzRCUzRCUyM1JUJTNBMSUyM1RSQyUzQTUwJTIzSVNWJTNBMiUyM0lFTyUzQTY1NTUxJTIzUUNGJTNBOCUyMiUyQyUyMnJhbmdlJTIyJTNBJTdCJTIybWluJTIyJTNBJTIyJTIyJTJDJTIybWF4JTIyJTNBJTIyMDVDMURGRkZGRkZGRkMlMjIlN0QlN0QlNUQ%3D + response: + body: + string: '{"value":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/ConnectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.networkcloud.platformcluster.sandbox","name":"microsoft.networkcloud.platformcluster.sandbox","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-system"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/ConnectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.networkcloud.userrp.test","name":"microsoft.networkcloud.userrp.test","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-rp"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedcluster"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/ConnectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.networkcloud.platformcluster.test","name":"microsoft.networkcloud.platformcluster.test","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-system"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/ConnectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.networkcloud.clustermanager.test","name":"microsoft.networkcloud.clustermanager.test","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-cluster-manager-extension"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/ConnectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.networkcloud.clustermanager.sandbox","name":"microsoft.networkcloud.clustermanager.sandbox","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-system"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/ConnectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.networkcloud.clustermanager.staging","name":"microsoft.networkcloud.clustermanager.staging","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-cluster-manager-extension"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/ConnectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.networkcloud.platformcluster.staging","name":"microsoft.networkcloud.platformcluster.staging","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-system"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/ConnectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.az.edge.mqtt","name":"microsoft.az.edge.mqtt","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"azedge-system"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/ConnectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.azedge.mqtt","name":"microsoft.azedge.mqtt","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"azedge-system"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/ConnectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.networkcloud.platformcluster.euap","name":"microsoft.networkcloud.platformcluster.euap","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-system"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/ConnectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.networkcloud.platformcluster.prod","name":"microsoft.networkcloud.platformcluster.prod","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-system"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/ConnectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.networkcloud.clustermanager.prod","name":"microsoft.networkcloud.clustermanager.prod","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-cluster-manager-extension"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/ConnectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.networkcloud.clustermanager.euap","name":"microsoft.networkcloud.clustermanager.euap","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-cluster-manager-extension"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/ConnectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.networkcloud.userrp.prod","name":"microsoft.networkcloud.userrp.prod","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-rp"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedcluster"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/ConnectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.networkcloud.userrp.euap","name":"microsoft.networkcloud.userrp.euap","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-rp"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedcluster"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/ConnectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/cassandradatacentersoperatorv2","name":"cassandradatacentersoperatorv2","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"namespace","clusterScopeSettings":null},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters","Appliances","ProvisionedClusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/ConnectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.app.environment","name":"microsoft.app.environment","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"appservice"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/ConnectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/cassandradatacentersoperatorv3","name":"cassandradatacentersoperatorv3","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"namespace","clusterScopeSettings":null},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/ConnectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.defender.containers","name":"microsoft.defender.containers","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"mdc"}},"releaseTrains":[],"clusterTypes":["Connectedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/ConnectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.contoso.clusters","name":"microsoft.contoso.clusters","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"namespace","clusterScopeSettings":null},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/ConnectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.contoso.towers","name":"microsoft.contoso.towers","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":true,"defaultReleaseNamespace":"ansible"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/ConnectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.azurebackup.kubernetes.test","name":"microsoft.azurebackup.kubernetes.test","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"azbackup"}},"releaseTrains":[],"clusterTypes":["Managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/ConnectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.azstor","name":"microsoft.azstor","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"azstor"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters","Appliances"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/ConnectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.networkcloud.platformruntime.dev","name":"microsoft.networkcloud.platformruntime.dev","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-system"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/ConnectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.networkcloud.platformruntime.test","name":"microsoft.networkcloud.platformruntime.test","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-system"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/ConnectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.networkcloud.platformruntime.staging","name":"microsoft.networkcloud.platformruntime.staging","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-system"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/ConnectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.networkcloud.platformruntime.euap","name":"microsoft.networkcloud.platformruntime.euap","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-system"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/ConnectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.networkcloud.platformruntime.prod","name":"microsoft.networkcloud.platformruntime.prod","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-system"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/ConnectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.networkcloud.platformruntime.sandbox","name":"microsoft.networkcloud.platformruntime.sandbox","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-system"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/ConnectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.networkfabricserviceextension","name":"microsoft.networkfabricserviceextension","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"managednetworkfabricservices"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest-rg/providers/Microsoft.Kubernetes/ConnectedClusters/kind-clitest-cluster/providers/Microsoft.KubernetesConfiguration/extensionTypes/microsoft.policyinsightshybridakstest","name":"microsoft.policyinsightshybridakstest","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"kube-system"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","ProvisionedClusters"]}}],"nextLink":null}' + headers: + api-supported-versions: + - 2021-05-01-preview, 2022-01-15-preview + cache-control: + - no-cache + content-length: + - '17847' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 17 Oct 2022 19:14:52 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - k8s-extension extension-types list-by-location + Connection: + - keep-alive + ParameterSetName: + - --location + User-Agent: + - AZURECLI/2.40.0 (PIP) azsdk-python-azure-mgmt-kubernetesconfiguration/2.0.0 + Python/3.10.0 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes?api-version=2022-01-15-preview + response: + body: + string: '{"value":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/azuremonitor-containers","name":"azuremonitor-containers","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"kube-system"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.policy","name":"microsoft.policy","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"kube-system"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.openservicemesh","name":"microsoft.openservicemesh","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"arc-osm-system"}},"releaseTrains":[],"clusterTypes":["connectedclusters","provisionedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/cassandradatacentersoperator","name":"cassandradatacentersoperator","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"namespace","clusterScopeSettings":null},"releaseTrains":[],"clusterTypes":["managedclusters","appliances"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.apimanagement.gateway","name":"microsoft.apimanagement.gateway","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"gateway"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.web.appservice","name":"microsoft.web.appservice","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":true,"defaultReleaseNamespace":"appservice"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/ansibletoweroperator","name":"ansibletoweroperator","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":true,"defaultReleaseNamespace":"awx-operator"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.azuredefender.kubernetes","name":"microsoft.azuredefender.kubernetes","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"mdc"}},"releaseTrains":[],"clusterTypes":["connectedclusters","provisionedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.eventgrid","name":"microsoft.eventgrid","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"eventgrid-system"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.azureml.kubernetes","name":"microsoft.azureml.kubernetes","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"namespace","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"azure-ml"}},"releaseTrains":[],"clusterTypes":["managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/dapr","name":"dapr","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"dapr-system"}},"releaseTrains":[],"clusterTypes":["managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.azurenw.mobilenetwork","name":"microsoft.azurenw.mobilenetwork","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"namespace","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"azurenw-mn"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.arcdataservices","name":"microsoft.arcdataservices","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"arc"}},"releaseTrains":[],"clusterTypes":["connectedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.scvmm","name":"microsoft.scvmm","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"azure-vmmoperator"}},"releaseTrains":[],"clusterTypes":["ConnectedClusters","Appliances"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.avs","name":"microsoft.avs","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"azure-avsoperator"}},"releaseTrains":[],"clusterTypes":["ConnectedClusters","Appliances"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.vmware","name":"microsoft.vmware","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"azure-vmwareoperator"}},"releaseTrains":[],"clusterTypes":["ConnectedClusters","Appliances"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.azstackhci.operator","name":"microsoft.azstackhci.operator","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"azstackhci-operator"}},"releaseTrains":[],"clusterTypes":["Appliances"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.azurenw.networkfunction","name":"microsoft.azurenw.networkfunction","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"namespace","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"azure-networkfunction"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.azuremonitor.containers","name":"microsoft.azuremonitor.containers","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"kube-system"}},"releaseTrains":[],"clusterTypes":["ConnectedCluster","ProvisionedClusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.unitycloud.konductor","name":"microsoft.unitycloud.konductor","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"konductor"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.policyinsights","name":"microsoft.policyinsights","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"kube-system"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.cnab","name":"microsoft.cnab","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"cnab-operator"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.azure.hybridnetwork","name":"microsoft.azure.hybridnetwork","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"namespace","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"azurehybridnetwork"}},"releaseTrains":[],"clusterTypes":["appliances","provisionedclusters","connectedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.azurebackup.backupagent","name":"microsoft.azurebackup.backupagent","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"namespace","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"azurebackup"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters","Appliances","ProvisionedClusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.aksedgeoperator","name":"microsoft.aksedgeoperator","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"aksedge-operator-system"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.flux","name":"microsoft.flux","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"flux-system"}},"releaseTrains":[],"clusterTypes":["connectedclusters","managedclusters","provisionedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.azurebackup.dataprotectionplugin","name":"microsoft.azurebackup.dataprotectionplugin","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"namespace","clusterScopeSettings":null},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters","Appliances","ProvisionedClusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.containerregistry.connectedregistry","name":"microsoft.containerregistry.connectedregistry","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"connected-registry"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.dapr","name":"microsoft.dapr","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"dapr-system"}},"releaseTrains":[],"clusterTypes":["connectedCluster","managedClusters","Appliances","ProvisionedClusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.hybridaksoperator","name":"microsoft.hybridaksoperator","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"hybridaks-operator-system"}},"releaseTrains":[],"clusterTypes":["Appliances"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.azurekeyvaultsecretsprovider","name":"microsoft.azurekeyvaultsecretsprovider","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"kube-system"}},"releaseTrains":[],"clusterTypes":["connectedclusters","provisionedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.testbonsaiextension","name":"microsoft.testbonsaiextension","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":true,"defaultReleaseNamespace":"kube-system"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/cassandradatacentersoperator1","name":"cassandradatacentersoperator1","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"namespace","clusterScopeSettings":null},"releaseTrains":[],"clusterTypes":["managedclusters","appliances"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.azurevote.previewstandard","name":"microsoft.azurevote.previewstandard","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"namespace","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"vote"}},"releaseTrains":[],"clusterTypes":["managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.servicelinker.connection","name":"microsoft.servicelinker.connection","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":true,"defaultReleaseNamespace":"default"}},"releaseTrains":[],"clusterTypes":["managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/deislabs.akri","name":"deislabs.akri","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"akri"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.arcextensionusage","name":"microsoft.arcextensionusage","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"arc-osm-system"}},"releaseTrains":[],"clusterTypes":["managedclusters","connectedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.azure.mobilenetwork.packetcoremonitor","name":"microsoft.azure.mobilenetwork.packetcoremonitor","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"packet-core-monitor"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters","Appliances"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.extensionsusage","name":"microsoft.extensionsusage","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"azure-extensions-usage-system"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.connectedopenstack","name":"microsoft.connectedopenstack","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"connectedopenstack"}},"releaseTrains":[],"clusterTypes":["Appliances","connectedCluster"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.networkcloud.userrp","name":"microsoft.networkcloud.userrp","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-rp"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedcluster"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.aziot.edge","name":"microsoft.aziot.edge","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"aziotedge-system"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.appliance.management.operator","name":"microsoft.appliance.management.operator","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"kva-management"}},"releaseTrains":[],"clusterTypes":["Appliances"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.networkcloud.userrp.dev","name":"microsoft.networkcloud.userrp.dev","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-rp"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedcluster"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.networkcloud.clustermanager.dev","name":"microsoft.networkcloud.clustermanager.dev","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-cluster-manager-extension"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.networkcloud.platformcluster.dev","name":"microsoft.networkcloud.platformcluster.dev","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-system"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.managednetworkfabric","name":"microsoft.managednetworkfabric","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"managednetworkfabric"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/ + microsoft.azurebackup.mockplugin","name":" microsoft.azurebackup.mockplugin","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":" + namespace","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":null}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters","Appliances","ProvisionedClusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.azurebackup.mockplugin","name":"microsoft.azurebackup.mockplugin","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":" + namespace","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":null}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters","Appliances","ProvisionedClusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.networkcloud.userrp.staging","name":"microsoft.networkcloud.userrp.staging","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-rp"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedcluster"]}}],"nextLink":"https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes?api-version=2022-01-15-preview&continuationToken=JTVCJTdCJTIydG9rZW4lMjIlM0ElMjIlMkJSSUQlM0F%2Bc1VvbEFONFRzMHkxRHowQUFBQUFBQSUzRCUzRCUyM1JUJTNBMSUyM1RSQyUzQTUwJTIzSVNWJTNBMiUyM0lFTyUzQTY1NTUxJTIzUUNGJTNBOCUyMiUyQyUyMnJhbmdlJTIyJTNBJTdCJTIybWluJTIyJTNBJTIyJTIyJTJDJTIybWF4JTIyJTNBJTIyMDVDMURGRkZGRkZGRkMlMjIlN0QlN0QlNUQ%3D"}' + headers: + api-supported-versions: + - 2021-05-01-preview, 2022-01-15-preview + cache-control: + - no-cache + content-length: + - '24621' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 17 Oct 2022 19:14:53 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - k8s-extension extension-types list-by-location + Connection: + - keep-alive + ParameterSetName: + - --location + User-Agent: + - AZURECLI/2.40.0 (PIP) azsdk-python-azure-mgmt-kubernetesconfiguration/2.0.0 + Python/3.10.0 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes?api-version=2022-01-15-preview&continuationToken=JTVCJTdCJTIydG9rZW4lMjIlM0ElMjIlMkJSSUQlM0F%2Bc1VvbEFONFRzMHkxRHowQUFBQUFBQSUzRCUzRCUyM1JUJTNBMSUyM1RSQyUzQTUwJTIzSVNWJTNBMiUyM0lFTyUzQTY1NTUxJTIzUUNGJTNBOCUyMiUyQyUyMnJhbmdlJTIyJTNBJTdCJTIybWluJTIyJTNBJTIyJTIyJTJDJTIybWF4JTIyJTNBJTIyMDVDMURGRkZGRkZGRkMlMjIlN0QlN0QlNUQ%3D + response: + body: + string: '{"value":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.networkcloud.platformcluster.sandbox","name":"microsoft.networkcloud.platformcluster.sandbox","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-system"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.networkcloud.userrp.test","name":"microsoft.networkcloud.userrp.test","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-rp"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedcluster"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.networkcloud.platformcluster.test","name":"microsoft.networkcloud.platformcluster.test","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-system"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.networkcloud.clustermanager.test","name":"microsoft.networkcloud.clustermanager.test","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-cluster-manager-extension"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.networkcloud.clustermanager.sandbox","name":"microsoft.networkcloud.clustermanager.sandbox","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-system"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.networkcloud.clustermanager.staging","name":"microsoft.networkcloud.clustermanager.staging","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-cluster-manager-extension"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.networkcloud.platformcluster.staging","name":"microsoft.networkcloud.platformcluster.staging","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-system"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.az.edge.mqtt","name":"microsoft.az.edge.mqtt","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"azedge-system"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.azedge.mqtt","name":"microsoft.azedge.mqtt","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"azedge-system"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.networkcloud.platformcluster.euap","name":"microsoft.networkcloud.platformcluster.euap","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-system"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.networkcloud.platformcluster.prod","name":"microsoft.networkcloud.platformcluster.prod","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-system"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.networkcloud.clustermanager.prod","name":"microsoft.networkcloud.clustermanager.prod","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-cluster-manager-extension"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.networkcloud.clustermanager.euap","name":"microsoft.networkcloud.clustermanager.euap","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-cluster-manager-extension"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.networkcloud.userrp.prod","name":"microsoft.networkcloud.userrp.prod","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-rp"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedcluster"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.networkcloud.userrp.euap","name":"microsoft.networkcloud.userrp.euap","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-rp"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedcluster"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/cassandradatacentersoperatorv2","name":"cassandradatacentersoperatorv2","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"namespace","clusterScopeSettings":null},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters","Appliances","ProvisionedClusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.app.environment","name":"microsoft.app.environment","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"appservice"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/cassandradatacentersoperatorv3","name":"cassandradatacentersoperatorv3","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"namespace","clusterScopeSettings":null},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.defender.containers","name":"microsoft.defender.containers","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"mdc"}},"releaseTrains":[],"clusterTypes":["Connectedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.contoso.clusters","name":"microsoft.contoso.clusters","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"namespace","clusterScopeSettings":null},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.contoso.towers","name":"microsoft.contoso.towers","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":true,"defaultReleaseNamespace":"ansible"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.azurebackup.kubernetes.test","name":"microsoft.azurebackup.kubernetes.test","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"azbackup"}},"releaseTrains":[],"clusterTypes":["Managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.azstor","name":"microsoft.azstor","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"azstor"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters","Appliances"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.networkcloud.platformruntime.dev","name":"microsoft.networkcloud.platformruntime.dev","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-system"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.networkcloud.platformruntime.test","name":"microsoft.networkcloud.platformruntime.test","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-system"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.networkcloud.platformruntime.staging","name":"microsoft.networkcloud.platformruntime.staging","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-system"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.networkcloud.platformruntime.euap","name":"microsoft.networkcloud.platformruntime.euap","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-system"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.networkcloud.platformruntime.prod","name":"microsoft.networkcloud.platformruntime.prod","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-system"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.networkcloud.platformruntime.sandbox","name":"microsoft.networkcloud.platformruntime.sandbox","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"nc-system"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","Managedclusters"]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.networkfabricserviceextension","name":"microsoft.networkfabricserviceextension","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"managednetworkfabricservices"}},"releaseTrains":[],"clusterTypes":[]}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/microsoft.policyinsightshybridakstest","name":"microsoft.policyinsightshybridakstest","type":"Microsoft.KubernetesConfiguration/extensionTypes","properties":{"supportedScopes":{"defaultScope":"cluster","clusterScopeSettings":{"allowMultipleInstances":false,"defaultReleaseNamespace":"kube-system"}},"releaseTrains":[],"clusterTypes":["Connectedclusters","ProvisionedClusters"]}}],"nextLink":null}' + headers: + api-supported-versions: + - 2021-05-01-preview, 2022-01-15-preview + cache-control: + - no-cache + content-length: + - '15553' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 17 Oct 2022 19:14:54 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - k8s-extension extension-types list-versions + Connection: + - keep-alive + ParameterSetName: + - --location --extension-type + User-Agent: + - AZURECLI/2.40.0 (PIP) azsdk-python-azure-mgmt-kubernetesconfiguration/2.0.0 + Python/3.10.0 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration/locations/eastus2euap/extensionTypes/cassandradatacentersoperator/versions?api-version=2022-01-15-preview + response: + body: + string: '{"value":[],"nextLink":null}' + headers: + api-supported-versions: + - 2021-05-01-preview, 2022-01-15-preview + cache-control: + - no-cache + content-length: + - '28' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 17 Oct 2022 19:14:56 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +version: 1 diff --git a/src/k8s-extension/azext_k8s_extension/tests/latest/test_k8s_extension_types_scenario.py b/src/k8s-extension/azext_k8s_extension/tests/latest/test_k8s_extension_types_scenario.py new file mode 100644 index 00000000000..390b1aaab4d --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/tests/latest/test_k8s_extension_types_scenario.py @@ -0,0 +1,40 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- + +# pylint: disable=line-too-long + +import os +from azure.cli.testsdk import (ScenarioTest, record_only) + + +TEST_DIR = os.path.abspath(os.path.join(os.path.abspath(__file__), '..')) + + +class K8sExtensionTypesScenarioTest(ScenarioTest): + @record_only() + def test_k8s_extension_types(self): + extension_type = 'cassandradatacentersoperator' + self.kwargs.update({ + 'rg': 'clitest-rg', #K8sPartnerExtensionTest', + 'cluster_name': 'kind-clitest-cluster',#'k8s-extension-cluster-32469-arc', + 'cluster_type': 'connectedClusters', + 'extension_type': extension_type, + 'location': 'eastus2euap' + }) + + self.cmd('k8s-extension extension-types show -g {rg} -c {cluster_name} --cluster-type {cluster_type} ' + '--extension-type {extension_type}', checks=[ + self.check('name', '{extension_type}') + ]) + + extensionTypes_list = self.cmd('k8s-extension extension-types list -g {rg} -c {cluster_name} ' + '--cluster-type {cluster_type}').get_output_in_json() + assert len(extensionTypes_list) > 0 + + extensionTypes_locationList = self.cmd('k8s-extension extension-types list-by-location --location ' + '{location}').get_output_in_json() + assert len(extensionTypes_locationList) > 0 + + self.cmd('k8s-extension extension-types list-versions --location {location} --extension-type {extension_type}') From 929928f24d9a8266f0484919eeef95f99c75fa1b Mon Sep 17 00:00:00 2001 From: Deeksha Sharma Date: Mon, 17 Oct 2022 12:56:48 -0700 Subject: [PATCH 13/44] updating history.rst --- src/k8s-extension/HISTORY.rst | 5 ++--- 1 file changed, 2 insertions(+), 3 deletions(-) diff --git a/src/k8s-extension/HISTORY.rst b/src/k8s-extension/HISTORY.rst index 1de8cc95b23..ed03f785809 100644 --- a/src/k8s-extension/HISTORY.rst +++ b/src/k8s-extension/HISTORY.rst @@ -5,9 +5,8 @@ Release History 1.3.6 ++++++++++++++++++ -* k8s-extension updating the api version for extension type calls -* k8s-extension adding tests for all extension type calls -* k8s-extension fix to address the error TypeError: cf_k8s_extension() takes 1 positional argument but 2 were given while running all az k8s-extension extension-types commands +* Update the api version and add tests for extension type calls +* Fix the TypeError: cf_k8s_extension() takes 1 positional argument but 2 were given while running all az k8s-extension extension-types commands * microsoft.azuremonitor.containers: Update DCR creation to Clusters resource group instead of workspace * microsoft.dataprotection.kubernetes: Authoring a new k8s partner extension for the BCDR solution of AKS clusters From cbd30bf5aa3e45aeba694d3bea3040425b7f5e48 Mon Sep 17 00:00:00 2001 From: Shubham Sharma Date: Thu, 10 Nov 2022 10:37:23 +0530 Subject: [PATCH 14/44] [Dapr] Prompt user for existing Dapr installation during extension create (#188) * Add more validations and user prompt for existing installation scenario Signed-off-by: Shubham Sharma * Add Dapr test' Signed-off-by: Shubham Sharma * Handle stateful set Signed-off-by: Shubham Sharma * Update default handling Signed-off-by: Shubham Sharma * Fix HA handling Signed-off-by: Shubham Sharma * Add placement service todo Signed-off-by: Shubham Sharma * Add non-interactive mode Signed-off-by: Shubham Sharma * Fix lint Signed-off-by: Shubham Sharma * Update tests Signed-off-by: Shubham Sharma * Reset configuration for StatefulSet during k8s upgrade Signed-off-by: Shubham Sharma * Fix lint Signed-off-by: Shubham Sharma * Retrigger tests Signed-off-by: Shubham Sharma * Add changes to manage ha and placement params Signed-off-by: Shubham Sharma * Update message Signed-off-by: Shubham Sharma * nits Signed-off-by: Shubham Sharma Signed-off-by: Shubham Sharma --- .../partner_extensions/Dapr.py | 128 ++++++++++++++++-- .../latest/test_k8s_extension_scenario.py | 2 +- testing/test/extensions/public/Dapr.Tests.ps1 | 63 +++++++++ 3 files changed, 178 insertions(+), 15 deletions(-) create mode 100644 testing/test/extensions/public/Dapr.Tests.ps1 diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/Dapr.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/Dapr.py index e16a0cb1dee..f80f8540f33 100644 --- a/src/k8s-extension/azext_k8s_extension/partner_extensions/Dapr.py +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/Dapr.py @@ -4,43 +4,143 @@ # -------------------------------------------------------------------------------------------- # pylint: disable=unused-argument -# pylint: disable=line-too-long # pylint: disable=too-many-locals +# pylint: disable=too-many-instance-attributes +from typing import Tuple + +from azure.cli.core.azclierror import InvalidArgumentValueError +from knack.log import get_logger +from knack.prompting import prompt, prompt_y_n + +from ..vendored_sdks.models import Extension, Scope, ScopeCluster from .DefaultExtension import DefaultExtension -from ..vendored_sdks.models import ( - Extension, -) +logger = get_logger(__name__) class Dapr(DefaultExtension): def __init__(self): + self.TSG_LINK = "https://docs.microsoft.com/en-us/azure/aks/dapr" + self.DEFAULT_RELEASE_NAME = 'dapr' + self.DEFAULT_RELEASE_NAMESPACE = 'dapr-system' + self.DEFAULT_RELEASE_TRAIN = 'stable' + self.DEFAULT_CLUSTER_TYPE = 'managedclusters' + self.DEFAULT_HA = 'true' + # constants for configuration settings. - self.CLUSTER_TYPE = 'global.clusterType' + self.CLUSTER_TYPE_KEY = 'global.clusterType' + self.HA_KEY_ENABLED_KEY = 'global.ha.enabled' + self.SKIP_EXISTING_DAPR_CHECK_KEY = 'skipExistingDaprCheck' + self.EXISTING_DAPR_RELEASE_NAME_KEY = 'existingDaprReleaseName' + self.EXISTING_DAPR_RELEASE_NAMESPACE_KEY = 'existingDaprReleaseNamespace' + + # constants for message prompts. + self.MSG_IS_DAPR_INSTALLED = "Is Dapr already installed in the cluster?" + self.MSG_ENTER_RELEASE_NAME = "Enter the Helm release name for Dapr, "\ + f"or press Enter to use the default name [{self.DEFAULT_RELEASE_NAME}]: " + self.MSG_ENTER_RELEASE_NAMESPACE = "Enter the namespace where Dapr is installed, "\ + f"or press Enter to use the default namespace [{self.DEFAULT_RELEASE_NAMESPACE}]: " + self.MSG_WARN_EXISTING_INSTALLATION = "The extension will use your existing Dapr installation. "\ + f"Note, if you have updated the default values for global.ha.* or dapr_placement.* in your existing "\ + "Dapr installation, you must provide them via --configuration-settings. Failing to do so will result in"\ + "an error, since Helm upgrade will try to modify the StatefulSet."\ + f"Please refer to {self.TSG_LINK} for more information." + + self.RELEASE_INFO_HELP_STRING = "The Helm release name and namespace can be found by running 'helm list -A'." + + # constants for error messages. + self.ERR_MSG_INVALID_SCOPE_TPL = "Invalid scope '{}'. This extension can be installed only at 'cluster' scope."\ + f" Check {self.TSG_LINK} for more information." + + def _get_release_info(self, release_name: str, release_namespace: str, configuration_settings: dict)\ + -> Tuple[str, str, bool]: + ''' + Check if Dapr is already installed in the cluster and get the release name and namespace. + If user has provided the release name and namespace in configuration settings, use those. + Otherwise, prompt the user for the release name and namespace. + If Dapr is not installed, return the default release name and namespace. + ''' + name, namespace, dapr_exists = release_name, release_namespace, False + + # Set the default release name and namespace if not provided. + name = name or self.DEFAULT_RELEASE_NAME + namespace = namespace or self.DEFAULT_RELEASE_NAMESPACE + + if configuration_settings.get(self.SKIP_EXISTING_DAPR_CHECK_KEY, 'false') == 'true': + logger.info("%s is set to true, skipping existing Dapr check.", self.SKIP_EXISTING_DAPR_CHECK_KEY) + return name, namespace, False + + cfg_name = configuration_settings.get(self.EXISTING_DAPR_RELEASE_NAME_KEY, None) + cfg_namespace = configuration_settings.get(self.EXISTING_DAPR_RELEASE_NAMESPACE_KEY, None) - def Create(self, cmd, client, resource_group_name, cluster_name, name, cluster_type, cluster_rp, - extension_type, scope, auto_upgrade_minor_version, release_train, version, target_namespace, - release_namespace, configuration_settings, configuration_protected_settings, - configuration_settings_file, configuration_protected_settings_file): + # If the user has specified the release name and namespace in configuration settings, then use it. + if cfg_name and cfg_namespace: + logger.info("Using the release name and namespace specified in the configuration settings.") + return cfg_name, cfg_namespace, True + # If either release name or namespace is missing, ignore the configuration settings and prompt the user. + if cfg_name or cfg_namespace: + logger.warning("Both '%s' and '%s' must be specified via --configuration-settings. Only one of them is " + "specified, ignoring.", self.EXISTING_DAPR_RELEASE_NAME_KEY, + self.EXISTING_DAPR_RELEASE_NAMESPACE_KEY) + + # Check explictly if Dapr is already installed in the cluster. + # If so, reuse the release name and namespace to avoid conflicts. + if prompt_y_n(self.MSG_IS_DAPR_INSTALLED, default='n'): + dapr_exists = True + + name = prompt(self.MSG_ENTER_RELEASE_NAME, self.RELEASE_INFO_HELP_STRING) or self.DEFAULT_RELEASE_NAME + if release_name and name != release_name: + logger.warning("The release name has been changed from '%s' to '%s'.", release_name, name) + + namespace = prompt(self.MSG_ENTER_RELEASE_NAMESPACE, self.RELEASE_INFO_HELP_STRING)\ + or self.DEFAULT_RELEASE_NAMESPACE + if release_namespace and namespace != release_namespace: + logger.warning("The release namespace has been changed from '%s' to '%s'.", + release_namespace, namespace) + + return name, namespace, dapr_exists + + def Create(self, cmd, client, resource_group_name: str, cluster_name: str, name: str, cluster_type: str, + cluster_rp: str, extension_type: str, scope: str, auto_upgrade_minor_version: bool, + release_train: str, version: str, target_namespace: str, release_namespace: str, + configuration_settings: dict, configuration_protected_settings: dict, + configuration_settings_file: str, configuration_protected_settings_file: str): """ExtensionType 'Microsoft.Dapr' specific validations & defaults for Create Must create and return a valid 'ExtensionInstance' object. """ - if cluster_type.lower() == '' or cluster_type.lower() == 'managedclusters': - configuration_settings[self.CLUSTER_TYPE] = 'managedclusters' + # Dapr extension is only supported at the cluster scope. + if scope == 'namespace': + raise InvalidArgumentValueError(self.ERR_MSG_INVALID_SCOPE_TPL.format(scope)) + + release_name, release_namespace, dapr_exists = \ + self._get_release_info(name, release_namespace, configuration_settings) + + # Inform the user that the extension will be installed on an existing Dapr installation. + # Disable HA mode if Dapr is already installed in the cluster. + if dapr_exists: + logger.warning(self.MSG_WARN_EXISTING_INSTALLATION) + if self.HA_KEY_ENABLED_KEY not in configuration_settings: + configuration_settings[self.HA_KEY_ENABLED_KEY] = 'false' + + scope_cluster = ScopeCluster(release_namespace=release_namespace or self.DEFAULT_RELEASE_NAMESPACE) + extension_scope = Scope(cluster=scope_cluster, namespace=None) + + if cluster_type.lower() == '' or cluster_type.lower() == self.DEFAULT_CLUSTER_TYPE: + configuration_settings[self.CLUSTER_TYPE_KEY] = self.DEFAULT_CLUSTER_TYPE create_identity = False extension_instance = Extension( extension_type=extension_type, auto_upgrade_minor_version=auto_upgrade_minor_version, - release_train=release_train, + release_train=release_train or self.DEFAULT_RELEASE_TRAIN, version=version, - scope=scope, + scope=extension_scope, configuration_settings=configuration_settings, configuration_protected_settings=configuration_protected_settings, identity=None, location="" ) - return extension_instance, name, create_identity + return extension_instance, release_name, create_identity diff --git a/src/k8s-extension/azext_k8s_extension/tests/latest/test_k8s_extension_scenario.py b/src/k8s-extension/azext_k8s_extension/tests/latest/test_k8s_extension_scenario.py index 6a0369bfcdc..04c08611f31 100644 --- a/src/k8s-extension/azext_k8s_extension/tests/latest/test_k8s_extension_scenario.py +++ b/src/k8s-extension/azext_k8s_extension/tests/latest/test_k8s_extension_scenario.py @@ -28,7 +28,7 @@ def test_k8s_extension(self): self.cmd('k8s-extension create -g {rg} -n {name} -c {cluster_name} --cluster-type {cluster_type} ' '--extension-type {extension_type} --release-train {release_train} --version {version} ' - '--no-wait') + '--configuration-settings "skipExistingDaprCheck=true" --no-wait') # Update requires agent running in k8s cluster that is connected to Azure - so no update tests here # self.cmd('k8s-extension update -g {rg} -n {name} --tags foo=boo', checks=[ diff --git a/testing/test/extensions/public/Dapr.Tests.ps1 b/testing/test/extensions/public/Dapr.Tests.ps1 new file mode 100644 index 00000000000..5af40546c19 --- /dev/null +++ b/testing/test/extensions/public/Dapr.Tests.ps1 @@ -0,0 +1,63 @@ +Describe 'DAPR Testing' { + BeforeAll { + $extensionType = "microsoft.dapr" + $extensionName = "dapr" + $clusterType = "connectedClusters" + + . $PSScriptRoot/../../helper/Constants.ps1 + . $PSScriptRoot/../../helper/Helper.ps1 + } + + It 'Creates the extension and checks that it onboards correctly' { + $output = az $Env:K8sExtensionName create -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type $clusterType -n $extensionName --extension-type $extensionType --configuration-settings "skipExistingDaprCheck=true" --no-wait + $? | Should -BeTrue + + $n = 0 + do + { + $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type $clusterType -n $extensionName + $provisioningState = ($output | ConvertFrom-Json).provisioningState + Write-Host "Provisioning State: $provisioningState" + if ($provisioningState -eq "Succeeded") { + break + } + Start-Sleep -Seconds 40 + $n += 1 + } while ($n -le $MAX_RETRY_ATTEMPTS) + $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS + } + + It "Performs a show on the extension" { + $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type $clusterType -n $extensionName + $? | Should -BeTrue + $output | Should -Not -BeNullOrEmpty + } + + It "Lists the extensions on the cluster" { + $output = az $Env:K8sExtensionName list -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type $clusterType + $? | Should -BeTrue + + $output | Should -Not -BeNullOrEmpty + $extensionExists = $output | ConvertFrom-Json | Where-Object { $_.extensionType -eq $extensionType } + $extensionExists | Should -Not -BeNullOrEmpty + } + + It "Deletes the extension from the cluster" { + $output = az $Env:K8sExtensionName delete -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type $clusterType -n $extensionName --force + $? | Should -BeTrue + + # Extension should not be found on the cluster + $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type $clusterType -n $extensionName + $? | Should -BeFalse + $output | Should -BeNullOrEmpty + } + + It "Performs another list after the delete" { + $output = az $Env:K8sExtensionName list -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type $clusterType + $? | Should -BeTrue + $output | Should -Not -BeNullOrEmpty + + $extensionExists = $output | ConvertFrom-Json | Where-Object { $_.extensionType -eq $extensionName } + $extensionExists | Should -BeNullOrEmpty + } +} \ No newline at end of file From 155fb0113f04fb23d56d833bc400fed4f397dd37 Mon Sep 17 00:00:00 2001 From: Bavneet Singh Date: Tue, 15 Nov 2022 12:18:57 -0800 Subject: [PATCH 15/44] bump k8s-extension version to 1.3.7 --- src/k8s-extension/HISTORY.rst | 4 ++++ src/k8s-extension/setup.py | 2 +- 2 files changed, 5 insertions(+), 1 deletion(-) diff --git a/src/k8s-extension/HISTORY.rst b/src/k8s-extension/HISTORY.rst index ed03f785809..bc7a6700258 100644 --- a/src/k8s-extension/HISTORY.rst +++ b/src/k8s-extension/HISTORY.rst @@ -3,6 +3,10 @@ Release History =============== +1.3.7 +++++++++++++++++++ +* microsoft.dapr: prompt user for existing dapr installation during extension create + 1.3.6 ++++++++++++++++++ * Update the api version and add tests for extension type calls diff --git a/src/k8s-extension/setup.py b/src/k8s-extension/setup.py index 4975bf63bd3..b0f1d82c1fd 100644 --- a/src/k8s-extension/setup.py +++ b/src/k8s-extension/setup.py @@ -33,7 +33,7 @@ # TODO: Add any additional SDK dependencies here DEPENDENCIES = [] -VERSION = "1.3.6" +VERSION = "1.3.7" with open("README.rst", "r", encoding="utf-8") as f: README = f.read() From 0487616b3d1c822f170a4788ef22785db0b68466 Mon Sep 17 00:00:00 2001 From: Shubham Sharma Date: Mon, 28 Nov 2022 21:52:56 +0530 Subject: [PATCH 16/44] [Dapr] Disable applying CRDs during a downgrade (#193) * Add logging Signed-off-by: Shubham Sharma * Lint Signed-off-by: Shubham Sharma * Update log Signed-off-by: Shubham Sharma * Revert applyCrds when not downgrading Signed-off-by: Shubham Sharma * Update logic for removing hooks.applyCrds Signed-off-by: Shubham Sharma * Revert logic Signed-off-by: Shubham Sharma * Handle explicit hooks configuration Signed-off-by: Shubham Sharma * Update comment Signed-off-by: Shubham Sharma * re-trigger pipeline Signed-off-by: Shubham Sharma Signed-off-by: Shubham Sharma --- .../partner_extensions/Dapr.py | 44 ++++++++++++++++++- 1 file changed, 43 insertions(+), 1 deletion(-) diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/Dapr.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/Dapr.py index f80f8540f33..cd693bb1336 100644 --- a/src/k8s-extension/azext_k8s_extension/partner_extensions/Dapr.py +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/Dapr.py @@ -10,10 +10,11 @@ from typing import Tuple from azure.cli.core.azclierror import InvalidArgumentValueError +from copy import deepcopy from knack.log import get_logger from knack.prompting import prompt, prompt_y_n -from ..vendored_sdks.models import Extension, Scope, ScopeCluster +from ..vendored_sdks.models import Extension, PatchExtension, Scope, ScopeCluster from .DefaultExtension import DefaultExtension logger = get_logger(__name__) @@ -31,6 +32,7 @@ def __init__(self): # constants for configuration settings. self.CLUSTER_TYPE_KEY = 'global.clusterType' self.HA_KEY_ENABLED_KEY = 'global.ha.enabled' + self.APPLY_CRDS_HOOK_ENABLED_KEY = 'hooks.applyCrds' self.SKIP_EXISTING_DAPR_CHECK_KEY = 'skipExistingDaprCheck' self.EXISTING_DAPR_RELEASE_NAME_KEY = 'existingDaprReleaseName' self.EXISTING_DAPR_RELEASE_NAMESPACE_KEY = 'existingDaprReleaseNamespace' @@ -144,3 +146,43 @@ def Create(self, cmd, client, resource_group_name: str, cluster_name: str, name: location="" ) return extension_instance, release_name, create_identity + + def Update(self, cmd, resource_group_name: str, cluster_name: str, auto_upgrade_minor_version: bool, + release_train: str, version: str, configuration_settings: dict, + configuration_protected_settings: dict, original_extension: Extension, yes: bool = False) \ + -> PatchExtension: + """ExtensionType 'Microsoft.Dapr' specific validations & defaults for Update. + Must create and return a valid 'PatchExtension' object. + """ + input_configuration_settings = deepcopy(configuration_settings) + + # configuration_settings can be None, so we need to set it to an empty dict. + if configuration_settings is None: + configuration_settings = {} + + # If we are downgrading the extension, then we need to disable the apply-CRDs hook. + # This is because CRD updates while downgrading can cause issues. + # As CRDs are additive, skipping their removal while downgrading is safe. + original_version = original_extension.version + if self.APPLY_CRDS_HOOK_ENABLED_KEY in configuration_settings: + logger.debug("'%s' is set to '%s' in --configuration-settings, not overriding it.", + self.APPLY_CRDS_HOOK_ENABLED_KEY, configuration_settings[self.APPLY_CRDS_HOOK_ENABLED_KEY]) + elif original_version and version and version < original_version: + logger.debug("Downgrade detected from %s to %s. Setting %s to false.", + original_version, version, self.APPLY_CRDS_HOOK_ENABLED_KEY) + configuration_settings[self.APPLY_CRDS_HOOK_ENABLED_KEY] = 'false' + else: + # If we are not downgrading, enable the apply-CRDs hook explicitly. + # This is because the value may have been set to false during a previous downgrade. + logger.debug("No downgrade detected. Setting %s to true.", self.APPLY_CRDS_HOOK_ENABLED_KEY) + configuration_settings[self.APPLY_CRDS_HOOK_ENABLED_KEY] = 'true' + + # If no changes were made, return the original dict (empty or None). + if len(configuration_settings) == 0: + configuration_settings = input_configuration_settings + + return PatchExtension(auto_upgrade_minor_version=auto_upgrade_minor_version, + release_train=release_train, + version=version, + configuration_settings=configuration_settings, + configuration_protected_settings=configuration_protected_settings) From d54d6abdf8a61ce9088e406c97790d7ac334f3ac Mon Sep 17 00:00:00 2001 From: Ganga Mahesh Siddem Date: Fri, 2 Dec 2022 14:25:29 -0800 Subject: [PATCH 17/44] ContainerInsights extension - Add dataCollectionSettings configuration settings (#200) * data collection settings * add support for dataCollectionSettings * fix indention * avoid duplicate use of json loads * remove whitespaces * fix pr feedback --- .../partner_extensions/ContainerInsights.py | 27 +++++++++++++++++-- 1 file changed, 25 insertions(+), 2 deletions(-) diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/ContainerInsights.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/ContainerInsights.py index fbbc45ac325..1b3417d2865 100644 --- a/src/k8s-extension/azext_k8s_extension/partner_extensions/ContainerInsights.py +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/ContainerInsights.py @@ -7,6 +7,7 @@ import datetime import json +import re from ..utils import get_cluster_rp_api_version from .. import consts @@ -453,6 +454,7 @@ def _get_container_insights_settings(cmd, cluster_resource_group_name, cluster_r subscription_id = get_subscription_id(cmd.cli_ctx) workspace_resource_id = '' useAADAuth = False + extensionSettings = {} if configuration_settings is not None: if 'loganalyticsworkspaceresourceid' in configuration_settings: @@ -473,6 +475,26 @@ def _get_container_insights_settings(cmd, cluster_resource_group_name, cluster_r logger.info("provided useAADAuth flag is : %s", useAADAuthSetting) if (isinstance(useAADAuthSetting, str) and str(useAADAuthSetting).lower() == "true") or (isinstance(useAADAuthSetting, bool) and useAADAuthSetting): useAADAuth = True + if useAADAuth and ('dataCollectionSettings' in configuration_settings): + dataCollectionSettingsString = configuration_settings["dataCollectionSettings"] + logger.info("provided dataCollectionSettings is : %s", dataCollectionSettingsString) + dataCollectionSettings = json.loads(dataCollectionSettingsString) + if 'interval' in dataCollectionSettings.keys(): + intervalValue = dataCollectionSettings["interval"] + if (bool(re.match(r'^[0-9]+[m]$', intervalValue))) is False: + raise InvalidArgumentValueError('interval format must be in m') + intervalValue = int(intervalValue.rstrip("m")) + if intervalValue <= 0 or intervalValue > 30: + raise InvalidArgumentValueError('interval value MUST be in the range from 1m to 30m') + if 'namespaceFilteringMode' in dataCollectionSettings.keys(): + namespaceFilteringModeValue = dataCollectionSettings["namespaceFilteringMode"].lower() + if namespaceFilteringModeValue not in ["off", "exclude", "include"]: + raise InvalidArgumentValueError('namespaceFilteringMode value MUST be either Off or Exclude or Include') + if 'namespaces' in dataCollectionSettings.keys(): + namspaces = dataCollectionSettings["namespaces"] + if isinstance(namspaces, list) is False: + raise InvalidArgumentValueError('namespaces must be an array type') + extensionSettings["dataCollectionSettings"] = dataCollectionSettings workspace_resource_id = workspace_resource_id.strip() @@ -502,7 +524,7 @@ def _get_container_insights_settings(cmd, cluster_resource_group_name, cluster_r if is_ci_extension_type: if useAADAuth: logger.info("creating data collection rule and association") - _ensure_container_insights_dcr_for_monitoring(cmd, subscription_id, cluster_resource_group_name, cluster_rp, cluster_type, cluster_name, workspace_resource_id) + _ensure_container_insights_dcr_for_monitoring(cmd, subscription_id, cluster_resource_group_name, cluster_rp, cluster_type, cluster_name, workspace_resource_id, extensionSettings) elif not _is_container_insights_solution_exists(cmd, workspace_resource_id): logger.info("Creating ContainerInsights solution resource, since it doesn't exist and it is using legacy authentication") _ensure_container_insights_for_monitoring(cmd, workspace_resource_id).result() @@ -570,7 +592,7 @@ def get_existing_container_insights_extension_dcr_tags(cmd, dcr_url): return tags -def _ensure_container_insights_dcr_for_monitoring(cmd, subscription_id, cluster_resource_group_name, cluster_rp, cluster_type, cluster_name, workspace_resource_id): +def _ensure_container_insights_dcr_for_monitoring(cmd, subscription_id, cluster_resource_group_name, cluster_rp, cluster_type, cluster_name, workspace_resource_id, extensionSettings): from azure.core.exceptions import HttpResponseError cluster_region = '' @@ -665,6 +687,7 @@ def _ensure_container_insights_dcr_for_monitoring(cmd, subscription_id, cluster_ "Microsoft-ContainerInsights-Group-Default" ], "extensionName": "ContainerInsights", + "extensionSettings": extensionSettings } ] }, From b2f13199e63a2d3e6a38f3cd1a1b402b8ffd14a6 Mon Sep 17 00:00:00 2001 From: NarayanThiru Date: Thu, 15 Dec 2022 15:46:34 -0800 Subject: [PATCH 18/44] Upgrade Python version from 3.6 to 3.7 (#203) * Upgrade Python version from 3.6 to 3.10 Upgrade to 3.10 for the job that runs Wheel, PyLint, Flake, etc., since 3.6 is not supported anymore by hosted-agent-software. * Upgrade to Python 3.10 from 3.6 Upgrade to 3.10 as 3.6 is not supported * Switch PyLink to 1.9.4 Switch PyLink to 1.9.4 from 1.9.5, as 1.9.5 is not supported with Python 3.10 * Use Python 3.7 for Static Analysis Use 3.7, as 3.10 does not support certain properties used by astpeephole.py that is used by Static Analysis tools * Try unpinned version of PyLint PyLint 1.9.5 doesn't work with Python 3.7. So, trying to see if it automatically pulls the latest compatible version. * Run pylint as a separate command * Update pylintrc (#204) * Update pylintrc * Update k8s-custom-pipelines.yml * Disable PyLint (#205) Disable PyLint for now, as the new version has breaking changes and requires lot more fixes * Disable PyLint on CI scripts * Fixes for script errors * Upgrade Static Analysis Python version Upgrade the Python version for Static Analysis to 3.10, from 3.7, now that PyLint is disabled * Try 3.9, as 3.10 has breaking changes for Flake8 * Remove version pinning for flake8 Try Python 3.10, without pinning flake8 to a version * Update k8s-custom-pipelines.yml * Use Python 3.8.1 & flake8 6.0.0 * Use Python 3.8 instead of 3.8.1 * Update k8s-custom-pipelines.yml * Update .flake8 Update to reflect breaking change in flake8 6.0 * Update source_code_static_analysis.py Scope static analysis tools to only k8s-extension module's source in our branch. * Update k8s-custom-pipelines.yml * Update k8s-custom-pipelines.yml * Update k8s-custom-pipelines.yml * Update pool name in StaticAnalysis To mirror what is in main of azure-cli-extensions * Update k8s-custom-pipelines.yml * Fix indentation * Update k8s-custom-pipelines.yml * Update k8s-custom-pipelines.yml * Revert changes * Revert changes * Revert changes to source_code_static_analysis.py * Update source_code_static_analysis.py * Revert changes * Use Ubuntu 20.4 for BuiltTestPublish stage * Switch to ubuntu-20.04 from latest Co-authored-by: Rishik Hombal --- testing/pipeline/k8s-custom-pipelines.yml | 7 ++++--- testing/pipeline/templates/build-extension.yml | 2 +- testing/pipeline/templates/run-test.yml | 4 ++-- 3 files changed, 7 insertions(+), 6 deletions(-) diff --git a/testing/pipeline/k8s-custom-pipelines.yml b/testing/pipeline/k8s-custom-pipelines.yml index c9673e2af66..b5d6396dc2d 100644 --- a/testing/pipeline/k8s-custom-pipelines.yml +++ b/testing/pipeline/k8s-custom-pipelines.yml @@ -55,7 +55,7 @@ stages: path: ./test/extensions/public/Flux.Tests.ps1 - job: BuildPublishExtension pool: - vmImage: 'ubuntu-latest' + vmImage: 'ubuntu-20.04' displayName: "Build and Publish the Extension Artifact" variables: CLI_REPO_PATH: $(Agent.BuildDirectory)/s @@ -105,10 +105,11 @@ stages: azdev verify license + - job: StaticAnalysis displayName: "Static Analysis" pool: - vmImage: 'ubuntu-latest' + vmImage: 'ubuntu-20.04' steps: - task: UsePythonVersion@0 displayName: 'Use Python 3.6' @@ -209,4 +210,4 @@ stages: displayName: "CLI Linter on Modified Extension" env: ADO_PULL_REQUEST_LATEST_COMMIT: $(System.PullRequest.SourceCommitId) - ADO_PULL_REQUEST_TARGET_BRANCH: $(System.PullRequest.TargetBranch) \ No newline at end of file + ADO_PULL_REQUEST_TARGET_BRANCH: $(System.PullRequest.TargetBranch) diff --git a/testing/pipeline/templates/build-extension.yml b/testing/pipeline/templates/build-extension.yml index cf63db635a6..6ccd671f266 100644 --- a/testing/pipeline/templates/build-extension.yml +++ b/testing/pipeline/templates/build-extension.yml @@ -49,4 +49,4 @@ steps: azdev --version azdev setup -c ../azure-cli -r ${{ parameters.CLI_REPO_PATH }} -e $(EXTENSION_NAME) - azdev extension build $(EXTENSION_NAME) \ No newline at end of file + azdev extension build $(EXTENSION_NAME) diff --git a/testing/pipeline/templates/run-test.yml b/testing/pipeline/templates/run-test.yml index a9950f09063..c0897f3b83e 100644 --- a/testing/pipeline/templates/run-test.yml +++ b/testing/pipeline/templates/run-test.yml @@ -5,7 +5,7 @@ parameters: jobs: - job: ${{ parameters.jobName}} pool: - vmImage: 'ubuntu-latest' + vmImage: 'ubuntu-20.04' variables: ${{ if eq(variables['IS_PRIVATE_BRANCH'], 'False') }}: EXTENSION_NAME: "k8s-extension" @@ -101,4 +101,4 @@ jobs: inlineScript: | .\Cleanup.ps1 -CI workingDirectory: $(TEST_PATH) - condition: succeededOrFailed() \ No newline at end of file + condition: succeededOrFailed() From ee8a070868e9960310ee3e57c7ffd3904ffa9b84 Mon Sep 17 00:00:00 2001 From: Shubham Sharma Date: Fri, 16 Dec 2022 06:03:55 +0530 Subject: [PATCH 19/44] [Dapr] Do not apply CRD hook when version is unchanged or auto-upgrade is being disabled (#201) * Update logic Signed-off-by: Shubham Sharma * re-trigger pipeline Signed-off-by: Shubham Sharma * re-trigger pipeline Signed-off-by: Shubham Sharma Signed-off-by: Shubham Sharma Co-authored-by: NarayanThiru --- .../azext_k8s_extension/partner_extensions/Dapr.py | 10 ++++++++++ 1 file changed, 10 insertions(+) diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/Dapr.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/Dapr.py index cd693bb1336..aca4893c042 100644 --- a/src/k8s-extension/azext_k8s_extension/partner_extensions/Dapr.py +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/Dapr.py @@ -161,16 +161,26 @@ def Update(self, cmd, resource_group_name: str, cluster_name: str, auto_upgrade_ configuration_settings = {} # If we are downgrading the extension, then we need to disable the apply-CRDs hook. + # Additionally, if we are disabling auto-upgrades, we need to disable the apply-CRDs hook (as auto-upgrade is always on the latest version). # This is because CRD updates while downgrading can cause issues. # As CRDs are additive, skipping their removal while downgrading is safe. original_version = original_extension.version + original_auto_upgrade = original_extension.auto_upgrade_minor_version if self.APPLY_CRDS_HOOK_ENABLED_KEY in configuration_settings: logger.debug("'%s' is set to '%s' in --configuration-settings, not overriding it.", self.APPLY_CRDS_HOOK_ENABLED_KEY, configuration_settings[self.APPLY_CRDS_HOOK_ENABLED_KEY]) + elif original_auto_upgrade and not auto_upgrade_minor_version: + logger.debug("Auto-upgrade is disabled and version is pinned to %s. Setting '%s' to false.", + version, self.APPLY_CRDS_HOOK_ENABLED_KEY) + configuration_settings[self.APPLY_CRDS_HOOK_ENABLED_KEY] = 'false' elif original_version and version and version < original_version: logger.debug("Downgrade detected from %s to %s. Setting %s to false.", original_version, version, self.APPLY_CRDS_HOOK_ENABLED_KEY) configuration_settings[self.APPLY_CRDS_HOOK_ENABLED_KEY] = 'false' + elif original_version and version and version == original_version: + logger.debug("Version unchanged at %s. Setting %s to false.", + version, self.APPLY_CRDS_HOOK_ENABLED_KEY) + configuration_settings[self.APPLY_CRDS_HOOK_ENABLED_KEY] = 'false' else: # If we are not downgrading, enable the apply-CRDs hook explicitly. # This is because the value may have been set to false during a previous downgrade. From e054268be07152231b4f0f138e2cad695f0cf717 Mon Sep 17 00:00:00 2001 From: Amol Agrawal Date: Thu, 29 Dec 2022 23:37:45 +0000 Subject: [PATCH 20/44] add dummy key for amalogs as well --- .../azext_k8s_extension/partner_extensions/ContainerInsights.py | 1 + 1 file changed, 1 insertion(+) diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/ContainerInsights.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/ContainerInsights.py index fbbc45ac325..e5b8c541172 100644 --- a/src/k8s-extension/azext_k8s_extension/partner_extensions/ContainerInsights.py +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/ContainerInsights.py @@ -520,6 +520,7 @@ def _get_container_insights_settings(cmd, cluster_resource_group_name, cluster_r # workspace key not used in case of AAD MSI auth configuration_protected_settings['omsagent.secret.key'] = "" + configuration_protected_settings['amalogs.secret.key'] = "" if not useAADAuth: shared_keys = log_analytics_client.shared_keys.get_shared_keys( workspace_rg_name, workspace_name) From beffb3fd5d7d4414736a4dde46457dffb3df5695 Mon Sep 17 00:00:00 2001 From: Deeksha Sharma Date: Thu, 12 Jan 2023 09:53:15 -0800 Subject: [PATCH 21/44] bump k8s-extension version to 1.3.8 --- src/k8s-extension/HISTORY.rst | 7 ++++--- src/k8s-extension/setup.py | 6 +----- 2 files changed, 5 insertions(+), 8 deletions(-) diff --git a/src/k8s-extension/HISTORY.rst b/src/k8s-extension/HISTORY.rst index 5f82b3941af..77b6e85333b 100644 --- a/src/k8s-extension/HISTORY.rst +++ b/src/k8s-extension/HISTORY.rst @@ -3,13 +3,14 @@ Release History =============== -<<<<<<< HEAD -======= +1.3.8 +++++++++++++++++++ +* Fixes to address the bug with msi auth mode for azuremonitor-containers extension version >= 3.0.0 + 1.3.7 ++++++++++++++++++ * microsoft.dapr: prompt user for existing dapr installation during extension create ->>>>>>> 91447b8387457aa03052c37dd152412967fbe799 1.3.6 ++++++++++++++++++ * Update the api version and add tests for extension type calls diff --git a/src/k8s-extension/setup.py b/src/k8s-extension/setup.py index d075334a4f8..00ec041b2e5 100644 --- a/src/k8s-extension/setup.py +++ b/src/k8s-extension/setup.py @@ -33,11 +33,7 @@ # TODO: Add any additional SDK dependencies here DEPENDENCIES = [] -<<<<<<< HEAD -VERSION = "1.3.6" -======= -VERSION = "1.3.7" ->>>>>>> 91447b8387457aa03052c37dd152412967fbe799 +VERSION = "1.3.8" with open("README.rst", "r", encoding="utf-8") as f: README = f.read() From 60150268d8d57642d4ff7bb9ce71d4447fb938c0 Mon Sep 17 00:00:00 2001 From: Arif Lakhani Date: Fri, 18 Nov 2022 14:19:45 -0800 Subject: [PATCH 22/44] Adding GA api version 2022-11-01 exposing isSystemExtension and support for plan info --- src/k8s-extension/README.rst | 2 + .../azext_k8s_extension/_format.py | 9 + .../azext_k8s_extension/_help.py | 12 + .../azext_k8s_extension/_params.py | 9 +- .../azext_k8s_extension/action.py | 20 + .../azext_k8s_extension/consts.py | 2 +- .../azext_k8s_extension/custom.py | 2 + .../partner_extensions/DefaultExtension.py | 11 + .../vendored_sdks/__init__.py | 4 + .../vendored_sdks/_configuration.py | 12 +- .../vendored_sdks/_serialization.py | 2006 +++++++++++++ .../_source_control_configuration_client.py | 78 +- .../vendored_sdks/models.py | 3 +- .../vendored_sdks/v2022_07_01/__init__.py | 26 + .../v2022_07_01/_configuration.py | 75 + .../vendored_sdks/v2022_07_01/_patch.py | 20 + .../_source_control_configuration_client.py | 129 + .../vendored_sdks/v2022_07_01/_vendor.py | 27 + .../vendored_sdks/v2022_07_01/_version.py | 9 + .../vendored_sdks/v2022_07_01/aio/__init__.py | 23 + .../v2022_07_01/aio/_configuration.py | 72 + .../vendored_sdks/v2022_07_01/aio/_patch.py | 20 + .../_source_control_configuration_client.py | 126 + .../v2022_07_01/aio/operations/__init__.py | 29 + .../aio/operations/_extensions_operations.py | 929 ++++++ ...flux_config_operation_status_operations.py | 139 + .../_flux_configurations_operations.py | 934 ++++++ .../_operation_status_operations.py | 241 ++ .../v2022_07_01/aio/operations/_operations.py | 139 + .../v2022_07_01/aio/operations/_patch.py | 20 + ...ource_control_configurations_operations.py | 564 ++++ .../v2022_07_01/models/__init__.py | 131 + .../v2022_07_01/models/_models_py3.py | 2578 ++++++++++++++++ .../v2022_07_01/models/_patch.py | 20 + ...urce_control_configuration_client_enums.py | 121 + .../v2022_07_01/operations/__init__.py | 29 + .../operations/_extensions_operations.py | 1134 +++++++ ...flux_config_operation_status_operations.py | 186 ++ .../_flux_configurations_operations.py | 1145 +++++++ .../_operation_status_operations.py | 327 ++ .../v2022_07_01/operations/_operations.py | 161 + .../v2022_07_01/operations/_patch.py | 20 + ...ource_control_configurations_operations.py | 736 +++++ .../vendored_sdks/v2022_11_01/__init__.py | 26 + .../v2022_11_01/_configuration.py | 75 + .../vendored_sdks/v2022_11_01/_patch.py | 20 + .../_source_control_configuration_client.py | 129 + .../vendored_sdks/v2022_11_01/_vendor.py | 27 + .../vendored_sdks/v2022_11_01/_version.py | 9 + .../vendored_sdks/v2022_11_01/aio/__init__.py | 23 + .../v2022_11_01/aio/_configuration.py | 72 + .../vendored_sdks/v2022_11_01/aio/_patch.py | 20 + .../_source_control_configuration_client.py | 126 + .../v2022_11_01/aio/operations/__init__.py | 29 + .../aio/operations/_extensions_operations.py | 929 ++++++ ...flux_config_operation_status_operations.py | 139 + .../_flux_configurations_operations.py | 934 ++++++ .../_operation_status_operations.py | 241 ++ .../v2022_11_01/aio/operations/_operations.py | 139 + .../v2022_11_01/aio/operations/_patch.py | 20 + ...ource_control_configurations_operations.py | 564 ++++ .../v2022_11_01/models/__init__.py | 133 + .../v2022_11_01/models/_models_py3.py | 2657 +++++++++++++++++ .../v2022_11_01/models/_patch.py | 20 + ...urce_control_configuration_client_enums.py | 121 + .../v2022_11_01/operations/__init__.py | 29 + .../operations/_extensions_operations.py | 1134 +++++++ ...flux_config_operation_status_operations.py | 186 ++ .../_flux_configurations_operations.py | 1145 +++++++ .../_operation_status_operations.py | 327 ++ .../v2022_11_01/operations/_operations.py | 161 + .../v2022_11_01/operations/_patch.py | 20 + ...ource_control_configurations_operations.py | 736 +++++ 73 files changed, 22451 insertions(+), 20 deletions(-) create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/_serialization.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/__init__.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/_configuration.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/_patch.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/_source_control_configuration_client.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/_vendor.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/_version.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/__init__.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/_configuration.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/_patch.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/_source_control_configuration_client.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/operations/__init__.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/operations/_extensions_operations.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/operations/_flux_config_operation_status_operations.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/operations/_flux_configurations_operations.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/operations/_operation_status_operations.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/operations/_operations.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/operations/_patch.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/operations/_source_control_configurations_operations.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/models/__init__.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/models/_models_py3.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/models/_patch.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/models/_source_control_configuration_client_enums.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/operations/__init__.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/operations/_extensions_operations.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/operations/_flux_config_operation_status_operations.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/operations/_flux_configurations_operations.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/operations/_operation_status_operations.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/operations/_operations.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/operations/_patch.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/operations/_source_control_configurations_operations.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/__init__.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/_configuration.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/_patch.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/_source_control_configuration_client.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/_vendor.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/_version.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/__init__.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/_configuration.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/_patch.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/_source_control_configuration_client.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/operations/__init__.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/operations/_extensions_operations.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/operations/_flux_config_operation_status_operations.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/operations/_flux_configurations_operations.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/operations/_operation_status_operations.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/operations/_operations.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/operations/_patch.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/operations/_source_control_configurations_operations.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/models/__init__.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/models/_models_py3.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/models/_patch.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/models/_source_control_configuration_client_enums.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/operations/__init__.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/operations/_extensions_operations.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/operations/_flux_config_operation_status_operations.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/operations/_flux_configurations_operations.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/operations/_operation_status_operations.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/operations/_operations.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/operations/_patch.py create mode 100644 src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/operations/_source_control_configurations_operations.py diff --git a/src/k8s-extension/README.rst b/src/k8s-extension/README.rst index ddce911fd82..120582b8f4e 100644 --- a/src/k8s-extension/README.rst +++ b/src/k8s-extension/README.rst @@ -31,6 +31,8 @@ az k8s-extension create \ --version versionNumber \ --auto-upgrade-minor-version autoUpgrade \ --configuration-settings exampleSetting=exampleValue \ + --plan-info name=examplePlanName publisher=examplePublisher product=exampleOfferId \ + ``` ##### Get a KubernetesExtension diff --git a/src/k8s-extension/azext_k8s_extension/_format.py b/src/k8s-extension/azext_k8s_extension/_format.py index e930771c05b..8198baa99a5 100644 --- a/src/k8s-extension/azext_k8s_extension/_format.py +++ b/src/k8s-extension/azext_k8s_extension/_format.py @@ -15,12 +15,21 @@ def k8s_extension_show_table_format(result): def __get_table_row(result): + plan_name, plan_publisher, plan_product = '', '', '' + if result['plan']: + plan_name = result['plan']['name'] + plan_publisher = result['plan']['publisher'] + plan_product = result['plan']['product'] return OrderedDict([ ('name', result['name']), ('extensionType', result.get('extensionType', '')), ('version', result.get('version', '')), ('provisioningState', result.get('provisioningState', '')), ('lastModifiedAt', result.get('systemData', {}).get('lastModifiedAt', '')), + ('plan_name', plan_name), + {'plan_publisher', plan_publisher}, + ('plan_product',plan_product), + ('isSystemExtension', result.get('isSystemExtension', '')), ]) diff --git a/src/k8s-extension/azext_k8s_extension/_help.py b/src/k8s-extension/azext_k8s_extension/_help.py index e8c4554df58..3c01452e640 100644 --- a/src/k8s-extension/azext_k8s_extension/_help.py +++ b/src/k8s-extension/azext_k8s_extension/_help.py @@ -24,6 +24,18 @@ --extension-type microsoft.openservicemesh --scope cluster --release-train stable """ +helps[f'{consts.EXTENSION_NAME} create'] = f""" + type: command + short-summary: Create a Kubernetes Marketplace Extension. + examples: + - name: Create a Kubernetes Extension + text: |- + az {consts.EXTENSION_NAME} create --resource-group my-resource-group \ +--cluster-name mycluster --cluster-type managedClusters --name myextension \ +--extension-type Contoso.AzureVoteKubernetesAppTest --scope cluster --release-train stable +--plan-info name=testplan product=kubernetest_apps_demo_offer publisher=test_test_mix3pptest0011614206850774 +""" + helps[f'{consts.EXTENSION_NAME} list'] = f""" type: command short-summary: List Kubernetes Extensions. diff --git a/src/k8s-extension/azext_k8s_extension/_params.py b/src/k8s-extension/azext_k8s_extension/_params.py index 3e8121e3d69..621e84bb14d 100644 --- a/src/k8s-extension/azext_k8s_extension/_params.py +++ b/src/k8s-extension/azext_k8s_extension/_params.py @@ -12,7 +12,8 @@ from .action import ( AddConfigurationSettings, - AddConfigurationProtectedSettings + AddConfigurationProtectedSettings, + AddPlanInfo ) @@ -75,6 +76,12 @@ def load_arguments(self, _): c.argument('target_namespace', help='Specify the target namespace to install to for the extension instance. This' ' parameter is required if extension scope is set to \'namespace\'') + c.argument('plan_info', + arg_group="Plan", + options_list=['--plan-info', '--plan'], + action=AddPlanInfo, + nargs='+', + help='Plan info for marketplace extension as a key=value pair. Provide name, publisher and product as a part of the plan info') with self.argument_context(f"{consts.EXTENSION_NAME} update") as c: c.argument('yes', diff --git a/src/k8s-extension/azext_k8s_extension/action.py b/src/k8s-extension/azext_k8s_extension/action.py index cb37e500267..f871b30e409 100644 --- a/src/k8s-extension/azext_k8s_extension/action.py +++ b/src/k8s-extension/azext_k8s_extension/action.py @@ -35,3 +35,23 @@ def __call__(self, parser, namespace, values, option_string=None): raise ArgumentUsageError('Usage error: {} configuration_protected_setting_key=' 'configuration_protected_setting_value'.format(option_string)) from ex super().__call__(parser, namespace, prot_settings, option_string) + +class AddPlanInfo(argparse._AppendAction): + + def __call__(self, parser, namespace, values, option_string=None): + plan_details = dict({}) + keysExpected = {'name', 'publisher', 'product'} + for item in values: + try: + key, value = item.split('=', 1) + if key not in keysExpected: + raise ArgumentUsageError('Usage error: unknown property: {} used in plan info'.format(key)) + plan_details[key] = value + except ValueError as ex: + raise ArgumentUsageError('Usage error: {} plan_info_key=plan_info_value'. + format(option_string)) from ex + for key in keysExpected: + if key not in plan_details: + raise ArgumentUsageError('Usage error: Missing required plan info property: {}'.format(key)) + + super().__call__(parser, namespace, plan_details, option_string) \ No newline at end of file diff --git a/src/k8s-extension/azext_k8s_extension/consts.py b/src/k8s-extension/azext_k8s_extension/consts.py index c69df7a73f0..ed10734d68f 100644 --- a/src/k8s-extension/azext_k8s_extension/consts.py +++ b/src/k8s-extension/azext_k8s_extension/consts.py @@ -21,7 +21,7 @@ PROVISIONED_CLUSTER_TYPE = "provisionedclusters" CONNECTED_CLUSTER_API_VERSION = "2021-10-01" -MANAGED_CLUSTER_API_VERSION = "2021-10-01" +MANAGED_CLUSTER_API_VERSION = "2022-11-01" APPLIANCE_API_VERSION = "2021-10-31-preview" HYBRIDCONTAINERSERVICE_API_VERSION = "2022-05-01-preview" diff --git a/src/k8s-extension/azext_k8s_extension/custom.py b/src/k8s-extension/azext_k8s_extension/custom.py index e8769dbc0b6..38230ff1cce 100644 --- a/src/k8s-extension/azext_k8s_extension/custom.py +++ b/src/k8s-extension/azext_k8s_extension/custom.py @@ -109,6 +109,7 @@ def create_k8s_extension( configuration_settings_file=None, configuration_protected_settings_file=None, no_wait=False, + plan_info=None ): """Create a new Extension Instance.""" @@ -182,6 +183,7 @@ def create_k8s_extension( config_protected_settings, configuration_settings_file, configuration_protected_settings_file, + plan_info ) # Common validations diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/DefaultExtension.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/DefaultExtension.py index 1f6f1c1326d..5b50c0cc811 100644 --- a/src/k8s-extension/azext_k8s_extension/partner_extensions/DefaultExtension.py +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/DefaultExtension.py @@ -12,6 +12,7 @@ from ..vendored_sdks.models import ScopeCluster from ..vendored_sdks.models import ScopeNamespace from ..vendored_sdks.models import Scope +from ..vendored_sdks.models import Plan from .PartnerExtensionModel import PartnerExtensionModel @@ -37,6 +38,7 @@ def Create( configuration_protected_settings, configuration_settings_file, configuration_protected_settings_file, + plan_info ): """Default validations & defaults for Create Must create and return a valid 'Extension' object. @@ -50,6 +52,14 @@ def Create( scope_namespace = ScopeNamespace(target_namespace=target_namespace) ext_scope = Scope(namespace=scope_namespace, cluster=None) + plan = None + if plan_info is not None and len(plan_info) > 0: + plan_props = plan_info[0] + plan = Plan( + name= plan_props['name'], + publisher = plan_props['publisher'], + product= plan_props['product']) + create_identity = True extension = Extension( extension_type=extension_type, @@ -59,6 +69,7 @@ def Create( scope=ext_scope, configuration_settings=configuration_settings, configuration_protected_settings=configuration_protected_settings, + plan=plan ) return extension, name, create_identity diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/__init__.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/__init__.py index b0a136e072d..05bac22d8ec 100644 --- a/src/k8s-extension/azext_k8s_extension/vendored_sdks/__init__.py +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/__init__.py @@ -14,3 +14,7 @@ patch_sdk() except ImportError: pass + +from ._version import VERSION + +__version__ = VERSION diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/_configuration.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/_configuration.py index 6cd5f3b0fb0..ea88227c594 100644 --- a/src/k8s-extension/azext_k8s_extension/vendored_sdks/_configuration.py +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/_configuration.py @@ -8,7 +8,7 @@ # Changes may cause incorrect behavior and will be lost if the code is # regenerated. # -------------------------------------------------------------------------- -from typing import TYPE_CHECKING +from typing import Any, TYPE_CHECKING from azure.core.configuration import Configuration from azure.core.pipeline import policies @@ -18,8 +18,6 @@ if TYPE_CHECKING: # pylint: disable=unused-import,ungrouped-imports - from typing import Any - from azure.core.credentials import TokenCredential class SourceControlConfigurationClientConfiguration(Configuration): @@ -28,16 +26,16 @@ class SourceControlConfigurationClientConfiguration(Configuration): Note that all parameters used to create this instance are saved as instance attributes. - :param credential: Credential needed for the client to connect to Azure. + :param credential: Credential needed for the client to connect to Azure. Required. :type credential: ~azure.core.credentials.TokenCredential - :param subscription_id: The ID of the target subscription. + :param subscription_id: The ID of the target subscription. Required. :type subscription_id: str """ def __init__( self, - credential, # type: "TokenCredential" - subscription_id, # type: str + credential: "TokenCredential", + subscription_id: str, **kwargs # type: Any ): # type: (...) -> None diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/_serialization.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/_serialization.py new file mode 100644 index 00000000000..240df16c57f --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/_serialization.py @@ -0,0 +1,2006 @@ +# -------------------------------------------------------------------------- +# +# Copyright (c) Microsoft Corporation. All rights reserved. +# +# The MIT License (MIT) +# +# Permission is hereby granted, free of charge, to any person obtaining a copy +# of this software and associated documentation files (the ""Software""), to +# deal in the Software without restriction, including without limitation the +# rights to use, copy, modify, merge, publish, distribute, sublicense, and/or +# sell copies of the Software, and to permit persons to whom the Software is +# furnished to do so, subject to the following conditions: +# +# The above copyright notice and this permission notice shall be included in +# all copies or substantial portions of the Software. +# +# THE SOFTWARE IS PROVIDED *AS IS*, WITHOUT WARRANTY OF ANY KIND, EXPRESS OR +# IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, +# FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE +# AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER +# LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING +# FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS +# IN THE SOFTWARE. +# +# -------------------------------------------------------------------------- + +# pylint: skip-file + +from base64 import b64decode, b64encode +import calendar +import datetime +import decimal +import email +from enum import Enum +import json +import logging +import re +import sys +import codecs +try: + from urllib import quote # type: ignore +except ImportError: + from urllib.parse import quote # type: ignore +import xml.etree.ElementTree as ET + +import isodate + +from typing import Dict, Any, cast, TYPE_CHECKING + +from azure.core.exceptions import DeserializationError, SerializationError, raise_with_traceback + +_BOM = codecs.BOM_UTF8.decode(encoding='utf-8') + +if TYPE_CHECKING: + from typing import Optional, Union, AnyStr, IO, Mapping + +class RawDeserializer: + + # Accept "text" because we're open minded people... + JSON_REGEXP = re.compile(r'^(application|text)/([a-z+.]+\+)?json$') + + # Name used in context + CONTEXT_NAME = "deserialized_data" + + @classmethod + def deserialize_from_text(cls, data, content_type=None): + # type: (Optional[Union[AnyStr, IO]], Optional[str]) -> Any + """Decode data according to content-type. + + Accept a stream of data as well, but will be load at once in memory for now. + + If no content-type, will return the string version (not bytes, not stream) + + :param data: Input, could be bytes or stream (will be decoded with UTF8) or text + :type data: str or bytes or IO + :param str content_type: The content type. + """ + if hasattr(data, 'read'): + # Assume a stream + data = cast(IO, data).read() + + if isinstance(data, bytes): + data_as_str = data.decode(encoding='utf-8-sig') + else: + # Explain to mypy the correct type. + data_as_str = cast(str, data) + + # Remove Byte Order Mark if present in string + data_as_str = data_as_str.lstrip(_BOM) + + if content_type is None: + return data + + if cls.JSON_REGEXP.match(content_type): + try: + return json.loads(data_as_str) + except ValueError as err: + raise DeserializationError("JSON is invalid: {}".format(err), err) + elif "xml" in (content_type or []): + try: + + try: + if isinstance(data, unicode): # type: ignore + # If I'm Python 2.7 and unicode XML will scream if I try a "fromstring" on unicode string + data_as_str = data_as_str.encode(encoding="utf-8") # type: ignore + except NameError: + pass + + return ET.fromstring(data_as_str) # nosec + except ET.ParseError: + # It might be because the server has an issue, and returned JSON with + # content-type XML.... + # So let's try a JSON load, and if it's still broken + # let's flow the initial exception + def _json_attemp(data): + try: + return True, json.loads(data) + except ValueError: + return False, None # Don't care about this one + success, json_result = _json_attemp(data) + if success: + return json_result + # If i'm here, it's not JSON, it's not XML, let's scream + # and raise the last context in this block (the XML exception) + # The function hack is because Py2.7 messes up with exception + # context otherwise. + _LOGGER.critical("Wasn't XML not JSON, failing") + raise_with_traceback(DeserializationError, "XML is invalid") + raise DeserializationError("Cannot deserialize content-type: {}".format(content_type)) + + @classmethod + def deserialize_from_http_generics(cls, body_bytes, headers): + # type: (Optional[Union[AnyStr, IO]], Mapping) -> Any + """Deserialize from HTTP response. + + Use bytes and headers to NOT use any requests/aiohttp or whatever + specific implementation. + Headers will tested for "content-type" + """ + # Try to use content-type from headers if available + content_type = None + if 'content-type' in headers: + content_type = headers['content-type'].split(";")[0].strip().lower() + # Ouch, this server did not declare what it sent... + # Let's guess it's JSON... + # Also, since Autorest was considering that an empty body was a valid JSON, + # need that test as well.... + else: + content_type = "application/json" + + if body_bytes: + return cls.deserialize_from_text(body_bytes, content_type) + return None + +try: + basestring # type: ignore + unicode_str = unicode # type: ignore +except NameError: + basestring = str # type: ignore + unicode_str = str # type: ignore + +_LOGGER = logging.getLogger(__name__) + +try: + _long_type = long # type: ignore +except NameError: + _long_type = int + +class UTC(datetime.tzinfo): + """Time Zone info for handling UTC""" + + def utcoffset(self, dt): + """UTF offset for UTC is 0.""" + return datetime.timedelta(0) + + def tzname(self, dt): + """Timestamp representation.""" + return "Z" + + def dst(self, dt): + """No daylight saving for UTC.""" + return datetime.timedelta(hours=1) + +try: + from datetime import timezone as _FixedOffset +except ImportError: # Python 2.7 + class _FixedOffset(datetime.tzinfo): # type: ignore + """Fixed offset in minutes east from UTC. + Copy/pasted from Python doc + :param datetime.timedelta offset: offset in timedelta format + """ + + def __init__(self, offset): + self.__offset = offset + + def utcoffset(self, dt): + return self.__offset + + def tzname(self, dt): + return str(self.__offset.total_seconds()/3600) + + def __repr__(self): + return "".format(self.tzname(None)) + + def dst(self, dt): + return datetime.timedelta(0) + + def __getinitargs__(self): + return (self.__offset,) + +try: + from datetime import timezone + TZ_UTC = timezone.utc # type: ignore +except ImportError: + TZ_UTC = UTC() # type: ignore + +_FLATTEN = re.compile(r"(? y, + "minimum": lambda x, y: x < y, + "maximum": lambda x, y: x > y, + "minimum_ex": lambda x, y: x <= y, + "maximum_ex": lambda x, y: x >= y, + "min_items": lambda x, y: len(x) < y, + "max_items": lambda x, y: len(x) > y, + "pattern": lambda x, y: not re.match(y, x, re.UNICODE), + "unique": lambda x, y: len(x) != len(set(x)), + "multiple": lambda x, y: x % y != 0 + } + + def __init__(self, classes=None): + self.serialize_type = { + 'iso-8601': Serializer.serialize_iso, + 'rfc-1123': Serializer.serialize_rfc, + 'unix-time': Serializer.serialize_unix, + 'duration': Serializer.serialize_duration, + 'date': Serializer.serialize_date, + 'time': Serializer.serialize_time, + 'decimal': Serializer.serialize_decimal, + 'long': Serializer.serialize_long, + 'bytearray': Serializer.serialize_bytearray, + 'base64': Serializer.serialize_base64, + 'object': self.serialize_object, + '[]': self.serialize_iter, + '{}': self.serialize_dict + } + self.dependencies = dict(classes) if classes else {} + self.key_transformer = full_restapi_key_transformer + self.client_side_validation = True + + def _serialize(self, target_obj, data_type=None, **kwargs): + """Serialize data into a string according to type. + + :param target_obj: The data to be serialized. + :param str data_type: The type to be serialized from. + :rtype: str, dict + :raises: SerializationError if serialization fails. + """ + key_transformer = kwargs.get("key_transformer", self.key_transformer) + keep_readonly = kwargs.get("keep_readonly", False) + if target_obj is None: + return None + + attr_name = None + class_name = target_obj.__class__.__name__ + + if data_type: + return self.serialize_data( + target_obj, data_type, **kwargs) + + if not hasattr(target_obj, "_attribute_map"): + data_type = type(target_obj).__name__ + if data_type in self.basic_types.values(): + return self.serialize_data( + target_obj, data_type, **kwargs) + + # Force "is_xml" kwargs if we detect a XML model + try: + is_xml_model_serialization = kwargs["is_xml"] + except KeyError: + is_xml_model_serialization = kwargs.setdefault("is_xml", target_obj.is_xml_model()) + + serialized = {} + if is_xml_model_serialization: + serialized = target_obj._create_xml_node() + try: + attributes = target_obj._attribute_map + for attr, attr_desc in attributes.items(): + attr_name = attr + if not keep_readonly and target_obj._validation.get(attr_name, {}).get('readonly', False): + continue + + if attr_name == "additional_properties" and attr_desc["key"] == '': + if target_obj.additional_properties is not None: + serialized.update(target_obj.additional_properties) + continue + try: + + orig_attr = getattr(target_obj, attr) + if is_xml_model_serialization: + pass # Don't provide "transformer" for XML for now. Keep "orig_attr" + else: # JSON + keys, orig_attr = key_transformer(attr, attr_desc.copy(), orig_attr) + keys = keys if isinstance(keys, list) else [keys] + + + kwargs["serialization_ctxt"] = attr_desc + new_attr = self.serialize_data(orig_attr, attr_desc['type'], **kwargs) + + + if is_xml_model_serialization: + xml_desc = attr_desc.get('xml', {}) + xml_name = xml_desc.get('name', attr_desc['key']) + xml_prefix = xml_desc.get('prefix', None) + xml_ns = xml_desc.get('ns', None) + if xml_desc.get("attr", False): + if xml_ns: + ET.register_namespace(xml_prefix, xml_ns) + xml_name = "{}{}".format(xml_ns, xml_name) + serialized.set(xml_name, new_attr) + continue + if xml_desc.get("text", False): + serialized.text = new_attr + continue + if isinstance(new_attr, list): + serialized.extend(new_attr) + elif isinstance(new_attr, ET.Element): + # If the down XML has no XML/Name, we MUST replace the tag with the local tag. But keeping the namespaces. + if 'name' not in getattr(orig_attr, '_xml_map', {}): + splitted_tag = new_attr.tag.split("}") + if len(splitted_tag) == 2: # Namespace + new_attr.tag = "}".join([splitted_tag[0], xml_name]) + else: + new_attr.tag = xml_name + serialized.append(new_attr) + else: # That's a basic type + # Integrate namespace if necessary + local_node = _create_xml_node( + xml_name, + xml_prefix, + xml_ns + ) + local_node.text = unicode_str(new_attr) + serialized.append(local_node) + else: # JSON + for k in reversed(keys): + unflattened = {k: new_attr} + new_attr = unflattened + + _new_attr = new_attr + _serialized = serialized + for k in keys: + if k not in _serialized: + _serialized.update(_new_attr) + _new_attr = _new_attr[k] + _serialized = _serialized[k] + except ValueError: + continue + + except (AttributeError, KeyError, TypeError) as err: + msg = "Attribute {} in object {} cannot be serialized.\n{}".format( + attr_name, class_name, str(target_obj)) + raise_with_traceback(SerializationError, msg, err) + else: + return serialized + + def body(self, data, data_type, **kwargs): + """Serialize data intended for a request body. + + :param data: The data to be serialized. + :param str data_type: The type to be serialized from. + :rtype: dict + :raises: SerializationError if serialization fails. + :raises: ValueError if data is None + """ + + # Just in case this is a dict + internal_data_type = data_type.strip('[]{}') + internal_data_type = self.dependencies.get(internal_data_type, None) + try: + is_xml_model_serialization = kwargs["is_xml"] + except KeyError: + if internal_data_type and issubclass(internal_data_type, Model): + is_xml_model_serialization = kwargs.setdefault("is_xml", internal_data_type.is_xml_model()) + else: + is_xml_model_serialization = False + if internal_data_type and not isinstance(internal_data_type, Enum): + try: + deserializer = Deserializer(self.dependencies) + # Since it's on serialization, it's almost sure that format is not JSON REST + # We're not able to deal with additional properties for now. + deserializer.additional_properties_detection = False + if is_xml_model_serialization: + deserializer.key_extractors = [ + attribute_key_case_insensitive_extractor, + ] + else: + deserializer.key_extractors = [ + rest_key_case_insensitive_extractor, + attribute_key_case_insensitive_extractor, + last_rest_key_case_insensitive_extractor + ] + data = deserializer._deserialize(data_type, data) + except DeserializationError as err: + raise_with_traceback( + SerializationError, "Unable to build a model: "+str(err), err) + + return self._serialize(data, data_type, **kwargs) + + def url(self, name, data, data_type, **kwargs): + """Serialize data intended for a URL path. + + :param data: The data to be serialized. + :param str data_type: The type to be serialized from. + :rtype: str + :raises: TypeError if serialization fails. + :raises: ValueError if data is None + """ + try: + output = self.serialize_data(data, data_type, **kwargs) + if data_type == 'bool': + output = json.dumps(output) + + if kwargs.get('skip_quote') is True: + output = str(output) + else: + output = quote(str(output), safe='') + except SerializationError: + raise TypeError("{} must be type {}.".format(name, data_type)) + else: + return output + + def query(self, name, data, data_type, **kwargs): + """Serialize data intended for a URL query. + + :param data: The data to be serialized. + :param str data_type: The type to be serialized from. + :rtype: str + :raises: TypeError if serialization fails. + :raises: ValueError if data is None + """ + try: + # Treat the list aside, since we don't want to encode the div separator + if data_type.startswith("["): + internal_data_type = data_type[1:-1] + data = [ + self.serialize_data(d, internal_data_type, **kwargs) if d is not None else "" + for d + in data + ] + if not kwargs.get('skip_quote', False): + data = [ + quote(str(d), safe='') + for d + in data + ] + return str(self.serialize_iter(data, internal_data_type, **kwargs)) + + # Not a list, regular serialization + output = self.serialize_data(data, data_type, **kwargs) + if data_type == 'bool': + output = json.dumps(output) + if kwargs.get('skip_quote') is True: + output = str(output) + else: + output = quote(str(output), safe='') + except SerializationError: + raise TypeError("{} must be type {}.".format(name, data_type)) + else: + return str(output) + + def header(self, name, data, data_type, **kwargs): + """Serialize data intended for a request header. + + :param data: The data to be serialized. + :param str data_type: The type to be serialized from. + :rtype: str + :raises: TypeError if serialization fails. + :raises: ValueError if data is None + """ + try: + if data_type in ['[str]']: + data = ["" if d is None else d for d in data] + + output = self.serialize_data(data, data_type, **kwargs) + if data_type == 'bool': + output = json.dumps(output) + except SerializationError: + raise TypeError("{} must be type {}.".format(name, data_type)) + else: + return str(output) + + def serialize_data(self, data, data_type, **kwargs): + """Serialize generic data according to supplied data type. + + :param data: The data to be serialized. + :param str data_type: The type to be serialized from. + :param bool required: Whether it's essential that the data not be + empty or None + :raises: AttributeError if required data is None. + :raises: ValueError if data is None + :raises: SerializationError if serialization fails. + """ + if data is None: + raise ValueError("No value for given attribute") + + try: + if data_type in self.basic_types.values(): + return self.serialize_basic(data, data_type, **kwargs) + + elif data_type in self.serialize_type: + return self.serialize_type[data_type](data, **kwargs) + + # If dependencies is empty, try with current data class + # It has to be a subclass of Enum anyway + enum_type = self.dependencies.get(data_type, data.__class__) + if issubclass(enum_type, Enum): + return Serializer.serialize_enum(data, enum_obj=enum_type) + + iter_type = data_type[0] + data_type[-1] + if iter_type in self.serialize_type: + return self.serialize_type[iter_type]( + data, data_type[1:-1], **kwargs) + + except (ValueError, TypeError) as err: + msg = "Unable to serialize value: {!r} as type: {!r}." + raise_with_traceback( + SerializationError, msg.format(data, data_type), err) + else: + return self._serialize(data, **kwargs) + + @classmethod + def _get_custom_serializers(cls, data_type, **kwargs): + custom_serializer = kwargs.get("basic_types_serializers", {}).get(data_type) + if custom_serializer: + return custom_serializer + if kwargs.get("is_xml", False): + return cls._xml_basic_types_serializers.get(data_type) + + @classmethod + def serialize_basic(cls, data, data_type, **kwargs): + """Serialize basic builting data type. + Serializes objects to str, int, float or bool. + + Possible kwargs: + - basic_types_serializers dict[str, callable] : If set, use the callable as serializer + - is_xml bool : If set, use xml_basic_types_serializers + + :param data: Object to be serialized. + :param str data_type: Type of object in the iterable. + """ + custom_serializer = cls._get_custom_serializers(data_type, **kwargs) + if custom_serializer: + return custom_serializer(data) + if data_type == 'str': + return cls.serialize_unicode(data) + return eval(data_type)(data) # nosec + + @classmethod + def serialize_unicode(cls, data): + """Special handling for serializing unicode strings in Py2. + Encode to UTF-8 if unicode, otherwise handle as a str. + + :param data: Object to be serialized. + :rtype: str + """ + try: # If I received an enum, return its value + return data.value + except AttributeError: + pass + + try: + if isinstance(data, unicode): + # Don't change it, JSON and XML ElementTree are totally able + # to serialize correctly u'' strings + return data + except NameError: + return str(data) + else: + return str(data) + + def serialize_iter(self, data, iter_type, div=None, **kwargs): + """Serialize iterable. + + Supported kwargs: + - serialization_ctxt dict : The current entry of _attribute_map, or same format. + serialization_ctxt['type'] should be same as data_type. + - is_xml bool : If set, serialize as XML + + :param list attr: Object to be serialized. + :param str iter_type: Type of object in the iterable. + :param bool required: Whether the objects in the iterable must + not be None or empty. + :param str div: If set, this str will be used to combine the elements + in the iterable into a combined string. Default is 'None'. + :rtype: list, str + """ + if isinstance(data, str): + raise SerializationError("Refuse str type as a valid iter type.") + + serialization_ctxt = kwargs.get("serialization_ctxt", {}) + is_xml = kwargs.get("is_xml", False) + + serialized = [] + for d in data: + try: + serialized.append(self.serialize_data(d, iter_type, **kwargs)) + except ValueError: + serialized.append(None) + + if div: + serialized = ['' if s is None else str(s) for s in serialized] + serialized = div.join(serialized) + + if 'xml' in serialization_ctxt or is_xml: + # XML serialization is more complicated + xml_desc = serialization_ctxt.get('xml', {}) + xml_name = xml_desc.get('name') + if not xml_name: + xml_name = serialization_ctxt['key'] + + # Create a wrap node if necessary (use the fact that Element and list have "append") + is_wrapped = xml_desc.get("wrapped", False) + node_name = xml_desc.get("itemsName", xml_name) + if is_wrapped: + final_result = _create_xml_node( + xml_name, + xml_desc.get('prefix', None), + xml_desc.get('ns', None) + ) + else: + final_result = [] + # All list elements to "local_node" + for el in serialized: + if isinstance(el, ET.Element): + el_node = el + else: + el_node = _create_xml_node( + node_name, + xml_desc.get('prefix', None), + xml_desc.get('ns', None) + ) + if el is not None: # Otherwise it writes "None" :-p + el_node.text = str(el) + final_result.append(el_node) + return final_result + return serialized + + def serialize_dict(self, attr, dict_type, **kwargs): + """Serialize a dictionary of objects. + + :param dict attr: Object to be serialized. + :param str dict_type: Type of object in the dictionary. + :param bool required: Whether the objects in the dictionary must + not be None or empty. + :rtype: dict + """ + serialization_ctxt = kwargs.get("serialization_ctxt", {}) + serialized = {} + for key, value in attr.items(): + try: + serialized[self.serialize_unicode(key)] = self.serialize_data( + value, dict_type, **kwargs) + except ValueError: + serialized[self.serialize_unicode(key)] = None + + if 'xml' in serialization_ctxt: + # XML serialization is more complicated + xml_desc = serialization_ctxt['xml'] + xml_name = xml_desc['name'] + + final_result = _create_xml_node( + xml_name, + xml_desc.get('prefix', None), + xml_desc.get('ns', None) + ) + for key, value in serialized.items(): + ET.SubElement(final_result, key).text = value + return final_result + + return serialized + + def serialize_object(self, attr, **kwargs): + """Serialize a generic object. + This will be handled as a dictionary. If object passed in is not + a basic type (str, int, float, dict, list) it will simply be + cast to str. + + :param dict attr: Object to be serialized. + :rtype: dict or str + """ + if attr is None: + return None + if isinstance(attr, ET.Element): + return attr + obj_type = type(attr) + if obj_type in self.basic_types: + return self.serialize_basic(attr, self.basic_types[obj_type], **kwargs) + if obj_type is _long_type: + return self.serialize_long(attr) + if obj_type is unicode_str: + return self.serialize_unicode(attr) + if obj_type is datetime.datetime: + return self.serialize_iso(attr) + if obj_type is datetime.date: + return self.serialize_date(attr) + if obj_type is datetime.time: + return self.serialize_time(attr) + if obj_type is datetime.timedelta: + return self.serialize_duration(attr) + if obj_type is decimal.Decimal: + return self.serialize_decimal(attr) + + # If it's a model or I know this dependency, serialize as a Model + elif obj_type in self.dependencies.values() or isinstance(attr, Model): + return self._serialize(attr) + + if obj_type == dict: + serialized = {} + for key, value in attr.items(): + try: + serialized[self.serialize_unicode(key)] = self.serialize_object( + value, **kwargs) + except ValueError: + serialized[self.serialize_unicode(key)] = None + return serialized + + if obj_type == list: + serialized = [] + for obj in attr: + try: + serialized.append(self.serialize_object( + obj, **kwargs)) + except ValueError: + pass + return serialized + return str(attr) + + @staticmethod + def serialize_enum(attr, enum_obj=None): + try: + result = attr.value + except AttributeError: + result = attr + try: + enum_obj(result) + return result + except ValueError: + for enum_value in enum_obj: + if enum_value.value.lower() == str(attr).lower(): + return enum_value.value + error = "{!r} is not valid value for enum {!r}" + raise SerializationError(error.format(attr, enum_obj)) + + @staticmethod + def serialize_bytearray(attr, **kwargs): + """Serialize bytearray into base-64 string. + + :param attr: Object to be serialized. + :rtype: str + """ + return b64encode(attr).decode() + + @staticmethod + def serialize_base64(attr, **kwargs): + """Serialize str into base-64 string. + + :param attr: Object to be serialized. + :rtype: str + """ + encoded = b64encode(attr).decode('ascii') + return encoded.strip('=').replace('+', '-').replace('/', '_') + + @staticmethod + def serialize_decimal(attr, **kwargs): + """Serialize Decimal object to float. + + :param attr: Object to be serialized. + :rtype: float + """ + return float(attr) + + @staticmethod + def serialize_long(attr, **kwargs): + """Serialize long (Py2) or int (Py3). + + :param attr: Object to be serialized. + :rtype: int/long + """ + return _long_type(attr) + + @staticmethod + def serialize_date(attr, **kwargs): + """Serialize Date object into ISO-8601 formatted string. + + :param Date attr: Object to be serialized. + :rtype: str + """ + if isinstance(attr, str): + attr = isodate.parse_date(attr) + t = "{:04}-{:02}-{:02}".format(attr.year, attr.month, attr.day) + return t + + @staticmethod + def serialize_time(attr, **kwargs): + """Serialize Time object into ISO-8601 formatted string. + + :param datetime.time attr: Object to be serialized. + :rtype: str + """ + if isinstance(attr, str): + attr = isodate.parse_time(attr) + t = "{:02}:{:02}:{:02}".format(attr.hour, attr.minute, attr.second) + if attr.microsecond: + t += ".{:02}".format(attr.microsecond) + return t + + @staticmethod + def serialize_duration(attr, **kwargs): + """Serialize TimeDelta object into ISO-8601 formatted string. + + :param TimeDelta attr: Object to be serialized. + :rtype: str + """ + if isinstance(attr, str): + attr = isodate.parse_duration(attr) + return isodate.duration_isoformat(attr) + + @staticmethod + def serialize_rfc(attr, **kwargs): + """Serialize Datetime object into RFC-1123 formatted string. + + :param Datetime attr: Object to be serialized. + :rtype: str + :raises: TypeError if format invalid. + """ + try: + if not attr.tzinfo: + _LOGGER.warning( + "Datetime with no tzinfo will be considered UTC.") + utc = attr.utctimetuple() + except AttributeError: + raise TypeError("RFC1123 object must be valid Datetime object.") + + return "{}, {:02} {} {:04} {:02}:{:02}:{:02} GMT".format( + Serializer.days[utc.tm_wday], utc.tm_mday, + Serializer.months[utc.tm_mon], utc.tm_year, + utc.tm_hour, utc.tm_min, utc.tm_sec) + + @staticmethod + def serialize_iso(attr, **kwargs): + """Serialize Datetime object into ISO-8601 formatted string. + + :param Datetime attr: Object to be serialized. + :rtype: str + :raises: SerializationError if format invalid. + """ + if isinstance(attr, str): + attr = isodate.parse_datetime(attr) + try: + if not attr.tzinfo: + _LOGGER.warning( + "Datetime with no tzinfo will be considered UTC.") + utc = attr.utctimetuple() + if utc.tm_year > 9999 or utc.tm_year < 1: + raise OverflowError("Hit max or min date") + + microseconds = str(attr.microsecond).rjust(6,'0').rstrip('0').ljust(3, '0') + if microseconds: + microseconds = '.'+microseconds + date = "{:04}-{:02}-{:02}T{:02}:{:02}:{:02}".format( + utc.tm_year, utc.tm_mon, utc.tm_mday, + utc.tm_hour, utc.tm_min, utc.tm_sec) + return date + microseconds + 'Z' + except (ValueError, OverflowError) as err: + msg = "Unable to serialize datetime object." + raise_with_traceback(SerializationError, msg, err) + except AttributeError as err: + msg = "ISO-8601 object must be valid Datetime object." + raise_with_traceback(TypeError, msg, err) + + @staticmethod + def serialize_unix(attr, **kwargs): + """Serialize Datetime object into IntTime format. + This is represented as seconds. + + :param Datetime attr: Object to be serialized. + :rtype: int + :raises: SerializationError if format invalid + """ + if isinstance(attr, int): + return attr + try: + if not attr.tzinfo: + _LOGGER.warning( + "Datetime with no tzinfo will be considered UTC.") + return int(calendar.timegm(attr.utctimetuple())) + except AttributeError: + raise TypeError("Unix time object must be valid Datetime object.") + +def rest_key_extractor(attr, attr_desc, data): + key = attr_desc['key'] + working_data = data + + while '.' in key: + dict_keys = _FLATTEN.split(key) + if len(dict_keys) == 1: + key = _decode_attribute_map_key(dict_keys[0]) + break + working_key = _decode_attribute_map_key(dict_keys[0]) + working_data = working_data.get(working_key, data) + if working_data is None: + # If at any point while following flatten JSON path see None, it means + # that all properties under are None as well + # https://github.com/Azure/msrest-for-python/issues/197 + return None + key = '.'.join(dict_keys[1:]) + + return working_data.get(key) + +def rest_key_case_insensitive_extractor(attr, attr_desc, data): + key = attr_desc['key'] + working_data = data + + while '.' in key: + dict_keys = _FLATTEN.split(key) + if len(dict_keys) == 1: + key = _decode_attribute_map_key(dict_keys[0]) + break + working_key = _decode_attribute_map_key(dict_keys[0]) + working_data = attribute_key_case_insensitive_extractor(working_key, None, working_data) + if working_data is None: + # If at any point while following flatten JSON path see None, it means + # that all properties under are None as well + # https://github.com/Azure/msrest-for-python/issues/197 + return None + key = '.'.join(dict_keys[1:]) + + if working_data: + return attribute_key_case_insensitive_extractor(key, None, working_data) + +def last_rest_key_extractor(attr, attr_desc, data): + """Extract the attribute in "data" based on the last part of the JSON path key. + """ + key = attr_desc['key'] + dict_keys = _FLATTEN.split(key) + return attribute_key_extractor(dict_keys[-1], None, data) + +def last_rest_key_case_insensitive_extractor(attr, attr_desc, data): + """Extract the attribute in "data" based on the last part of the JSON path key. + + This is the case insensitive version of "last_rest_key_extractor" + """ + key = attr_desc['key'] + dict_keys = _FLATTEN.split(key) + return attribute_key_case_insensitive_extractor(dict_keys[-1], None, data) + +def attribute_key_extractor(attr, _, data): + return data.get(attr) + +def attribute_key_case_insensitive_extractor(attr, _, data): + found_key = None + lower_attr = attr.lower() + for key in data: + if lower_attr == key.lower(): + found_key = key + break + + return data.get(found_key) + +def _extract_name_from_internal_type(internal_type): + """Given an internal type XML description, extract correct XML name with namespace. + + :param dict internal_type: An model type + :rtype: tuple + :returns: A tuple XML name + namespace dict + """ + internal_type_xml_map = getattr(internal_type, "_xml_map", {}) + xml_name = internal_type_xml_map.get('name', internal_type.__name__) + xml_ns = internal_type_xml_map.get("ns", None) + if xml_ns: + xml_name = "{}{}".format(xml_ns, xml_name) + return xml_name + + +def xml_key_extractor(attr, attr_desc, data): + if isinstance(data, dict): + return None + + # Test if this model is XML ready first + if not isinstance(data, ET.Element): + return None + + xml_desc = attr_desc.get('xml', {}) + xml_name = xml_desc.get('name', attr_desc['key']) + + # Look for a children + is_iter_type = attr_desc['type'].startswith("[") + is_wrapped = xml_desc.get("wrapped", False) + internal_type = attr_desc.get("internalType", None) + internal_type_xml_map = getattr(internal_type, "_xml_map", {}) + + # Integrate namespace if necessary + xml_ns = xml_desc.get('ns', internal_type_xml_map.get("ns", None)) + if xml_ns: + xml_name = "{}{}".format(xml_ns, xml_name) + + # If it's an attribute, that's simple + if xml_desc.get("attr", False): + return data.get(xml_name) + + # If it's x-ms-text, that's simple too + if xml_desc.get("text", False): + return data.text + + # Scenario where I take the local name: + # - Wrapped node + # - Internal type is an enum (considered basic types) + # - Internal type has no XML/Name node + if is_wrapped or (internal_type and (issubclass(internal_type, Enum) or 'name' not in internal_type_xml_map)): + children = data.findall(xml_name) + # If internal type has a local name and it's not a list, I use that name + elif not is_iter_type and internal_type and 'name' in internal_type_xml_map: + xml_name = _extract_name_from_internal_type(internal_type) + children = data.findall(xml_name) + # That's an array + else: + if internal_type: # Complex type, ignore itemsName and use the complex type name + items_name = _extract_name_from_internal_type(internal_type) + else: + items_name = xml_desc.get("itemsName", xml_name) + children = data.findall(items_name) + + if len(children) == 0: + if is_iter_type: + if is_wrapped: + return None # is_wrapped no node, we want None + else: + return [] # not wrapped, assume empty list + return None # Assume it's not there, maybe an optional node. + + # If is_iter_type and not wrapped, return all found children + if is_iter_type: + if not is_wrapped: + return children + else: # Iter and wrapped, should have found one node only (the wrap one) + if len(children) != 1: + raise DeserializationError( + "Tried to deserialize an array not wrapped, and found several nodes '{}'. Maybe you should declare this array as wrapped?".format( + xml_name + )) + return list(children[0]) # Might be empty list and that's ok. + + # Here it's not a itertype, we should have found one element only or empty + if len(children) > 1: + raise DeserializationError("Find several XML '{}' where it was not expected".format(xml_name)) + return children[0] + +class Deserializer(object): + """Response object model deserializer. + + :param dict classes: Class type dictionary for deserializing complex types. + :ivar list key_extractors: Ordered list of extractors to be used by this deserializer. + """ + + basic_types = {str: 'str', int: 'int', bool: 'bool', float: 'float'} + + valid_date = re.compile( + r'\d{4}[-]\d{2}[-]\d{2}T\d{2}:\d{2}:\d{2}' + r'\.?\d*Z?[-+]?[\d{2}]?:?[\d{2}]?') + + def __init__(self, classes=None): + self.deserialize_type = { + 'iso-8601': Deserializer.deserialize_iso, + 'rfc-1123': Deserializer.deserialize_rfc, + 'unix-time': Deserializer.deserialize_unix, + 'duration': Deserializer.deserialize_duration, + 'date': Deserializer.deserialize_date, + 'time': Deserializer.deserialize_time, + 'decimal': Deserializer.deserialize_decimal, + 'long': Deserializer.deserialize_long, + 'bytearray': Deserializer.deserialize_bytearray, + 'base64': Deserializer.deserialize_base64, + 'object': self.deserialize_object, + '[]': self.deserialize_iter, + '{}': self.deserialize_dict + } + self.deserialize_expected_types = { + 'duration': (isodate.Duration, datetime.timedelta), + 'iso-8601': (datetime.datetime) + } + self.dependencies = dict(classes) if classes else {} + self.key_extractors = [ + rest_key_extractor, + xml_key_extractor + ] + # Additional properties only works if the "rest_key_extractor" is used to + # extract the keys. Making it to work whatever the key extractor is too much + # complicated, with no real scenario for now. + # So adding a flag to disable additional properties detection. This flag should be + # used if your expect the deserialization to NOT come from a JSON REST syntax. + # Otherwise, result are unexpected + self.additional_properties_detection = True + + def __call__(self, target_obj, response_data, content_type=None): + """Call the deserializer to process a REST response. + + :param str target_obj: Target data type to deserialize to. + :param requests.Response response_data: REST response object. + :param str content_type: Swagger "produces" if available. + :raises: DeserializationError if deserialization fails. + :return: Deserialized object. + """ + data = self._unpack_content(response_data, content_type) + return self._deserialize(target_obj, data) + + def _deserialize(self, target_obj, data): + """Call the deserializer on a model. + + Data needs to be already deserialized as JSON or XML ElementTree + + :param str target_obj: Target data type to deserialize to. + :param object data: Object to deserialize. + :raises: DeserializationError if deserialization fails. + :return: Deserialized object. + """ + # This is already a model, go recursive just in case + if hasattr(data, "_attribute_map"): + constants = [name for name, config in getattr(data, '_validation', {}).items() + if config.get('constant')] + try: + for attr, mapconfig in data._attribute_map.items(): + if attr in constants: + continue + value = getattr(data, attr) + if value is None: + continue + local_type = mapconfig['type'] + internal_data_type = local_type.strip('[]{}') + if internal_data_type not in self.dependencies or isinstance(internal_data_type, Enum): + continue + setattr( + data, + attr, + self._deserialize(local_type, value) + ) + return data + except AttributeError: + return + + response, class_name = self._classify_target(target_obj, data) + + if isinstance(response, basestring): + return self.deserialize_data(data, response) + elif isinstance(response, type) and issubclass(response, Enum): + return self.deserialize_enum(data, response) + + if data is None: + return data + try: + attributes = response._attribute_map + d_attrs = {} + for attr, attr_desc in attributes.items(): + # Check empty string. If it's not empty, someone has a real "additionalProperties"... + if attr == "additional_properties" and attr_desc["key"] == '': + continue + raw_value = None + # Enhance attr_desc with some dynamic data + attr_desc = attr_desc.copy() # Do a copy, do not change the real one + internal_data_type = attr_desc["type"].strip('[]{}') + if internal_data_type in self.dependencies: + attr_desc["internalType"] = self.dependencies[internal_data_type] + + for key_extractor in self.key_extractors: + found_value = key_extractor(attr, attr_desc, data) + if found_value is not None: + if raw_value is not None and raw_value != found_value: + msg = ("Ignoring extracted value '%s' from %s for key '%s'" + " (duplicate extraction, follow extractors order)" ) + _LOGGER.warning( + msg, + found_value, + key_extractor, + attr + ) + continue + raw_value = found_value + + value = self.deserialize_data(raw_value, attr_desc['type']) + d_attrs[attr] = value + except (AttributeError, TypeError, KeyError) as err: + msg = "Unable to deserialize to object: " + class_name + raise_with_traceback(DeserializationError, msg, err) + else: + additional_properties = self._build_additional_properties(attributes, data) + return self._instantiate_model(response, d_attrs, additional_properties) + + def _build_additional_properties(self, attribute_map, data): + if not self.additional_properties_detection: + return None + if "additional_properties" in attribute_map and attribute_map.get("additional_properties", {}).get("key") != '': + # Check empty string. If it's not empty, someone has a real "additionalProperties" + return None + if isinstance(data, ET.Element): + data = {el.tag: el.text for el in data} + + known_keys = {_decode_attribute_map_key(_FLATTEN.split(desc['key'])[0]) + for desc in attribute_map.values() if desc['key'] != ''} + present_keys = set(data.keys()) + missing_keys = present_keys - known_keys + return {key: data[key] for key in missing_keys} + + def _classify_target(self, target, data): + """Check to see whether the deserialization target object can + be classified into a subclass. + Once classification has been determined, initialize object. + + :param str target: The target object type to deserialize to. + :param str/dict data: The response data to deseralize. + """ + if target is None: + return None, None + + if isinstance(target, basestring): + try: + target = self.dependencies[target] + except KeyError: + return target, target + + try: + target = target._classify(data, self.dependencies) + except AttributeError: + pass # Target is not a Model, no classify + return target, target.__class__.__name__ + + def failsafe_deserialize(self, target_obj, data, content_type=None): + """Ignores any errors encountered in deserialization, + and falls back to not deserializing the object. Recommended + for use in error deserialization, as we want to return the + HttpResponseError to users, and not have them deal with + a deserialization error. + + :param str target_obj: The target object type to deserialize to. + :param str/dict data: The response data to deseralize. + :param str content_type: Swagger "produces" if available. + """ + try: + return self(target_obj, data, content_type=content_type) + except: + _LOGGER.debug( + "Ran into a deserialization error. Ignoring since this is failsafe deserialization", + exc_info=True + ) + return None + + @staticmethod + def _unpack_content(raw_data, content_type=None): + """Extract the correct structure for deserialization. + + If raw_data is a PipelineResponse, try to extract the result of RawDeserializer. + if we can't, raise. Your Pipeline should have a RawDeserializer. + + If not a pipeline response and raw_data is bytes or string, use content-type + to decode it. If no content-type, try JSON. + + If raw_data is something else, bypass all logic and return it directly. + + :param raw_data: Data to be processed. + :param content_type: How to parse if raw_data is a string/bytes. + :raises JSONDecodeError: If JSON is requested and parsing is impossible. + :raises UnicodeDecodeError: If bytes is not UTF8 + """ + # Assume this is enough to detect a Pipeline Response without importing it + context = getattr(raw_data, "context", {}) + if context: + if RawDeserializer.CONTEXT_NAME in context: + return context[RawDeserializer.CONTEXT_NAME] + raise ValueError("This pipeline didn't have the RawDeserializer policy; can't deserialize") + + #Assume this is enough to recognize universal_http.ClientResponse without importing it + if hasattr(raw_data, "body"): + return RawDeserializer.deserialize_from_http_generics( + raw_data.text(), + raw_data.headers + ) + + # Assume this enough to recognize requests.Response without importing it. + if hasattr(raw_data, '_content_consumed'): + return RawDeserializer.deserialize_from_http_generics( + raw_data.text, + raw_data.headers + ) + + if isinstance(raw_data, (basestring, bytes)) or hasattr(raw_data, 'read'): + return RawDeserializer.deserialize_from_text(raw_data, content_type) + return raw_data + + def _instantiate_model(self, response, attrs, additional_properties=None): + """Instantiate a response model passing in deserialized args. + + :param response: The response model class. + :param d_attrs: The deserialized response attributes. + """ + if callable(response): + subtype = getattr(response, '_subtype_map', {}) + try: + readonly = [k for k, v in response._validation.items() + if v.get('readonly')] + const = [k for k, v in response._validation.items() + if v.get('constant')] + kwargs = {k: v for k, v in attrs.items() + if k not in subtype and k not in readonly + const} + response_obj = response(**kwargs) + for attr in readonly: + setattr(response_obj, attr, attrs.get(attr)) + if additional_properties: + response_obj.additional_properties = additional_properties + return response_obj + except TypeError as err: + msg = "Unable to deserialize {} into model {}. ".format( + kwargs, response) + raise DeserializationError(msg + str(err)) + else: + try: + for attr, value in attrs.items(): + setattr(response, attr, value) + return response + except Exception as exp: + msg = "Unable to populate response model. " + msg += "Type: {}, Error: {}".format(type(response), exp) + raise DeserializationError(msg) + + def deserialize_data(self, data, data_type): + """Process data for deserialization according to data type. + + :param str data: The response string to be deserialized. + :param str data_type: The type to deserialize to. + :raises: DeserializationError if deserialization fails. + :return: Deserialized object. + """ + if data is None: + return data + + try: + if not data_type: + return data + if data_type in self.basic_types.values(): + return self.deserialize_basic(data, data_type) + if data_type in self.deserialize_type: + if isinstance(data, self.deserialize_expected_types.get(data_type, tuple())): + return data + + is_a_text_parsing_type = lambda x: x not in ["object", "[]", r"{}"] + if isinstance(data, ET.Element) and is_a_text_parsing_type(data_type) and not data.text: + return None + data_val = self.deserialize_type[data_type](data) + return data_val + + iter_type = data_type[0] + data_type[-1] + if iter_type in self.deserialize_type: + return self.deserialize_type[iter_type](data, data_type[1:-1]) + + obj_type = self.dependencies[data_type] + if issubclass(obj_type, Enum): + if isinstance(data, ET.Element): + data = data.text + return self.deserialize_enum(data, obj_type) + + except (ValueError, TypeError, AttributeError) as err: + msg = "Unable to deserialize response data." + msg += " Data: {}, {}".format(data, data_type) + raise_with_traceback(DeserializationError, msg, err) + else: + return self._deserialize(obj_type, data) + + def deserialize_iter(self, attr, iter_type): + """Deserialize an iterable. + + :param list attr: Iterable to be deserialized. + :param str iter_type: The type of object in the iterable. + :rtype: list + """ + if attr is None: + return None + if isinstance(attr, ET.Element): # If I receive an element here, get the children + attr = list(attr) + if not isinstance(attr, (list, set)): + raise DeserializationError("Cannot deserialize as [{}] an object of type {}".format( + iter_type, + type(attr) + )) + return [self.deserialize_data(a, iter_type) for a in attr] + + def deserialize_dict(self, attr, dict_type): + """Deserialize a dictionary. + + :param dict/list attr: Dictionary to be deserialized. Also accepts + a list of key, value pairs. + :param str dict_type: The object type of the items in the dictionary. + :rtype: dict + """ + if isinstance(attr, list): + return {x['key']: self.deserialize_data(x['value'], dict_type) for x in attr} + + if isinstance(attr, ET.Element): + # Transform value into {"Key": "value"} + attr = {el.tag: el.text for el in attr} + return {k: self.deserialize_data(v, dict_type) for k, v in attr.items()} + + def deserialize_object(self, attr, **kwargs): + """Deserialize a generic object. + This will be handled as a dictionary. + + :param dict attr: Dictionary to be deserialized. + :rtype: dict + :raises: TypeError if non-builtin datatype encountered. + """ + if attr is None: + return None + if isinstance(attr, ET.Element): + # Do no recurse on XML, just return the tree as-is + return attr + if isinstance(attr, basestring): + return self.deserialize_basic(attr, 'str') + obj_type = type(attr) + if obj_type in self.basic_types: + return self.deserialize_basic(attr, self.basic_types[obj_type]) + if obj_type is _long_type: + return self.deserialize_long(attr) + + if obj_type == dict: + deserialized = {} + for key, value in attr.items(): + try: + deserialized[key] = self.deserialize_object( + value, **kwargs) + except ValueError: + deserialized[key] = None + return deserialized + + if obj_type == list: + deserialized = [] + for obj in attr: + try: + deserialized.append(self.deserialize_object( + obj, **kwargs)) + except ValueError: + pass + return deserialized + + else: + error = "Cannot deserialize generic object with type: " + raise TypeError(error + str(obj_type)) + + def deserialize_basic(self, attr, data_type): + """Deserialize basic builtin data type from string. + Will attempt to convert to str, int, float and bool. + This function will also accept '1', '0', 'true' and 'false' as + valid bool values. + + :param str attr: response string to be deserialized. + :param str data_type: deserialization data type. + :rtype: str, int, float or bool + :raises: TypeError if string format is not valid. + """ + # If we're here, data is supposed to be a basic type. + # If it's still an XML node, take the text + if isinstance(attr, ET.Element): + attr = attr.text + if not attr: + if data_type == "str": + # None or '', node is empty string. + return '' + else: + # None or '', node with a strong type is None. + # Don't try to model "empty bool" or "empty int" + return None + + if data_type == 'bool': + if attr in [True, False, 1, 0]: + return bool(attr) + elif isinstance(attr, basestring): + if attr.lower() in ['true', '1']: + return True + elif attr.lower() in ['false', '0']: + return False + raise TypeError("Invalid boolean value: {}".format(attr)) + + if data_type == 'str': + return self.deserialize_unicode(attr) + return eval(data_type)(attr) # nosec + + @staticmethod + def deserialize_unicode(data): + """Preserve unicode objects in Python 2, otherwise return data + as a string. + + :param str data: response string to be deserialized. + :rtype: str or unicode + """ + # We might be here because we have an enum modeled as string, + # and we try to deserialize a partial dict with enum inside + if isinstance(data, Enum): + return data + + # Consider this is real string + try: + if isinstance(data, unicode): + return data + except NameError: + return str(data) + else: + return str(data) + + @staticmethod + def deserialize_enum(data, enum_obj): + """Deserialize string into enum object. + + If the string is not a valid enum value it will be returned as-is + and a warning will be logged. + + :param str data: Response string to be deserialized. If this value is + None or invalid it will be returned as-is. + :param Enum enum_obj: Enum object to deserialize to. + :rtype: Enum + """ + if isinstance(data, enum_obj) or data is None: + return data + if isinstance(data, Enum): + data = data.value + if isinstance(data, int): + # Workaround. We might consider remove it in the future. + # https://github.com/Azure/azure-rest-api-specs/issues/141 + try: + return list(enum_obj.__members__.values())[data] + except IndexError: + error = "{!r} is not a valid index for enum {!r}" + raise DeserializationError(error.format(data, enum_obj)) + try: + return enum_obj(str(data)) + except ValueError: + for enum_value in enum_obj: + if enum_value.value.lower() == str(data).lower(): + return enum_value + # We don't fail anymore for unknown value, we deserialize as a string + _LOGGER.warning("Deserializer is not able to find %s as valid enum in %s", data, enum_obj) + return Deserializer.deserialize_unicode(data) + + @staticmethod + def deserialize_bytearray(attr): + """Deserialize string into bytearray. + + :param str attr: response string to be deserialized. + :rtype: bytearray + :raises: TypeError if string format invalid. + """ + if isinstance(attr, ET.Element): + attr = attr.text + return bytearray(b64decode(attr)) + + @staticmethod + def deserialize_base64(attr): + """Deserialize base64 encoded string into string. + + :param str attr: response string to be deserialized. + :rtype: bytearray + :raises: TypeError if string format invalid. + """ + if isinstance(attr, ET.Element): + attr = attr.text + padding = '=' * (3 - (len(attr) + 3) % 4) + attr = attr + padding + encoded = attr.replace('-', '+').replace('_', '/') + return b64decode(encoded) + + @staticmethod + def deserialize_decimal(attr): + """Deserialize string into Decimal object. + + :param str attr: response string to be deserialized. + :rtype: Decimal + :raises: DeserializationError if string format invalid. + """ + if isinstance(attr, ET.Element): + attr = attr.text + try: + return decimal.Decimal(attr) + except decimal.DecimalException as err: + msg = "Invalid decimal {}".format(attr) + raise_with_traceback(DeserializationError, msg, err) + + @staticmethod + def deserialize_long(attr): + """Deserialize string into long (Py2) or int (Py3). + + :param str attr: response string to be deserialized. + :rtype: long or int + :raises: ValueError if string format invalid. + """ + if isinstance(attr, ET.Element): + attr = attr.text + return _long_type(attr) + + @staticmethod + def deserialize_duration(attr): + """Deserialize ISO-8601 formatted string into TimeDelta object. + + :param str attr: response string to be deserialized. + :rtype: TimeDelta + :raises: DeserializationError if string format invalid. + """ + if isinstance(attr, ET.Element): + attr = attr.text + try: + duration = isodate.parse_duration(attr) + except(ValueError, OverflowError, AttributeError) as err: + msg = "Cannot deserialize duration object." + raise_with_traceback(DeserializationError, msg, err) + else: + return duration + + @staticmethod + def deserialize_date(attr): + """Deserialize ISO-8601 formatted string into Date object. + + :param str attr: response string to be deserialized. + :rtype: Date + :raises: DeserializationError if string format invalid. + """ + if isinstance(attr, ET.Element): + attr = attr.text + if re.search(r"[^\W\d_]", attr, re.I + re.U): + raise DeserializationError("Date must have only digits and -. Received: %s" % attr) + # This must NOT use defaultmonth/defaultday. Using None ensure this raises an exception. + return isodate.parse_date(attr, defaultmonth=None, defaultday=None) + + @staticmethod + def deserialize_time(attr): + """Deserialize ISO-8601 formatted string into time object. + + :param str attr: response string to be deserialized. + :rtype: datetime.time + :raises: DeserializationError if string format invalid. + """ + if isinstance(attr, ET.Element): + attr = attr.text + if re.search(r"[^\W\d_]", attr, re.I + re.U): + raise DeserializationError("Date must have only digits and -. Received: %s" % attr) + return isodate.parse_time(attr) + + @staticmethod + def deserialize_rfc(attr): + """Deserialize RFC-1123 formatted string into Datetime object. + + :param str attr: response string to be deserialized. + :rtype: Datetime + :raises: DeserializationError if string format invalid. + """ + if isinstance(attr, ET.Element): + attr = attr.text + try: + parsed_date = email.utils.parsedate_tz(attr) + date_obj = datetime.datetime( + *parsed_date[:6], + tzinfo=_FixedOffset(datetime.timedelta(minutes=(parsed_date[9] or 0)/60)) + ) + if not date_obj.tzinfo: + date_obj = date_obj.astimezone(tz=TZ_UTC) + except ValueError as err: + msg = "Cannot deserialize to rfc datetime object." + raise_with_traceback(DeserializationError, msg, err) + else: + return date_obj + + @staticmethod + def deserialize_iso(attr): + """Deserialize ISO-8601 formatted string into Datetime object. + + :param str attr: response string to be deserialized. + :rtype: Datetime + :raises: DeserializationError if string format invalid. + """ + if isinstance(attr, ET.Element): + attr = attr.text + try: + attr = attr.upper() + match = Deserializer.valid_date.match(attr) + if not match: + raise ValueError("Invalid datetime string: " + attr) + + check_decimal = attr.split('.') + if len(check_decimal) > 1: + decimal_str = "" + for digit in check_decimal[1]: + if digit.isdigit(): + decimal_str += digit + else: + break + if len(decimal_str) > 6: + attr = attr.replace(decimal_str, decimal_str[0:6]) + + date_obj = isodate.parse_datetime(attr) + test_utc = date_obj.utctimetuple() + if test_utc.tm_year > 9999 or test_utc.tm_year < 1: + raise OverflowError("Hit max or min date") + except(ValueError, OverflowError, AttributeError) as err: + msg = "Cannot deserialize datetime object." + raise_with_traceback(DeserializationError, msg, err) + else: + return date_obj + + @staticmethod + def deserialize_unix(attr): + """Serialize Datetime object into IntTime format. + This is represented as seconds. + + :param int attr: Object to be serialized. + :rtype: Datetime + :raises: DeserializationError if format invalid + """ + if isinstance(attr, ET.Element): + attr = int(attr.text) + try: + date_obj = datetime.datetime.fromtimestamp(attr, TZ_UTC) + except ValueError as err: + msg = "Cannot deserialize to unix datetime object." + raise_with_traceback(DeserializationError, msg, err) + else: + return date_obj diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/_source_control_configuration_client.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/_source_control_configuration_client.py index f388fba3815..6ac92536c1b 100644 --- a/src/k8s-extension/azext_k8s_extension/vendored_sdks/_source_control_configuration_client.py +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/_source_control_configuration_client.py @@ -9,19 +9,17 @@ # regenerated. # -------------------------------------------------------------------------- -from typing import TYPE_CHECKING +from typing import Any, Optional, TYPE_CHECKING from azure.mgmt.core import ARMPipelineClient from azure.profiles import KnownProfiles, ProfileDefinition from azure.profiles.multiapiclient import MultiApiClientMixin -from msrest import Deserializer, Serializer from ._configuration import SourceControlConfigurationClientConfiguration +from ._serialization import Deserializer, Serializer if TYPE_CHECKING: # pylint: disable=unused-import,ungrouped-imports - from typing import Any, Optional - from azure.core.credentials import TokenCredential class _SDKClient(object): @@ -42,9 +40,9 @@ class SourceControlConfigurationClient(MultiApiClientMixin, _SDKClient): The api-version parameter sets the default API version if the operation group is not described in the profile. - :param credential: Credential needed for the client to connect to Azure. + :param credential: Credential needed for the client to connect to Azure. Required. :type credential: ~azure.core.credentials.TokenCredential - :param subscription_id: The ID of the target subscription. + :param subscription_id: The ID of the target subscription. Required. :type subscription_id: str :param api_version: API version to use if no profile is provided, or if missing in profile. :type api_version: str @@ -55,7 +53,7 @@ class SourceControlConfigurationClient(MultiApiClientMixin, _SDKClient): :keyword int polling_interval: Default waiting time between two polls for LRO operations if no Retry-After header is present. """ - DEFAULT_API_VERSION = '2022-03-01' + DEFAULT_API_VERSION = '2022-11-01' _PROFILE_TAG = "azure.mgmt.kubernetesconfiguration.SourceControlConfigurationClient" LATEST_PROFILE = ProfileDefinition({ _PROFILE_TAG: { @@ -64,16 +62,19 @@ class SourceControlConfigurationClient(MultiApiClientMixin, _SDKClient): 'cluster_extension_types': '2022-01-15-preview', 'extension_type_versions': '2022-01-15-preview', 'location_extension_types': '2022-01-15-preview', + 'private_endpoint_connections': '2022-04-02-preview', + 'private_link_resources': '2022-04-02-preview', + 'private_link_scopes': '2022-04-02-preview', }}, _PROFILE_TAG + " latest" ) def __init__( self, - credential, # type: "TokenCredential" - subscription_id, # type: str + credential: "TokenCredential", + subscription_id: str, api_version=None, # type: Optional[str] - base_url="https://management.azure.com", # type: str + base_url: str = "https://management.azure.com", profile=KnownProfiles.default, # type: KnownProfiles **kwargs # type: Any ): @@ -102,6 +103,8 @@ def models(cls, api_version=DEFAULT_API_VERSION): * 2022-01-15-preview: :mod:`v2022_01_15_preview.models` * 2022-03-01: :mod:`v2022_03_01.models` * 2022-04-02-preview: :mod:`v2022_04_02_preview.models` + * 2022-07-01: :mod:`v2022_07_01.models` + * 2022-11-01: :mod:`v2022_11_01.models` """ if api_version == '2020-07-01-preview': from .v2020_07_01_preview import models @@ -133,6 +136,12 @@ def models(cls, api_version=DEFAULT_API_VERSION): elif api_version == '2022-04-02-preview': from .v2022_04_02_preview import models return models + elif api_version == '2022-07-01': + from .v2022_07_01 import models + return models + elif api_version == '2022-11-01': + from .v2022_11_01 import models + return models raise ValueError("API version {} is not available".format(api_version)) @property @@ -155,6 +164,7 @@ def cluster_extension_type(self): from .v2022_01_15_preview.operations import ClusterExtensionTypeOperations as OperationClass else: raise ValueError("API version {} does not have operation group 'cluster_extension_type'".format(api_version)) + self._config.api_version = api_version return OperationClass(self._client, self._config, Serializer(self._models_dict(api_version)), Deserializer(self._models_dict(api_version))) @property @@ -177,6 +187,7 @@ def cluster_extension_types(self): from .v2022_01_15_preview.operations import ClusterExtensionTypesOperations as OperationClass else: raise ValueError("API version {} does not have operation group 'cluster_extension_types'".format(api_version)) + self._config.api_version = api_version return OperationClass(self._client, self._config, Serializer(self._models_dict(api_version)), Deserializer(self._models_dict(api_version))) @property @@ -199,6 +210,7 @@ def extension_type_versions(self): from .v2022_01_15_preview.operations import ExtensionTypeVersionsOperations as OperationClass else: raise ValueError("API version {} does not have operation group 'extension_type_versions'".format(api_version)) + self._config.api_version = api_version return OperationClass(self._client, self._config, Serializer(self._models_dict(api_version)), Deserializer(self._models_dict(api_version))) @property @@ -213,6 +225,8 @@ def extensions(self): * 2022-01-15-preview: :class:`ExtensionsOperations` * 2022-03-01: :class:`ExtensionsOperations` * 2022-04-02-preview: :class:`ExtensionsOperations` + * 2022-07-01: :class:`ExtensionsOperations` + * 2022-11-01: :class:`ExtensionsOperations` """ api_version = self._get_api_version('extensions') if api_version == '2020-07-01-preview': @@ -231,8 +245,13 @@ def extensions(self): from .v2022_03_01.operations import ExtensionsOperations as OperationClass elif api_version == '2022-04-02-preview': from .v2022_04_02_preview.operations import ExtensionsOperations as OperationClass + elif api_version == '2022-07-01': + from .v2022_07_01.operations import ExtensionsOperations as OperationClass + elif api_version == '2022-11-01': + from .v2022_11_01.operations import ExtensionsOperations as OperationClass else: raise ValueError("API version {} does not have operation group 'extensions'".format(api_version)) + self._config.api_version = api_version return OperationClass(self._client, self._config, Serializer(self._models_dict(api_version)), Deserializer(self._models_dict(api_version))) @property @@ -243,6 +262,8 @@ def flux_config_operation_status(self): * 2022-01-01-preview: :class:`FluxConfigOperationStatusOperations` * 2022-01-15-preview: :class:`FluxConfigOperationStatusOperations` * 2022-03-01: :class:`FluxConfigOperationStatusOperations` + * 2022-07-01: :class:`FluxConfigOperationStatusOperations` + * 2022-11-01: :class:`FluxConfigOperationStatusOperations` """ api_version = self._get_api_version('flux_config_operation_status') if api_version == '2021-11-01-preview': @@ -253,8 +274,13 @@ def flux_config_operation_status(self): from .v2022_01_15_preview.operations import FluxConfigOperationStatusOperations as OperationClass elif api_version == '2022-03-01': from .v2022_03_01.operations import FluxConfigOperationStatusOperations as OperationClass + elif api_version == '2022-07-01': + from .v2022_07_01.operations import FluxConfigOperationStatusOperations as OperationClass + elif api_version == '2022-11-01': + from .v2022_11_01.operations import FluxConfigOperationStatusOperations as OperationClass else: raise ValueError("API version {} does not have operation group 'flux_config_operation_status'".format(api_version)) + self._config.api_version = api_version return OperationClass(self._client, self._config, Serializer(self._models_dict(api_version)), Deserializer(self._models_dict(api_version))) @property @@ -265,6 +291,8 @@ def flux_configurations(self): * 2022-01-01-preview: :class:`FluxConfigurationsOperations` * 2022-01-15-preview: :class:`FluxConfigurationsOperations` * 2022-03-01: :class:`FluxConfigurationsOperations` + * 2022-07-01: :class:`FluxConfigurationsOperations` + * 2022-11-01: :class:`FluxConfigurationsOperations` """ api_version = self._get_api_version('flux_configurations') if api_version == '2021-11-01-preview': @@ -275,8 +303,13 @@ def flux_configurations(self): from .v2022_01_15_preview.operations import FluxConfigurationsOperations as OperationClass elif api_version == '2022-03-01': from .v2022_03_01.operations import FluxConfigurationsOperations as OperationClass + elif api_version == '2022-07-01': + from .v2022_07_01.operations import FluxConfigurationsOperations as OperationClass + elif api_version == '2022-11-01': + from .v2022_11_01.operations import FluxConfigurationsOperations as OperationClass else: raise ValueError("API version {} does not have operation group 'flux_configurations'".format(api_version)) + self._config.api_version = api_version return OperationClass(self._client, self._config, Serializer(self._models_dict(api_version)), Deserializer(self._models_dict(api_version))) @property @@ -299,6 +332,7 @@ def location_extension_types(self): from .v2022_01_15_preview.operations import LocationExtensionTypesOperations as OperationClass else: raise ValueError("API version {} does not have operation group 'location_extension_types'".format(api_version)) + self._config.api_version = api_version return OperationClass(self._client, self._config, Serializer(self._models_dict(api_version)), Deserializer(self._models_dict(api_version))) @property @@ -312,6 +346,8 @@ def operation_status(self): * 2022-01-15-preview: :class:`OperationStatusOperations` * 2022-03-01: :class:`OperationStatusOperations` * 2022-04-02-preview: :class:`OperationStatusOperations` + * 2022-07-01: :class:`OperationStatusOperations` + * 2022-11-01: :class:`OperationStatusOperations` """ api_version = self._get_api_version('operation_status') if api_version == '2021-05-01-preview': @@ -328,8 +364,13 @@ def operation_status(self): from .v2022_03_01.operations import OperationStatusOperations as OperationClass elif api_version == '2022-04-02-preview': from .v2022_04_02_preview.operations import OperationStatusOperations as OperationClass + elif api_version == '2022-07-01': + from .v2022_07_01.operations import OperationStatusOperations as OperationClass + elif api_version == '2022-11-01': + from .v2022_11_01.operations import OperationStatusOperations as OperationClass else: raise ValueError("API version {} does not have operation group 'operation_status'".format(api_version)) + self._config.api_version = api_version return OperationClass(self._client, self._config, Serializer(self._models_dict(api_version)), Deserializer(self._models_dict(api_version))) @property @@ -345,6 +386,8 @@ def operations(self): * 2022-01-01-preview: :class:`Operations` * 2022-01-15-preview: :class:`Operations` * 2022-03-01: :class:`Operations` + * 2022-07-01: :class:`Operations` + * 2022-11-01: :class:`Operations` """ api_version = self._get_api_version('operations') if api_version == '2020-07-01-preview': @@ -365,8 +408,13 @@ def operations(self): from .v2022_01_15_preview.operations import Operations as OperationClass elif api_version == '2022-03-01': from .v2022_03_01.operations import Operations as OperationClass + elif api_version == '2022-07-01': + from .v2022_07_01.operations import Operations as OperationClass + elif api_version == '2022-11-01': + from .v2022_11_01.operations import Operations as OperationClass else: raise ValueError("API version {} does not have operation group 'operations'".format(api_version)) + self._config.api_version = api_version return OperationClass(self._client, self._config, Serializer(self._models_dict(api_version)), Deserializer(self._models_dict(api_version))) @property @@ -380,6 +428,7 @@ def private_endpoint_connections(self): from .v2022_04_02_preview.operations import PrivateEndpointConnectionsOperations as OperationClass else: raise ValueError("API version {} does not have operation group 'private_endpoint_connections'".format(api_version)) + self._config.api_version = api_version return OperationClass(self._client, self._config, Serializer(self._models_dict(api_version)), Deserializer(self._models_dict(api_version))) @property @@ -393,6 +442,7 @@ def private_link_resources(self): from .v2022_04_02_preview.operations import PrivateLinkResourcesOperations as OperationClass else: raise ValueError("API version {} does not have operation group 'private_link_resources'".format(api_version)) + self._config.api_version = api_version return OperationClass(self._client, self._config, Serializer(self._models_dict(api_version)), Deserializer(self._models_dict(api_version))) @property @@ -406,6 +456,7 @@ def private_link_scopes(self): from .v2022_04_02_preview.operations import PrivateLinkScopesOperations as OperationClass else: raise ValueError("API version {} does not have operation group 'private_link_scopes'".format(api_version)) + self._config.api_version = api_version return OperationClass(self._client, self._config, Serializer(self._models_dict(api_version)), Deserializer(self._models_dict(api_version))) @property @@ -420,6 +471,8 @@ def source_control_configurations(self): * 2022-01-01-preview: :class:`SourceControlConfigurationsOperations` * 2022-01-15-preview: :class:`SourceControlConfigurationsOperations` * 2022-03-01: :class:`SourceControlConfigurationsOperations` + * 2022-07-01: :class:`SourceControlConfigurationsOperations` + * 2022-11-01: :class:`SourceControlConfigurationsOperations` """ api_version = self._get_api_version('source_control_configurations') if api_version == '2020-07-01-preview': @@ -438,8 +491,13 @@ def source_control_configurations(self): from .v2022_01_15_preview.operations import SourceControlConfigurationsOperations as OperationClass elif api_version == '2022-03-01': from .v2022_03_01.operations import SourceControlConfigurationsOperations as OperationClass + elif api_version == '2022-07-01': + from .v2022_07_01.operations import SourceControlConfigurationsOperations as OperationClass + elif api_version == '2022-11-01': + from .v2022_11_01.operations import SourceControlConfigurationsOperations as OperationClass else: raise ValueError("API version {} does not have operation group 'source_control_configurations'".format(api_version)) + self._config.api_version = api_version return OperationClass(self._client, self._config, Serializer(self._models_dict(api_version)), Deserializer(self._models_dict(api_version))) def close(self): diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/models.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/models.py index e16262f29fc..c172941ccce 100644 --- a/src/k8s-extension/azext_k8s_extension/vendored_sdks/models.py +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/models.py @@ -5,4 +5,5 @@ # license information. # -------------------------------------------------------------------------- from .v2022_01_15_preview.models import * -from .v2022_03_01.models import * +from .v2022_04_02_preview.models import * +from .v2022_11_01.models import * diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/__init__.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/__init__.py new file mode 100644 index 00000000000..b7a5a69f1a5 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/__init__.py @@ -0,0 +1,26 @@ +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- + +from ._source_control_configuration_client import SourceControlConfigurationClient +from ._version import VERSION + +__version__ = VERSION + +try: + from ._patch import __all__ as _patch_all + from ._patch import * # type: ignore # pylint: disable=unused-wildcard-import +except ImportError: + _patch_all = [] +from ._patch import patch_sdk as _patch_sdk + +__all__ = [ + "SourceControlConfigurationClient", +] +__all__.extend([p for p in _patch_all if p not in __all__]) + +_patch_sdk() diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/_configuration.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/_configuration.py new file mode 100644 index 00000000000..e4fce0bdf31 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/_configuration.py @@ -0,0 +1,75 @@ +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- + +import sys +from typing import Any, TYPE_CHECKING + +from azure.core.configuration import Configuration +from azure.core.pipeline import policies +from azure.mgmt.core.policies import ARMChallengeAuthenticationPolicy, ARMHttpLoggingPolicy + +from ._version import VERSION + +if sys.version_info >= (3, 8): + from typing import Literal # pylint: disable=no-name-in-module, ungrouped-imports +else: + from typing_extensions import Literal # type: ignore # pylint: disable=ungrouped-imports + +if TYPE_CHECKING: + # pylint: disable=unused-import,ungrouped-imports + from azure.core.credentials import TokenCredential + + +class SourceControlConfigurationClientConfiguration(Configuration): # pylint: disable=too-many-instance-attributes + """Configuration for SourceControlConfigurationClient. + + Note that all parameters used to create this instance are saved as instance + attributes. + + :param credential: Credential needed for the client to connect to Azure. Required. + :type credential: ~azure.core.credentials.TokenCredential + :param subscription_id: The ID of the target subscription. Required. + :type subscription_id: str + :keyword api_version: Api Version. Default value is "2022-07-01". Note that overriding this + default value may result in unsupported behavior. + :paramtype api_version: str + """ + + def __init__(self, credential: "TokenCredential", subscription_id: str, **kwargs: Any) -> None: + super(SourceControlConfigurationClientConfiguration, self).__init__(**kwargs) + api_version = kwargs.pop("api_version", "2022-07-01") # type: Literal["2022-07-01"] + + if credential is None: + raise ValueError("Parameter 'credential' must not be None.") + if subscription_id is None: + raise ValueError("Parameter 'subscription_id' must not be None.") + + self.credential = credential + self.subscription_id = subscription_id + self.api_version = api_version + self.credential_scopes = kwargs.pop("credential_scopes", ["https://management.azure.com/.default"]) + kwargs.setdefault("sdk_moniker", "mgmt-kubernetesconfiguration/{}".format(VERSION)) + self._configure(**kwargs) + + def _configure( + self, **kwargs # type: Any + ): + # type: (...) -> None + self.user_agent_policy = kwargs.get("user_agent_policy") or policies.UserAgentPolicy(**kwargs) + self.headers_policy = kwargs.get("headers_policy") or policies.HeadersPolicy(**kwargs) + self.proxy_policy = kwargs.get("proxy_policy") or policies.ProxyPolicy(**kwargs) + self.logging_policy = kwargs.get("logging_policy") or policies.NetworkTraceLoggingPolicy(**kwargs) + self.http_logging_policy = kwargs.get("http_logging_policy") or ARMHttpLoggingPolicy(**kwargs) + self.retry_policy = kwargs.get("retry_policy") or policies.RetryPolicy(**kwargs) + self.custom_hook_policy = kwargs.get("custom_hook_policy") or policies.CustomHookPolicy(**kwargs) + self.redirect_policy = kwargs.get("redirect_policy") or policies.RedirectPolicy(**kwargs) + self.authentication_policy = kwargs.get("authentication_policy") + if self.credential and not self.authentication_policy: + self.authentication_policy = ARMChallengeAuthenticationPolicy( + self.credential, *self.credential_scopes, **kwargs + ) diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/_patch.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/_patch.py new file mode 100644 index 00000000000..f7dd3251033 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/_patch.py @@ -0,0 +1,20 @@ +# ------------------------------------ +# Copyright (c) Microsoft Corporation. +# Licensed under the MIT License. +# ------------------------------------ +"""Customize generated code here. + +Follow our quickstart for examples: https://aka.ms/azsdk/python/dpcodegen/python/customize +""" +from typing import List + +__all__: List[str] = [] # Add all objects you want publicly available to users at this package level + + +def patch_sdk(): + """Do not remove from this file. + + `patch_sdk` is a last resort escape hatch that allows you to do customizations + you can't accomplish using the techniques described in + https://aka.ms/azsdk/python/dpcodegen/python/customize + """ diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/_source_control_configuration_client.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/_source_control_configuration_client.py new file mode 100644 index 00000000000..84c7ffc3d0d --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/_source_control_configuration_client.py @@ -0,0 +1,129 @@ +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- + +from copy import deepcopy +from typing import Any, TYPE_CHECKING + +from azure.core.rest import HttpRequest, HttpResponse +from azure.mgmt.core import ARMPipelineClient + +from . import models +from .._serialization import Deserializer, Serializer +from ._configuration import SourceControlConfigurationClientConfiguration +from .operations import ( + ExtensionsOperations, + FluxConfigOperationStatusOperations, + FluxConfigurationsOperations, + OperationStatusOperations, + Operations, + SourceControlConfigurationsOperations, +) + +if TYPE_CHECKING: + # pylint: disable=unused-import,ungrouped-imports + from azure.core.credentials import TokenCredential + + +class SourceControlConfigurationClient: # pylint: disable=client-accepts-api-version-keyword + """KubernetesConfiguration Client. + + :ivar extensions: ExtensionsOperations operations + :vartype extensions: + azure.mgmt.kubernetesconfiguration.v2022_07_01.operations.ExtensionsOperations + :ivar operation_status: OperationStatusOperations operations + :vartype operation_status: + azure.mgmt.kubernetesconfiguration.v2022_07_01.operations.OperationStatusOperations + :ivar flux_configurations: FluxConfigurationsOperations operations + :vartype flux_configurations: + azure.mgmt.kubernetesconfiguration.v2022_07_01.operations.FluxConfigurationsOperations + :ivar flux_config_operation_status: FluxConfigOperationStatusOperations operations + :vartype flux_config_operation_status: + azure.mgmt.kubernetesconfiguration.v2022_07_01.operations.FluxConfigOperationStatusOperations + :ivar source_control_configurations: SourceControlConfigurationsOperations operations + :vartype source_control_configurations: + azure.mgmt.kubernetesconfiguration.v2022_07_01.operations.SourceControlConfigurationsOperations + :ivar operations: Operations operations + :vartype operations: azure.mgmt.kubernetesconfiguration.v2022_07_01.operations.Operations + :param credential: Credential needed for the client to connect to Azure. Required. + :type credential: ~azure.core.credentials.TokenCredential + :param subscription_id: The ID of the target subscription. Required. + :type subscription_id: str + :param base_url: Service URL. Default value is "https://management.azure.com". + :type base_url: str + :keyword api_version: Api Version. Default value is "2022-07-01". Note that overriding this + default value may result in unsupported behavior. + :paramtype api_version: str + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + """ + + def __init__( + self, + credential: "TokenCredential", + subscription_id: str, + base_url: str = "https://management.azure.com", + **kwargs: Any + ) -> None: + self._config = SourceControlConfigurationClientConfiguration( + credential=credential, subscription_id=subscription_id, **kwargs + ) + self._client = ARMPipelineClient(base_url=base_url, config=self._config, **kwargs) + + client_models = {k: v for k, v in models.__dict__.items() if isinstance(v, type)} + self._serialize = Serializer(client_models) + self._deserialize = Deserializer(client_models) + self._serialize.client_side_validation = False + self.extensions = ExtensionsOperations(self._client, self._config, self._serialize, self._deserialize) + self.operation_status = OperationStatusOperations( + self._client, self._config, self._serialize, self._deserialize + ) + self.flux_configurations = FluxConfigurationsOperations( + self._client, self._config, self._serialize, self._deserialize + ) + self.flux_config_operation_status = FluxConfigOperationStatusOperations( + self._client, self._config, self._serialize, self._deserialize + ) + self.source_control_configurations = SourceControlConfigurationsOperations( + self._client, self._config, self._serialize, self._deserialize + ) + self.operations = Operations(self._client, self._config, self._serialize, self._deserialize) + + def _send_request(self, request: HttpRequest, **kwargs: Any) -> HttpResponse: + """Runs the network request through the client's chained policies. + + >>> from azure.core.rest import HttpRequest + >>> request = HttpRequest("GET", "https://www.example.org/") + + >>> response = client._send_request(request) + + + For more information on this code flow, see https://aka.ms/azsdk/dpcodegen/python/send_request + + :param request: The network request you want to make. Required. + :type request: ~azure.core.rest.HttpRequest + :keyword bool stream: Whether the response payload will be streamed. Defaults to False. + :return: The response of your network call. Does not do error handling on your response. + :rtype: ~azure.core.rest.HttpResponse + """ + + request_copy = deepcopy(request) + request_copy.url = self._client.format_url(request_copy.url) + return self._client.send_request(request_copy, **kwargs) + + def close(self): + # type: () -> None + self._client.close() + + def __enter__(self): + # type: () -> SourceControlConfigurationClient + self._client.__enter__() + return self + + def __exit__(self, *exc_details): + # type: (Any) -> None + self._client.__exit__(*exc_details) diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/_vendor.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/_vendor.py new file mode 100644 index 00000000000..9aad73fc743 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/_vendor.py @@ -0,0 +1,27 @@ +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- + +from azure.core.pipeline.transport import HttpRequest + + +def _convert_request(request, files=None): + data = request.content if not files else None + request = HttpRequest(method=request.method, url=request.url, headers=request.headers, data=data) + if files: + request.set_formdata_body(files) + return request + + +def _format_url_section(template, **kwargs): + components = template.split("/") + while components: + try: + return template.format(**kwargs) + except KeyError as key: + formatted_components = template.split("/") + components = [c for c in formatted_components if "{}".format(key.args[0]) not in c] + template = "/".join(components) diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/_version.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/_version.py new file mode 100644 index 00000000000..59deb8c7263 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/_version.py @@ -0,0 +1,9 @@ +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- + +VERSION = "1.1.0" diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/__init__.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/__init__.py new file mode 100644 index 00000000000..d99c51f8699 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/__init__.py @@ -0,0 +1,23 @@ +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- + +from ._source_control_configuration_client import SourceControlConfigurationClient + +try: + from ._patch import __all__ as _patch_all + from ._patch import * # type: ignore # pylint: disable=unused-wildcard-import +except ImportError: + _patch_all = [] +from ._patch import patch_sdk as _patch_sdk + +__all__ = [ + "SourceControlConfigurationClient", +] +__all__.extend([p for p in _patch_all if p not in __all__]) + +_patch_sdk() diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/_configuration.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/_configuration.py new file mode 100644 index 00000000000..7f847a0e65c --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/_configuration.py @@ -0,0 +1,72 @@ +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- + +import sys +from typing import Any, TYPE_CHECKING + +from azure.core.configuration import Configuration +from azure.core.pipeline import policies +from azure.mgmt.core.policies import ARMHttpLoggingPolicy, AsyncARMChallengeAuthenticationPolicy + +from .._version import VERSION + +if sys.version_info >= (3, 8): + from typing import Literal # pylint: disable=no-name-in-module, ungrouped-imports +else: + from typing_extensions import Literal # type: ignore # pylint: disable=ungrouped-imports + +if TYPE_CHECKING: + # pylint: disable=unused-import,ungrouped-imports + from azure.core.credentials_async import AsyncTokenCredential + + +class SourceControlConfigurationClientConfiguration(Configuration): # pylint: disable=too-many-instance-attributes + """Configuration for SourceControlConfigurationClient. + + Note that all parameters used to create this instance are saved as instance + attributes. + + :param credential: Credential needed for the client to connect to Azure. Required. + :type credential: ~azure.core.credentials_async.AsyncTokenCredential + :param subscription_id: The ID of the target subscription. Required. + :type subscription_id: str + :keyword api_version: Api Version. Default value is "2022-07-01". Note that overriding this + default value may result in unsupported behavior. + :paramtype api_version: str + """ + + def __init__(self, credential: "AsyncTokenCredential", subscription_id: str, **kwargs: Any) -> None: + super(SourceControlConfigurationClientConfiguration, self).__init__(**kwargs) + api_version = kwargs.pop("api_version", "2022-07-01") # type: Literal["2022-07-01"] + + if credential is None: + raise ValueError("Parameter 'credential' must not be None.") + if subscription_id is None: + raise ValueError("Parameter 'subscription_id' must not be None.") + + self.credential = credential + self.subscription_id = subscription_id + self.api_version = api_version + self.credential_scopes = kwargs.pop("credential_scopes", ["https://management.azure.com/.default"]) + kwargs.setdefault("sdk_moniker", "mgmt-kubernetesconfiguration/{}".format(VERSION)) + self._configure(**kwargs) + + def _configure(self, **kwargs: Any) -> None: + self.user_agent_policy = kwargs.get("user_agent_policy") or policies.UserAgentPolicy(**kwargs) + self.headers_policy = kwargs.get("headers_policy") or policies.HeadersPolicy(**kwargs) + self.proxy_policy = kwargs.get("proxy_policy") or policies.ProxyPolicy(**kwargs) + self.logging_policy = kwargs.get("logging_policy") or policies.NetworkTraceLoggingPolicy(**kwargs) + self.http_logging_policy = kwargs.get("http_logging_policy") or ARMHttpLoggingPolicy(**kwargs) + self.retry_policy = kwargs.get("retry_policy") or policies.AsyncRetryPolicy(**kwargs) + self.custom_hook_policy = kwargs.get("custom_hook_policy") or policies.CustomHookPolicy(**kwargs) + self.redirect_policy = kwargs.get("redirect_policy") or policies.AsyncRedirectPolicy(**kwargs) + self.authentication_policy = kwargs.get("authentication_policy") + if self.credential and not self.authentication_policy: + self.authentication_policy = AsyncARMChallengeAuthenticationPolicy( + self.credential, *self.credential_scopes, **kwargs + ) diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/_patch.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/_patch.py new file mode 100644 index 00000000000..f7dd3251033 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/_patch.py @@ -0,0 +1,20 @@ +# ------------------------------------ +# Copyright (c) Microsoft Corporation. +# Licensed under the MIT License. +# ------------------------------------ +"""Customize generated code here. + +Follow our quickstart for examples: https://aka.ms/azsdk/python/dpcodegen/python/customize +""" +from typing import List + +__all__: List[str] = [] # Add all objects you want publicly available to users at this package level + + +def patch_sdk(): + """Do not remove from this file. + + `patch_sdk` is a last resort escape hatch that allows you to do customizations + you can't accomplish using the techniques described in + https://aka.ms/azsdk/python/dpcodegen/python/customize + """ diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/_source_control_configuration_client.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/_source_control_configuration_client.py new file mode 100644 index 00000000000..2e41479fec0 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/_source_control_configuration_client.py @@ -0,0 +1,126 @@ +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- + +from copy import deepcopy +from typing import Any, Awaitable, TYPE_CHECKING + +from azure.core.rest import AsyncHttpResponse, HttpRequest +from azure.mgmt.core import AsyncARMPipelineClient + +from .. import models +from ..._serialization import Deserializer, Serializer +from ._configuration import SourceControlConfigurationClientConfiguration +from .operations import ( + ExtensionsOperations, + FluxConfigOperationStatusOperations, + FluxConfigurationsOperations, + OperationStatusOperations, + Operations, + SourceControlConfigurationsOperations, +) + +if TYPE_CHECKING: + # pylint: disable=unused-import,ungrouped-imports + from azure.core.credentials_async import AsyncTokenCredential + + +class SourceControlConfigurationClient: # pylint: disable=client-accepts-api-version-keyword + """KubernetesConfiguration Client. + + :ivar extensions: ExtensionsOperations operations + :vartype extensions: + azure.mgmt.kubernetesconfiguration.v2022_07_01.aio.operations.ExtensionsOperations + :ivar operation_status: OperationStatusOperations operations + :vartype operation_status: + azure.mgmt.kubernetesconfiguration.v2022_07_01.aio.operations.OperationStatusOperations + :ivar flux_configurations: FluxConfigurationsOperations operations + :vartype flux_configurations: + azure.mgmt.kubernetesconfiguration.v2022_07_01.aio.operations.FluxConfigurationsOperations + :ivar flux_config_operation_status: FluxConfigOperationStatusOperations operations + :vartype flux_config_operation_status: + azure.mgmt.kubernetesconfiguration.v2022_07_01.aio.operations.FluxConfigOperationStatusOperations + :ivar source_control_configurations: SourceControlConfigurationsOperations operations + :vartype source_control_configurations: + azure.mgmt.kubernetesconfiguration.v2022_07_01.aio.operations.SourceControlConfigurationsOperations + :ivar operations: Operations operations + :vartype operations: azure.mgmt.kubernetesconfiguration.v2022_07_01.aio.operations.Operations + :param credential: Credential needed for the client to connect to Azure. Required. + :type credential: ~azure.core.credentials_async.AsyncTokenCredential + :param subscription_id: The ID of the target subscription. Required. + :type subscription_id: str + :param base_url: Service URL. Default value is "https://management.azure.com". + :type base_url: str + :keyword api_version: Api Version. Default value is "2022-07-01". Note that overriding this + default value may result in unsupported behavior. + :paramtype api_version: str + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + """ + + def __init__( + self, + credential: "AsyncTokenCredential", + subscription_id: str, + base_url: str = "https://management.azure.com", + **kwargs: Any + ) -> None: + self._config = SourceControlConfigurationClientConfiguration( + credential=credential, subscription_id=subscription_id, **kwargs + ) + self._client = AsyncARMPipelineClient(base_url=base_url, config=self._config, **kwargs) + + client_models = {k: v for k, v in models.__dict__.items() if isinstance(v, type)} + self._serialize = Serializer(client_models) + self._deserialize = Deserializer(client_models) + self._serialize.client_side_validation = False + self.extensions = ExtensionsOperations(self._client, self._config, self._serialize, self._deserialize) + self.operation_status = OperationStatusOperations( + self._client, self._config, self._serialize, self._deserialize + ) + self.flux_configurations = FluxConfigurationsOperations( + self._client, self._config, self._serialize, self._deserialize + ) + self.flux_config_operation_status = FluxConfigOperationStatusOperations( + self._client, self._config, self._serialize, self._deserialize + ) + self.source_control_configurations = SourceControlConfigurationsOperations( + self._client, self._config, self._serialize, self._deserialize + ) + self.operations = Operations(self._client, self._config, self._serialize, self._deserialize) + + def _send_request(self, request: HttpRequest, **kwargs: Any) -> Awaitable[AsyncHttpResponse]: + """Runs the network request through the client's chained policies. + + >>> from azure.core.rest import HttpRequest + >>> request = HttpRequest("GET", "https://www.example.org/") + + >>> response = await client._send_request(request) + + + For more information on this code flow, see https://aka.ms/azsdk/dpcodegen/python/send_request + + :param request: The network request you want to make. Required. + :type request: ~azure.core.rest.HttpRequest + :keyword bool stream: Whether the response payload will be streamed. Defaults to False. + :return: The response of your network call. Does not do error handling on your response. + :rtype: ~azure.core.rest.AsyncHttpResponse + """ + + request_copy = deepcopy(request) + request_copy.url = self._client.format_url(request_copy.url) + return self._client.send_request(request_copy, **kwargs) + + async def close(self) -> None: + await self._client.close() + + async def __aenter__(self) -> "SourceControlConfigurationClient": + await self._client.__aenter__() + return self + + async def __aexit__(self, *exc_details) -> None: + await self._client.__aexit__(*exc_details) diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/operations/__init__.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/operations/__init__.py new file mode 100644 index 00000000000..50d1dc0c61e --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/operations/__init__.py @@ -0,0 +1,29 @@ +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- + +from ._extensions_operations import ExtensionsOperations +from ._operation_status_operations import OperationStatusOperations +from ._flux_configurations_operations import FluxConfigurationsOperations +from ._flux_config_operation_status_operations import FluxConfigOperationStatusOperations +from ._source_control_configurations_operations import SourceControlConfigurationsOperations +from ._operations import Operations + +from ._patch import __all__ as _patch_all +from ._patch import * # type: ignore # pylint: disable=unused-wildcard-import +from ._patch import patch_sdk as _patch_sdk + +__all__ = [ + "ExtensionsOperations", + "OperationStatusOperations", + "FluxConfigurationsOperations", + "FluxConfigOperationStatusOperations", + "SourceControlConfigurationsOperations", + "Operations", +] +__all__.extend([p for p in _patch_all if p not in __all__]) +_patch_sdk() diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/operations/_extensions_operations.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/operations/_extensions_operations.py new file mode 100644 index 00000000000..30a2f8e99da --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/operations/_extensions_operations.py @@ -0,0 +1,929 @@ +# pylint: disable=too-many-lines +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- +import sys +from typing import Any, AsyncIterable, Callable, Dict, IO, Optional, TypeVar, Union, cast, overload +import urllib.parse + +from azure.core.async_paging import AsyncItemPaged, AsyncList +from azure.core.exceptions import ( + ClientAuthenticationError, + HttpResponseError, + ResourceExistsError, + ResourceNotFoundError, + ResourceNotModifiedError, + map_error, +) +from azure.core.pipeline import PipelineResponse +from azure.core.pipeline.transport import AsyncHttpResponse +from azure.core.polling import AsyncLROPoller, AsyncNoPolling, AsyncPollingMethod +from azure.core.rest import HttpRequest +from azure.core.tracing.decorator import distributed_trace +from azure.core.tracing.decorator_async import distributed_trace_async +from azure.core.utils import case_insensitive_dict +from azure.mgmt.core.exceptions import ARMErrorFormat +from azure.mgmt.core.polling.async_arm_polling import AsyncARMPolling + +from ... import models as _models +from ..._vendor import _convert_request +from ...operations._extensions_operations import ( + build_create_request, + build_delete_request, + build_get_request, + build_list_request, + build_update_request, +) + +if sys.version_info >= (3, 8): + from typing import Literal # pylint: disable=no-name-in-module, ungrouped-imports +else: + from typing_extensions import Literal # type: ignore # pylint: disable=ungrouped-imports +T = TypeVar("T") +ClsType = Optional[Callable[[PipelineResponse[HttpRequest, AsyncHttpResponse], T, Dict[str, Any]], Any]] + + +class ExtensionsOperations: + """ + .. warning:: + **DO NOT** instantiate this class directly. + + Instead, you should access the following operations through + :class:`~azure.mgmt.kubernetesconfiguration.v2022_07_01.aio.SourceControlConfigurationClient`'s + :attr:`extensions` attribute. + """ + + models = _models + + def __init__(self, *args, **kwargs) -> None: + input_args = list(args) + self._client = input_args.pop(0) if input_args else kwargs.pop("client") + self._config = input_args.pop(0) if input_args else kwargs.pop("config") + self._serialize = input_args.pop(0) if input_args else kwargs.pop("serializer") + self._deserialize = input_args.pop(0) if input_args else kwargs.pop("deserializer") + + async def _create_initial( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + extension: Union[_models.Extension, IO], + **kwargs: Any + ) -> _models.Extension: + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + cls = kwargs.pop("cls", None) # type: ClsType[_models.Extension] + + content_type = content_type or "application/json" + _json = None + _content = None + if isinstance(extension, (IO, bytes)): + _content = extension + else: + _json = self._serialize.body(extension, "Extension") + + request = build_create_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + extension_name=extension_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + content_type=content_type, + json=_json, + content=_content, + template_url=self._create_initial.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = await self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200, 201]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + if response.status_code == 200: + deserialized = self._deserialize("Extension", pipeline_response) + + if response.status_code == 201: + deserialized = self._deserialize("Extension", pipeline_response) + + if cls: + return cls(pipeline_response, deserialized, {}) + + return deserialized + + _create_initial.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}"} # type: ignore + + @overload + async def begin_create( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + extension: _models.Extension, + *, + content_type: str = "application/json", + **kwargs: Any + ) -> AsyncLROPoller[_models.Extension]: + """Create a new Kubernetes Cluster Extension. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param extension_name: Name of the Extension. Required. + :type extension_name: str + :param extension: Properties necessary to Create an Extension. Required. + :type extension: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.Extension + :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. + Default value is "application/json". + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be AsyncARMPolling. Pass in False for + this operation to not poll, or pass in your own initialized polling object for a personal + polling strategy. + :paramtype polling: bool or ~azure.core.polling.AsyncPollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of AsyncLROPoller that returns either Extension or the result of + cls(response) + :rtype: + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.Extension] + :raises ~azure.core.exceptions.HttpResponseError: + """ + + @overload + async def begin_create( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + extension: IO, + *, + content_type: str = "application/json", + **kwargs: Any + ) -> AsyncLROPoller[_models.Extension]: + """Create a new Kubernetes Cluster Extension. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param extension_name: Name of the Extension. Required. + :type extension_name: str + :param extension: Properties necessary to Create an Extension. Required. + :type extension: IO + :keyword content_type: Body Parameter content-type. Content type parameter for binary body. + Default value is "application/json". + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be AsyncARMPolling. Pass in False for + this operation to not poll, or pass in your own initialized polling object for a personal + polling strategy. + :paramtype polling: bool or ~azure.core.polling.AsyncPollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of AsyncLROPoller that returns either Extension or the result of + cls(response) + :rtype: + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.Extension] + :raises ~azure.core.exceptions.HttpResponseError: + """ + + @distributed_trace_async + async def begin_create( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + extension: Union[_models.Extension, IO], + **kwargs: Any + ) -> AsyncLROPoller[_models.Extension]: + """Create a new Kubernetes Cluster Extension. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param extension_name: Name of the Extension. Required. + :type extension_name: str + :param extension: Properties necessary to Create an Extension. Is either a model type or a IO + type. Required. + :type extension: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.Extension or IO + :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. + Default value is None. + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be AsyncARMPolling. Pass in False for + this operation to not poll, or pass in your own initialized polling object for a personal + polling strategy. + :paramtype polling: bool or ~azure.core.polling.AsyncPollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of AsyncLROPoller that returns either Extension or the result of + cls(response) + :rtype: + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.Extension] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + cls = kwargs.pop("cls", None) # type: ClsType[_models.Extension] + polling = kwargs.pop("polling", True) # type: Union[bool, AsyncPollingMethod] + lro_delay = kwargs.pop("polling_interval", self._config.polling_interval) + cont_token = kwargs.pop("continuation_token", None) # type: Optional[str] + if cont_token is None: + raw_result = await self._create_initial( # type: ignore + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + extension_name=extension_name, + extension=extension, + api_version=api_version, + content_type=content_type, + cls=lambda x, y, z: x, + headers=_headers, + params=_params, + **kwargs + ) + kwargs.pop("error_map", None) + + def get_long_running_output(pipeline_response): + deserialized = self._deserialize("Extension", pipeline_response) + if cls: + return cls(pipeline_response, deserialized, {}) + return deserialized + + if polling is True: + polling_method = cast( + AsyncPollingMethod, + AsyncARMPolling(lro_delay, lro_options={"final-state-via": "azure-async-operation"}, **kwargs), + ) # type: AsyncPollingMethod + elif polling is False: + polling_method = cast(AsyncPollingMethod, AsyncNoPolling()) + else: + polling_method = polling + if cont_token: + return AsyncLROPoller.from_continuation_token( + polling_method=polling_method, + continuation_token=cont_token, + client=self._client, + deserialization_callback=get_long_running_output, + ) + return AsyncLROPoller(self._client, raw_result, get_long_running_output, polling_method) + + begin_create.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}"} # type: ignore + + @distributed_trace_async + async def get( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + **kwargs: Any + ) -> _models.Extension: + """Gets Kubernetes Cluster Extension. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param extension_name: Name of the Extension. Required. + :type extension_name: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: Extension or the result of cls(response) + :rtype: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.Extension + :raises ~azure.core.exceptions.HttpResponseError: + """ + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + cls = kwargs.pop("cls", None) # type: ClsType[_models.Extension] + + request = build_get_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + extension_name=extension_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + template_url=self.get.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = await self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + deserialized = self._deserialize("Extension", pipeline_response) + + if cls: + return cls(pipeline_response, deserialized, {}) + + return deserialized + + get.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}"} # type: ignore + + async def _delete_initial( # pylint: disable=inconsistent-return-statements + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + force_delete: Optional[bool] = None, + **kwargs: Any + ) -> None: + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + cls = kwargs.pop("cls", None) # type: ClsType[None] + + request = build_delete_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + extension_name=extension_name, + subscription_id=self._config.subscription_id, + force_delete=force_delete, + api_version=api_version, + template_url=self._delete_initial.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = await self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200, 202, 204]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + if cls: + return cls(pipeline_response, None, {}) + + _delete_initial.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}"} # type: ignore + + @distributed_trace_async + async def begin_delete( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + force_delete: Optional[bool] = None, + **kwargs: Any + ) -> AsyncLROPoller[None]: + """Delete a Kubernetes Cluster Extension. This will cause the Agent to Uninstall the extension + from the cluster. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param extension_name: Name of the Extension. Required. + :type extension_name: str + :param force_delete: Delete the extension resource in Azure - not the normal asynchronous + delete. Default value is None. + :type force_delete: bool + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be AsyncARMPolling. Pass in False for + this operation to not poll, or pass in your own initialized polling object for a personal + polling strategy. + :paramtype polling: bool or ~azure.core.polling.AsyncPollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of AsyncLROPoller that returns either None or the result of cls(response) + :rtype: ~azure.core.polling.AsyncLROPoller[None] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + cls = kwargs.pop("cls", None) # type: ClsType[None] + polling = kwargs.pop("polling", True) # type: Union[bool, AsyncPollingMethod] + lro_delay = kwargs.pop("polling_interval", self._config.polling_interval) + cont_token = kwargs.pop("continuation_token", None) # type: Optional[str] + if cont_token is None: + raw_result = await self._delete_initial( # type: ignore + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + extension_name=extension_name, + force_delete=force_delete, + api_version=api_version, + cls=lambda x, y, z: x, + headers=_headers, + params=_params, + **kwargs + ) + kwargs.pop("error_map", None) + + def get_long_running_output(pipeline_response): # pylint: disable=inconsistent-return-statements + if cls: + return cls(pipeline_response, None, {}) + + if polling is True: + polling_method = cast( + AsyncPollingMethod, + AsyncARMPolling(lro_delay, lro_options={"final-state-via": "azure-async-operation"}, **kwargs), + ) # type: AsyncPollingMethod + elif polling is False: + polling_method = cast(AsyncPollingMethod, AsyncNoPolling()) + else: + polling_method = polling + if cont_token: + return AsyncLROPoller.from_continuation_token( + polling_method=polling_method, + continuation_token=cont_token, + client=self._client, + deserialization_callback=get_long_running_output, + ) + return AsyncLROPoller(self._client, raw_result, get_long_running_output, polling_method) + + begin_delete.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}"} # type: ignore + + async def _update_initial( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + patch_extension: Union[_models.PatchExtension, IO], + **kwargs: Any + ) -> _models.Extension: + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + cls = kwargs.pop("cls", None) # type: ClsType[_models.Extension] + + content_type = content_type or "application/json" + _json = None + _content = None + if isinstance(patch_extension, (IO, bytes)): + _content = patch_extension + else: + _json = self._serialize.body(patch_extension, "PatchExtension") + + request = build_update_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + extension_name=extension_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + content_type=content_type, + json=_json, + content=_content, + template_url=self._update_initial.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = await self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200, 202]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + if response.status_code == 200: + deserialized = self._deserialize("Extension", pipeline_response) + + if response.status_code == 202: + deserialized = self._deserialize("Extension", pipeline_response) + + if cls: + return cls(pipeline_response, deserialized, {}) + + return deserialized + + _update_initial.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}"} # type: ignore + + @overload + async def begin_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + patch_extension: _models.PatchExtension, + *, + content_type: str = "application/json", + **kwargs: Any + ) -> AsyncLROPoller[_models.Extension]: + """Patch an existing Kubernetes Cluster Extension. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param extension_name: Name of the Extension. Required. + :type extension_name: str + :param patch_extension: Properties to Patch in an existing Extension. Required. + :type patch_extension: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.PatchExtension + :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. + Default value is "application/json". + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be AsyncARMPolling. Pass in False for + this operation to not poll, or pass in your own initialized polling object for a personal + polling strategy. + :paramtype polling: bool or ~azure.core.polling.AsyncPollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of AsyncLROPoller that returns either Extension or the result of + cls(response) + :rtype: + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.Extension] + :raises ~azure.core.exceptions.HttpResponseError: + """ + + @overload + async def begin_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + patch_extension: IO, + *, + content_type: str = "application/json", + **kwargs: Any + ) -> AsyncLROPoller[_models.Extension]: + """Patch an existing Kubernetes Cluster Extension. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param extension_name: Name of the Extension. Required. + :type extension_name: str + :param patch_extension: Properties to Patch in an existing Extension. Required. + :type patch_extension: IO + :keyword content_type: Body Parameter content-type. Content type parameter for binary body. + Default value is "application/json". + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be AsyncARMPolling. Pass in False for + this operation to not poll, or pass in your own initialized polling object for a personal + polling strategy. + :paramtype polling: bool or ~azure.core.polling.AsyncPollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of AsyncLROPoller that returns either Extension or the result of + cls(response) + :rtype: + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.Extension] + :raises ~azure.core.exceptions.HttpResponseError: + """ + + @distributed_trace_async + async def begin_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + patch_extension: Union[_models.PatchExtension, IO], + **kwargs: Any + ) -> AsyncLROPoller[_models.Extension]: + """Patch an existing Kubernetes Cluster Extension. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param extension_name: Name of the Extension. Required. + :type extension_name: str + :param patch_extension: Properties to Patch in an existing Extension. Is either a model type or + a IO type. Required. + :type patch_extension: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.PatchExtension or + IO + :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. + Default value is None. + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be AsyncARMPolling. Pass in False for + this operation to not poll, or pass in your own initialized polling object for a personal + polling strategy. + :paramtype polling: bool or ~azure.core.polling.AsyncPollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of AsyncLROPoller that returns either Extension or the result of + cls(response) + :rtype: + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.Extension] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + cls = kwargs.pop("cls", None) # type: ClsType[_models.Extension] + polling = kwargs.pop("polling", True) # type: Union[bool, AsyncPollingMethod] + lro_delay = kwargs.pop("polling_interval", self._config.polling_interval) + cont_token = kwargs.pop("continuation_token", None) # type: Optional[str] + if cont_token is None: + raw_result = await self._update_initial( # type: ignore + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + extension_name=extension_name, + patch_extension=patch_extension, + api_version=api_version, + content_type=content_type, + cls=lambda x, y, z: x, + headers=_headers, + params=_params, + **kwargs + ) + kwargs.pop("error_map", None) + + def get_long_running_output(pipeline_response): + deserialized = self._deserialize("Extension", pipeline_response) + if cls: + return cls(pipeline_response, deserialized, {}) + return deserialized + + if polling is True: + polling_method = cast( + AsyncPollingMethod, + AsyncARMPolling(lro_delay, lro_options={"final-state-via": "azure-async-operation"}, **kwargs), + ) # type: AsyncPollingMethod + elif polling is False: + polling_method = cast(AsyncPollingMethod, AsyncNoPolling()) + else: + polling_method = polling + if cont_token: + return AsyncLROPoller.from_continuation_token( + polling_method=polling_method, + continuation_token=cont_token, + client=self._client, + deserialization_callback=get_long_running_output, + ) + return AsyncLROPoller(self._client, raw_result, get_long_running_output, polling_method) + + begin_update.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}"} # type: ignore + + @distributed_trace + def list( + self, resource_group_name: str, cluster_rp: str, cluster_resource_name: str, cluster_name: str, **kwargs: Any + ) -> AsyncIterable["_models.Extension"]: + """List all Extensions in the cluster. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: An iterator like instance of either Extension or the result of cls(response) + :rtype: + ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.Extension] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + cls = kwargs.pop("cls", None) # type: ClsType[_models.ExtensionsList] + + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + def prepare_request(next_link=None): + if not next_link: + + request = build_list_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + template_url=self.list.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + else: + # make call to next link with the client's api-version + _parsed_next_link = urllib.parse.urlparse(next_link) + _next_request_params = case_insensitive_dict( + { + key: [urllib.parse.quote(v) for v in value] + for key, value in urllib.parse.parse_qs(_parsed_next_link.query).items() + } + ) + _next_request_params["api-version"] = self._config.api_version + request = HttpRequest( + "GET", urllib.parse.urljoin(next_link, _parsed_next_link.path), params=_next_request_params + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + request.method = "GET" + return request + + async def extract_data(pipeline_response): + deserialized = self._deserialize("ExtensionsList", pipeline_response) + list_of_elem = deserialized.value + if cls: + list_of_elem = cls(list_of_elem) + return deserialized.next_link or None, AsyncList(list_of_elem) + + async def get_next(next_link=None): + request = prepare_request(next_link) + + pipeline_response = await self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + response = pipeline_response.http_response + + if response.status_code not in [200]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + return pipeline_response + + return AsyncItemPaged(get_next, extract_data) + + list.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions"} # type: ignore diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/operations/_flux_config_operation_status_operations.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/operations/_flux_config_operation_status_operations.py new file mode 100644 index 00000000000..01e11af4256 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/operations/_flux_config_operation_status_operations.py @@ -0,0 +1,139 @@ +# pylint: disable=too-many-lines +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- +import sys +from typing import Any, Callable, Dict, Optional, TypeVar + +from azure.core.exceptions import ( + ClientAuthenticationError, + HttpResponseError, + ResourceExistsError, + ResourceNotFoundError, + ResourceNotModifiedError, + map_error, +) +from azure.core.pipeline import PipelineResponse +from azure.core.pipeline.transport import AsyncHttpResponse +from azure.core.rest import HttpRequest +from azure.core.tracing.decorator_async import distributed_trace_async +from azure.core.utils import case_insensitive_dict +from azure.mgmt.core.exceptions import ARMErrorFormat + +from ... import models as _models +from ..._vendor import _convert_request +from ...operations._flux_config_operation_status_operations import build_get_request + +if sys.version_info >= (3, 8): + from typing import Literal # pylint: disable=no-name-in-module, ungrouped-imports +else: + from typing_extensions import Literal # type: ignore # pylint: disable=ungrouped-imports +T = TypeVar("T") +ClsType = Optional[Callable[[PipelineResponse[HttpRequest, AsyncHttpResponse], T, Dict[str, Any]], Any]] + + +class FluxConfigOperationStatusOperations: + """ + .. warning:: + **DO NOT** instantiate this class directly. + + Instead, you should access the following operations through + :class:`~azure.mgmt.kubernetesconfiguration.v2022_07_01.aio.SourceControlConfigurationClient`'s + :attr:`flux_config_operation_status` attribute. + """ + + models = _models + + def __init__(self, *args, **kwargs) -> None: + input_args = list(args) + self._client = input_args.pop(0) if input_args else kwargs.pop("client") + self._config = input_args.pop(0) if input_args else kwargs.pop("config") + self._serialize = input_args.pop(0) if input_args else kwargs.pop("serializer") + self._deserialize = input_args.pop(0) if input_args else kwargs.pop("deserializer") + + @distributed_trace_async + async def get( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + operation_id: str, + **kwargs: Any + ) -> _models.OperationStatusResult: + """Get Async Operation status. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param flux_configuration_name: Name of the Flux Configuration. Required. + :type flux_configuration_name: str + :param operation_id: operation Id. Required. + :type operation_id: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: OperationStatusResult or the result of cls(response) + :rtype: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.OperationStatusResult + :raises ~azure.core.exceptions.HttpResponseError: + """ + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + cls = kwargs.pop("cls", None) # type: ClsType[_models.OperationStatusResult] + + request = build_get_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + flux_configuration_name=flux_configuration_name, + operation_id=operation_id, + subscription_id=self._config.subscription_id, + api_version=api_version, + template_url=self.get.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = await self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + deserialized = self._deserialize("OperationStatusResult", pipeline_response) + + if cls: + return cls(pipeline_response, deserialized, {}) + + return deserialized + + get.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}/operations/{operationId}"} # type: ignore diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/operations/_flux_configurations_operations.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/operations/_flux_configurations_operations.py new file mode 100644 index 00000000000..3d59a96d956 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/operations/_flux_configurations_operations.py @@ -0,0 +1,934 @@ +# pylint: disable=too-many-lines +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- +import sys +from typing import Any, AsyncIterable, Callable, Dict, IO, Optional, TypeVar, Union, cast, overload +import urllib.parse + +from azure.core.async_paging import AsyncItemPaged, AsyncList +from azure.core.exceptions import ( + ClientAuthenticationError, + HttpResponseError, + ResourceExistsError, + ResourceNotFoundError, + ResourceNotModifiedError, + map_error, +) +from azure.core.pipeline import PipelineResponse +from azure.core.pipeline.transport import AsyncHttpResponse +from azure.core.polling import AsyncLROPoller, AsyncNoPolling, AsyncPollingMethod +from azure.core.rest import HttpRequest +from azure.core.tracing.decorator import distributed_trace +from azure.core.tracing.decorator_async import distributed_trace_async +from azure.core.utils import case_insensitive_dict +from azure.mgmt.core.exceptions import ARMErrorFormat +from azure.mgmt.core.polling.async_arm_polling import AsyncARMPolling + +from ... import models as _models +from ..._vendor import _convert_request +from ...operations._flux_configurations_operations import ( + build_create_or_update_request, + build_delete_request, + build_get_request, + build_list_request, + build_update_request, +) + +if sys.version_info >= (3, 8): + from typing import Literal # pylint: disable=no-name-in-module, ungrouped-imports +else: + from typing_extensions import Literal # type: ignore # pylint: disable=ungrouped-imports +T = TypeVar("T") +ClsType = Optional[Callable[[PipelineResponse[HttpRequest, AsyncHttpResponse], T, Dict[str, Any]], Any]] + + +class FluxConfigurationsOperations: + """ + .. warning:: + **DO NOT** instantiate this class directly. + + Instead, you should access the following operations through + :class:`~azure.mgmt.kubernetesconfiguration.v2022_07_01.aio.SourceControlConfigurationClient`'s + :attr:`flux_configurations` attribute. + """ + + models = _models + + def __init__(self, *args, **kwargs) -> None: + input_args = list(args) + self._client = input_args.pop(0) if input_args else kwargs.pop("client") + self._config = input_args.pop(0) if input_args else kwargs.pop("config") + self._serialize = input_args.pop(0) if input_args else kwargs.pop("serializer") + self._deserialize = input_args.pop(0) if input_args else kwargs.pop("deserializer") + + @distributed_trace_async + async def get( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + **kwargs: Any + ) -> _models.FluxConfiguration: + """Gets details of the Flux Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param flux_configuration_name: Name of the Flux Configuration. Required. + :type flux_configuration_name: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: FluxConfiguration or the result of cls(response) + :rtype: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.FluxConfiguration + :raises ~azure.core.exceptions.HttpResponseError: + """ + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + cls = kwargs.pop("cls", None) # type: ClsType[_models.FluxConfiguration] + + request = build_get_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + flux_configuration_name=flux_configuration_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + template_url=self.get.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = await self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + deserialized = self._deserialize("FluxConfiguration", pipeline_response) + + if cls: + return cls(pipeline_response, deserialized, {}) + + return deserialized + + get.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}"} # type: ignore + + async def _create_or_update_initial( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + flux_configuration: Union[_models.FluxConfiguration, IO], + **kwargs: Any + ) -> _models.FluxConfiguration: + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + cls = kwargs.pop("cls", None) # type: ClsType[_models.FluxConfiguration] + + content_type = content_type or "application/json" + _json = None + _content = None + if isinstance(flux_configuration, (IO, bytes)): + _content = flux_configuration + else: + _json = self._serialize.body(flux_configuration, "FluxConfiguration") + + request = build_create_or_update_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + flux_configuration_name=flux_configuration_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + content_type=content_type, + json=_json, + content=_content, + template_url=self._create_or_update_initial.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = await self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200, 201]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + if response.status_code == 200: + deserialized = self._deserialize("FluxConfiguration", pipeline_response) + + if response.status_code == 201: + deserialized = self._deserialize("FluxConfiguration", pipeline_response) + + if cls: + return cls(pipeline_response, deserialized, {}) + + return deserialized + + _create_or_update_initial.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}"} # type: ignore + + @overload + async def begin_create_or_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + flux_configuration: _models.FluxConfiguration, + *, + content_type: str = "application/json", + **kwargs: Any + ) -> AsyncLROPoller[_models.FluxConfiguration]: + """Create a new Kubernetes Flux Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param flux_configuration_name: Name of the Flux Configuration. Required. + :type flux_configuration_name: str + :param flux_configuration: Properties necessary to Create a FluxConfiguration. Required. + :type flux_configuration: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.FluxConfiguration + :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. + Default value is "application/json". + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be AsyncARMPolling. Pass in False for + this operation to not poll, or pass in your own initialized polling object for a personal + polling strategy. + :paramtype polling: bool or ~azure.core.polling.AsyncPollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of AsyncLROPoller that returns either FluxConfiguration or the result of + cls(response) + :rtype: + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.FluxConfiguration] + :raises ~azure.core.exceptions.HttpResponseError: + """ + + @overload + async def begin_create_or_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + flux_configuration: IO, + *, + content_type: str = "application/json", + **kwargs: Any + ) -> AsyncLROPoller[_models.FluxConfiguration]: + """Create a new Kubernetes Flux Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param flux_configuration_name: Name of the Flux Configuration. Required. + :type flux_configuration_name: str + :param flux_configuration: Properties necessary to Create a FluxConfiguration. Required. + :type flux_configuration: IO + :keyword content_type: Body Parameter content-type. Content type parameter for binary body. + Default value is "application/json". + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be AsyncARMPolling. Pass in False for + this operation to not poll, or pass in your own initialized polling object for a personal + polling strategy. + :paramtype polling: bool or ~azure.core.polling.AsyncPollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of AsyncLROPoller that returns either FluxConfiguration or the result of + cls(response) + :rtype: + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.FluxConfiguration] + :raises ~azure.core.exceptions.HttpResponseError: + """ + + @distributed_trace_async + async def begin_create_or_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + flux_configuration: Union[_models.FluxConfiguration, IO], + **kwargs: Any + ) -> AsyncLROPoller[_models.FluxConfiguration]: + """Create a new Kubernetes Flux Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param flux_configuration_name: Name of the Flux Configuration. Required. + :type flux_configuration_name: str + :param flux_configuration: Properties necessary to Create a FluxConfiguration. Is either a + model type or a IO type. Required. + :type flux_configuration: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.FluxConfiguration or IO + :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. + Default value is None. + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be AsyncARMPolling. Pass in False for + this operation to not poll, or pass in your own initialized polling object for a personal + polling strategy. + :paramtype polling: bool or ~azure.core.polling.AsyncPollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of AsyncLROPoller that returns either FluxConfiguration or the result of + cls(response) + :rtype: + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.FluxConfiguration] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + cls = kwargs.pop("cls", None) # type: ClsType[_models.FluxConfiguration] + polling = kwargs.pop("polling", True) # type: Union[bool, AsyncPollingMethod] + lro_delay = kwargs.pop("polling_interval", self._config.polling_interval) + cont_token = kwargs.pop("continuation_token", None) # type: Optional[str] + if cont_token is None: + raw_result = await self._create_or_update_initial( # type: ignore + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + flux_configuration_name=flux_configuration_name, + flux_configuration=flux_configuration, + api_version=api_version, + content_type=content_type, + cls=lambda x, y, z: x, + headers=_headers, + params=_params, + **kwargs + ) + kwargs.pop("error_map", None) + + def get_long_running_output(pipeline_response): + deserialized = self._deserialize("FluxConfiguration", pipeline_response) + if cls: + return cls(pipeline_response, deserialized, {}) + return deserialized + + if polling is True: + polling_method = cast( + AsyncPollingMethod, + AsyncARMPolling(lro_delay, lro_options={"final-state-via": "azure-async-operation"}, **kwargs), + ) # type: AsyncPollingMethod + elif polling is False: + polling_method = cast(AsyncPollingMethod, AsyncNoPolling()) + else: + polling_method = polling + if cont_token: + return AsyncLROPoller.from_continuation_token( + polling_method=polling_method, + continuation_token=cont_token, + client=self._client, + deserialization_callback=get_long_running_output, + ) + return AsyncLROPoller(self._client, raw_result, get_long_running_output, polling_method) + + begin_create_or_update.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}"} # type: ignore + + async def _update_initial( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + flux_configuration_patch: Union[_models.FluxConfigurationPatch, IO], + **kwargs: Any + ) -> _models.FluxConfiguration: + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + cls = kwargs.pop("cls", None) # type: ClsType[_models.FluxConfiguration] + + content_type = content_type or "application/json" + _json = None + _content = None + if isinstance(flux_configuration_patch, (IO, bytes)): + _content = flux_configuration_patch + else: + _json = self._serialize.body(flux_configuration_patch, "FluxConfigurationPatch") + + request = build_update_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + flux_configuration_name=flux_configuration_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + content_type=content_type, + json=_json, + content=_content, + template_url=self._update_initial.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = await self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200, 202]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + if response.status_code == 200: + deserialized = self._deserialize("FluxConfiguration", pipeline_response) + + if response.status_code == 202: + deserialized = self._deserialize("FluxConfiguration", pipeline_response) + + if cls: + return cls(pipeline_response, deserialized, {}) + + return deserialized + + _update_initial.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}"} # type: ignore + + @overload + async def begin_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + flux_configuration_patch: _models.FluxConfigurationPatch, + *, + content_type: str = "application/json", + **kwargs: Any + ) -> AsyncLROPoller[_models.FluxConfiguration]: + """Update an existing Kubernetes Flux Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param flux_configuration_name: Name of the Flux Configuration. Required. + :type flux_configuration_name: str + :param flux_configuration_patch: Properties to Patch in an existing Flux Configuration. + Required. + :type flux_configuration_patch: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.FluxConfigurationPatch + :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. + Default value is "application/json". + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be AsyncARMPolling. Pass in False for + this operation to not poll, or pass in your own initialized polling object for a personal + polling strategy. + :paramtype polling: bool or ~azure.core.polling.AsyncPollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of AsyncLROPoller that returns either FluxConfiguration or the result of + cls(response) + :rtype: + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.FluxConfiguration] + :raises ~azure.core.exceptions.HttpResponseError: + """ + + @overload + async def begin_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + flux_configuration_patch: IO, + *, + content_type: str = "application/json", + **kwargs: Any + ) -> AsyncLROPoller[_models.FluxConfiguration]: + """Update an existing Kubernetes Flux Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param flux_configuration_name: Name of the Flux Configuration. Required. + :type flux_configuration_name: str + :param flux_configuration_patch: Properties to Patch in an existing Flux Configuration. + Required. + :type flux_configuration_patch: IO + :keyword content_type: Body Parameter content-type. Content type parameter for binary body. + Default value is "application/json". + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be AsyncARMPolling. Pass in False for + this operation to not poll, or pass in your own initialized polling object for a personal + polling strategy. + :paramtype polling: bool or ~azure.core.polling.AsyncPollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of AsyncLROPoller that returns either FluxConfiguration or the result of + cls(response) + :rtype: + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.FluxConfiguration] + :raises ~azure.core.exceptions.HttpResponseError: + """ + + @distributed_trace_async + async def begin_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + flux_configuration_patch: Union[_models.FluxConfigurationPatch, IO], + **kwargs: Any + ) -> AsyncLROPoller[_models.FluxConfiguration]: + """Update an existing Kubernetes Flux Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param flux_configuration_name: Name of the Flux Configuration. Required. + :type flux_configuration_name: str + :param flux_configuration_patch: Properties to Patch in an existing Flux Configuration. Is + either a model type or a IO type. Required. + :type flux_configuration_patch: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.FluxConfigurationPatch or IO + :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. + Default value is None. + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be AsyncARMPolling. Pass in False for + this operation to not poll, or pass in your own initialized polling object for a personal + polling strategy. + :paramtype polling: bool or ~azure.core.polling.AsyncPollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of AsyncLROPoller that returns either FluxConfiguration or the result of + cls(response) + :rtype: + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.FluxConfiguration] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + cls = kwargs.pop("cls", None) # type: ClsType[_models.FluxConfiguration] + polling = kwargs.pop("polling", True) # type: Union[bool, AsyncPollingMethod] + lro_delay = kwargs.pop("polling_interval", self._config.polling_interval) + cont_token = kwargs.pop("continuation_token", None) # type: Optional[str] + if cont_token is None: + raw_result = await self._update_initial( # type: ignore + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + flux_configuration_name=flux_configuration_name, + flux_configuration_patch=flux_configuration_patch, + api_version=api_version, + content_type=content_type, + cls=lambda x, y, z: x, + headers=_headers, + params=_params, + **kwargs + ) + kwargs.pop("error_map", None) + + def get_long_running_output(pipeline_response): + deserialized = self._deserialize("FluxConfiguration", pipeline_response) + if cls: + return cls(pipeline_response, deserialized, {}) + return deserialized + + if polling is True: + polling_method = cast( + AsyncPollingMethod, + AsyncARMPolling(lro_delay, lro_options={"final-state-via": "azure-async-operation"}, **kwargs), + ) # type: AsyncPollingMethod + elif polling is False: + polling_method = cast(AsyncPollingMethod, AsyncNoPolling()) + else: + polling_method = polling + if cont_token: + return AsyncLROPoller.from_continuation_token( + polling_method=polling_method, + continuation_token=cont_token, + client=self._client, + deserialization_callback=get_long_running_output, + ) + return AsyncLROPoller(self._client, raw_result, get_long_running_output, polling_method) + + begin_update.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}"} # type: ignore + + async def _delete_initial( # pylint: disable=inconsistent-return-statements + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + force_delete: Optional[bool] = None, + **kwargs: Any + ) -> None: + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + cls = kwargs.pop("cls", None) # type: ClsType[None] + + request = build_delete_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + flux_configuration_name=flux_configuration_name, + subscription_id=self._config.subscription_id, + force_delete=force_delete, + api_version=api_version, + template_url=self._delete_initial.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = await self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200, 202, 204]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + if cls: + return cls(pipeline_response, None, {}) + + _delete_initial.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}"} # type: ignore + + @distributed_trace_async + async def begin_delete( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + force_delete: Optional[bool] = None, + **kwargs: Any + ) -> AsyncLROPoller[None]: + """This will delete the YAML file used to set up the Flux Configuration, thus stopping future sync + from the source repo. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param flux_configuration_name: Name of the Flux Configuration. Required. + :type flux_configuration_name: str + :param force_delete: Delete the extension resource in Azure - not the normal asynchronous + delete. Default value is None. + :type force_delete: bool + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be AsyncARMPolling. Pass in False for + this operation to not poll, or pass in your own initialized polling object for a personal + polling strategy. + :paramtype polling: bool or ~azure.core.polling.AsyncPollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of AsyncLROPoller that returns either None or the result of cls(response) + :rtype: ~azure.core.polling.AsyncLROPoller[None] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + cls = kwargs.pop("cls", None) # type: ClsType[None] + polling = kwargs.pop("polling", True) # type: Union[bool, AsyncPollingMethod] + lro_delay = kwargs.pop("polling_interval", self._config.polling_interval) + cont_token = kwargs.pop("continuation_token", None) # type: Optional[str] + if cont_token is None: + raw_result = await self._delete_initial( # type: ignore + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + flux_configuration_name=flux_configuration_name, + force_delete=force_delete, + api_version=api_version, + cls=lambda x, y, z: x, + headers=_headers, + params=_params, + **kwargs + ) + kwargs.pop("error_map", None) + + def get_long_running_output(pipeline_response): # pylint: disable=inconsistent-return-statements + if cls: + return cls(pipeline_response, None, {}) + + if polling is True: + polling_method = cast( + AsyncPollingMethod, + AsyncARMPolling(lro_delay, lro_options={"final-state-via": "azure-async-operation"}, **kwargs), + ) # type: AsyncPollingMethod + elif polling is False: + polling_method = cast(AsyncPollingMethod, AsyncNoPolling()) + else: + polling_method = polling + if cont_token: + return AsyncLROPoller.from_continuation_token( + polling_method=polling_method, + continuation_token=cont_token, + client=self._client, + deserialization_callback=get_long_running_output, + ) + return AsyncLROPoller(self._client, raw_result, get_long_running_output, polling_method) + + begin_delete.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}"} # type: ignore + + @distributed_trace + def list( + self, resource_group_name: str, cluster_rp: str, cluster_resource_name: str, cluster_name: str, **kwargs: Any + ) -> AsyncIterable["_models.FluxConfiguration"]: + """List all Flux Configurations. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: An iterator like instance of either FluxConfiguration or the result of cls(response) + :rtype: + ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.FluxConfiguration] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + cls = kwargs.pop("cls", None) # type: ClsType[_models.FluxConfigurationsList] + + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + def prepare_request(next_link=None): + if not next_link: + + request = build_list_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + template_url=self.list.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + else: + # make call to next link with the client's api-version + _parsed_next_link = urllib.parse.urlparse(next_link) + _next_request_params = case_insensitive_dict( + { + key: [urllib.parse.quote(v) for v in value] + for key, value in urllib.parse.parse_qs(_parsed_next_link.query).items() + } + ) + _next_request_params["api-version"] = self._config.api_version + request = HttpRequest( + "GET", urllib.parse.urljoin(next_link, _parsed_next_link.path), params=_next_request_params + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + request.method = "GET" + return request + + async def extract_data(pipeline_response): + deserialized = self._deserialize("FluxConfigurationsList", pipeline_response) + list_of_elem = deserialized.value + if cls: + list_of_elem = cls(list_of_elem) + return deserialized.next_link or None, AsyncList(list_of_elem) + + async def get_next(next_link=None): + request = prepare_request(next_link) + + pipeline_response = await self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + response = pipeline_response.http_response + + if response.status_code not in [200]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + return pipeline_response + + return AsyncItemPaged(get_next, extract_data) + + list.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations"} # type: ignore diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/operations/_operation_status_operations.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/operations/_operation_status_operations.py new file mode 100644 index 00000000000..612235a2ab0 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/operations/_operation_status_operations.py @@ -0,0 +1,241 @@ +# pylint: disable=too-many-lines +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- +import sys +from typing import Any, AsyncIterable, Callable, Dict, Optional, TypeVar +import urllib.parse + +from azure.core.async_paging import AsyncItemPaged, AsyncList +from azure.core.exceptions import ( + ClientAuthenticationError, + HttpResponseError, + ResourceExistsError, + ResourceNotFoundError, + ResourceNotModifiedError, + map_error, +) +from azure.core.pipeline import PipelineResponse +from azure.core.pipeline.transport import AsyncHttpResponse +from azure.core.rest import HttpRequest +from azure.core.tracing.decorator import distributed_trace +from azure.core.tracing.decorator_async import distributed_trace_async +from azure.core.utils import case_insensitive_dict +from azure.mgmt.core.exceptions import ARMErrorFormat + +from ... import models as _models +from ..._vendor import _convert_request +from ...operations._operation_status_operations import build_get_request, build_list_request + +if sys.version_info >= (3, 8): + from typing import Literal # pylint: disable=no-name-in-module, ungrouped-imports +else: + from typing_extensions import Literal # type: ignore # pylint: disable=ungrouped-imports +T = TypeVar("T") +ClsType = Optional[Callable[[PipelineResponse[HttpRequest, AsyncHttpResponse], T, Dict[str, Any]], Any]] + + +class OperationStatusOperations: + """ + .. warning:: + **DO NOT** instantiate this class directly. + + Instead, you should access the following operations through + :class:`~azure.mgmt.kubernetesconfiguration.v2022_07_01.aio.SourceControlConfigurationClient`'s + :attr:`operation_status` attribute. + """ + + models = _models + + def __init__(self, *args, **kwargs) -> None: + input_args = list(args) + self._client = input_args.pop(0) if input_args else kwargs.pop("client") + self._config = input_args.pop(0) if input_args else kwargs.pop("config") + self._serialize = input_args.pop(0) if input_args else kwargs.pop("serializer") + self._deserialize = input_args.pop(0) if input_args else kwargs.pop("deserializer") + + @distributed_trace_async + async def get( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + operation_id: str, + **kwargs: Any + ) -> _models.OperationStatusResult: + """Get Async Operation status. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param extension_name: Name of the Extension. Required. + :type extension_name: str + :param operation_id: operation Id. Required. + :type operation_id: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: OperationStatusResult or the result of cls(response) + :rtype: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.OperationStatusResult + :raises ~azure.core.exceptions.HttpResponseError: + """ + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + cls = kwargs.pop("cls", None) # type: ClsType[_models.OperationStatusResult] + + request = build_get_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + extension_name=extension_name, + operation_id=operation_id, + subscription_id=self._config.subscription_id, + api_version=api_version, + template_url=self.get.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = await self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + deserialized = self._deserialize("OperationStatusResult", pipeline_response) + + if cls: + return cls(pipeline_response, deserialized, {}) + + return deserialized + + get.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}/operations/{operationId}"} # type: ignore + + @distributed_trace + def list( + self, resource_group_name: str, cluster_rp: str, cluster_resource_name: str, cluster_name: str, **kwargs: Any + ) -> AsyncIterable["_models.OperationStatusResult"]: + """List Async Operations, currently in progress, in a cluster. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: An iterator like instance of either OperationStatusResult or the result of + cls(response) + :rtype: + ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.OperationStatusResult] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + cls = kwargs.pop("cls", None) # type: ClsType[_models.OperationStatusList] + + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + def prepare_request(next_link=None): + if not next_link: + + request = build_list_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + template_url=self.list.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + else: + # make call to next link with the client's api-version + _parsed_next_link = urllib.parse.urlparse(next_link) + _next_request_params = case_insensitive_dict( + { + key: [urllib.parse.quote(v) for v in value] + for key, value in urllib.parse.parse_qs(_parsed_next_link.query).items() + } + ) + _next_request_params["api-version"] = self._config.api_version + request = HttpRequest( + "GET", urllib.parse.urljoin(next_link, _parsed_next_link.path), params=_next_request_params + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + request.method = "GET" + return request + + async def extract_data(pipeline_response): + deserialized = self._deserialize("OperationStatusList", pipeline_response) + list_of_elem = deserialized.value + if cls: + list_of_elem = cls(list_of_elem) + return deserialized.next_link or None, AsyncList(list_of_elem) + + async def get_next(next_link=None): + request = prepare_request(next_link) + + pipeline_response = await self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + response = pipeline_response.http_response + + if response.status_code not in [200]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + return pipeline_response + + return AsyncItemPaged(get_next, extract_data) + + list.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/operations"} # type: ignore diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/operations/_operations.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/operations/_operations.py new file mode 100644 index 00000000000..5c479b35cf6 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/operations/_operations.py @@ -0,0 +1,139 @@ +# pylint: disable=too-many-lines +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- +import sys +from typing import Any, AsyncIterable, Callable, Dict, Optional, TypeVar +import urllib.parse + +from azure.core.async_paging import AsyncItemPaged, AsyncList +from azure.core.exceptions import ( + ClientAuthenticationError, + HttpResponseError, + ResourceExistsError, + ResourceNotFoundError, + ResourceNotModifiedError, + map_error, +) +from azure.core.pipeline import PipelineResponse +from azure.core.pipeline.transport import AsyncHttpResponse +from azure.core.rest import HttpRequest +from azure.core.tracing.decorator import distributed_trace +from azure.core.utils import case_insensitive_dict +from azure.mgmt.core.exceptions import ARMErrorFormat + +from ... import models as _models +from ..._vendor import _convert_request +from ...operations._operations import build_list_request + +if sys.version_info >= (3, 8): + from typing import Literal # pylint: disable=no-name-in-module, ungrouped-imports +else: + from typing_extensions import Literal # type: ignore # pylint: disable=ungrouped-imports +T = TypeVar("T") +ClsType = Optional[Callable[[PipelineResponse[HttpRequest, AsyncHttpResponse], T, Dict[str, Any]], Any]] + + +class Operations: + """ + .. warning:: + **DO NOT** instantiate this class directly. + + Instead, you should access the following operations through + :class:`~azure.mgmt.kubernetesconfiguration.v2022_07_01.aio.SourceControlConfigurationClient`'s + :attr:`operations` attribute. + """ + + models = _models + + def __init__(self, *args, **kwargs) -> None: + input_args = list(args) + self._client = input_args.pop(0) if input_args else kwargs.pop("client") + self._config = input_args.pop(0) if input_args else kwargs.pop("config") + self._serialize = input_args.pop(0) if input_args else kwargs.pop("serializer") + self._deserialize = input_args.pop(0) if input_args else kwargs.pop("deserializer") + + @distributed_trace + def list(self, **kwargs: Any) -> AsyncIterable["_models.ResourceProviderOperation"]: + """List all the available operations the KubernetesConfiguration resource provider supports. + + :keyword callable cls: A custom type or function that will be passed the direct response + :return: An iterator like instance of either ResourceProviderOperation or the result of + cls(response) + :rtype: + ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ResourceProviderOperation] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + cls = kwargs.pop("cls", None) # type: ClsType[_models.ResourceProviderOperationList] + + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + def prepare_request(next_link=None): + if not next_link: + + request = build_list_request( + api_version=api_version, + template_url=self.list.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + else: + # make call to next link with the client's api-version + _parsed_next_link = urllib.parse.urlparse(next_link) + _next_request_params = case_insensitive_dict( + { + key: [urllib.parse.quote(v) for v in value] + for key, value in urllib.parse.parse_qs(_parsed_next_link.query).items() + } + ) + _next_request_params["api-version"] = self._config.api_version + request = HttpRequest( + "GET", urllib.parse.urljoin(next_link, _parsed_next_link.path), params=_next_request_params + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + request.method = "GET" + return request + + async def extract_data(pipeline_response): + deserialized = self._deserialize("ResourceProviderOperationList", pipeline_response) + list_of_elem = deserialized.value + if cls: + list_of_elem = cls(list_of_elem) + return deserialized.next_link or None, AsyncList(list_of_elem) + + async def get_next(next_link=None): + request = prepare_request(next_link) + + pipeline_response = await self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + response = pipeline_response.http_response + + if response.status_code not in [200]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + return pipeline_response + + return AsyncItemPaged(get_next, extract_data) + + list.metadata = {"url": "/providers/Microsoft.KubernetesConfiguration/operations"} # type: ignore diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/operations/_patch.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/operations/_patch.py new file mode 100644 index 00000000000..f7dd3251033 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/operations/_patch.py @@ -0,0 +1,20 @@ +# ------------------------------------ +# Copyright (c) Microsoft Corporation. +# Licensed under the MIT License. +# ------------------------------------ +"""Customize generated code here. + +Follow our quickstart for examples: https://aka.ms/azsdk/python/dpcodegen/python/customize +""" +from typing import List + +__all__: List[str] = [] # Add all objects you want publicly available to users at this package level + + +def patch_sdk(): + """Do not remove from this file. + + `patch_sdk` is a last resort escape hatch that allows you to do customizations + you can't accomplish using the techniques described in + https://aka.ms/azsdk/python/dpcodegen/python/customize + """ diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/operations/_source_control_configurations_operations.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/operations/_source_control_configurations_operations.py new file mode 100644 index 00000000000..d0d4ce99fb5 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/aio/operations/_source_control_configurations_operations.py @@ -0,0 +1,564 @@ +# pylint: disable=too-many-lines +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- +import sys +from typing import Any, AsyncIterable, Callable, Dict, IO, Optional, TypeVar, Union, cast, overload +import urllib.parse + +from azure.core.async_paging import AsyncItemPaged, AsyncList +from azure.core.exceptions import ( + ClientAuthenticationError, + HttpResponseError, + ResourceExistsError, + ResourceNotFoundError, + ResourceNotModifiedError, + map_error, +) +from azure.core.pipeline import PipelineResponse +from azure.core.pipeline.transport import AsyncHttpResponse +from azure.core.polling import AsyncLROPoller, AsyncNoPolling, AsyncPollingMethod +from azure.core.rest import HttpRequest +from azure.core.tracing.decorator import distributed_trace +from azure.core.tracing.decorator_async import distributed_trace_async +from azure.core.utils import case_insensitive_dict +from azure.mgmt.core.exceptions import ARMErrorFormat +from azure.mgmt.core.polling.async_arm_polling import AsyncARMPolling + +from ... import models as _models +from ..._vendor import _convert_request +from ...operations._source_control_configurations_operations import ( + build_create_or_update_request, + build_delete_request, + build_get_request, + build_list_request, +) + +if sys.version_info >= (3, 8): + from typing import Literal # pylint: disable=no-name-in-module, ungrouped-imports +else: + from typing_extensions import Literal # type: ignore # pylint: disable=ungrouped-imports +T = TypeVar("T") +ClsType = Optional[Callable[[PipelineResponse[HttpRequest, AsyncHttpResponse], T, Dict[str, Any]], Any]] + + +class SourceControlConfigurationsOperations: + """ + .. warning:: + **DO NOT** instantiate this class directly. + + Instead, you should access the following operations through + :class:`~azure.mgmt.kubernetesconfiguration.v2022_07_01.aio.SourceControlConfigurationClient`'s + :attr:`source_control_configurations` attribute. + """ + + models = _models + + def __init__(self, *args, **kwargs) -> None: + input_args = list(args) + self._client = input_args.pop(0) if input_args else kwargs.pop("client") + self._config = input_args.pop(0) if input_args else kwargs.pop("config") + self._serialize = input_args.pop(0) if input_args else kwargs.pop("serializer") + self._deserialize = input_args.pop(0) if input_args else kwargs.pop("deserializer") + + @distributed_trace_async + async def get( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + source_control_configuration_name: str, + **kwargs: Any + ) -> _models.SourceControlConfiguration: + """Gets details of the Source Control Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param source_control_configuration_name: Name of the Source Control Configuration. Required. + :type source_control_configuration_name: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: SourceControlConfiguration or the result of cls(response) + :rtype: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.SourceControlConfiguration + :raises ~azure.core.exceptions.HttpResponseError: + """ + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + cls = kwargs.pop("cls", None) # type: ClsType[_models.SourceControlConfiguration] + + request = build_get_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + source_control_configuration_name=source_control_configuration_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + template_url=self.get.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = await self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + deserialized = self._deserialize("SourceControlConfiguration", pipeline_response) + + if cls: + return cls(pipeline_response, deserialized, {}) + + return deserialized + + get.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/sourceControlConfigurations/{sourceControlConfigurationName}"} # type: ignore + + @overload + async def create_or_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + source_control_configuration_name: str, + source_control_configuration: _models.SourceControlConfiguration, + *, + content_type: str = "application/json", + **kwargs: Any + ) -> _models.SourceControlConfiguration: + """Create a new Kubernetes Source Control Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param source_control_configuration_name: Name of the Source Control Configuration. Required. + :type source_control_configuration_name: str + :param source_control_configuration: Properties necessary to Create KubernetesConfiguration. + Required. + :type source_control_configuration: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.SourceControlConfiguration + :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. + Default value is "application/json". + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: SourceControlConfiguration or the result of cls(response) + :rtype: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.SourceControlConfiguration + :raises ~azure.core.exceptions.HttpResponseError: + """ + + @overload + async def create_or_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + source_control_configuration_name: str, + source_control_configuration: IO, + *, + content_type: str = "application/json", + **kwargs: Any + ) -> _models.SourceControlConfiguration: + """Create a new Kubernetes Source Control Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param source_control_configuration_name: Name of the Source Control Configuration. Required. + :type source_control_configuration_name: str + :param source_control_configuration: Properties necessary to Create KubernetesConfiguration. + Required. + :type source_control_configuration: IO + :keyword content_type: Body Parameter content-type. Content type parameter for binary body. + Default value is "application/json". + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: SourceControlConfiguration or the result of cls(response) + :rtype: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.SourceControlConfiguration + :raises ~azure.core.exceptions.HttpResponseError: + """ + + @distributed_trace_async + async def create_or_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + source_control_configuration_name: str, + source_control_configuration: Union[_models.SourceControlConfiguration, IO], + **kwargs: Any + ) -> _models.SourceControlConfiguration: + """Create a new Kubernetes Source Control Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param source_control_configuration_name: Name of the Source Control Configuration. Required. + :type source_control_configuration_name: str + :param source_control_configuration: Properties necessary to Create KubernetesConfiguration. Is + either a model type or a IO type. Required. + :type source_control_configuration: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.SourceControlConfiguration or IO + :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. + Default value is None. + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: SourceControlConfiguration or the result of cls(response) + :rtype: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.SourceControlConfiguration + :raises ~azure.core.exceptions.HttpResponseError: + """ + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + cls = kwargs.pop("cls", None) # type: ClsType[_models.SourceControlConfiguration] + + content_type = content_type or "application/json" + _json = None + _content = None + if isinstance(source_control_configuration, (IO, bytes)): + _content = source_control_configuration + else: + _json = self._serialize.body(source_control_configuration, "SourceControlConfiguration") + + request = build_create_or_update_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + source_control_configuration_name=source_control_configuration_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + content_type=content_type, + json=_json, + content=_content, + template_url=self.create_or_update.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = await self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200, 201]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + if response.status_code == 200: + deserialized = self._deserialize("SourceControlConfiguration", pipeline_response) + + if response.status_code == 201: + deserialized = self._deserialize("SourceControlConfiguration", pipeline_response) + + if cls: + return cls(pipeline_response, deserialized, {}) + + return deserialized + + create_or_update.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/sourceControlConfigurations/{sourceControlConfigurationName}"} # type: ignore + + async def _delete_initial( # pylint: disable=inconsistent-return-statements + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + source_control_configuration_name: str, + **kwargs: Any + ) -> None: + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + cls = kwargs.pop("cls", None) # type: ClsType[None] + + request = build_delete_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + source_control_configuration_name=source_control_configuration_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + template_url=self._delete_initial.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = await self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200, 204]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + if cls: + return cls(pipeline_response, None, {}) + + _delete_initial.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/sourceControlConfigurations/{sourceControlConfigurationName}"} # type: ignore + + @distributed_trace_async + async def begin_delete( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + source_control_configuration_name: str, + **kwargs: Any + ) -> AsyncLROPoller[None]: + """This will delete the YAML file used to set up the Source control configuration, thus stopping + future sync from the source repo. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param source_control_configuration_name: Name of the Source Control Configuration. Required. + :type source_control_configuration_name: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be AsyncARMPolling. Pass in False for + this operation to not poll, or pass in your own initialized polling object for a personal + polling strategy. + :paramtype polling: bool or ~azure.core.polling.AsyncPollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of AsyncLROPoller that returns either None or the result of cls(response) + :rtype: ~azure.core.polling.AsyncLROPoller[None] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + cls = kwargs.pop("cls", None) # type: ClsType[None] + polling = kwargs.pop("polling", True) # type: Union[bool, AsyncPollingMethod] + lro_delay = kwargs.pop("polling_interval", self._config.polling_interval) + cont_token = kwargs.pop("continuation_token", None) # type: Optional[str] + if cont_token is None: + raw_result = await self._delete_initial( # type: ignore + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + source_control_configuration_name=source_control_configuration_name, + api_version=api_version, + cls=lambda x, y, z: x, + headers=_headers, + params=_params, + **kwargs + ) + kwargs.pop("error_map", None) + + def get_long_running_output(pipeline_response): # pylint: disable=inconsistent-return-statements + if cls: + return cls(pipeline_response, None, {}) + + if polling is True: + polling_method = cast(AsyncPollingMethod, AsyncARMPolling(lro_delay, **kwargs)) # type: AsyncPollingMethod + elif polling is False: + polling_method = cast(AsyncPollingMethod, AsyncNoPolling()) + else: + polling_method = polling + if cont_token: + return AsyncLROPoller.from_continuation_token( + polling_method=polling_method, + continuation_token=cont_token, + client=self._client, + deserialization_callback=get_long_running_output, + ) + return AsyncLROPoller(self._client, raw_result, get_long_running_output, polling_method) + + begin_delete.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/sourceControlConfigurations/{sourceControlConfigurationName}"} # type: ignore + + @distributed_trace + def list( + self, resource_group_name: str, cluster_rp: str, cluster_resource_name: str, cluster_name: str, **kwargs: Any + ) -> AsyncIterable["_models.SourceControlConfiguration"]: + """List all Source Control Configurations. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: An iterator like instance of either SourceControlConfiguration or the result of + cls(response) + :rtype: + ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.SourceControlConfiguration] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + cls = kwargs.pop("cls", None) # type: ClsType[_models.SourceControlConfigurationList] + + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + def prepare_request(next_link=None): + if not next_link: + + request = build_list_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + template_url=self.list.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + else: + # make call to next link with the client's api-version + _parsed_next_link = urllib.parse.urlparse(next_link) + _next_request_params = case_insensitive_dict( + { + key: [urllib.parse.quote(v) for v in value] + for key, value in urllib.parse.parse_qs(_parsed_next_link.query).items() + } + ) + _next_request_params["api-version"] = self._config.api_version + request = HttpRequest( + "GET", urllib.parse.urljoin(next_link, _parsed_next_link.path), params=_next_request_params + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + request.method = "GET" + return request + + async def extract_data(pipeline_response): + deserialized = self._deserialize("SourceControlConfigurationList", pipeline_response) + list_of_elem = deserialized.value + if cls: + list_of_elem = cls(list_of_elem) + return deserialized.next_link or None, AsyncList(list_of_elem) + + async def get_next(next_link=None): + request = prepare_request(next_link) + + pipeline_response = await self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + response = pipeline_response.http_response + + if response.status_code not in [200]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + return pipeline_response + + return AsyncItemPaged(get_next, extract_data) + + list.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/sourceControlConfigurations"} # type: ignore diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/models/__init__.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/models/__init__.py new file mode 100644 index 00000000000..bbeef0e8f49 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/models/__init__.py @@ -0,0 +1,131 @@ +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- + +from ._models_py3 import AzureBlobDefinition +from ._models_py3 import AzureBlobPatchDefinition +from ._models_py3 import BucketDefinition +from ._models_py3 import BucketPatchDefinition +from ._models_py3 import ComplianceStatus +from ._models_py3 import ErrorAdditionalInfo +from ._models_py3 import ErrorDetail +from ._models_py3 import ErrorResponse +from ._models_py3 import Extension +from ._models_py3 import ExtensionPropertiesAksAssignedIdentity +from ._models_py3 import ExtensionStatus +from ._models_py3 import ExtensionsList +from ._models_py3 import FluxConfiguration +from ._models_py3 import FluxConfigurationPatch +from ._models_py3 import FluxConfigurationsList +from ._models_py3 import GitRepositoryDefinition +from ._models_py3 import GitRepositoryPatchDefinition +from ._models_py3 import HelmOperatorProperties +from ._models_py3 import HelmReleasePropertiesDefinition +from ._models_py3 import Identity +from ._models_py3 import KustomizationDefinition +from ._models_py3 import KustomizationPatchDefinition +from ._models_py3 import ManagedIdentityDefinition +from ._models_py3 import ManagedIdentityPatchDefinition +from ._models_py3 import ObjectReferenceDefinition +from ._models_py3 import ObjectStatusConditionDefinition +from ._models_py3 import ObjectStatusDefinition +from ._models_py3 import OperationStatusList +from ._models_py3 import OperationStatusResult +from ._models_py3 import PatchExtension +from ._models_py3 import ProxyResource +from ._models_py3 import RepositoryRefDefinition +from ._models_py3 import Resource +from ._models_py3 import ResourceProviderOperation +from ._models_py3 import ResourceProviderOperationDisplay +from ._models_py3 import ResourceProviderOperationList +from ._models_py3 import Scope +from ._models_py3 import ScopeCluster +from ._models_py3 import ScopeNamespace +from ._models_py3 import ServicePrincipalDefinition +from ._models_py3 import ServicePrincipalPatchDefinition +from ._models_py3 import SourceControlConfiguration +from ._models_py3 import SourceControlConfigurationList +from ._models_py3 import SystemData + +from ._source_control_configuration_client_enums import AKSIdentityType +from ._source_control_configuration_client_enums import ComplianceStateType +from ._source_control_configuration_client_enums import CreatedByType +from ._source_control_configuration_client_enums import FluxComplianceState +from ._source_control_configuration_client_enums import KustomizationValidationType +from ._source_control_configuration_client_enums import LevelType +from ._source_control_configuration_client_enums import MessageLevelType +from ._source_control_configuration_client_enums import OperatorScopeType +from ._source_control_configuration_client_enums import OperatorType +from ._source_control_configuration_client_enums import ProvisioningState +from ._source_control_configuration_client_enums import ProvisioningStateType +from ._source_control_configuration_client_enums import ScopeType +from ._source_control_configuration_client_enums import SourceKindType +from ._patch import __all__ as _patch_all +from ._patch import * # type: ignore # pylint: disable=unused-wildcard-import +from ._patch import patch_sdk as _patch_sdk + +__all__ = [ + "AzureBlobDefinition", + "AzureBlobPatchDefinition", + "BucketDefinition", + "BucketPatchDefinition", + "ComplianceStatus", + "ErrorAdditionalInfo", + "ErrorDetail", + "ErrorResponse", + "Extension", + "ExtensionPropertiesAksAssignedIdentity", + "ExtensionStatus", + "ExtensionsList", + "FluxConfiguration", + "FluxConfigurationPatch", + "FluxConfigurationsList", + "GitRepositoryDefinition", + "GitRepositoryPatchDefinition", + "HelmOperatorProperties", + "HelmReleasePropertiesDefinition", + "Identity", + "KustomizationDefinition", + "KustomizationPatchDefinition", + "ManagedIdentityDefinition", + "ManagedIdentityPatchDefinition", + "ObjectReferenceDefinition", + "ObjectStatusConditionDefinition", + "ObjectStatusDefinition", + "OperationStatusList", + "OperationStatusResult", + "PatchExtension", + "ProxyResource", + "RepositoryRefDefinition", + "Resource", + "ResourceProviderOperation", + "ResourceProviderOperationDisplay", + "ResourceProviderOperationList", + "Scope", + "ScopeCluster", + "ScopeNamespace", + "ServicePrincipalDefinition", + "ServicePrincipalPatchDefinition", + "SourceControlConfiguration", + "SourceControlConfigurationList", + "SystemData", + "AKSIdentityType", + "ComplianceStateType", + "CreatedByType", + "FluxComplianceState", + "KustomizationValidationType", + "LevelType", + "MessageLevelType", + "OperatorScopeType", + "OperatorType", + "ProvisioningState", + "ProvisioningStateType", + "ScopeType", + "SourceKindType", +] +__all__.extend([p for p in _patch_all if p not in __all__]) +_patch_sdk() diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/models/_models_py3.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/models/_models_py3.py new file mode 100644 index 00000000000..cead915570d --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/models/_models_py3.py @@ -0,0 +1,2578 @@ +# coding=utf-8 +# pylint: disable=too-many-lines +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- + +import datetime +import sys +from typing import Dict, List, Optional, TYPE_CHECKING, Union + +from ... import _serialization + +if sys.version_info >= (3, 8): + from typing import Literal # pylint: disable=no-name-in-module, ungrouped-imports +else: + from typing_extensions import Literal # type: ignore # pylint: disable=ungrouped-imports + +if TYPE_CHECKING: + # pylint: disable=unused-import,ungrouped-imports + from .. import models as _models + + +class AzureBlobDefinition(_serialization.Model): + """Parameters to reconcile to the AzureBlob source kind type. + + :ivar url: The URL to sync for the flux configuration Azure Blob storage account. + :vartype url: str + :ivar container_name: The Azure Blob container name to sync from the url endpoint for the flux + configuration. + :vartype container_name: str + :ivar timeout_in_seconds: The maximum time to attempt to reconcile the cluster Azure Blob + source with the remote. + :vartype timeout_in_seconds: int + :ivar sync_interval_in_seconds: The interval at which to re-reconcile the cluster Azure Blob + source with the remote. + :vartype sync_interval_in_seconds: int + :ivar service_principal: Parameters to authenticate using Service Principal. + :vartype service_principal: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ServicePrincipalDefinition + :ivar account_key: The account key (shared key) to access the storage account. + :vartype account_key: str + :ivar sas_token: The Shared Access token to access the storage container. + :vartype sas_token: str + :ivar managed_identity: Parameters to authenticate using a Managed Identity. + :vartype managed_identity: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ManagedIdentityDefinition + :ivar local_auth_ref: Name of a local secret on the Kubernetes cluster to use as the + authentication secret rather than the managed or user-provided configuration secrets. + :vartype local_auth_ref: str + """ + + _attribute_map = { + "url": {"key": "url", "type": "str"}, + "container_name": {"key": "containerName", "type": "str"}, + "timeout_in_seconds": {"key": "timeoutInSeconds", "type": "int"}, + "sync_interval_in_seconds": {"key": "syncIntervalInSeconds", "type": "int"}, + "service_principal": {"key": "servicePrincipal", "type": "ServicePrincipalDefinition"}, + "account_key": {"key": "accountKey", "type": "str"}, + "sas_token": {"key": "sasToken", "type": "str"}, + "managed_identity": {"key": "managedIdentity", "type": "ManagedIdentityDefinition"}, + "local_auth_ref": {"key": "localAuthRef", "type": "str"}, + } + + def __init__( + self, + *, + url: Optional[str] = None, + container_name: Optional[str] = None, + timeout_in_seconds: int = 600, + sync_interval_in_seconds: int = 600, + service_principal: Optional["_models.ServicePrincipalDefinition"] = None, + account_key: Optional[str] = None, + sas_token: Optional[str] = None, + managed_identity: Optional["_models.ManagedIdentityDefinition"] = None, + local_auth_ref: Optional[str] = None, + **kwargs + ): + """ + :keyword url: The URL to sync for the flux configuration Azure Blob storage account. + :paramtype url: str + :keyword container_name: The Azure Blob container name to sync from the url endpoint for the + flux configuration. + :paramtype container_name: str + :keyword timeout_in_seconds: The maximum time to attempt to reconcile the cluster Azure Blob + source with the remote. + :paramtype timeout_in_seconds: int + :keyword sync_interval_in_seconds: The interval at which to re-reconcile the cluster Azure Blob + source with the remote. + :paramtype sync_interval_in_seconds: int + :keyword service_principal: Parameters to authenticate using Service Principal. + :paramtype service_principal: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ServicePrincipalDefinition + :keyword account_key: The account key (shared key) to access the storage account. + :paramtype account_key: str + :keyword sas_token: The Shared Access token to access the storage container. + :paramtype sas_token: str + :keyword managed_identity: Parameters to authenticate using a Managed Identity. + :paramtype managed_identity: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ManagedIdentityDefinition + :keyword local_auth_ref: Name of a local secret on the Kubernetes cluster to use as the + authentication secret rather than the managed or user-provided configuration secrets. + :paramtype local_auth_ref: str + """ + super().__init__(**kwargs) + self.url = url + self.container_name = container_name + self.timeout_in_seconds = timeout_in_seconds + self.sync_interval_in_seconds = sync_interval_in_seconds + self.service_principal = service_principal + self.account_key = account_key + self.sas_token = sas_token + self.managed_identity = managed_identity + self.local_auth_ref = local_auth_ref + + +class AzureBlobPatchDefinition(_serialization.Model): + """Parameters to reconcile to the AzureBlob source kind type. + + :ivar url: The URL to sync for the flux configuration Azure Blob storage account. + :vartype url: str + :ivar container_name: The Azure Blob container name to sync from the url endpoint for the flux + configuration. + :vartype container_name: str + :ivar timeout_in_seconds: The maximum time to attempt to reconcile the cluster Azure Blob + source with the remote. + :vartype timeout_in_seconds: int + :ivar sync_interval_in_seconds: The interval at which to re-reconcile the cluster Azure Blob + source with the remote. + :vartype sync_interval_in_seconds: int + :ivar service_principal: Parameters to authenticate using Service Principal. + :vartype service_principal: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ServicePrincipalPatchDefinition + :ivar account_key: The account key (shared key) to access the storage account. + :vartype account_key: str + :ivar sas_token: The Shared Access token to access the storage container. + :vartype sas_token: str + :ivar managed_identity: Parameters to authenticate using a Managed Identity. + :vartype managed_identity: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ManagedIdentityPatchDefinition + :ivar local_auth_ref: Name of a local secret on the Kubernetes cluster to use as the + authentication secret rather than the managed or user-provided configuration secrets. + :vartype local_auth_ref: str + """ + + _attribute_map = { + "url": {"key": "url", "type": "str"}, + "container_name": {"key": "containerName", "type": "str"}, + "timeout_in_seconds": {"key": "timeoutInSeconds", "type": "int"}, + "sync_interval_in_seconds": {"key": "syncIntervalInSeconds", "type": "int"}, + "service_principal": {"key": "servicePrincipal", "type": "ServicePrincipalPatchDefinition"}, + "account_key": {"key": "accountKey", "type": "str"}, + "sas_token": {"key": "sasToken", "type": "str"}, + "managed_identity": {"key": "managedIdentity", "type": "ManagedIdentityPatchDefinition"}, + "local_auth_ref": {"key": "localAuthRef", "type": "str"}, + } + + def __init__( + self, + *, + url: Optional[str] = None, + container_name: Optional[str] = None, + timeout_in_seconds: Optional[int] = None, + sync_interval_in_seconds: Optional[int] = None, + service_principal: Optional["_models.ServicePrincipalPatchDefinition"] = None, + account_key: Optional[str] = None, + sas_token: Optional[str] = None, + managed_identity: Optional["_models.ManagedIdentityPatchDefinition"] = None, + local_auth_ref: Optional[str] = None, + **kwargs + ): + """ + :keyword url: The URL to sync for the flux configuration Azure Blob storage account. + :paramtype url: str + :keyword container_name: The Azure Blob container name to sync from the url endpoint for the + flux configuration. + :paramtype container_name: str + :keyword timeout_in_seconds: The maximum time to attempt to reconcile the cluster Azure Blob + source with the remote. + :paramtype timeout_in_seconds: int + :keyword sync_interval_in_seconds: The interval at which to re-reconcile the cluster Azure Blob + source with the remote. + :paramtype sync_interval_in_seconds: int + :keyword service_principal: Parameters to authenticate using Service Principal. + :paramtype service_principal: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ServicePrincipalPatchDefinition + :keyword account_key: The account key (shared key) to access the storage account. + :paramtype account_key: str + :keyword sas_token: The Shared Access token to access the storage container. + :paramtype sas_token: str + :keyword managed_identity: Parameters to authenticate using a Managed Identity. + :paramtype managed_identity: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ManagedIdentityPatchDefinition + :keyword local_auth_ref: Name of a local secret on the Kubernetes cluster to use as the + authentication secret rather than the managed or user-provided configuration secrets. + :paramtype local_auth_ref: str + """ + super().__init__(**kwargs) + self.url = url + self.container_name = container_name + self.timeout_in_seconds = timeout_in_seconds + self.sync_interval_in_seconds = sync_interval_in_seconds + self.service_principal = service_principal + self.account_key = account_key + self.sas_token = sas_token + self.managed_identity = managed_identity + self.local_auth_ref = local_auth_ref + + +class BucketDefinition(_serialization.Model): + """Parameters to reconcile to the Bucket source kind type. + + :ivar url: The URL to sync for the flux configuration S3 bucket. + :vartype url: str + :ivar bucket_name: The bucket name to sync from the url endpoint for the flux configuration. + :vartype bucket_name: str + :ivar insecure: Specify whether to use insecure communication when puling data from the S3 + bucket. + :vartype insecure: bool + :ivar timeout_in_seconds: The maximum time to attempt to reconcile the cluster bucket source + with the remote. + :vartype timeout_in_seconds: int + :ivar sync_interval_in_seconds: The interval at which to re-reconcile the cluster bucket source + with the remote. + :vartype sync_interval_in_seconds: int + :ivar access_key: Plaintext access key used to securely access the S3 bucket. + :vartype access_key: str + :ivar local_auth_ref: Name of a local secret on the Kubernetes cluster to use as the + authentication secret rather than the managed or user-provided configuration secrets. + :vartype local_auth_ref: str + """ + + _attribute_map = { + "url": {"key": "url", "type": "str"}, + "bucket_name": {"key": "bucketName", "type": "str"}, + "insecure": {"key": "insecure", "type": "bool"}, + "timeout_in_seconds": {"key": "timeoutInSeconds", "type": "int"}, + "sync_interval_in_seconds": {"key": "syncIntervalInSeconds", "type": "int"}, + "access_key": {"key": "accessKey", "type": "str"}, + "local_auth_ref": {"key": "localAuthRef", "type": "str"}, + } + + def __init__( + self, + *, + url: Optional[str] = None, + bucket_name: Optional[str] = None, + insecure: bool = True, + timeout_in_seconds: int = 600, + sync_interval_in_seconds: int = 600, + access_key: Optional[str] = None, + local_auth_ref: Optional[str] = None, + **kwargs + ): + """ + :keyword url: The URL to sync for the flux configuration S3 bucket. + :paramtype url: str + :keyword bucket_name: The bucket name to sync from the url endpoint for the flux configuration. + :paramtype bucket_name: str + :keyword insecure: Specify whether to use insecure communication when puling data from the S3 + bucket. + :paramtype insecure: bool + :keyword timeout_in_seconds: The maximum time to attempt to reconcile the cluster bucket source + with the remote. + :paramtype timeout_in_seconds: int + :keyword sync_interval_in_seconds: The interval at which to re-reconcile the cluster bucket + source with the remote. + :paramtype sync_interval_in_seconds: int + :keyword access_key: Plaintext access key used to securely access the S3 bucket. + :paramtype access_key: str + :keyword local_auth_ref: Name of a local secret on the Kubernetes cluster to use as the + authentication secret rather than the managed or user-provided configuration secrets. + :paramtype local_auth_ref: str + """ + super().__init__(**kwargs) + self.url = url + self.bucket_name = bucket_name + self.insecure = insecure + self.timeout_in_seconds = timeout_in_seconds + self.sync_interval_in_seconds = sync_interval_in_seconds + self.access_key = access_key + self.local_auth_ref = local_auth_ref + + +class BucketPatchDefinition(_serialization.Model): + """Parameters to reconcile to the Bucket source kind type. + + :ivar url: The URL to sync for the flux configuration S3 bucket. + :vartype url: str + :ivar bucket_name: The bucket name to sync from the url endpoint for the flux configuration. + :vartype bucket_name: str + :ivar insecure: Specify whether to use insecure communication when puling data from the S3 + bucket. + :vartype insecure: bool + :ivar timeout_in_seconds: The maximum time to attempt to reconcile the cluster bucket source + with the remote. + :vartype timeout_in_seconds: int + :ivar sync_interval_in_seconds: The interval at which to re-reconcile the cluster bucket source + with the remote. + :vartype sync_interval_in_seconds: int + :ivar access_key: Plaintext access key used to securely access the S3 bucket. + :vartype access_key: str + :ivar local_auth_ref: Name of a local secret on the Kubernetes cluster to use as the + authentication secret rather than the managed or user-provided configuration secrets. + :vartype local_auth_ref: str + """ + + _attribute_map = { + "url": {"key": "url", "type": "str"}, + "bucket_name": {"key": "bucketName", "type": "str"}, + "insecure": {"key": "insecure", "type": "bool"}, + "timeout_in_seconds": {"key": "timeoutInSeconds", "type": "int"}, + "sync_interval_in_seconds": {"key": "syncIntervalInSeconds", "type": "int"}, + "access_key": {"key": "accessKey", "type": "str"}, + "local_auth_ref": {"key": "localAuthRef", "type": "str"}, + } + + def __init__( + self, + *, + url: Optional[str] = None, + bucket_name: Optional[str] = None, + insecure: Optional[bool] = None, + timeout_in_seconds: Optional[int] = None, + sync_interval_in_seconds: Optional[int] = None, + access_key: Optional[str] = None, + local_auth_ref: Optional[str] = None, + **kwargs + ): + """ + :keyword url: The URL to sync for the flux configuration S3 bucket. + :paramtype url: str + :keyword bucket_name: The bucket name to sync from the url endpoint for the flux configuration. + :paramtype bucket_name: str + :keyword insecure: Specify whether to use insecure communication when puling data from the S3 + bucket. + :paramtype insecure: bool + :keyword timeout_in_seconds: The maximum time to attempt to reconcile the cluster bucket source + with the remote. + :paramtype timeout_in_seconds: int + :keyword sync_interval_in_seconds: The interval at which to re-reconcile the cluster bucket + source with the remote. + :paramtype sync_interval_in_seconds: int + :keyword access_key: Plaintext access key used to securely access the S3 bucket. + :paramtype access_key: str + :keyword local_auth_ref: Name of a local secret on the Kubernetes cluster to use as the + authentication secret rather than the managed or user-provided configuration secrets. + :paramtype local_auth_ref: str + """ + super().__init__(**kwargs) + self.url = url + self.bucket_name = bucket_name + self.insecure = insecure + self.timeout_in_seconds = timeout_in_seconds + self.sync_interval_in_seconds = sync_interval_in_seconds + self.access_key = access_key + self.local_auth_ref = local_auth_ref + + +class ComplianceStatus(_serialization.Model): + """Compliance Status details. + + Variables are only populated by the server, and will be ignored when sending a request. + + :ivar compliance_state: The compliance state of the configuration. Known values are: "Pending", + "Compliant", "Noncompliant", "Installed", and "Failed". + :vartype compliance_state: str or + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ComplianceStateType + :ivar last_config_applied: Datetime the configuration was last applied. + :vartype last_config_applied: ~datetime.datetime + :ivar message: Message from when the configuration was applied. + :vartype message: str + :ivar message_level: Level of the message. Known values are: "Error", "Warning", and + "Information". + :vartype message_level: str or + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.MessageLevelType + """ + + _validation = { + "compliance_state": {"readonly": True}, + } + + _attribute_map = { + "compliance_state": {"key": "complianceState", "type": "str"}, + "last_config_applied": {"key": "lastConfigApplied", "type": "iso-8601"}, + "message": {"key": "message", "type": "str"}, + "message_level": {"key": "messageLevel", "type": "str"}, + } + + def __init__( + self, + *, + last_config_applied: Optional[datetime.datetime] = None, + message: Optional[str] = None, + message_level: Optional[Union[str, "_models.MessageLevelType"]] = None, + **kwargs + ): + """ + :keyword last_config_applied: Datetime the configuration was last applied. + :paramtype last_config_applied: ~datetime.datetime + :keyword message: Message from when the configuration was applied. + :paramtype message: str + :keyword message_level: Level of the message. Known values are: "Error", "Warning", and + "Information". + :paramtype message_level: str or + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.MessageLevelType + """ + super().__init__(**kwargs) + self.compliance_state = None + self.last_config_applied = last_config_applied + self.message = message + self.message_level = message_level + + +class ErrorAdditionalInfo(_serialization.Model): + """The resource management error additional info. + + Variables are only populated by the server, and will be ignored when sending a request. + + :ivar type: The additional info type. + :vartype type: str + :ivar info: The additional info. + :vartype info: JSON + """ + + _validation = { + "type": {"readonly": True}, + "info": {"readonly": True}, + } + + _attribute_map = { + "type": {"key": "type", "type": "str"}, + "info": {"key": "info", "type": "object"}, + } + + def __init__(self, **kwargs): + """ """ + super().__init__(**kwargs) + self.type = None + self.info = None + + +class ErrorDetail(_serialization.Model): + """The error detail. + + Variables are only populated by the server, and will be ignored when sending a request. + + :ivar code: The error code. + :vartype code: str + :ivar message: The error message. + :vartype message: str + :ivar target: The error target. + :vartype target: str + :ivar details: The error details. + :vartype details: list[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ErrorDetail] + :ivar additional_info: The error additional info. + :vartype additional_info: + list[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ErrorAdditionalInfo] + """ + + _validation = { + "code": {"readonly": True}, + "message": {"readonly": True}, + "target": {"readonly": True}, + "details": {"readonly": True}, + "additional_info": {"readonly": True}, + } + + _attribute_map = { + "code": {"key": "code", "type": "str"}, + "message": {"key": "message", "type": "str"}, + "target": {"key": "target", "type": "str"}, + "details": {"key": "details", "type": "[ErrorDetail]"}, + "additional_info": {"key": "additionalInfo", "type": "[ErrorAdditionalInfo]"}, + } + + def __init__(self, **kwargs): + """ """ + super().__init__(**kwargs) + self.code = None + self.message = None + self.target = None + self.details = None + self.additional_info = None + + +class ErrorResponse(_serialization.Model): + """Common error response for all Azure Resource Manager APIs to return error details for failed operations. (This also follows the OData error response format.). + + :ivar error: The error object. + :vartype error: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ErrorDetail + """ + + _attribute_map = { + "error": {"key": "error", "type": "ErrorDetail"}, + } + + def __init__(self, *, error: Optional["_models.ErrorDetail"] = None, **kwargs): + """ + :keyword error: The error object. + :paramtype error: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ErrorDetail + """ + super().__init__(**kwargs) + self.error = error + + +class Resource(_serialization.Model): + """Common fields that are returned in the response for all Azure Resource Manager resources. + + Variables are only populated by the server, and will be ignored when sending a request. + + :ivar id: Fully qualified resource ID for the resource. Ex - + /subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{resourceProviderNamespace}/{resourceType}/{resourceName}. + :vartype id: str + :ivar name: The name of the resource. + :vartype name: str + :ivar type: The type of the resource. E.g. "Microsoft.Compute/virtualMachines" or + "Microsoft.Storage/storageAccounts". + :vartype type: str + """ + + _validation = { + "id": {"readonly": True}, + "name": {"readonly": True}, + "type": {"readonly": True}, + } + + _attribute_map = { + "id": {"key": "id", "type": "str"}, + "name": {"key": "name", "type": "str"}, + "type": {"key": "type", "type": "str"}, + } + + def __init__(self, **kwargs): + """ """ + super().__init__(**kwargs) + self.id = None + self.name = None + self.type = None + + +class ProxyResource(Resource): + """The resource model definition for a Azure Resource Manager proxy resource. It will not have tags and a location. + + Variables are only populated by the server, and will be ignored when sending a request. + + :ivar id: Fully qualified resource ID for the resource. Ex - + /subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{resourceProviderNamespace}/{resourceType}/{resourceName}. + :vartype id: str + :ivar name: The name of the resource. + :vartype name: str + :ivar type: The type of the resource. E.g. "Microsoft.Compute/virtualMachines" or + "Microsoft.Storage/storageAccounts". + :vartype type: str + """ + + _validation = { + "id": {"readonly": True}, + "name": {"readonly": True}, + "type": {"readonly": True}, + } + + _attribute_map = { + "id": {"key": "id", "type": "str"}, + "name": {"key": "name", "type": "str"}, + "type": {"key": "type", "type": "str"}, + } + + def __init__(self, **kwargs): + """ """ + super().__init__(**kwargs) + + +class Extension(ProxyResource): # pylint: disable=too-many-instance-attributes + """The Extension object. + + Variables are only populated by the server, and will be ignored when sending a request. + + :ivar id: Fully qualified resource ID for the resource. Ex - + /subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{resourceProviderNamespace}/{resourceType}/{resourceName}. + :vartype id: str + :ivar name: The name of the resource. + :vartype name: str + :ivar type: The type of the resource. E.g. "Microsoft.Compute/virtualMachines" or + "Microsoft.Storage/storageAccounts". + :vartype type: str + :ivar identity: Identity of the Extension resource. + :vartype identity: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.Identity + :ivar system_data: Top level metadata + https://github.com/Azure/azure-resource-manager-rpc/blob/master/v1.0/common-api-contracts.md#system-metadata-for-all-azure-resources. + :vartype system_data: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.SystemData + :ivar extension_type: Type of the Extension, of which this resource is an instance of. It must + be one of the Extension Types registered with Microsoft.KubernetesConfiguration by the + Extension publisher. + :vartype extension_type: str + :ivar auto_upgrade_minor_version: Flag to note if this extension participates in auto upgrade + of minor version, or not. + :vartype auto_upgrade_minor_version: bool + :ivar release_train: ReleaseTrain this extension participates in for auto-upgrade (e.g. Stable, + Preview, etc.) - only if autoUpgradeMinorVersion is 'true'. + :vartype release_train: str + :ivar version: User-specified version of the extension for this extension to 'pin'. To use + 'version', autoUpgradeMinorVersion must be 'false'. + :vartype version: str + :ivar scope: Scope at which the extension is installed. + :vartype scope: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.Scope + :ivar configuration_settings: Configuration settings, as name-value pairs for configuring this + extension. + :vartype configuration_settings: dict[str, str] + :ivar configuration_protected_settings: Configuration settings that are sensitive, as + name-value pairs for configuring this extension. + :vartype configuration_protected_settings: dict[str, str] + :ivar installed_version: Installed version of the extension. + :vartype installed_version: str + :ivar provisioning_state: Status of installation of this extension. Known values are: + "Succeeded", "Failed", "Canceled", "Creating", "Updating", and "Deleting". + :vartype provisioning_state: str or + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ProvisioningState + :ivar statuses: Status from this extension. + :vartype statuses: list[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ExtensionStatus] + :ivar error_info: Error information from the Agent - e.g. errors during installation. + :vartype error_info: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ErrorDetail + :ivar custom_location_settings: Custom Location settings properties. + :vartype custom_location_settings: dict[str, str] + :ivar package_uri: Uri of the Helm package. + :vartype package_uri: str + :ivar aks_assigned_identity: Identity of the Extension resource in an AKS cluster. + :vartype aks_assigned_identity: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ExtensionPropertiesAksAssignedIdentity + """ + + _validation = { + "id": {"readonly": True}, + "name": {"readonly": True}, + "type": {"readonly": True}, + "system_data": {"readonly": True}, + "installed_version": {"readonly": True}, + "provisioning_state": {"readonly": True}, + "error_info": {"readonly": True}, + "custom_location_settings": {"readonly": True}, + "package_uri": {"readonly": True}, + } + + _attribute_map = { + "id": {"key": "id", "type": "str"}, + "name": {"key": "name", "type": "str"}, + "type": {"key": "type", "type": "str"}, + "identity": {"key": "identity", "type": "Identity"}, + "system_data": {"key": "systemData", "type": "SystemData"}, + "extension_type": {"key": "properties.extensionType", "type": "str"}, + "auto_upgrade_minor_version": {"key": "properties.autoUpgradeMinorVersion", "type": "bool"}, + "release_train": {"key": "properties.releaseTrain", "type": "str"}, + "version": {"key": "properties.version", "type": "str"}, + "scope": {"key": "properties.scope", "type": "Scope"}, + "configuration_settings": {"key": "properties.configurationSettings", "type": "{str}"}, + "configuration_protected_settings": {"key": "properties.configurationProtectedSettings", "type": "{str}"}, + "installed_version": {"key": "properties.installedVersion", "type": "str"}, + "provisioning_state": {"key": "properties.provisioningState", "type": "str"}, + "statuses": {"key": "properties.statuses", "type": "[ExtensionStatus]"}, + "error_info": {"key": "properties.errorInfo", "type": "ErrorDetail"}, + "custom_location_settings": {"key": "properties.customLocationSettings", "type": "{str}"}, + "package_uri": {"key": "properties.packageUri", "type": "str"}, + "aks_assigned_identity": { + "key": "properties.aksAssignedIdentity", + "type": "ExtensionPropertiesAksAssignedIdentity", + }, + } + + def __init__( + self, + *, + identity: Optional["_models.Identity"] = None, + extension_type: Optional[str] = None, + auto_upgrade_minor_version: bool = True, + release_train: str = "Stable", + version: Optional[str] = None, + scope: Optional["_models.Scope"] = None, + configuration_settings: Optional[Dict[str, str]] = None, + configuration_protected_settings: Optional[Dict[str, str]] = None, + statuses: Optional[List["_models.ExtensionStatus"]] = None, + aks_assigned_identity: Optional["_models.ExtensionPropertiesAksAssignedIdentity"] = None, + **kwargs + ): + """ + :keyword identity: Identity of the Extension resource. + :paramtype identity: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.Identity + :keyword extension_type: Type of the Extension, of which this resource is an instance of. It + must be one of the Extension Types registered with Microsoft.KubernetesConfiguration by the + Extension publisher. + :paramtype extension_type: str + :keyword auto_upgrade_minor_version: Flag to note if this extension participates in auto + upgrade of minor version, or not. + :paramtype auto_upgrade_minor_version: bool + :keyword release_train: ReleaseTrain this extension participates in for auto-upgrade (e.g. + Stable, Preview, etc.) - only if autoUpgradeMinorVersion is 'true'. + :paramtype release_train: str + :keyword version: User-specified version of the extension for this extension to 'pin'. To use + 'version', autoUpgradeMinorVersion must be 'false'. + :paramtype version: str + :keyword scope: Scope at which the extension is installed. + :paramtype scope: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.Scope + :keyword configuration_settings: Configuration settings, as name-value pairs for configuring + this extension. + :paramtype configuration_settings: dict[str, str] + :keyword configuration_protected_settings: Configuration settings that are sensitive, as + name-value pairs for configuring this extension. + :paramtype configuration_protected_settings: dict[str, str] + :keyword statuses: Status from this extension. + :paramtype statuses: + list[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ExtensionStatus] + :keyword aks_assigned_identity: Identity of the Extension resource in an AKS cluster. + :paramtype aks_assigned_identity: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ExtensionPropertiesAksAssignedIdentity + """ + super().__init__(**kwargs) + self.identity = identity + self.system_data = None + self.extension_type = extension_type + self.auto_upgrade_minor_version = auto_upgrade_minor_version + self.release_train = release_train + self.version = version + self.scope = scope + self.configuration_settings = configuration_settings + self.configuration_protected_settings = configuration_protected_settings + self.installed_version = None + self.provisioning_state = None + self.statuses = statuses + self.error_info = None + self.custom_location_settings = None + self.package_uri = None + self.aks_assigned_identity = aks_assigned_identity + + +class ExtensionPropertiesAksAssignedIdentity(_serialization.Model): + """Identity of the Extension resource in an AKS cluster. + + Variables are only populated by the server, and will be ignored when sending a request. + + :ivar principal_id: The principal ID of resource identity. + :vartype principal_id: str + :ivar tenant_id: The tenant ID of resource. + :vartype tenant_id: str + :ivar type: The identity type. Known values are: "SystemAssigned" and "UserAssigned". + :vartype type: str or ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.AKSIdentityType + """ + + _validation = { + "principal_id": {"readonly": True}, + "tenant_id": {"readonly": True}, + } + + _attribute_map = { + "principal_id": {"key": "principalId", "type": "str"}, + "tenant_id": {"key": "tenantId", "type": "str"}, + "type": {"key": "type", "type": "str"}, + } + + def __init__(self, *, type: Optional[Union[str, "_models.AKSIdentityType"]] = None, **kwargs): + """ + :keyword type: The identity type. Known values are: "SystemAssigned" and "UserAssigned". + :paramtype type: str or ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.AKSIdentityType + """ + super().__init__(**kwargs) + self.principal_id = None + self.tenant_id = None + self.type = type + + +class ExtensionsList(_serialization.Model): + """Result of the request to list Extensions. It contains a list of Extension objects and a URL link to get the next set of results. + + Variables are only populated by the server, and will be ignored when sending a request. + + :ivar value: List of Extensions within a Kubernetes cluster. + :vartype value: list[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.Extension] + :ivar next_link: URL to get the next set of extension objects, if any. + :vartype next_link: str + """ + + _validation = { + "value": {"readonly": True}, + "next_link": {"readonly": True}, + } + + _attribute_map = { + "value": {"key": "value", "type": "[Extension]"}, + "next_link": {"key": "nextLink", "type": "str"}, + } + + def __init__(self, **kwargs): + """ """ + super().__init__(**kwargs) + self.value = None + self.next_link = None + + +class ExtensionStatus(_serialization.Model): + """Status from the extension. + + :ivar code: Status code provided by the Extension. + :vartype code: str + :ivar display_status: Short description of status of the extension. + :vartype display_status: str + :ivar level: Level of the status. Known values are: "Error", "Warning", and "Information". + :vartype level: str or ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.LevelType + :ivar message: Detailed message of the status from the Extension. + :vartype message: str + :ivar time: DateLiteral (per ISO8601) noting the time of installation status. + :vartype time: str + """ + + _attribute_map = { + "code": {"key": "code", "type": "str"}, + "display_status": {"key": "displayStatus", "type": "str"}, + "level": {"key": "level", "type": "str"}, + "message": {"key": "message", "type": "str"}, + "time": {"key": "time", "type": "str"}, + } + + def __init__( + self, + *, + code: Optional[str] = None, + display_status: Optional[str] = None, + level: Union[str, "_models.LevelType"] = "Information", + message: Optional[str] = None, + time: Optional[str] = None, + **kwargs + ): + """ + :keyword code: Status code provided by the Extension. + :paramtype code: str + :keyword display_status: Short description of status of the extension. + :paramtype display_status: str + :keyword level: Level of the status. Known values are: "Error", "Warning", and "Information". + :paramtype level: str or ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.LevelType + :keyword message: Detailed message of the status from the Extension. + :paramtype message: str + :keyword time: DateLiteral (per ISO8601) noting the time of installation status. + :paramtype time: str + """ + super().__init__(**kwargs) + self.code = code + self.display_status = display_status + self.level = level + self.message = message + self.time = time + + +class FluxConfiguration(ProxyResource): # pylint: disable=too-many-instance-attributes + """The Flux Configuration object returned in Get & Put response. + + Variables are only populated by the server, and will be ignored when sending a request. + + :ivar id: Fully qualified resource ID for the resource. Ex - + /subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{resourceProviderNamespace}/{resourceType}/{resourceName}. + :vartype id: str + :ivar name: The name of the resource. + :vartype name: str + :ivar type: The type of the resource. E.g. "Microsoft.Compute/virtualMachines" or + "Microsoft.Storage/storageAccounts". + :vartype type: str + :ivar system_data: Top level metadata + https://github.com/Azure/azure-resource-manager-rpc/blob/master/v1.0/common-api-contracts.md#system-metadata-for-all-azure-resources. + :vartype system_data: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.SystemData + :ivar scope: Scope at which the operator will be installed. Known values are: "cluster" and + "namespace". + :vartype scope: str or ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ScopeType + :ivar namespace: The namespace to which this configuration is installed to. Maximum of 253 + lower case alphanumeric characters, hyphen and period only. + :vartype namespace: str + :ivar source_kind: Source Kind to pull the configuration data from. Known values are: + "GitRepository", "Bucket", and "AzureBlob". + :vartype source_kind: str or + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.SourceKindType + :ivar suspend: Whether this configuration should suspend its reconciliation of its + kustomizations and sources. + :vartype suspend: bool + :ivar git_repository: Parameters to reconcile to the GitRepository source kind type. + :vartype git_repository: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.GitRepositoryDefinition + :ivar bucket: Parameters to reconcile to the Bucket source kind type. + :vartype bucket: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.BucketDefinition + :ivar azure_blob: Parameters to reconcile to the AzureBlob source kind type. + :vartype azure_blob: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.AzureBlobDefinition + :ivar kustomizations: Array of kustomizations used to reconcile the artifact pulled by the + source type on the cluster. + :vartype kustomizations: dict[str, + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.KustomizationDefinition] + :ivar configuration_protected_settings: Key-value pairs of protected configuration settings for + the configuration. + :vartype configuration_protected_settings: dict[str, str] + :ivar statuses: Statuses of the Flux Kubernetes resources created by the fluxConfiguration or + created by the managed objects provisioned by the fluxConfiguration. + :vartype statuses: + list[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ObjectStatusDefinition] + :ivar repository_public_key: Public Key associated with this fluxConfiguration (either + generated within the cluster or provided by the user). + :vartype repository_public_key: str + :ivar source_synced_commit_id: Branch and/or SHA of the source commit synced with the cluster. + :vartype source_synced_commit_id: str + :ivar source_updated_at: Datetime the fluxConfiguration synced its source on the cluster. + :vartype source_updated_at: ~datetime.datetime + :ivar status_updated_at: Datetime the fluxConfiguration synced its status on the cluster with + Azure. + :vartype status_updated_at: ~datetime.datetime + :ivar compliance_state: Combined status of the Flux Kubernetes resources created by the + fluxConfiguration or created by the managed objects. Known values are: "Compliant", + "Non-Compliant", "Pending", "Suspended", and "Unknown". + :vartype compliance_state: str or + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.FluxComplianceState + :ivar provisioning_state: Status of the creation of the fluxConfiguration. Known values are: + "Succeeded", "Failed", "Canceled", "Creating", "Updating", and "Deleting". + :vartype provisioning_state: str or + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ProvisioningState + :ivar error_message: Error message returned to the user in the case of provisioning failure. + :vartype error_message: str + """ + + _validation = { + "id": {"readonly": True}, + "name": {"readonly": True}, + "type": {"readonly": True}, + "system_data": {"readonly": True}, + "statuses": {"readonly": True}, + "repository_public_key": {"readonly": True}, + "source_synced_commit_id": {"readonly": True}, + "source_updated_at": {"readonly": True}, + "status_updated_at": {"readonly": True}, + "compliance_state": {"readonly": True}, + "provisioning_state": {"readonly": True}, + "error_message": {"readonly": True}, + } + + _attribute_map = { + "id": {"key": "id", "type": "str"}, + "name": {"key": "name", "type": "str"}, + "type": {"key": "type", "type": "str"}, + "system_data": {"key": "systemData", "type": "SystemData"}, + "scope": {"key": "properties.scope", "type": "str"}, + "namespace": {"key": "properties.namespace", "type": "str"}, + "source_kind": {"key": "properties.sourceKind", "type": "str"}, + "suspend": {"key": "properties.suspend", "type": "bool"}, + "git_repository": {"key": "properties.gitRepository", "type": "GitRepositoryDefinition"}, + "bucket": {"key": "properties.bucket", "type": "BucketDefinition"}, + "azure_blob": {"key": "properties.azureBlob", "type": "AzureBlobDefinition"}, + "kustomizations": {"key": "properties.kustomizations", "type": "{KustomizationDefinition}"}, + "configuration_protected_settings": {"key": "properties.configurationProtectedSettings", "type": "{str}"}, + "statuses": {"key": "properties.statuses", "type": "[ObjectStatusDefinition]"}, + "repository_public_key": {"key": "properties.repositoryPublicKey", "type": "str"}, + "source_synced_commit_id": {"key": "properties.sourceSyncedCommitId", "type": "str"}, + "source_updated_at": {"key": "properties.sourceUpdatedAt", "type": "iso-8601"}, + "status_updated_at": {"key": "properties.statusUpdatedAt", "type": "iso-8601"}, + "compliance_state": {"key": "properties.complianceState", "type": "str"}, + "provisioning_state": {"key": "properties.provisioningState", "type": "str"}, + "error_message": {"key": "properties.errorMessage", "type": "str"}, + } + + def __init__( + self, + *, + scope: Union[str, "_models.ScopeType"] = "cluster", + namespace: str = "default", + source_kind: Optional[Union[str, "_models.SourceKindType"]] = None, + suspend: bool = False, + git_repository: Optional["_models.GitRepositoryDefinition"] = None, + bucket: Optional["_models.BucketDefinition"] = None, + azure_blob: Optional["_models.AzureBlobDefinition"] = None, + kustomizations: Optional[Dict[str, "_models.KustomizationDefinition"]] = None, + configuration_protected_settings: Optional[Dict[str, str]] = None, + **kwargs + ): + """ + :keyword scope: Scope at which the operator will be installed. Known values are: "cluster" and + "namespace". + :paramtype scope: str or ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ScopeType + :keyword namespace: The namespace to which this configuration is installed to. Maximum of 253 + lower case alphanumeric characters, hyphen and period only. + :paramtype namespace: str + :keyword source_kind: Source Kind to pull the configuration data from. Known values are: + "GitRepository", "Bucket", and "AzureBlob". + :paramtype source_kind: str or + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.SourceKindType + :keyword suspend: Whether this configuration should suspend its reconciliation of its + kustomizations and sources. + :paramtype suspend: bool + :keyword git_repository: Parameters to reconcile to the GitRepository source kind type. + :paramtype git_repository: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.GitRepositoryDefinition + :keyword bucket: Parameters to reconcile to the Bucket source kind type. + :paramtype bucket: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.BucketDefinition + :keyword azure_blob: Parameters to reconcile to the AzureBlob source kind type. + :paramtype azure_blob: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.AzureBlobDefinition + :keyword kustomizations: Array of kustomizations used to reconcile the artifact pulled by the + source type on the cluster. + :paramtype kustomizations: dict[str, + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.KustomizationDefinition] + :keyword configuration_protected_settings: Key-value pairs of protected configuration settings + for the configuration. + :paramtype configuration_protected_settings: dict[str, str] + """ + super().__init__(**kwargs) + self.system_data = None + self.scope = scope + self.namespace = namespace + self.source_kind = source_kind + self.suspend = suspend + self.git_repository = git_repository + self.bucket = bucket + self.azure_blob = azure_blob + self.kustomizations = kustomizations + self.configuration_protected_settings = configuration_protected_settings + self.statuses = None + self.repository_public_key = None + self.source_synced_commit_id = None + self.source_updated_at = None + self.status_updated_at = None + self.compliance_state = None + self.provisioning_state = None + self.error_message = None + + +class FluxConfigurationPatch(_serialization.Model): + """The Flux Configuration Patch Request object. + + :ivar source_kind: Source Kind to pull the configuration data from. Known values are: + "GitRepository", "Bucket", and "AzureBlob". + :vartype source_kind: str or + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.SourceKindType + :ivar suspend: Whether this configuration should suspend its reconciliation of its + kustomizations and sources. + :vartype suspend: bool + :ivar git_repository: Parameters to reconcile to the GitRepository source kind type. + :vartype git_repository: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.GitRepositoryPatchDefinition + :ivar bucket: Parameters to reconcile to the Bucket source kind type. + :vartype bucket: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.BucketPatchDefinition + :ivar azure_blob: Parameters to reconcile to the AzureBlob source kind type. + :vartype azure_blob: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.AzureBlobPatchDefinition + :ivar kustomizations: Array of kustomizations used to reconcile the artifact pulled by the + source type on the cluster. + :vartype kustomizations: dict[str, + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.KustomizationPatchDefinition] + :ivar configuration_protected_settings: Key-value pairs of protected configuration settings for + the configuration. + :vartype configuration_protected_settings: dict[str, str] + """ + + _attribute_map = { + "source_kind": {"key": "properties.sourceKind", "type": "str"}, + "suspend": {"key": "properties.suspend", "type": "bool"}, + "git_repository": {"key": "properties.gitRepository", "type": "GitRepositoryPatchDefinition"}, + "bucket": {"key": "properties.bucket", "type": "BucketPatchDefinition"}, + "azure_blob": {"key": "properties.azureBlob", "type": "AzureBlobPatchDefinition"}, + "kustomizations": {"key": "properties.kustomizations", "type": "{KustomizationPatchDefinition}"}, + "configuration_protected_settings": {"key": "properties.configurationProtectedSettings", "type": "{str}"}, + } + + def __init__( + self, + *, + source_kind: Optional[Union[str, "_models.SourceKindType"]] = None, + suspend: Optional[bool] = None, + git_repository: Optional["_models.GitRepositoryPatchDefinition"] = None, + bucket: Optional["_models.BucketPatchDefinition"] = None, + azure_blob: Optional["_models.AzureBlobPatchDefinition"] = None, + kustomizations: Optional[Dict[str, "_models.KustomizationPatchDefinition"]] = None, + configuration_protected_settings: Optional[Dict[str, str]] = None, + **kwargs + ): + """ + :keyword source_kind: Source Kind to pull the configuration data from. Known values are: + "GitRepository", "Bucket", and "AzureBlob". + :paramtype source_kind: str or + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.SourceKindType + :keyword suspend: Whether this configuration should suspend its reconciliation of its + kustomizations and sources. + :paramtype suspend: bool + :keyword git_repository: Parameters to reconcile to the GitRepository source kind type. + :paramtype git_repository: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.GitRepositoryPatchDefinition + :keyword bucket: Parameters to reconcile to the Bucket source kind type. + :paramtype bucket: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.BucketPatchDefinition + :keyword azure_blob: Parameters to reconcile to the AzureBlob source kind type. + :paramtype azure_blob: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.AzureBlobPatchDefinition + :keyword kustomizations: Array of kustomizations used to reconcile the artifact pulled by the + source type on the cluster. + :paramtype kustomizations: dict[str, + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.KustomizationPatchDefinition] + :keyword configuration_protected_settings: Key-value pairs of protected configuration settings + for the configuration. + :paramtype configuration_protected_settings: dict[str, str] + """ + super().__init__(**kwargs) + self.source_kind = source_kind + self.suspend = suspend + self.git_repository = git_repository + self.bucket = bucket + self.azure_blob = azure_blob + self.kustomizations = kustomizations + self.configuration_protected_settings = configuration_protected_settings + + +class FluxConfigurationsList(_serialization.Model): + """Result of the request to list Flux Configurations. It contains a list of FluxConfiguration objects and a URL link to get the next set of results. + + Variables are only populated by the server, and will be ignored when sending a request. + + :ivar value: List of Flux Configurations within a Kubernetes cluster. + :vartype value: list[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.FluxConfiguration] + :ivar next_link: URL to get the next set of configuration objects, if any. + :vartype next_link: str + """ + + _validation = { + "value": {"readonly": True}, + "next_link": {"readonly": True}, + } + + _attribute_map = { + "value": {"key": "value", "type": "[FluxConfiguration]"}, + "next_link": {"key": "nextLink", "type": "str"}, + } + + def __init__(self, **kwargs): + """ """ + super().__init__(**kwargs) + self.value = None + self.next_link = None + + +class GitRepositoryDefinition(_serialization.Model): + """Parameters to reconcile to the GitRepository source kind type. + + :ivar url: The URL to sync for the flux configuration git repository. + :vartype url: str + :ivar timeout_in_seconds: The maximum time to attempt to reconcile the cluster git repository + source with the remote. + :vartype timeout_in_seconds: int + :ivar sync_interval_in_seconds: The interval at which to re-reconcile the cluster git + repository source with the remote. + :vartype sync_interval_in_seconds: int + :ivar repository_ref: The source reference for the GitRepository object. + :vartype repository_ref: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.RepositoryRefDefinition + :ivar ssh_known_hosts: Base64-encoded known_hosts value containing public SSH keys required to + access private git repositories over SSH. + :vartype ssh_known_hosts: str + :ivar https_user: Plaintext HTTPS username used to access private git repositories over HTTPS. + :vartype https_user: str + :ivar https_ca_cert: Base64-encoded HTTPS certificate authority contents used to access git + private git repositories over HTTPS. + :vartype https_ca_cert: str + :ivar local_auth_ref: Name of a local secret on the Kubernetes cluster to use as the + authentication secret rather than the managed or user-provided configuration secrets. + :vartype local_auth_ref: str + """ + + _attribute_map = { + "url": {"key": "url", "type": "str"}, + "timeout_in_seconds": {"key": "timeoutInSeconds", "type": "int"}, + "sync_interval_in_seconds": {"key": "syncIntervalInSeconds", "type": "int"}, + "repository_ref": {"key": "repositoryRef", "type": "RepositoryRefDefinition"}, + "ssh_known_hosts": {"key": "sshKnownHosts", "type": "str"}, + "https_user": {"key": "httpsUser", "type": "str"}, + "https_ca_cert": {"key": "httpsCACert", "type": "str"}, + "local_auth_ref": {"key": "localAuthRef", "type": "str"}, + } + + def __init__( + self, + *, + url: Optional[str] = None, + timeout_in_seconds: int = 600, + sync_interval_in_seconds: int = 600, + repository_ref: Optional["_models.RepositoryRefDefinition"] = None, + ssh_known_hosts: Optional[str] = None, + https_user: Optional[str] = None, + https_ca_cert: Optional[str] = None, + local_auth_ref: Optional[str] = None, + **kwargs + ): + """ + :keyword url: The URL to sync for the flux configuration git repository. + :paramtype url: str + :keyword timeout_in_seconds: The maximum time to attempt to reconcile the cluster git + repository source with the remote. + :paramtype timeout_in_seconds: int + :keyword sync_interval_in_seconds: The interval at which to re-reconcile the cluster git + repository source with the remote. + :paramtype sync_interval_in_seconds: int + :keyword repository_ref: The source reference for the GitRepository object. + :paramtype repository_ref: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.RepositoryRefDefinition + :keyword ssh_known_hosts: Base64-encoded known_hosts value containing public SSH keys required + to access private git repositories over SSH. + :paramtype ssh_known_hosts: str + :keyword https_user: Plaintext HTTPS username used to access private git repositories over + HTTPS. + :paramtype https_user: str + :keyword https_ca_cert: Base64-encoded HTTPS certificate authority contents used to access git + private git repositories over HTTPS. + :paramtype https_ca_cert: str + :keyword local_auth_ref: Name of a local secret on the Kubernetes cluster to use as the + authentication secret rather than the managed or user-provided configuration secrets. + :paramtype local_auth_ref: str + """ + super().__init__(**kwargs) + self.url = url + self.timeout_in_seconds = timeout_in_seconds + self.sync_interval_in_seconds = sync_interval_in_seconds + self.repository_ref = repository_ref + self.ssh_known_hosts = ssh_known_hosts + self.https_user = https_user + self.https_ca_cert = https_ca_cert + self.local_auth_ref = local_auth_ref + + +class GitRepositoryPatchDefinition(_serialization.Model): + """Parameters to reconcile to the GitRepository source kind type. + + :ivar url: The URL to sync for the flux configuration git repository. + :vartype url: str + :ivar timeout_in_seconds: The maximum time to attempt to reconcile the cluster git repository + source with the remote. + :vartype timeout_in_seconds: int + :ivar sync_interval_in_seconds: The interval at which to re-reconcile the cluster git + repository source with the remote. + :vartype sync_interval_in_seconds: int + :ivar repository_ref: The source reference for the GitRepository object. + :vartype repository_ref: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.RepositoryRefDefinition + :ivar ssh_known_hosts: Base64-encoded known_hosts value containing public SSH keys required to + access private git repositories over SSH. + :vartype ssh_known_hosts: str + :ivar https_user: Plaintext HTTPS username used to access private git repositories over HTTPS. + :vartype https_user: str + :ivar https_ca_cert: Base64-encoded HTTPS certificate authority contents used to access git + private git repositories over HTTPS. + :vartype https_ca_cert: str + :ivar local_auth_ref: Name of a local secret on the Kubernetes cluster to use as the + authentication secret rather than the managed or user-provided configuration secrets. + :vartype local_auth_ref: str + """ + + _attribute_map = { + "url": {"key": "url", "type": "str"}, + "timeout_in_seconds": {"key": "timeoutInSeconds", "type": "int"}, + "sync_interval_in_seconds": {"key": "syncIntervalInSeconds", "type": "int"}, + "repository_ref": {"key": "repositoryRef", "type": "RepositoryRefDefinition"}, + "ssh_known_hosts": {"key": "sshKnownHosts", "type": "str"}, + "https_user": {"key": "httpsUser", "type": "str"}, + "https_ca_cert": {"key": "httpsCACert", "type": "str"}, + "local_auth_ref": {"key": "localAuthRef", "type": "str"}, + } + + def __init__( + self, + *, + url: Optional[str] = None, + timeout_in_seconds: Optional[int] = None, + sync_interval_in_seconds: Optional[int] = None, + repository_ref: Optional["_models.RepositoryRefDefinition"] = None, + ssh_known_hosts: Optional[str] = None, + https_user: Optional[str] = None, + https_ca_cert: Optional[str] = None, + local_auth_ref: Optional[str] = None, + **kwargs + ): + """ + :keyword url: The URL to sync for the flux configuration git repository. + :paramtype url: str + :keyword timeout_in_seconds: The maximum time to attempt to reconcile the cluster git + repository source with the remote. + :paramtype timeout_in_seconds: int + :keyword sync_interval_in_seconds: The interval at which to re-reconcile the cluster git + repository source with the remote. + :paramtype sync_interval_in_seconds: int + :keyword repository_ref: The source reference for the GitRepository object. + :paramtype repository_ref: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.RepositoryRefDefinition + :keyword ssh_known_hosts: Base64-encoded known_hosts value containing public SSH keys required + to access private git repositories over SSH. + :paramtype ssh_known_hosts: str + :keyword https_user: Plaintext HTTPS username used to access private git repositories over + HTTPS. + :paramtype https_user: str + :keyword https_ca_cert: Base64-encoded HTTPS certificate authority contents used to access git + private git repositories over HTTPS. + :paramtype https_ca_cert: str + :keyword local_auth_ref: Name of a local secret on the Kubernetes cluster to use as the + authentication secret rather than the managed or user-provided configuration secrets. + :paramtype local_auth_ref: str + """ + super().__init__(**kwargs) + self.url = url + self.timeout_in_seconds = timeout_in_seconds + self.sync_interval_in_seconds = sync_interval_in_seconds + self.repository_ref = repository_ref + self.ssh_known_hosts = ssh_known_hosts + self.https_user = https_user + self.https_ca_cert = https_ca_cert + self.local_auth_ref = local_auth_ref + + +class HelmOperatorProperties(_serialization.Model): + """Properties for Helm operator. + + :ivar chart_version: Version of the operator Helm chart. + :vartype chart_version: str + :ivar chart_values: Values override for the operator Helm chart. + :vartype chart_values: str + """ + + _attribute_map = { + "chart_version": {"key": "chartVersion", "type": "str"}, + "chart_values": {"key": "chartValues", "type": "str"}, + } + + def __init__(self, *, chart_version: Optional[str] = None, chart_values: Optional[str] = None, **kwargs): + """ + :keyword chart_version: Version of the operator Helm chart. + :paramtype chart_version: str + :keyword chart_values: Values override for the operator Helm chart. + :paramtype chart_values: str + """ + super().__init__(**kwargs) + self.chart_version = chart_version + self.chart_values = chart_values + + +class HelmReleasePropertiesDefinition(_serialization.Model): + """Properties for HelmRelease objects. + + :ivar last_revision_applied: The revision number of the last released object change. + :vartype last_revision_applied: int + :ivar helm_chart_ref: The reference to the HelmChart object used as the source to this + HelmRelease. + :vartype helm_chart_ref: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ObjectReferenceDefinition + :ivar failure_count: Total number of times that the HelmRelease failed to install or upgrade. + :vartype failure_count: int + :ivar install_failure_count: Number of times that the HelmRelease failed to install. + :vartype install_failure_count: int + :ivar upgrade_failure_count: Number of times that the HelmRelease failed to upgrade. + :vartype upgrade_failure_count: int + """ + + _attribute_map = { + "last_revision_applied": {"key": "lastRevisionApplied", "type": "int"}, + "helm_chart_ref": {"key": "helmChartRef", "type": "ObjectReferenceDefinition"}, + "failure_count": {"key": "failureCount", "type": "int"}, + "install_failure_count": {"key": "installFailureCount", "type": "int"}, + "upgrade_failure_count": {"key": "upgradeFailureCount", "type": "int"}, + } + + def __init__( + self, + *, + last_revision_applied: Optional[int] = None, + helm_chart_ref: Optional["_models.ObjectReferenceDefinition"] = None, + failure_count: Optional[int] = None, + install_failure_count: Optional[int] = None, + upgrade_failure_count: Optional[int] = None, + **kwargs + ): + """ + :keyword last_revision_applied: The revision number of the last released object change. + :paramtype last_revision_applied: int + :keyword helm_chart_ref: The reference to the HelmChart object used as the source to this + HelmRelease. + :paramtype helm_chart_ref: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ObjectReferenceDefinition + :keyword failure_count: Total number of times that the HelmRelease failed to install or + upgrade. + :paramtype failure_count: int + :keyword install_failure_count: Number of times that the HelmRelease failed to install. + :paramtype install_failure_count: int + :keyword upgrade_failure_count: Number of times that the HelmRelease failed to upgrade. + :paramtype upgrade_failure_count: int + """ + super().__init__(**kwargs) + self.last_revision_applied = last_revision_applied + self.helm_chart_ref = helm_chart_ref + self.failure_count = failure_count + self.install_failure_count = install_failure_count + self.upgrade_failure_count = upgrade_failure_count + + +class Identity(_serialization.Model): + """Identity for the resource. + + Variables are only populated by the server, and will be ignored when sending a request. + + :ivar principal_id: The principal ID of resource identity. + :vartype principal_id: str + :ivar tenant_id: The tenant ID of resource. + :vartype tenant_id: str + :ivar type: The identity type. Default value is "SystemAssigned". + :vartype type: str + """ + + _validation = { + "principal_id": {"readonly": True}, + "tenant_id": {"readonly": True}, + } + + _attribute_map = { + "principal_id": {"key": "principalId", "type": "str"}, + "tenant_id": {"key": "tenantId", "type": "str"}, + "type": {"key": "type", "type": "str"}, + } + + def __init__(self, *, type: Optional[Literal["SystemAssigned"]] = None, **kwargs): + """ + :keyword type: The identity type. Default value is "SystemAssigned". + :paramtype type: str + """ + super().__init__(**kwargs) + self.principal_id = None + self.tenant_id = None + self.type = type + + +class KustomizationDefinition(_serialization.Model): + """The Kustomization defining how to reconcile the artifact pulled by the source type on the cluster. + + Variables are only populated by the server, and will be ignored when sending a request. + + :ivar name: Name of the Kustomization, matching the key in the Kustomizations object map. + :vartype name: str + :ivar path: The path in the source reference to reconcile on the cluster. + :vartype path: str + :ivar depends_on: Specifies other Kustomizations that this Kustomization depends on. This + Kustomization will not reconcile until all dependencies have completed their reconciliation. + :vartype depends_on: list[str] + :ivar timeout_in_seconds: The maximum time to attempt to reconcile the Kustomization on the + cluster. + :vartype timeout_in_seconds: int + :ivar sync_interval_in_seconds: The interval at which to re-reconcile the Kustomization on the + cluster. + :vartype sync_interval_in_seconds: int + :ivar retry_interval_in_seconds: The interval at which to re-reconcile the Kustomization on the + cluster in the event of failure on reconciliation. + :vartype retry_interval_in_seconds: int + :ivar prune: Enable/disable garbage collections of Kubernetes objects created by this + Kustomization. + :vartype prune: bool + :ivar force: Enable/disable re-creating Kubernetes resources on the cluster when patching fails + due to an immutable field change. + :vartype force: bool + """ + + _validation = { + "name": {"readonly": True}, + } + + _attribute_map = { + "name": {"key": "name", "type": "str"}, + "path": {"key": "path", "type": "str"}, + "depends_on": {"key": "dependsOn", "type": "[str]"}, + "timeout_in_seconds": {"key": "timeoutInSeconds", "type": "int"}, + "sync_interval_in_seconds": {"key": "syncIntervalInSeconds", "type": "int"}, + "retry_interval_in_seconds": {"key": "retryIntervalInSeconds", "type": "int"}, + "prune": {"key": "prune", "type": "bool"}, + "force": {"key": "force", "type": "bool"}, + } + + def __init__( + self, + *, + path: str = "", + depends_on: Optional[List[str]] = None, + timeout_in_seconds: int = 600, + sync_interval_in_seconds: int = 600, + retry_interval_in_seconds: Optional[int] = None, + prune: bool = False, + force: bool = False, + **kwargs + ): + """ + :keyword path: The path in the source reference to reconcile on the cluster. + :paramtype path: str + :keyword depends_on: Specifies other Kustomizations that this Kustomization depends on. This + Kustomization will not reconcile until all dependencies have completed their reconciliation. + :paramtype depends_on: list[str] + :keyword timeout_in_seconds: The maximum time to attempt to reconcile the Kustomization on the + cluster. + :paramtype timeout_in_seconds: int + :keyword sync_interval_in_seconds: The interval at which to re-reconcile the Kustomization on + the cluster. + :paramtype sync_interval_in_seconds: int + :keyword retry_interval_in_seconds: The interval at which to re-reconcile the Kustomization on + the cluster in the event of failure on reconciliation. + :paramtype retry_interval_in_seconds: int + :keyword prune: Enable/disable garbage collections of Kubernetes objects created by this + Kustomization. + :paramtype prune: bool + :keyword force: Enable/disable re-creating Kubernetes resources on the cluster when patching + fails due to an immutable field change. + :paramtype force: bool + """ + super().__init__(**kwargs) + self.name = None + self.path = path + self.depends_on = depends_on + self.timeout_in_seconds = timeout_in_seconds + self.sync_interval_in_seconds = sync_interval_in_seconds + self.retry_interval_in_seconds = retry_interval_in_seconds + self.prune = prune + self.force = force + + +class KustomizationPatchDefinition(_serialization.Model): + """The Kustomization defining how to reconcile the artifact pulled by the source type on the cluster. + + :ivar path: The path in the source reference to reconcile on the cluster. + :vartype path: str + :ivar depends_on: Specifies other Kustomizations that this Kustomization depends on. This + Kustomization will not reconcile until all dependencies have completed their reconciliation. + :vartype depends_on: list[str] + :ivar timeout_in_seconds: The maximum time to attempt to reconcile the Kustomization on the + cluster. + :vartype timeout_in_seconds: int + :ivar sync_interval_in_seconds: The interval at which to re-reconcile the Kustomization on the + cluster. + :vartype sync_interval_in_seconds: int + :ivar retry_interval_in_seconds: The interval at which to re-reconcile the Kustomization on the + cluster in the event of failure on reconciliation. + :vartype retry_interval_in_seconds: int + :ivar prune: Enable/disable garbage collections of Kubernetes objects created by this + Kustomization. + :vartype prune: bool + :ivar force: Enable/disable re-creating Kubernetes resources on the cluster when patching fails + due to an immutable field change. + :vartype force: bool + """ + + _attribute_map = { + "path": {"key": "path", "type": "str"}, + "depends_on": {"key": "dependsOn", "type": "[str]"}, + "timeout_in_seconds": {"key": "timeoutInSeconds", "type": "int"}, + "sync_interval_in_seconds": {"key": "syncIntervalInSeconds", "type": "int"}, + "retry_interval_in_seconds": {"key": "retryIntervalInSeconds", "type": "int"}, + "prune": {"key": "prune", "type": "bool"}, + "force": {"key": "force", "type": "bool"}, + } + + def __init__( + self, + *, + path: Optional[str] = None, + depends_on: Optional[List[str]] = None, + timeout_in_seconds: Optional[int] = None, + sync_interval_in_seconds: Optional[int] = None, + retry_interval_in_seconds: Optional[int] = None, + prune: Optional[bool] = None, + force: Optional[bool] = None, + **kwargs + ): + """ + :keyword path: The path in the source reference to reconcile on the cluster. + :paramtype path: str + :keyword depends_on: Specifies other Kustomizations that this Kustomization depends on. This + Kustomization will not reconcile until all dependencies have completed their reconciliation. + :paramtype depends_on: list[str] + :keyword timeout_in_seconds: The maximum time to attempt to reconcile the Kustomization on the + cluster. + :paramtype timeout_in_seconds: int + :keyword sync_interval_in_seconds: The interval at which to re-reconcile the Kustomization on + the cluster. + :paramtype sync_interval_in_seconds: int + :keyword retry_interval_in_seconds: The interval at which to re-reconcile the Kustomization on + the cluster in the event of failure on reconciliation. + :paramtype retry_interval_in_seconds: int + :keyword prune: Enable/disable garbage collections of Kubernetes objects created by this + Kustomization. + :paramtype prune: bool + :keyword force: Enable/disable re-creating Kubernetes resources on the cluster when patching + fails due to an immutable field change. + :paramtype force: bool + """ + super().__init__(**kwargs) + self.path = path + self.depends_on = depends_on + self.timeout_in_seconds = timeout_in_seconds + self.sync_interval_in_seconds = sync_interval_in_seconds + self.retry_interval_in_seconds = retry_interval_in_seconds + self.prune = prune + self.force = force + + +class ManagedIdentityDefinition(_serialization.Model): + """Parameters to authenticate using a Managed Identity. + + :ivar client_id: The client Id for authenticating a Managed Identity. + :vartype client_id: str + """ + + _attribute_map = { + "client_id": {"key": "clientId", "type": "str"}, + } + + def __init__(self, *, client_id: Optional[str] = None, **kwargs): + """ + :keyword client_id: The client Id for authenticating a Managed Identity. + :paramtype client_id: str + """ + super().__init__(**kwargs) + self.client_id = client_id + + +class ManagedIdentityPatchDefinition(_serialization.Model): + """Parameters to authenticate using a Managed Identity. + + :ivar client_id: The client Id for authenticating a Managed Identity. + :vartype client_id: str + """ + + _attribute_map = { + "client_id": {"key": "clientId", "type": "str"}, + } + + def __init__(self, *, client_id: Optional[str] = None, **kwargs): + """ + :keyword client_id: The client Id for authenticating a Managed Identity. + :paramtype client_id: str + """ + super().__init__(**kwargs) + self.client_id = client_id + + +class ObjectReferenceDefinition(_serialization.Model): + """Object reference to a Kubernetes object on a cluster. + + :ivar name: Name of the object. + :vartype name: str + :ivar namespace: Namespace of the object. + :vartype namespace: str + """ + + _attribute_map = { + "name": {"key": "name", "type": "str"}, + "namespace": {"key": "namespace", "type": "str"}, + } + + def __init__(self, *, name: Optional[str] = None, namespace: Optional[str] = None, **kwargs): + """ + :keyword name: Name of the object. + :paramtype name: str + :keyword namespace: Namespace of the object. + :paramtype namespace: str + """ + super().__init__(**kwargs) + self.name = name + self.namespace = namespace + + +class ObjectStatusConditionDefinition(_serialization.Model): + """Status condition of Kubernetes object. + + :ivar last_transition_time: Last time this status condition has changed. + :vartype last_transition_time: ~datetime.datetime + :ivar message: A more verbose description of the object status condition. + :vartype message: str + :ivar reason: Reason for the specified status condition type status. + :vartype reason: str + :ivar status: Status of the Kubernetes object condition type. + :vartype status: str + :ivar type: Object status condition type for this object. + :vartype type: str + """ + + _attribute_map = { + "last_transition_time": {"key": "lastTransitionTime", "type": "iso-8601"}, + "message": {"key": "message", "type": "str"}, + "reason": {"key": "reason", "type": "str"}, + "status": {"key": "status", "type": "str"}, + "type": {"key": "type", "type": "str"}, + } + + def __init__( + self, + *, + last_transition_time: Optional[datetime.datetime] = None, + message: Optional[str] = None, + reason: Optional[str] = None, + status: Optional[str] = None, + type: Optional[str] = None, + **kwargs + ): + """ + :keyword last_transition_time: Last time this status condition has changed. + :paramtype last_transition_time: ~datetime.datetime + :keyword message: A more verbose description of the object status condition. + :paramtype message: str + :keyword reason: Reason for the specified status condition type status. + :paramtype reason: str + :keyword status: Status of the Kubernetes object condition type. + :paramtype status: str + :keyword type: Object status condition type for this object. + :paramtype type: str + """ + super().__init__(**kwargs) + self.last_transition_time = last_transition_time + self.message = message + self.reason = reason + self.status = status + self.type = type + + +class ObjectStatusDefinition(_serialization.Model): + """Statuses of objects deployed by the user-specified kustomizations from the git repository. + + :ivar name: Name of the applied object. + :vartype name: str + :ivar namespace: Namespace of the applied object. + :vartype namespace: str + :ivar kind: Kind of the applied object. + :vartype kind: str + :ivar compliance_state: Compliance state of the applied object showing whether the applied + object has come into a ready state on the cluster. Known values are: "Compliant", + "Non-Compliant", "Pending", "Suspended", and "Unknown". + :vartype compliance_state: str or + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.FluxComplianceState + :ivar applied_by: Object reference to the Kustomization that applied this object. + :vartype applied_by: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ObjectReferenceDefinition + :ivar status_conditions: List of Kubernetes object status conditions present on the cluster. + :vartype status_conditions: + list[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ObjectStatusConditionDefinition] + :ivar helm_release_properties: Additional properties that are provided from objects of the + HelmRelease kind. + :vartype helm_release_properties: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.HelmReleasePropertiesDefinition + """ + + _attribute_map = { + "name": {"key": "name", "type": "str"}, + "namespace": {"key": "namespace", "type": "str"}, + "kind": {"key": "kind", "type": "str"}, + "compliance_state": {"key": "complianceState", "type": "str"}, + "applied_by": {"key": "appliedBy", "type": "ObjectReferenceDefinition"}, + "status_conditions": {"key": "statusConditions", "type": "[ObjectStatusConditionDefinition]"}, + "helm_release_properties": {"key": "helmReleaseProperties", "type": "HelmReleasePropertiesDefinition"}, + } + + def __init__( + self, + *, + name: Optional[str] = None, + namespace: Optional[str] = None, + kind: Optional[str] = None, + compliance_state: Union[str, "_models.FluxComplianceState"] = "Unknown", + applied_by: Optional["_models.ObjectReferenceDefinition"] = None, + status_conditions: Optional[List["_models.ObjectStatusConditionDefinition"]] = None, + helm_release_properties: Optional["_models.HelmReleasePropertiesDefinition"] = None, + **kwargs + ): + """ + :keyword name: Name of the applied object. + :paramtype name: str + :keyword namespace: Namespace of the applied object. + :paramtype namespace: str + :keyword kind: Kind of the applied object. + :paramtype kind: str + :keyword compliance_state: Compliance state of the applied object showing whether the applied + object has come into a ready state on the cluster. Known values are: "Compliant", + "Non-Compliant", "Pending", "Suspended", and "Unknown". + :paramtype compliance_state: str or + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.FluxComplianceState + :keyword applied_by: Object reference to the Kustomization that applied this object. + :paramtype applied_by: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ObjectReferenceDefinition + :keyword status_conditions: List of Kubernetes object status conditions present on the cluster. + :paramtype status_conditions: + list[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ObjectStatusConditionDefinition] + :keyword helm_release_properties: Additional properties that are provided from objects of the + HelmRelease kind. + :paramtype helm_release_properties: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.HelmReleasePropertiesDefinition + """ + super().__init__(**kwargs) + self.name = name + self.namespace = namespace + self.kind = kind + self.compliance_state = compliance_state + self.applied_by = applied_by + self.status_conditions = status_conditions + self.helm_release_properties = helm_release_properties + + +class OperationStatusList(_serialization.Model): + """The async operations in progress, in the cluster. + + Variables are only populated by the server, and will be ignored when sending a request. + + :ivar value: List of async operations in progress, in the cluster. + :vartype value: + list[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.OperationStatusResult] + :ivar next_link: URL to get the next set of Operation Result objects, if any. + :vartype next_link: str + """ + + _validation = { + "value": {"readonly": True}, + "next_link": {"readonly": True}, + } + + _attribute_map = { + "value": {"key": "value", "type": "[OperationStatusResult]"}, + "next_link": {"key": "nextLink", "type": "str"}, + } + + def __init__(self, **kwargs): + """ """ + super().__init__(**kwargs) + self.value = None + self.next_link = None + + +class OperationStatusResult(_serialization.Model): + """The current status of an async operation. + + Variables are only populated by the server, and will be ignored when sending a request. + + All required parameters must be populated in order to send to Azure. + + :ivar id: Fully qualified ID for the async operation. + :vartype id: str + :ivar name: Name of the async operation. + :vartype name: str + :ivar status: Operation status. Required. + :vartype status: str + :ivar properties: Additional information, if available. + :vartype properties: dict[str, str] + :ivar error: If present, details of the operation error. + :vartype error: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ErrorDetail + """ + + _validation = { + "status": {"required": True}, + "error": {"readonly": True}, + } + + _attribute_map = { + "id": {"key": "id", "type": "str"}, + "name": {"key": "name", "type": "str"}, + "status": {"key": "status", "type": "str"}, + "properties": {"key": "properties", "type": "{str}"}, + "error": {"key": "error", "type": "ErrorDetail"}, + } + + def __init__( + self, + *, + status: str, + id: Optional[str] = None, # pylint: disable=redefined-builtin + name: Optional[str] = None, + properties: Optional[Dict[str, str]] = None, + **kwargs + ): + """ + :keyword id: Fully qualified ID for the async operation. + :paramtype id: str + :keyword name: Name of the async operation. + :paramtype name: str + :keyword status: Operation status. Required. + :paramtype status: str + :keyword properties: Additional information, if available. + :paramtype properties: dict[str, str] + """ + super().__init__(**kwargs) + self.id = id + self.name = name + self.status = status + self.properties = properties + self.error = None + + +class PatchExtension(_serialization.Model): + """The Extension Patch Request object. + + :ivar auto_upgrade_minor_version: Flag to note if this extension participates in auto upgrade + of minor version, or not. + :vartype auto_upgrade_minor_version: bool + :ivar release_train: ReleaseTrain this extension participates in for auto-upgrade (e.g. Stable, + Preview, etc.) - only if autoUpgradeMinorVersion is 'true'. + :vartype release_train: str + :ivar version: Version of the extension for this extension, if it is 'pinned' to a specific + version. autoUpgradeMinorVersion must be 'false'. + :vartype version: str + :ivar configuration_settings: Configuration settings, as name-value pairs for configuring this + extension. + :vartype configuration_settings: dict[str, str] + :ivar configuration_protected_settings: Configuration settings that are sensitive, as + name-value pairs for configuring this extension. + :vartype configuration_protected_settings: dict[str, str] + """ + + _attribute_map = { + "auto_upgrade_minor_version": {"key": "properties.autoUpgradeMinorVersion", "type": "bool"}, + "release_train": {"key": "properties.releaseTrain", "type": "str"}, + "version": {"key": "properties.version", "type": "str"}, + "configuration_settings": {"key": "properties.configurationSettings", "type": "{str}"}, + "configuration_protected_settings": {"key": "properties.configurationProtectedSettings", "type": "{str}"}, + } + + def __init__( + self, + *, + auto_upgrade_minor_version: bool = True, + release_train: str = "Stable", + version: Optional[str] = None, + configuration_settings: Optional[Dict[str, str]] = None, + configuration_protected_settings: Optional[Dict[str, str]] = None, + **kwargs + ): + """ + :keyword auto_upgrade_minor_version: Flag to note if this extension participates in auto + upgrade of minor version, or not. + :paramtype auto_upgrade_minor_version: bool + :keyword release_train: ReleaseTrain this extension participates in for auto-upgrade (e.g. + Stable, Preview, etc.) - only if autoUpgradeMinorVersion is 'true'. + :paramtype release_train: str + :keyword version: Version of the extension for this extension, if it is 'pinned' to a specific + version. autoUpgradeMinorVersion must be 'false'. + :paramtype version: str + :keyword configuration_settings: Configuration settings, as name-value pairs for configuring + this extension. + :paramtype configuration_settings: dict[str, str] + :keyword configuration_protected_settings: Configuration settings that are sensitive, as + name-value pairs for configuring this extension. + :paramtype configuration_protected_settings: dict[str, str] + """ + super().__init__(**kwargs) + self.auto_upgrade_minor_version = auto_upgrade_minor_version + self.release_train = release_train + self.version = version + self.configuration_settings = configuration_settings + self.configuration_protected_settings = configuration_protected_settings + + +class RepositoryRefDefinition(_serialization.Model): + """The source reference for the GitRepository object. + + :ivar branch: The git repository branch name to checkout. + :vartype branch: str + :ivar tag: The git repository tag name to checkout. This takes precedence over branch. + :vartype tag: str + :ivar semver: The semver range used to match against git repository tags. This takes precedence + over tag. + :vartype semver: str + :ivar commit: The commit SHA to checkout. This value must be combined with the branch name to + be valid. This takes precedence over semver. + :vartype commit: str + """ + + _attribute_map = { + "branch": {"key": "branch", "type": "str"}, + "tag": {"key": "tag", "type": "str"}, + "semver": {"key": "semver", "type": "str"}, + "commit": {"key": "commit", "type": "str"}, + } + + def __init__( + self, + *, + branch: Optional[str] = None, + tag: Optional[str] = None, + semver: Optional[str] = None, + commit: Optional[str] = None, + **kwargs + ): + """ + :keyword branch: The git repository branch name to checkout. + :paramtype branch: str + :keyword tag: The git repository tag name to checkout. This takes precedence over branch. + :paramtype tag: str + :keyword semver: The semver range used to match against git repository tags. This takes + precedence over tag. + :paramtype semver: str + :keyword commit: The commit SHA to checkout. This value must be combined with the branch name + to be valid. This takes precedence over semver. + :paramtype commit: str + """ + super().__init__(**kwargs) + self.branch = branch + self.tag = tag + self.semver = semver + self.commit = commit + + +class ResourceProviderOperation(_serialization.Model): + """Supported operation of this resource provider. + + Variables are only populated by the server, and will be ignored when sending a request. + + :ivar name: Operation name, in format of {provider}/{resource}/{operation}. + :vartype name: str + :ivar display: Display metadata associated with the operation. + :vartype display: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ResourceProviderOperationDisplay + :ivar is_data_action: The flag that indicates whether the operation applies to data plane. + :vartype is_data_action: bool + :ivar origin: Origin of the operation. + :vartype origin: str + """ + + _validation = { + "is_data_action": {"readonly": True}, + "origin": {"readonly": True}, + } + + _attribute_map = { + "name": {"key": "name", "type": "str"}, + "display": {"key": "display", "type": "ResourceProviderOperationDisplay"}, + "is_data_action": {"key": "isDataAction", "type": "bool"}, + "origin": {"key": "origin", "type": "str"}, + } + + def __init__( + self, + *, + name: Optional[str] = None, + display: Optional["_models.ResourceProviderOperationDisplay"] = None, + **kwargs + ): + """ + :keyword name: Operation name, in format of {provider}/{resource}/{operation}. + :paramtype name: str + :keyword display: Display metadata associated with the operation. + :paramtype display: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ResourceProviderOperationDisplay + """ + super().__init__(**kwargs) + self.name = name + self.display = display + self.is_data_action = None + self.origin = None + + +class ResourceProviderOperationDisplay(_serialization.Model): + """Display metadata associated with the operation. + + :ivar provider: Resource provider: Microsoft KubernetesConfiguration. + :vartype provider: str + :ivar resource: Resource on which the operation is performed. + :vartype resource: str + :ivar operation: Type of operation: get, read, delete, etc. + :vartype operation: str + :ivar description: Description of this operation. + :vartype description: str + """ + + _attribute_map = { + "provider": {"key": "provider", "type": "str"}, + "resource": {"key": "resource", "type": "str"}, + "operation": {"key": "operation", "type": "str"}, + "description": {"key": "description", "type": "str"}, + } + + def __init__( + self, + *, + provider: Optional[str] = None, + resource: Optional[str] = None, + operation: Optional[str] = None, + description: Optional[str] = None, + **kwargs + ): + """ + :keyword provider: Resource provider: Microsoft KubernetesConfiguration. + :paramtype provider: str + :keyword resource: Resource on which the operation is performed. + :paramtype resource: str + :keyword operation: Type of operation: get, read, delete, etc. + :paramtype operation: str + :keyword description: Description of this operation. + :paramtype description: str + """ + super().__init__(**kwargs) + self.provider = provider + self.resource = resource + self.operation = operation + self.description = description + + +class ResourceProviderOperationList(_serialization.Model): + """Result of the request to list operations. + + Variables are only populated by the server, and will be ignored when sending a request. + + :ivar value: List of operations supported by this resource provider. + :vartype value: + list[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ResourceProviderOperation] + :ivar next_link: URL to the next set of results, if any. + :vartype next_link: str + """ + + _validation = { + "next_link": {"readonly": True}, + } + + _attribute_map = { + "value": {"key": "value", "type": "[ResourceProviderOperation]"}, + "next_link": {"key": "nextLink", "type": "str"}, + } + + def __init__(self, *, value: Optional[List["_models.ResourceProviderOperation"]] = None, **kwargs): + """ + :keyword value: List of operations supported by this resource provider. + :paramtype value: + list[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ResourceProviderOperation] + """ + super().__init__(**kwargs) + self.value = value + self.next_link = None + + +class Scope(_serialization.Model): + """Scope of the extension. It can be either Cluster or Namespace; but not both. + + :ivar cluster: Specifies that the scope of the extension is Cluster. + :vartype cluster: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ScopeCluster + :ivar namespace: Specifies that the scope of the extension is Namespace. + :vartype namespace: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ScopeNamespace + """ + + _attribute_map = { + "cluster": {"key": "cluster", "type": "ScopeCluster"}, + "namespace": {"key": "namespace", "type": "ScopeNamespace"}, + } + + def __init__( + self, + *, + cluster: Optional["_models.ScopeCluster"] = None, + namespace: Optional["_models.ScopeNamespace"] = None, + **kwargs + ): + """ + :keyword cluster: Specifies that the scope of the extension is Cluster. + :paramtype cluster: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ScopeCluster + :keyword namespace: Specifies that the scope of the extension is Namespace. + :paramtype namespace: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ScopeNamespace + """ + super().__init__(**kwargs) + self.cluster = cluster + self.namespace = namespace + + +class ScopeCluster(_serialization.Model): + """Specifies that the scope of the extension is Cluster. + + :ivar release_namespace: Namespace where the extension Release must be placed, for a Cluster + scoped extension. If this namespace does not exist, it will be created. + :vartype release_namespace: str + """ + + _attribute_map = { + "release_namespace": {"key": "releaseNamespace", "type": "str"}, + } + + def __init__(self, *, release_namespace: Optional[str] = None, **kwargs): + """ + :keyword release_namespace: Namespace where the extension Release must be placed, for a Cluster + scoped extension. If this namespace does not exist, it will be created. + :paramtype release_namespace: str + """ + super().__init__(**kwargs) + self.release_namespace = release_namespace + + +class ScopeNamespace(_serialization.Model): + """Specifies that the scope of the extension is Namespace. + + :ivar target_namespace: Namespace where the extension will be created for an Namespace scoped + extension. If this namespace does not exist, it will be created. + :vartype target_namespace: str + """ + + _attribute_map = { + "target_namespace": {"key": "targetNamespace", "type": "str"}, + } + + def __init__(self, *, target_namespace: Optional[str] = None, **kwargs): + """ + :keyword target_namespace: Namespace where the extension will be created for an Namespace + scoped extension. If this namespace does not exist, it will be created. + :paramtype target_namespace: str + """ + super().__init__(**kwargs) + self.target_namespace = target_namespace + + +class ServicePrincipalDefinition(_serialization.Model): + """Parameters to authenticate using Service Principal. + + :ivar client_id: The client Id for authenticating a Service Principal. + :vartype client_id: str + :ivar tenant_id: The tenant Id for authenticating a Service Principal. + :vartype tenant_id: str + :ivar client_secret: The client secret for authenticating a Service Principal. + :vartype client_secret: str + :ivar client_certificate: Base64-encoded certificate used to authenticate a Service Principal. + :vartype client_certificate: str + :ivar client_certificate_password: The password for the certificate used to authenticate a + Service Principal. + :vartype client_certificate_password: str + :ivar client_certificate_send_chain: Specifies whether to include x5c header in client claims + when acquiring a token to enable subject name / issuer based authentication for the Client + Certificate. + :vartype client_certificate_send_chain: bool + """ + + _attribute_map = { + "client_id": {"key": "clientId", "type": "str"}, + "tenant_id": {"key": "tenantId", "type": "str"}, + "client_secret": {"key": "clientSecret", "type": "str"}, + "client_certificate": {"key": "clientCertificate", "type": "str"}, + "client_certificate_password": {"key": "clientCertificatePassword", "type": "str"}, + "client_certificate_send_chain": {"key": "clientCertificateSendChain", "type": "bool"}, + } + + def __init__( + self, + *, + client_id: Optional[str] = None, + tenant_id: Optional[str] = None, + client_secret: Optional[str] = None, + client_certificate: Optional[str] = None, + client_certificate_password: Optional[str] = None, + client_certificate_send_chain: bool = False, + **kwargs + ): + """ + :keyword client_id: The client Id for authenticating a Service Principal. + :paramtype client_id: str + :keyword tenant_id: The tenant Id for authenticating a Service Principal. + :paramtype tenant_id: str + :keyword client_secret: The client secret for authenticating a Service Principal. + :paramtype client_secret: str + :keyword client_certificate: Base64-encoded certificate used to authenticate a Service + Principal. + :paramtype client_certificate: str + :keyword client_certificate_password: The password for the certificate used to authenticate a + Service Principal. + :paramtype client_certificate_password: str + :keyword client_certificate_send_chain: Specifies whether to include x5c header in client + claims when acquiring a token to enable subject name / issuer based authentication for the + Client Certificate. + :paramtype client_certificate_send_chain: bool + """ + super().__init__(**kwargs) + self.client_id = client_id + self.tenant_id = tenant_id + self.client_secret = client_secret + self.client_certificate = client_certificate + self.client_certificate_password = client_certificate_password + self.client_certificate_send_chain = client_certificate_send_chain + + +class ServicePrincipalPatchDefinition(_serialization.Model): + """Parameters to authenticate using Service Principal. + + :ivar client_id: The client Id for authenticating a Service Principal. + :vartype client_id: str + :ivar tenant_id: The tenant Id for authenticating a Service Principal. + :vartype tenant_id: str + :ivar client_secret: The client secret for authenticating a Service Principal. + :vartype client_secret: str + :ivar client_certificate: Base64-encoded certificate used to authenticate a Service Principal. + :vartype client_certificate: str + :ivar client_certificate_password: The password for the certificate used to authenticate a + Service Principal. + :vartype client_certificate_password: str + :ivar client_certificate_send_chain: Specifies whether to include x5c header in client claims + when acquiring a token to enable subject name / issuer based authentication for the Client + Certificate. + :vartype client_certificate_send_chain: bool + """ + + _attribute_map = { + "client_id": {"key": "clientId", "type": "str"}, + "tenant_id": {"key": "tenantId", "type": "str"}, + "client_secret": {"key": "clientSecret", "type": "str"}, + "client_certificate": {"key": "clientCertificate", "type": "str"}, + "client_certificate_password": {"key": "clientCertificatePassword", "type": "str"}, + "client_certificate_send_chain": {"key": "clientCertificateSendChain", "type": "bool"}, + } + + def __init__( + self, + *, + client_id: Optional[str] = None, + tenant_id: Optional[str] = None, + client_secret: Optional[str] = None, + client_certificate: Optional[str] = None, + client_certificate_password: Optional[str] = None, + client_certificate_send_chain: Optional[bool] = None, + **kwargs + ): + """ + :keyword client_id: The client Id for authenticating a Service Principal. + :paramtype client_id: str + :keyword tenant_id: The tenant Id for authenticating a Service Principal. + :paramtype tenant_id: str + :keyword client_secret: The client secret for authenticating a Service Principal. + :paramtype client_secret: str + :keyword client_certificate: Base64-encoded certificate used to authenticate a Service + Principal. + :paramtype client_certificate: str + :keyword client_certificate_password: The password for the certificate used to authenticate a + Service Principal. + :paramtype client_certificate_password: str + :keyword client_certificate_send_chain: Specifies whether to include x5c header in client + claims when acquiring a token to enable subject name / issuer based authentication for the + Client Certificate. + :paramtype client_certificate_send_chain: bool + """ + super().__init__(**kwargs) + self.client_id = client_id + self.tenant_id = tenant_id + self.client_secret = client_secret + self.client_certificate = client_certificate + self.client_certificate_password = client_certificate_password + self.client_certificate_send_chain = client_certificate_send_chain + + +class SourceControlConfiguration(ProxyResource): # pylint: disable=too-many-instance-attributes + """The SourceControl Configuration object returned in Get & Put response. + + Variables are only populated by the server, and will be ignored when sending a request. + + :ivar id: Fully qualified resource ID for the resource. Ex - + /subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{resourceProviderNamespace}/{resourceType}/{resourceName}. + :vartype id: str + :ivar name: The name of the resource. + :vartype name: str + :ivar type: The type of the resource. E.g. "Microsoft.Compute/virtualMachines" or + "Microsoft.Storage/storageAccounts". + :vartype type: str + :ivar system_data: Top level metadata + https://github.com/Azure/azure-resource-manager-rpc/blob/master/v1.0/common-api-contracts.md#system-metadata-for-all-azure-resources. + :vartype system_data: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.SystemData + :ivar repository_url: Url of the SourceControl Repository. + :vartype repository_url: str + :ivar operator_namespace: The namespace to which this operator is installed to. Maximum of 253 + lower case alphanumeric characters, hyphen and period only. + :vartype operator_namespace: str + :ivar operator_instance_name: Instance name of the operator - identifying the specific + configuration. + :vartype operator_instance_name: str + :ivar operator_type: Type of the operator. "Flux" + :vartype operator_type: str or + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.OperatorType + :ivar operator_params: Any Parameters for the Operator instance in string format. + :vartype operator_params: str + :ivar configuration_protected_settings: Name-value pairs of protected configuration settings + for the configuration. + :vartype configuration_protected_settings: dict[str, str] + :ivar operator_scope: Scope at which the operator will be installed. Known values are: + "cluster" and "namespace". + :vartype operator_scope: str or + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.OperatorScopeType + :ivar repository_public_key: Public Key associated with this SourceControl configuration + (either generated within the cluster or provided by the user). + :vartype repository_public_key: str + :ivar ssh_known_hosts_contents: Base64-encoded known_hosts contents containing public SSH keys + required to access private Git instances. + :vartype ssh_known_hosts_contents: str + :ivar enable_helm_operator: Option to enable Helm Operator for this git configuration. + :vartype enable_helm_operator: bool + :ivar helm_operator_properties: Properties for Helm operator. + :vartype helm_operator_properties: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.HelmOperatorProperties + :ivar provisioning_state: The provisioning state of the resource provider. Known values are: + "Accepted", "Deleting", "Running", "Succeeded", and "Failed". + :vartype provisioning_state: str or + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ProvisioningStateType + :ivar compliance_status: Compliance Status of the Configuration. + :vartype compliance_status: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ComplianceStatus + """ + + _validation = { + "id": {"readonly": True}, + "name": {"readonly": True}, + "type": {"readonly": True}, + "system_data": {"readonly": True}, + "repository_public_key": {"readonly": True}, + "provisioning_state": {"readonly": True}, + "compliance_status": {"readonly": True}, + } + + _attribute_map = { + "id": {"key": "id", "type": "str"}, + "name": {"key": "name", "type": "str"}, + "type": {"key": "type", "type": "str"}, + "system_data": {"key": "systemData", "type": "SystemData"}, + "repository_url": {"key": "properties.repositoryUrl", "type": "str"}, + "operator_namespace": {"key": "properties.operatorNamespace", "type": "str"}, + "operator_instance_name": {"key": "properties.operatorInstanceName", "type": "str"}, + "operator_type": {"key": "properties.operatorType", "type": "str"}, + "operator_params": {"key": "properties.operatorParams", "type": "str"}, + "configuration_protected_settings": {"key": "properties.configurationProtectedSettings", "type": "{str}"}, + "operator_scope": {"key": "properties.operatorScope", "type": "str"}, + "repository_public_key": {"key": "properties.repositoryPublicKey", "type": "str"}, + "ssh_known_hosts_contents": {"key": "properties.sshKnownHostsContents", "type": "str"}, + "enable_helm_operator": {"key": "properties.enableHelmOperator", "type": "bool"}, + "helm_operator_properties": {"key": "properties.helmOperatorProperties", "type": "HelmOperatorProperties"}, + "provisioning_state": {"key": "properties.provisioningState", "type": "str"}, + "compliance_status": {"key": "properties.complianceStatus", "type": "ComplianceStatus"}, + } + + def __init__( + self, + *, + repository_url: Optional[str] = None, + operator_namespace: str = "default", + operator_instance_name: Optional[str] = None, + operator_type: Optional[Union[str, "_models.OperatorType"]] = None, + operator_params: Optional[str] = None, + configuration_protected_settings: Optional[Dict[str, str]] = None, + operator_scope: Union[str, "_models.OperatorScopeType"] = "cluster", + ssh_known_hosts_contents: Optional[str] = None, + enable_helm_operator: Optional[bool] = None, + helm_operator_properties: Optional["_models.HelmOperatorProperties"] = None, + **kwargs + ): + """ + :keyword repository_url: Url of the SourceControl Repository. + :paramtype repository_url: str + :keyword operator_namespace: The namespace to which this operator is installed to. Maximum of + 253 lower case alphanumeric characters, hyphen and period only. + :paramtype operator_namespace: str + :keyword operator_instance_name: Instance name of the operator - identifying the specific + configuration. + :paramtype operator_instance_name: str + :keyword operator_type: Type of the operator. "Flux" + :paramtype operator_type: str or + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.OperatorType + :keyword operator_params: Any Parameters for the Operator instance in string format. + :paramtype operator_params: str + :keyword configuration_protected_settings: Name-value pairs of protected configuration settings + for the configuration. + :paramtype configuration_protected_settings: dict[str, str] + :keyword operator_scope: Scope at which the operator will be installed. Known values are: + "cluster" and "namespace". + :paramtype operator_scope: str or + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.OperatorScopeType + :keyword ssh_known_hosts_contents: Base64-encoded known_hosts contents containing public SSH + keys required to access private Git instances. + :paramtype ssh_known_hosts_contents: str + :keyword enable_helm_operator: Option to enable Helm Operator for this git configuration. + :paramtype enable_helm_operator: bool + :keyword helm_operator_properties: Properties for Helm operator. + :paramtype helm_operator_properties: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.HelmOperatorProperties + """ + super().__init__(**kwargs) + self.system_data = None + self.repository_url = repository_url + self.operator_namespace = operator_namespace + self.operator_instance_name = operator_instance_name + self.operator_type = operator_type + self.operator_params = operator_params + self.configuration_protected_settings = configuration_protected_settings + self.operator_scope = operator_scope + self.repository_public_key = None + self.ssh_known_hosts_contents = ssh_known_hosts_contents + self.enable_helm_operator = enable_helm_operator + self.helm_operator_properties = helm_operator_properties + self.provisioning_state = None + self.compliance_status = None + + +class SourceControlConfigurationList(_serialization.Model): + """Result of the request to list Source Control Configurations. It contains a list of SourceControlConfiguration objects and a URL link to get the next set of results. + + Variables are only populated by the server, and will be ignored when sending a request. + + :ivar value: List of Source Control Configurations within a Kubernetes cluster. + :vartype value: + list[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.SourceControlConfiguration] + :ivar next_link: URL to get the next set of configuration objects, if any. + :vartype next_link: str + """ + + _validation = { + "value": {"readonly": True}, + "next_link": {"readonly": True}, + } + + _attribute_map = { + "value": {"key": "value", "type": "[SourceControlConfiguration]"}, + "next_link": {"key": "nextLink", "type": "str"}, + } + + def __init__(self, **kwargs): + """ """ + super().__init__(**kwargs) + self.value = None + self.next_link = None + + +class SystemData(_serialization.Model): + """Metadata pertaining to creation and last modification of the resource. + + :ivar created_by: The identity that created the resource. + :vartype created_by: str + :ivar created_by_type: The type of identity that created the resource. Known values are: + "User", "Application", "ManagedIdentity", and "Key". + :vartype created_by_type: str or + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.CreatedByType + :ivar created_at: The timestamp of resource creation (UTC). + :vartype created_at: ~datetime.datetime + :ivar last_modified_by: The identity that last modified the resource. + :vartype last_modified_by: str + :ivar last_modified_by_type: The type of identity that last modified the resource. Known values + are: "User", "Application", "ManagedIdentity", and "Key". + :vartype last_modified_by_type: str or + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.CreatedByType + :ivar last_modified_at: The timestamp of resource last modification (UTC). + :vartype last_modified_at: ~datetime.datetime + """ + + _attribute_map = { + "created_by": {"key": "createdBy", "type": "str"}, + "created_by_type": {"key": "createdByType", "type": "str"}, + "created_at": {"key": "createdAt", "type": "iso-8601"}, + "last_modified_by": {"key": "lastModifiedBy", "type": "str"}, + "last_modified_by_type": {"key": "lastModifiedByType", "type": "str"}, + "last_modified_at": {"key": "lastModifiedAt", "type": "iso-8601"}, + } + + def __init__( + self, + *, + created_by: Optional[str] = None, + created_by_type: Optional[Union[str, "_models.CreatedByType"]] = None, + created_at: Optional[datetime.datetime] = None, + last_modified_by: Optional[str] = None, + last_modified_by_type: Optional[Union[str, "_models.CreatedByType"]] = None, + last_modified_at: Optional[datetime.datetime] = None, + **kwargs + ): + """ + :keyword created_by: The identity that created the resource. + :paramtype created_by: str + :keyword created_by_type: The type of identity that created the resource. Known values are: + "User", "Application", "ManagedIdentity", and "Key". + :paramtype created_by_type: str or + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.CreatedByType + :keyword created_at: The timestamp of resource creation (UTC). + :paramtype created_at: ~datetime.datetime + :keyword last_modified_by: The identity that last modified the resource. + :paramtype last_modified_by: str + :keyword last_modified_by_type: The type of identity that last modified the resource. Known + values are: "User", "Application", "ManagedIdentity", and "Key". + :paramtype last_modified_by_type: str or + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.CreatedByType + :keyword last_modified_at: The timestamp of resource last modification (UTC). + :paramtype last_modified_at: ~datetime.datetime + """ + super().__init__(**kwargs) + self.created_by = created_by + self.created_by_type = created_by_type + self.created_at = created_at + self.last_modified_by = last_modified_by + self.last_modified_by_type = last_modified_by_type + self.last_modified_at = last_modified_at diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/models/_patch.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/models/_patch.py new file mode 100644 index 00000000000..f7dd3251033 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/models/_patch.py @@ -0,0 +1,20 @@ +# ------------------------------------ +# Copyright (c) Microsoft Corporation. +# Licensed under the MIT License. +# ------------------------------------ +"""Customize generated code here. + +Follow our quickstart for examples: https://aka.ms/azsdk/python/dpcodegen/python/customize +""" +from typing import List + +__all__: List[str] = [] # Add all objects you want publicly available to users at this package level + + +def patch_sdk(): + """Do not remove from this file. + + `patch_sdk` is a last resort escape hatch that allows you to do customizations + you can't accomplish using the techniques described in + https://aka.ms/azsdk/python/dpcodegen/python/customize + """ diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/models/_source_control_configuration_client_enums.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/models/_source_control_configuration_client_enums.py new file mode 100644 index 00000000000..cf097984794 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/models/_source_control_configuration_client_enums.py @@ -0,0 +1,121 @@ +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- + +from enum import Enum +from azure.core import CaseInsensitiveEnumMeta + + +class AKSIdentityType(str, Enum, metaclass=CaseInsensitiveEnumMeta): + """The identity type.""" + + SYSTEM_ASSIGNED = "SystemAssigned" + USER_ASSIGNED = "UserAssigned" + + +class ComplianceStateType(str, Enum, metaclass=CaseInsensitiveEnumMeta): + """The compliance state of the configuration.""" + + PENDING = "Pending" + COMPLIANT = "Compliant" + NONCOMPLIANT = "Noncompliant" + INSTALLED = "Installed" + FAILED = "Failed" + + +class CreatedByType(str, Enum, metaclass=CaseInsensitiveEnumMeta): + """The type of identity that created the resource.""" + + USER = "User" + APPLICATION = "Application" + MANAGED_IDENTITY = "ManagedIdentity" + KEY = "Key" + + +class FluxComplianceState(str, Enum, metaclass=CaseInsensitiveEnumMeta): + """Compliance state of the cluster object.""" + + COMPLIANT = "Compliant" + NON_COMPLIANT = "Non-Compliant" + PENDING = "Pending" + SUSPENDED = "Suspended" + UNKNOWN = "Unknown" + + +class KustomizationValidationType(str, Enum, metaclass=CaseInsensitiveEnumMeta): + """Specify whether to validate the Kubernetes objects referenced in the Kustomization before + applying them to the cluster. + """ + + NONE = "none" + CLIENT = "client" + SERVER = "server" + + +class LevelType(str, Enum, metaclass=CaseInsensitiveEnumMeta): + """Level of the status.""" + + ERROR = "Error" + WARNING = "Warning" + INFORMATION = "Information" + + +class MessageLevelType(str, Enum, metaclass=CaseInsensitiveEnumMeta): + """Level of the message.""" + + ERROR = "Error" + WARNING = "Warning" + INFORMATION = "Information" + + +class OperatorScopeType(str, Enum, metaclass=CaseInsensitiveEnumMeta): + """Scope at which the operator will be installed.""" + + CLUSTER = "cluster" + NAMESPACE = "namespace" + + +class OperatorType(str, Enum, metaclass=CaseInsensitiveEnumMeta): + """Type of the operator.""" + + FLUX = "Flux" + + +class ProvisioningState(str, Enum, metaclass=CaseInsensitiveEnumMeta): + """The provisioning state of the resource.""" + + SUCCEEDED = "Succeeded" + FAILED = "Failed" + CANCELED = "Canceled" + CREATING = "Creating" + UPDATING = "Updating" + DELETING = "Deleting" + + +class ProvisioningStateType(str, Enum, metaclass=CaseInsensitiveEnumMeta): + """The provisioning state of the resource provider.""" + + ACCEPTED = "Accepted" + DELETING = "Deleting" + RUNNING = "Running" + SUCCEEDED = "Succeeded" + FAILED = "Failed" + + +class ScopeType(str, Enum, metaclass=CaseInsensitiveEnumMeta): + """Scope at which the configuration will be installed.""" + + CLUSTER = "cluster" + NAMESPACE = "namespace" + + +class SourceKindType(str, Enum, metaclass=CaseInsensitiveEnumMeta): + """Source Kind to pull the configuration data from.""" + + GIT_REPOSITORY = "GitRepository" + BUCKET = "Bucket" + AZURE_BLOB = "AzureBlob" diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/operations/__init__.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/operations/__init__.py new file mode 100644 index 00000000000..50d1dc0c61e --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/operations/__init__.py @@ -0,0 +1,29 @@ +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- + +from ._extensions_operations import ExtensionsOperations +from ._operation_status_operations import OperationStatusOperations +from ._flux_configurations_operations import FluxConfigurationsOperations +from ._flux_config_operation_status_operations import FluxConfigOperationStatusOperations +from ._source_control_configurations_operations import SourceControlConfigurationsOperations +from ._operations import Operations + +from ._patch import __all__ as _patch_all +from ._patch import * # type: ignore # pylint: disable=unused-wildcard-import +from ._patch import patch_sdk as _patch_sdk + +__all__ = [ + "ExtensionsOperations", + "OperationStatusOperations", + "FluxConfigurationsOperations", + "FluxConfigOperationStatusOperations", + "SourceControlConfigurationsOperations", + "Operations", +] +__all__.extend([p for p in _patch_all if p not in __all__]) +_patch_sdk() diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/operations/_extensions_operations.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/operations/_extensions_operations.py new file mode 100644 index 00000000000..a8f8d15572b --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/operations/_extensions_operations.py @@ -0,0 +1,1134 @@ +# pylint: disable=too-many-lines +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- +import sys +from typing import Any, Callable, Dict, IO, Iterable, Optional, TypeVar, Union, cast, overload +import urllib.parse + +from azure.core.exceptions import ( + ClientAuthenticationError, + HttpResponseError, + ResourceExistsError, + ResourceNotFoundError, + ResourceNotModifiedError, + map_error, +) +from azure.core.paging import ItemPaged +from azure.core.pipeline import PipelineResponse +from azure.core.pipeline.transport import HttpResponse +from azure.core.polling import LROPoller, NoPolling, PollingMethod +from azure.core.rest import HttpRequest +from azure.core.tracing.decorator import distributed_trace +from azure.core.utils import case_insensitive_dict +from azure.mgmt.core.exceptions import ARMErrorFormat +from azure.mgmt.core.polling.arm_polling import ARMPolling + +from .. import models as _models +from ..._serialization import Serializer +from .._vendor import _convert_request, _format_url_section + +if sys.version_info >= (3, 8): + from typing import Literal # pylint: disable=no-name-in-module, ungrouped-imports +else: + from typing_extensions import Literal # type: ignore # pylint: disable=ungrouped-imports +T = TypeVar("T") +ClsType = Optional[Callable[[PipelineResponse[HttpRequest, HttpResponse], T, Dict[str, Any]], Any]] + +_SERIALIZER = Serializer() +_SERIALIZER.client_side_validation = False + + +def build_create_request( + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + subscription_id: str, + **kwargs: Any +) -> HttpRequest: + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + accept = _headers.pop("Accept", "application/json") + + # Construct URL + _url = kwargs.pop( + "template_url", + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}", + ) # pylint: disable=line-too-long + path_format_arguments = { + "subscriptionId": _SERIALIZER.url("subscription_id", subscription_id, "str", min_length=1), + "resourceGroupName": _SERIALIZER.url( + "resource_group_name", resource_group_name, "str", max_length=90, min_length=1 + ), + "clusterRp": _SERIALIZER.url("cluster_rp", cluster_rp, "str"), + "clusterResourceName": _SERIALIZER.url("cluster_resource_name", cluster_resource_name, "str"), + "clusterName": _SERIALIZER.url("cluster_name", cluster_name, "str"), + "extensionName": _SERIALIZER.url("extension_name", extension_name, "str"), + } + + _url = _format_url_section(_url, **path_format_arguments) + + # Construct parameters + _params["api-version"] = _SERIALIZER.query("api_version", api_version, "str") + + # Construct headers + if content_type is not None: + _headers["Content-Type"] = _SERIALIZER.header("content_type", content_type, "str") + _headers["Accept"] = _SERIALIZER.header("accept", accept, "str") + + return HttpRequest(method="PUT", url=_url, params=_params, headers=_headers, **kwargs) + + +def build_get_request( + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + subscription_id: str, + **kwargs: Any +) -> HttpRequest: + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + accept = _headers.pop("Accept", "application/json") + + # Construct URL + _url = kwargs.pop( + "template_url", + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}", + ) # pylint: disable=line-too-long + path_format_arguments = { + "subscriptionId": _SERIALIZER.url("subscription_id", subscription_id, "str", min_length=1), + "resourceGroupName": _SERIALIZER.url( + "resource_group_name", resource_group_name, "str", max_length=90, min_length=1 + ), + "clusterRp": _SERIALIZER.url("cluster_rp", cluster_rp, "str"), + "clusterResourceName": _SERIALIZER.url("cluster_resource_name", cluster_resource_name, "str"), + "clusterName": _SERIALIZER.url("cluster_name", cluster_name, "str"), + "extensionName": _SERIALIZER.url("extension_name", extension_name, "str"), + } + + _url = _format_url_section(_url, **path_format_arguments) + + # Construct parameters + _params["api-version"] = _SERIALIZER.query("api_version", api_version, "str") + + # Construct headers + _headers["Accept"] = _SERIALIZER.header("accept", accept, "str") + + return HttpRequest(method="GET", url=_url, params=_params, headers=_headers, **kwargs) + + +def build_delete_request( + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + subscription_id: str, + *, + force_delete: Optional[bool] = None, + **kwargs: Any +) -> HttpRequest: + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + accept = _headers.pop("Accept", "application/json") + + # Construct URL + _url = kwargs.pop( + "template_url", + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}", + ) # pylint: disable=line-too-long + path_format_arguments = { + "subscriptionId": _SERIALIZER.url("subscription_id", subscription_id, "str", min_length=1), + "resourceGroupName": _SERIALIZER.url( + "resource_group_name", resource_group_name, "str", max_length=90, min_length=1 + ), + "clusterRp": _SERIALIZER.url("cluster_rp", cluster_rp, "str"), + "clusterResourceName": _SERIALIZER.url("cluster_resource_name", cluster_resource_name, "str"), + "clusterName": _SERIALIZER.url("cluster_name", cluster_name, "str"), + "extensionName": _SERIALIZER.url("extension_name", extension_name, "str"), + } + + _url = _format_url_section(_url, **path_format_arguments) + + # Construct parameters + _params["api-version"] = _SERIALIZER.query("api_version", api_version, "str") + if force_delete is not None: + _params["forceDelete"] = _SERIALIZER.query("force_delete", force_delete, "bool") + + # Construct headers + _headers["Accept"] = _SERIALIZER.header("accept", accept, "str") + + return HttpRequest(method="DELETE", url=_url, params=_params, headers=_headers, **kwargs) + + +def build_update_request( + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + subscription_id: str, + **kwargs: Any +) -> HttpRequest: + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + accept = _headers.pop("Accept", "application/json") + + # Construct URL + _url = kwargs.pop( + "template_url", + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}", + ) # pylint: disable=line-too-long + path_format_arguments = { + "subscriptionId": _SERIALIZER.url("subscription_id", subscription_id, "str", min_length=1), + "resourceGroupName": _SERIALIZER.url( + "resource_group_name", resource_group_name, "str", max_length=90, min_length=1 + ), + "clusterRp": _SERIALIZER.url("cluster_rp", cluster_rp, "str"), + "clusterResourceName": _SERIALIZER.url("cluster_resource_name", cluster_resource_name, "str"), + "clusterName": _SERIALIZER.url("cluster_name", cluster_name, "str"), + "extensionName": _SERIALIZER.url("extension_name", extension_name, "str"), + } + + _url = _format_url_section(_url, **path_format_arguments) + + # Construct parameters + _params["api-version"] = _SERIALIZER.query("api_version", api_version, "str") + + # Construct headers + if content_type is not None: + _headers["Content-Type"] = _SERIALIZER.header("content_type", content_type, "str") + _headers["Accept"] = _SERIALIZER.header("accept", accept, "str") + + return HttpRequest(method="PATCH", url=_url, params=_params, headers=_headers, **kwargs) + + +def build_list_request( + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + subscription_id: str, + **kwargs: Any +) -> HttpRequest: + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + accept = _headers.pop("Accept", "application/json") + + # Construct URL + _url = kwargs.pop( + "template_url", + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions", + ) # pylint: disable=line-too-long + path_format_arguments = { + "subscriptionId": _SERIALIZER.url("subscription_id", subscription_id, "str", min_length=1), + "resourceGroupName": _SERIALIZER.url( + "resource_group_name", resource_group_name, "str", max_length=90, min_length=1 + ), + "clusterRp": _SERIALIZER.url("cluster_rp", cluster_rp, "str"), + "clusterResourceName": _SERIALIZER.url("cluster_resource_name", cluster_resource_name, "str"), + "clusterName": _SERIALIZER.url("cluster_name", cluster_name, "str"), + } + + _url = _format_url_section(_url, **path_format_arguments) + + # Construct parameters + _params["api-version"] = _SERIALIZER.query("api_version", api_version, "str") + + # Construct headers + _headers["Accept"] = _SERIALIZER.header("accept", accept, "str") + + return HttpRequest(method="GET", url=_url, params=_params, headers=_headers, **kwargs) + + +class ExtensionsOperations: + """ + .. warning:: + **DO NOT** instantiate this class directly. + + Instead, you should access the following operations through + :class:`~azure.mgmt.kubernetesconfiguration.v2022_07_01.SourceControlConfigurationClient`'s + :attr:`extensions` attribute. + """ + + models = _models + + def __init__(self, *args, **kwargs): + input_args = list(args) + self._client = input_args.pop(0) if input_args else kwargs.pop("client") + self._config = input_args.pop(0) if input_args else kwargs.pop("config") + self._serialize = input_args.pop(0) if input_args else kwargs.pop("serializer") + self._deserialize = input_args.pop(0) if input_args else kwargs.pop("deserializer") + + def _create_initial( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + extension: Union[_models.Extension, IO], + **kwargs: Any + ) -> _models.Extension: + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + cls = kwargs.pop("cls", None) # type: ClsType[_models.Extension] + + content_type = content_type or "application/json" + _json = None + _content = None + if isinstance(extension, (IO, bytes)): + _content = extension + else: + _json = self._serialize.body(extension, "Extension") + + request = build_create_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + extension_name=extension_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + content_type=content_type, + json=_json, + content=_content, + template_url=self._create_initial.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200, 201]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + if response.status_code == 200: + deserialized = self._deserialize("Extension", pipeline_response) + + if response.status_code == 201: + deserialized = self._deserialize("Extension", pipeline_response) + + if cls: + return cls(pipeline_response, deserialized, {}) + + return deserialized + + _create_initial.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}"} # type: ignore + + @overload + def begin_create( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + extension: _models.Extension, + *, + content_type: str = "application/json", + **kwargs: Any + ) -> LROPoller[_models.Extension]: + """Create a new Kubernetes Cluster Extension. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param extension_name: Name of the Extension. Required. + :type extension_name: str + :param extension: Properties necessary to Create an Extension. Required. + :type extension: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.Extension + :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. + Default value is "application/json". + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be ARMPolling. Pass in False for this + operation to not poll, or pass in your own initialized polling object for a personal polling + strategy. + :paramtype polling: bool or ~azure.core.polling.PollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of LROPoller that returns either Extension or the result of cls(response) + :rtype: + ~azure.core.polling.LROPoller[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.Extension] + :raises ~azure.core.exceptions.HttpResponseError: + """ + + @overload + def begin_create( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + extension: IO, + *, + content_type: str = "application/json", + **kwargs: Any + ) -> LROPoller[_models.Extension]: + """Create a new Kubernetes Cluster Extension. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param extension_name: Name of the Extension. Required. + :type extension_name: str + :param extension: Properties necessary to Create an Extension. Required. + :type extension: IO + :keyword content_type: Body Parameter content-type. Content type parameter for binary body. + Default value is "application/json". + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be ARMPolling. Pass in False for this + operation to not poll, or pass in your own initialized polling object for a personal polling + strategy. + :paramtype polling: bool or ~azure.core.polling.PollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of LROPoller that returns either Extension or the result of cls(response) + :rtype: + ~azure.core.polling.LROPoller[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.Extension] + :raises ~azure.core.exceptions.HttpResponseError: + """ + + @distributed_trace + def begin_create( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + extension: Union[_models.Extension, IO], + **kwargs: Any + ) -> LROPoller[_models.Extension]: + """Create a new Kubernetes Cluster Extension. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param extension_name: Name of the Extension. Required. + :type extension_name: str + :param extension: Properties necessary to Create an Extension. Is either a model type or a IO + type. Required. + :type extension: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.Extension or IO + :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. + Default value is None. + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be ARMPolling. Pass in False for this + operation to not poll, or pass in your own initialized polling object for a personal polling + strategy. + :paramtype polling: bool or ~azure.core.polling.PollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of LROPoller that returns either Extension or the result of cls(response) + :rtype: + ~azure.core.polling.LROPoller[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.Extension] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + cls = kwargs.pop("cls", None) # type: ClsType[_models.Extension] + polling = kwargs.pop("polling", True) # type: Union[bool, PollingMethod] + lro_delay = kwargs.pop("polling_interval", self._config.polling_interval) + cont_token = kwargs.pop("continuation_token", None) # type: Optional[str] + if cont_token is None: + raw_result = self._create_initial( # type: ignore + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + extension_name=extension_name, + extension=extension, + api_version=api_version, + content_type=content_type, + cls=lambda x, y, z: x, + headers=_headers, + params=_params, + **kwargs + ) + kwargs.pop("error_map", None) + + def get_long_running_output(pipeline_response): + deserialized = self._deserialize("Extension", pipeline_response) + if cls: + return cls(pipeline_response, deserialized, {}) + return deserialized + + if polling is True: + polling_method = cast( + PollingMethod, ARMPolling(lro_delay, lro_options={"final-state-via": "azure-async-operation"}, **kwargs) + ) # type: PollingMethod + elif polling is False: + polling_method = cast(PollingMethod, NoPolling()) + else: + polling_method = polling + if cont_token: + return LROPoller.from_continuation_token( + polling_method=polling_method, + continuation_token=cont_token, + client=self._client, + deserialization_callback=get_long_running_output, + ) + return LROPoller(self._client, raw_result, get_long_running_output, polling_method) + + begin_create.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}"} # type: ignore + + @distributed_trace + def get( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + **kwargs: Any + ) -> _models.Extension: + """Gets Kubernetes Cluster Extension. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param extension_name: Name of the Extension. Required. + :type extension_name: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: Extension or the result of cls(response) + :rtype: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.Extension + :raises ~azure.core.exceptions.HttpResponseError: + """ + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + cls = kwargs.pop("cls", None) # type: ClsType[_models.Extension] + + request = build_get_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + extension_name=extension_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + template_url=self.get.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + deserialized = self._deserialize("Extension", pipeline_response) + + if cls: + return cls(pipeline_response, deserialized, {}) + + return deserialized + + get.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}"} # type: ignore + + def _delete_initial( # pylint: disable=inconsistent-return-statements + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + force_delete: Optional[bool] = None, + **kwargs: Any + ) -> None: + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + cls = kwargs.pop("cls", None) # type: ClsType[None] + + request = build_delete_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + extension_name=extension_name, + subscription_id=self._config.subscription_id, + force_delete=force_delete, + api_version=api_version, + template_url=self._delete_initial.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200, 202, 204]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + if cls: + return cls(pipeline_response, None, {}) + + _delete_initial.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}"} # type: ignore + + @distributed_trace + def begin_delete( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + force_delete: Optional[bool] = None, + **kwargs: Any + ) -> LROPoller[None]: + """Delete a Kubernetes Cluster Extension. This will cause the Agent to Uninstall the extension + from the cluster. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param extension_name: Name of the Extension. Required. + :type extension_name: str + :param force_delete: Delete the extension resource in Azure - not the normal asynchronous + delete. Default value is None. + :type force_delete: bool + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be ARMPolling. Pass in False for this + operation to not poll, or pass in your own initialized polling object for a personal polling + strategy. + :paramtype polling: bool or ~azure.core.polling.PollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of LROPoller that returns either None or the result of cls(response) + :rtype: ~azure.core.polling.LROPoller[None] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + cls = kwargs.pop("cls", None) # type: ClsType[None] + polling = kwargs.pop("polling", True) # type: Union[bool, PollingMethod] + lro_delay = kwargs.pop("polling_interval", self._config.polling_interval) + cont_token = kwargs.pop("continuation_token", None) # type: Optional[str] + if cont_token is None: + raw_result = self._delete_initial( # type: ignore + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + extension_name=extension_name, + force_delete=force_delete, + api_version=api_version, + cls=lambda x, y, z: x, + headers=_headers, + params=_params, + **kwargs + ) + kwargs.pop("error_map", None) + + def get_long_running_output(pipeline_response): # pylint: disable=inconsistent-return-statements + if cls: + return cls(pipeline_response, None, {}) + + if polling is True: + polling_method = cast( + PollingMethod, ARMPolling(lro_delay, lro_options={"final-state-via": "azure-async-operation"}, **kwargs) + ) # type: PollingMethod + elif polling is False: + polling_method = cast(PollingMethod, NoPolling()) + else: + polling_method = polling + if cont_token: + return LROPoller.from_continuation_token( + polling_method=polling_method, + continuation_token=cont_token, + client=self._client, + deserialization_callback=get_long_running_output, + ) + return LROPoller(self._client, raw_result, get_long_running_output, polling_method) + + begin_delete.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}"} # type: ignore + + def _update_initial( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + patch_extension: Union[_models.PatchExtension, IO], + **kwargs: Any + ) -> _models.Extension: + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + cls = kwargs.pop("cls", None) # type: ClsType[_models.Extension] + + content_type = content_type or "application/json" + _json = None + _content = None + if isinstance(patch_extension, (IO, bytes)): + _content = patch_extension + else: + _json = self._serialize.body(patch_extension, "PatchExtension") + + request = build_update_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + extension_name=extension_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + content_type=content_type, + json=_json, + content=_content, + template_url=self._update_initial.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200, 202]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + if response.status_code == 200: + deserialized = self._deserialize("Extension", pipeline_response) + + if response.status_code == 202: + deserialized = self._deserialize("Extension", pipeline_response) + + if cls: + return cls(pipeline_response, deserialized, {}) + + return deserialized + + _update_initial.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}"} # type: ignore + + @overload + def begin_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + patch_extension: _models.PatchExtension, + *, + content_type: str = "application/json", + **kwargs: Any + ) -> LROPoller[_models.Extension]: + """Patch an existing Kubernetes Cluster Extension. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param extension_name: Name of the Extension. Required. + :type extension_name: str + :param patch_extension: Properties to Patch in an existing Extension. Required. + :type patch_extension: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.PatchExtension + :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. + Default value is "application/json". + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be ARMPolling. Pass in False for this + operation to not poll, or pass in your own initialized polling object for a personal polling + strategy. + :paramtype polling: bool or ~azure.core.polling.PollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of LROPoller that returns either Extension or the result of cls(response) + :rtype: + ~azure.core.polling.LROPoller[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.Extension] + :raises ~azure.core.exceptions.HttpResponseError: + """ + + @overload + def begin_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + patch_extension: IO, + *, + content_type: str = "application/json", + **kwargs: Any + ) -> LROPoller[_models.Extension]: + """Patch an existing Kubernetes Cluster Extension. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param extension_name: Name of the Extension. Required. + :type extension_name: str + :param patch_extension: Properties to Patch in an existing Extension. Required. + :type patch_extension: IO + :keyword content_type: Body Parameter content-type. Content type parameter for binary body. + Default value is "application/json". + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be ARMPolling. Pass in False for this + operation to not poll, or pass in your own initialized polling object for a personal polling + strategy. + :paramtype polling: bool or ~azure.core.polling.PollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of LROPoller that returns either Extension or the result of cls(response) + :rtype: + ~azure.core.polling.LROPoller[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.Extension] + :raises ~azure.core.exceptions.HttpResponseError: + """ + + @distributed_trace + def begin_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + patch_extension: Union[_models.PatchExtension, IO], + **kwargs: Any + ) -> LROPoller[_models.Extension]: + """Patch an existing Kubernetes Cluster Extension. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param extension_name: Name of the Extension. Required. + :type extension_name: str + :param patch_extension: Properties to Patch in an existing Extension. Is either a model type or + a IO type. Required. + :type patch_extension: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.PatchExtension or + IO + :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. + Default value is None. + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be ARMPolling. Pass in False for this + operation to not poll, or pass in your own initialized polling object for a personal polling + strategy. + :paramtype polling: bool or ~azure.core.polling.PollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of LROPoller that returns either Extension or the result of cls(response) + :rtype: + ~azure.core.polling.LROPoller[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.Extension] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + cls = kwargs.pop("cls", None) # type: ClsType[_models.Extension] + polling = kwargs.pop("polling", True) # type: Union[bool, PollingMethod] + lro_delay = kwargs.pop("polling_interval", self._config.polling_interval) + cont_token = kwargs.pop("continuation_token", None) # type: Optional[str] + if cont_token is None: + raw_result = self._update_initial( # type: ignore + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + extension_name=extension_name, + patch_extension=patch_extension, + api_version=api_version, + content_type=content_type, + cls=lambda x, y, z: x, + headers=_headers, + params=_params, + **kwargs + ) + kwargs.pop("error_map", None) + + def get_long_running_output(pipeline_response): + deserialized = self._deserialize("Extension", pipeline_response) + if cls: + return cls(pipeline_response, deserialized, {}) + return deserialized + + if polling is True: + polling_method = cast( + PollingMethod, ARMPolling(lro_delay, lro_options={"final-state-via": "azure-async-operation"}, **kwargs) + ) # type: PollingMethod + elif polling is False: + polling_method = cast(PollingMethod, NoPolling()) + else: + polling_method = polling + if cont_token: + return LROPoller.from_continuation_token( + polling_method=polling_method, + continuation_token=cont_token, + client=self._client, + deserialization_callback=get_long_running_output, + ) + return LROPoller(self._client, raw_result, get_long_running_output, polling_method) + + begin_update.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}"} # type: ignore + + @distributed_trace + def list( + self, resource_group_name: str, cluster_rp: str, cluster_resource_name: str, cluster_name: str, **kwargs: Any + ) -> Iterable["_models.Extension"]: + """List all Extensions in the cluster. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: An iterator like instance of either Extension or the result of cls(response) + :rtype: + ~azure.core.paging.ItemPaged[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.Extension] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + cls = kwargs.pop("cls", None) # type: ClsType[_models.ExtensionsList] + + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + def prepare_request(next_link=None): + if not next_link: + + request = build_list_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + template_url=self.list.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + else: + # make call to next link with the client's api-version + _parsed_next_link = urllib.parse.urlparse(next_link) + _next_request_params = case_insensitive_dict( + { + key: [urllib.parse.quote(v) for v in value] + for key, value in urllib.parse.parse_qs(_parsed_next_link.query).items() + } + ) + _next_request_params["api-version"] = self._config.api_version + request = HttpRequest( + "GET", urllib.parse.urljoin(next_link, _parsed_next_link.path), params=_next_request_params + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + request.method = "GET" + return request + + def extract_data(pipeline_response): + deserialized = self._deserialize("ExtensionsList", pipeline_response) + list_of_elem = deserialized.value + if cls: + list_of_elem = cls(list_of_elem) + return deserialized.next_link or None, iter(list_of_elem) + + def get_next(next_link=None): + request = prepare_request(next_link) + + pipeline_response = self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + response = pipeline_response.http_response + + if response.status_code not in [200]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + return pipeline_response + + return ItemPaged(get_next, extract_data) + + list.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions"} # type: ignore diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/operations/_flux_config_operation_status_operations.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/operations/_flux_config_operation_status_operations.py new file mode 100644 index 00000000000..ec7ab17e851 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/operations/_flux_config_operation_status_operations.py @@ -0,0 +1,186 @@ +# pylint: disable=too-many-lines +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- +import sys +from typing import Any, Callable, Dict, Optional, TypeVar + +from azure.core.exceptions import ( + ClientAuthenticationError, + HttpResponseError, + ResourceExistsError, + ResourceNotFoundError, + ResourceNotModifiedError, + map_error, +) +from azure.core.pipeline import PipelineResponse +from azure.core.pipeline.transport import HttpResponse +from azure.core.rest import HttpRequest +from azure.core.tracing.decorator import distributed_trace +from azure.core.utils import case_insensitive_dict +from azure.mgmt.core.exceptions import ARMErrorFormat + +from .. import models as _models +from ..._serialization import Serializer +from .._vendor import _convert_request, _format_url_section + +if sys.version_info >= (3, 8): + from typing import Literal # pylint: disable=no-name-in-module, ungrouped-imports +else: + from typing_extensions import Literal # type: ignore # pylint: disable=ungrouped-imports +T = TypeVar("T") +ClsType = Optional[Callable[[PipelineResponse[HttpRequest, HttpResponse], T, Dict[str, Any]], Any]] + +_SERIALIZER = Serializer() +_SERIALIZER.client_side_validation = False + + +def build_get_request( + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + operation_id: str, + subscription_id: str, + **kwargs: Any +) -> HttpRequest: + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + accept = _headers.pop("Accept", "application/json") + + # Construct URL + _url = kwargs.pop( + "template_url", + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}/operations/{operationId}", + ) # pylint: disable=line-too-long + path_format_arguments = { + "subscriptionId": _SERIALIZER.url("subscription_id", subscription_id, "str", min_length=1), + "resourceGroupName": _SERIALIZER.url( + "resource_group_name", resource_group_name, "str", max_length=90, min_length=1 + ), + "clusterRp": _SERIALIZER.url("cluster_rp", cluster_rp, "str"), + "clusterResourceName": _SERIALIZER.url("cluster_resource_name", cluster_resource_name, "str"), + "clusterName": _SERIALIZER.url("cluster_name", cluster_name, "str"), + "fluxConfigurationName": _SERIALIZER.url("flux_configuration_name", flux_configuration_name, "str"), + "operationId": _SERIALIZER.url("operation_id", operation_id, "str"), + } + + _url = _format_url_section(_url, **path_format_arguments) + + # Construct parameters + _params["api-version"] = _SERIALIZER.query("api_version", api_version, "str") + + # Construct headers + _headers["Accept"] = _SERIALIZER.header("accept", accept, "str") + + return HttpRequest(method="GET", url=_url, params=_params, headers=_headers, **kwargs) + + +class FluxConfigOperationStatusOperations: + """ + .. warning:: + **DO NOT** instantiate this class directly. + + Instead, you should access the following operations through + :class:`~azure.mgmt.kubernetesconfiguration.v2022_07_01.SourceControlConfigurationClient`'s + :attr:`flux_config_operation_status` attribute. + """ + + models = _models + + def __init__(self, *args, **kwargs): + input_args = list(args) + self._client = input_args.pop(0) if input_args else kwargs.pop("client") + self._config = input_args.pop(0) if input_args else kwargs.pop("config") + self._serialize = input_args.pop(0) if input_args else kwargs.pop("serializer") + self._deserialize = input_args.pop(0) if input_args else kwargs.pop("deserializer") + + @distributed_trace + def get( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + operation_id: str, + **kwargs: Any + ) -> _models.OperationStatusResult: + """Get Async Operation status. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param flux_configuration_name: Name of the Flux Configuration. Required. + :type flux_configuration_name: str + :param operation_id: operation Id. Required. + :type operation_id: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: OperationStatusResult or the result of cls(response) + :rtype: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.OperationStatusResult + :raises ~azure.core.exceptions.HttpResponseError: + """ + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + cls = kwargs.pop("cls", None) # type: ClsType[_models.OperationStatusResult] + + request = build_get_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + flux_configuration_name=flux_configuration_name, + operation_id=operation_id, + subscription_id=self._config.subscription_id, + api_version=api_version, + template_url=self.get.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + deserialized = self._deserialize("OperationStatusResult", pipeline_response) + + if cls: + return cls(pipeline_response, deserialized, {}) + + return deserialized + + get.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}/operations/{operationId}"} # type: ignore diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/operations/_flux_configurations_operations.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/operations/_flux_configurations_operations.py new file mode 100644 index 00000000000..5dd6cb1009d --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/operations/_flux_configurations_operations.py @@ -0,0 +1,1145 @@ +# pylint: disable=too-many-lines +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- +import sys +from typing import Any, Callable, Dict, IO, Iterable, Optional, TypeVar, Union, cast, overload +import urllib.parse + +from azure.core.exceptions import ( + ClientAuthenticationError, + HttpResponseError, + ResourceExistsError, + ResourceNotFoundError, + ResourceNotModifiedError, + map_error, +) +from azure.core.paging import ItemPaged +from azure.core.pipeline import PipelineResponse +from azure.core.pipeline.transport import HttpResponse +from azure.core.polling import LROPoller, NoPolling, PollingMethod +from azure.core.rest import HttpRequest +from azure.core.tracing.decorator import distributed_trace +from azure.core.utils import case_insensitive_dict +from azure.mgmt.core.exceptions import ARMErrorFormat +from azure.mgmt.core.polling.arm_polling import ARMPolling + +from .. import models as _models +from ..._serialization import Serializer +from .._vendor import _convert_request, _format_url_section + +if sys.version_info >= (3, 8): + from typing import Literal # pylint: disable=no-name-in-module, ungrouped-imports +else: + from typing_extensions import Literal # type: ignore # pylint: disable=ungrouped-imports +T = TypeVar("T") +ClsType = Optional[Callable[[PipelineResponse[HttpRequest, HttpResponse], T, Dict[str, Any]], Any]] + +_SERIALIZER = Serializer() +_SERIALIZER.client_side_validation = False + + +def build_get_request( + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + subscription_id: str, + **kwargs: Any +) -> HttpRequest: + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + accept = _headers.pop("Accept", "application/json") + + # Construct URL + _url = kwargs.pop( + "template_url", + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}", + ) # pylint: disable=line-too-long + path_format_arguments = { + "subscriptionId": _SERIALIZER.url("subscription_id", subscription_id, "str", min_length=1), + "resourceGroupName": _SERIALIZER.url( + "resource_group_name", resource_group_name, "str", max_length=90, min_length=1 + ), + "clusterRp": _SERIALIZER.url("cluster_rp", cluster_rp, "str"), + "clusterResourceName": _SERIALIZER.url("cluster_resource_name", cluster_resource_name, "str"), + "clusterName": _SERIALIZER.url("cluster_name", cluster_name, "str"), + "fluxConfigurationName": _SERIALIZER.url("flux_configuration_name", flux_configuration_name, "str"), + } + + _url = _format_url_section(_url, **path_format_arguments) + + # Construct parameters + _params["api-version"] = _SERIALIZER.query("api_version", api_version, "str") + + # Construct headers + _headers["Accept"] = _SERIALIZER.header("accept", accept, "str") + + return HttpRequest(method="GET", url=_url, params=_params, headers=_headers, **kwargs) + + +def build_create_or_update_request( + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + subscription_id: str, + **kwargs: Any +) -> HttpRequest: + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + accept = _headers.pop("Accept", "application/json") + + # Construct URL + _url = kwargs.pop( + "template_url", + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}", + ) # pylint: disable=line-too-long + path_format_arguments = { + "subscriptionId": _SERIALIZER.url("subscription_id", subscription_id, "str", min_length=1), + "resourceGroupName": _SERIALIZER.url( + "resource_group_name", resource_group_name, "str", max_length=90, min_length=1 + ), + "clusterRp": _SERIALIZER.url("cluster_rp", cluster_rp, "str"), + "clusterResourceName": _SERIALIZER.url("cluster_resource_name", cluster_resource_name, "str"), + "clusterName": _SERIALIZER.url("cluster_name", cluster_name, "str"), + "fluxConfigurationName": _SERIALIZER.url("flux_configuration_name", flux_configuration_name, "str"), + } + + _url = _format_url_section(_url, **path_format_arguments) + + # Construct parameters + _params["api-version"] = _SERIALIZER.query("api_version", api_version, "str") + + # Construct headers + if content_type is not None: + _headers["Content-Type"] = _SERIALIZER.header("content_type", content_type, "str") + _headers["Accept"] = _SERIALIZER.header("accept", accept, "str") + + return HttpRequest(method="PUT", url=_url, params=_params, headers=_headers, **kwargs) + + +def build_update_request( + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + subscription_id: str, + **kwargs: Any +) -> HttpRequest: + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + accept = _headers.pop("Accept", "application/json") + + # Construct URL + _url = kwargs.pop( + "template_url", + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}", + ) # pylint: disable=line-too-long + path_format_arguments = { + "subscriptionId": _SERIALIZER.url("subscription_id", subscription_id, "str", min_length=1), + "resourceGroupName": _SERIALIZER.url( + "resource_group_name", resource_group_name, "str", max_length=90, min_length=1 + ), + "clusterRp": _SERIALIZER.url("cluster_rp", cluster_rp, "str"), + "clusterResourceName": _SERIALIZER.url("cluster_resource_name", cluster_resource_name, "str"), + "clusterName": _SERIALIZER.url("cluster_name", cluster_name, "str"), + "fluxConfigurationName": _SERIALIZER.url("flux_configuration_name", flux_configuration_name, "str"), + } + + _url = _format_url_section(_url, **path_format_arguments) + + # Construct parameters + _params["api-version"] = _SERIALIZER.query("api_version", api_version, "str") + + # Construct headers + if content_type is not None: + _headers["Content-Type"] = _SERIALIZER.header("content_type", content_type, "str") + _headers["Accept"] = _SERIALIZER.header("accept", accept, "str") + + return HttpRequest(method="PATCH", url=_url, params=_params, headers=_headers, **kwargs) + + +def build_delete_request( + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + subscription_id: str, + *, + force_delete: Optional[bool] = None, + **kwargs: Any +) -> HttpRequest: + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + accept = _headers.pop("Accept", "application/json") + + # Construct URL + _url = kwargs.pop( + "template_url", + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}", + ) # pylint: disable=line-too-long + path_format_arguments = { + "subscriptionId": _SERIALIZER.url("subscription_id", subscription_id, "str", min_length=1), + "resourceGroupName": _SERIALIZER.url( + "resource_group_name", resource_group_name, "str", max_length=90, min_length=1 + ), + "clusterRp": _SERIALIZER.url("cluster_rp", cluster_rp, "str"), + "clusterResourceName": _SERIALIZER.url("cluster_resource_name", cluster_resource_name, "str"), + "clusterName": _SERIALIZER.url("cluster_name", cluster_name, "str"), + "fluxConfigurationName": _SERIALIZER.url("flux_configuration_name", flux_configuration_name, "str"), + } + + _url = _format_url_section(_url, **path_format_arguments) + + # Construct parameters + _params["api-version"] = _SERIALIZER.query("api_version", api_version, "str") + if force_delete is not None: + _params["forceDelete"] = _SERIALIZER.query("force_delete", force_delete, "bool") + + # Construct headers + _headers["Accept"] = _SERIALIZER.header("accept", accept, "str") + + return HttpRequest(method="DELETE", url=_url, params=_params, headers=_headers, **kwargs) + + +def build_list_request( + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + subscription_id: str, + **kwargs: Any +) -> HttpRequest: + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + accept = _headers.pop("Accept", "application/json") + + # Construct URL + _url = kwargs.pop( + "template_url", + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations", + ) # pylint: disable=line-too-long + path_format_arguments = { + "subscriptionId": _SERIALIZER.url("subscription_id", subscription_id, "str", min_length=1), + "resourceGroupName": _SERIALIZER.url( + "resource_group_name", resource_group_name, "str", max_length=90, min_length=1 + ), + "clusterRp": _SERIALIZER.url("cluster_rp", cluster_rp, "str"), + "clusterResourceName": _SERIALIZER.url("cluster_resource_name", cluster_resource_name, "str"), + "clusterName": _SERIALIZER.url("cluster_name", cluster_name, "str"), + } + + _url = _format_url_section(_url, **path_format_arguments) + + # Construct parameters + _params["api-version"] = _SERIALIZER.query("api_version", api_version, "str") + + # Construct headers + _headers["Accept"] = _SERIALIZER.header("accept", accept, "str") + + return HttpRequest(method="GET", url=_url, params=_params, headers=_headers, **kwargs) + + +class FluxConfigurationsOperations: + """ + .. warning:: + **DO NOT** instantiate this class directly. + + Instead, you should access the following operations through + :class:`~azure.mgmt.kubernetesconfiguration.v2022_07_01.SourceControlConfigurationClient`'s + :attr:`flux_configurations` attribute. + """ + + models = _models + + def __init__(self, *args, **kwargs): + input_args = list(args) + self._client = input_args.pop(0) if input_args else kwargs.pop("client") + self._config = input_args.pop(0) if input_args else kwargs.pop("config") + self._serialize = input_args.pop(0) if input_args else kwargs.pop("serializer") + self._deserialize = input_args.pop(0) if input_args else kwargs.pop("deserializer") + + @distributed_trace + def get( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + **kwargs: Any + ) -> _models.FluxConfiguration: + """Gets details of the Flux Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param flux_configuration_name: Name of the Flux Configuration. Required. + :type flux_configuration_name: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: FluxConfiguration or the result of cls(response) + :rtype: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.FluxConfiguration + :raises ~azure.core.exceptions.HttpResponseError: + """ + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + cls = kwargs.pop("cls", None) # type: ClsType[_models.FluxConfiguration] + + request = build_get_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + flux_configuration_name=flux_configuration_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + template_url=self.get.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + deserialized = self._deserialize("FluxConfiguration", pipeline_response) + + if cls: + return cls(pipeline_response, deserialized, {}) + + return deserialized + + get.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}"} # type: ignore + + def _create_or_update_initial( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + flux_configuration: Union[_models.FluxConfiguration, IO], + **kwargs: Any + ) -> _models.FluxConfiguration: + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + cls = kwargs.pop("cls", None) # type: ClsType[_models.FluxConfiguration] + + content_type = content_type or "application/json" + _json = None + _content = None + if isinstance(flux_configuration, (IO, bytes)): + _content = flux_configuration + else: + _json = self._serialize.body(flux_configuration, "FluxConfiguration") + + request = build_create_or_update_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + flux_configuration_name=flux_configuration_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + content_type=content_type, + json=_json, + content=_content, + template_url=self._create_or_update_initial.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200, 201]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + if response.status_code == 200: + deserialized = self._deserialize("FluxConfiguration", pipeline_response) + + if response.status_code == 201: + deserialized = self._deserialize("FluxConfiguration", pipeline_response) + + if cls: + return cls(pipeline_response, deserialized, {}) + + return deserialized + + _create_or_update_initial.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}"} # type: ignore + + @overload + def begin_create_or_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + flux_configuration: _models.FluxConfiguration, + *, + content_type: str = "application/json", + **kwargs: Any + ) -> LROPoller[_models.FluxConfiguration]: + """Create a new Kubernetes Flux Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param flux_configuration_name: Name of the Flux Configuration. Required. + :type flux_configuration_name: str + :param flux_configuration: Properties necessary to Create a FluxConfiguration. Required. + :type flux_configuration: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.FluxConfiguration + :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. + Default value is "application/json". + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be ARMPolling. Pass in False for this + operation to not poll, or pass in your own initialized polling object for a personal polling + strategy. + :paramtype polling: bool or ~azure.core.polling.PollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of LROPoller that returns either FluxConfiguration or the result of + cls(response) + :rtype: + ~azure.core.polling.LROPoller[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.FluxConfiguration] + :raises ~azure.core.exceptions.HttpResponseError: + """ + + @overload + def begin_create_or_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + flux_configuration: IO, + *, + content_type: str = "application/json", + **kwargs: Any + ) -> LROPoller[_models.FluxConfiguration]: + """Create a new Kubernetes Flux Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param flux_configuration_name: Name of the Flux Configuration. Required. + :type flux_configuration_name: str + :param flux_configuration: Properties necessary to Create a FluxConfiguration. Required. + :type flux_configuration: IO + :keyword content_type: Body Parameter content-type. Content type parameter for binary body. + Default value is "application/json". + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be ARMPolling. Pass in False for this + operation to not poll, or pass in your own initialized polling object for a personal polling + strategy. + :paramtype polling: bool or ~azure.core.polling.PollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of LROPoller that returns either FluxConfiguration or the result of + cls(response) + :rtype: + ~azure.core.polling.LROPoller[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.FluxConfiguration] + :raises ~azure.core.exceptions.HttpResponseError: + """ + + @distributed_trace + def begin_create_or_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + flux_configuration: Union[_models.FluxConfiguration, IO], + **kwargs: Any + ) -> LROPoller[_models.FluxConfiguration]: + """Create a new Kubernetes Flux Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param flux_configuration_name: Name of the Flux Configuration. Required. + :type flux_configuration_name: str + :param flux_configuration: Properties necessary to Create a FluxConfiguration. Is either a + model type or a IO type. Required. + :type flux_configuration: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.FluxConfiguration or IO + :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. + Default value is None. + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be ARMPolling. Pass in False for this + operation to not poll, or pass in your own initialized polling object for a personal polling + strategy. + :paramtype polling: bool or ~azure.core.polling.PollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of LROPoller that returns either FluxConfiguration or the result of + cls(response) + :rtype: + ~azure.core.polling.LROPoller[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.FluxConfiguration] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + cls = kwargs.pop("cls", None) # type: ClsType[_models.FluxConfiguration] + polling = kwargs.pop("polling", True) # type: Union[bool, PollingMethod] + lro_delay = kwargs.pop("polling_interval", self._config.polling_interval) + cont_token = kwargs.pop("continuation_token", None) # type: Optional[str] + if cont_token is None: + raw_result = self._create_or_update_initial( # type: ignore + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + flux_configuration_name=flux_configuration_name, + flux_configuration=flux_configuration, + api_version=api_version, + content_type=content_type, + cls=lambda x, y, z: x, + headers=_headers, + params=_params, + **kwargs + ) + kwargs.pop("error_map", None) + + def get_long_running_output(pipeline_response): + deserialized = self._deserialize("FluxConfiguration", pipeline_response) + if cls: + return cls(pipeline_response, deserialized, {}) + return deserialized + + if polling is True: + polling_method = cast( + PollingMethod, ARMPolling(lro_delay, lro_options={"final-state-via": "azure-async-operation"}, **kwargs) + ) # type: PollingMethod + elif polling is False: + polling_method = cast(PollingMethod, NoPolling()) + else: + polling_method = polling + if cont_token: + return LROPoller.from_continuation_token( + polling_method=polling_method, + continuation_token=cont_token, + client=self._client, + deserialization_callback=get_long_running_output, + ) + return LROPoller(self._client, raw_result, get_long_running_output, polling_method) + + begin_create_or_update.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}"} # type: ignore + + def _update_initial( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + flux_configuration_patch: Union[_models.FluxConfigurationPatch, IO], + **kwargs: Any + ) -> _models.FluxConfiguration: + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + cls = kwargs.pop("cls", None) # type: ClsType[_models.FluxConfiguration] + + content_type = content_type or "application/json" + _json = None + _content = None + if isinstance(flux_configuration_patch, (IO, bytes)): + _content = flux_configuration_patch + else: + _json = self._serialize.body(flux_configuration_patch, "FluxConfigurationPatch") + + request = build_update_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + flux_configuration_name=flux_configuration_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + content_type=content_type, + json=_json, + content=_content, + template_url=self._update_initial.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200, 202]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + if response.status_code == 200: + deserialized = self._deserialize("FluxConfiguration", pipeline_response) + + if response.status_code == 202: + deserialized = self._deserialize("FluxConfiguration", pipeline_response) + + if cls: + return cls(pipeline_response, deserialized, {}) + + return deserialized + + _update_initial.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}"} # type: ignore + + @overload + def begin_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + flux_configuration_patch: _models.FluxConfigurationPatch, + *, + content_type: str = "application/json", + **kwargs: Any + ) -> LROPoller[_models.FluxConfiguration]: + """Update an existing Kubernetes Flux Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param flux_configuration_name: Name of the Flux Configuration. Required. + :type flux_configuration_name: str + :param flux_configuration_patch: Properties to Patch in an existing Flux Configuration. + Required. + :type flux_configuration_patch: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.FluxConfigurationPatch + :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. + Default value is "application/json". + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be ARMPolling. Pass in False for this + operation to not poll, or pass in your own initialized polling object for a personal polling + strategy. + :paramtype polling: bool or ~azure.core.polling.PollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of LROPoller that returns either FluxConfiguration or the result of + cls(response) + :rtype: + ~azure.core.polling.LROPoller[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.FluxConfiguration] + :raises ~azure.core.exceptions.HttpResponseError: + """ + + @overload + def begin_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + flux_configuration_patch: IO, + *, + content_type: str = "application/json", + **kwargs: Any + ) -> LROPoller[_models.FluxConfiguration]: + """Update an existing Kubernetes Flux Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param flux_configuration_name: Name of the Flux Configuration. Required. + :type flux_configuration_name: str + :param flux_configuration_patch: Properties to Patch in an existing Flux Configuration. + Required. + :type flux_configuration_patch: IO + :keyword content_type: Body Parameter content-type. Content type parameter for binary body. + Default value is "application/json". + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be ARMPolling. Pass in False for this + operation to not poll, or pass in your own initialized polling object for a personal polling + strategy. + :paramtype polling: bool or ~azure.core.polling.PollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of LROPoller that returns either FluxConfiguration or the result of + cls(response) + :rtype: + ~azure.core.polling.LROPoller[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.FluxConfiguration] + :raises ~azure.core.exceptions.HttpResponseError: + """ + + @distributed_trace + def begin_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + flux_configuration_patch: Union[_models.FluxConfigurationPatch, IO], + **kwargs: Any + ) -> LROPoller[_models.FluxConfiguration]: + """Update an existing Kubernetes Flux Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param flux_configuration_name: Name of the Flux Configuration. Required. + :type flux_configuration_name: str + :param flux_configuration_patch: Properties to Patch in an existing Flux Configuration. Is + either a model type or a IO type. Required. + :type flux_configuration_patch: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.FluxConfigurationPatch or IO + :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. + Default value is None. + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be ARMPolling. Pass in False for this + operation to not poll, or pass in your own initialized polling object for a personal polling + strategy. + :paramtype polling: bool or ~azure.core.polling.PollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of LROPoller that returns either FluxConfiguration or the result of + cls(response) + :rtype: + ~azure.core.polling.LROPoller[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.FluxConfiguration] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + cls = kwargs.pop("cls", None) # type: ClsType[_models.FluxConfiguration] + polling = kwargs.pop("polling", True) # type: Union[bool, PollingMethod] + lro_delay = kwargs.pop("polling_interval", self._config.polling_interval) + cont_token = kwargs.pop("continuation_token", None) # type: Optional[str] + if cont_token is None: + raw_result = self._update_initial( # type: ignore + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + flux_configuration_name=flux_configuration_name, + flux_configuration_patch=flux_configuration_patch, + api_version=api_version, + content_type=content_type, + cls=lambda x, y, z: x, + headers=_headers, + params=_params, + **kwargs + ) + kwargs.pop("error_map", None) + + def get_long_running_output(pipeline_response): + deserialized = self._deserialize("FluxConfiguration", pipeline_response) + if cls: + return cls(pipeline_response, deserialized, {}) + return deserialized + + if polling is True: + polling_method = cast( + PollingMethod, ARMPolling(lro_delay, lro_options={"final-state-via": "azure-async-operation"}, **kwargs) + ) # type: PollingMethod + elif polling is False: + polling_method = cast(PollingMethod, NoPolling()) + else: + polling_method = polling + if cont_token: + return LROPoller.from_continuation_token( + polling_method=polling_method, + continuation_token=cont_token, + client=self._client, + deserialization_callback=get_long_running_output, + ) + return LROPoller(self._client, raw_result, get_long_running_output, polling_method) + + begin_update.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}"} # type: ignore + + def _delete_initial( # pylint: disable=inconsistent-return-statements + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + force_delete: Optional[bool] = None, + **kwargs: Any + ) -> None: + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + cls = kwargs.pop("cls", None) # type: ClsType[None] + + request = build_delete_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + flux_configuration_name=flux_configuration_name, + subscription_id=self._config.subscription_id, + force_delete=force_delete, + api_version=api_version, + template_url=self._delete_initial.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200, 202, 204]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + if cls: + return cls(pipeline_response, None, {}) + + _delete_initial.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}"} # type: ignore + + @distributed_trace + def begin_delete( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + force_delete: Optional[bool] = None, + **kwargs: Any + ) -> LROPoller[None]: + """This will delete the YAML file used to set up the Flux Configuration, thus stopping future sync + from the source repo. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param flux_configuration_name: Name of the Flux Configuration. Required. + :type flux_configuration_name: str + :param force_delete: Delete the extension resource in Azure - not the normal asynchronous + delete. Default value is None. + :type force_delete: bool + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be ARMPolling. Pass in False for this + operation to not poll, or pass in your own initialized polling object for a personal polling + strategy. + :paramtype polling: bool or ~azure.core.polling.PollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of LROPoller that returns either None or the result of cls(response) + :rtype: ~azure.core.polling.LROPoller[None] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + cls = kwargs.pop("cls", None) # type: ClsType[None] + polling = kwargs.pop("polling", True) # type: Union[bool, PollingMethod] + lro_delay = kwargs.pop("polling_interval", self._config.polling_interval) + cont_token = kwargs.pop("continuation_token", None) # type: Optional[str] + if cont_token is None: + raw_result = self._delete_initial( # type: ignore + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + flux_configuration_name=flux_configuration_name, + force_delete=force_delete, + api_version=api_version, + cls=lambda x, y, z: x, + headers=_headers, + params=_params, + **kwargs + ) + kwargs.pop("error_map", None) + + def get_long_running_output(pipeline_response): # pylint: disable=inconsistent-return-statements + if cls: + return cls(pipeline_response, None, {}) + + if polling is True: + polling_method = cast( + PollingMethod, ARMPolling(lro_delay, lro_options={"final-state-via": "azure-async-operation"}, **kwargs) + ) # type: PollingMethod + elif polling is False: + polling_method = cast(PollingMethod, NoPolling()) + else: + polling_method = polling + if cont_token: + return LROPoller.from_continuation_token( + polling_method=polling_method, + continuation_token=cont_token, + client=self._client, + deserialization_callback=get_long_running_output, + ) + return LROPoller(self._client, raw_result, get_long_running_output, polling_method) + + begin_delete.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}"} # type: ignore + + @distributed_trace + def list( + self, resource_group_name: str, cluster_rp: str, cluster_resource_name: str, cluster_name: str, **kwargs: Any + ) -> Iterable["_models.FluxConfiguration"]: + """List all Flux Configurations. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: An iterator like instance of either FluxConfiguration or the result of cls(response) + :rtype: + ~azure.core.paging.ItemPaged[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.FluxConfiguration] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + cls = kwargs.pop("cls", None) # type: ClsType[_models.FluxConfigurationsList] + + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + def prepare_request(next_link=None): + if not next_link: + + request = build_list_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + template_url=self.list.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + else: + # make call to next link with the client's api-version + _parsed_next_link = urllib.parse.urlparse(next_link) + _next_request_params = case_insensitive_dict( + { + key: [urllib.parse.quote(v) for v in value] + for key, value in urllib.parse.parse_qs(_parsed_next_link.query).items() + } + ) + _next_request_params["api-version"] = self._config.api_version + request = HttpRequest( + "GET", urllib.parse.urljoin(next_link, _parsed_next_link.path), params=_next_request_params + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + request.method = "GET" + return request + + def extract_data(pipeline_response): + deserialized = self._deserialize("FluxConfigurationsList", pipeline_response) + list_of_elem = deserialized.value + if cls: + list_of_elem = cls(list_of_elem) + return deserialized.next_link or None, iter(list_of_elem) + + def get_next(next_link=None): + request = prepare_request(next_link) + + pipeline_response = self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + response = pipeline_response.http_response + + if response.status_code not in [200]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + return pipeline_response + + return ItemPaged(get_next, extract_data) + + list.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations"} # type: ignore diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/operations/_operation_status_operations.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/operations/_operation_status_operations.py new file mode 100644 index 00000000000..a557ad8b78d --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/operations/_operation_status_operations.py @@ -0,0 +1,327 @@ +# pylint: disable=too-many-lines +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- +import sys +from typing import Any, Callable, Dict, Iterable, Optional, TypeVar +import urllib.parse + +from azure.core.exceptions import ( + ClientAuthenticationError, + HttpResponseError, + ResourceExistsError, + ResourceNotFoundError, + ResourceNotModifiedError, + map_error, +) +from azure.core.paging import ItemPaged +from azure.core.pipeline import PipelineResponse +from azure.core.pipeline.transport import HttpResponse +from azure.core.rest import HttpRequest +from azure.core.tracing.decorator import distributed_trace +from azure.core.utils import case_insensitive_dict +from azure.mgmt.core.exceptions import ARMErrorFormat + +from .. import models as _models +from ..._serialization import Serializer +from .._vendor import _convert_request, _format_url_section + +if sys.version_info >= (3, 8): + from typing import Literal # pylint: disable=no-name-in-module, ungrouped-imports +else: + from typing_extensions import Literal # type: ignore # pylint: disable=ungrouped-imports +T = TypeVar("T") +ClsType = Optional[Callable[[PipelineResponse[HttpRequest, HttpResponse], T, Dict[str, Any]], Any]] + +_SERIALIZER = Serializer() +_SERIALIZER.client_side_validation = False + + +def build_get_request( + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + operation_id: str, + subscription_id: str, + **kwargs: Any +) -> HttpRequest: + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + accept = _headers.pop("Accept", "application/json") + + # Construct URL + _url = kwargs.pop( + "template_url", + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}/operations/{operationId}", + ) # pylint: disable=line-too-long + path_format_arguments = { + "subscriptionId": _SERIALIZER.url("subscription_id", subscription_id, "str", min_length=1), + "resourceGroupName": _SERIALIZER.url( + "resource_group_name", resource_group_name, "str", max_length=90, min_length=1 + ), + "clusterRp": _SERIALIZER.url("cluster_rp", cluster_rp, "str"), + "clusterResourceName": _SERIALIZER.url("cluster_resource_name", cluster_resource_name, "str"), + "clusterName": _SERIALIZER.url("cluster_name", cluster_name, "str"), + "extensionName": _SERIALIZER.url("extension_name", extension_name, "str"), + "operationId": _SERIALIZER.url("operation_id", operation_id, "str"), + } + + _url = _format_url_section(_url, **path_format_arguments) + + # Construct parameters + _params["api-version"] = _SERIALIZER.query("api_version", api_version, "str") + + # Construct headers + _headers["Accept"] = _SERIALIZER.header("accept", accept, "str") + + return HttpRequest(method="GET", url=_url, params=_params, headers=_headers, **kwargs) + + +def build_list_request( + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + subscription_id: str, + **kwargs: Any +) -> HttpRequest: + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + accept = _headers.pop("Accept", "application/json") + + # Construct URL + _url = kwargs.pop( + "template_url", + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/operations", + ) # pylint: disable=line-too-long + path_format_arguments = { + "subscriptionId": _SERIALIZER.url("subscription_id", subscription_id, "str", min_length=1), + "resourceGroupName": _SERIALIZER.url( + "resource_group_name", resource_group_name, "str", max_length=90, min_length=1 + ), + "clusterRp": _SERIALIZER.url("cluster_rp", cluster_rp, "str"), + "clusterResourceName": _SERIALIZER.url("cluster_resource_name", cluster_resource_name, "str"), + "clusterName": _SERIALIZER.url("cluster_name", cluster_name, "str"), + } + + _url = _format_url_section(_url, **path_format_arguments) + + # Construct parameters + _params["api-version"] = _SERIALIZER.query("api_version", api_version, "str") + + # Construct headers + _headers["Accept"] = _SERIALIZER.header("accept", accept, "str") + + return HttpRequest(method="GET", url=_url, params=_params, headers=_headers, **kwargs) + + +class OperationStatusOperations: + """ + .. warning:: + **DO NOT** instantiate this class directly. + + Instead, you should access the following operations through + :class:`~azure.mgmt.kubernetesconfiguration.v2022_07_01.SourceControlConfigurationClient`'s + :attr:`operation_status` attribute. + """ + + models = _models + + def __init__(self, *args, **kwargs): + input_args = list(args) + self._client = input_args.pop(0) if input_args else kwargs.pop("client") + self._config = input_args.pop(0) if input_args else kwargs.pop("config") + self._serialize = input_args.pop(0) if input_args else kwargs.pop("serializer") + self._deserialize = input_args.pop(0) if input_args else kwargs.pop("deserializer") + + @distributed_trace + def get( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + operation_id: str, + **kwargs: Any + ) -> _models.OperationStatusResult: + """Get Async Operation status. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param extension_name: Name of the Extension. Required. + :type extension_name: str + :param operation_id: operation Id. Required. + :type operation_id: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: OperationStatusResult or the result of cls(response) + :rtype: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.OperationStatusResult + :raises ~azure.core.exceptions.HttpResponseError: + """ + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + cls = kwargs.pop("cls", None) # type: ClsType[_models.OperationStatusResult] + + request = build_get_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + extension_name=extension_name, + operation_id=operation_id, + subscription_id=self._config.subscription_id, + api_version=api_version, + template_url=self.get.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + deserialized = self._deserialize("OperationStatusResult", pipeline_response) + + if cls: + return cls(pipeline_response, deserialized, {}) + + return deserialized + + get.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}/operations/{operationId}"} # type: ignore + + @distributed_trace + def list( + self, resource_group_name: str, cluster_rp: str, cluster_resource_name: str, cluster_name: str, **kwargs: Any + ) -> Iterable["_models.OperationStatusResult"]: + """List Async Operations, currently in progress, in a cluster. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: An iterator like instance of either OperationStatusResult or the result of + cls(response) + :rtype: + ~azure.core.paging.ItemPaged[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.OperationStatusResult] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + cls = kwargs.pop("cls", None) # type: ClsType[_models.OperationStatusList] + + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + def prepare_request(next_link=None): + if not next_link: + + request = build_list_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + template_url=self.list.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + else: + # make call to next link with the client's api-version + _parsed_next_link = urllib.parse.urlparse(next_link) + _next_request_params = case_insensitive_dict( + { + key: [urllib.parse.quote(v) for v in value] + for key, value in urllib.parse.parse_qs(_parsed_next_link.query).items() + } + ) + _next_request_params["api-version"] = self._config.api_version + request = HttpRequest( + "GET", urllib.parse.urljoin(next_link, _parsed_next_link.path), params=_next_request_params + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + request.method = "GET" + return request + + def extract_data(pipeline_response): + deserialized = self._deserialize("OperationStatusList", pipeline_response) + list_of_elem = deserialized.value + if cls: + list_of_elem = cls(list_of_elem) + return deserialized.next_link or None, iter(list_of_elem) + + def get_next(next_link=None): + request = prepare_request(next_link) + + pipeline_response = self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + response = pipeline_response.http_response + + if response.status_code not in [200]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + return pipeline_response + + return ItemPaged(get_next, extract_data) + + list.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/operations"} # type: ignore diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/operations/_operations.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/operations/_operations.py new file mode 100644 index 00000000000..b7b1d5955f3 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/operations/_operations.py @@ -0,0 +1,161 @@ +# pylint: disable=too-many-lines +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- +import sys +from typing import Any, Callable, Dict, Iterable, Optional, TypeVar +import urllib.parse + +from azure.core.exceptions import ( + ClientAuthenticationError, + HttpResponseError, + ResourceExistsError, + ResourceNotFoundError, + ResourceNotModifiedError, + map_error, +) +from azure.core.paging import ItemPaged +from azure.core.pipeline import PipelineResponse +from azure.core.pipeline.transport import HttpResponse +from azure.core.rest import HttpRequest +from azure.core.tracing.decorator import distributed_trace +from azure.core.utils import case_insensitive_dict +from azure.mgmt.core.exceptions import ARMErrorFormat + +from .. import models as _models +from ..._serialization import Serializer +from .._vendor import _convert_request + +if sys.version_info >= (3, 8): + from typing import Literal # pylint: disable=no-name-in-module, ungrouped-imports +else: + from typing_extensions import Literal # type: ignore # pylint: disable=ungrouped-imports +T = TypeVar("T") +ClsType = Optional[Callable[[PipelineResponse[HttpRequest, HttpResponse], T, Dict[str, Any]], Any]] + +_SERIALIZER = Serializer() +_SERIALIZER.client_side_validation = False + + +def build_list_request(**kwargs: Any) -> HttpRequest: + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + accept = _headers.pop("Accept", "application/json") + + # Construct URL + _url = kwargs.pop("template_url", "/providers/Microsoft.KubernetesConfiguration/operations") + + # Construct parameters + _params["api-version"] = _SERIALIZER.query("api_version", api_version, "str") + + # Construct headers + _headers["Accept"] = _SERIALIZER.header("accept", accept, "str") + + return HttpRequest(method="GET", url=_url, params=_params, headers=_headers, **kwargs) + + +class Operations: + """ + .. warning:: + **DO NOT** instantiate this class directly. + + Instead, you should access the following operations through + :class:`~azure.mgmt.kubernetesconfiguration.v2022_07_01.SourceControlConfigurationClient`'s + :attr:`operations` attribute. + """ + + models = _models + + def __init__(self, *args, **kwargs): + input_args = list(args) + self._client = input_args.pop(0) if input_args else kwargs.pop("client") + self._config = input_args.pop(0) if input_args else kwargs.pop("config") + self._serialize = input_args.pop(0) if input_args else kwargs.pop("serializer") + self._deserialize = input_args.pop(0) if input_args else kwargs.pop("deserializer") + + @distributed_trace + def list(self, **kwargs: Any) -> Iterable["_models.ResourceProviderOperation"]: + """List all the available operations the KubernetesConfiguration resource provider supports. + + :keyword callable cls: A custom type or function that will be passed the direct response + :return: An iterator like instance of either ResourceProviderOperation or the result of + cls(response) + :rtype: + ~azure.core.paging.ItemPaged[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.ResourceProviderOperation] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + cls = kwargs.pop("cls", None) # type: ClsType[_models.ResourceProviderOperationList] + + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + def prepare_request(next_link=None): + if not next_link: + + request = build_list_request( + api_version=api_version, + template_url=self.list.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + else: + # make call to next link with the client's api-version + _parsed_next_link = urllib.parse.urlparse(next_link) + _next_request_params = case_insensitive_dict( + { + key: [urllib.parse.quote(v) for v in value] + for key, value in urllib.parse.parse_qs(_parsed_next_link.query).items() + } + ) + _next_request_params["api-version"] = self._config.api_version + request = HttpRequest( + "GET", urllib.parse.urljoin(next_link, _parsed_next_link.path), params=_next_request_params + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + request.method = "GET" + return request + + def extract_data(pipeline_response): + deserialized = self._deserialize("ResourceProviderOperationList", pipeline_response) + list_of_elem = deserialized.value + if cls: + list_of_elem = cls(list_of_elem) + return deserialized.next_link or None, iter(list_of_elem) + + def get_next(next_link=None): + request = prepare_request(next_link) + + pipeline_response = self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + response = pipeline_response.http_response + + if response.status_code not in [200]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + return pipeline_response + + return ItemPaged(get_next, extract_data) + + list.metadata = {"url": "/providers/Microsoft.KubernetesConfiguration/operations"} # type: ignore diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/operations/_patch.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/operations/_patch.py new file mode 100644 index 00000000000..f7dd3251033 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/operations/_patch.py @@ -0,0 +1,20 @@ +# ------------------------------------ +# Copyright (c) Microsoft Corporation. +# Licensed under the MIT License. +# ------------------------------------ +"""Customize generated code here. + +Follow our quickstart for examples: https://aka.ms/azsdk/python/dpcodegen/python/customize +""" +from typing import List + +__all__: List[str] = [] # Add all objects you want publicly available to users at this package level + + +def patch_sdk(): + """Do not remove from this file. + + `patch_sdk` is a last resort escape hatch that allows you to do customizations + you can't accomplish using the techniques described in + https://aka.ms/azsdk/python/dpcodegen/python/customize + """ diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/operations/_source_control_configurations_operations.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/operations/_source_control_configurations_operations.py new file mode 100644 index 00000000000..7b0f754f053 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_07_01/operations/_source_control_configurations_operations.py @@ -0,0 +1,736 @@ +# pylint: disable=too-many-lines +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- +import sys +from typing import Any, Callable, Dict, IO, Iterable, Optional, TypeVar, Union, cast, overload +import urllib.parse + +from azure.core.exceptions import ( + ClientAuthenticationError, + HttpResponseError, + ResourceExistsError, + ResourceNotFoundError, + ResourceNotModifiedError, + map_error, +) +from azure.core.paging import ItemPaged +from azure.core.pipeline import PipelineResponse +from azure.core.pipeline.transport import HttpResponse +from azure.core.polling import LROPoller, NoPolling, PollingMethod +from azure.core.rest import HttpRequest +from azure.core.tracing.decorator import distributed_trace +from azure.core.utils import case_insensitive_dict +from azure.mgmt.core.exceptions import ARMErrorFormat +from azure.mgmt.core.polling.arm_polling import ARMPolling + +from .. import models as _models +from ..._serialization import Serializer +from .._vendor import _convert_request, _format_url_section + +if sys.version_info >= (3, 8): + from typing import Literal # pylint: disable=no-name-in-module, ungrouped-imports +else: + from typing_extensions import Literal # type: ignore # pylint: disable=ungrouped-imports +T = TypeVar("T") +ClsType = Optional[Callable[[PipelineResponse[HttpRequest, HttpResponse], T, Dict[str, Any]], Any]] + +_SERIALIZER = Serializer() +_SERIALIZER.client_side_validation = False + + +def build_get_request( + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + source_control_configuration_name: str, + subscription_id: str, + **kwargs: Any +) -> HttpRequest: + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + accept = _headers.pop("Accept", "application/json") + + # Construct URL + _url = kwargs.pop( + "template_url", + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/sourceControlConfigurations/{sourceControlConfigurationName}", + ) # pylint: disable=line-too-long + path_format_arguments = { + "subscriptionId": _SERIALIZER.url("subscription_id", subscription_id, "str", min_length=1), + "resourceGroupName": _SERIALIZER.url( + "resource_group_name", resource_group_name, "str", max_length=90, min_length=1 + ), + "clusterRp": _SERIALIZER.url("cluster_rp", cluster_rp, "str"), + "clusterResourceName": _SERIALIZER.url("cluster_resource_name", cluster_resource_name, "str"), + "clusterName": _SERIALIZER.url("cluster_name", cluster_name, "str"), + "sourceControlConfigurationName": _SERIALIZER.url( + "source_control_configuration_name", source_control_configuration_name, "str" + ), + } + + _url = _format_url_section(_url, **path_format_arguments) + + # Construct parameters + _params["api-version"] = _SERIALIZER.query("api_version", api_version, "str") + + # Construct headers + _headers["Accept"] = _SERIALIZER.header("accept", accept, "str") + + return HttpRequest(method="GET", url=_url, params=_params, headers=_headers, **kwargs) + + +def build_create_or_update_request( + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + source_control_configuration_name: str, + subscription_id: str, + **kwargs: Any +) -> HttpRequest: + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + accept = _headers.pop("Accept", "application/json") + + # Construct URL + _url = kwargs.pop( + "template_url", + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/sourceControlConfigurations/{sourceControlConfigurationName}", + ) # pylint: disable=line-too-long + path_format_arguments = { + "subscriptionId": _SERIALIZER.url("subscription_id", subscription_id, "str", min_length=1), + "resourceGroupName": _SERIALIZER.url( + "resource_group_name", resource_group_name, "str", max_length=90, min_length=1 + ), + "clusterRp": _SERIALIZER.url("cluster_rp", cluster_rp, "str"), + "clusterResourceName": _SERIALIZER.url("cluster_resource_name", cluster_resource_name, "str"), + "clusterName": _SERIALIZER.url("cluster_name", cluster_name, "str"), + "sourceControlConfigurationName": _SERIALIZER.url( + "source_control_configuration_name", source_control_configuration_name, "str" + ), + } + + _url = _format_url_section(_url, **path_format_arguments) + + # Construct parameters + _params["api-version"] = _SERIALIZER.query("api_version", api_version, "str") + + # Construct headers + if content_type is not None: + _headers["Content-Type"] = _SERIALIZER.header("content_type", content_type, "str") + _headers["Accept"] = _SERIALIZER.header("accept", accept, "str") + + return HttpRequest(method="PUT", url=_url, params=_params, headers=_headers, **kwargs) + + +def build_delete_request( + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + source_control_configuration_name: str, + subscription_id: str, + **kwargs: Any +) -> HttpRequest: + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + accept = _headers.pop("Accept", "application/json") + + # Construct URL + _url = kwargs.pop( + "template_url", + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/sourceControlConfigurations/{sourceControlConfigurationName}", + ) # pylint: disable=line-too-long + path_format_arguments = { + "subscriptionId": _SERIALIZER.url("subscription_id", subscription_id, "str", min_length=1), + "resourceGroupName": _SERIALIZER.url( + "resource_group_name", resource_group_name, "str", max_length=90, min_length=1 + ), + "clusterRp": _SERIALIZER.url("cluster_rp", cluster_rp, "str"), + "clusterResourceName": _SERIALIZER.url("cluster_resource_name", cluster_resource_name, "str"), + "clusterName": _SERIALIZER.url("cluster_name", cluster_name, "str"), + "sourceControlConfigurationName": _SERIALIZER.url( + "source_control_configuration_name", source_control_configuration_name, "str" + ), + } + + _url = _format_url_section(_url, **path_format_arguments) + + # Construct parameters + _params["api-version"] = _SERIALIZER.query("api_version", api_version, "str") + + # Construct headers + _headers["Accept"] = _SERIALIZER.header("accept", accept, "str") + + return HttpRequest(method="DELETE", url=_url, params=_params, headers=_headers, **kwargs) + + +def build_list_request( + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + subscription_id: str, + **kwargs: Any +) -> HttpRequest: + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + accept = _headers.pop("Accept", "application/json") + + # Construct URL + _url = kwargs.pop( + "template_url", + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/sourceControlConfigurations", + ) # pylint: disable=line-too-long + path_format_arguments = { + "subscriptionId": _SERIALIZER.url("subscription_id", subscription_id, "str", min_length=1), + "resourceGroupName": _SERIALIZER.url( + "resource_group_name", resource_group_name, "str", max_length=90, min_length=1 + ), + "clusterRp": _SERIALIZER.url("cluster_rp", cluster_rp, "str"), + "clusterResourceName": _SERIALIZER.url("cluster_resource_name", cluster_resource_name, "str"), + "clusterName": _SERIALIZER.url("cluster_name", cluster_name, "str"), + } + + _url = _format_url_section(_url, **path_format_arguments) + + # Construct parameters + _params["api-version"] = _SERIALIZER.query("api_version", api_version, "str") + + # Construct headers + _headers["Accept"] = _SERIALIZER.header("accept", accept, "str") + + return HttpRequest(method="GET", url=_url, params=_params, headers=_headers, **kwargs) + + +class SourceControlConfigurationsOperations: + """ + .. warning:: + **DO NOT** instantiate this class directly. + + Instead, you should access the following operations through + :class:`~azure.mgmt.kubernetesconfiguration.v2022_07_01.SourceControlConfigurationClient`'s + :attr:`source_control_configurations` attribute. + """ + + models = _models + + def __init__(self, *args, **kwargs): + input_args = list(args) + self._client = input_args.pop(0) if input_args else kwargs.pop("client") + self._config = input_args.pop(0) if input_args else kwargs.pop("config") + self._serialize = input_args.pop(0) if input_args else kwargs.pop("serializer") + self._deserialize = input_args.pop(0) if input_args else kwargs.pop("deserializer") + + @distributed_trace + def get( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + source_control_configuration_name: str, + **kwargs: Any + ) -> _models.SourceControlConfiguration: + """Gets details of the Source Control Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param source_control_configuration_name: Name of the Source Control Configuration. Required. + :type source_control_configuration_name: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: SourceControlConfiguration or the result of cls(response) + :rtype: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.SourceControlConfiguration + :raises ~azure.core.exceptions.HttpResponseError: + """ + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + cls = kwargs.pop("cls", None) # type: ClsType[_models.SourceControlConfiguration] + + request = build_get_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + source_control_configuration_name=source_control_configuration_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + template_url=self.get.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + deserialized = self._deserialize("SourceControlConfiguration", pipeline_response) + + if cls: + return cls(pipeline_response, deserialized, {}) + + return deserialized + + get.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/sourceControlConfigurations/{sourceControlConfigurationName}"} # type: ignore + + @overload + def create_or_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + source_control_configuration_name: str, + source_control_configuration: _models.SourceControlConfiguration, + *, + content_type: str = "application/json", + **kwargs: Any + ) -> _models.SourceControlConfiguration: + """Create a new Kubernetes Source Control Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param source_control_configuration_name: Name of the Source Control Configuration. Required. + :type source_control_configuration_name: str + :param source_control_configuration: Properties necessary to Create KubernetesConfiguration. + Required. + :type source_control_configuration: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.SourceControlConfiguration + :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. + Default value is "application/json". + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: SourceControlConfiguration or the result of cls(response) + :rtype: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.SourceControlConfiguration + :raises ~azure.core.exceptions.HttpResponseError: + """ + + @overload + def create_or_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + source_control_configuration_name: str, + source_control_configuration: IO, + *, + content_type: str = "application/json", + **kwargs: Any + ) -> _models.SourceControlConfiguration: + """Create a new Kubernetes Source Control Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param source_control_configuration_name: Name of the Source Control Configuration. Required. + :type source_control_configuration_name: str + :param source_control_configuration: Properties necessary to Create KubernetesConfiguration. + Required. + :type source_control_configuration: IO + :keyword content_type: Body Parameter content-type. Content type parameter for binary body. + Default value is "application/json". + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: SourceControlConfiguration or the result of cls(response) + :rtype: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.SourceControlConfiguration + :raises ~azure.core.exceptions.HttpResponseError: + """ + + @distributed_trace + def create_or_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + source_control_configuration_name: str, + source_control_configuration: Union[_models.SourceControlConfiguration, IO], + **kwargs: Any + ) -> _models.SourceControlConfiguration: + """Create a new Kubernetes Source Control Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param source_control_configuration_name: Name of the Source Control Configuration. Required. + :type source_control_configuration_name: str + :param source_control_configuration: Properties necessary to Create KubernetesConfiguration. Is + either a model type or a IO type. Required. + :type source_control_configuration: + ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.SourceControlConfiguration or IO + :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. + Default value is None. + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: SourceControlConfiguration or the result of cls(response) + :rtype: ~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.SourceControlConfiguration + :raises ~azure.core.exceptions.HttpResponseError: + """ + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + cls = kwargs.pop("cls", None) # type: ClsType[_models.SourceControlConfiguration] + + content_type = content_type or "application/json" + _json = None + _content = None + if isinstance(source_control_configuration, (IO, bytes)): + _content = source_control_configuration + else: + _json = self._serialize.body(source_control_configuration, "SourceControlConfiguration") + + request = build_create_or_update_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + source_control_configuration_name=source_control_configuration_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + content_type=content_type, + json=_json, + content=_content, + template_url=self.create_or_update.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200, 201]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + if response.status_code == 200: + deserialized = self._deserialize("SourceControlConfiguration", pipeline_response) + + if response.status_code == 201: + deserialized = self._deserialize("SourceControlConfiguration", pipeline_response) + + if cls: + return cls(pipeline_response, deserialized, {}) + + return deserialized + + create_or_update.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/sourceControlConfigurations/{sourceControlConfigurationName}"} # type: ignore + + def _delete_initial( # pylint: disable=inconsistent-return-statements + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + source_control_configuration_name: str, + **kwargs: Any + ) -> None: + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + cls = kwargs.pop("cls", None) # type: ClsType[None] + + request = build_delete_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + source_control_configuration_name=source_control_configuration_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + template_url=self._delete_initial.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200, 204]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + if cls: + return cls(pipeline_response, None, {}) + + _delete_initial.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/sourceControlConfigurations/{sourceControlConfigurationName}"} # type: ignore + + @distributed_trace + def begin_delete( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + source_control_configuration_name: str, + **kwargs: Any + ) -> LROPoller[None]: + """This will delete the YAML file used to set up the Source control configuration, thus stopping + future sync from the source repo. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param source_control_configuration_name: Name of the Source Control Configuration. Required. + :type source_control_configuration_name: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be ARMPolling. Pass in False for this + operation to not poll, or pass in your own initialized polling object for a personal polling + strategy. + :paramtype polling: bool or ~azure.core.polling.PollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of LROPoller that returns either None or the result of cls(response) + :rtype: ~azure.core.polling.LROPoller[None] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + cls = kwargs.pop("cls", None) # type: ClsType[None] + polling = kwargs.pop("polling", True) # type: Union[bool, PollingMethod] + lro_delay = kwargs.pop("polling_interval", self._config.polling_interval) + cont_token = kwargs.pop("continuation_token", None) # type: Optional[str] + if cont_token is None: + raw_result = self._delete_initial( # type: ignore + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + source_control_configuration_name=source_control_configuration_name, + api_version=api_version, + cls=lambda x, y, z: x, + headers=_headers, + params=_params, + **kwargs + ) + kwargs.pop("error_map", None) + + def get_long_running_output(pipeline_response): # pylint: disable=inconsistent-return-statements + if cls: + return cls(pipeline_response, None, {}) + + if polling is True: + polling_method = cast(PollingMethod, ARMPolling(lro_delay, **kwargs)) # type: PollingMethod + elif polling is False: + polling_method = cast(PollingMethod, NoPolling()) + else: + polling_method = polling + if cont_token: + return LROPoller.from_continuation_token( + polling_method=polling_method, + continuation_token=cont_token, + client=self._client, + deserialization_callback=get_long_running_output, + ) + return LROPoller(self._client, raw_result, get_long_running_output, polling_method) + + begin_delete.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/sourceControlConfigurations/{sourceControlConfigurationName}"} # type: ignore + + @distributed_trace + def list( + self, resource_group_name: str, cluster_rp: str, cluster_resource_name: str, cluster_name: str, **kwargs: Any + ) -> Iterable["_models.SourceControlConfiguration"]: + """List all Source Control Configurations. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: An iterator like instance of either SourceControlConfiguration or the result of + cls(response) + :rtype: + ~azure.core.paging.ItemPaged[~azure.mgmt.kubernetesconfiguration.v2022_07_01.models.SourceControlConfiguration] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-07-01")) # type: Literal["2022-07-01"] + cls = kwargs.pop("cls", None) # type: ClsType[_models.SourceControlConfigurationList] + + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + def prepare_request(next_link=None): + if not next_link: + + request = build_list_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + template_url=self.list.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + else: + # make call to next link with the client's api-version + _parsed_next_link = urllib.parse.urlparse(next_link) + _next_request_params = case_insensitive_dict( + { + key: [urllib.parse.quote(v) for v in value] + for key, value in urllib.parse.parse_qs(_parsed_next_link.query).items() + } + ) + _next_request_params["api-version"] = self._config.api_version + request = HttpRequest( + "GET", urllib.parse.urljoin(next_link, _parsed_next_link.path), params=_next_request_params + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + request.method = "GET" + return request + + def extract_data(pipeline_response): + deserialized = self._deserialize("SourceControlConfigurationList", pipeline_response) + list_of_elem = deserialized.value + if cls: + list_of_elem = cls(list_of_elem) + return deserialized.next_link or None, iter(list_of_elem) + + def get_next(next_link=None): + request = prepare_request(next_link) + + pipeline_response = self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + response = pipeline_response.http_response + + if response.status_code not in [200]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + return pipeline_response + + return ItemPaged(get_next, extract_data) + + list.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/sourceControlConfigurations"} # type: ignore diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/__init__.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/__init__.py new file mode 100644 index 00000000000..b7a5a69f1a5 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/__init__.py @@ -0,0 +1,26 @@ +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- + +from ._source_control_configuration_client import SourceControlConfigurationClient +from ._version import VERSION + +__version__ = VERSION + +try: + from ._patch import __all__ as _patch_all + from ._patch import * # type: ignore # pylint: disable=unused-wildcard-import +except ImportError: + _patch_all = [] +from ._patch import patch_sdk as _patch_sdk + +__all__ = [ + "SourceControlConfigurationClient", +] +__all__.extend([p for p in _patch_all if p not in __all__]) + +_patch_sdk() diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/_configuration.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/_configuration.py new file mode 100644 index 00000000000..683c29683ed --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/_configuration.py @@ -0,0 +1,75 @@ +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- + +import sys +from typing import Any, TYPE_CHECKING + +from azure.core.configuration import Configuration +from azure.core.pipeline import policies +from azure.mgmt.core.policies import ARMChallengeAuthenticationPolicy, ARMHttpLoggingPolicy + +from ._version import VERSION + +if sys.version_info >= (3, 8): + from typing import Literal # pylint: disable=no-name-in-module, ungrouped-imports +else: + from typing_extensions import Literal # type: ignore # pylint: disable=ungrouped-imports + +if TYPE_CHECKING: + # pylint: disable=unused-import,ungrouped-imports + from azure.core.credentials import TokenCredential + + +class SourceControlConfigurationClientConfiguration(Configuration): # pylint: disable=too-many-instance-attributes + """Configuration for SourceControlConfigurationClient. + + Note that all parameters used to create this instance are saved as instance + attributes. + + :param credential: Credential needed for the client to connect to Azure. Required. + :type credential: ~azure.core.credentials.TokenCredential + :param subscription_id: The ID of the target subscription. Required. + :type subscription_id: str + :keyword api_version: Api Version. Default value is "2022-11-01". Note that overriding this + default value may result in unsupported behavior. + :paramtype api_version: str + """ + + def __init__(self, credential: "TokenCredential", subscription_id: str, **kwargs: Any) -> None: + super(SourceControlConfigurationClientConfiguration, self).__init__(**kwargs) + api_version = kwargs.pop("api_version", "2022-11-01") # type: Literal["2022-11-01"] + + if credential is None: + raise ValueError("Parameter 'credential' must not be None.") + if subscription_id is None: + raise ValueError("Parameter 'subscription_id' must not be None.") + + self.credential = credential + self.subscription_id = subscription_id + self.api_version = api_version + self.credential_scopes = kwargs.pop("credential_scopes", ["https://management.azure.com/.default"]) + kwargs.setdefault("sdk_moniker", "mgmt-kubernetesconfiguration/{}".format(VERSION)) + self._configure(**kwargs) + + def _configure( + self, **kwargs # type: Any + ): + # type: (...) -> None + self.user_agent_policy = kwargs.get("user_agent_policy") or policies.UserAgentPolicy(**kwargs) + self.headers_policy = kwargs.get("headers_policy") or policies.HeadersPolicy(**kwargs) + self.proxy_policy = kwargs.get("proxy_policy") or policies.ProxyPolicy(**kwargs) + self.logging_policy = kwargs.get("logging_policy") or policies.NetworkTraceLoggingPolicy(**kwargs) + self.http_logging_policy = kwargs.get("http_logging_policy") or ARMHttpLoggingPolicy(**kwargs) + self.retry_policy = kwargs.get("retry_policy") or policies.RetryPolicy(**kwargs) + self.custom_hook_policy = kwargs.get("custom_hook_policy") or policies.CustomHookPolicy(**kwargs) + self.redirect_policy = kwargs.get("redirect_policy") or policies.RedirectPolicy(**kwargs) + self.authentication_policy = kwargs.get("authentication_policy") + if self.credential and not self.authentication_policy: + self.authentication_policy = ARMChallengeAuthenticationPolicy( + self.credential, *self.credential_scopes, **kwargs + ) diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/_patch.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/_patch.py new file mode 100644 index 00000000000..f7dd3251033 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/_patch.py @@ -0,0 +1,20 @@ +# ------------------------------------ +# Copyright (c) Microsoft Corporation. +# Licensed under the MIT License. +# ------------------------------------ +"""Customize generated code here. + +Follow our quickstart for examples: https://aka.ms/azsdk/python/dpcodegen/python/customize +""" +from typing import List + +__all__: List[str] = [] # Add all objects you want publicly available to users at this package level + + +def patch_sdk(): + """Do not remove from this file. + + `patch_sdk` is a last resort escape hatch that allows you to do customizations + you can't accomplish using the techniques described in + https://aka.ms/azsdk/python/dpcodegen/python/customize + """ diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/_source_control_configuration_client.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/_source_control_configuration_client.py new file mode 100644 index 00000000000..22da3624e9d --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/_source_control_configuration_client.py @@ -0,0 +1,129 @@ +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- + +from copy import deepcopy +from typing import Any, TYPE_CHECKING + +from azure.core.rest import HttpRequest, HttpResponse +from azure.mgmt.core import ARMPipelineClient + +from . import models +from .._serialization import Deserializer, Serializer +from ._configuration import SourceControlConfigurationClientConfiguration +from .operations import ( + ExtensionsOperations, + FluxConfigOperationStatusOperations, + FluxConfigurationsOperations, + OperationStatusOperations, + Operations, + SourceControlConfigurationsOperations, +) + +if TYPE_CHECKING: + # pylint: disable=unused-import,ungrouped-imports + from azure.core.credentials import TokenCredential + + +class SourceControlConfigurationClient: # pylint: disable=client-accepts-api-version-keyword + """KubernetesConfiguration Client. + + :ivar extensions: ExtensionsOperations operations + :vartype extensions: + azure.mgmt.kubernetesconfiguration.v2022_11_01.operations.ExtensionsOperations + :ivar operation_status: OperationStatusOperations operations + :vartype operation_status: + azure.mgmt.kubernetesconfiguration.v2022_11_01.operations.OperationStatusOperations + :ivar flux_configurations: FluxConfigurationsOperations operations + :vartype flux_configurations: + azure.mgmt.kubernetesconfiguration.v2022_11_01.operations.FluxConfigurationsOperations + :ivar flux_config_operation_status: FluxConfigOperationStatusOperations operations + :vartype flux_config_operation_status: + azure.mgmt.kubernetesconfiguration.v2022_11_01.operations.FluxConfigOperationStatusOperations + :ivar source_control_configurations: SourceControlConfigurationsOperations operations + :vartype source_control_configurations: + azure.mgmt.kubernetesconfiguration.v2022_11_01.operations.SourceControlConfigurationsOperations + :ivar operations: Operations operations + :vartype operations: azure.mgmt.kubernetesconfiguration.v2022_11_01.operations.Operations + :param credential: Credential needed for the client to connect to Azure. Required. + :type credential: ~azure.core.credentials.TokenCredential + :param subscription_id: The ID of the target subscription. Required. + :type subscription_id: str + :param base_url: Service URL. Default value is "https://management.azure.com". + :type base_url: str + :keyword api_version: Api Version. Default value is "2022-11-01". Note that overriding this + default value may result in unsupported behavior. + :paramtype api_version: str + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + """ + + def __init__( + self, + credential: "TokenCredential", + subscription_id: str, + base_url: str = "https://management.azure.com", + **kwargs: Any + ) -> None: + self._config = SourceControlConfigurationClientConfiguration( + credential=credential, subscription_id=subscription_id, **kwargs + ) + self._client = ARMPipelineClient(base_url=base_url, config=self._config, **kwargs) + + client_models = {k: v for k, v in models.__dict__.items() if isinstance(v, type)} + self._serialize = Serializer(client_models) + self._deserialize = Deserializer(client_models) + self._serialize.client_side_validation = False + self.extensions = ExtensionsOperations(self._client, self._config, self._serialize, self._deserialize) + self.operation_status = OperationStatusOperations( + self._client, self._config, self._serialize, self._deserialize + ) + self.flux_configurations = FluxConfigurationsOperations( + self._client, self._config, self._serialize, self._deserialize + ) + self.flux_config_operation_status = FluxConfigOperationStatusOperations( + self._client, self._config, self._serialize, self._deserialize + ) + self.source_control_configurations = SourceControlConfigurationsOperations( + self._client, self._config, self._serialize, self._deserialize + ) + self.operations = Operations(self._client, self._config, self._serialize, self._deserialize) + + def _send_request(self, request: HttpRequest, **kwargs: Any) -> HttpResponse: + """Runs the network request through the client's chained policies. + + >>> from azure.core.rest import HttpRequest + >>> request = HttpRequest("GET", "https://www.example.org/") + + >>> response = client._send_request(request) + + + For more information on this code flow, see https://aka.ms/azsdk/dpcodegen/python/send_request + + :param request: The network request you want to make. Required. + :type request: ~azure.core.rest.HttpRequest + :keyword bool stream: Whether the response payload will be streamed. Defaults to False. + :return: The response of your network call. Does not do error handling on your response. + :rtype: ~azure.core.rest.HttpResponse + """ + + request_copy = deepcopy(request) + request_copy.url = self._client.format_url(request_copy.url) + return self._client.send_request(request_copy, **kwargs) + + def close(self): + # type: () -> None + self._client.close() + + def __enter__(self): + # type: () -> SourceControlConfigurationClient + self._client.__enter__() + return self + + def __exit__(self, *exc_details): + # type: (Any) -> None + self._client.__exit__(*exc_details) diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/_vendor.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/_vendor.py new file mode 100644 index 00000000000..9aad73fc743 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/_vendor.py @@ -0,0 +1,27 @@ +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- + +from azure.core.pipeline.transport import HttpRequest + + +def _convert_request(request, files=None): + data = request.content if not files else None + request = HttpRequest(method=request.method, url=request.url, headers=request.headers, data=data) + if files: + request.set_formdata_body(files) + return request + + +def _format_url_section(template, **kwargs): + components = template.split("/") + while components: + try: + return template.format(**kwargs) + except KeyError as key: + formatted_components = template.split("/") + components = [c for c in formatted_components if "{}".format(key.args[0]) not in c] + template = "/".join(components) diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/_version.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/_version.py new file mode 100644 index 00000000000..59deb8c7263 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/_version.py @@ -0,0 +1,9 @@ +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- + +VERSION = "1.1.0" diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/__init__.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/__init__.py new file mode 100644 index 00000000000..d99c51f8699 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/__init__.py @@ -0,0 +1,23 @@ +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- + +from ._source_control_configuration_client import SourceControlConfigurationClient + +try: + from ._patch import __all__ as _patch_all + from ._patch import * # type: ignore # pylint: disable=unused-wildcard-import +except ImportError: + _patch_all = [] +from ._patch import patch_sdk as _patch_sdk + +__all__ = [ + "SourceControlConfigurationClient", +] +__all__.extend([p for p in _patch_all if p not in __all__]) + +_patch_sdk() diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/_configuration.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/_configuration.py new file mode 100644 index 00000000000..298d0a18665 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/_configuration.py @@ -0,0 +1,72 @@ +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- + +import sys +from typing import Any, TYPE_CHECKING + +from azure.core.configuration import Configuration +from azure.core.pipeline import policies +from azure.mgmt.core.policies import ARMHttpLoggingPolicy, AsyncARMChallengeAuthenticationPolicy + +from .._version import VERSION + +if sys.version_info >= (3, 8): + from typing import Literal # pylint: disable=no-name-in-module, ungrouped-imports +else: + from typing_extensions import Literal # type: ignore # pylint: disable=ungrouped-imports + +if TYPE_CHECKING: + # pylint: disable=unused-import,ungrouped-imports + from azure.core.credentials_async import AsyncTokenCredential + + +class SourceControlConfigurationClientConfiguration(Configuration): # pylint: disable=too-many-instance-attributes + """Configuration for SourceControlConfigurationClient. + + Note that all parameters used to create this instance are saved as instance + attributes. + + :param credential: Credential needed for the client to connect to Azure. Required. + :type credential: ~azure.core.credentials_async.AsyncTokenCredential + :param subscription_id: The ID of the target subscription. Required. + :type subscription_id: str + :keyword api_version: Api Version. Default value is "2022-11-01". Note that overriding this + default value may result in unsupported behavior. + :paramtype api_version: str + """ + + def __init__(self, credential: "AsyncTokenCredential", subscription_id: str, **kwargs: Any) -> None: + super(SourceControlConfigurationClientConfiguration, self).__init__(**kwargs) + api_version = kwargs.pop("api_version", "2022-11-01") # type: Literal["2022-11-01"] + + if credential is None: + raise ValueError("Parameter 'credential' must not be None.") + if subscription_id is None: + raise ValueError("Parameter 'subscription_id' must not be None.") + + self.credential = credential + self.subscription_id = subscription_id + self.api_version = api_version + self.credential_scopes = kwargs.pop("credential_scopes", ["https://management.azure.com/.default"]) + kwargs.setdefault("sdk_moniker", "mgmt-kubernetesconfiguration/{}".format(VERSION)) + self._configure(**kwargs) + + def _configure(self, **kwargs: Any) -> None: + self.user_agent_policy = kwargs.get("user_agent_policy") or policies.UserAgentPolicy(**kwargs) + self.headers_policy = kwargs.get("headers_policy") or policies.HeadersPolicy(**kwargs) + self.proxy_policy = kwargs.get("proxy_policy") or policies.ProxyPolicy(**kwargs) + self.logging_policy = kwargs.get("logging_policy") or policies.NetworkTraceLoggingPolicy(**kwargs) + self.http_logging_policy = kwargs.get("http_logging_policy") or ARMHttpLoggingPolicy(**kwargs) + self.retry_policy = kwargs.get("retry_policy") or policies.AsyncRetryPolicy(**kwargs) + self.custom_hook_policy = kwargs.get("custom_hook_policy") or policies.CustomHookPolicy(**kwargs) + self.redirect_policy = kwargs.get("redirect_policy") or policies.AsyncRedirectPolicy(**kwargs) + self.authentication_policy = kwargs.get("authentication_policy") + if self.credential and not self.authentication_policy: + self.authentication_policy = AsyncARMChallengeAuthenticationPolicy( + self.credential, *self.credential_scopes, **kwargs + ) diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/_patch.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/_patch.py new file mode 100644 index 00000000000..f7dd3251033 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/_patch.py @@ -0,0 +1,20 @@ +# ------------------------------------ +# Copyright (c) Microsoft Corporation. +# Licensed under the MIT License. +# ------------------------------------ +"""Customize generated code here. + +Follow our quickstart for examples: https://aka.ms/azsdk/python/dpcodegen/python/customize +""" +from typing import List + +__all__: List[str] = [] # Add all objects you want publicly available to users at this package level + + +def patch_sdk(): + """Do not remove from this file. + + `patch_sdk` is a last resort escape hatch that allows you to do customizations + you can't accomplish using the techniques described in + https://aka.ms/azsdk/python/dpcodegen/python/customize + """ diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/_source_control_configuration_client.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/_source_control_configuration_client.py new file mode 100644 index 00000000000..ea017532d0b --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/_source_control_configuration_client.py @@ -0,0 +1,126 @@ +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- + +from copy import deepcopy +from typing import Any, Awaitable, TYPE_CHECKING + +from azure.core.rest import AsyncHttpResponse, HttpRequest +from azure.mgmt.core import AsyncARMPipelineClient + +from .. import models +from ..._serialization import Deserializer, Serializer +from ._configuration import SourceControlConfigurationClientConfiguration +from .operations import ( + ExtensionsOperations, + FluxConfigOperationStatusOperations, + FluxConfigurationsOperations, + OperationStatusOperations, + Operations, + SourceControlConfigurationsOperations, +) + +if TYPE_CHECKING: + # pylint: disable=unused-import,ungrouped-imports + from azure.core.credentials_async import AsyncTokenCredential + + +class SourceControlConfigurationClient: # pylint: disable=client-accepts-api-version-keyword + """KubernetesConfiguration Client. + + :ivar extensions: ExtensionsOperations operations + :vartype extensions: + azure.mgmt.kubernetesconfiguration.v2022_11_01.aio.operations.ExtensionsOperations + :ivar operation_status: OperationStatusOperations operations + :vartype operation_status: + azure.mgmt.kubernetesconfiguration.v2022_11_01.aio.operations.OperationStatusOperations + :ivar flux_configurations: FluxConfigurationsOperations operations + :vartype flux_configurations: + azure.mgmt.kubernetesconfiguration.v2022_11_01.aio.operations.FluxConfigurationsOperations + :ivar flux_config_operation_status: FluxConfigOperationStatusOperations operations + :vartype flux_config_operation_status: + azure.mgmt.kubernetesconfiguration.v2022_11_01.aio.operations.FluxConfigOperationStatusOperations + :ivar source_control_configurations: SourceControlConfigurationsOperations operations + :vartype source_control_configurations: + azure.mgmt.kubernetesconfiguration.v2022_11_01.aio.operations.SourceControlConfigurationsOperations + :ivar operations: Operations operations + :vartype operations: azure.mgmt.kubernetesconfiguration.v2022_11_01.aio.operations.Operations + :param credential: Credential needed for the client to connect to Azure. Required. + :type credential: ~azure.core.credentials_async.AsyncTokenCredential + :param subscription_id: The ID of the target subscription. Required. + :type subscription_id: str + :param base_url: Service URL. Default value is "https://management.azure.com". + :type base_url: str + :keyword api_version: Api Version. Default value is "2022-11-01". Note that overriding this + default value may result in unsupported behavior. + :paramtype api_version: str + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + """ + + def __init__( + self, + credential: "AsyncTokenCredential", + subscription_id: str, + base_url: str = "https://management.azure.com", + **kwargs: Any + ) -> None: + self._config = SourceControlConfigurationClientConfiguration( + credential=credential, subscription_id=subscription_id, **kwargs + ) + self._client = AsyncARMPipelineClient(base_url=base_url, config=self._config, **kwargs) + + client_models = {k: v for k, v in models.__dict__.items() if isinstance(v, type)} + self._serialize = Serializer(client_models) + self._deserialize = Deserializer(client_models) + self._serialize.client_side_validation = False + self.extensions = ExtensionsOperations(self._client, self._config, self._serialize, self._deserialize) + self.operation_status = OperationStatusOperations( + self._client, self._config, self._serialize, self._deserialize + ) + self.flux_configurations = FluxConfigurationsOperations( + self._client, self._config, self._serialize, self._deserialize + ) + self.flux_config_operation_status = FluxConfigOperationStatusOperations( + self._client, self._config, self._serialize, self._deserialize + ) + self.source_control_configurations = SourceControlConfigurationsOperations( + self._client, self._config, self._serialize, self._deserialize + ) + self.operations = Operations(self._client, self._config, self._serialize, self._deserialize) + + def _send_request(self, request: HttpRequest, **kwargs: Any) -> Awaitable[AsyncHttpResponse]: + """Runs the network request through the client's chained policies. + + >>> from azure.core.rest import HttpRequest + >>> request = HttpRequest("GET", "https://www.example.org/") + + >>> response = await client._send_request(request) + + + For more information on this code flow, see https://aka.ms/azsdk/dpcodegen/python/send_request + + :param request: The network request you want to make. Required. + :type request: ~azure.core.rest.HttpRequest + :keyword bool stream: Whether the response payload will be streamed. Defaults to False. + :return: The response of your network call. Does not do error handling on your response. + :rtype: ~azure.core.rest.AsyncHttpResponse + """ + + request_copy = deepcopy(request) + request_copy.url = self._client.format_url(request_copy.url) + return self._client.send_request(request_copy, **kwargs) + + async def close(self) -> None: + await self._client.close() + + async def __aenter__(self) -> "SourceControlConfigurationClient": + await self._client.__aenter__() + return self + + async def __aexit__(self, *exc_details) -> None: + await self._client.__aexit__(*exc_details) diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/operations/__init__.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/operations/__init__.py new file mode 100644 index 00000000000..50d1dc0c61e --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/operations/__init__.py @@ -0,0 +1,29 @@ +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- + +from ._extensions_operations import ExtensionsOperations +from ._operation_status_operations import OperationStatusOperations +from ._flux_configurations_operations import FluxConfigurationsOperations +from ._flux_config_operation_status_operations import FluxConfigOperationStatusOperations +from ._source_control_configurations_operations import SourceControlConfigurationsOperations +from ._operations import Operations + +from ._patch import __all__ as _patch_all +from ._patch import * # type: ignore # pylint: disable=unused-wildcard-import +from ._patch import patch_sdk as _patch_sdk + +__all__ = [ + "ExtensionsOperations", + "OperationStatusOperations", + "FluxConfigurationsOperations", + "FluxConfigOperationStatusOperations", + "SourceControlConfigurationsOperations", + "Operations", +] +__all__.extend([p for p in _patch_all if p not in __all__]) +_patch_sdk() diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/operations/_extensions_operations.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/operations/_extensions_operations.py new file mode 100644 index 00000000000..0a88a51fffd --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/operations/_extensions_operations.py @@ -0,0 +1,929 @@ +# pylint: disable=too-many-lines +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- +import sys +from typing import Any, AsyncIterable, Callable, Dict, IO, Optional, TypeVar, Union, cast, overload +import urllib.parse + +from azure.core.async_paging import AsyncItemPaged, AsyncList +from azure.core.exceptions import ( + ClientAuthenticationError, + HttpResponseError, + ResourceExistsError, + ResourceNotFoundError, + ResourceNotModifiedError, + map_error, +) +from azure.core.pipeline import PipelineResponse +from azure.core.pipeline.transport import AsyncHttpResponse +from azure.core.polling import AsyncLROPoller, AsyncNoPolling, AsyncPollingMethod +from azure.core.rest import HttpRequest +from azure.core.tracing.decorator import distributed_trace +from azure.core.tracing.decorator_async import distributed_trace_async +from azure.core.utils import case_insensitive_dict +from azure.mgmt.core.exceptions import ARMErrorFormat +from azure.mgmt.core.polling.async_arm_polling import AsyncARMPolling + +from ... import models as _models +from ..._vendor import _convert_request +from ...operations._extensions_operations import ( + build_create_request, + build_delete_request, + build_get_request, + build_list_request, + build_update_request, +) + +if sys.version_info >= (3, 8): + from typing import Literal # pylint: disable=no-name-in-module, ungrouped-imports +else: + from typing_extensions import Literal # type: ignore # pylint: disable=ungrouped-imports +T = TypeVar("T") +ClsType = Optional[Callable[[PipelineResponse[HttpRequest, AsyncHttpResponse], T, Dict[str, Any]], Any]] + + +class ExtensionsOperations: + """ + .. warning:: + **DO NOT** instantiate this class directly. + + Instead, you should access the following operations through + :class:`~azure.mgmt.kubernetesconfiguration.v2022_11_01.aio.SourceControlConfigurationClient`'s + :attr:`extensions` attribute. + """ + + models = _models + + def __init__(self, *args, **kwargs) -> None: + input_args = list(args) + self._client = input_args.pop(0) if input_args else kwargs.pop("client") + self._config = input_args.pop(0) if input_args else kwargs.pop("config") + self._serialize = input_args.pop(0) if input_args else kwargs.pop("serializer") + self._deserialize = input_args.pop(0) if input_args else kwargs.pop("deserializer") + + async def _create_initial( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + extension: Union[_models.Extension, IO], + **kwargs: Any + ) -> _models.Extension: + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + cls = kwargs.pop("cls", None) # type: ClsType[_models.Extension] + + content_type = content_type or "application/json" + _json = None + _content = None + if isinstance(extension, (IO, bytes)): + _content = extension + else: + _json = self._serialize.body(extension, "Extension") + + request = build_create_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + extension_name=extension_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + content_type=content_type, + json=_json, + content=_content, + template_url=self._create_initial.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = await self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200, 201]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + if response.status_code == 200: + deserialized = self._deserialize("Extension", pipeline_response) + + if response.status_code == 201: + deserialized = self._deserialize("Extension", pipeline_response) + + if cls: + return cls(pipeline_response, deserialized, {}) + + return deserialized + + _create_initial.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}"} # type: ignore + + @overload + async def begin_create( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + extension: _models.Extension, + *, + content_type: str = "application/json", + **kwargs: Any + ) -> AsyncLROPoller[_models.Extension]: + """Create a new Kubernetes Cluster Extension. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param extension_name: Name of the Extension. Required. + :type extension_name: str + :param extension: Properties necessary to Create an Extension. Required. + :type extension: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.Extension + :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. + Default value is "application/json". + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be AsyncARMPolling. Pass in False for + this operation to not poll, or pass in your own initialized polling object for a personal + polling strategy. + :paramtype polling: bool or ~azure.core.polling.AsyncPollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of AsyncLROPoller that returns either Extension or the result of + cls(response) + :rtype: + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.Extension] + :raises ~azure.core.exceptions.HttpResponseError: + """ + + @overload + async def begin_create( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + extension: IO, + *, + content_type: str = "application/json", + **kwargs: Any + ) -> AsyncLROPoller[_models.Extension]: + """Create a new Kubernetes Cluster Extension. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param extension_name: Name of the Extension. Required. + :type extension_name: str + :param extension: Properties necessary to Create an Extension. Required. + :type extension: IO + :keyword content_type: Body Parameter content-type. Content type parameter for binary body. + Default value is "application/json". + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be AsyncARMPolling. Pass in False for + this operation to not poll, or pass in your own initialized polling object for a personal + polling strategy. + :paramtype polling: bool or ~azure.core.polling.AsyncPollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of AsyncLROPoller that returns either Extension or the result of + cls(response) + :rtype: + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.Extension] + :raises ~azure.core.exceptions.HttpResponseError: + """ + + @distributed_trace_async + async def begin_create( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + extension: Union[_models.Extension, IO], + **kwargs: Any + ) -> AsyncLROPoller[_models.Extension]: + """Create a new Kubernetes Cluster Extension. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param extension_name: Name of the Extension. Required. + :type extension_name: str + :param extension: Properties necessary to Create an Extension. Is either a model type or a IO + type. Required. + :type extension: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.Extension or IO + :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. + Default value is None. + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be AsyncARMPolling. Pass in False for + this operation to not poll, or pass in your own initialized polling object for a personal + polling strategy. + :paramtype polling: bool or ~azure.core.polling.AsyncPollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of AsyncLROPoller that returns either Extension or the result of + cls(response) + :rtype: + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.Extension] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + cls = kwargs.pop("cls", None) # type: ClsType[_models.Extension] + polling = kwargs.pop("polling", True) # type: Union[bool, AsyncPollingMethod] + lro_delay = kwargs.pop("polling_interval", self._config.polling_interval) + cont_token = kwargs.pop("continuation_token", None) # type: Optional[str] + if cont_token is None: + raw_result = await self._create_initial( # type: ignore + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + extension_name=extension_name, + extension=extension, + api_version=api_version, + content_type=content_type, + cls=lambda x, y, z: x, + headers=_headers, + params=_params, + **kwargs + ) + kwargs.pop("error_map", None) + + def get_long_running_output(pipeline_response): + deserialized = self._deserialize("Extension", pipeline_response) + if cls: + return cls(pipeline_response, deserialized, {}) + return deserialized + + if polling is True: + polling_method = cast( + AsyncPollingMethod, + AsyncARMPolling(lro_delay, lro_options={"final-state-via": "azure-async-operation"}, **kwargs), + ) # type: AsyncPollingMethod + elif polling is False: + polling_method = cast(AsyncPollingMethod, AsyncNoPolling()) + else: + polling_method = polling + if cont_token: + return AsyncLROPoller.from_continuation_token( + polling_method=polling_method, + continuation_token=cont_token, + client=self._client, + deserialization_callback=get_long_running_output, + ) + return AsyncLROPoller(self._client, raw_result, get_long_running_output, polling_method) + + begin_create.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}"} # type: ignore + + @distributed_trace_async + async def get( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + **kwargs: Any + ) -> _models.Extension: + """Gets Kubernetes Cluster Extension. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param extension_name: Name of the Extension. Required. + :type extension_name: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: Extension or the result of cls(response) + :rtype: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.Extension + :raises ~azure.core.exceptions.HttpResponseError: + """ + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + cls = kwargs.pop("cls", None) # type: ClsType[_models.Extension] + + request = build_get_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + extension_name=extension_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + template_url=self.get.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = await self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + deserialized = self._deserialize("Extension", pipeline_response) + + if cls: + return cls(pipeline_response, deserialized, {}) + + return deserialized + + get.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}"} # type: ignore + + async def _delete_initial( # pylint: disable=inconsistent-return-statements + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + force_delete: Optional[bool] = None, + **kwargs: Any + ) -> None: + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + cls = kwargs.pop("cls", None) # type: ClsType[None] + + request = build_delete_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + extension_name=extension_name, + subscription_id=self._config.subscription_id, + force_delete=force_delete, + api_version=api_version, + template_url=self._delete_initial.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = await self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200, 202, 204]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + if cls: + return cls(pipeline_response, None, {}) + + _delete_initial.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}"} # type: ignore + + @distributed_trace_async + async def begin_delete( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + force_delete: Optional[bool] = None, + **kwargs: Any + ) -> AsyncLROPoller[None]: + """Delete a Kubernetes Cluster Extension. This will cause the Agent to Uninstall the extension + from the cluster. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param extension_name: Name of the Extension. Required. + :type extension_name: str + :param force_delete: Delete the extension resource in Azure - not the normal asynchronous + delete. Default value is None. + :type force_delete: bool + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be AsyncARMPolling. Pass in False for + this operation to not poll, or pass in your own initialized polling object for a personal + polling strategy. + :paramtype polling: bool or ~azure.core.polling.AsyncPollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of AsyncLROPoller that returns either None or the result of cls(response) + :rtype: ~azure.core.polling.AsyncLROPoller[None] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + cls = kwargs.pop("cls", None) # type: ClsType[None] + polling = kwargs.pop("polling", True) # type: Union[bool, AsyncPollingMethod] + lro_delay = kwargs.pop("polling_interval", self._config.polling_interval) + cont_token = kwargs.pop("continuation_token", None) # type: Optional[str] + if cont_token is None: + raw_result = await self._delete_initial( # type: ignore + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + extension_name=extension_name, + force_delete=force_delete, + api_version=api_version, + cls=lambda x, y, z: x, + headers=_headers, + params=_params, + **kwargs + ) + kwargs.pop("error_map", None) + + def get_long_running_output(pipeline_response): # pylint: disable=inconsistent-return-statements + if cls: + return cls(pipeline_response, None, {}) + + if polling is True: + polling_method = cast( + AsyncPollingMethod, + AsyncARMPolling(lro_delay, lro_options={"final-state-via": "azure-async-operation"}, **kwargs), + ) # type: AsyncPollingMethod + elif polling is False: + polling_method = cast(AsyncPollingMethod, AsyncNoPolling()) + else: + polling_method = polling + if cont_token: + return AsyncLROPoller.from_continuation_token( + polling_method=polling_method, + continuation_token=cont_token, + client=self._client, + deserialization_callback=get_long_running_output, + ) + return AsyncLROPoller(self._client, raw_result, get_long_running_output, polling_method) + + begin_delete.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}"} # type: ignore + + async def _update_initial( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + patch_extension: Union[_models.PatchExtension, IO], + **kwargs: Any + ) -> _models.Extension: + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + cls = kwargs.pop("cls", None) # type: ClsType[_models.Extension] + + content_type = content_type or "application/json" + _json = None + _content = None + if isinstance(patch_extension, (IO, bytes)): + _content = patch_extension + else: + _json = self._serialize.body(patch_extension, "PatchExtension") + + request = build_update_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + extension_name=extension_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + content_type=content_type, + json=_json, + content=_content, + template_url=self._update_initial.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = await self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200, 202]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + if response.status_code == 200: + deserialized = self._deserialize("Extension", pipeline_response) + + if response.status_code == 202: + deserialized = self._deserialize("Extension", pipeline_response) + + if cls: + return cls(pipeline_response, deserialized, {}) + + return deserialized + + _update_initial.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}"} # type: ignore + + @overload + async def begin_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + patch_extension: _models.PatchExtension, + *, + content_type: str = "application/json", + **kwargs: Any + ) -> AsyncLROPoller[_models.Extension]: + """Patch an existing Kubernetes Cluster Extension. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param extension_name: Name of the Extension. Required. + :type extension_name: str + :param patch_extension: Properties to Patch in an existing Extension. Required. + :type patch_extension: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.PatchExtension + :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. + Default value is "application/json". + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be AsyncARMPolling. Pass in False for + this operation to not poll, or pass in your own initialized polling object for a personal + polling strategy. + :paramtype polling: bool or ~azure.core.polling.AsyncPollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of AsyncLROPoller that returns either Extension or the result of + cls(response) + :rtype: + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.Extension] + :raises ~azure.core.exceptions.HttpResponseError: + """ + + @overload + async def begin_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + patch_extension: IO, + *, + content_type: str = "application/json", + **kwargs: Any + ) -> AsyncLROPoller[_models.Extension]: + """Patch an existing Kubernetes Cluster Extension. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param extension_name: Name of the Extension. Required. + :type extension_name: str + :param patch_extension: Properties to Patch in an existing Extension. Required. + :type patch_extension: IO + :keyword content_type: Body Parameter content-type. Content type parameter for binary body. + Default value is "application/json". + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be AsyncARMPolling. Pass in False for + this operation to not poll, or pass in your own initialized polling object for a personal + polling strategy. + :paramtype polling: bool or ~azure.core.polling.AsyncPollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of AsyncLROPoller that returns either Extension or the result of + cls(response) + :rtype: + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.Extension] + :raises ~azure.core.exceptions.HttpResponseError: + """ + + @distributed_trace_async + async def begin_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + patch_extension: Union[_models.PatchExtension, IO], + **kwargs: Any + ) -> AsyncLROPoller[_models.Extension]: + """Patch an existing Kubernetes Cluster Extension. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param extension_name: Name of the Extension. Required. + :type extension_name: str + :param patch_extension: Properties to Patch in an existing Extension. Is either a model type or + a IO type. Required. + :type patch_extension: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.PatchExtension or + IO + :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. + Default value is None. + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be AsyncARMPolling. Pass in False for + this operation to not poll, or pass in your own initialized polling object for a personal + polling strategy. + :paramtype polling: bool or ~azure.core.polling.AsyncPollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of AsyncLROPoller that returns either Extension or the result of + cls(response) + :rtype: + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.Extension] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + cls = kwargs.pop("cls", None) # type: ClsType[_models.Extension] + polling = kwargs.pop("polling", True) # type: Union[bool, AsyncPollingMethod] + lro_delay = kwargs.pop("polling_interval", self._config.polling_interval) + cont_token = kwargs.pop("continuation_token", None) # type: Optional[str] + if cont_token is None: + raw_result = await self._update_initial( # type: ignore + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + extension_name=extension_name, + patch_extension=patch_extension, + api_version=api_version, + content_type=content_type, + cls=lambda x, y, z: x, + headers=_headers, + params=_params, + **kwargs + ) + kwargs.pop("error_map", None) + + def get_long_running_output(pipeline_response): + deserialized = self._deserialize("Extension", pipeline_response) + if cls: + return cls(pipeline_response, deserialized, {}) + return deserialized + + if polling is True: + polling_method = cast( + AsyncPollingMethod, + AsyncARMPolling(lro_delay, lro_options={"final-state-via": "azure-async-operation"}, **kwargs), + ) # type: AsyncPollingMethod + elif polling is False: + polling_method = cast(AsyncPollingMethod, AsyncNoPolling()) + else: + polling_method = polling + if cont_token: + return AsyncLROPoller.from_continuation_token( + polling_method=polling_method, + continuation_token=cont_token, + client=self._client, + deserialization_callback=get_long_running_output, + ) + return AsyncLROPoller(self._client, raw_result, get_long_running_output, polling_method) + + begin_update.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}"} # type: ignore + + @distributed_trace + def list( + self, resource_group_name: str, cluster_rp: str, cluster_resource_name: str, cluster_name: str, **kwargs: Any + ) -> AsyncIterable["_models.Extension"]: + """List all Extensions in the cluster. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: An iterator like instance of either Extension or the result of cls(response) + :rtype: + ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.Extension] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + cls = kwargs.pop("cls", None) # type: ClsType[_models.ExtensionsList] + + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + def prepare_request(next_link=None): + if not next_link: + + request = build_list_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + template_url=self.list.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + else: + # make call to next link with the client's api-version + _parsed_next_link = urllib.parse.urlparse(next_link) + _next_request_params = case_insensitive_dict( + { + key: [urllib.parse.quote(v) for v in value] + for key, value in urllib.parse.parse_qs(_parsed_next_link.query).items() + } + ) + _next_request_params["api-version"] = self._config.api_version + request = HttpRequest( + "GET", urllib.parse.urljoin(next_link, _parsed_next_link.path), params=_next_request_params + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + request.method = "GET" + return request + + async def extract_data(pipeline_response): + deserialized = self._deserialize("ExtensionsList", pipeline_response) + list_of_elem = deserialized.value + if cls: + list_of_elem = cls(list_of_elem) + return deserialized.next_link or None, AsyncList(list_of_elem) + + async def get_next(next_link=None): + request = prepare_request(next_link) + + pipeline_response = await self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + response = pipeline_response.http_response + + if response.status_code not in [200]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + return pipeline_response + + return AsyncItemPaged(get_next, extract_data) + + list.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions"} # type: ignore diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/operations/_flux_config_operation_status_operations.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/operations/_flux_config_operation_status_operations.py new file mode 100644 index 00000000000..f1755025907 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/operations/_flux_config_operation_status_operations.py @@ -0,0 +1,139 @@ +# pylint: disable=too-many-lines +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- +import sys +from typing import Any, Callable, Dict, Optional, TypeVar + +from azure.core.exceptions import ( + ClientAuthenticationError, + HttpResponseError, + ResourceExistsError, + ResourceNotFoundError, + ResourceNotModifiedError, + map_error, +) +from azure.core.pipeline import PipelineResponse +from azure.core.pipeline.transport import AsyncHttpResponse +from azure.core.rest import HttpRequest +from azure.core.tracing.decorator_async import distributed_trace_async +from azure.core.utils import case_insensitive_dict +from azure.mgmt.core.exceptions import ARMErrorFormat + +from ... import models as _models +from ..._vendor import _convert_request +from ...operations._flux_config_operation_status_operations import build_get_request + +if sys.version_info >= (3, 8): + from typing import Literal # pylint: disable=no-name-in-module, ungrouped-imports +else: + from typing_extensions import Literal # type: ignore # pylint: disable=ungrouped-imports +T = TypeVar("T") +ClsType = Optional[Callable[[PipelineResponse[HttpRequest, AsyncHttpResponse], T, Dict[str, Any]], Any]] + + +class FluxConfigOperationStatusOperations: + """ + .. warning:: + **DO NOT** instantiate this class directly. + + Instead, you should access the following operations through + :class:`~azure.mgmt.kubernetesconfiguration.v2022_11_01.aio.SourceControlConfigurationClient`'s + :attr:`flux_config_operation_status` attribute. + """ + + models = _models + + def __init__(self, *args, **kwargs) -> None: + input_args = list(args) + self._client = input_args.pop(0) if input_args else kwargs.pop("client") + self._config = input_args.pop(0) if input_args else kwargs.pop("config") + self._serialize = input_args.pop(0) if input_args else kwargs.pop("serializer") + self._deserialize = input_args.pop(0) if input_args else kwargs.pop("deserializer") + + @distributed_trace_async + async def get( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + operation_id: str, + **kwargs: Any + ) -> _models.OperationStatusResult: + """Get Async Operation status. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param flux_configuration_name: Name of the Flux Configuration. Required. + :type flux_configuration_name: str + :param operation_id: operation Id. Required. + :type operation_id: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: OperationStatusResult or the result of cls(response) + :rtype: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.OperationStatusResult + :raises ~azure.core.exceptions.HttpResponseError: + """ + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + cls = kwargs.pop("cls", None) # type: ClsType[_models.OperationStatusResult] + + request = build_get_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + flux_configuration_name=flux_configuration_name, + operation_id=operation_id, + subscription_id=self._config.subscription_id, + api_version=api_version, + template_url=self.get.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = await self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + deserialized = self._deserialize("OperationStatusResult", pipeline_response) + + if cls: + return cls(pipeline_response, deserialized, {}) + + return deserialized + + get.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}/operations/{operationId}"} # type: ignore diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/operations/_flux_configurations_operations.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/operations/_flux_configurations_operations.py new file mode 100644 index 00000000000..fcc96aabb96 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/operations/_flux_configurations_operations.py @@ -0,0 +1,934 @@ +# pylint: disable=too-many-lines +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- +import sys +from typing import Any, AsyncIterable, Callable, Dict, IO, Optional, TypeVar, Union, cast, overload +import urllib.parse + +from azure.core.async_paging import AsyncItemPaged, AsyncList +from azure.core.exceptions import ( + ClientAuthenticationError, + HttpResponseError, + ResourceExistsError, + ResourceNotFoundError, + ResourceNotModifiedError, + map_error, +) +from azure.core.pipeline import PipelineResponse +from azure.core.pipeline.transport import AsyncHttpResponse +from azure.core.polling import AsyncLROPoller, AsyncNoPolling, AsyncPollingMethod +from azure.core.rest import HttpRequest +from azure.core.tracing.decorator import distributed_trace +from azure.core.tracing.decorator_async import distributed_trace_async +from azure.core.utils import case_insensitive_dict +from azure.mgmt.core.exceptions import ARMErrorFormat +from azure.mgmt.core.polling.async_arm_polling import AsyncARMPolling + +from ... import models as _models +from ..._vendor import _convert_request +from ...operations._flux_configurations_operations import ( + build_create_or_update_request, + build_delete_request, + build_get_request, + build_list_request, + build_update_request, +) + +if sys.version_info >= (3, 8): + from typing import Literal # pylint: disable=no-name-in-module, ungrouped-imports +else: + from typing_extensions import Literal # type: ignore # pylint: disable=ungrouped-imports +T = TypeVar("T") +ClsType = Optional[Callable[[PipelineResponse[HttpRequest, AsyncHttpResponse], T, Dict[str, Any]], Any]] + + +class FluxConfigurationsOperations: + """ + .. warning:: + **DO NOT** instantiate this class directly. + + Instead, you should access the following operations through + :class:`~azure.mgmt.kubernetesconfiguration.v2022_11_01.aio.SourceControlConfigurationClient`'s + :attr:`flux_configurations` attribute. + """ + + models = _models + + def __init__(self, *args, **kwargs) -> None: + input_args = list(args) + self._client = input_args.pop(0) if input_args else kwargs.pop("client") + self._config = input_args.pop(0) if input_args else kwargs.pop("config") + self._serialize = input_args.pop(0) if input_args else kwargs.pop("serializer") + self._deserialize = input_args.pop(0) if input_args else kwargs.pop("deserializer") + + @distributed_trace_async + async def get( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + **kwargs: Any + ) -> _models.FluxConfiguration: + """Gets details of the Flux Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param flux_configuration_name: Name of the Flux Configuration. Required. + :type flux_configuration_name: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: FluxConfiguration or the result of cls(response) + :rtype: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.FluxConfiguration + :raises ~azure.core.exceptions.HttpResponseError: + """ + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + cls = kwargs.pop("cls", None) # type: ClsType[_models.FluxConfiguration] + + request = build_get_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + flux_configuration_name=flux_configuration_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + template_url=self.get.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = await self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + deserialized = self._deserialize("FluxConfiguration", pipeline_response) + + if cls: + return cls(pipeline_response, deserialized, {}) + + return deserialized + + get.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}"} # type: ignore + + async def _create_or_update_initial( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + flux_configuration: Union[_models.FluxConfiguration, IO], + **kwargs: Any + ) -> _models.FluxConfiguration: + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + cls = kwargs.pop("cls", None) # type: ClsType[_models.FluxConfiguration] + + content_type = content_type or "application/json" + _json = None + _content = None + if isinstance(flux_configuration, (IO, bytes)): + _content = flux_configuration + else: + _json = self._serialize.body(flux_configuration, "FluxConfiguration") + + request = build_create_or_update_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + flux_configuration_name=flux_configuration_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + content_type=content_type, + json=_json, + content=_content, + template_url=self._create_or_update_initial.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = await self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200, 201]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + if response.status_code == 200: + deserialized = self._deserialize("FluxConfiguration", pipeline_response) + + if response.status_code == 201: + deserialized = self._deserialize("FluxConfiguration", pipeline_response) + + if cls: + return cls(pipeline_response, deserialized, {}) + + return deserialized + + _create_or_update_initial.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}"} # type: ignore + + @overload + async def begin_create_or_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + flux_configuration: _models.FluxConfiguration, + *, + content_type: str = "application/json", + **kwargs: Any + ) -> AsyncLROPoller[_models.FluxConfiguration]: + """Create a new Kubernetes Flux Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param flux_configuration_name: Name of the Flux Configuration. Required. + :type flux_configuration_name: str + :param flux_configuration: Properties necessary to Create a FluxConfiguration. Required. + :type flux_configuration: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.FluxConfiguration + :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. + Default value is "application/json". + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be AsyncARMPolling. Pass in False for + this operation to not poll, or pass in your own initialized polling object for a personal + polling strategy. + :paramtype polling: bool or ~azure.core.polling.AsyncPollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of AsyncLROPoller that returns either FluxConfiguration or the result of + cls(response) + :rtype: + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.FluxConfiguration] + :raises ~azure.core.exceptions.HttpResponseError: + """ + + @overload + async def begin_create_or_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + flux_configuration: IO, + *, + content_type: str = "application/json", + **kwargs: Any + ) -> AsyncLROPoller[_models.FluxConfiguration]: + """Create a new Kubernetes Flux Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param flux_configuration_name: Name of the Flux Configuration. Required. + :type flux_configuration_name: str + :param flux_configuration: Properties necessary to Create a FluxConfiguration. Required. + :type flux_configuration: IO + :keyword content_type: Body Parameter content-type. Content type parameter for binary body. + Default value is "application/json". + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be AsyncARMPolling. Pass in False for + this operation to not poll, or pass in your own initialized polling object for a personal + polling strategy. + :paramtype polling: bool or ~azure.core.polling.AsyncPollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of AsyncLROPoller that returns either FluxConfiguration or the result of + cls(response) + :rtype: + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.FluxConfiguration] + :raises ~azure.core.exceptions.HttpResponseError: + """ + + @distributed_trace_async + async def begin_create_or_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + flux_configuration: Union[_models.FluxConfiguration, IO], + **kwargs: Any + ) -> AsyncLROPoller[_models.FluxConfiguration]: + """Create a new Kubernetes Flux Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param flux_configuration_name: Name of the Flux Configuration. Required. + :type flux_configuration_name: str + :param flux_configuration: Properties necessary to Create a FluxConfiguration. Is either a + model type or a IO type. Required. + :type flux_configuration: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.FluxConfiguration or IO + :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. + Default value is None. + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be AsyncARMPolling. Pass in False for + this operation to not poll, or pass in your own initialized polling object for a personal + polling strategy. + :paramtype polling: bool or ~azure.core.polling.AsyncPollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of AsyncLROPoller that returns either FluxConfiguration or the result of + cls(response) + :rtype: + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.FluxConfiguration] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + cls = kwargs.pop("cls", None) # type: ClsType[_models.FluxConfiguration] + polling = kwargs.pop("polling", True) # type: Union[bool, AsyncPollingMethod] + lro_delay = kwargs.pop("polling_interval", self._config.polling_interval) + cont_token = kwargs.pop("continuation_token", None) # type: Optional[str] + if cont_token is None: + raw_result = await self._create_or_update_initial( # type: ignore + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + flux_configuration_name=flux_configuration_name, + flux_configuration=flux_configuration, + api_version=api_version, + content_type=content_type, + cls=lambda x, y, z: x, + headers=_headers, + params=_params, + **kwargs + ) + kwargs.pop("error_map", None) + + def get_long_running_output(pipeline_response): + deserialized = self._deserialize("FluxConfiguration", pipeline_response) + if cls: + return cls(pipeline_response, deserialized, {}) + return deserialized + + if polling is True: + polling_method = cast( + AsyncPollingMethod, + AsyncARMPolling(lro_delay, lro_options={"final-state-via": "azure-async-operation"}, **kwargs), + ) # type: AsyncPollingMethod + elif polling is False: + polling_method = cast(AsyncPollingMethod, AsyncNoPolling()) + else: + polling_method = polling + if cont_token: + return AsyncLROPoller.from_continuation_token( + polling_method=polling_method, + continuation_token=cont_token, + client=self._client, + deserialization_callback=get_long_running_output, + ) + return AsyncLROPoller(self._client, raw_result, get_long_running_output, polling_method) + + begin_create_or_update.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}"} # type: ignore + + async def _update_initial( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + flux_configuration_patch: Union[_models.FluxConfigurationPatch, IO], + **kwargs: Any + ) -> _models.FluxConfiguration: + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + cls = kwargs.pop("cls", None) # type: ClsType[_models.FluxConfiguration] + + content_type = content_type or "application/json" + _json = None + _content = None + if isinstance(flux_configuration_patch, (IO, bytes)): + _content = flux_configuration_patch + else: + _json = self._serialize.body(flux_configuration_patch, "FluxConfigurationPatch") + + request = build_update_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + flux_configuration_name=flux_configuration_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + content_type=content_type, + json=_json, + content=_content, + template_url=self._update_initial.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = await self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200, 202]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + if response.status_code == 200: + deserialized = self._deserialize("FluxConfiguration", pipeline_response) + + if response.status_code == 202: + deserialized = self._deserialize("FluxConfiguration", pipeline_response) + + if cls: + return cls(pipeline_response, deserialized, {}) + + return deserialized + + _update_initial.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}"} # type: ignore + + @overload + async def begin_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + flux_configuration_patch: _models.FluxConfigurationPatch, + *, + content_type: str = "application/json", + **kwargs: Any + ) -> AsyncLROPoller[_models.FluxConfiguration]: + """Update an existing Kubernetes Flux Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param flux_configuration_name: Name of the Flux Configuration. Required. + :type flux_configuration_name: str + :param flux_configuration_patch: Properties to Patch in an existing Flux Configuration. + Required. + :type flux_configuration_patch: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.FluxConfigurationPatch + :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. + Default value is "application/json". + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be AsyncARMPolling. Pass in False for + this operation to not poll, or pass in your own initialized polling object for a personal + polling strategy. + :paramtype polling: bool or ~azure.core.polling.AsyncPollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of AsyncLROPoller that returns either FluxConfiguration or the result of + cls(response) + :rtype: + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.FluxConfiguration] + :raises ~azure.core.exceptions.HttpResponseError: + """ + + @overload + async def begin_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + flux_configuration_patch: IO, + *, + content_type: str = "application/json", + **kwargs: Any + ) -> AsyncLROPoller[_models.FluxConfiguration]: + """Update an existing Kubernetes Flux Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param flux_configuration_name: Name of the Flux Configuration. Required. + :type flux_configuration_name: str + :param flux_configuration_patch: Properties to Patch in an existing Flux Configuration. + Required. + :type flux_configuration_patch: IO + :keyword content_type: Body Parameter content-type. Content type parameter for binary body. + Default value is "application/json". + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be AsyncARMPolling. Pass in False for + this operation to not poll, or pass in your own initialized polling object for a personal + polling strategy. + :paramtype polling: bool or ~azure.core.polling.AsyncPollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of AsyncLROPoller that returns either FluxConfiguration or the result of + cls(response) + :rtype: + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.FluxConfiguration] + :raises ~azure.core.exceptions.HttpResponseError: + """ + + @distributed_trace_async + async def begin_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + flux_configuration_patch: Union[_models.FluxConfigurationPatch, IO], + **kwargs: Any + ) -> AsyncLROPoller[_models.FluxConfiguration]: + """Update an existing Kubernetes Flux Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param flux_configuration_name: Name of the Flux Configuration. Required. + :type flux_configuration_name: str + :param flux_configuration_patch: Properties to Patch in an existing Flux Configuration. Is + either a model type or a IO type. Required. + :type flux_configuration_patch: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.FluxConfigurationPatch or IO + :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. + Default value is None. + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be AsyncARMPolling. Pass in False for + this operation to not poll, or pass in your own initialized polling object for a personal + polling strategy. + :paramtype polling: bool or ~azure.core.polling.AsyncPollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of AsyncLROPoller that returns either FluxConfiguration or the result of + cls(response) + :rtype: + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.FluxConfiguration] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + cls = kwargs.pop("cls", None) # type: ClsType[_models.FluxConfiguration] + polling = kwargs.pop("polling", True) # type: Union[bool, AsyncPollingMethod] + lro_delay = kwargs.pop("polling_interval", self._config.polling_interval) + cont_token = kwargs.pop("continuation_token", None) # type: Optional[str] + if cont_token is None: + raw_result = await self._update_initial( # type: ignore + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + flux_configuration_name=flux_configuration_name, + flux_configuration_patch=flux_configuration_patch, + api_version=api_version, + content_type=content_type, + cls=lambda x, y, z: x, + headers=_headers, + params=_params, + **kwargs + ) + kwargs.pop("error_map", None) + + def get_long_running_output(pipeline_response): + deserialized = self._deserialize("FluxConfiguration", pipeline_response) + if cls: + return cls(pipeline_response, deserialized, {}) + return deserialized + + if polling is True: + polling_method = cast( + AsyncPollingMethod, + AsyncARMPolling(lro_delay, lro_options={"final-state-via": "azure-async-operation"}, **kwargs), + ) # type: AsyncPollingMethod + elif polling is False: + polling_method = cast(AsyncPollingMethod, AsyncNoPolling()) + else: + polling_method = polling + if cont_token: + return AsyncLROPoller.from_continuation_token( + polling_method=polling_method, + continuation_token=cont_token, + client=self._client, + deserialization_callback=get_long_running_output, + ) + return AsyncLROPoller(self._client, raw_result, get_long_running_output, polling_method) + + begin_update.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}"} # type: ignore + + async def _delete_initial( # pylint: disable=inconsistent-return-statements + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + force_delete: Optional[bool] = None, + **kwargs: Any + ) -> None: + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + cls = kwargs.pop("cls", None) # type: ClsType[None] + + request = build_delete_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + flux_configuration_name=flux_configuration_name, + subscription_id=self._config.subscription_id, + force_delete=force_delete, + api_version=api_version, + template_url=self._delete_initial.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = await self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200, 202, 204]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + if cls: + return cls(pipeline_response, None, {}) + + _delete_initial.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}"} # type: ignore + + @distributed_trace_async + async def begin_delete( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + force_delete: Optional[bool] = None, + **kwargs: Any + ) -> AsyncLROPoller[None]: + """This will delete the YAML file used to set up the Flux Configuration, thus stopping future sync + from the source repo. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param flux_configuration_name: Name of the Flux Configuration. Required. + :type flux_configuration_name: str + :param force_delete: Delete the extension resource in Azure - not the normal asynchronous + delete. Default value is None. + :type force_delete: bool + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be AsyncARMPolling. Pass in False for + this operation to not poll, or pass in your own initialized polling object for a personal + polling strategy. + :paramtype polling: bool or ~azure.core.polling.AsyncPollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of AsyncLROPoller that returns either None or the result of cls(response) + :rtype: ~azure.core.polling.AsyncLROPoller[None] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + cls = kwargs.pop("cls", None) # type: ClsType[None] + polling = kwargs.pop("polling", True) # type: Union[bool, AsyncPollingMethod] + lro_delay = kwargs.pop("polling_interval", self._config.polling_interval) + cont_token = kwargs.pop("continuation_token", None) # type: Optional[str] + if cont_token is None: + raw_result = await self._delete_initial( # type: ignore + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + flux_configuration_name=flux_configuration_name, + force_delete=force_delete, + api_version=api_version, + cls=lambda x, y, z: x, + headers=_headers, + params=_params, + **kwargs + ) + kwargs.pop("error_map", None) + + def get_long_running_output(pipeline_response): # pylint: disable=inconsistent-return-statements + if cls: + return cls(pipeline_response, None, {}) + + if polling is True: + polling_method = cast( + AsyncPollingMethod, + AsyncARMPolling(lro_delay, lro_options={"final-state-via": "azure-async-operation"}, **kwargs), + ) # type: AsyncPollingMethod + elif polling is False: + polling_method = cast(AsyncPollingMethod, AsyncNoPolling()) + else: + polling_method = polling + if cont_token: + return AsyncLROPoller.from_continuation_token( + polling_method=polling_method, + continuation_token=cont_token, + client=self._client, + deserialization_callback=get_long_running_output, + ) + return AsyncLROPoller(self._client, raw_result, get_long_running_output, polling_method) + + begin_delete.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}"} # type: ignore + + @distributed_trace + def list( + self, resource_group_name: str, cluster_rp: str, cluster_resource_name: str, cluster_name: str, **kwargs: Any + ) -> AsyncIterable["_models.FluxConfiguration"]: + """List all Flux Configurations. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: An iterator like instance of either FluxConfiguration or the result of cls(response) + :rtype: + ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.FluxConfiguration] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + cls = kwargs.pop("cls", None) # type: ClsType[_models.FluxConfigurationsList] + + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + def prepare_request(next_link=None): + if not next_link: + + request = build_list_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + template_url=self.list.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + else: + # make call to next link with the client's api-version + _parsed_next_link = urllib.parse.urlparse(next_link) + _next_request_params = case_insensitive_dict( + { + key: [urllib.parse.quote(v) for v in value] + for key, value in urllib.parse.parse_qs(_parsed_next_link.query).items() + } + ) + _next_request_params["api-version"] = self._config.api_version + request = HttpRequest( + "GET", urllib.parse.urljoin(next_link, _parsed_next_link.path), params=_next_request_params + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + request.method = "GET" + return request + + async def extract_data(pipeline_response): + deserialized = self._deserialize("FluxConfigurationsList", pipeline_response) + list_of_elem = deserialized.value + if cls: + list_of_elem = cls(list_of_elem) + return deserialized.next_link or None, AsyncList(list_of_elem) + + async def get_next(next_link=None): + request = prepare_request(next_link) + + pipeline_response = await self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + response = pipeline_response.http_response + + if response.status_code not in [200]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + return pipeline_response + + return AsyncItemPaged(get_next, extract_data) + + list.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations"} # type: ignore diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/operations/_operation_status_operations.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/operations/_operation_status_operations.py new file mode 100644 index 00000000000..8ec687611d5 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/operations/_operation_status_operations.py @@ -0,0 +1,241 @@ +# pylint: disable=too-many-lines +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- +import sys +from typing import Any, AsyncIterable, Callable, Dict, Optional, TypeVar +import urllib.parse + +from azure.core.async_paging import AsyncItemPaged, AsyncList +from azure.core.exceptions import ( + ClientAuthenticationError, + HttpResponseError, + ResourceExistsError, + ResourceNotFoundError, + ResourceNotModifiedError, + map_error, +) +from azure.core.pipeline import PipelineResponse +from azure.core.pipeline.transport import AsyncHttpResponse +from azure.core.rest import HttpRequest +from azure.core.tracing.decorator import distributed_trace +from azure.core.tracing.decorator_async import distributed_trace_async +from azure.core.utils import case_insensitive_dict +from azure.mgmt.core.exceptions import ARMErrorFormat + +from ... import models as _models +from ..._vendor import _convert_request +from ...operations._operation_status_operations import build_get_request, build_list_request + +if sys.version_info >= (3, 8): + from typing import Literal # pylint: disable=no-name-in-module, ungrouped-imports +else: + from typing_extensions import Literal # type: ignore # pylint: disable=ungrouped-imports +T = TypeVar("T") +ClsType = Optional[Callable[[PipelineResponse[HttpRequest, AsyncHttpResponse], T, Dict[str, Any]], Any]] + + +class OperationStatusOperations: + """ + .. warning:: + **DO NOT** instantiate this class directly. + + Instead, you should access the following operations through + :class:`~azure.mgmt.kubernetesconfiguration.v2022_11_01.aio.SourceControlConfigurationClient`'s + :attr:`operation_status` attribute. + """ + + models = _models + + def __init__(self, *args, **kwargs) -> None: + input_args = list(args) + self._client = input_args.pop(0) if input_args else kwargs.pop("client") + self._config = input_args.pop(0) if input_args else kwargs.pop("config") + self._serialize = input_args.pop(0) if input_args else kwargs.pop("serializer") + self._deserialize = input_args.pop(0) if input_args else kwargs.pop("deserializer") + + @distributed_trace_async + async def get( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + operation_id: str, + **kwargs: Any + ) -> _models.OperationStatusResult: + """Get Async Operation status. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param extension_name: Name of the Extension. Required. + :type extension_name: str + :param operation_id: operation Id. Required. + :type operation_id: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: OperationStatusResult or the result of cls(response) + :rtype: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.OperationStatusResult + :raises ~azure.core.exceptions.HttpResponseError: + """ + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + cls = kwargs.pop("cls", None) # type: ClsType[_models.OperationStatusResult] + + request = build_get_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + extension_name=extension_name, + operation_id=operation_id, + subscription_id=self._config.subscription_id, + api_version=api_version, + template_url=self.get.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = await self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + deserialized = self._deserialize("OperationStatusResult", pipeline_response) + + if cls: + return cls(pipeline_response, deserialized, {}) + + return deserialized + + get.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}/operations/{operationId}"} # type: ignore + + @distributed_trace + def list( + self, resource_group_name: str, cluster_rp: str, cluster_resource_name: str, cluster_name: str, **kwargs: Any + ) -> AsyncIterable["_models.OperationStatusResult"]: + """List Async Operations, currently in progress, in a cluster. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: An iterator like instance of either OperationStatusResult or the result of + cls(response) + :rtype: + ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.OperationStatusResult] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + cls = kwargs.pop("cls", None) # type: ClsType[_models.OperationStatusList] + + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + def prepare_request(next_link=None): + if not next_link: + + request = build_list_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + template_url=self.list.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + else: + # make call to next link with the client's api-version + _parsed_next_link = urllib.parse.urlparse(next_link) + _next_request_params = case_insensitive_dict( + { + key: [urllib.parse.quote(v) for v in value] + for key, value in urllib.parse.parse_qs(_parsed_next_link.query).items() + } + ) + _next_request_params["api-version"] = self._config.api_version + request = HttpRequest( + "GET", urllib.parse.urljoin(next_link, _parsed_next_link.path), params=_next_request_params + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + request.method = "GET" + return request + + async def extract_data(pipeline_response): + deserialized = self._deserialize("OperationStatusList", pipeline_response) + list_of_elem = deserialized.value + if cls: + list_of_elem = cls(list_of_elem) + return deserialized.next_link or None, AsyncList(list_of_elem) + + async def get_next(next_link=None): + request = prepare_request(next_link) + + pipeline_response = await self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + response = pipeline_response.http_response + + if response.status_code not in [200]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + return pipeline_response + + return AsyncItemPaged(get_next, extract_data) + + list.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/operations"} # type: ignore diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/operations/_operations.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/operations/_operations.py new file mode 100644 index 00000000000..c2dda4befd0 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/operations/_operations.py @@ -0,0 +1,139 @@ +# pylint: disable=too-many-lines +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- +import sys +from typing import Any, AsyncIterable, Callable, Dict, Optional, TypeVar +import urllib.parse + +from azure.core.async_paging import AsyncItemPaged, AsyncList +from azure.core.exceptions import ( + ClientAuthenticationError, + HttpResponseError, + ResourceExistsError, + ResourceNotFoundError, + ResourceNotModifiedError, + map_error, +) +from azure.core.pipeline import PipelineResponse +from azure.core.pipeline.transport import AsyncHttpResponse +from azure.core.rest import HttpRequest +from azure.core.tracing.decorator import distributed_trace +from azure.core.utils import case_insensitive_dict +from azure.mgmt.core.exceptions import ARMErrorFormat + +from ... import models as _models +from ..._vendor import _convert_request +from ...operations._operations import build_list_request + +if sys.version_info >= (3, 8): + from typing import Literal # pylint: disable=no-name-in-module, ungrouped-imports +else: + from typing_extensions import Literal # type: ignore # pylint: disable=ungrouped-imports +T = TypeVar("T") +ClsType = Optional[Callable[[PipelineResponse[HttpRequest, AsyncHttpResponse], T, Dict[str, Any]], Any]] + + +class Operations: + """ + .. warning:: + **DO NOT** instantiate this class directly. + + Instead, you should access the following operations through + :class:`~azure.mgmt.kubernetesconfiguration.v2022_11_01.aio.SourceControlConfigurationClient`'s + :attr:`operations` attribute. + """ + + models = _models + + def __init__(self, *args, **kwargs) -> None: + input_args = list(args) + self._client = input_args.pop(0) if input_args else kwargs.pop("client") + self._config = input_args.pop(0) if input_args else kwargs.pop("config") + self._serialize = input_args.pop(0) if input_args else kwargs.pop("serializer") + self._deserialize = input_args.pop(0) if input_args else kwargs.pop("deserializer") + + @distributed_trace + def list(self, **kwargs: Any) -> AsyncIterable["_models.ResourceProviderOperation"]: + """List all the available operations the KubernetesConfiguration resource provider supports. + + :keyword callable cls: A custom type or function that will be passed the direct response + :return: An iterator like instance of either ResourceProviderOperation or the result of + cls(response) + :rtype: + ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ResourceProviderOperation] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + cls = kwargs.pop("cls", None) # type: ClsType[_models.ResourceProviderOperationList] + + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + def prepare_request(next_link=None): + if not next_link: + + request = build_list_request( + api_version=api_version, + template_url=self.list.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + else: + # make call to next link with the client's api-version + _parsed_next_link = urllib.parse.urlparse(next_link) + _next_request_params = case_insensitive_dict( + { + key: [urllib.parse.quote(v) for v in value] + for key, value in urllib.parse.parse_qs(_parsed_next_link.query).items() + } + ) + _next_request_params["api-version"] = self._config.api_version + request = HttpRequest( + "GET", urllib.parse.urljoin(next_link, _parsed_next_link.path), params=_next_request_params + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + request.method = "GET" + return request + + async def extract_data(pipeline_response): + deserialized = self._deserialize("ResourceProviderOperationList", pipeline_response) + list_of_elem = deserialized.value + if cls: + list_of_elem = cls(list_of_elem) + return deserialized.next_link or None, AsyncList(list_of_elem) + + async def get_next(next_link=None): + request = prepare_request(next_link) + + pipeline_response = await self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + response = pipeline_response.http_response + + if response.status_code not in [200]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + return pipeline_response + + return AsyncItemPaged(get_next, extract_data) + + list.metadata = {"url": "/providers/Microsoft.KubernetesConfiguration/operations"} # type: ignore diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/operations/_patch.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/operations/_patch.py new file mode 100644 index 00000000000..f7dd3251033 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/operations/_patch.py @@ -0,0 +1,20 @@ +# ------------------------------------ +# Copyright (c) Microsoft Corporation. +# Licensed under the MIT License. +# ------------------------------------ +"""Customize generated code here. + +Follow our quickstart for examples: https://aka.ms/azsdk/python/dpcodegen/python/customize +""" +from typing import List + +__all__: List[str] = [] # Add all objects you want publicly available to users at this package level + + +def patch_sdk(): + """Do not remove from this file. + + `patch_sdk` is a last resort escape hatch that allows you to do customizations + you can't accomplish using the techniques described in + https://aka.ms/azsdk/python/dpcodegen/python/customize + """ diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/operations/_source_control_configurations_operations.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/operations/_source_control_configurations_operations.py new file mode 100644 index 00000000000..ecef98ecfd2 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/aio/operations/_source_control_configurations_operations.py @@ -0,0 +1,564 @@ +# pylint: disable=too-many-lines +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- +import sys +from typing import Any, AsyncIterable, Callable, Dict, IO, Optional, TypeVar, Union, cast, overload +import urllib.parse + +from azure.core.async_paging import AsyncItemPaged, AsyncList +from azure.core.exceptions import ( + ClientAuthenticationError, + HttpResponseError, + ResourceExistsError, + ResourceNotFoundError, + ResourceNotModifiedError, + map_error, +) +from azure.core.pipeline import PipelineResponse +from azure.core.pipeline.transport import AsyncHttpResponse +from azure.core.polling import AsyncLROPoller, AsyncNoPolling, AsyncPollingMethod +from azure.core.rest import HttpRequest +from azure.core.tracing.decorator import distributed_trace +from azure.core.tracing.decorator_async import distributed_trace_async +from azure.core.utils import case_insensitive_dict +from azure.mgmt.core.exceptions import ARMErrorFormat +from azure.mgmt.core.polling.async_arm_polling import AsyncARMPolling + +from ... import models as _models +from ..._vendor import _convert_request +from ...operations._source_control_configurations_operations import ( + build_create_or_update_request, + build_delete_request, + build_get_request, + build_list_request, +) + +if sys.version_info >= (3, 8): + from typing import Literal # pylint: disable=no-name-in-module, ungrouped-imports +else: + from typing_extensions import Literal # type: ignore # pylint: disable=ungrouped-imports +T = TypeVar("T") +ClsType = Optional[Callable[[PipelineResponse[HttpRequest, AsyncHttpResponse], T, Dict[str, Any]], Any]] + + +class SourceControlConfigurationsOperations: + """ + .. warning:: + **DO NOT** instantiate this class directly. + + Instead, you should access the following operations through + :class:`~azure.mgmt.kubernetesconfiguration.v2022_11_01.aio.SourceControlConfigurationClient`'s + :attr:`source_control_configurations` attribute. + """ + + models = _models + + def __init__(self, *args, **kwargs) -> None: + input_args = list(args) + self._client = input_args.pop(0) if input_args else kwargs.pop("client") + self._config = input_args.pop(0) if input_args else kwargs.pop("config") + self._serialize = input_args.pop(0) if input_args else kwargs.pop("serializer") + self._deserialize = input_args.pop(0) if input_args else kwargs.pop("deserializer") + + @distributed_trace_async + async def get( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + source_control_configuration_name: str, + **kwargs: Any + ) -> _models.SourceControlConfiguration: + """Gets details of the Source Control Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param source_control_configuration_name: Name of the Source Control Configuration. Required. + :type source_control_configuration_name: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: SourceControlConfiguration or the result of cls(response) + :rtype: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.SourceControlConfiguration + :raises ~azure.core.exceptions.HttpResponseError: + """ + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + cls = kwargs.pop("cls", None) # type: ClsType[_models.SourceControlConfiguration] + + request = build_get_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + source_control_configuration_name=source_control_configuration_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + template_url=self.get.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = await self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + deserialized = self._deserialize("SourceControlConfiguration", pipeline_response) + + if cls: + return cls(pipeline_response, deserialized, {}) + + return deserialized + + get.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/sourceControlConfigurations/{sourceControlConfigurationName}"} # type: ignore + + @overload + async def create_or_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + source_control_configuration_name: str, + source_control_configuration: _models.SourceControlConfiguration, + *, + content_type: str = "application/json", + **kwargs: Any + ) -> _models.SourceControlConfiguration: + """Create a new Kubernetes Source Control Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param source_control_configuration_name: Name of the Source Control Configuration. Required. + :type source_control_configuration_name: str + :param source_control_configuration: Properties necessary to Create KubernetesConfiguration. + Required. + :type source_control_configuration: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.SourceControlConfiguration + :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. + Default value is "application/json". + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: SourceControlConfiguration or the result of cls(response) + :rtype: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.SourceControlConfiguration + :raises ~azure.core.exceptions.HttpResponseError: + """ + + @overload + async def create_or_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + source_control_configuration_name: str, + source_control_configuration: IO, + *, + content_type: str = "application/json", + **kwargs: Any + ) -> _models.SourceControlConfiguration: + """Create a new Kubernetes Source Control Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param source_control_configuration_name: Name of the Source Control Configuration. Required. + :type source_control_configuration_name: str + :param source_control_configuration: Properties necessary to Create KubernetesConfiguration. + Required. + :type source_control_configuration: IO + :keyword content_type: Body Parameter content-type. Content type parameter for binary body. + Default value is "application/json". + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: SourceControlConfiguration or the result of cls(response) + :rtype: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.SourceControlConfiguration + :raises ~azure.core.exceptions.HttpResponseError: + """ + + @distributed_trace_async + async def create_or_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + source_control_configuration_name: str, + source_control_configuration: Union[_models.SourceControlConfiguration, IO], + **kwargs: Any + ) -> _models.SourceControlConfiguration: + """Create a new Kubernetes Source Control Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param source_control_configuration_name: Name of the Source Control Configuration. Required. + :type source_control_configuration_name: str + :param source_control_configuration: Properties necessary to Create KubernetesConfiguration. Is + either a model type or a IO type. Required. + :type source_control_configuration: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.SourceControlConfiguration or IO + :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. + Default value is None. + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: SourceControlConfiguration or the result of cls(response) + :rtype: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.SourceControlConfiguration + :raises ~azure.core.exceptions.HttpResponseError: + """ + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + cls = kwargs.pop("cls", None) # type: ClsType[_models.SourceControlConfiguration] + + content_type = content_type or "application/json" + _json = None + _content = None + if isinstance(source_control_configuration, (IO, bytes)): + _content = source_control_configuration + else: + _json = self._serialize.body(source_control_configuration, "SourceControlConfiguration") + + request = build_create_or_update_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + source_control_configuration_name=source_control_configuration_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + content_type=content_type, + json=_json, + content=_content, + template_url=self.create_or_update.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = await self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200, 201]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + if response.status_code == 200: + deserialized = self._deserialize("SourceControlConfiguration", pipeline_response) + + if response.status_code == 201: + deserialized = self._deserialize("SourceControlConfiguration", pipeline_response) + + if cls: + return cls(pipeline_response, deserialized, {}) + + return deserialized + + create_or_update.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/sourceControlConfigurations/{sourceControlConfigurationName}"} # type: ignore + + async def _delete_initial( # pylint: disable=inconsistent-return-statements + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + source_control_configuration_name: str, + **kwargs: Any + ) -> None: + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + cls = kwargs.pop("cls", None) # type: ClsType[None] + + request = build_delete_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + source_control_configuration_name=source_control_configuration_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + template_url=self._delete_initial.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = await self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200, 204]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + if cls: + return cls(pipeline_response, None, {}) + + _delete_initial.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/sourceControlConfigurations/{sourceControlConfigurationName}"} # type: ignore + + @distributed_trace_async + async def begin_delete( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + source_control_configuration_name: str, + **kwargs: Any + ) -> AsyncLROPoller[None]: + """This will delete the YAML file used to set up the Source control configuration, thus stopping + future sync from the source repo. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param source_control_configuration_name: Name of the Source Control Configuration. Required. + :type source_control_configuration_name: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be AsyncARMPolling. Pass in False for + this operation to not poll, or pass in your own initialized polling object for a personal + polling strategy. + :paramtype polling: bool or ~azure.core.polling.AsyncPollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of AsyncLROPoller that returns either None or the result of cls(response) + :rtype: ~azure.core.polling.AsyncLROPoller[None] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + cls = kwargs.pop("cls", None) # type: ClsType[None] + polling = kwargs.pop("polling", True) # type: Union[bool, AsyncPollingMethod] + lro_delay = kwargs.pop("polling_interval", self._config.polling_interval) + cont_token = kwargs.pop("continuation_token", None) # type: Optional[str] + if cont_token is None: + raw_result = await self._delete_initial( # type: ignore + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + source_control_configuration_name=source_control_configuration_name, + api_version=api_version, + cls=lambda x, y, z: x, + headers=_headers, + params=_params, + **kwargs + ) + kwargs.pop("error_map", None) + + def get_long_running_output(pipeline_response): # pylint: disable=inconsistent-return-statements + if cls: + return cls(pipeline_response, None, {}) + + if polling is True: + polling_method = cast(AsyncPollingMethod, AsyncARMPolling(lro_delay, **kwargs)) # type: AsyncPollingMethod + elif polling is False: + polling_method = cast(AsyncPollingMethod, AsyncNoPolling()) + else: + polling_method = polling + if cont_token: + return AsyncLROPoller.from_continuation_token( + polling_method=polling_method, + continuation_token=cont_token, + client=self._client, + deserialization_callback=get_long_running_output, + ) + return AsyncLROPoller(self._client, raw_result, get_long_running_output, polling_method) + + begin_delete.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/sourceControlConfigurations/{sourceControlConfigurationName}"} # type: ignore + + @distributed_trace + def list( + self, resource_group_name: str, cluster_rp: str, cluster_resource_name: str, cluster_name: str, **kwargs: Any + ) -> AsyncIterable["_models.SourceControlConfiguration"]: + """List all Source Control Configurations. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: An iterator like instance of either SourceControlConfiguration or the result of + cls(response) + :rtype: + ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.SourceControlConfiguration] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + cls = kwargs.pop("cls", None) # type: ClsType[_models.SourceControlConfigurationList] + + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + def prepare_request(next_link=None): + if not next_link: + + request = build_list_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + template_url=self.list.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + else: + # make call to next link with the client's api-version + _parsed_next_link = urllib.parse.urlparse(next_link) + _next_request_params = case_insensitive_dict( + { + key: [urllib.parse.quote(v) for v in value] + for key, value in urllib.parse.parse_qs(_parsed_next_link.query).items() + } + ) + _next_request_params["api-version"] = self._config.api_version + request = HttpRequest( + "GET", urllib.parse.urljoin(next_link, _parsed_next_link.path), params=_next_request_params + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + request.method = "GET" + return request + + async def extract_data(pipeline_response): + deserialized = self._deserialize("SourceControlConfigurationList", pipeline_response) + list_of_elem = deserialized.value + if cls: + list_of_elem = cls(list_of_elem) + return deserialized.next_link or None, AsyncList(list_of_elem) + + async def get_next(next_link=None): + request = prepare_request(next_link) + + pipeline_response = await self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + response = pipeline_response.http_response + + if response.status_code not in [200]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + return pipeline_response + + return AsyncItemPaged(get_next, extract_data) + + list.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/sourceControlConfigurations"} # type: ignore diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/models/__init__.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/models/__init__.py new file mode 100644 index 00000000000..1b8269faf82 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/models/__init__.py @@ -0,0 +1,133 @@ +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- + +from ._models_py3 import AzureBlobDefinition +from ._models_py3 import AzureBlobPatchDefinition +from ._models_py3 import BucketDefinition +from ._models_py3 import BucketPatchDefinition +from ._models_py3 import ComplianceStatus +from ._models_py3 import ErrorAdditionalInfo +from ._models_py3 import ErrorDetail +from ._models_py3 import ErrorResponse +from ._models_py3 import Extension +from ._models_py3 import ExtensionPropertiesAksAssignedIdentity +from ._models_py3 import ExtensionStatus +from ._models_py3 import ExtensionsList +from ._models_py3 import FluxConfiguration +from ._models_py3 import FluxConfigurationPatch +from ._models_py3 import FluxConfigurationsList +from ._models_py3 import GitRepositoryDefinition +from ._models_py3 import GitRepositoryPatchDefinition +from ._models_py3 import HelmOperatorProperties +from ._models_py3 import HelmReleasePropertiesDefinition +from ._models_py3 import Identity +from ._models_py3 import KustomizationDefinition +from ._models_py3 import KustomizationPatchDefinition +from ._models_py3 import ManagedIdentityDefinition +from ._models_py3 import ManagedIdentityPatchDefinition +from ._models_py3 import ObjectReferenceDefinition +from ._models_py3 import ObjectStatusConditionDefinition +from ._models_py3 import ObjectStatusDefinition +from ._models_py3 import OperationStatusList +from ._models_py3 import OperationStatusResult +from ._models_py3 import PatchExtension +from ._models_py3 import Plan +from ._models_py3 import ProxyResource +from ._models_py3 import RepositoryRefDefinition +from ._models_py3 import Resource +from ._models_py3 import ResourceProviderOperation +from ._models_py3 import ResourceProviderOperationDisplay +from ._models_py3 import ResourceProviderOperationList +from ._models_py3 import Scope +from ._models_py3 import ScopeCluster +from ._models_py3 import ScopeNamespace +from ._models_py3 import ServicePrincipalDefinition +from ._models_py3 import ServicePrincipalPatchDefinition +from ._models_py3 import SourceControlConfiguration +from ._models_py3 import SourceControlConfigurationList +from ._models_py3 import SystemData + +from ._source_control_configuration_client_enums import AKSIdentityType +from ._source_control_configuration_client_enums import ComplianceStateType +from ._source_control_configuration_client_enums import CreatedByType +from ._source_control_configuration_client_enums import FluxComplianceState +from ._source_control_configuration_client_enums import KustomizationValidationType +from ._source_control_configuration_client_enums import LevelType +from ._source_control_configuration_client_enums import MessageLevelType +from ._source_control_configuration_client_enums import OperatorScopeType +from ._source_control_configuration_client_enums import OperatorType +from ._source_control_configuration_client_enums import ProvisioningState +from ._source_control_configuration_client_enums import ProvisioningStateType +from ._source_control_configuration_client_enums import ScopeType +from ._source_control_configuration_client_enums import SourceKindType +from ._patch import __all__ as _patch_all +from ._patch import * # type: ignore # pylint: disable=unused-wildcard-import +from ._patch import patch_sdk as _patch_sdk + +__all__ = [ + "AzureBlobDefinition", + "AzureBlobPatchDefinition", + "BucketDefinition", + "BucketPatchDefinition", + "ComplianceStatus", + "ErrorAdditionalInfo", + "ErrorDetail", + "ErrorResponse", + "Extension", + "ExtensionPropertiesAksAssignedIdentity", + "ExtensionStatus", + "ExtensionsList", + "FluxConfiguration", + "FluxConfigurationPatch", + "FluxConfigurationsList", + "GitRepositoryDefinition", + "GitRepositoryPatchDefinition", + "HelmOperatorProperties", + "HelmReleasePropertiesDefinition", + "Identity", + "KustomizationDefinition", + "KustomizationPatchDefinition", + "ManagedIdentityDefinition", + "ManagedIdentityPatchDefinition", + "ObjectReferenceDefinition", + "ObjectStatusConditionDefinition", + "ObjectStatusDefinition", + "OperationStatusList", + "OperationStatusResult", + "PatchExtension", + "Plan", + "ProxyResource", + "RepositoryRefDefinition", + "Resource", + "ResourceProviderOperation", + "ResourceProviderOperationDisplay", + "ResourceProviderOperationList", + "Scope", + "ScopeCluster", + "ScopeNamespace", + "ServicePrincipalDefinition", + "ServicePrincipalPatchDefinition", + "SourceControlConfiguration", + "SourceControlConfigurationList", + "SystemData", + "AKSIdentityType", + "ComplianceStateType", + "CreatedByType", + "FluxComplianceState", + "KustomizationValidationType", + "LevelType", + "MessageLevelType", + "OperatorScopeType", + "OperatorType", + "ProvisioningState", + "ProvisioningStateType", + "ScopeType", + "SourceKindType", +] +__all__.extend([p for p in _patch_all if p not in __all__]) +_patch_sdk() diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/models/_models_py3.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/models/_models_py3.py new file mode 100644 index 00000000000..d7c14f12331 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/models/_models_py3.py @@ -0,0 +1,2657 @@ +# coding=utf-8 +# pylint: disable=too-many-lines +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- + +import datetime +import sys +from typing import Dict, List, Optional, TYPE_CHECKING, Union + +from ... import _serialization + +if sys.version_info >= (3, 8): + from typing import Literal # pylint: disable=no-name-in-module, ungrouped-imports +else: + from typing_extensions import Literal # type: ignore # pylint: disable=ungrouped-imports + +if TYPE_CHECKING: + # pylint: disable=unused-import,ungrouped-imports + from .. import models as _models + + +class AzureBlobDefinition(_serialization.Model): + """Parameters to reconcile to the AzureBlob source kind type. + + :ivar url: The URL to sync for the flux configuration Azure Blob storage account. + :vartype url: str + :ivar container_name: The Azure Blob container name to sync from the url endpoint for the flux + configuration. + :vartype container_name: str + :ivar timeout_in_seconds: The maximum time to attempt to reconcile the cluster Azure Blob + source with the remote. + :vartype timeout_in_seconds: int + :ivar sync_interval_in_seconds: The interval at which to re-reconcile the cluster Azure Blob + source with the remote. + :vartype sync_interval_in_seconds: int + :ivar service_principal: Parameters to authenticate using Service Principal. + :vartype service_principal: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ServicePrincipalDefinition + :ivar account_key: The account key (shared key) to access the storage account. + :vartype account_key: str + :ivar sas_token: The Shared Access token to access the storage container. + :vartype sas_token: str + :ivar managed_identity: Parameters to authenticate using a Managed Identity. + :vartype managed_identity: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ManagedIdentityDefinition + :ivar local_auth_ref: Name of a local secret on the Kubernetes cluster to use as the + authentication secret rather than the managed or user-provided configuration secrets. + :vartype local_auth_ref: str + """ + + _attribute_map = { + "url": {"key": "url", "type": "str"}, + "container_name": {"key": "containerName", "type": "str"}, + "timeout_in_seconds": {"key": "timeoutInSeconds", "type": "int"}, + "sync_interval_in_seconds": {"key": "syncIntervalInSeconds", "type": "int"}, + "service_principal": {"key": "servicePrincipal", "type": "ServicePrincipalDefinition"}, + "account_key": {"key": "accountKey", "type": "str"}, + "sas_token": {"key": "sasToken", "type": "str"}, + "managed_identity": {"key": "managedIdentity", "type": "ManagedIdentityDefinition"}, + "local_auth_ref": {"key": "localAuthRef", "type": "str"}, + } + + def __init__( + self, + *, + url: Optional[str] = None, + container_name: Optional[str] = None, + timeout_in_seconds: int = 600, + sync_interval_in_seconds: int = 600, + service_principal: Optional["_models.ServicePrincipalDefinition"] = None, + account_key: Optional[str] = None, + sas_token: Optional[str] = None, + managed_identity: Optional["_models.ManagedIdentityDefinition"] = None, + local_auth_ref: Optional[str] = None, + **kwargs + ): + """ + :keyword url: The URL to sync for the flux configuration Azure Blob storage account. + :paramtype url: str + :keyword container_name: The Azure Blob container name to sync from the url endpoint for the + flux configuration. + :paramtype container_name: str + :keyword timeout_in_seconds: The maximum time to attempt to reconcile the cluster Azure Blob + source with the remote. + :paramtype timeout_in_seconds: int + :keyword sync_interval_in_seconds: The interval at which to re-reconcile the cluster Azure Blob + source with the remote. + :paramtype sync_interval_in_seconds: int + :keyword service_principal: Parameters to authenticate using Service Principal. + :paramtype service_principal: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ServicePrincipalDefinition + :keyword account_key: The account key (shared key) to access the storage account. + :paramtype account_key: str + :keyword sas_token: The Shared Access token to access the storage container. + :paramtype sas_token: str + :keyword managed_identity: Parameters to authenticate using a Managed Identity. + :paramtype managed_identity: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ManagedIdentityDefinition + :keyword local_auth_ref: Name of a local secret on the Kubernetes cluster to use as the + authentication secret rather than the managed or user-provided configuration secrets. + :paramtype local_auth_ref: str + """ + super().__init__(**kwargs) + self.url = url + self.container_name = container_name + self.timeout_in_seconds = timeout_in_seconds + self.sync_interval_in_seconds = sync_interval_in_seconds + self.service_principal = service_principal + self.account_key = account_key + self.sas_token = sas_token + self.managed_identity = managed_identity + self.local_auth_ref = local_auth_ref + + +class AzureBlobPatchDefinition(_serialization.Model): + """Parameters to reconcile to the AzureBlob source kind type. + + :ivar url: The URL to sync for the flux configuration Azure Blob storage account. + :vartype url: str + :ivar container_name: The Azure Blob container name to sync from the url endpoint for the flux + configuration. + :vartype container_name: str + :ivar timeout_in_seconds: The maximum time to attempt to reconcile the cluster Azure Blob + source with the remote. + :vartype timeout_in_seconds: int + :ivar sync_interval_in_seconds: The interval at which to re-reconcile the cluster Azure Blob + source with the remote. + :vartype sync_interval_in_seconds: int + :ivar service_principal: Parameters to authenticate using Service Principal. + :vartype service_principal: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ServicePrincipalPatchDefinition + :ivar account_key: The account key (shared key) to access the storage account. + :vartype account_key: str + :ivar sas_token: The Shared Access token to access the storage container. + :vartype sas_token: str + :ivar managed_identity: Parameters to authenticate using a Managed Identity. + :vartype managed_identity: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ManagedIdentityPatchDefinition + :ivar local_auth_ref: Name of a local secret on the Kubernetes cluster to use as the + authentication secret rather than the managed or user-provided configuration secrets. + :vartype local_auth_ref: str + """ + + _attribute_map = { + "url": {"key": "url", "type": "str"}, + "container_name": {"key": "containerName", "type": "str"}, + "timeout_in_seconds": {"key": "timeoutInSeconds", "type": "int"}, + "sync_interval_in_seconds": {"key": "syncIntervalInSeconds", "type": "int"}, + "service_principal": {"key": "servicePrincipal", "type": "ServicePrincipalPatchDefinition"}, + "account_key": {"key": "accountKey", "type": "str"}, + "sas_token": {"key": "sasToken", "type": "str"}, + "managed_identity": {"key": "managedIdentity", "type": "ManagedIdentityPatchDefinition"}, + "local_auth_ref": {"key": "localAuthRef", "type": "str"}, + } + + def __init__( + self, + *, + url: Optional[str] = None, + container_name: Optional[str] = None, + timeout_in_seconds: Optional[int] = None, + sync_interval_in_seconds: Optional[int] = None, + service_principal: Optional["_models.ServicePrincipalPatchDefinition"] = None, + account_key: Optional[str] = None, + sas_token: Optional[str] = None, + managed_identity: Optional["_models.ManagedIdentityPatchDefinition"] = None, + local_auth_ref: Optional[str] = None, + **kwargs + ): + """ + :keyword url: The URL to sync for the flux configuration Azure Blob storage account. + :paramtype url: str + :keyword container_name: The Azure Blob container name to sync from the url endpoint for the + flux configuration. + :paramtype container_name: str + :keyword timeout_in_seconds: The maximum time to attempt to reconcile the cluster Azure Blob + source with the remote. + :paramtype timeout_in_seconds: int + :keyword sync_interval_in_seconds: The interval at which to re-reconcile the cluster Azure Blob + source with the remote. + :paramtype sync_interval_in_seconds: int + :keyword service_principal: Parameters to authenticate using Service Principal. + :paramtype service_principal: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ServicePrincipalPatchDefinition + :keyword account_key: The account key (shared key) to access the storage account. + :paramtype account_key: str + :keyword sas_token: The Shared Access token to access the storage container. + :paramtype sas_token: str + :keyword managed_identity: Parameters to authenticate using a Managed Identity. + :paramtype managed_identity: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ManagedIdentityPatchDefinition + :keyword local_auth_ref: Name of a local secret on the Kubernetes cluster to use as the + authentication secret rather than the managed or user-provided configuration secrets. + :paramtype local_auth_ref: str + """ + super().__init__(**kwargs) + self.url = url + self.container_name = container_name + self.timeout_in_seconds = timeout_in_seconds + self.sync_interval_in_seconds = sync_interval_in_seconds + self.service_principal = service_principal + self.account_key = account_key + self.sas_token = sas_token + self.managed_identity = managed_identity + self.local_auth_ref = local_auth_ref + + +class BucketDefinition(_serialization.Model): + """Parameters to reconcile to the Bucket source kind type. + + :ivar url: The URL to sync for the flux configuration S3 bucket. + :vartype url: str + :ivar bucket_name: The bucket name to sync from the url endpoint for the flux configuration. + :vartype bucket_name: str + :ivar insecure: Specify whether to use insecure communication when puling data from the S3 + bucket. + :vartype insecure: bool + :ivar timeout_in_seconds: The maximum time to attempt to reconcile the cluster bucket source + with the remote. + :vartype timeout_in_seconds: int + :ivar sync_interval_in_seconds: The interval at which to re-reconcile the cluster bucket source + with the remote. + :vartype sync_interval_in_seconds: int + :ivar access_key: Plaintext access key used to securely access the S3 bucket. + :vartype access_key: str + :ivar local_auth_ref: Name of a local secret on the Kubernetes cluster to use as the + authentication secret rather than the managed or user-provided configuration secrets. + :vartype local_auth_ref: str + """ + + _attribute_map = { + "url": {"key": "url", "type": "str"}, + "bucket_name": {"key": "bucketName", "type": "str"}, + "insecure": {"key": "insecure", "type": "bool"}, + "timeout_in_seconds": {"key": "timeoutInSeconds", "type": "int"}, + "sync_interval_in_seconds": {"key": "syncIntervalInSeconds", "type": "int"}, + "access_key": {"key": "accessKey", "type": "str"}, + "local_auth_ref": {"key": "localAuthRef", "type": "str"}, + } + + def __init__( + self, + *, + url: Optional[str] = None, + bucket_name: Optional[str] = None, + insecure: bool = True, + timeout_in_seconds: int = 600, + sync_interval_in_seconds: int = 600, + access_key: Optional[str] = None, + local_auth_ref: Optional[str] = None, + **kwargs + ): + """ + :keyword url: The URL to sync for the flux configuration S3 bucket. + :paramtype url: str + :keyword bucket_name: The bucket name to sync from the url endpoint for the flux configuration. + :paramtype bucket_name: str + :keyword insecure: Specify whether to use insecure communication when puling data from the S3 + bucket. + :paramtype insecure: bool + :keyword timeout_in_seconds: The maximum time to attempt to reconcile the cluster bucket source + with the remote. + :paramtype timeout_in_seconds: int + :keyword sync_interval_in_seconds: The interval at which to re-reconcile the cluster bucket + source with the remote. + :paramtype sync_interval_in_seconds: int + :keyword access_key: Plaintext access key used to securely access the S3 bucket. + :paramtype access_key: str + :keyword local_auth_ref: Name of a local secret on the Kubernetes cluster to use as the + authentication secret rather than the managed or user-provided configuration secrets. + :paramtype local_auth_ref: str + """ + super().__init__(**kwargs) + self.url = url + self.bucket_name = bucket_name + self.insecure = insecure + self.timeout_in_seconds = timeout_in_seconds + self.sync_interval_in_seconds = sync_interval_in_seconds + self.access_key = access_key + self.local_auth_ref = local_auth_ref + + +class BucketPatchDefinition(_serialization.Model): + """Parameters to reconcile to the Bucket source kind type. + + :ivar url: The URL to sync for the flux configuration S3 bucket. + :vartype url: str + :ivar bucket_name: The bucket name to sync from the url endpoint for the flux configuration. + :vartype bucket_name: str + :ivar insecure: Specify whether to use insecure communication when puling data from the S3 + bucket. + :vartype insecure: bool + :ivar timeout_in_seconds: The maximum time to attempt to reconcile the cluster bucket source + with the remote. + :vartype timeout_in_seconds: int + :ivar sync_interval_in_seconds: The interval at which to re-reconcile the cluster bucket source + with the remote. + :vartype sync_interval_in_seconds: int + :ivar access_key: Plaintext access key used to securely access the S3 bucket. + :vartype access_key: str + :ivar local_auth_ref: Name of a local secret on the Kubernetes cluster to use as the + authentication secret rather than the managed or user-provided configuration secrets. + :vartype local_auth_ref: str + """ + + _attribute_map = { + "url": {"key": "url", "type": "str"}, + "bucket_name": {"key": "bucketName", "type": "str"}, + "insecure": {"key": "insecure", "type": "bool"}, + "timeout_in_seconds": {"key": "timeoutInSeconds", "type": "int"}, + "sync_interval_in_seconds": {"key": "syncIntervalInSeconds", "type": "int"}, + "access_key": {"key": "accessKey", "type": "str"}, + "local_auth_ref": {"key": "localAuthRef", "type": "str"}, + } + + def __init__( + self, + *, + url: Optional[str] = None, + bucket_name: Optional[str] = None, + insecure: Optional[bool] = None, + timeout_in_seconds: Optional[int] = None, + sync_interval_in_seconds: Optional[int] = None, + access_key: Optional[str] = None, + local_auth_ref: Optional[str] = None, + **kwargs + ): + """ + :keyword url: The URL to sync for the flux configuration S3 bucket. + :paramtype url: str + :keyword bucket_name: The bucket name to sync from the url endpoint for the flux configuration. + :paramtype bucket_name: str + :keyword insecure: Specify whether to use insecure communication when puling data from the S3 + bucket. + :paramtype insecure: bool + :keyword timeout_in_seconds: The maximum time to attempt to reconcile the cluster bucket source + with the remote. + :paramtype timeout_in_seconds: int + :keyword sync_interval_in_seconds: The interval at which to re-reconcile the cluster bucket + source with the remote. + :paramtype sync_interval_in_seconds: int + :keyword access_key: Plaintext access key used to securely access the S3 bucket. + :paramtype access_key: str + :keyword local_auth_ref: Name of a local secret on the Kubernetes cluster to use as the + authentication secret rather than the managed or user-provided configuration secrets. + :paramtype local_auth_ref: str + """ + super().__init__(**kwargs) + self.url = url + self.bucket_name = bucket_name + self.insecure = insecure + self.timeout_in_seconds = timeout_in_seconds + self.sync_interval_in_seconds = sync_interval_in_seconds + self.access_key = access_key + self.local_auth_ref = local_auth_ref + + +class ComplianceStatus(_serialization.Model): + """Compliance Status details. + + Variables are only populated by the server, and will be ignored when sending a request. + + :ivar compliance_state: The compliance state of the configuration. Known values are: "Pending", + "Compliant", "Noncompliant", "Installed", and "Failed". + :vartype compliance_state: str or + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ComplianceStateType + :ivar last_config_applied: Datetime the configuration was last applied. + :vartype last_config_applied: ~datetime.datetime + :ivar message: Message from when the configuration was applied. + :vartype message: str + :ivar message_level: Level of the message. Known values are: "Error", "Warning", and + "Information". + :vartype message_level: str or + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.MessageLevelType + """ + + _validation = { + "compliance_state": {"readonly": True}, + } + + _attribute_map = { + "compliance_state": {"key": "complianceState", "type": "str"}, + "last_config_applied": {"key": "lastConfigApplied", "type": "iso-8601"}, + "message": {"key": "message", "type": "str"}, + "message_level": {"key": "messageLevel", "type": "str"}, + } + + def __init__( + self, + *, + last_config_applied: Optional[datetime.datetime] = None, + message: Optional[str] = None, + message_level: Optional[Union[str, "_models.MessageLevelType"]] = None, + **kwargs + ): + """ + :keyword last_config_applied: Datetime the configuration was last applied. + :paramtype last_config_applied: ~datetime.datetime + :keyword message: Message from when the configuration was applied. + :paramtype message: str + :keyword message_level: Level of the message. Known values are: "Error", "Warning", and + "Information". + :paramtype message_level: str or + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.MessageLevelType + """ + super().__init__(**kwargs) + self.compliance_state = None + self.last_config_applied = last_config_applied + self.message = message + self.message_level = message_level + + +class ErrorAdditionalInfo(_serialization.Model): + """The resource management error additional info. + + Variables are only populated by the server, and will be ignored when sending a request. + + :ivar type: The additional info type. + :vartype type: str + :ivar info: The additional info. + :vartype info: JSON + """ + + _validation = { + "type": {"readonly": True}, + "info": {"readonly": True}, + } + + _attribute_map = { + "type": {"key": "type", "type": "str"}, + "info": {"key": "info", "type": "object"}, + } + + def __init__(self, **kwargs): + """ """ + super().__init__(**kwargs) + self.type = None + self.info = None + + +class ErrorDetail(_serialization.Model): + """The error detail. + + Variables are only populated by the server, and will be ignored when sending a request. + + :ivar code: The error code. + :vartype code: str + :ivar message: The error message. + :vartype message: str + :ivar target: The error target. + :vartype target: str + :ivar details: The error details. + :vartype details: list[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ErrorDetail] + :ivar additional_info: The error additional info. + :vartype additional_info: + list[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ErrorAdditionalInfo] + """ + + _validation = { + "code": {"readonly": True}, + "message": {"readonly": True}, + "target": {"readonly": True}, + "details": {"readonly": True}, + "additional_info": {"readonly": True}, + } + + _attribute_map = { + "code": {"key": "code", "type": "str"}, + "message": {"key": "message", "type": "str"}, + "target": {"key": "target", "type": "str"}, + "details": {"key": "details", "type": "[ErrorDetail]"}, + "additional_info": {"key": "additionalInfo", "type": "[ErrorAdditionalInfo]"}, + } + + def __init__(self, **kwargs): + """ """ + super().__init__(**kwargs) + self.code = None + self.message = None + self.target = None + self.details = None + self.additional_info = None + + +class ErrorResponse(_serialization.Model): + """Common error response for all Azure Resource Manager APIs to return error details for failed operations. (This also follows the OData error response format.). + + :ivar error: The error object. + :vartype error: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ErrorDetail + """ + + _attribute_map = { + "error": {"key": "error", "type": "ErrorDetail"}, + } + + def __init__(self, *, error: Optional["_models.ErrorDetail"] = None, **kwargs): + """ + :keyword error: The error object. + :paramtype error: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ErrorDetail + """ + super().__init__(**kwargs) + self.error = error + + +class Resource(_serialization.Model): + """Common fields that are returned in the response for all Azure Resource Manager resources. + + Variables are only populated by the server, and will be ignored when sending a request. + + :ivar id: Fully qualified resource ID for the resource. Ex - + /subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{resourceProviderNamespace}/{resourceType}/{resourceName}. + :vartype id: str + :ivar name: The name of the resource. + :vartype name: str + :ivar type: The type of the resource. E.g. "Microsoft.Compute/virtualMachines" or + "Microsoft.Storage/storageAccounts". + :vartype type: str + """ + + _validation = { + "id": {"readonly": True}, + "name": {"readonly": True}, + "type": {"readonly": True}, + } + + _attribute_map = { + "id": {"key": "id", "type": "str"}, + "name": {"key": "name", "type": "str"}, + "type": {"key": "type", "type": "str"}, + } + + def __init__(self, **kwargs): + """ """ + super().__init__(**kwargs) + self.id = None + self.name = None + self.type = None + + +class ProxyResource(Resource): + """The resource model definition for a Azure Resource Manager proxy resource. It will not have tags and a location. + + Variables are only populated by the server, and will be ignored when sending a request. + + :ivar id: Fully qualified resource ID for the resource. Ex - + /subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{resourceProviderNamespace}/{resourceType}/{resourceName}. + :vartype id: str + :ivar name: The name of the resource. + :vartype name: str + :ivar type: The type of the resource. E.g. "Microsoft.Compute/virtualMachines" or + "Microsoft.Storage/storageAccounts". + :vartype type: str + """ + + _validation = { + "id": {"readonly": True}, + "name": {"readonly": True}, + "type": {"readonly": True}, + } + + _attribute_map = { + "id": {"key": "id", "type": "str"}, + "name": {"key": "name", "type": "str"}, + "type": {"key": "type", "type": "str"}, + } + + def __init__(self, **kwargs): + """ """ + super().__init__(**kwargs) + + +class Extension(ProxyResource): # pylint: disable=too-many-instance-attributes + """The Extension object. + + Variables are only populated by the server, and will be ignored when sending a request. + + :ivar id: Fully qualified resource ID for the resource. Ex - + /subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{resourceProviderNamespace}/{resourceType}/{resourceName}. + :vartype id: str + :ivar name: The name of the resource. + :vartype name: str + :ivar type: The type of the resource. E.g. "Microsoft.Compute/virtualMachines" or + "Microsoft.Storage/storageAccounts". + :vartype type: str + :ivar identity: Identity of the Extension resource. + :vartype identity: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.Identity + :ivar system_data: Top level metadata + https://github.com/Azure/azure-resource-manager-rpc/blob/master/v1.0/common-api-contracts.md#system-metadata-for-all-azure-resources. + :vartype system_data: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.SystemData + :ivar plan: The plan information. + :vartype plan: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.Plan + :ivar extension_type: Type of the Extension, of which this resource is an instance of. It must + be one of the Extension Types registered with Microsoft.KubernetesConfiguration by the + Extension publisher. + :vartype extension_type: str + :ivar auto_upgrade_minor_version: Flag to note if this extension participates in auto upgrade + of minor version, or not. + :vartype auto_upgrade_minor_version: bool + :ivar release_train: ReleaseTrain this extension participates in for auto-upgrade (e.g. Stable, + Preview, etc.) - only if autoUpgradeMinorVersion is 'true'. + :vartype release_train: str + :ivar version: User-specified version of the extension for this extension to 'pin'. To use + 'version', autoUpgradeMinorVersion must be 'false'. + :vartype version: str + :ivar scope: Scope at which the extension is installed. + :vartype scope: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.Scope + :ivar configuration_settings: Configuration settings, as name-value pairs for configuring this + extension. + :vartype configuration_settings: dict[str, str] + :ivar configuration_protected_settings: Configuration settings that are sensitive, as + name-value pairs for configuring this extension. + :vartype configuration_protected_settings: dict[str, str] + :ivar current_version: Currently installed version of the extension. + :vartype current_version: str + :ivar provisioning_state: Status of installation of this extension. Known values are: + "Succeeded", "Failed", "Canceled", "Creating", "Updating", and "Deleting". + :vartype provisioning_state: str or + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ProvisioningState + :ivar statuses: Status from this extension. + :vartype statuses: list[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ExtensionStatus] + :ivar error_info: Error information from the Agent - e.g. errors during installation. + :vartype error_info: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ErrorDetail + :ivar custom_location_settings: Custom Location settings properties. + :vartype custom_location_settings: dict[str, str] + :ivar package_uri: Uri of the Helm package. + :vartype package_uri: str + :ivar aks_assigned_identity: Identity of the Extension resource in an AKS cluster. + :vartype aks_assigned_identity: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ExtensionPropertiesAksAssignedIdentity + :ivar is_system_extension: Flag to note if this extension is a system extension. + :vartype is_system_extension: bool + """ + + _validation = { + "id": {"readonly": True}, + "name": {"readonly": True}, + "type": {"readonly": True}, + "system_data": {"readonly": True}, + "current_version": {"readonly": True}, + "provisioning_state": {"readonly": True}, + "error_info": {"readonly": True}, + "custom_location_settings": {"readonly": True}, + "package_uri": {"readonly": True}, + "is_system_extension": {"readonly": True}, + } + + _attribute_map = { + "id": {"key": "id", "type": "str"}, + "name": {"key": "name", "type": "str"}, + "type": {"key": "type", "type": "str"}, + "identity": {"key": "identity", "type": "Identity"}, + "system_data": {"key": "systemData", "type": "SystemData"}, + "plan": {"key": "plan", "type": "Plan"}, + "extension_type": {"key": "properties.extensionType", "type": "str"}, + "auto_upgrade_minor_version": {"key": "properties.autoUpgradeMinorVersion", "type": "bool"}, + "release_train": {"key": "properties.releaseTrain", "type": "str"}, + "version": {"key": "properties.version", "type": "str"}, + "scope": {"key": "properties.scope", "type": "Scope"}, + "configuration_settings": {"key": "properties.configurationSettings", "type": "{str}"}, + "configuration_protected_settings": {"key": "properties.configurationProtectedSettings", "type": "{str}"}, + "current_version": {"key": "properties.currentVersion", "type": "str"}, + "provisioning_state": {"key": "properties.provisioningState", "type": "str"}, + "statuses": {"key": "properties.statuses", "type": "[ExtensionStatus]"}, + "error_info": {"key": "properties.errorInfo", "type": "ErrorDetail"}, + "custom_location_settings": {"key": "properties.customLocationSettings", "type": "{str}"}, + "package_uri": {"key": "properties.packageUri", "type": "str"}, + "aks_assigned_identity": { + "key": "properties.aksAssignedIdentity", + "type": "ExtensionPropertiesAksAssignedIdentity", + }, + "is_system_extension": {"key": "properties.isSystemExtension", "type": "bool"}, + } + + def __init__( + self, + *, + identity: Optional["_models.Identity"] = None, + plan: Optional["_models.Plan"] = None, + extension_type: Optional[str] = None, + auto_upgrade_minor_version: bool = True, + release_train: str = "Stable", + version: Optional[str] = None, + scope: Optional["_models.Scope"] = None, + configuration_settings: Optional[Dict[str, str]] = None, + configuration_protected_settings: Optional[Dict[str, str]] = None, + statuses: Optional[List["_models.ExtensionStatus"]] = None, + aks_assigned_identity: Optional["_models.ExtensionPropertiesAksAssignedIdentity"] = None, + **kwargs + ): + """ + :keyword identity: Identity of the Extension resource. + :paramtype identity: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.Identity + :keyword plan: The plan information. + :paramtype plan: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.Plan + :keyword extension_type: Type of the Extension, of which this resource is an instance of. It + must be one of the Extension Types registered with Microsoft.KubernetesConfiguration by the + Extension publisher. + :paramtype extension_type: str + :keyword auto_upgrade_minor_version: Flag to note if this extension participates in auto + upgrade of minor version, or not. + :paramtype auto_upgrade_minor_version: bool + :keyword release_train: ReleaseTrain this extension participates in for auto-upgrade (e.g. + Stable, Preview, etc.) - only if autoUpgradeMinorVersion is 'true'. + :paramtype release_train: str + :keyword version: User-specified version of the extension for this extension to 'pin'. To use + 'version', autoUpgradeMinorVersion must be 'false'. + :paramtype version: str + :keyword scope: Scope at which the extension is installed. + :paramtype scope: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.Scope + :keyword configuration_settings: Configuration settings, as name-value pairs for configuring + this extension. + :paramtype configuration_settings: dict[str, str] + :keyword configuration_protected_settings: Configuration settings that are sensitive, as + name-value pairs for configuring this extension. + :paramtype configuration_protected_settings: dict[str, str] + :keyword statuses: Status from this extension. + :paramtype statuses: + list[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ExtensionStatus] + :keyword aks_assigned_identity: Identity of the Extension resource in an AKS cluster. + :paramtype aks_assigned_identity: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ExtensionPropertiesAksAssignedIdentity + """ + super().__init__(**kwargs) + self.identity = identity + self.system_data = None + self.plan = plan + self.extension_type = extension_type + self.auto_upgrade_minor_version = auto_upgrade_minor_version + self.release_train = release_train + self.version = version + self.scope = scope + self.configuration_settings = configuration_settings + self.configuration_protected_settings = configuration_protected_settings + self.current_version = None + self.provisioning_state = None + self.statuses = statuses + self.error_info = None + self.custom_location_settings = None + self.package_uri = None + self.aks_assigned_identity = aks_assigned_identity + self.is_system_extension = None + + +class ExtensionPropertiesAksAssignedIdentity(_serialization.Model): + """Identity of the Extension resource in an AKS cluster. + + Variables are only populated by the server, and will be ignored when sending a request. + + :ivar principal_id: The principal ID of resource identity. + :vartype principal_id: str + :ivar tenant_id: The tenant ID of resource. + :vartype tenant_id: str + :ivar type: The identity type. Known values are: "SystemAssigned" and "UserAssigned". + :vartype type: str or ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.AKSIdentityType + """ + + _validation = { + "principal_id": {"readonly": True}, + "tenant_id": {"readonly": True}, + } + + _attribute_map = { + "principal_id": {"key": "principalId", "type": "str"}, + "tenant_id": {"key": "tenantId", "type": "str"}, + "type": {"key": "type", "type": "str"}, + } + + def __init__(self, *, type: Optional[Union[str, "_models.AKSIdentityType"]] = None, **kwargs): + """ + :keyword type: The identity type. Known values are: "SystemAssigned" and "UserAssigned". + :paramtype type: str or ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.AKSIdentityType + """ + super().__init__(**kwargs) + self.principal_id = None + self.tenant_id = None + self.type = type + + +class ExtensionsList(_serialization.Model): + """Result of the request to list Extensions. It contains a list of Extension objects and a URL link to get the next set of results. + + Variables are only populated by the server, and will be ignored when sending a request. + + :ivar value: List of Extensions within a Kubernetes cluster. + :vartype value: list[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.Extension] + :ivar next_link: URL to get the next set of extension objects, if any. + :vartype next_link: str + """ + + _validation = { + "value": {"readonly": True}, + "next_link": {"readonly": True}, + } + + _attribute_map = { + "value": {"key": "value", "type": "[Extension]"}, + "next_link": {"key": "nextLink", "type": "str"}, + } + + def __init__(self, **kwargs): + """ """ + super().__init__(**kwargs) + self.value = None + self.next_link = None + + +class ExtensionStatus(_serialization.Model): + """Status from the extension. + + :ivar code: Status code provided by the Extension. + :vartype code: str + :ivar display_status: Short description of status of the extension. + :vartype display_status: str + :ivar level: Level of the status. Known values are: "Error", "Warning", and "Information". + :vartype level: str or ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.LevelType + :ivar message: Detailed message of the status from the Extension. + :vartype message: str + :ivar time: DateLiteral (per ISO8601) noting the time of installation status. + :vartype time: str + """ + + _attribute_map = { + "code": {"key": "code", "type": "str"}, + "display_status": {"key": "displayStatus", "type": "str"}, + "level": {"key": "level", "type": "str"}, + "message": {"key": "message", "type": "str"}, + "time": {"key": "time", "type": "str"}, + } + + def __init__( + self, + *, + code: Optional[str] = None, + display_status: Optional[str] = None, + level: Union[str, "_models.LevelType"] = "Information", + message: Optional[str] = None, + time: Optional[str] = None, + **kwargs + ): + """ + :keyword code: Status code provided by the Extension. + :paramtype code: str + :keyword display_status: Short description of status of the extension. + :paramtype display_status: str + :keyword level: Level of the status. Known values are: "Error", "Warning", and "Information". + :paramtype level: str or ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.LevelType + :keyword message: Detailed message of the status from the Extension. + :paramtype message: str + :keyword time: DateLiteral (per ISO8601) noting the time of installation status. + :paramtype time: str + """ + super().__init__(**kwargs) + self.code = code + self.display_status = display_status + self.level = level + self.message = message + self.time = time + + +class FluxConfiguration(ProxyResource): # pylint: disable=too-many-instance-attributes + """The Flux Configuration object returned in Get & Put response. + + Variables are only populated by the server, and will be ignored when sending a request. + + :ivar id: Fully qualified resource ID for the resource. Ex - + /subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{resourceProviderNamespace}/{resourceType}/{resourceName}. + :vartype id: str + :ivar name: The name of the resource. + :vartype name: str + :ivar type: The type of the resource. E.g. "Microsoft.Compute/virtualMachines" or + "Microsoft.Storage/storageAccounts". + :vartype type: str + :ivar system_data: Top level metadata + https://github.com/Azure/azure-resource-manager-rpc/blob/master/v1.0/common-api-contracts.md#system-metadata-for-all-azure-resources. + :vartype system_data: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.SystemData + :ivar scope: Scope at which the operator will be installed. Known values are: "cluster" and + "namespace". + :vartype scope: str or ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ScopeType + :ivar namespace: The namespace to which this configuration is installed to. Maximum of 253 + lower case alphanumeric characters, hyphen and period only. + :vartype namespace: str + :ivar source_kind: Source Kind to pull the configuration data from. Known values are: + "GitRepository", "Bucket", and "AzureBlob". + :vartype source_kind: str or + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.SourceKindType + :ivar suspend: Whether this configuration should suspend its reconciliation of its + kustomizations and sources. + :vartype suspend: bool + :ivar git_repository: Parameters to reconcile to the GitRepository source kind type. + :vartype git_repository: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.GitRepositoryDefinition + :ivar bucket: Parameters to reconcile to the Bucket source kind type. + :vartype bucket: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.BucketDefinition + :ivar azure_blob: Parameters to reconcile to the AzureBlob source kind type. + :vartype azure_blob: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.AzureBlobDefinition + :ivar kustomizations: Array of kustomizations used to reconcile the artifact pulled by the + source type on the cluster. + :vartype kustomizations: dict[str, + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.KustomizationDefinition] + :ivar configuration_protected_settings: Key-value pairs of protected configuration settings for + the configuration. + :vartype configuration_protected_settings: dict[str, str] + :ivar statuses: Statuses of the Flux Kubernetes resources created by the fluxConfiguration or + created by the managed objects provisioned by the fluxConfiguration. + :vartype statuses: + list[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ObjectStatusDefinition] + :ivar repository_public_key: Public Key associated with this fluxConfiguration (either + generated within the cluster or provided by the user). + :vartype repository_public_key: str + :ivar source_synced_commit_id: Branch and/or SHA of the source commit synced with the cluster. + :vartype source_synced_commit_id: str + :ivar source_updated_at: Datetime the fluxConfiguration synced its source on the cluster. + :vartype source_updated_at: ~datetime.datetime + :ivar status_updated_at: Datetime the fluxConfiguration synced its status on the cluster with + Azure. + :vartype status_updated_at: ~datetime.datetime + :ivar compliance_state: Combined status of the Flux Kubernetes resources created by the + fluxConfiguration or created by the managed objects. Known values are: "Compliant", + "Non-Compliant", "Pending", "Suspended", and "Unknown". + :vartype compliance_state: str or + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.FluxComplianceState + :ivar provisioning_state: Status of the creation of the fluxConfiguration. Known values are: + "Succeeded", "Failed", "Canceled", "Creating", "Updating", and "Deleting". + :vartype provisioning_state: str or + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ProvisioningState + :ivar error_message: Error message returned to the user in the case of provisioning failure. + :vartype error_message: str + """ + + _validation = { + "id": {"readonly": True}, + "name": {"readonly": True}, + "type": {"readonly": True}, + "system_data": {"readonly": True}, + "statuses": {"readonly": True}, + "repository_public_key": {"readonly": True}, + "source_synced_commit_id": {"readonly": True}, + "source_updated_at": {"readonly": True}, + "status_updated_at": {"readonly": True}, + "compliance_state": {"readonly": True}, + "provisioning_state": {"readonly": True}, + "error_message": {"readonly": True}, + } + + _attribute_map = { + "id": {"key": "id", "type": "str"}, + "name": {"key": "name", "type": "str"}, + "type": {"key": "type", "type": "str"}, + "system_data": {"key": "systemData", "type": "SystemData"}, + "scope": {"key": "properties.scope", "type": "str"}, + "namespace": {"key": "properties.namespace", "type": "str"}, + "source_kind": {"key": "properties.sourceKind", "type": "str"}, + "suspend": {"key": "properties.suspend", "type": "bool"}, + "git_repository": {"key": "properties.gitRepository", "type": "GitRepositoryDefinition"}, + "bucket": {"key": "properties.bucket", "type": "BucketDefinition"}, + "azure_blob": {"key": "properties.azureBlob", "type": "AzureBlobDefinition"}, + "kustomizations": {"key": "properties.kustomizations", "type": "{KustomizationDefinition}"}, + "configuration_protected_settings": {"key": "properties.configurationProtectedSettings", "type": "{str}"}, + "statuses": {"key": "properties.statuses", "type": "[ObjectStatusDefinition]"}, + "repository_public_key": {"key": "properties.repositoryPublicKey", "type": "str"}, + "source_synced_commit_id": {"key": "properties.sourceSyncedCommitId", "type": "str"}, + "source_updated_at": {"key": "properties.sourceUpdatedAt", "type": "iso-8601"}, + "status_updated_at": {"key": "properties.statusUpdatedAt", "type": "iso-8601"}, + "compliance_state": {"key": "properties.complianceState", "type": "str"}, + "provisioning_state": {"key": "properties.provisioningState", "type": "str"}, + "error_message": {"key": "properties.errorMessage", "type": "str"}, + } + + def __init__( + self, + *, + scope: Union[str, "_models.ScopeType"] = "cluster", + namespace: str = "default", + source_kind: Optional[Union[str, "_models.SourceKindType"]] = None, + suspend: bool = False, + git_repository: Optional["_models.GitRepositoryDefinition"] = None, + bucket: Optional["_models.BucketDefinition"] = None, + azure_blob: Optional["_models.AzureBlobDefinition"] = None, + kustomizations: Optional[Dict[str, "_models.KustomizationDefinition"]] = None, + configuration_protected_settings: Optional[Dict[str, str]] = None, + **kwargs + ): + """ + :keyword scope: Scope at which the operator will be installed. Known values are: "cluster" and + "namespace". + :paramtype scope: str or ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ScopeType + :keyword namespace: The namespace to which this configuration is installed to. Maximum of 253 + lower case alphanumeric characters, hyphen and period only. + :paramtype namespace: str + :keyword source_kind: Source Kind to pull the configuration data from. Known values are: + "GitRepository", "Bucket", and "AzureBlob". + :paramtype source_kind: str or + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.SourceKindType + :keyword suspend: Whether this configuration should suspend its reconciliation of its + kustomizations and sources. + :paramtype suspend: bool + :keyword git_repository: Parameters to reconcile to the GitRepository source kind type. + :paramtype git_repository: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.GitRepositoryDefinition + :keyword bucket: Parameters to reconcile to the Bucket source kind type. + :paramtype bucket: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.BucketDefinition + :keyword azure_blob: Parameters to reconcile to the AzureBlob source kind type. + :paramtype azure_blob: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.AzureBlobDefinition + :keyword kustomizations: Array of kustomizations used to reconcile the artifact pulled by the + source type on the cluster. + :paramtype kustomizations: dict[str, + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.KustomizationDefinition] + :keyword configuration_protected_settings: Key-value pairs of protected configuration settings + for the configuration. + :paramtype configuration_protected_settings: dict[str, str] + """ + super().__init__(**kwargs) + self.system_data = None + self.scope = scope + self.namespace = namespace + self.source_kind = source_kind + self.suspend = suspend + self.git_repository = git_repository + self.bucket = bucket + self.azure_blob = azure_blob + self.kustomizations = kustomizations + self.configuration_protected_settings = configuration_protected_settings + self.statuses = None + self.repository_public_key = None + self.source_synced_commit_id = None + self.source_updated_at = None + self.status_updated_at = None + self.compliance_state = None + self.provisioning_state = None + self.error_message = None + + +class FluxConfigurationPatch(_serialization.Model): + """The Flux Configuration Patch Request object. + + :ivar source_kind: Source Kind to pull the configuration data from. Known values are: + "GitRepository", "Bucket", and "AzureBlob". + :vartype source_kind: str or + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.SourceKindType + :ivar suspend: Whether this configuration should suspend its reconciliation of its + kustomizations and sources. + :vartype suspend: bool + :ivar git_repository: Parameters to reconcile to the GitRepository source kind type. + :vartype git_repository: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.GitRepositoryPatchDefinition + :ivar bucket: Parameters to reconcile to the Bucket source kind type. + :vartype bucket: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.BucketPatchDefinition + :ivar azure_blob: Parameters to reconcile to the AzureBlob source kind type. + :vartype azure_blob: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.AzureBlobPatchDefinition + :ivar kustomizations: Array of kustomizations used to reconcile the artifact pulled by the + source type on the cluster. + :vartype kustomizations: dict[str, + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.KustomizationPatchDefinition] + :ivar configuration_protected_settings: Key-value pairs of protected configuration settings for + the configuration. + :vartype configuration_protected_settings: dict[str, str] + """ + + _attribute_map = { + "source_kind": {"key": "properties.sourceKind", "type": "str"}, + "suspend": {"key": "properties.suspend", "type": "bool"}, + "git_repository": {"key": "properties.gitRepository", "type": "GitRepositoryPatchDefinition"}, + "bucket": {"key": "properties.bucket", "type": "BucketPatchDefinition"}, + "azure_blob": {"key": "properties.azureBlob", "type": "AzureBlobPatchDefinition"}, + "kustomizations": {"key": "properties.kustomizations", "type": "{KustomizationPatchDefinition}"}, + "configuration_protected_settings": {"key": "properties.configurationProtectedSettings", "type": "{str}"}, + } + + def __init__( + self, + *, + source_kind: Optional[Union[str, "_models.SourceKindType"]] = None, + suspend: Optional[bool] = None, + git_repository: Optional["_models.GitRepositoryPatchDefinition"] = None, + bucket: Optional["_models.BucketPatchDefinition"] = None, + azure_blob: Optional["_models.AzureBlobPatchDefinition"] = None, + kustomizations: Optional[Dict[str, "_models.KustomizationPatchDefinition"]] = None, + configuration_protected_settings: Optional[Dict[str, str]] = None, + **kwargs + ): + """ + :keyword source_kind: Source Kind to pull the configuration data from. Known values are: + "GitRepository", "Bucket", and "AzureBlob". + :paramtype source_kind: str or + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.SourceKindType + :keyword suspend: Whether this configuration should suspend its reconciliation of its + kustomizations and sources. + :paramtype suspend: bool + :keyword git_repository: Parameters to reconcile to the GitRepository source kind type. + :paramtype git_repository: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.GitRepositoryPatchDefinition + :keyword bucket: Parameters to reconcile to the Bucket source kind type. + :paramtype bucket: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.BucketPatchDefinition + :keyword azure_blob: Parameters to reconcile to the AzureBlob source kind type. + :paramtype azure_blob: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.AzureBlobPatchDefinition + :keyword kustomizations: Array of kustomizations used to reconcile the artifact pulled by the + source type on the cluster. + :paramtype kustomizations: dict[str, + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.KustomizationPatchDefinition] + :keyword configuration_protected_settings: Key-value pairs of protected configuration settings + for the configuration. + :paramtype configuration_protected_settings: dict[str, str] + """ + super().__init__(**kwargs) + self.source_kind = source_kind + self.suspend = suspend + self.git_repository = git_repository + self.bucket = bucket + self.azure_blob = azure_blob + self.kustomizations = kustomizations + self.configuration_protected_settings = configuration_protected_settings + + +class FluxConfigurationsList(_serialization.Model): + """Result of the request to list Flux Configurations. It contains a list of FluxConfiguration objects and a URL link to get the next set of results. + + Variables are only populated by the server, and will be ignored when sending a request. + + :ivar value: List of Flux Configurations within a Kubernetes cluster. + :vartype value: list[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.FluxConfiguration] + :ivar next_link: URL to get the next set of configuration objects, if any. + :vartype next_link: str + """ + + _validation = { + "value": {"readonly": True}, + "next_link": {"readonly": True}, + } + + _attribute_map = { + "value": {"key": "value", "type": "[FluxConfiguration]"}, + "next_link": {"key": "nextLink", "type": "str"}, + } + + def __init__(self, **kwargs): + """ """ + super().__init__(**kwargs) + self.value = None + self.next_link = None + + +class GitRepositoryDefinition(_serialization.Model): + """Parameters to reconcile to the GitRepository source kind type. + + :ivar url: The URL to sync for the flux configuration git repository. + :vartype url: str + :ivar timeout_in_seconds: The maximum time to attempt to reconcile the cluster git repository + source with the remote. + :vartype timeout_in_seconds: int + :ivar sync_interval_in_seconds: The interval at which to re-reconcile the cluster git + repository source with the remote. + :vartype sync_interval_in_seconds: int + :ivar repository_ref: The source reference for the GitRepository object. + :vartype repository_ref: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.RepositoryRefDefinition + :ivar ssh_known_hosts: Base64-encoded known_hosts value containing public SSH keys required to + access private git repositories over SSH. + :vartype ssh_known_hosts: str + :ivar https_user: Plaintext HTTPS username used to access private git repositories over HTTPS. + :vartype https_user: str + :ivar https_ca_cert: Base64-encoded HTTPS certificate authority contents used to access git + private git repositories over HTTPS. + :vartype https_ca_cert: str + :ivar local_auth_ref: Name of a local secret on the Kubernetes cluster to use as the + authentication secret rather than the managed or user-provided configuration secrets. + :vartype local_auth_ref: str + """ + + _attribute_map = { + "url": {"key": "url", "type": "str"}, + "timeout_in_seconds": {"key": "timeoutInSeconds", "type": "int"}, + "sync_interval_in_seconds": {"key": "syncIntervalInSeconds", "type": "int"}, + "repository_ref": {"key": "repositoryRef", "type": "RepositoryRefDefinition"}, + "ssh_known_hosts": {"key": "sshKnownHosts", "type": "str"}, + "https_user": {"key": "httpsUser", "type": "str"}, + "https_ca_cert": {"key": "httpsCACert", "type": "str"}, + "local_auth_ref": {"key": "localAuthRef", "type": "str"}, + } + + def __init__( + self, + *, + url: Optional[str] = None, + timeout_in_seconds: int = 600, + sync_interval_in_seconds: int = 600, + repository_ref: Optional["_models.RepositoryRefDefinition"] = None, + ssh_known_hosts: Optional[str] = None, + https_user: Optional[str] = None, + https_ca_cert: Optional[str] = None, + local_auth_ref: Optional[str] = None, + **kwargs + ): + """ + :keyword url: The URL to sync for the flux configuration git repository. + :paramtype url: str + :keyword timeout_in_seconds: The maximum time to attempt to reconcile the cluster git + repository source with the remote. + :paramtype timeout_in_seconds: int + :keyword sync_interval_in_seconds: The interval at which to re-reconcile the cluster git + repository source with the remote. + :paramtype sync_interval_in_seconds: int + :keyword repository_ref: The source reference for the GitRepository object. + :paramtype repository_ref: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.RepositoryRefDefinition + :keyword ssh_known_hosts: Base64-encoded known_hosts value containing public SSH keys required + to access private git repositories over SSH. + :paramtype ssh_known_hosts: str + :keyword https_user: Plaintext HTTPS username used to access private git repositories over + HTTPS. + :paramtype https_user: str + :keyword https_ca_cert: Base64-encoded HTTPS certificate authority contents used to access git + private git repositories over HTTPS. + :paramtype https_ca_cert: str + :keyword local_auth_ref: Name of a local secret on the Kubernetes cluster to use as the + authentication secret rather than the managed or user-provided configuration secrets. + :paramtype local_auth_ref: str + """ + super().__init__(**kwargs) + self.url = url + self.timeout_in_seconds = timeout_in_seconds + self.sync_interval_in_seconds = sync_interval_in_seconds + self.repository_ref = repository_ref + self.ssh_known_hosts = ssh_known_hosts + self.https_user = https_user + self.https_ca_cert = https_ca_cert + self.local_auth_ref = local_auth_ref + + +class GitRepositoryPatchDefinition(_serialization.Model): + """Parameters to reconcile to the GitRepository source kind type. + + :ivar url: The URL to sync for the flux configuration git repository. + :vartype url: str + :ivar timeout_in_seconds: The maximum time to attempt to reconcile the cluster git repository + source with the remote. + :vartype timeout_in_seconds: int + :ivar sync_interval_in_seconds: The interval at which to re-reconcile the cluster git + repository source with the remote. + :vartype sync_interval_in_seconds: int + :ivar repository_ref: The source reference for the GitRepository object. + :vartype repository_ref: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.RepositoryRefDefinition + :ivar ssh_known_hosts: Base64-encoded known_hosts value containing public SSH keys required to + access private git repositories over SSH. + :vartype ssh_known_hosts: str + :ivar https_user: Plaintext HTTPS username used to access private git repositories over HTTPS. + :vartype https_user: str + :ivar https_ca_cert: Base64-encoded HTTPS certificate authority contents used to access git + private git repositories over HTTPS. + :vartype https_ca_cert: str + :ivar local_auth_ref: Name of a local secret on the Kubernetes cluster to use as the + authentication secret rather than the managed or user-provided configuration secrets. + :vartype local_auth_ref: str + """ + + _attribute_map = { + "url": {"key": "url", "type": "str"}, + "timeout_in_seconds": {"key": "timeoutInSeconds", "type": "int"}, + "sync_interval_in_seconds": {"key": "syncIntervalInSeconds", "type": "int"}, + "repository_ref": {"key": "repositoryRef", "type": "RepositoryRefDefinition"}, + "ssh_known_hosts": {"key": "sshKnownHosts", "type": "str"}, + "https_user": {"key": "httpsUser", "type": "str"}, + "https_ca_cert": {"key": "httpsCACert", "type": "str"}, + "local_auth_ref": {"key": "localAuthRef", "type": "str"}, + } + + def __init__( + self, + *, + url: Optional[str] = None, + timeout_in_seconds: Optional[int] = None, + sync_interval_in_seconds: Optional[int] = None, + repository_ref: Optional["_models.RepositoryRefDefinition"] = None, + ssh_known_hosts: Optional[str] = None, + https_user: Optional[str] = None, + https_ca_cert: Optional[str] = None, + local_auth_ref: Optional[str] = None, + **kwargs + ): + """ + :keyword url: The URL to sync for the flux configuration git repository. + :paramtype url: str + :keyword timeout_in_seconds: The maximum time to attempt to reconcile the cluster git + repository source with the remote. + :paramtype timeout_in_seconds: int + :keyword sync_interval_in_seconds: The interval at which to re-reconcile the cluster git + repository source with the remote. + :paramtype sync_interval_in_seconds: int + :keyword repository_ref: The source reference for the GitRepository object. + :paramtype repository_ref: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.RepositoryRefDefinition + :keyword ssh_known_hosts: Base64-encoded known_hosts value containing public SSH keys required + to access private git repositories over SSH. + :paramtype ssh_known_hosts: str + :keyword https_user: Plaintext HTTPS username used to access private git repositories over + HTTPS. + :paramtype https_user: str + :keyword https_ca_cert: Base64-encoded HTTPS certificate authority contents used to access git + private git repositories over HTTPS. + :paramtype https_ca_cert: str + :keyword local_auth_ref: Name of a local secret on the Kubernetes cluster to use as the + authentication secret rather than the managed or user-provided configuration secrets. + :paramtype local_auth_ref: str + """ + super().__init__(**kwargs) + self.url = url + self.timeout_in_seconds = timeout_in_seconds + self.sync_interval_in_seconds = sync_interval_in_seconds + self.repository_ref = repository_ref + self.ssh_known_hosts = ssh_known_hosts + self.https_user = https_user + self.https_ca_cert = https_ca_cert + self.local_auth_ref = local_auth_ref + + +class HelmOperatorProperties(_serialization.Model): + """Properties for Helm operator. + + :ivar chart_version: Version of the operator Helm chart. + :vartype chart_version: str + :ivar chart_values: Values override for the operator Helm chart. + :vartype chart_values: str + """ + + _attribute_map = { + "chart_version": {"key": "chartVersion", "type": "str"}, + "chart_values": {"key": "chartValues", "type": "str"}, + } + + def __init__(self, *, chart_version: Optional[str] = None, chart_values: Optional[str] = None, **kwargs): + """ + :keyword chart_version: Version of the operator Helm chart. + :paramtype chart_version: str + :keyword chart_values: Values override for the operator Helm chart. + :paramtype chart_values: str + """ + super().__init__(**kwargs) + self.chart_version = chart_version + self.chart_values = chart_values + + +class HelmReleasePropertiesDefinition(_serialization.Model): + """Properties for HelmRelease objects. + + :ivar last_revision_applied: The revision number of the last released object change. + :vartype last_revision_applied: int + :ivar helm_chart_ref: The reference to the HelmChart object used as the source to this + HelmRelease. + :vartype helm_chart_ref: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ObjectReferenceDefinition + :ivar failure_count: Total number of times that the HelmRelease failed to install or upgrade. + :vartype failure_count: int + :ivar install_failure_count: Number of times that the HelmRelease failed to install. + :vartype install_failure_count: int + :ivar upgrade_failure_count: Number of times that the HelmRelease failed to upgrade. + :vartype upgrade_failure_count: int + """ + + _attribute_map = { + "last_revision_applied": {"key": "lastRevisionApplied", "type": "int"}, + "helm_chart_ref": {"key": "helmChartRef", "type": "ObjectReferenceDefinition"}, + "failure_count": {"key": "failureCount", "type": "int"}, + "install_failure_count": {"key": "installFailureCount", "type": "int"}, + "upgrade_failure_count": {"key": "upgradeFailureCount", "type": "int"}, + } + + def __init__( + self, + *, + last_revision_applied: Optional[int] = None, + helm_chart_ref: Optional["_models.ObjectReferenceDefinition"] = None, + failure_count: Optional[int] = None, + install_failure_count: Optional[int] = None, + upgrade_failure_count: Optional[int] = None, + **kwargs + ): + """ + :keyword last_revision_applied: The revision number of the last released object change. + :paramtype last_revision_applied: int + :keyword helm_chart_ref: The reference to the HelmChart object used as the source to this + HelmRelease. + :paramtype helm_chart_ref: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ObjectReferenceDefinition + :keyword failure_count: Total number of times that the HelmRelease failed to install or + upgrade. + :paramtype failure_count: int + :keyword install_failure_count: Number of times that the HelmRelease failed to install. + :paramtype install_failure_count: int + :keyword upgrade_failure_count: Number of times that the HelmRelease failed to upgrade. + :paramtype upgrade_failure_count: int + """ + super().__init__(**kwargs) + self.last_revision_applied = last_revision_applied + self.helm_chart_ref = helm_chart_ref + self.failure_count = failure_count + self.install_failure_count = install_failure_count + self.upgrade_failure_count = upgrade_failure_count + + +class Identity(_serialization.Model): + """Identity for the resource. + + Variables are only populated by the server, and will be ignored when sending a request. + + :ivar principal_id: The principal ID of resource identity. + :vartype principal_id: str + :ivar tenant_id: The tenant ID of resource. + :vartype tenant_id: str + :ivar type: The identity type. Default value is "SystemAssigned". + :vartype type: str + """ + + _validation = { + "principal_id": {"readonly": True}, + "tenant_id": {"readonly": True}, + } + + _attribute_map = { + "principal_id": {"key": "principalId", "type": "str"}, + "tenant_id": {"key": "tenantId", "type": "str"}, + "type": {"key": "type", "type": "str"}, + } + + def __init__(self, *, type: Optional[Literal["SystemAssigned"]] = None, **kwargs): + """ + :keyword type: The identity type. Default value is "SystemAssigned". + :paramtype type: str + """ + super().__init__(**kwargs) + self.principal_id = None + self.tenant_id = None + self.type = type + + +class KustomizationDefinition(_serialization.Model): + """The Kustomization defining how to reconcile the artifact pulled by the source type on the cluster. + + Variables are only populated by the server, and will be ignored when sending a request. + + :ivar name: Name of the Kustomization, matching the key in the Kustomizations object map. + :vartype name: str + :ivar path: The path in the source reference to reconcile on the cluster. + :vartype path: str + :ivar depends_on: Specifies other Kustomizations that this Kustomization depends on. This + Kustomization will not reconcile until all dependencies have completed their reconciliation. + :vartype depends_on: list[str] + :ivar timeout_in_seconds: The maximum time to attempt to reconcile the Kustomization on the + cluster. + :vartype timeout_in_seconds: int + :ivar sync_interval_in_seconds: The interval at which to re-reconcile the Kustomization on the + cluster. + :vartype sync_interval_in_seconds: int + :ivar retry_interval_in_seconds: The interval at which to re-reconcile the Kustomization on the + cluster in the event of failure on reconciliation. + :vartype retry_interval_in_seconds: int + :ivar prune: Enable/disable garbage collections of Kubernetes objects created by this + Kustomization. + :vartype prune: bool + :ivar force: Enable/disable re-creating Kubernetes resources on the cluster when patching fails + due to an immutable field change. + :vartype force: bool + """ + + _validation = { + "name": {"readonly": True}, + } + + _attribute_map = { + "name": {"key": "name", "type": "str"}, + "path": {"key": "path", "type": "str"}, + "depends_on": {"key": "dependsOn", "type": "[str]"}, + "timeout_in_seconds": {"key": "timeoutInSeconds", "type": "int"}, + "sync_interval_in_seconds": {"key": "syncIntervalInSeconds", "type": "int"}, + "retry_interval_in_seconds": {"key": "retryIntervalInSeconds", "type": "int"}, + "prune": {"key": "prune", "type": "bool"}, + "force": {"key": "force", "type": "bool"}, + } + + def __init__( + self, + *, + path: str = "", + depends_on: Optional[List[str]] = None, + timeout_in_seconds: int = 600, + sync_interval_in_seconds: int = 600, + retry_interval_in_seconds: Optional[int] = None, + prune: bool = False, + force: bool = False, + **kwargs + ): + """ + :keyword path: The path in the source reference to reconcile on the cluster. + :paramtype path: str + :keyword depends_on: Specifies other Kustomizations that this Kustomization depends on. This + Kustomization will not reconcile until all dependencies have completed their reconciliation. + :paramtype depends_on: list[str] + :keyword timeout_in_seconds: The maximum time to attempt to reconcile the Kustomization on the + cluster. + :paramtype timeout_in_seconds: int + :keyword sync_interval_in_seconds: The interval at which to re-reconcile the Kustomization on + the cluster. + :paramtype sync_interval_in_seconds: int + :keyword retry_interval_in_seconds: The interval at which to re-reconcile the Kustomization on + the cluster in the event of failure on reconciliation. + :paramtype retry_interval_in_seconds: int + :keyword prune: Enable/disable garbage collections of Kubernetes objects created by this + Kustomization. + :paramtype prune: bool + :keyword force: Enable/disable re-creating Kubernetes resources on the cluster when patching + fails due to an immutable field change. + :paramtype force: bool + """ + super().__init__(**kwargs) + self.name = None + self.path = path + self.depends_on = depends_on + self.timeout_in_seconds = timeout_in_seconds + self.sync_interval_in_seconds = sync_interval_in_seconds + self.retry_interval_in_seconds = retry_interval_in_seconds + self.prune = prune + self.force = force + + +class KustomizationPatchDefinition(_serialization.Model): + """The Kustomization defining how to reconcile the artifact pulled by the source type on the cluster. + + :ivar path: The path in the source reference to reconcile on the cluster. + :vartype path: str + :ivar depends_on: Specifies other Kustomizations that this Kustomization depends on. This + Kustomization will not reconcile until all dependencies have completed their reconciliation. + :vartype depends_on: list[str] + :ivar timeout_in_seconds: The maximum time to attempt to reconcile the Kustomization on the + cluster. + :vartype timeout_in_seconds: int + :ivar sync_interval_in_seconds: The interval at which to re-reconcile the Kustomization on the + cluster. + :vartype sync_interval_in_seconds: int + :ivar retry_interval_in_seconds: The interval at which to re-reconcile the Kustomization on the + cluster in the event of failure on reconciliation. + :vartype retry_interval_in_seconds: int + :ivar prune: Enable/disable garbage collections of Kubernetes objects created by this + Kustomization. + :vartype prune: bool + :ivar force: Enable/disable re-creating Kubernetes resources on the cluster when patching fails + due to an immutable field change. + :vartype force: bool + """ + + _attribute_map = { + "path": {"key": "path", "type": "str"}, + "depends_on": {"key": "dependsOn", "type": "[str]"}, + "timeout_in_seconds": {"key": "timeoutInSeconds", "type": "int"}, + "sync_interval_in_seconds": {"key": "syncIntervalInSeconds", "type": "int"}, + "retry_interval_in_seconds": {"key": "retryIntervalInSeconds", "type": "int"}, + "prune": {"key": "prune", "type": "bool"}, + "force": {"key": "force", "type": "bool"}, + } + + def __init__( + self, + *, + path: Optional[str] = None, + depends_on: Optional[List[str]] = None, + timeout_in_seconds: Optional[int] = None, + sync_interval_in_seconds: Optional[int] = None, + retry_interval_in_seconds: Optional[int] = None, + prune: Optional[bool] = None, + force: Optional[bool] = None, + **kwargs + ): + """ + :keyword path: The path in the source reference to reconcile on the cluster. + :paramtype path: str + :keyword depends_on: Specifies other Kustomizations that this Kustomization depends on. This + Kustomization will not reconcile until all dependencies have completed their reconciliation. + :paramtype depends_on: list[str] + :keyword timeout_in_seconds: The maximum time to attempt to reconcile the Kustomization on the + cluster. + :paramtype timeout_in_seconds: int + :keyword sync_interval_in_seconds: The interval at which to re-reconcile the Kustomization on + the cluster. + :paramtype sync_interval_in_seconds: int + :keyword retry_interval_in_seconds: The interval at which to re-reconcile the Kustomization on + the cluster in the event of failure on reconciliation. + :paramtype retry_interval_in_seconds: int + :keyword prune: Enable/disable garbage collections of Kubernetes objects created by this + Kustomization. + :paramtype prune: bool + :keyword force: Enable/disable re-creating Kubernetes resources on the cluster when patching + fails due to an immutable field change. + :paramtype force: bool + """ + super().__init__(**kwargs) + self.path = path + self.depends_on = depends_on + self.timeout_in_seconds = timeout_in_seconds + self.sync_interval_in_seconds = sync_interval_in_seconds + self.retry_interval_in_seconds = retry_interval_in_seconds + self.prune = prune + self.force = force + + +class ManagedIdentityDefinition(_serialization.Model): + """Parameters to authenticate using a Managed Identity. + + :ivar client_id: The client Id for authenticating a Managed Identity. + :vartype client_id: str + """ + + _attribute_map = { + "client_id": {"key": "clientId", "type": "str"}, + } + + def __init__(self, *, client_id: Optional[str] = None, **kwargs): + """ + :keyword client_id: The client Id for authenticating a Managed Identity. + :paramtype client_id: str + """ + super().__init__(**kwargs) + self.client_id = client_id + + +class ManagedIdentityPatchDefinition(_serialization.Model): + """Parameters to authenticate using a Managed Identity. + + :ivar client_id: The client Id for authenticating a Managed Identity. + :vartype client_id: str + """ + + _attribute_map = { + "client_id": {"key": "clientId", "type": "str"}, + } + + def __init__(self, *, client_id: Optional[str] = None, **kwargs): + """ + :keyword client_id: The client Id for authenticating a Managed Identity. + :paramtype client_id: str + """ + super().__init__(**kwargs) + self.client_id = client_id + + +class ObjectReferenceDefinition(_serialization.Model): + """Object reference to a Kubernetes object on a cluster. + + :ivar name: Name of the object. + :vartype name: str + :ivar namespace: Namespace of the object. + :vartype namespace: str + """ + + _attribute_map = { + "name": {"key": "name", "type": "str"}, + "namespace": {"key": "namespace", "type": "str"}, + } + + def __init__(self, *, name: Optional[str] = None, namespace: Optional[str] = None, **kwargs): + """ + :keyword name: Name of the object. + :paramtype name: str + :keyword namespace: Namespace of the object. + :paramtype namespace: str + """ + super().__init__(**kwargs) + self.name = name + self.namespace = namespace + + +class ObjectStatusConditionDefinition(_serialization.Model): + """Status condition of Kubernetes object. + + :ivar last_transition_time: Last time this status condition has changed. + :vartype last_transition_time: ~datetime.datetime + :ivar message: A more verbose description of the object status condition. + :vartype message: str + :ivar reason: Reason for the specified status condition type status. + :vartype reason: str + :ivar status: Status of the Kubernetes object condition type. + :vartype status: str + :ivar type: Object status condition type for this object. + :vartype type: str + """ + + _attribute_map = { + "last_transition_time": {"key": "lastTransitionTime", "type": "iso-8601"}, + "message": {"key": "message", "type": "str"}, + "reason": {"key": "reason", "type": "str"}, + "status": {"key": "status", "type": "str"}, + "type": {"key": "type", "type": "str"}, + } + + def __init__( + self, + *, + last_transition_time: Optional[datetime.datetime] = None, + message: Optional[str] = None, + reason: Optional[str] = None, + status: Optional[str] = None, + type: Optional[str] = None, + **kwargs + ): + """ + :keyword last_transition_time: Last time this status condition has changed. + :paramtype last_transition_time: ~datetime.datetime + :keyword message: A more verbose description of the object status condition. + :paramtype message: str + :keyword reason: Reason for the specified status condition type status. + :paramtype reason: str + :keyword status: Status of the Kubernetes object condition type. + :paramtype status: str + :keyword type: Object status condition type for this object. + :paramtype type: str + """ + super().__init__(**kwargs) + self.last_transition_time = last_transition_time + self.message = message + self.reason = reason + self.status = status + self.type = type + + +class ObjectStatusDefinition(_serialization.Model): + """Statuses of objects deployed by the user-specified kustomizations from the git repository. + + :ivar name: Name of the applied object. + :vartype name: str + :ivar namespace: Namespace of the applied object. + :vartype namespace: str + :ivar kind: Kind of the applied object. + :vartype kind: str + :ivar compliance_state: Compliance state of the applied object showing whether the applied + object has come into a ready state on the cluster. Known values are: "Compliant", + "Non-Compliant", "Pending", "Suspended", and "Unknown". + :vartype compliance_state: str or + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.FluxComplianceState + :ivar applied_by: Object reference to the Kustomization that applied this object. + :vartype applied_by: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ObjectReferenceDefinition + :ivar status_conditions: List of Kubernetes object status conditions present on the cluster. + :vartype status_conditions: + list[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ObjectStatusConditionDefinition] + :ivar helm_release_properties: Additional properties that are provided from objects of the + HelmRelease kind. + :vartype helm_release_properties: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.HelmReleasePropertiesDefinition + """ + + _attribute_map = { + "name": {"key": "name", "type": "str"}, + "namespace": {"key": "namespace", "type": "str"}, + "kind": {"key": "kind", "type": "str"}, + "compliance_state": {"key": "complianceState", "type": "str"}, + "applied_by": {"key": "appliedBy", "type": "ObjectReferenceDefinition"}, + "status_conditions": {"key": "statusConditions", "type": "[ObjectStatusConditionDefinition]"}, + "helm_release_properties": {"key": "helmReleaseProperties", "type": "HelmReleasePropertiesDefinition"}, + } + + def __init__( + self, + *, + name: Optional[str] = None, + namespace: Optional[str] = None, + kind: Optional[str] = None, + compliance_state: Union[str, "_models.FluxComplianceState"] = "Unknown", + applied_by: Optional["_models.ObjectReferenceDefinition"] = None, + status_conditions: Optional[List["_models.ObjectStatusConditionDefinition"]] = None, + helm_release_properties: Optional["_models.HelmReleasePropertiesDefinition"] = None, + **kwargs + ): + """ + :keyword name: Name of the applied object. + :paramtype name: str + :keyword namespace: Namespace of the applied object. + :paramtype namespace: str + :keyword kind: Kind of the applied object. + :paramtype kind: str + :keyword compliance_state: Compliance state of the applied object showing whether the applied + object has come into a ready state on the cluster. Known values are: "Compliant", + "Non-Compliant", "Pending", "Suspended", and "Unknown". + :paramtype compliance_state: str or + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.FluxComplianceState + :keyword applied_by: Object reference to the Kustomization that applied this object. + :paramtype applied_by: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ObjectReferenceDefinition + :keyword status_conditions: List of Kubernetes object status conditions present on the cluster. + :paramtype status_conditions: + list[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ObjectStatusConditionDefinition] + :keyword helm_release_properties: Additional properties that are provided from objects of the + HelmRelease kind. + :paramtype helm_release_properties: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.HelmReleasePropertiesDefinition + """ + super().__init__(**kwargs) + self.name = name + self.namespace = namespace + self.kind = kind + self.compliance_state = compliance_state + self.applied_by = applied_by + self.status_conditions = status_conditions + self.helm_release_properties = helm_release_properties + + +class OperationStatusList(_serialization.Model): + """The async operations in progress, in the cluster. + + Variables are only populated by the server, and will be ignored when sending a request. + + :ivar value: List of async operations in progress, in the cluster. + :vartype value: + list[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.OperationStatusResult] + :ivar next_link: URL to get the next set of Operation Result objects, if any. + :vartype next_link: str + """ + + _validation = { + "value": {"readonly": True}, + "next_link": {"readonly": True}, + } + + _attribute_map = { + "value": {"key": "value", "type": "[OperationStatusResult]"}, + "next_link": {"key": "nextLink", "type": "str"}, + } + + def __init__(self, **kwargs): + """ """ + super().__init__(**kwargs) + self.value = None + self.next_link = None + + +class OperationStatusResult(_serialization.Model): + """The current status of an async operation. + + Variables are only populated by the server, and will be ignored when sending a request. + + All required parameters must be populated in order to send to Azure. + + :ivar id: Fully qualified ID for the async operation. + :vartype id: str + :ivar name: Name of the async operation. + :vartype name: str + :ivar status: Operation status. Required. + :vartype status: str + :ivar properties: Additional information, if available. + :vartype properties: dict[str, str] + :ivar error: If present, details of the operation error. + :vartype error: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ErrorDetail + """ + + _validation = { + "status": {"required": True}, + "error": {"readonly": True}, + } + + _attribute_map = { + "id": {"key": "id", "type": "str"}, + "name": {"key": "name", "type": "str"}, + "status": {"key": "status", "type": "str"}, + "properties": {"key": "properties", "type": "{str}"}, + "error": {"key": "error", "type": "ErrorDetail"}, + } + + def __init__( + self, + *, + status: str, + id: Optional[str] = None, # pylint: disable=redefined-builtin + name: Optional[str] = None, + properties: Optional[Dict[str, str]] = None, + **kwargs + ): + """ + :keyword id: Fully qualified ID for the async operation. + :paramtype id: str + :keyword name: Name of the async operation. + :paramtype name: str + :keyword status: Operation status. Required. + :paramtype status: str + :keyword properties: Additional information, if available. + :paramtype properties: dict[str, str] + """ + super().__init__(**kwargs) + self.id = id + self.name = name + self.status = status + self.properties = properties + self.error = None + + +class PatchExtension(_serialization.Model): + """The Extension Patch Request object. + + :ivar auto_upgrade_minor_version: Flag to note if this extension participates in auto upgrade + of minor version, or not. + :vartype auto_upgrade_minor_version: bool + :ivar release_train: ReleaseTrain this extension participates in for auto-upgrade (e.g. Stable, + Preview, etc.) - only if autoUpgradeMinorVersion is 'true'. + :vartype release_train: str + :ivar version: Version of the extension for this extension, if it is 'pinned' to a specific + version. autoUpgradeMinorVersion must be 'false'. + :vartype version: str + :ivar configuration_settings: Configuration settings, as name-value pairs for configuring this + extension. + :vartype configuration_settings: dict[str, str] + :ivar configuration_protected_settings: Configuration settings that are sensitive, as + name-value pairs for configuring this extension. + :vartype configuration_protected_settings: dict[str, str] + """ + + _attribute_map = { + "auto_upgrade_minor_version": {"key": "properties.autoUpgradeMinorVersion", "type": "bool"}, + "release_train": {"key": "properties.releaseTrain", "type": "str"}, + "version": {"key": "properties.version", "type": "str"}, + "configuration_settings": {"key": "properties.configurationSettings", "type": "{str}"}, + "configuration_protected_settings": {"key": "properties.configurationProtectedSettings", "type": "{str}"}, + } + + def __init__( + self, + *, + auto_upgrade_minor_version: bool = True, + release_train: str = "Stable", + version: Optional[str] = None, + configuration_settings: Optional[Dict[str, str]] = None, + configuration_protected_settings: Optional[Dict[str, str]] = None, + **kwargs + ): + """ + :keyword auto_upgrade_minor_version: Flag to note if this extension participates in auto + upgrade of minor version, or not. + :paramtype auto_upgrade_minor_version: bool + :keyword release_train: ReleaseTrain this extension participates in for auto-upgrade (e.g. + Stable, Preview, etc.) - only if autoUpgradeMinorVersion is 'true'. + :paramtype release_train: str + :keyword version: Version of the extension for this extension, if it is 'pinned' to a specific + version. autoUpgradeMinorVersion must be 'false'. + :paramtype version: str + :keyword configuration_settings: Configuration settings, as name-value pairs for configuring + this extension. + :paramtype configuration_settings: dict[str, str] + :keyword configuration_protected_settings: Configuration settings that are sensitive, as + name-value pairs for configuring this extension. + :paramtype configuration_protected_settings: dict[str, str] + """ + super().__init__(**kwargs) + self.auto_upgrade_minor_version = auto_upgrade_minor_version + self.release_train = release_train + self.version = version + self.configuration_settings = configuration_settings + self.configuration_protected_settings = configuration_protected_settings + + +class Plan(_serialization.Model): + """Plan for the resource. + + All required parameters must be populated in order to send to Azure. + + :ivar name: A user defined name of the 3rd Party Artifact that is being procured. Required. + :vartype name: str + :ivar publisher: The publisher of the 3rd Party Artifact that is being bought. E.g. NewRelic. + Required. + :vartype publisher: str + :ivar product: The 3rd Party artifact that is being procured. E.g. NewRelic. Product maps to + the OfferID specified for the artifact at the time of Data Market onboarding. Required. + :vartype product: str + :ivar promotion_code: A publisher provided promotion code as provisioned in Data Market for the + said product/artifact. + :vartype promotion_code: str + :ivar version: The version of the desired product/artifact. + :vartype version: str + """ + + _validation = { + "name": {"required": True}, + "publisher": {"required": True}, + "product": {"required": True}, + } + + _attribute_map = { + "name": {"key": "name", "type": "str"}, + "publisher": {"key": "publisher", "type": "str"}, + "product": {"key": "product", "type": "str"}, + "promotion_code": {"key": "promotionCode", "type": "str"}, + "version": {"key": "version", "type": "str"}, + } + + def __init__( + self, + *, + name: str, + publisher: str, + product: str, + promotion_code: Optional[str] = None, + version: Optional[str] = None, + **kwargs + ): + """ + :keyword name: A user defined name of the 3rd Party Artifact that is being procured. Required. + :paramtype name: str + :keyword publisher: The publisher of the 3rd Party Artifact that is being bought. E.g. + NewRelic. Required. + :paramtype publisher: str + :keyword product: The 3rd Party artifact that is being procured. E.g. NewRelic. Product maps to + the OfferID specified for the artifact at the time of Data Market onboarding. Required. + :paramtype product: str + :keyword promotion_code: A publisher provided promotion code as provisioned in Data Market for + the said product/artifact. + :paramtype promotion_code: str + :keyword version: The version of the desired product/artifact. + :paramtype version: str + """ + super().__init__(**kwargs) + self.name = name + self.publisher = publisher + self.product = product + self.promotion_code = promotion_code + self.version = version + + +class RepositoryRefDefinition(_serialization.Model): + """The source reference for the GitRepository object. + + :ivar branch: The git repository branch name to checkout. + :vartype branch: str + :ivar tag: The git repository tag name to checkout. This takes precedence over branch. + :vartype tag: str + :ivar semver: The semver range used to match against git repository tags. This takes precedence + over tag. + :vartype semver: str + :ivar commit: The commit SHA to checkout. This value must be combined with the branch name to + be valid. This takes precedence over semver. + :vartype commit: str + """ + + _attribute_map = { + "branch": {"key": "branch", "type": "str"}, + "tag": {"key": "tag", "type": "str"}, + "semver": {"key": "semver", "type": "str"}, + "commit": {"key": "commit", "type": "str"}, + } + + def __init__( + self, + *, + branch: Optional[str] = None, + tag: Optional[str] = None, + semver: Optional[str] = None, + commit: Optional[str] = None, + **kwargs + ): + """ + :keyword branch: The git repository branch name to checkout. + :paramtype branch: str + :keyword tag: The git repository tag name to checkout. This takes precedence over branch. + :paramtype tag: str + :keyword semver: The semver range used to match against git repository tags. This takes + precedence over tag. + :paramtype semver: str + :keyword commit: The commit SHA to checkout. This value must be combined with the branch name + to be valid. This takes precedence over semver. + :paramtype commit: str + """ + super().__init__(**kwargs) + self.branch = branch + self.tag = tag + self.semver = semver + self.commit = commit + + +class ResourceProviderOperation(_serialization.Model): + """Supported operation of this resource provider. + + Variables are only populated by the server, and will be ignored when sending a request. + + :ivar name: Operation name, in format of {provider}/{resource}/{operation}. + :vartype name: str + :ivar display: Display metadata associated with the operation. + :vartype display: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ResourceProviderOperationDisplay + :ivar is_data_action: The flag that indicates whether the operation applies to data plane. + :vartype is_data_action: bool + :ivar origin: Origin of the operation. + :vartype origin: str + """ + + _validation = { + "is_data_action": {"readonly": True}, + "origin": {"readonly": True}, + } + + _attribute_map = { + "name": {"key": "name", "type": "str"}, + "display": {"key": "display", "type": "ResourceProviderOperationDisplay"}, + "is_data_action": {"key": "isDataAction", "type": "bool"}, + "origin": {"key": "origin", "type": "str"}, + } + + def __init__( + self, + *, + name: Optional[str] = None, + display: Optional["_models.ResourceProviderOperationDisplay"] = None, + **kwargs + ): + """ + :keyword name: Operation name, in format of {provider}/{resource}/{operation}. + :paramtype name: str + :keyword display: Display metadata associated with the operation. + :paramtype display: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ResourceProviderOperationDisplay + """ + super().__init__(**kwargs) + self.name = name + self.display = display + self.is_data_action = None + self.origin = None + + +class ResourceProviderOperationDisplay(_serialization.Model): + """Display metadata associated with the operation. + + :ivar provider: Resource provider: Microsoft KubernetesConfiguration. + :vartype provider: str + :ivar resource: Resource on which the operation is performed. + :vartype resource: str + :ivar operation: Type of operation: get, read, delete, etc. + :vartype operation: str + :ivar description: Description of this operation. + :vartype description: str + """ + + _attribute_map = { + "provider": {"key": "provider", "type": "str"}, + "resource": {"key": "resource", "type": "str"}, + "operation": {"key": "operation", "type": "str"}, + "description": {"key": "description", "type": "str"}, + } + + def __init__( + self, + *, + provider: Optional[str] = None, + resource: Optional[str] = None, + operation: Optional[str] = None, + description: Optional[str] = None, + **kwargs + ): + """ + :keyword provider: Resource provider: Microsoft KubernetesConfiguration. + :paramtype provider: str + :keyword resource: Resource on which the operation is performed. + :paramtype resource: str + :keyword operation: Type of operation: get, read, delete, etc. + :paramtype operation: str + :keyword description: Description of this operation. + :paramtype description: str + """ + super().__init__(**kwargs) + self.provider = provider + self.resource = resource + self.operation = operation + self.description = description + + +class ResourceProviderOperationList(_serialization.Model): + """Result of the request to list operations. + + Variables are only populated by the server, and will be ignored when sending a request. + + :ivar value: List of operations supported by this resource provider. + :vartype value: + list[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ResourceProviderOperation] + :ivar next_link: URL to the next set of results, if any. + :vartype next_link: str + """ + + _validation = { + "next_link": {"readonly": True}, + } + + _attribute_map = { + "value": {"key": "value", "type": "[ResourceProviderOperation]"}, + "next_link": {"key": "nextLink", "type": "str"}, + } + + def __init__(self, *, value: Optional[List["_models.ResourceProviderOperation"]] = None, **kwargs): + """ + :keyword value: List of operations supported by this resource provider. + :paramtype value: + list[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ResourceProviderOperation] + """ + super().__init__(**kwargs) + self.value = value + self.next_link = None + + +class Scope(_serialization.Model): + """Scope of the extension. It can be either Cluster or Namespace; but not both. + + :ivar cluster: Specifies that the scope of the extension is Cluster. + :vartype cluster: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ScopeCluster + :ivar namespace: Specifies that the scope of the extension is Namespace. + :vartype namespace: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ScopeNamespace + """ + + _attribute_map = { + "cluster": {"key": "cluster", "type": "ScopeCluster"}, + "namespace": {"key": "namespace", "type": "ScopeNamespace"}, + } + + def __init__( + self, + *, + cluster: Optional["_models.ScopeCluster"] = None, + namespace: Optional["_models.ScopeNamespace"] = None, + **kwargs + ): + """ + :keyword cluster: Specifies that the scope of the extension is Cluster. + :paramtype cluster: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ScopeCluster + :keyword namespace: Specifies that the scope of the extension is Namespace. + :paramtype namespace: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ScopeNamespace + """ + super().__init__(**kwargs) + self.cluster = cluster + self.namespace = namespace + + +class ScopeCluster(_serialization.Model): + """Specifies that the scope of the extension is Cluster. + + :ivar release_namespace: Namespace where the extension Release must be placed, for a Cluster + scoped extension. If this namespace does not exist, it will be created. + :vartype release_namespace: str + """ + + _attribute_map = { + "release_namespace": {"key": "releaseNamespace", "type": "str"}, + } + + def __init__(self, *, release_namespace: Optional[str] = None, **kwargs): + """ + :keyword release_namespace: Namespace where the extension Release must be placed, for a Cluster + scoped extension. If this namespace does not exist, it will be created. + :paramtype release_namespace: str + """ + super().__init__(**kwargs) + self.release_namespace = release_namespace + + +class ScopeNamespace(_serialization.Model): + """Specifies that the scope of the extension is Namespace. + + :ivar target_namespace: Namespace where the extension will be created for an Namespace scoped + extension. If this namespace does not exist, it will be created. + :vartype target_namespace: str + """ + + _attribute_map = { + "target_namespace": {"key": "targetNamespace", "type": "str"}, + } + + def __init__(self, *, target_namespace: Optional[str] = None, **kwargs): + """ + :keyword target_namespace: Namespace where the extension will be created for an Namespace + scoped extension. If this namespace does not exist, it will be created. + :paramtype target_namespace: str + """ + super().__init__(**kwargs) + self.target_namespace = target_namespace + + +class ServicePrincipalDefinition(_serialization.Model): + """Parameters to authenticate using Service Principal. + + :ivar client_id: The client Id for authenticating a Service Principal. + :vartype client_id: str + :ivar tenant_id: The tenant Id for authenticating a Service Principal. + :vartype tenant_id: str + :ivar client_secret: The client secret for authenticating a Service Principal. + :vartype client_secret: str + :ivar client_certificate: Base64-encoded certificate used to authenticate a Service Principal. + :vartype client_certificate: str + :ivar client_certificate_password: The password for the certificate used to authenticate a + Service Principal. + :vartype client_certificate_password: str + :ivar client_certificate_send_chain: Specifies whether to include x5c header in client claims + when acquiring a token to enable subject name / issuer based authentication for the Client + Certificate. + :vartype client_certificate_send_chain: bool + """ + + _attribute_map = { + "client_id": {"key": "clientId", "type": "str"}, + "tenant_id": {"key": "tenantId", "type": "str"}, + "client_secret": {"key": "clientSecret", "type": "str"}, + "client_certificate": {"key": "clientCertificate", "type": "str"}, + "client_certificate_password": {"key": "clientCertificatePassword", "type": "str"}, + "client_certificate_send_chain": {"key": "clientCertificateSendChain", "type": "bool"}, + } + + def __init__( + self, + *, + client_id: Optional[str] = None, + tenant_id: Optional[str] = None, + client_secret: Optional[str] = None, + client_certificate: Optional[str] = None, + client_certificate_password: Optional[str] = None, + client_certificate_send_chain: bool = False, + **kwargs + ): + """ + :keyword client_id: The client Id for authenticating a Service Principal. + :paramtype client_id: str + :keyword tenant_id: The tenant Id for authenticating a Service Principal. + :paramtype tenant_id: str + :keyword client_secret: The client secret for authenticating a Service Principal. + :paramtype client_secret: str + :keyword client_certificate: Base64-encoded certificate used to authenticate a Service + Principal. + :paramtype client_certificate: str + :keyword client_certificate_password: The password for the certificate used to authenticate a + Service Principal. + :paramtype client_certificate_password: str + :keyword client_certificate_send_chain: Specifies whether to include x5c header in client + claims when acquiring a token to enable subject name / issuer based authentication for the + Client Certificate. + :paramtype client_certificate_send_chain: bool + """ + super().__init__(**kwargs) + self.client_id = client_id + self.tenant_id = tenant_id + self.client_secret = client_secret + self.client_certificate = client_certificate + self.client_certificate_password = client_certificate_password + self.client_certificate_send_chain = client_certificate_send_chain + + +class ServicePrincipalPatchDefinition(_serialization.Model): + """Parameters to authenticate using Service Principal. + + :ivar client_id: The client Id for authenticating a Service Principal. + :vartype client_id: str + :ivar tenant_id: The tenant Id for authenticating a Service Principal. + :vartype tenant_id: str + :ivar client_secret: The client secret for authenticating a Service Principal. + :vartype client_secret: str + :ivar client_certificate: Base64-encoded certificate used to authenticate a Service Principal. + :vartype client_certificate: str + :ivar client_certificate_password: The password for the certificate used to authenticate a + Service Principal. + :vartype client_certificate_password: str + :ivar client_certificate_send_chain: Specifies whether to include x5c header in client claims + when acquiring a token to enable subject name / issuer based authentication for the Client + Certificate. + :vartype client_certificate_send_chain: bool + """ + + _attribute_map = { + "client_id": {"key": "clientId", "type": "str"}, + "tenant_id": {"key": "tenantId", "type": "str"}, + "client_secret": {"key": "clientSecret", "type": "str"}, + "client_certificate": {"key": "clientCertificate", "type": "str"}, + "client_certificate_password": {"key": "clientCertificatePassword", "type": "str"}, + "client_certificate_send_chain": {"key": "clientCertificateSendChain", "type": "bool"}, + } + + def __init__( + self, + *, + client_id: Optional[str] = None, + tenant_id: Optional[str] = None, + client_secret: Optional[str] = None, + client_certificate: Optional[str] = None, + client_certificate_password: Optional[str] = None, + client_certificate_send_chain: Optional[bool] = None, + **kwargs + ): + """ + :keyword client_id: The client Id for authenticating a Service Principal. + :paramtype client_id: str + :keyword tenant_id: The tenant Id for authenticating a Service Principal. + :paramtype tenant_id: str + :keyword client_secret: The client secret for authenticating a Service Principal. + :paramtype client_secret: str + :keyword client_certificate: Base64-encoded certificate used to authenticate a Service + Principal. + :paramtype client_certificate: str + :keyword client_certificate_password: The password for the certificate used to authenticate a + Service Principal. + :paramtype client_certificate_password: str + :keyword client_certificate_send_chain: Specifies whether to include x5c header in client + claims when acquiring a token to enable subject name / issuer based authentication for the + Client Certificate. + :paramtype client_certificate_send_chain: bool + """ + super().__init__(**kwargs) + self.client_id = client_id + self.tenant_id = tenant_id + self.client_secret = client_secret + self.client_certificate = client_certificate + self.client_certificate_password = client_certificate_password + self.client_certificate_send_chain = client_certificate_send_chain + + +class SourceControlConfiguration(ProxyResource): # pylint: disable=too-many-instance-attributes + """The SourceControl Configuration object returned in Get & Put response. + + Variables are only populated by the server, and will be ignored when sending a request. + + :ivar id: Fully qualified resource ID for the resource. Ex - + /subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{resourceProviderNamespace}/{resourceType}/{resourceName}. + :vartype id: str + :ivar name: The name of the resource. + :vartype name: str + :ivar type: The type of the resource. E.g. "Microsoft.Compute/virtualMachines" or + "Microsoft.Storage/storageAccounts". + :vartype type: str + :ivar system_data: Top level metadata + https://github.com/Azure/azure-resource-manager-rpc/blob/master/v1.0/common-api-contracts.md#system-metadata-for-all-azure-resources. + :vartype system_data: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.SystemData + :ivar repository_url: Url of the SourceControl Repository. + :vartype repository_url: str + :ivar operator_namespace: The namespace to which this operator is installed to. Maximum of 253 + lower case alphanumeric characters, hyphen and period only. + :vartype operator_namespace: str + :ivar operator_instance_name: Instance name of the operator - identifying the specific + configuration. + :vartype operator_instance_name: str + :ivar operator_type: Type of the operator. "Flux" + :vartype operator_type: str or + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.OperatorType + :ivar operator_params: Any Parameters for the Operator instance in string format. + :vartype operator_params: str + :ivar configuration_protected_settings: Name-value pairs of protected configuration settings + for the configuration. + :vartype configuration_protected_settings: dict[str, str] + :ivar operator_scope: Scope at which the operator will be installed. Known values are: + "cluster" and "namespace". + :vartype operator_scope: str or + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.OperatorScopeType + :ivar repository_public_key: Public Key associated with this SourceControl configuration + (either generated within the cluster or provided by the user). + :vartype repository_public_key: str + :ivar ssh_known_hosts_contents: Base64-encoded known_hosts contents containing public SSH keys + required to access private Git instances. + :vartype ssh_known_hosts_contents: str + :ivar enable_helm_operator: Option to enable Helm Operator for this git configuration. + :vartype enable_helm_operator: bool + :ivar helm_operator_properties: Properties for Helm operator. + :vartype helm_operator_properties: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.HelmOperatorProperties + :ivar provisioning_state: The provisioning state of the resource provider. Known values are: + "Accepted", "Deleting", "Running", "Succeeded", and "Failed". + :vartype provisioning_state: str or + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ProvisioningStateType + :ivar compliance_status: Compliance Status of the Configuration. + :vartype compliance_status: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ComplianceStatus + """ + + _validation = { + "id": {"readonly": True}, + "name": {"readonly": True}, + "type": {"readonly": True}, + "system_data": {"readonly": True}, + "repository_public_key": {"readonly": True}, + "provisioning_state": {"readonly": True}, + "compliance_status": {"readonly": True}, + } + + _attribute_map = { + "id": {"key": "id", "type": "str"}, + "name": {"key": "name", "type": "str"}, + "type": {"key": "type", "type": "str"}, + "system_data": {"key": "systemData", "type": "SystemData"}, + "repository_url": {"key": "properties.repositoryUrl", "type": "str"}, + "operator_namespace": {"key": "properties.operatorNamespace", "type": "str"}, + "operator_instance_name": {"key": "properties.operatorInstanceName", "type": "str"}, + "operator_type": {"key": "properties.operatorType", "type": "str"}, + "operator_params": {"key": "properties.operatorParams", "type": "str"}, + "configuration_protected_settings": {"key": "properties.configurationProtectedSettings", "type": "{str}"}, + "operator_scope": {"key": "properties.operatorScope", "type": "str"}, + "repository_public_key": {"key": "properties.repositoryPublicKey", "type": "str"}, + "ssh_known_hosts_contents": {"key": "properties.sshKnownHostsContents", "type": "str"}, + "enable_helm_operator": {"key": "properties.enableHelmOperator", "type": "bool"}, + "helm_operator_properties": {"key": "properties.helmOperatorProperties", "type": "HelmOperatorProperties"}, + "provisioning_state": {"key": "properties.provisioningState", "type": "str"}, + "compliance_status": {"key": "properties.complianceStatus", "type": "ComplianceStatus"}, + } + + def __init__( + self, + *, + repository_url: Optional[str] = None, + operator_namespace: str = "default", + operator_instance_name: Optional[str] = None, + operator_type: Optional[Union[str, "_models.OperatorType"]] = None, + operator_params: Optional[str] = None, + configuration_protected_settings: Optional[Dict[str, str]] = None, + operator_scope: Union[str, "_models.OperatorScopeType"] = "cluster", + ssh_known_hosts_contents: Optional[str] = None, + enable_helm_operator: Optional[bool] = None, + helm_operator_properties: Optional["_models.HelmOperatorProperties"] = None, + **kwargs + ): + """ + :keyword repository_url: Url of the SourceControl Repository. + :paramtype repository_url: str + :keyword operator_namespace: The namespace to which this operator is installed to. Maximum of + 253 lower case alphanumeric characters, hyphen and period only. + :paramtype operator_namespace: str + :keyword operator_instance_name: Instance name of the operator - identifying the specific + configuration. + :paramtype operator_instance_name: str + :keyword operator_type: Type of the operator. "Flux" + :paramtype operator_type: str or + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.OperatorType + :keyword operator_params: Any Parameters for the Operator instance in string format. + :paramtype operator_params: str + :keyword configuration_protected_settings: Name-value pairs of protected configuration settings + for the configuration. + :paramtype configuration_protected_settings: dict[str, str] + :keyword operator_scope: Scope at which the operator will be installed. Known values are: + "cluster" and "namespace". + :paramtype operator_scope: str or + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.OperatorScopeType + :keyword ssh_known_hosts_contents: Base64-encoded known_hosts contents containing public SSH + keys required to access private Git instances. + :paramtype ssh_known_hosts_contents: str + :keyword enable_helm_operator: Option to enable Helm Operator for this git configuration. + :paramtype enable_helm_operator: bool + :keyword helm_operator_properties: Properties for Helm operator. + :paramtype helm_operator_properties: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.HelmOperatorProperties + """ + super().__init__(**kwargs) + self.system_data = None + self.repository_url = repository_url + self.operator_namespace = operator_namespace + self.operator_instance_name = operator_instance_name + self.operator_type = operator_type + self.operator_params = operator_params + self.configuration_protected_settings = configuration_protected_settings + self.operator_scope = operator_scope + self.repository_public_key = None + self.ssh_known_hosts_contents = ssh_known_hosts_contents + self.enable_helm_operator = enable_helm_operator + self.helm_operator_properties = helm_operator_properties + self.provisioning_state = None + self.compliance_status = None + + +class SourceControlConfigurationList(_serialization.Model): + """Result of the request to list Source Control Configurations. It contains a list of SourceControlConfiguration objects and a URL link to get the next set of results. + + Variables are only populated by the server, and will be ignored when sending a request. + + :ivar value: List of Source Control Configurations within a Kubernetes cluster. + :vartype value: + list[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.SourceControlConfiguration] + :ivar next_link: URL to get the next set of configuration objects, if any. + :vartype next_link: str + """ + + _validation = { + "value": {"readonly": True}, + "next_link": {"readonly": True}, + } + + _attribute_map = { + "value": {"key": "value", "type": "[SourceControlConfiguration]"}, + "next_link": {"key": "nextLink", "type": "str"}, + } + + def __init__(self, **kwargs): + """ """ + super().__init__(**kwargs) + self.value = None + self.next_link = None + + +class SystemData(_serialization.Model): + """Metadata pertaining to creation and last modification of the resource. + + :ivar created_by: The identity that created the resource. + :vartype created_by: str + :ivar created_by_type: The type of identity that created the resource. Known values are: + "User", "Application", "ManagedIdentity", and "Key". + :vartype created_by_type: str or + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.CreatedByType + :ivar created_at: The timestamp of resource creation (UTC). + :vartype created_at: ~datetime.datetime + :ivar last_modified_by: The identity that last modified the resource. + :vartype last_modified_by: str + :ivar last_modified_by_type: The type of identity that last modified the resource. Known values + are: "User", "Application", "ManagedIdentity", and "Key". + :vartype last_modified_by_type: str or + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.CreatedByType + :ivar last_modified_at: The timestamp of resource last modification (UTC). + :vartype last_modified_at: ~datetime.datetime + """ + + _attribute_map = { + "created_by": {"key": "createdBy", "type": "str"}, + "created_by_type": {"key": "createdByType", "type": "str"}, + "created_at": {"key": "createdAt", "type": "iso-8601"}, + "last_modified_by": {"key": "lastModifiedBy", "type": "str"}, + "last_modified_by_type": {"key": "lastModifiedByType", "type": "str"}, + "last_modified_at": {"key": "lastModifiedAt", "type": "iso-8601"}, + } + + def __init__( + self, + *, + created_by: Optional[str] = None, + created_by_type: Optional[Union[str, "_models.CreatedByType"]] = None, + created_at: Optional[datetime.datetime] = None, + last_modified_by: Optional[str] = None, + last_modified_by_type: Optional[Union[str, "_models.CreatedByType"]] = None, + last_modified_at: Optional[datetime.datetime] = None, + **kwargs + ): + """ + :keyword created_by: The identity that created the resource. + :paramtype created_by: str + :keyword created_by_type: The type of identity that created the resource. Known values are: + "User", "Application", "ManagedIdentity", and "Key". + :paramtype created_by_type: str or + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.CreatedByType + :keyword created_at: The timestamp of resource creation (UTC). + :paramtype created_at: ~datetime.datetime + :keyword last_modified_by: The identity that last modified the resource. + :paramtype last_modified_by: str + :keyword last_modified_by_type: The type of identity that last modified the resource. Known + values are: "User", "Application", "ManagedIdentity", and "Key". + :paramtype last_modified_by_type: str or + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.CreatedByType + :keyword last_modified_at: The timestamp of resource last modification (UTC). + :paramtype last_modified_at: ~datetime.datetime + """ + super().__init__(**kwargs) + self.created_by = created_by + self.created_by_type = created_by_type + self.created_at = created_at + self.last_modified_by = last_modified_by + self.last_modified_by_type = last_modified_by_type + self.last_modified_at = last_modified_at diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/models/_patch.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/models/_patch.py new file mode 100644 index 00000000000..f7dd3251033 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/models/_patch.py @@ -0,0 +1,20 @@ +# ------------------------------------ +# Copyright (c) Microsoft Corporation. +# Licensed under the MIT License. +# ------------------------------------ +"""Customize generated code here. + +Follow our quickstart for examples: https://aka.ms/azsdk/python/dpcodegen/python/customize +""" +from typing import List + +__all__: List[str] = [] # Add all objects you want publicly available to users at this package level + + +def patch_sdk(): + """Do not remove from this file. + + `patch_sdk` is a last resort escape hatch that allows you to do customizations + you can't accomplish using the techniques described in + https://aka.ms/azsdk/python/dpcodegen/python/customize + """ diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/models/_source_control_configuration_client_enums.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/models/_source_control_configuration_client_enums.py new file mode 100644 index 00000000000..cf097984794 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/models/_source_control_configuration_client_enums.py @@ -0,0 +1,121 @@ +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- + +from enum import Enum +from azure.core import CaseInsensitiveEnumMeta + + +class AKSIdentityType(str, Enum, metaclass=CaseInsensitiveEnumMeta): + """The identity type.""" + + SYSTEM_ASSIGNED = "SystemAssigned" + USER_ASSIGNED = "UserAssigned" + + +class ComplianceStateType(str, Enum, metaclass=CaseInsensitiveEnumMeta): + """The compliance state of the configuration.""" + + PENDING = "Pending" + COMPLIANT = "Compliant" + NONCOMPLIANT = "Noncompliant" + INSTALLED = "Installed" + FAILED = "Failed" + + +class CreatedByType(str, Enum, metaclass=CaseInsensitiveEnumMeta): + """The type of identity that created the resource.""" + + USER = "User" + APPLICATION = "Application" + MANAGED_IDENTITY = "ManagedIdentity" + KEY = "Key" + + +class FluxComplianceState(str, Enum, metaclass=CaseInsensitiveEnumMeta): + """Compliance state of the cluster object.""" + + COMPLIANT = "Compliant" + NON_COMPLIANT = "Non-Compliant" + PENDING = "Pending" + SUSPENDED = "Suspended" + UNKNOWN = "Unknown" + + +class KustomizationValidationType(str, Enum, metaclass=CaseInsensitiveEnumMeta): + """Specify whether to validate the Kubernetes objects referenced in the Kustomization before + applying them to the cluster. + """ + + NONE = "none" + CLIENT = "client" + SERVER = "server" + + +class LevelType(str, Enum, metaclass=CaseInsensitiveEnumMeta): + """Level of the status.""" + + ERROR = "Error" + WARNING = "Warning" + INFORMATION = "Information" + + +class MessageLevelType(str, Enum, metaclass=CaseInsensitiveEnumMeta): + """Level of the message.""" + + ERROR = "Error" + WARNING = "Warning" + INFORMATION = "Information" + + +class OperatorScopeType(str, Enum, metaclass=CaseInsensitiveEnumMeta): + """Scope at which the operator will be installed.""" + + CLUSTER = "cluster" + NAMESPACE = "namespace" + + +class OperatorType(str, Enum, metaclass=CaseInsensitiveEnumMeta): + """Type of the operator.""" + + FLUX = "Flux" + + +class ProvisioningState(str, Enum, metaclass=CaseInsensitiveEnumMeta): + """The provisioning state of the resource.""" + + SUCCEEDED = "Succeeded" + FAILED = "Failed" + CANCELED = "Canceled" + CREATING = "Creating" + UPDATING = "Updating" + DELETING = "Deleting" + + +class ProvisioningStateType(str, Enum, metaclass=CaseInsensitiveEnumMeta): + """The provisioning state of the resource provider.""" + + ACCEPTED = "Accepted" + DELETING = "Deleting" + RUNNING = "Running" + SUCCEEDED = "Succeeded" + FAILED = "Failed" + + +class ScopeType(str, Enum, metaclass=CaseInsensitiveEnumMeta): + """Scope at which the configuration will be installed.""" + + CLUSTER = "cluster" + NAMESPACE = "namespace" + + +class SourceKindType(str, Enum, metaclass=CaseInsensitiveEnumMeta): + """Source Kind to pull the configuration data from.""" + + GIT_REPOSITORY = "GitRepository" + BUCKET = "Bucket" + AZURE_BLOB = "AzureBlob" diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/operations/__init__.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/operations/__init__.py new file mode 100644 index 00000000000..50d1dc0c61e --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/operations/__init__.py @@ -0,0 +1,29 @@ +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- + +from ._extensions_operations import ExtensionsOperations +from ._operation_status_operations import OperationStatusOperations +from ._flux_configurations_operations import FluxConfigurationsOperations +from ._flux_config_operation_status_operations import FluxConfigOperationStatusOperations +from ._source_control_configurations_operations import SourceControlConfigurationsOperations +from ._operations import Operations + +from ._patch import __all__ as _patch_all +from ._patch import * # type: ignore # pylint: disable=unused-wildcard-import +from ._patch import patch_sdk as _patch_sdk + +__all__ = [ + "ExtensionsOperations", + "OperationStatusOperations", + "FluxConfigurationsOperations", + "FluxConfigOperationStatusOperations", + "SourceControlConfigurationsOperations", + "Operations", +] +__all__.extend([p for p in _patch_all if p not in __all__]) +_patch_sdk() diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/operations/_extensions_operations.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/operations/_extensions_operations.py new file mode 100644 index 00000000000..c33f3f9e2be --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/operations/_extensions_operations.py @@ -0,0 +1,1134 @@ +# pylint: disable=too-many-lines +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- +import sys +from typing import Any, Callable, Dict, IO, Iterable, Optional, TypeVar, Union, cast, overload +import urllib.parse + +from azure.core.exceptions import ( + ClientAuthenticationError, + HttpResponseError, + ResourceExistsError, + ResourceNotFoundError, + ResourceNotModifiedError, + map_error, +) +from azure.core.paging import ItemPaged +from azure.core.pipeline import PipelineResponse +from azure.core.pipeline.transport import HttpResponse +from azure.core.polling import LROPoller, NoPolling, PollingMethod +from azure.core.rest import HttpRequest +from azure.core.tracing.decorator import distributed_trace +from azure.core.utils import case_insensitive_dict +from azure.mgmt.core.exceptions import ARMErrorFormat +from azure.mgmt.core.polling.arm_polling import ARMPolling + +from .. import models as _models +from ..._serialization import Serializer +from .._vendor import _convert_request, _format_url_section + +if sys.version_info >= (3, 8): + from typing import Literal # pylint: disable=no-name-in-module, ungrouped-imports +else: + from typing_extensions import Literal # type: ignore # pylint: disable=ungrouped-imports +T = TypeVar("T") +ClsType = Optional[Callable[[PipelineResponse[HttpRequest, HttpResponse], T, Dict[str, Any]], Any]] + +_SERIALIZER = Serializer() +_SERIALIZER.client_side_validation = False + + +def build_create_request( + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + subscription_id: str, + **kwargs: Any +) -> HttpRequest: + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + accept = _headers.pop("Accept", "application/json") + + # Construct URL + _url = kwargs.pop( + "template_url", + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}", + ) # pylint: disable=line-too-long + path_format_arguments = { + "subscriptionId": _SERIALIZER.url("subscription_id", subscription_id, "str", min_length=1), + "resourceGroupName": _SERIALIZER.url( + "resource_group_name", resource_group_name, "str", max_length=90, min_length=1 + ), + "clusterRp": _SERIALIZER.url("cluster_rp", cluster_rp, "str"), + "clusterResourceName": _SERIALIZER.url("cluster_resource_name", cluster_resource_name, "str"), + "clusterName": _SERIALIZER.url("cluster_name", cluster_name, "str"), + "extensionName": _SERIALIZER.url("extension_name", extension_name, "str"), + } + + _url = _format_url_section(_url, **path_format_arguments) + + # Construct parameters + _params["api-version"] = _SERIALIZER.query("api_version", api_version, "str") + + # Construct headers + if content_type is not None: + _headers["Content-Type"] = _SERIALIZER.header("content_type", content_type, "str") + _headers["Accept"] = _SERIALIZER.header("accept", accept, "str") + + return HttpRequest(method="PUT", url=_url, params=_params, headers=_headers, **kwargs) + + +def build_get_request( + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + subscription_id: str, + **kwargs: Any +) -> HttpRequest: + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + accept = _headers.pop("Accept", "application/json") + + # Construct URL + _url = kwargs.pop( + "template_url", + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}", + ) # pylint: disable=line-too-long + path_format_arguments = { + "subscriptionId": _SERIALIZER.url("subscription_id", subscription_id, "str", min_length=1), + "resourceGroupName": _SERIALIZER.url( + "resource_group_name", resource_group_name, "str", max_length=90, min_length=1 + ), + "clusterRp": _SERIALIZER.url("cluster_rp", cluster_rp, "str"), + "clusterResourceName": _SERIALIZER.url("cluster_resource_name", cluster_resource_name, "str"), + "clusterName": _SERIALIZER.url("cluster_name", cluster_name, "str"), + "extensionName": _SERIALIZER.url("extension_name", extension_name, "str"), + } + + _url = _format_url_section(_url, **path_format_arguments) + + # Construct parameters + _params["api-version"] = _SERIALIZER.query("api_version", api_version, "str") + + # Construct headers + _headers["Accept"] = _SERIALIZER.header("accept", accept, "str") + + return HttpRequest(method="GET", url=_url, params=_params, headers=_headers, **kwargs) + + +def build_delete_request( + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + subscription_id: str, + *, + force_delete: Optional[bool] = None, + **kwargs: Any +) -> HttpRequest: + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + accept = _headers.pop("Accept", "application/json") + + # Construct URL + _url = kwargs.pop( + "template_url", + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}", + ) # pylint: disable=line-too-long + path_format_arguments = { + "subscriptionId": _SERIALIZER.url("subscription_id", subscription_id, "str", min_length=1), + "resourceGroupName": _SERIALIZER.url( + "resource_group_name", resource_group_name, "str", max_length=90, min_length=1 + ), + "clusterRp": _SERIALIZER.url("cluster_rp", cluster_rp, "str"), + "clusterResourceName": _SERIALIZER.url("cluster_resource_name", cluster_resource_name, "str"), + "clusterName": _SERIALIZER.url("cluster_name", cluster_name, "str"), + "extensionName": _SERIALIZER.url("extension_name", extension_name, "str"), + } + + _url = _format_url_section(_url, **path_format_arguments) + + # Construct parameters + _params["api-version"] = _SERIALIZER.query("api_version", api_version, "str") + if force_delete is not None: + _params["forceDelete"] = _SERIALIZER.query("force_delete", force_delete, "bool") + + # Construct headers + _headers["Accept"] = _SERIALIZER.header("accept", accept, "str") + + return HttpRequest(method="DELETE", url=_url, params=_params, headers=_headers, **kwargs) + + +def build_update_request( + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + subscription_id: str, + **kwargs: Any +) -> HttpRequest: + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + accept = _headers.pop("Accept", "application/json") + + # Construct URL + _url = kwargs.pop( + "template_url", + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}", + ) # pylint: disable=line-too-long + path_format_arguments = { + "subscriptionId": _SERIALIZER.url("subscription_id", subscription_id, "str", min_length=1), + "resourceGroupName": _SERIALIZER.url( + "resource_group_name", resource_group_name, "str", max_length=90, min_length=1 + ), + "clusterRp": _SERIALIZER.url("cluster_rp", cluster_rp, "str"), + "clusterResourceName": _SERIALIZER.url("cluster_resource_name", cluster_resource_name, "str"), + "clusterName": _SERIALIZER.url("cluster_name", cluster_name, "str"), + "extensionName": _SERIALIZER.url("extension_name", extension_name, "str"), + } + + _url = _format_url_section(_url, **path_format_arguments) + + # Construct parameters + _params["api-version"] = _SERIALIZER.query("api_version", api_version, "str") + + # Construct headers + if content_type is not None: + _headers["Content-Type"] = _SERIALIZER.header("content_type", content_type, "str") + _headers["Accept"] = _SERIALIZER.header("accept", accept, "str") + + return HttpRequest(method="PATCH", url=_url, params=_params, headers=_headers, **kwargs) + + +def build_list_request( + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + subscription_id: str, + **kwargs: Any +) -> HttpRequest: + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + accept = _headers.pop("Accept", "application/json") + + # Construct URL + _url = kwargs.pop( + "template_url", + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions", + ) # pylint: disable=line-too-long + path_format_arguments = { + "subscriptionId": _SERIALIZER.url("subscription_id", subscription_id, "str", min_length=1), + "resourceGroupName": _SERIALIZER.url( + "resource_group_name", resource_group_name, "str", max_length=90, min_length=1 + ), + "clusterRp": _SERIALIZER.url("cluster_rp", cluster_rp, "str"), + "clusterResourceName": _SERIALIZER.url("cluster_resource_name", cluster_resource_name, "str"), + "clusterName": _SERIALIZER.url("cluster_name", cluster_name, "str"), + } + + _url = _format_url_section(_url, **path_format_arguments) + + # Construct parameters + _params["api-version"] = _SERIALIZER.query("api_version", api_version, "str") + + # Construct headers + _headers["Accept"] = _SERIALIZER.header("accept", accept, "str") + + return HttpRequest(method="GET", url=_url, params=_params, headers=_headers, **kwargs) + + +class ExtensionsOperations: + """ + .. warning:: + **DO NOT** instantiate this class directly. + + Instead, you should access the following operations through + :class:`~azure.mgmt.kubernetesconfiguration.v2022_11_01.SourceControlConfigurationClient`'s + :attr:`extensions` attribute. + """ + + models = _models + + def __init__(self, *args, **kwargs): + input_args = list(args) + self._client = input_args.pop(0) if input_args else kwargs.pop("client") + self._config = input_args.pop(0) if input_args else kwargs.pop("config") + self._serialize = input_args.pop(0) if input_args else kwargs.pop("serializer") + self._deserialize = input_args.pop(0) if input_args else kwargs.pop("deserializer") + + def _create_initial( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + extension: Union[_models.Extension, IO], + **kwargs: Any + ) -> _models.Extension: + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + cls = kwargs.pop("cls", None) # type: ClsType[_models.Extension] + + content_type = content_type or "application/json" + _json = None + _content = None + if isinstance(extension, (IO, bytes)): + _content = extension + else: + _json = self._serialize.body(extension, "Extension") + + request = build_create_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + extension_name=extension_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + content_type=content_type, + json=_json, + content=_content, + template_url=self._create_initial.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200, 201]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + if response.status_code == 200: + deserialized = self._deserialize("Extension", pipeline_response) + + if response.status_code == 201: + deserialized = self._deserialize("Extension", pipeline_response) + + if cls: + return cls(pipeline_response, deserialized, {}) + + return deserialized + + _create_initial.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}"} # type: ignore + + @overload + def begin_create( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + extension: _models.Extension, + *, + content_type: str = "application/json", + **kwargs: Any + ) -> LROPoller[_models.Extension]: + """Create a new Kubernetes Cluster Extension. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param extension_name: Name of the Extension. Required. + :type extension_name: str + :param extension: Properties necessary to Create an Extension. Required. + :type extension: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.Extension + :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. + Default value is "application/json". + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be ARMPolling. Pass in False for this + operation to not poll, or pass in your own initialized polling object for a personal polling + strategy. + :paramtype polling: bool or ~azure.core.polling.PollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of LROPoller that returns either Extension or the result of cls(response) + :rtype: + ~azure.core.polling.LROPoller[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.Extension] + :raises ~azure.core.exceptions.HttpResponseError: + """ + + @overload + def begin_create( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + extension: IO, + *, + content_type: str = "application/json", + **kwargs: Any + ) -> LROPoller[_models.Extension]: + """Create a new Kubernetes Cluster Extension. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param extension_name: Name of the Extension. Required. + :type extension_name: str + :param extension: Properties necessary to Create an Extension. Required. + :type extension: IO + :keyword content_type: Body Parameter content-type. Content type parameter for binary body. + Default value is "application/json". + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be ARMPolling. Pass in False for this + operation to not poll, or pass in your own initialized polling object for a personal polling + strategy. + :paramtype polling: bool or ~azure.core.polling.PollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of LROPoller that returns either Extension or the result of cls(response) + :rtype: + ~azure.core.polling.LROPoller[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.Extension] + :raises ~azure.core.exceptions.HttpResponseError: + """ + + @distributed_trace + def begin_create( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + extension: Union[_models.Extension, IO], + **kwargs: Any + ) -> LROPoller[_models.Extension]: + """Create a new Kubernetes Cluster Extension. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param extension_name: Name of the Extension. Required. + :type extension_name: str + :param extension: Properties necessary to Create an Extension. Is either a model type or a IO + type. Required. + :type extension: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.Extension or IO + :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. + Default value is None. + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be ARMPolling. Pass in False for this + operation to not poll, or pass in your own initialized polling object for a personal polling + strategy. + :paramtype polling: bool or ~azure.core.polling.PollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of LROPoller that returns either Extension or the result of cls(response) + :rtype: + ~azure.core.polling.LROPoller[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.Extension] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + cls = kwargs.pop("cls", None) # type: ClsType[_models.Extension] + polling = kwargs.pop("polling", True) # type: Union[bool, PollingMethod] + lro_delay = kwargs.pop("polling_interval", self._config.polling_interval) + cont_token = kwargs.pop("continuation_token", None) # type: Optional[str] + if cont_token is None: + raw_result = self._create_initial( # type: ignore + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + extension_name=extension_name, + extension=extension, + api_version=api_version, + content_type=content_type, + cls=lambda x, y, z: x, + headers=_headers, + params=_params, + **kwargs + ) + kwargs.pop("error_map", None) + + def get_long_running_output(pipeline_response): + deserialized = self._deserialize("Extension", pipeline_response) + if cls: + return cls(pipeline_response, deserialized, {}) + return deserialized + + if polling is True: + polling_method = cast( + PollingMethod, ARMPolling(lro_delay, lro_options={"final-state-via": "azure-async-operation"}, **kwargs) + ) # type: PollingMethod + elif polling is False: + polling_method = cast(PollingMethod, NoPolling()) + else: + polling_method = polling + if cont_token: + return LROPoller.from_continuation_token( + polling_method=polling_method, + continuation_token=cont_token, + client=self._client, + deserialization_callback=get_long_running_output, + ) + return LROPoller(self._client, raw_result, get_long_running_output, polling_method) + + begin_create.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}"} # type: ignore + + @distributed_trace + def get( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + **kwargs: Any + ) -> _models.Extension: + """Gets Kubernetes Cluster Extension. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param extension_name: Name of the Extension. Required. + :type extension_name: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: Extension or the result of cls(response) + :rtype: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.Extension + :raises ~azure.core.exceptions.HttpResponseError: + """ + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + cls = kwargs.pop("cls", None) # type: ClsType[_models.Extension] + + request = build_get_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + extension_name=extension_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + template_url=self.get.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + deserialized = self._deserialize("Extension", pipeline_response) + + if cls: + return cls(pipeline_response, deserialized, {}) + + return deserialized + + get.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}"} # type: ignore + + def _delete_initial( # pylint: disable=inconsistent-return-statements + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + force_delete: Optional[bool] = None, + **kwargs: Any + ) -> None: + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + cls = kwargs.pop("cls", None) # type: ClsType[None] + + request = build_delete_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + extension_name=extension_name, + subscription_id=self._config.subscription_id, + force_delete=force_delete, + api_version=api_version, + template_url=self._delete_initial.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200, 202, 204]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + if cls: + return cls(pipeline_response, None, {}) + + _delete_initial.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}"} # type: ignore + + @distributed_trace + def begin_delete( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + force_delete: Optional[bool] = None, + **kwargs: Any + ) -> LROPoller[None]: + """Delete a Kubernetes Cluster Extension. This will cause the Agent to Uninstall the extension + from the cluster. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param extension_name: Name of the Extension. Required. + :type extension_name: str + :param force_delete: Delete the extension resource in Azure - not the normal asynchronous + delete. Default value is None. + :type force_delete: bool + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be ARMPolling. Pass in False for this + operation to not poll, or pass in your own initialized polling object for a personal polling + strategy. + :paramtype polling: bool or ~azure.core.polling.PollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of LROPoller that returns either None or the result of cls(response) + :rtype: ~azure.core.polling.LROPoller[None] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + cls = kwargs.pop("cls", None) # type: ClsType[None] + polling = kwargs.pop("polling", True) # type: Union[bool, PollingMethod] + lro_delay = kwargs.pop("polling_interval", self._config.polling_interval) + cont_token = kwargs.pop("continuation_token", None) # type: Optional[str] + if cont_token is None: + raw_result = self._delete_initial( # type: ignore + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + extension_name=extension_name, + force_delete=force_delete, + api_version=api_version, + cls=lambda x, y, z: x, + headers=_headers, + params=_params, + **kwargs + ) + kwargs.pop("error_map", None) + + def get_long_running_output(pipeline_response): # pylint: disable=inconsistent-return-statements + if cls: + return cls(pipeline_response, None, {}) + + if polling is True: + polling_method = cast( + PollingMethod, ARMPolling(lro_delay, lro_options={"final-state-via": "azure-async-operation"}, **kwargs) + ) # type: PollingMethod + elif polling is False: + polling_method = cast(PollingMethod, NoPolling()) + else: + polling_method = polling + if cont_token: + return LROPoller.from_continuation_token( + polling_method=polling_method, + continuation_token=cont_token, + client=self._client, + deserialization_callback=get_long_running_output, + ) + return LROPoller(self._client, raw_result, get_long_running_output, polling_method) + + begin_delete.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}"} # type: ignore + + def _update_initial( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + patch_extension: Union[_models.PatchExtension, IO], + **kwargs: Any + ) -> _models.Extension: + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + cls = kwargs.pop("cls", None) # type: ClsType[_models.Extension] + + content_type = content_type or "application/json" + _json = None + _content = None + if isinstance(patch_extension, (IO, bytes)): + _content = patch_extension + else: + _json = self._serialize.body(patch_extension, "PatchExtension") + + request = build_update_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + extension_name=extension_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + content_type=content_type, + json=_json, + content=_content, + template_url=self._update_initial.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200, 202]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + if response.status_code == 200: + deserialized = self._deserialize("Extension", pipeline_response) + + if response.status_code == 202: + deserialized = self._deserialize("Extension", pipeline_response) + + if cls: + return cls(pipeline_response, deserialized, {}) + + return deserialized + + _update_initial.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}"} # type: ignore + + @overload + def begin_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + patch_extension: _models.PatchExtension, + *, + content_type: str = "application/json", + **kwargs: Any + ) -> LROPoller[_models.Extension]: + """Patch an existing Kubernetes Cluster Extension. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param extension_name: Name of the Extension. Required. + :type extension_name: str + :param patch_extension: Properties to Patch in an existing Extension. Required. + :type patch_extension: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.PatchExtension + :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. + Default value is "application/json". + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be ARMPolling. Pass in False for this + operation to not poll, or pass in your own initialized polling object for a personal polling + strategy. + :paramtype polling: bool or ~azure.core.polling.PollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of LROPoller that returns either Extension or the result of cls(response) + :rtype: + ~azure.core.polling.LROPoller[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.Extension] + :raises ~azure.core.exceptions.HttpResponseError: + """ + + @overload + def begin_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + patch_extension: IO, + *, + content_type: str = "application/json", + **kwargs: Any + ) -> LROPoller[_models.Extension]: + """Patch an existing Kubernetes Cluster Extension. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param extension_name: Name of the Extension. Required. + :type extension_name: str + :param patch_extension: Properties to Patch in an existing Extension. Required. + :type patch_extension: IO + :keyword content_type: Body Parameter content-type. Content type parameter for binary body. + Default value is "application/json". + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be ARMPolling. Pass in False for this + operation to not poll, or pass in your own initialized polling object for a personal polling + strategy. + :paramtype polling: bool or ~azure.core.polling.PollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of LROPoller that returns either Extension or the result of cls(response) + :rtype: + ~azure.core.polling.LROPoller[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.Extension] + :raises ~azure.core.exceptions.HttpResponseError: + """ + + @distributed_trace + def begin_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + patch_extension: Union[_models.PatchExtension, IO], + **kwargs: Any + ) -> LROPoller[_models.Extension]: + """Patch an existing Kubernetes Cluster Extension. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param extension_name: Name of the Extension. Required. + :type extension_name: str + :param patch_extension: Properties to Patch in an existing Extension. Is either a model type or + a IO type. Required. + :type patch_extension: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.PatchExtension or + IO + :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. + Default value is None. + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be ARMPolling. Pass in False for this + operation to not poll, or pass in your own initialized polling object for a personal polling + strategy. + :paramtype polling: bool or ~azure.core.polling.PollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of LROPoller that returns either Extension or the result of cls(response) + :rtype: + ~azure.core.polling.LROPoller[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.Extension] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + cls = kwargs.pop("cls", None) # type: ClsType[_models.Extension] + polling = kwargs.pop("polling", True) # type: Union[bool, PollingMethod] + lro_delay = kwargs.pop("polling_interval", self._config.polling_interval) + cont_token = kwargs.pop("continuation_token", None) # type: Optional[str] + if cont_token is None: + raw_result = self._update_initial( # type: ignore + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + extension_name=extension_name, + patch_extension=patch_extension, + api_version=api_version, + content_type=content_type, + cls=lambda x, y, z: x, + headers=_headers, + params=_params, + **kwargs + ) + kwargs.pop("error_map", None) + + def get_long_running_output(pipeline_response): + deserialized = self._deserialize("Extension", pipeline_response) + if cls: + return cls(pipeline_response, deserialized, {}) + return deserialized + + if polling is True: + polling_method = cast( + PollingMethod, ARMPolling(lro_delay, lro_options={"final-state-via": "azure-async-operation"}, **kwargs) + ) # type: PollingMethod + elif polling is False: + polling_method = cast(PollingMethod, NoPolling()) + else: + polling_method = polling + if cont_token: + return LROPoller.from_continuation_token( + polling_method=polling_method, + continuation_token=cont_token, + client=self._client, + deserialization_callback=get_long_running_output, + ) + return LROPoller(self._client, raw_result, get_long_running_output, polling_method) + + begin_update.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}"} # type: ignore + + @distributed_trace + def list( + self, resource_group_name: str, cluster_rp: str, cluster_resource_name: str, cluster_name: str, **kwargs: Any + ) -> Iterable["_models.Extension"]: + """List all Extensions in the cluster. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: An iterator like instance of either Extension or the result of cls(response) + :rtype: + ~azure.core.paging.ItemPaged[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.Extension] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + cls = kwargs.pop("cls", None) # type: ClsType[_models.ExtensionsList] + + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + def prepare_request(next_link=None): + if not next_link: + + request = build_list_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + template_url=self.list.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + else: + # make call to next link with the client's api-version + _parsed_next_link = urllib.parse.urlparse(next_link) + _next_request_params = case_insensitive_dict( + { + key: [urllib.parse.quote(v) for v in value] + for key, value in urllib.parse.parse_qs(_parsed_next_link.query).items() + } + ) + _next_request_params["api-version"] = self._config.api_version + request = HttpRequest( + "GET", urllib.parse.urljoin(next_link, _parsed_next_link.path), params=_next_request_params + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + request.method = "GET" + return request + + def extract_data(pipeline_response): + deserialized = self._deserialize("ExtensionsList", pipeline_response) + list_of_elem = deserialized.value + if cls: + list_of_elem = cls(list_of_elem) + return deserialized.next_link or None, iter(list_of_elem) + + def get_next(next_link=None): + request = prepare_request(next_link) + + pipeline_response = self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + response = pipeline_response.http_response + + if response.status_code not in [200]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + return pipeline_response + + return ItemPaged(get_next, extract_data) + + list.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions"} # type: ignore diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/operations/_flux_config_operation_status_operations.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/operations/_flux_config_operation_status_operations.py new file mode 100644 index 00000000000..5b18cbe6fb3 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/operations/_flux_config_operation_status_operations.py @@ -0,0 +1,186 @@ +# pylint: disable=too-many-lines +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- +import sys +from typing import Any, Callable, Dict, Optional, TypeVar + +from azure.core.exceptions import ( + ClientAuthenticationError, + HttpResponseError, + ResourceExistsError, + ResourceNotFoundError, + ResourceNotModifiedError, + map_error, +) +from azure.core.pipeline import PipelineResponse +from azure.core.pipeline.transport import HttpResponse +from azure.core.rest import HttpRequest +from azure.core.tracing.decorator import distributed_trace +from azure.core.utils import case_insensitive_dict +from azure.mgmt.core.exceptions import ARMErrorFormat + +from .. import models as _models +from ..._serialization import Serializer +from .._vendor import _convert_request, _format_url_section + +if sys.version_info >= (3, 8): + from typing import Literal # pylint: disable=no-name-in-module, ungrouped-imports +else: + from typing_extensions import Literal # type: ignore # pylint: disable=ungrouped-imports +T = TypeVar("T") +ClsType = Optional[Callable[[PipelineResponse[HttpRequest, HttpResponse], T, Dict[str, Any]], Any]] + +_SERIALIZER = Serializer() +_SERIALIZER.client_side_validation = False + + +def build_get_request( + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + operation_id: str, + subscription_id: str, + **kwargs: Any +) -> HttpRequest: + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + accept = _headers.pop("Accept", "application/json") + + # Construct URL + _url = kwargs.pop( + "template_url", + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}/operations/{operationId}", + ) # pylint: disable=line-too-long + path_format_arguments = { + "subscriptionId": _SERIALIZER.url("subscription_id", subscription_id, "str", min_length=1), + "resourceGroupName": _SERIALIZER.url( + "resource_group_name", resource_group_name, "str", max_length=90, min_length=1 + ), + "clusterRp": _SERIALIZER.url("cluster_rp", cluster_rp, "str"), + "clusterResourceName": _SERIALIZER.url("cluster_resource_name", cluster_resource_name, "str"), + "clusterName": _SERIALIZER.url("cluster_name", cluster_name, "str"), + "fluxConfigurationName": _SERIALIZER.url("flux_configuration_name", flux_configuration_name, "str"), + "operationId": _SERIALIZER.url("operation_id", operation_id, "str"), + } + + _url = _format_url_section(_url, **path_format_arguments) + + # Construct parameters + _params["api-version"] = _SERIALIZER.query("api_version", api_version, "str") + + # Construct headers + _headers["Accept"] = _SERIALIZER.header("accept", accept, "str") + + return HttpRequest(method="GET", url=_url, params=_params, headers=_headers, **kwargs) + + +class FluxConfigOperationStatusOperations: + """ + .. warning:: + **DO NOT** instantiate this class directly. + + Instead, you should access the following operations through + :class:`~azure.mgmt.kubernetesconfiguration.v2022_11_01.SourceControlConfigurationClient`'s + :attr:`flux_config_operation_status` attribute. + """ + + models = _models + + def __init__(self, *args, **kwargs): + input_args = list(args) + self._client = input_args.pop(0) if input_args else kwargs.pop("client") + self._config = input_args.pop(0) if input_args else kwargs.pop("config") + self._serialize = input_args.pop(0) if input_args else kwargs.pop("serializer") + self._deserialize = input_args.pop(0) if input_args else kwargs.pop("deserializer") + + @distributed_trace + def get( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + operation_id: str, + **kwargs: Any + ) -> _models.OperationStatusResult: + """Get Async Operation status. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param flux_configuration_name: Name of the Flux Configuration. Required. + :type flux_configuration_name: str + :param operation_id: operation Id. Required. + :type operation_id: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: OperationStatusResult or the result of cls(response) + :rtype: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.OperationStatusResult + :raises ~azure.core.exceptions.HttpResponseError: + """ + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + cls = kwargs.pop("cls", None) # type: ClsType[_models.OperationStatusResult] + + request = build_get_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + flux_configuration_name=flux_configuration_name, + operation_id=operation_id, + subscription_id=self._config.subscription_id, + api_version=api_version, + template_url=self.get.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + deserialized = self._deserialize("OperationStatusResult", pipeline_response) + + if cls: + return cls(pipeline_response, deserialized, {}) + + return deserialized + + get.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}/operations/{operationId}"} # type: ignore diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/operations/_flux_configurations_operations.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/operations/_flux_configurations_operations.py new file mode 100644 index 00000000000..d6785150d47 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/operations/_flux_configurations_operations.py @@ -0,0 +1,1145 @@ +# pylint: disable=too-many-lines +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- +import sys +from typing import Any, Callable, Dict, IO, Iterable, Optional, TypeVar, Union, cast, overload +import urllib.parse + +from azure.core.exceptions import ( + ClientAuthenticationError, + HttpResponseError, + ResourceExistsError, + ResourceNotFoundError, + ResourceNotModifiedError, + map_error, +) +from azure.core.paging import ItemPaged +from azure.core.pipeline import PipelineResponse +from azure.core.pipeline.transport import HttpResponse +from azure.core.polling import LROPoller, NoPolling, PollingMethod +from azure.core.rest import HttpRequest +from azure.core.tracing.decorator import distributed_trace +from azure.core.utils import case_insensitive_dict +from azure.mgmt.core.exceptions import ARMErrorFormat +from azure.mgmt.core.polling.arm_polling import ARMPolling + +from .. import models as _models +from ..._serialization import Serializer +from .._vendor import _convert_request, _format_url_section + +if sys.version_info >= (3, 8): + from typing import Literal # pylint: disable=no-name-in-module, ungrouped-imports +else: + from typing_extensions import Literal # type: ignore # pylint: disable=ungrouped-imports +T = TypeVar("T") +ClsType = Optional[Callable[[PipelineResponse[HttpRequest, HttpResponse], T, Dict[str, Any]], Any]] + +_SERIALIZER = Serializer() +_SERIALIZER.client_side_validation = False + + +def build_get_request( + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + subscription_id: str, + **kwargs: Any +) -> HttpRequest: + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + accept = _headers.pop("Accept", "application/json") + + # Construct URL + _url = kwargs.pop( + "template_url", + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}", + ) # pylint: disable=line-too-long + path_format_arguments = { + "subscriptionId": _SERIALIZER.url("subscription_id", subscription_id, "str", min_length=1), + "resourceGroupName": _SERIALIZER.url( + "resource_group_name", resource_group_name, "str", max_length=90, min_length=1 + ), + "clusterRp": _SERIALIZER.url("cluster_rp", cluster_rp, "str"), + "clusterResourceName": _SERIALIZER.url("cluster_resource_name", cluster_resource_name, "str"), + "clusterName": _SERIALIZER.url("cluster_name", cluster_name, "str"), + "fluxConfigurationName": _SERIALIZER.url("flux_configuration_name", flux_configuration_name, "str"), + } + + _url = _format_url_section(_url, **path_format_arguments) + + # Construct parameters + _params["api-version"] = _SERIALIZER.query("api_version", api_version, "str") + + # Construct headers + _headers["Accept"] = _SERIALIZER.header("accept", accept, "str") + + return HttpRequest(method="GET", url=_url, params=_params, headers=_headers, **kwargs) + + +def build_create_or_update_request( + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + subscription_id: str, + **kwargs: Any +) -> HttpRequest: + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + accept = _headers.pop("Accept", "application/json") + + # Construct URL + _url = kwargs.pop( + "template_url", + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}", + ) # pylint: disable=line-too-long + path_format_arguments = { + "subscriptionId": _SERIALIZER.url("subscription_id", subscription_id, "str", min_length=1), + "resourceGroupName": _SERIALIZER.url( + "resource_group_name", resource_group_name, "str", max_length=90, min_length=1 + ), + "clusterRp": _SERIALIZER.url("cluster_rp", cluster_rp, "str"), + "clusterResourceName": _SERIALIZER.url("cluster_resource_name", cluster_resource_name, "str"), + "clusterName": _SERIALIZER.url("cluster_name", cluster_name, "str"), + "fluxConfigurationName": _SERIALIZER.url("flux_configuration_name", flux_configuration_name, "str"), + } + + _url = _format_url_section(_url, **path_format_arguments) + + # Construct parameters + _params["api-version"] = _SERIALIZER.query("api_version", api_version, "str") + + # Construct headers + if content_type is not None: + _headers["Content-Type"] = _SERIALIZER.header("content_type", content_type, "str") + _headers["Accept"] = _SERIALIZER.header("accept", accept, "str") + + return HttpRequest(method="PUT", url=_url, params=_params, headers=_headers, **kwargs) + + +def build_update_request( + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + subscription_id: str, + **kwargs: Any +) -> HttpRequest: + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + accept = _headers.pop("Accept", "application/json") + + # Construct URL + _url = kwargs.pop( + "template_url", + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}", + ) # pylint: disable=line-too-long + path_format_arguments = { + "subscriptionId": _SERIALIZER.url("subscription_id", subscription_id, "str", min_length=1), + "resourceGroupName": _SERIALIZER.url( + "resource_group_name", resource_group_name, "str", max_length=90, min_length=1 + ), + "clusterRp": _SERIALIZER.url("cluster_rp", cluster_rp, "str"), + "clusterResourceName": _SERIALIZER.url("cluster_resource_name", cluster_resource_name, "str"), + "clusterName": _SERIALIZER.url("cluster_name", cluster_name, "str"), + "fluxConfigurationName": _SERIALIZER.url("flux_configuration_name", flux_configuration_name, "str"), + } + + _url = _format_url_section(_url, **path_format_arguments) + + # Construct parameters + _params["api-version"] = _SERIALIZER.query("api_version", api_version, "str") + + # Construct headers + if content_type is not None: + _headers["Content-Type"] = _SERIALIZER.header("content_type", content_type, "str") + _headers["Accept"] = _SERIALIZER.header("accept", accept, "str") + + return HttpRequest(method="PATCH", url=_url, params=_params, headers=_headers, **kwargs) + + +def build_delete_request( + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + subscription_id: str, + *, + force_delete: Optional[bool] = None, + **kwargs: Any +) -> HttpRequest: + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + accept = _headers.pop("Accept", "application/json") + + # Construct URL + _url = kwargs.pop( + "template_url", + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}", + ) # pylint: disable=line-too-long + path_format_arguments = { + "subscriptionId": _SERIALIZER.url("subscription_id", subscription_id, "str", min_length=1), + "resourceGroupName": _SERIALIZER.url( + "resource_group_name", resource_group_name, "str", max_length=90, min_length=1 + ), + "clusterRp": _SERIALIZER.url("cluster_rp", cluster_rp, "str"), + "clusterResourceName": _SERIALIZER.url("cluster_resource_name", cluster_resource_name, "str"), + "clusterName": _SERIALIZER.url("cluster_name", cluster_name, "str"), + "fluxConfigurationName": _SERIALIZER.url("flux_configuration_name", flux_configuration_name, "str"), + } + + _url = _format_url_section(_url, **path_format_arguments) + + # Construct parameters + _params["api-version"] = _SERIALIZER.query("api_version", api_version, "str") + if force_delete is not None: + _params["forceDelete"] = _SERIALIZER.query("force_delete", force_delete, "bool") + + # Construct headers + _headers["Accept"] = _SERIALIZER.header("accept", accept, "str") + + return HttpRequest(method="DELETE", url=_url, params=_params, headers=_headers, **kwargs) + + +def build_list_request( + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + subscription_id: str, + **kwargs: Any +) -> HttpRequest: + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + accept = _headers.pop("Accept", "application/json") + + # Construct URL + _url = kwargs.pop( + "template_url", + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations", + ) # pylint: disable=line-too-long + path_format_arguments = { + "subscriptionId": _SERIALIZER.url("subscription_id", subscription_id, "str", min_length=1), + "resourceGroupName": _SERIALIZER.url( + "resource_group_name", resource_group_name, "str", max_length=90, min_length=1 + ), + "clusterRp": _SERIALIZER.url("cluster_rp", cluster_rp, "str"), + "clusterResourceName": _SERIALIZER.url("cluster_resource_name", cluster_resource_name, "str"), + "clusterName": _SERIALIZER.url("cluster_name", cluster_name, "str"), + } + + _url = _format_url_section(_url, **path_format_arguments) + + # Construct parameters + _params["api-version"] = _SERIALIZER.query("api_version", api_version, "str") + + # Construct headers + _headers["Accept"] = _SERIALIZER.header("accept", accept, "str") + + return HttpRequest(method="GET", url=_url, params=_params, headers=_headers, **kwargs) + + +class FluxConfigurationsOperations: + """ + .. warning:: + **DO NOT** instantiate this class directly. + + Instead, you should access the following operations through + :class:`~azure.mgmt.kubernetesconfiguration.v2022_11_01.SourceControlConfigurationClient`'s + :attr:`flux_configurations` attribute. + """ + + models = _models + + def __init__(self, *args, **kwargs): + input_args = list(args) + self._client = input_args.pop(0) if input_args else kwargs.pop("client") + self._config = input_args.pop(0) if input_args else kwargs.pop("config") + self._serialize = input_args.pop(0) if input_args else kwargs.pop("serializer") + self._deserialize = input_args.pop(0) if input_args else kwargs.pop("deserializer") + + @distributed_trace + def get( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + **kwargs: Any + ) -> _models.FluxConfiguration: + """Gets details of the Flux Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param flux_configuration_name: Name of the Flux Configuration. Required. + :type flux_configuration_name: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: FluxConfiguration or the result of cls(response) + :rtype: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.FluxConfiguration + :raises ~azure.core.exceptions.HttpResponseError: + """ + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + cls = kwargs.pop("cls", None) # type: ClsType[_models.FluxConfiguration] + + request = build_get_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + flux_configuration_name=flux_configuration_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + template_url=self.get.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + deserialized = self._deserialize("FluxConfiguration", pipeline_response) + + if cls: + return cls(pipeline_response, deserialized, {}) + + return deserialized + + get.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}"} # type: ignore + + def _create_or_update_initial( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + flux_configuration: Union[_models.FluxConfiguration, IO], + **kwargs: Any + ) -> _models.FluxConfiguration: + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + cls = kwargs.pop("cls", None) # type: ClsType[_models.FluxConfiguration] + + content_type = content_type or "application/json" + _json = None + _content = None + if isinstance(flux_configuration, (IO, bytes)): + _content = flux_configuration + else: + _json = self._serialize.body(flux_configuration, "FluxConfiguration") + + request = build_create_or_update_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + flux_configuration_name=flux_configuration_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + content_type=content_type, + json=_json, + content=_content, + template_url=self._create_or_update_initial.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200, 201]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + if response.status_code == 200: + deserialized = self._deserialize("FluxConfiguration", pipeline_response) + + if response.status_code == 201: + deserialized = self._deserialize("FluxConfiguration", pipeline_response) + + if cls: + return cls(pipeline_response, deserialized, {}) + + return deserialized + + _create_or_update_initial.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}"} # type: ignore + + @overload + def begin_create_or_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + flux_configuration: _models.FluxConfiguration, + *, + content_type: str = "application/json", + **kwargs: Any + ) -> LROPoller[_models.FluxConfiguration]: + """Create a new Kubernetes Flux Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param flux_configuration_name: Name of the Flux Configuration. Required. + :type flux_configuration_name: str + :param flux_configuration: Properties necessary to Create a FluxConfiguration. Required. + :type flux_configuration: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.FluxConfiguration + :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. + Default value is "application/json". + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be ARMPolling. Pass in False for this + operation to not poll, or pass in your own initialized polling object for a personal polling + strategy. + :paramtype polling: bool or ~azure.core.polling.PollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of LROPoller that returns either FluxConfiguration or the result of + cls(response) + :rtype: + ~azure.core.polling.LROPoller[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.FluxConfiguration] + :raises ~azure.core.exceptions.HttpResponseError: + """ + + @overload + def begin_create_or_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + flux_configuration: IO, + *, + content_type: str = "application/json", + **kwargs: Any + ) -> LROPoller[_models.FluxConfiguration]: + """Create a new Kubernetes Flux Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param flux_configuration_name: Name of the Flux Configuration. Required. + :type flux_configuration_name: str + :param flux_configuration: Properties necessary to Create a FluxConfiguration. Required. + :type flux_configuration: IO + :keyword content_type: Body Parameter content-type. Content type parameter for binary body. + Default value is "application/json". + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be ARMPolling. Pass in False for this + operation to not poll, or pass in your own initialized polling object for a personal polling + strategy. + :paramtype polling: bool or ~azure.core.polling.PollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of LROPoller that returns either FluxConfiguration or the result of + cls(response) + :rtype: + ~azure.core.polling.LROPoller[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.FluxConfiguration] + :raises ~azure.core.exceptions.HttpResponseError: + """ + + @distributed_trace + def begin_create_or_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + flux_configuration: Union[_models.FluxConfiguration, IO], + **kwargs: Any + ) -> LROPoller[_models.FluxConfiguration]: + """Create a new Kubernetes Flux Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param flux_configuration_name: Name of the Flux Configuration. Required. + :type flux_configuration_name: str + :param flux_configuration: Properties necessary to Create a FluxConfiguration. Is either a + model type or a IO type. Required. + :type flux_configuration: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.FluxConfiguration or IO + :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. + Default value is None. + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be ARMPolling. Pass in False for this + operation to not poll, or pass in your own initialized polling object for a personal polling + strategy. + :paramtype polling: bool or ~azure.core.polling.PollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of LROPoller that returns either FluxConfiguration or the result of + cls(response) + :rtype: + ~azure.core.polling.LROPoller[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.FluxConfiguration] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + cls = kwargs.pop("cls", None) # type: ClsType[_models.FluxConfiguration] + polling = kwargs.pop("polling", True) # type: Union[bool, PollingMethod] + lro_delay = kwargs.pop("polling_interval", self._config.polling_interval) + cont_token = kwargs.pop("continuation_token", None) # type: Optional[str] + if cont_token is None: + raw_result = self._create_or_update_initial( # type: ignore + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + flux_configuration_name=flux_configuration_name, + flux_configuration=flux_configuration, + api_version=api_version, + content_type=content_type, + cls=lambda x, y, z: x, + headers=_headers, + params=_params, + **kwargs + ) + kwargs.pop("error_map", None) + + def get_long_running_output(pipeline_response): + deserialized = self._deserialize("FluxConfiguration", pipeline_response) + if cls: + return cls(pipeline_response, deserialized, {}) + return deserialized + + if polling is True: + polling_method = cast( + PollingMethod, ARMPolling(lro_delay, lro_options={"final-state-via": "azure-async-operation"}, **kwargs) + ) # type: PollingMethod + elif polling is False: + polling_method = cast(PollingMethod, NoPolling()) + else: + polling_method = polling + if cont_token: + return LROPoller.from_continuation_token( + polling_method=polling_method, + continuation_token=cont_token, + client=self._client, + deserialization_callback=get_long_running_output, + ) + return LROPoller(self._client, raw_result, get_long_running_output, polling_method) + + begin_create_or_update.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}"} # type: ignore + + def _update_initial( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + flux_configuration_patch: Union[_models.FluxConfigurationPatch, IO], + **kwargs: Any + ) -> _models.FluxConfiguration: + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + cls = kwargs.pop("cls", None) # type: ClsType[_models.FluxConfiguration] + + content_type = content_type or "application/json" + _json = None + _content = None + if isinstance(flux_configuration_patch, (IO, bytes)): + _content = flux_configuration_patch + else: + _json = self._serialize.body(flux_configuration_patch, "FluxConfigurationPatch") + + request = build_update_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + flux_configuration_name=flux_configuration_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + content_type=content_type, + json=_json, + content=_content, + template_url=self._update_initial.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200, 202]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + if response.status_code == 200: + deserialized = self._deserialize("FluxConfiguration", pipeline_response) + + if response.status_code == 202: + deserialized = self._deserialize("FluxConfiguration", pipeline_response) + + if cls: + return cls(pipeline_response, deserialized, {}) + + return deserialized + + _update_initial.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}"} # type: ignore + + @overload + def begin_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + flux_configuration_patch: _models.FluxConfigurationPatch, + *, + content_type: str = "application/json", + **kwargs: Any + ) -> LROPoller[_models.FluxConfiguration]: + """Update an existing Kubernetes Flux Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param flux_configuration_name: Name of the Flux Configuration. Required. + :type flux_configuration_name: str + :param flux_configuration_patch: Properties to Patch in an existing Flux Configuration. + Required. + :type flux_configuration_patch: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.FluxConfigurationPatch + :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. + Default value is "application/json". + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be ARMPolling. Pass in False for this + operation to not poll, or pass in your own initialized polling object for a personal polling + strategy. + :paramtype polling: bool or ~azure.core.polling.PollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of LROPoller that returns either FluxConfiguration or the result of + cls(response) + :rtype: + ~azure.core.polling.LROPoller[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.FluxConfiguration] + :raises ~azure.core.exceptions.HttpResponseError: + """ + + @overload + def begin_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + flux_configuration_patch: IO, + *, + content_type: str = "application/json", + **kwargs: Any + ) -> LROPoller[_models.FluxConfiguration]: + """Update an existing Kubernetes Flux Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param flux_configuration_name: Name of the Flux Configuration. Required. + :type flux_configuration_name: str + :param flux_configuration_patch: Properties to Patch in an existing Flux Configuration. + Required. + :type flux_configuration_patch: IO + :keyword content_type: Body Parameter content-type. Content type parameter for binary body. + Default value is "application/json". + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be ARMPolling. Pass in False for this + operation to not poll, or pass in your own initialized polling object for a personal polling + strategy. + :paramtype polling: bool or ~azure.core.polling.PollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of LROPoller that returns either FluxConfiguration or the result of + cls(response) + :rtype: + ~azure.core.polling.LROPoller[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.FluxConfiguration] + :raises ~azure.core.exceptions.HttpResponseError: + """ + + @distributed_trace + def begin_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + flux_configuration_patch: Union[_models.FluxConfigurationPatch, IO], + **kwargs: Any + ) -> LROPoller[_models.FluxConfiguration]: + """Update an existing Kubernetes Flux Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param flux_configuration_name: Name of the Flux Configuration. Required. + :type flux_configuration_name: str + :param flux_configuration_patch: Properties to Patch in an existing Flux Configuration. Is + either a model type or a IO type. Required. + :type flux_configuration_patch: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.FluxConfigurationPatch or IO + :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. + Default value is None. + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be ARMPolling. Pass in False for this + operation to not poll, or pass in your own initialized polling object for a personal polling + strategy. + :paramtype polling: bool or ~azure.core.polling.PollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of LROPoller that returns either FluxConfiguration or the result of + cls(response) + :rtype: + ~azure.core.polling.LROPoller[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.FluxConfiguration] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + cls = kwargs.pop("cls", None) # type: ClsType[_models.FluxConfiguration] + polling = kwargs.pop("polling", True) # type: Union[bool, PollingMethod] + lro_delay = kwargs.pop("polling_interval", self._config.polling_interval) + cont_token = kwargs.pop("continuation_token", None) # type: Optional[str] + if cont_token is None: + raw_result = self._update_initial( # type: ignore + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + flux_configuration_name=flux_configuration_name, + flux_configuration_patch=flux_configuration_patch, + api_version=api_version, + content_type=content_type, + cls=lambda x, y, z: x, + headers=_headers, + params=_params, + **kwargs + ) + kwargs.pop("error_map", None) + + def get_long_running_output(pipeline_response): + deserialized = self._deserialize("FluxConfiguration", pipeline_response) + if cls: + return cls(pipeline_response, deserialized, {}) + return deserialized + + if polling is True: + polling_method = cast( + PollingMethod, ARMPolling(lro_delay, lro_options={"final-state-via": "azure-async-operation"}, **kwargs) + ) # type: PollingMethod + elif polling is False: + polling_method = cast(PollingMethod, NoPolling()) + else: + polling_method = polling + if cont_token: + return LROPoller.from_continuation_token( + polling_method=polling_method, + continuation_token=cont_token, + client=self._client, + deserialization_callback=get_long_running_output, + ) + return LROPoller(self._client, raw_result, get_long_running_output, polling_method) + + begin_update.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}"} # type: ignore + + def _delete_initial( # pylint: disable=inconsistent-return-statements + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + force_delete: Optional[bool] = None, + **kwargs: Any + ) -> None: + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + cls = kwargs.pop("cls", None) # type: ClsType[None] + + request = build_delete_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + flux_configuration_name=flux_configuration_name, + subscription_id=self._config.subscription_id, + force_delete=force_delete, + api_version=api_version, + template_url=self._delete_initial.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200, 202, 204]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + if cls: + return cls(pipeline_response, None, {}) + + _delete_initial.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}"} # type: ignore + + @distributed_trace + def begin_delete( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + flux_configuration_name: str, + force_delete: Optional[bool] = None, + **kwargs: Any + ) -> LROPoller[None]: + """This will delete the YAML file used to set up the Flux Configuration, thus stopping future sync + from the source repo. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param flux_configuration_name: Name of the Flux Configuration. Required. + :type flux_configuration_name: str + :param force_delete: Delete the extension resource in Azure - not the normal asynchronous + delete. Default value is None. + :type force_delete: bool + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be ARMPolling. Pass in False for this + operation to not poll, or pass in your own initialized polling object for a personal polling + strategy. + :paramtype polling: bool or ~azure.core.polling.PollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of LROPoller that returns either None or the result of cls(response) + :rtype: ~azure.core.polling.LROPoller[None] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + cls = kwargs.pop("cls", None) # type: ClsType[None] + polling = kwargs.pop("polling", True) # type: Union[bool, PollingMethod] + lro_delay = kwargs.pop("polling_interval", self._config.polling_interval) + cont_token = kwargs.pop("continuation_token", None) # type: Optional[str] + if cont_token is None: + raw_result = self._delete_initial( # type: ignore + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + flux_configuration_name=flux_configuration_name, + force_delete=force_delete, + api_version=api_version, + cls=lambda x, y, z: x, + headers=_headers, + params=_params, + **kwargs + ) + kwargs.pop("error_map", None) + + def get_long_running_output(pipeline_response): # pylint: disable=inconsistent-return-statements + if cls: + return cls(pipeline_response, None, {}) + + if polling is True: + polling_method = cast( + PollingMethod, ARMPolling(lro_delay, lro_options={"final-state-via": "azure-async-operation"}, **kwargs) + ) # type: PollingMethod + elif polling is False: + polling_method = cast(PollingMethod, NoPolling()) + else: + polling_method = polling + if cont_token: + return LROPoller.from_continuation_token( + polling_method=polling_method, + continuation_token=cont_token, + client=self._client, + deserialization_callback=get_long_running_output, + ) + return LROPoller(self._client, raw_result, get_long_running_output, polling_method) + + begin_delete.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations/{fluxConfigurationName}"} # type: ignore + + @distributed_trace + def list( + self, resource_group_name: str, cluster_rp: str, cluster_resource_name: str, cluster_name: str, **kwargs: Any + ) -> Iterable["_models.FluxConfiguration"]: + """List all Flux Configurations. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: An iterator like instance of either FluxConfiguration or the result of cls(response) + :rtype: + ~azure.core.paging.ItemPaged[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.FluxConfiguration] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + cls = kwargs.pop("cls", None) # type: ClsType[_models.FluxConfigurationsList] + + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + def prepare_request(next_link=None): + if not next_link: + + request = build_list_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + template_url=self.list.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + else: + # make call to next link with the client's api-version + _parsed_next_link = urllib.parse.urlparse(next_link) + _next_request_params = case_insensitive_dict( + { + key: [urllib.parse.quote(v) for v in value] + for key, value in urllib.parse.parse_qs(_parsed_next_link.query).items() + } + ) + _next_request_params["api-version"] = self._config.api_version + request = HttpRequest( + "GET", urllib.parse.urljoin(next_link, _parsed_next_link.path), params=_next_request_params + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + request.method = "GET" + return request + + def extract_data(pipeline_response): + deserialized = self._deserialize("FluxConfigurationsList", pipeline_response) + list_of_elem = deserialized.value + if cls: + list_of_elem = cls(list_of_elem) + return deserialized.next_link or None, iter(list_of_elem) + + def get_next(next_link=None): + request = prepare_request(next_link) + + pipeline_response = self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + response = pipeline_response.http_response + + if response.status_code not in [200]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + return pipeline_response + + return ItemPaged(get_next, extract_data) + + list.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/fluxConfigurations"} # type: ignore diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/operations/_operation_status_operations.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/operations/_operation_status_operations.py new file mode 100644 index 00000000000..c35bec51a64 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/operations/_operation_status_operations.py @@ -0,0 +1,327 @@ +# pylint: disable=too-many-lines +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- +import sys +from typing import Any, Callable, Dict, Iterable, Optional, TypeVar +import urllib.parse + +from azure.core.exceptions import ( + ClientAuthenticationError, + HttpResponseError, + ResourceExistsError, + ResourceNotFoundError, + ResourceNotModifiedError, + map_error, +) +from azure.core.paging import ItemPaged +from azure.core.pipeline import PipelineResponse +from azure.core.pipeline.transport import HttpResponse +from azure.core.rest import HttpRequest +from azure.core.tracing.decorator import distributed_trace +from azure.core.utils import case_insensitive_dict +from azure.mgmt.core.exceptions import ARMErrorFormat + +from .. import models as _models +from ..._serialization import Serializer +from .._vendor import _convert_request, _format_url_section + +if sys.version_info >= (3, 8): + from typing import Literal # pylint: disable=no-name-in-module, ungrouped-imports +else: + from typing_extensions import Literal # type: ignore # pylint: disable=ungrouped-imports +T = TypeVar("T") +ClsType = Optional[Callable[[PipelineResponse[HttpRequest, HttpResponse], T, Dict[str, Any]], Any]] + +_SERIALIZER = Serializer() +_SERIALIZER.client_side_validation = False + + +def build_get_request( + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + operation_id: str, + subscription_id: str, + **kwargs: Any +) -> HttpRequest: + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + accept = _headers.pop("Accept", "application/json") + + # Construct URL + _url = kwargs.pop( + "template_url", + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}/operations/{operationId}", + ) # pylint: disable=line-too-long + path_format_arguments = { + "subscriptionId": _SERIALIZER.url("subscription_id", subscription_id, "str", min_length=1), + "resourceGroupName": _SERIALIZER.url( + "resource_group_name", resource_group_name, "str", max_length=90, min_length=1 + ), + "clusterRp": _SERIALIZER.url("cluster_rp", cluster_rp, "str"), + "clusterResourceName": _SERIALIZER.url("cluster_resource_name", cluster_resource_name, "str"), + "clusterName": _SERIALIZER.url("cluster_name", cluster_name, "str"), + "extensionName": _SERIALIZER.url("extension_name", extension_name, "str"), + "operationId": _SERIALIZER.url("operation_id", operation_id, "str"), + } + + _url = _format_url_section(_url, **path_format_arguments) + + # Construct parameters + _params["api-version"] = _SERIALIZER.query("api_version", api_version, "str") + + # Construct headers + _headers["Accept"] = _SERIALIZER.header("accept", accept, "str") + + return HttpRequest(method="GET", url=_url, params=_params, headers=_headers, **kwargs) + + +def build_list_request( + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + subscription_id: str, + **kwargs: Any +) -> HttpRequest: + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + accept = _headers.pop("Accept", "application/json") + + # Construct URL + _url = kwargs.pop( + "template_url", + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/operations", + ) # pylint: disable=line-too-long + path_format_arguments = { + "subscriptionId": _SERIALIZER.url("subscription_id", subscription_id, "str", min_length=1), + "resourceGroupName": _SERIALIZER.url( + "resource_group_name", resource_group_name, "str", max_length=90, min_length=1 + ), + "clusterRp": _SERIALIZER.url("cluster_rp", cluster_rp, "str"), + "clusterResourceName": _SERIALIZER.url("cluster_resource_name", cluster_resource_name, "str"), + "clusterName": _SERIALIZER.url("cluster_name", cluster_name, "str"), + } + + _url = _format_url_section(_url, **path_format_arguments) + + # Construct parameters + _params["api-version"] = _SERIALIZER.query("api_version", api_version, "str") + + # Construct headers + _headers["Accept"] = _SERIALIZER.header("accept", accept, "str") + + return HttpRequest(method="GET", url=_url, params=_params, headers=_headers, **kwargs) + + +class OperationStatusOperations: + """ + .. warning:: + **DO NOT** instantiate this class directly. + + Instead, you should access the following operations through + :class:`~azure.mgmt.kubernetesconfiguration.v2022_11_01.SourceControlConfigurationClient`'s + :attr:`operation_status` attribute. + """ + + models = _models + + def __init__(self, *args, **kwargs): + input_args = list(args) + self._client = input_args.pop(0) if input_args else kwargs.pop("client") + self._config = input_args.pop(0) if input_args else kwargs.pop("config") + self._serialize = input_args.pop(0) if input_args else kwargs.pop("serializer") + self._deserialize = input_args.pop(0) if input_args else kwargs.pop("deserializer") + + @distributed_trace + def get( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + extension_name: str, + operation_id: str, + **kwargs: Any + ) -> _models.OperationStatusResult: + """Get Async Operation status. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param extension_name: Name of the Extension. Required. + :type extension_name: str + :param operation_id: operation Id. Required. + :type operation_id: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: OperationStatusResult or the result of cls(response) + :rtype: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.OperationStatusResult + :raises ~azure.core.exceptions.HttpResponseError: + """ + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + cls = kwargs.pop("cls", None) # type: ClsType[_models.OperationStatusResult] + + request = build_get_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + extension_name=extension_name, + operation_id=operation_id, + subscription_id=self._config.subscription_id, + api_version=api_version, + template_url=self.get.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + deserialized = self._deserialize("OperationStatusResult", pipeline_response) + + if cls: + return cls(pipeline_response, deserialized, {}) + + return deserialized + + get.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/extensions/{extensionName}/operations/{operationId}"} # type: ignore + + @distributed_trace + def list( + self, resource_group_name: str, cluster_rp: str, cluster_resource_name: str, cluster_name: str, **kwargs: Any + ) -> Iterable["_models.OperationStatusResult"]: + """List Async Operations, currently in progress, in a cluster. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: An iterator like instance of either OperationStatusResult or the result of + cls(response) + :rtype: + ~azure.core.paging.ItemPaged[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.OperationStatusResult] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + cls = kwargs.pop("cls", None) # type: ClsType[_models.OperationStatusList] + + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + def prepare_request(next_link=None): + if not next_link: + + request = build_list_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + template_url=self.list.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + else: + # make call to next link with the client's api-version + _parsed_next_link = urllib.parse.urlparse(next_link) + _next_request_params = case_insensitive_dict( + { + key: [urllib.parse.quote(v) for v in value] + for key, value in urllib.parse.parse_qs(_parsed_next_link.query).items() + } + ) + _next_request_params["api-version"] = self._config.api_version + request = HttpRequest( + "GET", urllib.parse.urljoin(next_link, _parsed_next_link.path), params=_next_request_params + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + request.method = "GET" + return request + + def extract_data(pipeline_response): + deserialized = self._deserialize("OperationStatusList", pipeline_response) + list_of_elem = deserialized.value + if cls: + list_of_elem = cls(list_of_elem) + return deserialized.next_link or None, iter(list_of_elem) + + def get_next(next_link=None): + request = prepare_request(next_link) + + pipeline_response = self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + response = pipeline_response.http_response + + if response.status_code not in [200]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + return pipeline_response + + return ItemPaged(get_next, extract_data) + + list.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/operations"} # type: ignore diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/operations/_operations.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/operations/_operations.py new file mode 100644 index 00000000000..25a4626141d --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/operations/_operations.py @@ -0,0 +1,161 @@ +# pylint: disable=too-many-lines +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- +import sys +from typing import Any, Callable, Dict, Iterable, Optional, TypeVar +import urllib.parse + +from azure.core.exceptions import ( + ClientAuthenticationError, + HttpResponseError, + ResourceExistsError, + ResourceNotFoundError, + ResourceNotModifiedError, + map_error, +) +from azure.core.paging import ItemPaged +from azure.core.pipeline import PipelineResponse +from azure.core.pipeline.transport import HttpResponse +from azure.core.rest import HttpRequest +from azure.core.tracing.decorator import distributed_trace +from azure.core.utils import case_insensitive_dict +from azure.mgmt.core.exceptions import ARMErrorFormat + +from .. import models as _models +from ..._serialization import Serializer +from .._vendor import _convert_request + +if sys.version_info >= (3, 8): + from typing import Literal # pylint: disable=no-name-in-module, ungrouped-imports +else: + from typing_extensions import Literal # type: ignore # pylint: disable=ungrouped-imports +T = TypeVar("T") +ClsType = Optional[Callable[[PipelineResponse[HttpRequest, HttpResponse], T, Dict[str, Any]], Any]] + +_SERIALIZER = Serializer() +_SERIALIZER.client_side_validation = False + + +def build_list_request(**kwargs: Any) -> HttpRequest: + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + accept = _headers.pop("Accept", "application/json") + + # Construct URL + _url = kwargs.pop("template_url", "/providers/Microsoft.KubernetesConfiguration/operations") + + # Construct parameters + _params["api-version"] = _SERIALIZER.query("api_version", api_version, "str") + + # Construct headers + _headers["Accept"] = _SERIALIZER.header("accept", accept, "str") + + return HttpRequest(method="GET", url=_url, params=_params, headers=_headers, **kwargs) + + +class Operations: + """ + .. warning:: + **DO NOT** instantiate this class directly. + + Instead, you should access the following operations through + :class:`~azure.mgmt.kubernetesconfiguration.v2022_11_01.SourceControlConfigurationClient`'s + :attr:`operations` attribute. + """ + + models = _models + + def __init__(self, *args, **kwargs): + input_args = list(args) + self._client = input_args.pop(0) if input_args else kwargs.pop("client") + self._config = input_args.pop(0) if input_args else kwargs.pop("config") + self._serialize = input_args.pop(0) if input_args else kwargs.pop("serializer") + self._deserialize = input_args.pop(0) if input_args else kwargs.pop("deserializer") + + @distributed_trace + def list(self, **kwargs: Any) -> Iterable["_models.ResourceProviderOperation"]: + """List all the available operations the KubernetesConfiguration resource provider supports. + + :keyword callable cls: A custom type or function that will be passed the direct response + :return: An iterator like instance of either ResourceProviderOperation or the result of + cls(response) + :rtype: + ~azure.core.paging.ItemPaged[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.ResourceProviderOperation] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + cls = kwargs.pop("cls", None) # type: ClsType[_models.ResourceProviderOperationList] + + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + def prepare_request(next_link=None): + if not next_link: + + request = build_list_request( + api_version=api_version, + template_url=self.list.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + else: + # make call to next link with the client's api-version + _parsed_next_link = urllib.parse.urlparse(next_link) + _next_request_params = case_insensitive_dict( + { + key: [urllib.parse.quote(v) for v in value] + for key, value in urllib.parse.parse_qs(_parsed_next_link.query).items() + } + ) + _next_request_params["api-version"] = self._config.api_version + request = HttpRequest( + "GET", urllib.parse.urljoin(next_link, _parsed_next_link.path), params=_next_request_params + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + request.method = "GET" + return request + + def extract_data(pipeline_response): + deserialized = self._deserialize("ResourceProviderOperationList", pipeline_response) + list_of_elem = deserialized.value + if cls: + list_of_elem = cls(list_of_elem) + return deserialized.next_link or None, iter(list_of_elem) + + def get_next(next_link=None): + request = prepare_request(next_link) + + pipeline_response = self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + response = pipeline_response.http_response + + if response.status_code not in [200]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + return pipeline_response + + return ItemPaged(get_next, extract_data) + + list.metadata = {"url": "/providers/Microsoft.KubernetesConfiguration/operations"} # type: ignore diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/operations/_patch.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/operations/_patch.py new file mode 100644 index 00000000000..f7dd3251033 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/operations/_patch.py @@ -0,0 +1,20 @@ +# ------------------------------------ +# Copyright (c) Microsoft Corporation. +# Licensed under the MIT License. +# ------------------------------------ +"""Customize generated code here. + +Follow our quickstart for examples: https://aka.ms/azsdk/python/dpcodegen/python/customize +""" +from typing import List + +__all__: List[str] = [] # Add all objects you want publicly available to users at this package level + + +def patch_sdk(): + """Do not remove from this file. + + `patch_sdk` is a last resort escape hatch that allows you to do customizations + you can't accomplish using the techniques described in + https://aka.ms/azsdk/python/dpcodegen/python/customize + """ diff --git a/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/operations/_source_control_configurations_operations.py b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/operations/_source_control_configurations_operations.py new file mode 100644 index 00000000000..64ca9196a30 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/vendored_sdks/v2022_11_01/operations/_source_control_configurations_operations.py @@ -0,0 +1,736 @@ +# pylint: disable=too-many-lines +# coding=utf-8 +# -------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# Code generated by Microsoft (R) AutoRest Code Generator. +# Changes may cause incorrect behavior and will be lost if the code is regenerated. +# -------------------------------------------------------------------------- +import sys +from typing import Any, Callable, Dict, IO, Iterable, Optional, TypeVar, Union, cast, overload +import urllib.parse + +from azure.core.exceptions import ( + ClientAuthenticationError, + HttpResponseError, + ResourceExistsError, + ResourceNotFoundError, + ResourceNotModifiedError, + map_error, +) +from azure.core.paging import ItemPaged +from azure.core.pipeline import PipelineResponse +from azure.core.pipeline.transport import HttpResponse +from azure.core.polling import LROPoller, NoPolling, PollingMethod +from azure.core.rest import HttpRequest +from azure.core.tracing.decorator import distributed_trace +from azure.core.utils import case_insensitive_dict +from azure.mgmt.core.exceptions import ARMErrorFormat +from azure.mgmt.core.polling.arm_polling import ARMPolling + +from .. import models as _models +from ..._serialization import Serializer +from .._vendor import _convert_request, _format_url_section + +if sys.version_info >= (3, 8): + from typing import Literal # pylint: disable=no-name-in-module, ungrouped-imports +else: + from typing_extensions import Literal # type: ignore # pylint: disable=ungrouped-imports +T = TypeVar("T") +ClsType = Optional[Callable[[PipelineResponse[HttpRequest, HttpResponse], T, Dict[str, Any]], Any]] + +_SERIALIZER = Serializer() +_SERIALIZER.client_side_validation = False + + +def build_get_request( + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + source_control_configuration_name: str, + subscription_id: str, + **kwargs: Any +) -> HttpRequest: + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + accept = _headers.pop("Accept", "application/json") + + # Construct URL + _url = kwargs.pop( + "template_url", + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/sourceControlConfigurations/{sourceControlConfigurationName}", + ) # pylint: disable=line-too-long + path_format_arguments = { + "subscriptionId": _SERIALIZER.url("subscription_id", subscription_id, "str", min_length=1), + "resourceGroupName": _SERIALIZER.url( + "resource_group_name", resource_group_name, "str", max_length=90, min_length=1 + ), + "clusterRp": _SERIALIZER.url("cluster_rp", cluster_rp, "str"), + "clusterResourceName": _SERIALIZER.url("cluster_resource_name", cluster_resource_name, "str"), + "clusterName": _SERIALIZER.url("cluster_name", cluster_name, "str"), + "sourceControlConfigurationName": _SERIALIZER.url( + "source_control_configuration_name", source_control_configuration_name, "str" + ), + } + + _url = _format_url_section(_url, **path_format_arguments) + + # Construct parameters + _params["api-version"] = _SERIALIZER.query("api_version", api_version, "str") + + # Construct headers + _headers["Accept"] = _SERIALIZER.header("accept", accept, "str") + + return HttpRequest(method="GET", url=_url, params=_params, headers=_headers, **kwargs) + + +def build_create_or_update_request( + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + source_control_configuration_name: str, + subscription_id: str, + **kwargs: Any +) -> HttpRequest: + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + accept = _headers.pop("Accept", "application/json") + + # Construct URL + _url = kwargs.pop( + "template_url", + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/sourceControlConfigurations/{sourceControlConfigurationName}", + ) # pylint: disable=line-too-long + path_format_arguments = { + "subscriptionId": _SERIALIZER.url("subscription_id", subscription_id, "str", min_length=1), + "resourceGroupName": _SERIALIZER.url( + "resource_group_name", resource_group_name, "str", max_length=90, min_length=1 + ), + "clusterRp": _SERIALIZER.url("cluster_rp", cluster_rp, "str"), + "clusterResourceName": _SERIALIZER.url("cluster_resource_name", cluster_resource_name, "str"), + "clusterName": _SERIALIZER.url("cluster_name", cluster_name, "str"), + "sourceControlConfigurationName": _SERIALIZER.url( + "source_control_configuration_name", source_control_configuration_name, "str" + ), + } + + _url = _format_url_section(_url, **path_format_arguments) + + # Construct parameters + _params["api-version"] = _SERIALIZER.query("api_version", api_version, "str") + + # Construct headers + if content_type is not None: + _headers["Content-Type"] = _SERIALIZER.header("content_type", content_type, "str") + _headers["Accept"] = _SERIALIZER.header("accept", accept, "str") + + return HttpRequest(method="PUT", url=_url, params=_params, headers=_headers, **kwargs) + + +def build_delete_request( + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + source_control_configuration_name: str, + subscription_id: str, + **kwargs: Any +) -> HttpRequest: + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + accept = _headers.pop("Accept", "application/json") + + # Construct URL + _url = kwargs.pop( + "template_url", + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/sourceControlConfigurations/{sourceControlConfigurationName}", + ) # pylint: disable=line-too-long + path_format_arguments = { + "subscriptionId": _SERIALIZER.url("subscription_id", subscription_id, "str", min_length=1), + "resourceGroupName": _SERIALIZER.url( + "resource_group_name", resource_group_name, "str", max_length=90, min_length=1 + ), + "clusterRp": _SERIALIZER.url("cluster_rp", cluster_rp, "str"), + "clusterResourceName": _SERIALIZER.url("cluster_resource_name", cluster_resource_name, "str"), + "clusterName": _SERIALIZER.url("cluster_name", cluster_name, "str"), + "sourceControlConfigurationName": _SERIALIZER.url( + "source_control_configuration_name", source_control_configuration_name, "str" + ), + } + + _url = _format_url_section(_url, **path_format_arguments) + + # Construct parameters + _params["api-version"] = _SERIALIZER.query("api_version", api_version, "str") + + # Construct headers + _headers["Accept"] = _SERIALIZER.header("accept", accept, "str") + + return HttpRequest(method="DELETE", url=_url, params=_params, headers=_headers, **kwargs) + + +def build_list_request( + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + subscription_id: str, + **kwargs: Any +) -> HttpRequest: + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + accept = _headers.pop("Accept", "application/json") + + # Construct URL + _url = kwargs.pop( + "template_url", + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/sourceControlConfigurations", + ) # pylint: disable=line-too-long + path_format_arguments = { + "subscriptionId": _SERIALIZER.url("subscription_id", subscription_id, "str", min_length=1), + "resourceGroupName": _SERIALIZER.url( + "resource_group_name", resource_group_name, "str", max_length=90, min_length=1 + ), + "clusterRp": _SERIALIZER.url("cluster_rp", cluster_rp, "str"), + "clusterResourceName": _SERIALIZER.url("cluster_resource_name", cluster_resource_name, "str"), + "clusterName": _SERIALIZER.url("cluster_name", cluster_name, "str"), + } + + _url = _format_url_section(_url, **path_format_arguments) + + # Construct parameters + _params["api-version"] = _SERIALIZER.query("api_version", api_version, "str") + + # Construct headers + _headers["Accept"] = _SERIALIZER.header("accept", accept, "str") + + return HttpRequest(method="GET", url=_url, params=_params, headers=_headers, **kwargs) + + +class SourceControlConfigurationsOperations: + """ + .. warning:: + **DO NOT** instantiate this class directly. + + Instead, you should access the following operations through + :class:`~azure.mgmt.kubernetesconfiguration.v2022_11_01.SourceControlConfigurationClient`'s + :attr:`source_control_configurations` attribute. + """ + + models = _models + + def __init__(self, *args, **kwargs): + input_args = list(args) + self._client = input_args.pop(0) if input_args else kwargs.pop("client") + self._config = input_args.pop(0) if input_args else kwargs.pop("config") + self._serialize = input_args.pop(0) if input_args else kwargs.pop("serializer") + self._deserialize = input_args.pop(0) if input_args else kwargs.pop("deserializer") + + @distributed_trace + def get( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + source_control_configuration_name: str, + **kwargs: Any + ) -> _models.SourceControlConfiguration: + """Gets details of the Source Control Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param source_control_configuration_name: Name of the Source Control Configuration. Required. + :type source_control_configuration_name: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: SourceControlConfiguration or the result of cls(response) + :rtype: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.SourceControlConfiguration + :raises ~azure.core.exceptions.HttpResponseError: + """ + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + cls = kwargs.pop("cls", None) # type: ClsType[_models.SourceControlConfiguration] + + request = build_get_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + source_control_configuration_name=source_control_configuration_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + template_url=self.get.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + deserialized = self._deserialize("SourceControlConfiguration", pipeline_response) + + if cls: + return cls(pipeline_response, deserialized, {}) + + return deserialized + + get.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/sourceControlConfigurations/{sourceControlConfigurationName}"} # type: ignore + + @overload + def create_or_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + source_control_configuration_name: str, + source_control_configuration: _models.SourceControlConfiguration, + *, + content_type: str = "application/json", + **kwargs: Any + ) -> _models.SourceControlConfiguration: + """Create a new Kubernetes Source Control Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param source_control_configuration_name: Name of the Source Control Configuration. Required. + :type source_control_configuration_name: str + :param source_control_configuration: Properties necessary to Create KubernetesConfiguration. + Required. + :type source_control_configuration: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.SourceControlConfiguration + :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. + Default value is "application/json". + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: SourceControlConfiguration or the result of cls(response) + :rtype: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.SourceControlConfiguration + :raises ~azure.core.exceptions.HttpResponseError: + """ + + @overload + def create_or_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + source_control_configuration_name: str, + source_control_configuration: IO, + *, + content_type: str = "application/json", + **kwargs: Any + ) -> _models.SourceControlConfiguration: + """Create a new Kubernetes Source Control Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param source_control_configuration_name: Name of the Source Control Configuration. Required. + :type source_control_configuration_name: str + :param source_control_configuration: Properties necessary to Create KubernetesConfiguration. + Required. + :type source_control_configuration: IO + :keyword content_type: Body Parameter content-type. Content type parameter for binary body. + Default value is "application/json". + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: SourceControlConfiguration or the result of cls(response) + :rtype: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.SourceControlConfiguration + :raises ~azure.core.exceptions.HttpResponseError: + """ + + @distributed_trace + def create_or_update( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + source_control_configuration_name: str, + source_control_configuration: Union[_models.SourceControlConfiguration, IO], + **kwargs: Any + ) -> _models.SourceControlConfiguration: + """Create a new Kubernetes Source Control Configuration. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param source_control_configuration_name: Name of the Source Control Configuration. Required. + :type source_control_configuration_name: str + :param source_control_configuration: Properties necessary to Create KubernetesConfiguration. Is + either a model type or a IO type. Required. + :type source_control_configuration: + ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.SourceControlConfiguration or IO + :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. + Default value is None. + :paramtype content_type: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: SourceControlConfiguration or the result of cls(response) + :rtype: ~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.SourceControlConfiguration + :raises ~azure.core.exceptions.HttpResponseError: + """ + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + content_type = kwargs.pop("content_type", _headers.pop("Content-Type", None)) # type: Optional[str] + cls = kwargs.pop("cls", None) # type: ClsType[_models.SourceControlConfiguration] + + content_type = content_type or "application/json" + _json = None + _content = None + if isinstance(source_control_configuration, (IO, bytes)): + _content = source_control_configuration + else: + _json = self._serialize.body(source_control_configuration, "SourceControlConfiguration") + + request = build_create_or_update_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + source_control_configuration_name=source_control_configuration_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + content_type=content_type, + json=_json, + content=_content, + template_url=self.create_or_update.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200, 201]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + if response.status_code == 200: + deserialized = self._deserialize("SourceControlConfiguration", pipeline_response) + + if response.status_code == 201: + deserialized = self._deserialize("SourceControlConfiguration", pipeline_response) + + if cls: + return cls(pipeline_response, deserialized, {}) + + return deserialized + + create_or_update.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/sourceControlConfigurations/{sourceControlConfigurationName}"} # type: ignore + + def _delete_initial( # pylint: disable=inconsistent-return-statements + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + source_control_configuration_name: str, + **kwargs: Any + ) -> None: + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + cls = kwargs.pop("cls", None) # type: ClsType[None] + + request = build_delete_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + source_control_configuration_name=source_control_configuration_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + template_url=self._delete_initial.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + pipeline_response = self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + + response = pipeline_response.http_response + + if response.status_code not in [200, 204]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + if cls: + return cls(pipeline_response, None, {}) + + _delete_initial.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/sourceControlConfigurations/{sourceControlConfigurationName}"} # type: ignore + + @distributed_trace + def begin_delete( + self, + resource_group_name: str, + cluster_rp: str, + cluster_resource_name: str, + cluster_name: str, + source_control_configuration_name: str, + **kwargs: Any + ) -> LROPoller[None]: + """This will delete the YAML file used to set up the Source control configuration, thus stopping + future sync from the source repo. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :param source_control_configuration_name: Name of the Source Control Configuration. Required. + :type source_control_configuration_name: str + :keyword callable cls: A custom type or function that will be passed the direct response + :keyword str continuation_token: A continuation token to restart a poller from a saved state. + :keyword polling: By default, your polling method will be ARMPolling. Pass in False for this + operation to not poll, or pass in your own initialized polling object for a personal polling + strategy. + :paramtype polling: bool or ~azure.core.polling.PollingMethod + :keyword int polling_interval: Default waiting time between two polls for LRO operations if no + Retry-After header is present. + :return: An instance of LROPoller that returns either None or the result of cls(response) + :rtype: ~azure.core.polling.LROPoller[None] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + cls = kwargs.pop("cls", None) # type: ClsType[None] + polling = kwargs.pop("polling", True) # type: Union[bool, PollingMethod] + lro_delay = kwargs.pop("polling_interval", self._config.polling_interval) + cont_token = kwargs.pop("continuation_token", None) # type: Optional[str] + if cont_token is None: + raw_result = self._delete_initial( # type: ignore + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + source_control_configuration_name=source_control_configuration_name, + api_version=api_version, + cls=lambda x, y, z: x, + headers=_headers, + params=_params, + **kwargs + ) + kwargs.pop("error_map", None) + + def get_long_running_output(pipeline_response): # pylint: disable=inconsistent-return-statements + if cls: + return cls(pipeline_response, None, {}) + + if polling is True: + polling_method = cast(PollingMethod, ARMPolling(lro_delay, **kwargs)) # type: PollingMethod + elif polling is False: + polling_method = cast(PollingMethod, NoPolling()) + else: + polling_method = polling + if cont_token: + return LROPoller.from_continuation_token( + polling_method=polling_method, + continuation_token=cont_token, + client=self._client, + deserialization_callback=get_long_running_output, + ) + return LROPoller(self._client, raw_result, get_long_running_output, polling_method) + + begin_delete.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/sourceControlConfigurations/{sourceControlConfigurationName}"} # type: ignore + + @distributed_trace + def list( + self, resource_group_name: str, cluster_rp: str, cluster_resource_name: str, cluster_name: str, **kwargs: Any + ) -> Iterable["_models.SourceControlConfiguration"]: + """List all Source Control Configurations. + + :param resource_group_name: The name of the resource group. The name is case insensitive. + Required. + :type resource_group_name: str + :param cluster_rp: The Kubernetes cluster RP - i.e. Microsoft.ContainerService, + Microsoft.Kubernetes, Microsoft.HybridContainerService. Required. + :type cluster_rp: str + :param cluster_resource_name: The Kubernetes cluster resource name - i.e. managedClusters, + connectedClusters, provisionedClusters. Required. + :type cluster_resource_name: str + :param cluster_name: The name of the kubernetes cluster. Required. + :type cluster_name: str + :keyword callable cls: A custom type or function that will be passed the direct response + :return: An iterator like instance of either SourceControlConfiguration or the result of + cls(response) + :rtype: + ~azure.core.paging.ItemPaged[~azure.mgmt.kubernetesconfiguration.v2022_11_01.models.SourceControlConfiguration] + :raises ~azure.core.exceptions.HttpResponseError: + """ + _headers = kwargs.pop("headers", {}) or {} + _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) + + api_version = kwargs.pop("api_version", _params.pop("api-version", "2022-11-01")) # type: Literal["2022-11-01"] + cls = kwargs.pop("cls", None) # type: ClsType[_models.SourceControlConfigurationList] + + error_map = { + 401: ClientAuthenticationError, + 404: ResourceNotFoundError, + 409: ResourceExistsError, + 304: ResourceNotModifiedError, + } + error_map.update(kwargs.pop("error_map", {}) or {}) + + def prepare_request(next_link=None): + if not next_link: + + request = build_list_request( + resource_group_name=resource_group_name, + cluster_rp=cluster_rp, + cluster_resource_name=cluster_resource_name, + cluster_name=cluster_name, + subscription_id=self._config.subscription_id, + api_version=api_version, + template_url=self.list.metadata["url"], + headers=_headers, + params=_params, + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + + else: + # make call to next link with the client's api-version + _parsed_next_link = urllib.parse.urlparse(next_link) + _next_request_params = case_insensitive_dict( + { + key: [urllib.parse.quote(v) for v in value] + for key, value in urllib.parse.parse_qs(_parsed_next_link.query).items() + } + ) + _next_request_params["api-version"] = self._config.api_version + request = HttpRequest( + "GET", urllib.parse.urljoin(next_link, _parsed_next_link.path), params=_next_request_params + ) + request = _convert_request(request) + request.url = self._client.format_url(request.url) # type: ignore + request.method = "GET" + return request + + def extract_data(pipeline_response): + deserialized = self._deserialize("SourceControlConfigurationList", pipeline_response) + list_of_elem = deserialized.value + if cls: + list_of_elem = cls(list_of_elem) + return deserialized.next_link or None, iter(list_of_elem) + + def get_next(next_link=None): + request = prepare_request(next_link) + + pipeline_response = self._client._pipeline.run( # type: ignore # pylint: disable=protected-access + request, stream=False, **kwargs + ) + response = pipeline_response.http_response + + if response.status_code not in [200]: + map_error(status_code=response.status_code, response=response, error_map=error_map) + error = self._deserialize.failsafe_deserialize(_models.ErrorResponse, pipeline_response) + raise HttpResponseError(response=response, model=error, error_format=ARMErrorFormat) + + return pipeline_response + + return ItemPaged(get_next, extract_data) + + list.metadata = {"url": "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/{clusterRp}/{clusterResourceName}/{clusterName}/providers/Microsoft.KubernetesConfiguration/sourceControlConfigurations"} # type: ignore From 97c808f96fa474cbc32cf4a60be5d37a5b595402 Mon Sep 17 00:00:00 2001 From: Arif Lakhani Date: Tue, 13 Dec 2022 15:21:43 -0600 Subject: [PATCH 23/44] Seperate args for plan name, product and publisher --- .../azext_k8s_extension/_format.py | 2 +- .../azext_k8s_extension/_help.py | 18 ++++-------- .../azext_k8s_extension/_params.py | 28 +++++++++++-------- .../azext_k8s_extension/action.py | 20 ------------- .../azext_k8s_extension/custom.py | 8 ++++-- .../partner_extensions/AzureDefender.py | 3 +- .../partner_extensions/AzureMLKubernetes.py | 3 +- .../partner_extensions/ContainerInsights.py | 3 +- .../partner_extensions/Dapr.py | 3 +- .../DataProtectionKubernetes.py | 4 ++- .../partner_extensions/DefaultExtension.py | 24 +++++++++++----- .../partner_extensions/OpenServiceMesh.py | 2 +- .../PartnerExtensionModel.py | 3 ++ .../latest/recordings/test_k8s_extension.yaml | 2 +- .../extensions/public/Cassandra.Tests.ps1 | 8 +++--- 15 files changed, 66 insertions(+), 65 deletions(-) diff --git a/src/k8s-extension/azext_k8s_extension/_format.py b/src/k8s-extension/azext_k8s_extension/_format.py index 8198baa99a5..d73838f8483 100644 --- a/src/k8s-extension/azext_k8s_extension/_format.py +++ b/src/k8s-extension/azext_k8s_extension/_format.py @@ -28,7 +28,7 @@ def __get_table_row(result): ('lastModifiedAt', result.get('systemData', {}).get('lastModifiedAt', '')), ('plan_name', plan_name), {'plan_publisher', plan_publisher}, - ('plan_product',plan_product), + ('plan_product', plan_product), ('isSystemExtension', result.get('isSystemExtension', '')), ]) diff --git a/src/k8s-extension/azext_k8s_extension/_help.py b/src/k8s-extension/azext_k8s_extension/_help.py index 3c01452e640..2c037231e5c 100644 --- a/src/k8s-extension/azext_k8s_extension/_help.py +++ b/src/k8s-extension/azext_k8s_extension/_help.py @@ -22,18 +22,12 @@ az {consts.EXTENSION_NAME} create --resource-group my-resource-group \ --cluster-name mycluster --cluster-type connectedClusters --name myextension \ --extension-type microsoft.openservicemesh --scope cluster --release-train stable -""" - -helps[f'{consts.EXTENSION_NAME} create'] = f""" - type: command - short-summary: Create a Kubernetes Marketplace Extension. - examples: - - name: Create a Kubernetes Extension + - name: Create a Kubernetes Marketplace (3rd party) Extension text: |- az {consts.EXTENSION_NAME} create --resource-group my-resource-group \ --cluster-name mycluster --cluster-type managedClusters --name myextension \ ---extension-type Contoso.AzureVoteKubernetesAppTest --scope cluster --release-train stable ---plan-info name=testplan product=kubernetest_apps_demo_offer publisher=test_test_mix3pptest0011614206850774 +--extension-type Contoso.AzureVoteKubernetesAppTest --scope cluster --release-train stable \ +--plan-name testplan --plan-product kubernetest_apps_demo_offer --plan-publisher test_test_mix3pptest0011614206850774 """ helps[f'{consts.EXTENSION_NAME} list'] = f""" @@ -79,9 +73,9 @@ --cluster-name mycluster --cluster-type connectedClusters \ --name myextension --auto-upgrade true/false --version extension-version \ --release-train stable --configuration-settings settings-key=settings-value \ ---configuration-protected-settings protected-settings-key=protected-value \ ---configuration-settings-file=config-settings-file \ ---configuration-protected-settings-file=protected-settings-file +--config-protected-settings protected-settings-key=protected-value \ +--config-settings-file=config-settings-file \ +--config-protected-file=protected-settings-file """ helps[f'{consts.EXTENSION_NAME} extension-types'] = """ diff --git a/src/k8s-extension/azext_k8s_extension/_params.py b/src/k8s-extension/azext_k8s_extension/_params.py index 621e84bb14d..ee9db4d1576 100644 --- a/src/k8s-extension/azext_k8s_extension/_params.py +++ b/src/k8s-extension/azext_k8s_extension/_params.py @@ -13,7 +13,6 @@ from .action import ( AddConfigurationSettings, AddConfigurationProtectedSettings, - AddPlanInfo ) @@ -53,36 +52,41 @@ def load_arguments(self, _): help='Specify the release train for the extension type.') c.argument('configuration_settings', arg_group="Configuration", - options_list=['--configuration-settings', '--config-settings', '--config'], + options_list=['--configuration-settings', '--config'], action=AddConfigurationSettings, nargs='+', help='Configuration Settings as key=value pair. Repeat parameter for each setting') c.argument('configuration_protected_settings', arg_group="Configuration", - options_list=['--configuration-protected-settings', '--config-protected-settings', '--config-protected'], + options_list=['--config-protected-settings', '--config-protected'], action=AddConfigurationProtectedSettings, nargs='+', help='Configuration Protected Settings as key=value pair. Repeat parameter for each setting') c.argument('configuration_settings_file', arg_group="Configuration", - options_list=['--configuration-settings-file', '--config-settings-file', '--config-file'], + options_list=['--config-settings-file', '--config-file'], help='JSON file path for configuration-settings') c.argument('configuration_protected_settings_file', arg_group="Configuration", - options_list=['--configuration-protected-settings-file', '--config-protected-settings-file', '--config-protected-file'], + options_list=['--config-protected-file', '--protected-settings-file'], help='JSON file path for configuration-protected-settings') c.argument('release_namespace', help='Specify the namespace to install the extension release.') c.argument('target_namespace', help='Specify the target namespace to install to for the extension instance. This' ' parameter is required if extension scope is set to \'namespace\'') - c.argument('plan_info', - arg_group="Plan", - options_list=['--plan-info', '--plan'], - action=AddPlanInfo, - nargs='+', - help='Plan info for marketplace extension as a key=value pair. Provide name, publisher and product as a part of the plan info') - + c.argument('plan_name', + arg_group="Marketplace", + options_list=['--plan-name'], + help='Name of the 3rd Party Artifact that is being procured.') + c.argument('plan_product', + arg_group="Marketplace", + options_list=['--plan-product'], + help='The 3rd Party artifact that is being procured. E.g. NewRelic. Product maps to the OfferID specified for the artifact at the time of Data Market onboarding.') + c.argument('plan_publisher', + arg_group="Marketplace", + options_list=['--plan-publisher'], + help='The publisher of the 3rd Party Artifact that is being bought. E.g. NewRelic') with self.argument_context(f"{consts.EXTENSION_NAME} update") as c: c.argument('yes', options_list=['--yes', '-y'], diff --git a/src/k8s-extension/azext_k8s_extension/action.py b/src/k8s-extension/azext_k8s_extension/action.py index f871b30e409..cb37e500267 100644 --- a/src/k8s-extension/azext_k8s_extension/action.py +++ b/src/k8s-extension/azext_k8s_extension/action.py @@ -35,23 +35,3 @@ def __call__(self, parser, namespace, values, option_string=None): raise ArgumentUsageError('Usage error: {} configuration_protected_setting_key=' 'configuration_protected_setting_value'.format(option_string)) from ex super().__call__(parser, namespace, prot_settings, option_string) - -class AddPlanInfo(argparse._AppendAction): - - def __call__(self, parser, namespace, values, option_string=None): - plan_details = dict({}) - keysExpected = {'name', 'publisher', 'product'} - for item in values: - try: - key, value = item.split('=', 1) - if key not in keysExpected: - raise ArgumentUsageError('Usage error: unknown property: {} used in plan info'.format(key)) - plan_details[key] = value - except ValueError as ex: - raise ArgumentUsageError('Usage error: {} plan_info_key=plan_info_value'. - format(option_string)) from ex - for key in keysExpected: - if key not in plan_details: - raise ArgumentUsageError('Usage error: Missing required plan info property: {}'.format(key)) - - super().__call__(parser, namespace, plan_details, option_string) \ No newline at end of file diff --git a/src/k8s-extension/azext_k8s_extension/custom.py b/src/k8s-extension/azext_k8s_extension/custom.py index 38230ff1cce..96d98a3af86 100644 --- a/src/k8s-extension/azext_k8s_extension/custom.py +++ b/src/k8s-extension/azext_k8s_extension/custom.py @@ -109,7 +109,9 @@ def create_k8s_extension( configuration_settings_file=None, configuration_protected_settings_file=None, no_wait=False, - plan_info=None + plan_name=None, + plan_publisher=None, + plan_product=None ): """Create a new Extension Instance.""" @@ -183,7 +185,9 @@ def create_k8s_extension( config_protected_settings, configuration_settings_file, configuration_protected_settings_file, - plan_info + plan_name, + plan_publisher, + plan_product ) # Common validations diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/AzureDefender.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/AzureDefender.py index bee8afa0067..e4c48559384 100644 --- a/src/k8s-extension/azext_k8s_extension/partner_extensions/AzureDefender.py +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/AzureDefender.py @@ -21,7 +21,8 @@ class AzureDefender(DefaultExtension): def Create(self, cmd, client, resource_group_name, cluster_name, name, cluster_type, cluster_rp, extension_type, scope, auto_upgrade_minor_version, release_train, version, target_namespace, release_namespace, configuration_settings, configuration_protected_settings, - configuration_settings_file, configuration_protected_settings_file): + configuration_settings_file, configuration_protected_settings_file, plan_name, + plan_publisher, plan_product): """ExtensionType 'microsoft.azuredefender.kubernetes' specific validations & defaults for Create Must create and return a valid 'Extension' object. diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/AzureMLKubernetes.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/AzureMLKubernetes.py index a3ddb6ebe33..e0e88de3851 100644 --- a/src/k8s-extension/azext_k8s_extension/partner_extensions/AzureMLKubernetes.py +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/AzureMLKubernetes.py @@ -114,7 +114,8 @@ def __init__(self): def Create(self, cmd, client, resource_group_name, cluster_name, name, cluster_type, cluster_rp, extension_type, scope, auto_upgrade_minor_version, release_train, version, target_namespace, release_namespace, configuration_settings, configuration_protected_settings, - configuration_settings_file, configuration_protected_settings_file): + configuration_settings_file, configuration_protected_settings_file, plan_name, + plan_publisher, plan_product): logger.warning("Troubleshooting: {}".format(self.TSG_LINK)) diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/ContainerInsights.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/ContainerInsights.py index e08de277312..f9cfedddbaf 100644 --- a/src/k8s-extension/azext_k8s_extension/partner_extensions/ContainerInsights.py +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/ContainerInsights.py @@ -37,7 +37,8 @@ class ContainerInsights(DefaultExtension): def Create(self, cmd, client, resource_group_name, cluster_name, name, cluster_type, cluster_rp, extension_type, scope, auto_upgrade_minor_version, release_train, version, target_namespace, release_namespace, configuration_settings, configuration_protected_settings, - configuration_settings_file, configuration_protected_settings_file): + configuration_settings_file, configuration_protected_settings_file, + plan_name, plan_publisher, plan_product): """ExtensionType 'microsoft.azuremonitor.containers' specific validations & defaults for Create Must create and return a valid 'Extension' object. diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/Dapr.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/Dapr.py index aca4893c042..26da8490dc5 100644 --- a/src/k8s-extension/azext_k8s_extension/partner_extensions/Dapr.py +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/Dapr.py @@ -108,7 +108,8 @@ def Create(self, cmd, client, resource_group_name: str, cluster_name: str, name: cluster_rp: str, extension_type: str, scope: str, auto_upgrade_minor_version: bool, release_train: str, version: str, target_namespace: str, release_namespace: str, configuration_settings: dict, configuration_protected_settings: dict, - configuration_settings_file: str, configuration_protected_settings_file: str): + configuration_settings_file: str, configuration_protected_settings_file: str, + plan_name: str, plan_publisher: str, plan_product: str): """ExtensionType 'Microsoft.Dapr' specific validations & defaults for Create Must create and return a valid 'ExtensionInstance' object. """ diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/DataProtectionKubernetes.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/DataProtectionKubernetes.py index 3b5b1fe5534..96738a008e9 100644 --- a/src/k8s-extension/azext_k8s_extension/partner_extensions/DataProtectionKubernetes.py +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/DataProtectionKubernetes.py @@ -72,7 +72,9 @@ def Create( configuration_settings, configuration_protected_settings, configuration_settings_file, - configuration_protected_settings_file + plan_name, + plan_publisher, + plan_product, ): # Current scope of DataProtection Kubernetes Backup extension is 'cluster' #TODO: add TSGs when they are in place if scope == 'namespace': diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/DefaultExtension.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/DefaultExtension.py index 5b50c0cc811..f30764d3200 100644 --- a/src/k8s-extension/azext_k8s_extension/partner_extensions/DefaultExtension.py +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/DefaultExtension.py @@ -6,6 +6,7 @@ # pylint: disable=unused-argument from azure.cli.core.util import user_confirmation +from azure.cli.core.azclierror import ArgumentUsageError from ..vendored_sdks.models import Extension from ..vendored_sdks.models import PatchExtension @@ -38,7 +39,9 @@ def Create( configuration_protected_settings, configuration_settings_file, configuration_protected_settings_file, - plan_info + plan_name, + plan_publisher, + plan_product ): """Default validations & defaults for Create Must create and return a valid 'Extension' object. @@ -53,13 +56,20 @@ def Create( ext_scope = Scope(namespace=scope_namespace, cluster=None) plan = None - if plan_info is not None and len(plan_info) > 0: - plan_props = plan_info[0] + if plan_name is not None or plan_product is not None or plan_publisher is not None: + if plan_name is None: + raise ArgumentUsageError(f'Usage error: Missing required plan info property: {plan_name}') + if plan_product is None: + raise ArgumentUsageError(f'Usage error: Missing required plan info property: {plan_product}') + if plan_publisher is None: + raise ArgumentUsageError(f'Usage error: Missing required plan info property: {plan_publisher}') + plan = Plan( - name= plan_props['name'], - publisher = plan_props['publisher'], - product= plan_props['product']) - + name=plan_name, + publisher=plan_publisher, + product=plan_product + ) + create_identity = True extension = Extension( extension_type=extension_type, diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/OpenServiceMesh.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/OpenServiceMesh.py index 76b5b926df1..ec7738cdb92 100644 --- a/src/k8s-extension/azext_k8s_extension/partner_extensions/OpenServiceMesh.py +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/OpenServiceMesh.py @@ -35,7 +35,7 @@ class OpenServiceMesh(DefaultExtension): def Create(self, cmd, client, resource_group_name, cluster_name, name, cluster_type, cluster_rp, extension_type, scope, auto_upgrade_minor_version, release_train, version, target_namespace, release_namespace, configuration_settings, configuration_protected_settings, - configuration_settings_file, configuration_protected_settings_file): + configuration_settings_file, configuration_protected_settings_file, plan_name, plan_publisher, plan_product): """ExtensionType 'microsoft.openservicemesh' specific validations & defaults for Create Must create and return a valid 'Extension' object. """ diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/PartnerExtensionModel.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/PartnerExtensionModel.py index 44e71daa20d..2b6f1bfe507 100644 --- a/src/k8s-extension/azext_k8s_extension/partner_extensions/PartnerExtensionModel.py +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/PartnerExtensionModel.py @@ -30,6 +30,9 @@ def Create( configuration_protected_settings: dict, configuration_settings_file: str, configuration_protected_settings_file: str, + plan_name: str, + plan_publisher: str, + plan_product: str, ) -> Extension: pass diff --git a/src/k8s-extension/azext_k8s_extension/tests/latest/recordings/test_k8s_extension.yaml b/src/k8s-extension/azext_k8s_extension/tests/latest/recordings/test_k8s_extension.yaml index d7750934482..c939d9aaa98 100644 --- a/src/k8s-extension/azext_k8s_extension/tests/latest/recordings/test_k8s_extension.yaml +++ b/src/k8s-extension/azext_k8s_extension/tests/latest/recordings/test_k8s_extension.yaml @@ -179,7 +179,7 @@ interactions: string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/azurecli-tests/providers/Microsoft.Kubernetes/connectedClusters/arc-cluster/providers/Microsoft.KubernetesConfiguration/extensions/dapr","name":"dapr","type":"Microsoft.KubernetesConfiguration/extensions","properties":{"extensionType":"microsoft.dapr","autoUpgradeMinorVersion":false,"releaseTrain":"stable","version":"1.6.0","scope":{"cluster":{"releaseNamespace":"dapr-system"}},"provisioningState":"Creating","installState":"Unknown","configurationSettings":{},"configurationProtectedSettings":{},"statuses":[],"aksAssignedIdentity":null},"systemData":{"createdBy":null,"createdByType":null,"createdAt":"2022-03-18T22:49:20.2443978+00:00","lastModifiedBy":null,"lastModifiedByType":null,"lastModifiedAt":"2022-03-18T22:49:20.2443978+00:00"}}' headers: api-supported-versions: - - 2020-07-01-Preview, 2021-05-01-preview, 2021-09-01, 2022-03-01, 2022-04-02-preview + - 2020-07-01-Preview, 2021-05-01-preview, 2021-09-01, 2022-03-01, 2022-04-02-preview, 2022-11-01 cache-control: - no-cache content-length: diff --git a/testing/test/extensions/public/Cassandra.Tests.ps1 b/testing/test/extensions/public/Cassandra.Tests.ps1 index e579c43ee30..2099c9f55d3 100644 --- a/testing/test/extensions/public/Cassandra.Tests.ps1 +++ b/testing/test/extensions/public/Cassandra.Tests.ps1 @@ -1,6 +1,6 @@ Describe 'Cassandra Testing' { BeforeAll { - $extensionType = "cassandradatacentersoperator" + $extensionType = "microsoft.contoso.clusters" $extensionName = "cassandra" . $PSScriptRoot/../../helper/Constants.ps1 @@ -32,10 +32,10 @@ Describe 'Cassandra Testing' { if ((Has-ExtensionData $extensionName) -And ($provisioningState -eq "Succeeded")) { break } - Start-Sleep -Seconds 10 + Start-Sleep -Seconds 40 $n += 1 - } while ($n -le 20) - $n | Should -BeLessOrEqual 20 + } while ($n -le $MAX_RETRY_ATTEMPTS) + $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS } It "Performs a show on the extension" { From 1b51c5ea1267b173a8694c9031fdffb047e896fa Mon Sep 17 00:00:00 2001 From: Arif Lakhani Date: Thu, 12 Jan 2023 16:45:22 -0600 Subject: [PATCH 24/44] updating cassete file --- src/k8s-extension/README.rst | 4 +- .../azext_k8s_extension/_help.py | 4 +- .../azext_k8s_extension/_params.py | 6 +- .../DataProtectionKubernetes.py | 1 + .../partner_extensions/DefaultExtension.py | 6 +- .../latest/recordings/test_k8s_extension.yaml | 170 ++++++++++++------ 6 files changed, 128 insertions(+), 63 deletions(-) diff --git a/src/k8s-extension/README.rst b/src/k8s-extension/README.rst index 120582b8f4e..bea9b078dbb 100644 --- a/src/k8s-extension/README.rst +++ b/src/k8s-extension/README.rst @@ -31,7 +31,9 @@ az k8s-extension create \ --version versionNumber \ --auto-upgrade-minor-version autoUpgrade \ --configuration-settings exampleSetting=exampleValue \ - --plan-info name=examplePlanName publisher=examplePublisher product=exampleOfferId \ + --plan-name examplePlanName \ + --plan-publisher examplePublisher \ + --plan-product exampleOfferId \ ``` diff --git a/src/k8s-extension/azext_k8s_extension/_help.py b/src/k8s-extension/azext_k8s_extension/_help.py index 2c037231e5c..56987dce90c 100644 --- a/src/k8s-extension/azext_k8s_extension/_help.py +++ b/src/k8s-extension/azext_k8s_extension/_help.py @@ -15,14 +15,14 @@ helps[f'{consts.EXTENSION_NAME} create'] = f""" type: command - short-summary: Create a Kubernetes Extension. + short-summary: Create a Kubernetes Cluster Extension, including purchasing an extension Offer from Azure Marketplace (AKS only). Please refer to the example at the end to see how to create an extension or purchase an extension offer. examples: - name: Create a Kubernetes Extension text: |- az {consts.EXTENSION_NAME} create --resource-group my-resource-group \ --cluster-name mycluster --cluster-type connectedClusters --name myextension \ --extension-type microsoft.openservicemesh --scope cluster --release-train stable - - name: Create a Kubernetes Marketplace (3rd party) Extension + - name: Create a Kubernetes Marketplace Extension text: |- az {consts.EXTENSION_NAME} create --resource-group my-resource-group \ --cluster-name mycluster --cluster-type managedClusters --name myextension \ diff --git a/src/k8s-extension/azext_k8s_extension/_params.py b/src/k8s-extension/azext_k8s_extension/_params.py index ee9db4d1576..a2dfcd01af4 100644 --- a/src/k8s-extension/azext_k8s_extension/_params.py +++ b/src/k8s-extension/azext_k8s_extension/_params.py @@ -78,15 +78,15 @@ def load_arguments(self, _): c.argument('plan_name', arg_group="Marketplace", options_list=['--plan-name'], - help='Name of the 3rd Party Artifact that is being procured.') + help='The plan name is referring to the Plan ID of the extension that is being taken from Marketplace portal under Usage Information + Support') c.argument('plan_product', arg_group="Marketplace", options_list=['--plan-product'], - help='The 3rd Party artifact that is being procured. E.g. NewRelic. Product maps to the OfferID specified for the artifact at the time of Data Market onboarding.') + help='The plan product is referring to the Product ID of the extension that is being taken from Marketplace portal under Usage Information + Support. An example of this is the name of the ISV offering used.') c.argument('plan_publisher', arg_group="Marketplace", options_list=['--plan-publisher'], - help='The publisher of the 3rd Party Artifact that is being bought. E.g. NewRelic') + help='The plan publisher is referring to the Publisher ID of the extension that is being taken from Marketplace portal under Usage Information + Support') with self.argument_context(f"{consts.EXTENSION_NAME} update") as c: c.argument('yes', options_list=['--yes', '-y'], diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/DataProtectionKubernetes.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/DataProtectionKubernetes.py index 96738a008e9..e608f47c02b 100644 --- a/src/k8s-extension/azext_k8s_extension/partner_extensions/DataProtectionKubernetes.py +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/DataProtectionKubernetes.py @@ -72,6 +72,7 @@ def Create( configuration_settings, configuration_protected_settings, configuration_settings_file, + configuration_protected_settings_file, plan_name, plan_publisher, plan_product, diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/DefaultExtension.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/DefaultExtension.py index f30764d3200..78024612f36 100644 --- a/src/k8s-extension/azext_k8s_extension/partner_extensions/DefaultExtension.py +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/DefaultExtension.py @@ -58,11 +58,11 @@ def Create( plan = None if plan_name is not None or plan_product is not None or plan_publisher is not None: if plan_name is None: - raise ArgumentUsageError(f'Usage error: Missing required plan info property: {plan_name}') + raise ArgumentUsageError('Usage error: Missing valid plan name. To find the correct plan name please refer to the Marketplace portal under ‘Usage Information + Support.’ The Plan Id listed here will be the valid plan name required.') if plan_product is None: - raise ArgumentUsageError(f'Usage error: Missing required plan info property: {plan_product}') + raise ArgumentUsageError('Usage error: Missing a valid plan product. To find the correct plan product please refer to the Marketplace portal under ‘Usage Information + Support.’ The Product Id listed here will be the valid plan product required.') if plan_publisher is None: - raise ArgumentUsageError(f'Usage error: Missing required plan info property: {plan_publisher}') + raise ArgumentUsageError('Usage error: Missing a valid plan publisher. To find the correct plan publisher please refer to the Marketplace portal under ‘Usage Information + Support.’ The Publisher Id listed here will be the valid plan publisher required') plan = Plan( name=plan_name, diff --git a/src/k8s-extension/azext_k8s_extension/tests/latest/recordings/test_k8s_extension.yaml b/src/k8s-extension/azext_k8s_extension/tests/latest/recordings/test_k8s_extension.yaml index c939d9aaa98..2b1b5bf6375 100644 --- a/src/k8s-extension/azext_k8s_extension/tests/latest/recordings/test_k8s_extension.yaml +++ b/src/k8s-extension/azext_k8s_extension/tests/latest/recordings/test_k8s_extension.yaml @@ -11,36 +11,96 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n -c --cluster-type --extension-type --release-train --version --no-wait + - -g -n -c --cluster-type --extension-type --release-train --version --configuration-settings + --no-wait User-Agent: - - AZURECLI/2.34.1 azsdk-python-azure-mgmt-resource/20.0.0 Python/3.9.6 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration?api-version=2021-04-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration","namespace":"Microsoft.KubernetesConfiguration","authorizations":[{"applicationId":"c699bf69-fb1d-4eaf-999b-99e6b2ae4d85","roleDefinitionId":"90155430-a360-410f-af5d-89dc284d85c6"},{"applicationId":"03db181c-e9d3-4868-9097-f0b728327182","roleDefinitionId":"DE2ADB97-42D8-49C8-8FCF-DBB53EF936AC"},{"applicationId":"a0f92522-89de-4c5e-9a75-0044ccf66efd","roleDefinitionId":"b3429810-7d5c-420e-8605-cf280f3099f2"},{"applicationId":"bd9b7cd5-dac1-495f-b013-ac871e98fa5f","roleDefinitionId":"0d44c8f0-08b9-44d4-9f59-e51c83f95200"}],"resourceTypes":[{"resourceType":"sourceControlConfigurations","locations":["East + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration","namespace":"Microsoft.KubernetesConfiguration","authorizations":[{"applicationId":"c699bf69-fb1d-4eaf-999b-99e6b2ae4d85","roleDefinitionId":"90155430-a360-410f-af5d-89dc284d85c6"},{"applicationId":"03db181c-e9d3-4868-9097-f0b728327182","roleDefinitionId":"DE2ADB97-42D8-49C8-8FCF-DBB53EF936AC"},{"applicationId":"a0f92522-89de-4c5e-9a75-0044ccf66efd","roleDefinitionId":"b3429810-7d5c-420e-8605-cf280f3099f2"},{"applicationId":"bd9b7cd5-dac1-495f-b013-ac871e98fa5f","roleDefinitionId":"0d44c8f0-08b9-44d4-9f59-e51c83f95200"},{"applicationId":"585fc3c3-9a59-4720-8319-53cce041a605","roleDefinitionId":"4a9ce2ee-6de2-43ba-a7bd-8f316de763a7"}],"resourceTypes":[{"resourceType":"sourceControlConfigurations","locations":["East US","West Europe","West Central US","West US 2","West US 3","South Central US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France Central","Central US","North Central US","West US","Korea Central","East Asia","Japan - East","East US 2 EUAP"],"apiVersions":["2022-03-01","2021-03-01","2020-10-01-preview","2020-07-01-preview","2019-11-01-preview"],"defaultApiVersion":"2022-03-01","capabilities":"SupportsExtension"},{"resourceType":"extensions","locations":["East + East","Canada East","Canada Central","Norway East","Germany West Central","Sweden + Central","Switzerland North","Australia Southeast","Central India","South + India","Japan West","Uk West","France South","Korea South","South Africa North","Brazil + South","Uae North","East US 2 EUAP","Central US EUAP"],"apiVersions":["2022-11-01","2022-07-01","2022-03-01","2021-03-01","2020-10-01-preview","2020-07-01-preview","2019-11-01-preview"],"defaultApiVersion":"2022-03-01","capabilities":"SupportsExtension"},{"resourceType":"extensions","locations":["East US","West Europe","West Central US","West US 2","West US 3","South Central US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France Central","Central US","North Central US","West US","Korea Central","East Asia","Japan - East","East US 2 EUAP"],"apiVersions":["2022-03-01","2021-09-01","2021-05-01-preview","2020-07-01-preview"],"defaultApiVersion":"2022-03-01","capabilities":"SystemAssignedResourceIdentity, - SupportsExtension"},{"resourceType":"operations","locations":[],"apiVersions":["2022-03-01","2022-01-01-preview","2021-12-01-preview","2021-11-01-preview","2021-09-01","2021-06-01-preview","2021-05-01-preview","2021-03-01","2020-10-01-preview","2020-07-01-preview","2019-11-01-preview"],"capabilities":"None"},{"resourceType":"fluxConfigurations","locations":["East - US 2 EUAP","East US","West Europe","West Central US","West US 2","West US + East","Canada East","Canada Central","Norway East","Germany West Central","Sweden + Central","Switzerland North","Australia Southeast","Central India","South + India","Japan West","Uk West","France South","Korea South","South Africa North","Brazil + South","Uae North","East US 2 EUAP","Central US EUAP"],"apiVersions":["2022-11-01","2022-07-01","2022-04-02-preview","2022-03-01","2021-09-01","2021-05-01-preview","2020-07-01-preview"],"defaultApiVersion":"2022-07-01","capabilities":"SystemAssignedResourceIdentity, + SupportsExtension"},{"resourceType":"fluxConfigurations","locations":["East + US","West Europe","West Central US","West US 2","West US 3","South Central + US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France + Central","Central US","North Central US","West US","Korea Central","East Asia","Japan + East","Canada East","Canada Central","Norway East","Germany West Central","Sweden + Central","Switzerland North","Australia Southeast","Central India","South + India","Japan West","Uk West","Korea South","France South","South Africa North","Brazil + South","Uae North"],"apiVersions":["2022-11-01","2022-07-01","2022-03-01","2022-01-01-preview","2021-11-01-preview","2021-06-01-preview"],"defaultApiVersion":"2022-07-01","capabilities":"SupportsExtension"},{"resourceType":"operations","locations":[],"apiVersions":["2022-11-01","2022-03-01","2022-01-01-preview","2021-12-01-preview","2021-11-01-preview","2021-09-01","2021-06-01-preview","2021-05-01-preview","2021-03-01","2020-10-01-preview","2020-07-01-preview","2019-11-01-preview"],"capabilities":"None"},{"resourceType":"privateLinkScopes","locations":["East + US","West Europe","West Central US","West US 2","West US 3","South Central + US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France + Central","Central US","North Central US","West US","Korea Central","East Asia","Japan + East","Canada East","Canada Central","Norway East","Germany West Central","Sweden + Central","Switzerland North","Australia Southeast","Central India","South + India","Japan West","Uk West","Korea South","France South","South Africa North","Brazil + South","Uae North","East US 2 EUAP","Central US EUAP"],"apiVersions":["2022-04-02-preview"],"capabilities":"SupportsTags, + SupportsLocation"},{"resourceType":"privateLinkScopes/privateEndpointConnections","locations":["East + US","West Europe","West Central US","West US 2","West US 3","South Central + US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France + Central","Central US","North Central US","West US","Korea Central","East Asia","Japan + East","Canada East","Canada Central","Norway East","Germany West Central","Sweden + Central","Switzerland North","Australia Southeast","Central India","South + India","Japan West","Uk West","France South","Korea South","South Africa North","Brazil + South","Uae North","East US 2 EUAP","Central US EUAP"],"apiVersions":["2022-04-02-preview"],"capabilities":"None"},{"resourceType":"privateLinkScopes/privateEndpointConnectionProxies","locations":["East + US","West Europe","West Central US","West US 2","West US 3","South Central + US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France + Central","Central US","North Central US","West US","Korea Central","East Asia","Japan + East","Canada East","Canada Central","Norway East","Germany West Central","Sweden + Central","Switzerland North","Australia Southeast","Central India","South + India","Japan West","Uk West","South Africa North","Korea South","France South","Brazil + South","Uae North","East US 2 EUAP","Central US EUAP"],"apiVersions":["2022-04-02-preview"],"capabilities":"None"},{"resourceType":"extensionTypes","locations":["East + US 2 EUAP","West US 2","East US","West Europe","West Central US","West US + 3","South Central US","East US 2","North Europe","UK South","Southeast Asia","Australia + East","France Central","Central US","North Central US","West US","Korea Central","East + Asia","Japan East","Canada Central","Canada East","Norway East","Central India","South + India","Australia Southeast","Germany West Central","Switzerland North","Sweden + Central","Japan West","Uk West","Korea South","France South","South Africa + North","Brazil South","Uae North"],"apiVersions":["2022-01-15-preview"],"capabilities":"SupportsExtension"},{"resourceType":"locations","locations":["East + US 2 EUAP","West US 2","East US","West Europe","West Central US","West US + 3","South Central US","East US 2","North Europe","UK South","Southeast Asia","Australia + East","France Central","Central US","North Central US","West US","Korea Central","East + Asia","Japan East","Canada Central","Canada East","Central India","South India","Norway + East","Australia Southeast","Germany West Central","Switzerland North","Sweden + Central","Japan West","Uk West","Korea South","France South","South Africa + North","Brazil South","Uae North"],"apiVersions":["2022-01-15-preview"],"capabilities":"None"},{"resourceType":"locations/extensionTypes","locations":["East + US 2 EUAP","West US 2","East US","West Europe","West Central US","West US + 3","South Central US","East US 2","North Europe","UK South","Southeast Asia","Australia + East","France Central","Central US","North Central US","West US","Korea Central","East + Asia","Japan East","Canada Central","Canada East","Central India","South India","Norway + East","Australia Southeast","Germany West Central","Switzerland North","Sweden + Central","Japan West","Uk West","Korea South","France South","South Africa + North","Brazil South","Uae North"],"apiVersions":["2022-01-15-preview"],"capabilities":"None"},{"resourceType":"locations/extensionTypes/versions","locations":["East + US 2 EUAP","West US 2","East US","West Europe","West Central US","West US 3","South Central US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France Central","Central US","North Central US","West US","Korea Central","East - Asia","Japan East"],"apiVersions":["2022-03-01","2022-01-01-preview","2021-11-01-preview","2021-06-01-preview"],"defaultApiVersion":"2022-03-01","capabilities":"SupportsExtension"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' + Asia","Japan East","Canada Central","Canada East","Central India","Norway + East","Australia Southeast","Germany West Central","Switzerland North","Sweden + Central","Japan West","Uk West","Korea South","France South","South Africa + North","South India","Brazil South","Uae North"],"apiVersions":["2022-01-15-preview"],"capabilities":"None"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' headers: cache-control: - no-cache content-length: - - '2512' + - '8181' content-type: - application/json; charset=utf-8 date: - - Fri, 18 Mar 2022 22:49:16 GMT + - Thu, 12 Jan 2023 22:43:16 GMT expires: - '-1' pragma: @@ -56,7 +116,8 @@ interactions: message: OK - request: body: '{"properties": {"extensionType": "microsoft.dapr", "releaseTrain": "stable", - "version": "1.6.0", "configurationSettings": {}, "configurationProtectedSettings": + "version": "1.6.0", "scope": {"cluster": {"releaseNamespace": "dapr-system"}}, + "configurationSettings": {"skipExistingDaprCheck": "true"}, "configurationProtectedSettings": {}}}' headers: Accept: @@ -68,32 +129,33 @@ interactions: Connection: - keep-alive Content-Length: - - '164' + - '254' Content-Type: - application/json ParameterSetName: - - -g -n -c --cluster-type --extension-type --release-train --version --no-wait + - -g -n -c --cluster-type --extension-type --release-train --version --configuration-settings + --no-wait User-Agent: - - AZURECLI/2.34.1 azsdk-python-azure-mgmt-kubernetesconfiguration/1.0.0 Python/3.9.6 - (Windows-10-10.0.22000-SP0) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-kubernetesconfiguration/2.0.0 Python/3.10.8 + (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/azurecli-tests/providers/Microsoft.Kubernetes/connectedClusters/arc-cluster/providers/Microsoft.KubernetesConfiguration/extensions/dapr?api-version=2022-03-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/azurecli-tests/providers/Microsoft.Kubernetes/connectedClusters/arc-cluster/providers/Microsoft.KubernetesConfiguration/extensions/dapr?api-version=2022-11-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/azurecli-tests/providers/Microsoft.Kubernetes/connectedClusters/arc-cluster/providers/Microsoft.KubernetesConfiguration/extensions/dapr","name":"dapr","type":"Microsoft.KubernetesConfiguration/extensions","properties":{"extensionType":"microsoft.dapr","autoUpgradeMinorVersion":false,"releaseTrain":"stable","version":"1.6.0","scope":{"cluster":{"releaseNamespace":"dapr-system"}},"provisioningState":"Creating","installState":"Unknown","configurationSettings":{},"configurationProtectedSettings":{},"statuses":[],"aksAssignedIdentity":null},"systemData":{"createdBy":null,"createdByType":null,"createdAt":"2022-03-18T22:49:20.2443978+00:00","lastModifiedBy":null,"lastModifiedByType":null,"lastModifiedAt":"2022-03-18T22:49:20.2443978+00:00"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/azurecli-tests/providers/Microsoft.Kubernetes/connectedClusters/arc-cluster/providers/Microsoft.KubernetesConfiguration/extensions/dapr","name":"dapr","type":"Microsoft.KubernetesConfiguration/extensions","properties":{"extensionType":"microsoft.dapr","autoUpgradeMinorVersion":false,"releaseTrain":"stable","version":"1.6.0","scope":{"cluster":{"releaseNamespace":"dapr-system"}},"provisioningState":"Creating","configurationSettings":{"skipExistingDaprCheck":"true"},"configurationProtectedSettings":{},"statuses":[],"aksAssignedIdentity":null,"isSystemExtension":false},"systemData":{"createdBy":null,"createdByType":null,"createdAt":"2023-01-12T22:43:18.1754991+00:00","lastModifiedBy":null,"lastModifiedByType":null,"lastModifiedAt":"2023-01-12T22:43:18.1754991+00:00"}}' headers: api-supported-versions: - - 2020-07-01-Preview, 2021-05-01-preview, 2021-09-01, 2022-03-01, 2022-04-02-preview + - '2022-11-01' azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/azurecli-tests/providers/Microsoft.Kubernetes/ConnectedClusters/arc-cluster/providers/Microsoft.KubernetesConfiguration/extensions/dapr/operations/5870c95a-4193-48a7-83da-10619fb90bd5?api-Version=2022-03-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/azurecli-tests/providers/Microsoft.Kubernetes/ConnectedClusters/arc-cluster/providers/Microsoft.KubernetesConfiguration/extensions/dapr/operations/29f0ffb2-3281-47d6-8218-1d42bcfddbc9?api-Version=2022-11-01 cache-control: - no-cache content-length: - - '818' + - '849' content-type: - application/json; charset=utf-8 date: - - Fri, 18 Mar 2022 22:49:19 GMT + - Thu, 12 Jan 2023 22:43:17 GMT expires: - '-1' location: @@ -123,24 +185,24 @@ interactions: ParameterSetName: - -c -g --cluster-type User-Agent: - - AZURECLI/2.34.1 azsdk-python-azure-mgmt-kubernetesconfiguration/1.0.0 Python/3.9.6 - (Windows-10-10.0.22000-SP0) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-kubernetesconfiguration/2.0.0 Python/3.10.8 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/azurecli-tests/providers/Microsoft.Kubernetes/connectedClusters/arc-cluster/providers/Microsoft.KubernetesConfiguration/extensions?api-version=2022-03-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/azurecli-tests/providers/Microsoft.Kubernetes/connectedClusters/arc-cluster/providers/Microsoft.KubernetesConfiguration/extensions?api-version=2022-11-01 response: body: - string: '{"value":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/azurecli-tests/providers/Microsoft.Kubernetes/connectedClusters/arc-cluster/providers/Microsoft.KubernetesConfiguration/extensions/dapr","name":"dapr","type":"Microsoft.KubernetesConfiguration/extensions","properties":{"extensionType":"microsoft.dapr","autoUpgradeMinorVersion":false,"releaseTrain":"stable","version":"1.6.0","scope":{"cluster":{"releaseNamespace":"dapr-system"}},"provisioningState":"Creating","installState":"Unknown","configurationSettings":{},"configurationProtectedSettings":{},"statuses":[],"aksAssignedIdentity":null},"systemData":{"createdBy":null,"createdByType":null,"createdAt":"2022-03-18T22:49:20.2443978+00:00","lastModifiedBy":null,"lastModifiedByType":null,"lastModifiedAt":"2022-03-18T22:49:20.2443978+00:00"}}],"nextLink":null}' + string: '{"value":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/azurecli-tests/providers/Microsoft.Kubernetes/connectedClusters/arc-cluster/providers/Microsoft.KubernetesConfiguration/extensions/dapr","name":"dapr","type":"Microsoft.KubernetesConfiguration/extensions","properties":{"extensionType":"microsoft.dapr","autoUpgradeMinorVersion":false,"releaseTrain":"stable","version":"1.6.0","scope":{"cluster":{"releaseNamespace":"dapr-system"}},"provisioningState":"Creating","configurationSettings":{"skipExistingDaprCheck":"true"},"configurationProtectedSettings":{},"statuses":[],"aksAssignedIdentity":null,"isSystemExtension":false},"systemData":{"createdBy":null,"createdByType":null,"createdAt":"2023-01-12T22:43:18.1754991+00:00","lastModifiedBy":null,"lastModifiedByType":null,"lastModifiedAt":"2023-01-12T22:43:18.1754991+00:00"}}],"nextLink":null}' headers: api-supported-versions: - - 2020-07-01-Preview, 2021-05-01-preview, 2021-09-01, 2022-03-01, 2022-04-02-preview + - '2022-11-01' cache-control: - no-cache content-length: - - '846' + - '877' content-type: - application/json; charset=utf-8 date: - - Fri, 18 Mar 2022 22:49:20 GMT + - Thu, 12 Jan 2023 22:43:17 GMT expires: - '-1' pragma: @@ -170,24 +232,24 @@ interactions: ParameterSetName: - -c -g -n --cluster-type User-Agent: - - AZURECLI/2.34.1 azsdk-python-azure-mgmt-kubernetesconfiguration/1.0.0 Python/3.9.6 - (Windows-10-10.0.22000-SP0) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-kubernetesconfiguration/2.0.0 Python/3.10.8 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/azurecli-tests/providers/Microsoft.Kubernetes/connectedClusters/arc-cluster/providers/Microsoft.KubernetesConfiguration/extensions/dapr?api-version=2022-03-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/azurecli-tests/providers/Microsoft.Kubernetes/connectedClusters/arc-cluster/providers/Microsoft.KubernetesConfiguration/extensions/dapr?api-version=2022-11-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/azurecli-tests/providers/Microsoft.Kubernetes/connectedClusters/arc-cluster/providers/Microsoft.KubernetesConfiguration/extensions/dapr","name":"dapr","type":"Microsoft.KubernetesConfiguration/extensions","properties":{"extensionType":"microsoft.dapr","autoUpgradeMinorVersion":false,"releaseTrain":"stable","version":"1.6.0","scope":{"cluster":{"releaseNamespace":"dapr-system"}},"provisioningState":"Creating","installState":"Unknown","configurationSettings":{},"configurationProtectedSettings":{},"statuses":[],"aksAssignedIdentity":null},"systemData":{"createdBy":null,"createdByType":null,"createdAt":"2022-03-18T22:49:20.2443978+00:00","lastModifiedBy":null,"lastModifiedByType":null,"lastModifiedAt":"2022-03-18T22:49:20.2443978+00:00"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/azurecli-tests/providers/Microsoft.Kubernetes/connectedClusters/arc-cluster/providers/Microsoft.KubernetesConfiguration/extensions/dapr","name":"dapr","type":"Microsoft.KubernetesConfiguration/extensions","properties":{"extensionType":"microsoft.dapr","autoUpgradeMinorVersion":false,"releaseTrain":"stable","version":"1.6.0","scope":{"cluster":{"releaseNamespace":"dapr-system"}},"provisioningState":"Creating","configurationSettings":{"skipExistingDaprCheck":"true"},"configurationProtectedSettings":{},"statuses":[],"aksAssignedIdentity":null,"isSystemExtension":false},"systemData":{"createdBy":null,"createdByType":null,"createdAt":"2023-01-12T22:43:18.1754991+00:00","lastModifiedBy":null,"lastModifiedByType":null,"lastModifiedAt":"2023-01-12T22:43:18.1754991+00:00"}}' headers: api-supported-versions: - - 2020-07-01-Preview, 2021-05-01-preview, 2021-09-01, 2022-03-01, 2022-04-02-preview, 2022-11-01 + - '2022-11-01' cache-control: - no-cache content-length: - - '818' + - '849' content-type: - application/json; charset=utf-8 date: - - Fri, 18 Mar 2022 22:49:22 GMT + - Thu, 12 Jan 2023 22:43:18 GMT expires: - '-1' pragma: @@ -217,24 +279,24 @@ interactions: ParameterSetName: - -g -c -n --cluster-type --force -y User-Agent: - - AZURECLI/2.34.1 azsdk-python-azure-mgmt-kubernetesconfiguration/1.0.0 Python/3.9.6 - (Windows-10-10.0.22000-SP0) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-kubernetesconfiguration/2.0.0 Python/3.10.8 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/azurecli-tests/providers/Microsoft.Kubernetes/connectedClusters/arc-cluster/providers/Microsoft.KubernetesConfiguration/extensions/dapr?api-version=2022-03-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/azurecli-tests/providers/Microsoft.Kubernetes/connectedClusters/arc-cluster/providers/Microsoft.KubernetesConfiguration/extensions/dapr?api-version=2022-11-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/azurecli-tests/providers/Microsoft.Kubernetes/connectedClusters/arc-cluster/providers/Microsoft.KubernetesConfiguration/extensions/dapr","name":"dapr","type":"Microsoft.KubernetesConfiguration/extensions","properties":{"extensionType":"microsoft.dapr","autoUpgradeMinorVersion":false,"releaseTrain":"stable","version":"1.6.0","scope":{"cluster":{"releaseNamespace":"dapr-system"}},"provisioningState":"Creating","installState":"Unknown","configurationSettings":{},"configurationProtectedSettings":{},"statuses":[],"aksAssignedIdentity":null},"systemData":{"createdBy":null,"createdByType":null,"createdAt":"2022-03-18T22:49:20.2443978+00:00","lastModifiedBy":null,"lastModifiedByType":null,"lastModifiedAt":"2022-03-18T22:49:20.2443978+00:00"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/azurecli-tests/providers/Microsoft.Kubernetes/connectedClusters/arc-cluster/providers/Microsoft.KubernetesConfiguration/extensions/dapr","name":"dapr","type":"Microsoft.KubernetesConfiguration/extensions","properties":{"extensionType":"microsoft.dapr","autoUpgradeMinorVersion":false,"releaseTrain":"stable","version":"1.6.0","scope":{"cluster":{"releaseNamespace":"dapr-system"}},"provisioningState":"Creating","configurationSettings":{"skipExistingDaprCheck":"true"},"configurationProtectedSettings":{},"statuses":[],"aksAssignedIdentity":null,"isSystemExtension":false},"systemData":{"createdBy":null,"createdByType":null,"createdAt":"2023-01-12T22:43:18.1754991+00:00","lastModifiedBy":null,"lastModifiedByType":null,"lastModifiedAt":"2023-01-12T22:43:18.1754991+00:00"}}' headers: api-supported-versions: - - 2020-07-01-Preview, 2021-05-01-preview, 2021-09-01, 2022-03-01, 2022-04-02-preview + - '2022-11-01' cache-control: - no-cache content-length: - - '818' + - '849' content-type: - application/json; charset=utf-8 date: - - Fri, 18 Mar 2022 22:49:22 GMT + - Thu, 12 Jan 2023 22:43:19 GMT expires: - '-1' pragma: @@ -266,24 +328,24 @@ interactions: ParameterSetName: - -g -c -n --cluster-type --force -y User-Agent: - - AZURECLI/2.34.1 azsdk-python-azure-mgmt-kubernetesconfiguration/1.0.0 Python/3.9.6 - (Windows-10-10.0.22000-SP0) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-kubernetesconfiguration/2.0.0 Python/3.10.8 + (Windows-10-10.0.22621-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/azurecli-tests/providers/Microsoft.Kubernetes/connectedClusters/arc-cluster/providers/Microsoft.KubernetesConfiguration/extensions/dapr?api-version=2022-03-01&forceDelete=true + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/azurecli-tests/providers/Microsoft.Kubernetes/connectedClusters/arc-cluster/providers/Microsoft.KubernetesConfiguration/extensions/dapr?api-version=2022-11-01&forceDelete=true response: body: - string: '{"content":null,"statusCode":200,"headers":[],"version":"1.1","reasonPhrase":"OK","trailingHeaders":[],"requestMessage":null,"isSuccessStatusCode":true}' + string: '{"content":{"headers":[]},"statusCode":200,"headers":[],"version":"1.1","reasonPhrase":"OK","trailingHeaders":[],"requestMessage":null,"isSuccessStatusCode":true}' headers: api-supported-versions: - - 2020-07-01-Preview, 2021-05-01-preview, 2021-09-01, 2022-03-01, 2022-04-02-preview + - '2022-11-01' cache-control: - no-cache content-length: - - '152' + - '162' content-type: - application/json; charset=utf-8 date: - - Fri, 18 Mar 2022 22:49:24 GMT + - Thu, 12 Jan 2023 22:43:20 GMT expires: - '-1' pragma: @@ -315,16 +377,16 @@ interactions: ParameterSetName: - -c -g --cluster-type User-Agent: - - AZURECLI/2.34.1 azsdk-python-azure-mgmt-kubernetesconfiguration/1.0.0 Python/3.9.6 - (Windows-10-10.0.22000-SP0) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-kubernetesconfiguration/2.0.0 Python/3.10.8 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/azurecli-tests/providers/Microsoft.Kubernetes/connectedClusters/arc-cluster/providers/Microsoft.KubernetesConfiguration/extensions?api-version=2022-03-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/azurecli-tests/providers/Microsoft.Kubernetes/connectedClusters/arc-cluster/providers/Microsoft.KubernetesConfiguration/extensions?api-version=2022-11-01 response: body: string: '{"value":[],"nextLink":null}' headers: api-supported-versions: - - 2020-07-01-Preview, 2021-05-01-preview, 2021-09-01, 2022-03-01, 2022-04-02-preview + - '2022-11-01' cache-control: - no-cache content-length: @@ -332,7 +394,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Fri, 18 Mar 2022 22:49:25 GMT + - Thu, 12 Jan 2023 22:43:21 GMT expires: - '-1' pragma: From 8a48eea900cfb1538fe8ac78bd77891d539477bc Mon Sep 17 00:00:00 2001 From: Deeksha Sharma Date: Mon, 23 Jan 2023 15:15:34 -0800 Subject: [PATCH 25/44] updating HISTORY.rst --- src/k8s-extension/HISTORY.rst | 3 +++ 1 file changed, 3 insertions(+) diff --git a/src/k8s-extension/HISTORY.rst b/src/k8s-extension/HISTORY.rst index 77b6e85333b..439491490ec 100644 --- a/src/k8s-extension/HISTORY.rst +++ b/src/k8s-extension/HISTORY.rst @@ -6,6 +6,9 @@ Release History 1.3.8 ++++++++++++++++++ * Fixes to address the bug with msi auth mode for azuremonitor-containers extension version >= 3.0.0 +* microsoft.dapr: disable apply-CRDs hook if auto-upgrade is disabled +* microsoft.azuremonitor.containers: ContainerInsights Extension add dataCollectionSettings to configuration settings +* k8s-extension Adding GA api version 2022-11-01 exposing isSystemExtension and support 1.3.7 ++++++++++++++++++ From 942738f75fd5ae91fed5e32f5a63a2606d3fbda7 Mon Sep 17 00:00:00 2001 From: Arif-lakhani Date: Mon, 30 Jan 2023 16:13:13 -0800 Subject: [PATCH 26/44] Deprecate longer parameter names when accepting config settings (#213) Co-authored-by: deeksha345 <34255011+deeksha345@users.noreply.github.com> --- src/k8s-extension/azext_k8s_extension/_params.py | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/src/k8s-extension/azext_k8s_extension/_params.py b/src/k8s-extension/azext_k8s_extension/_params.py index a2dfcd01af4..5708813622e 100644 --- a/src/k8s-extension/azext_k8s_extension/_params.py +++ b/src/k8s-extension/azext_k8s_extension/_params.py @@ -52,23 +52,23 @@ def load_arguments(self, _): help='Specify the release train for the extension type.') c.argument('configuration_settings', arg_group="Configuration", - options_list=['--configuration-settings', '--config'], + options_list=['--configuration-settings', '--config', c.deprecate(target='--config-settings', redirect='--configuration-settings')], action=AddConfigurationSettings, nargs='+', help='Configuration Settings as key=value pair. Repeat parameter for each setting') c.argument('configuration_protected_settings', arg_group="Configuration", - options_list=['--config-protected-settings', '--config-protected'], + options_list=['--config-protected-settings', '--config-protected', c.deprecate(target='--configuration-protected-settings', redirect='--config-protected-settings')], action=AddConfigurationProtectedSettings, nargs='+', help='Configuration Protected Settings as key=value pair. Repeat parameter for each setting') c.argument('configuration_settings_file', arg_group="Configuration", - options_list=['--config-settings-file', '--config-file'], + options_list=['--config-settings-file', '--config-file', c.deprecate(target='--configuration-settings-file', redirect='--config-settings-file')], help='JSON file path for configuration-settings') c.argument('configuration_protected_settings_file', arg_group="Configuration", - options_list=['--config-protected-file', '--protected-settings-file'], + options_list=['--config-protected-settings-file', '--config-protected-file', c.deprecate(target='--configuration-protected-settings-file', redirect='--config-protected-file')], help='JSON file path for configuration-protected-settings') c.argument('release_namespace', help='Specify the namespace to install the extension release.') From 9aa7d3d2de71a1c5ac0a7a75a56b83e8ba698ecc Mon Sep 17 00:00:00 2001 From: Arif Lakhani Date: Mon, 30 Jan 2023 16:24:18 -0800 Subject: [PATCH 27/44] Release 1.3.9 --- src/k8s-extension/HISTORY.rst | 7 +++++++ src/k8s-extension/setup.py | 2 +- 2 files changed, 8 insertions(+), 1 deletion(-) diff --git a/src/k8s-extension/HISTORY.rst b/src/k8s-extension/HISTORY.rst index 439491490ec..00f8e22c2e4 100644 --- a/src/k8s-extension/HISTORY.rst +++ b/src/k8s-extension/HISTORY.rst @@ -3,6 +3,13 @@ Release History =============== +1.3.9 +++++++++++++++++++ +* Deprecating --config-settings alias for --configuration-settings +* Deprecating --configuration-protected-settings alias for --config-protected-settings +* Deprecating --configuration-settings-file alias for --config-settings-file +* Deprecating --configuration-protected-settings-file alias for --config-protected-file + 1.3.8 ++++++++++++++++++ * Fixes to address the bug with msi auth mode for azuremonitor-containers extension version >= 3.0.0 diff --git a/src/k8s-extension/setup.py b/src/k8s-extension/setup.py index 00ec041b2e5..2ac25f917b6 100644 --- a/src/k8s-extension/setup.py +++ b/src/k8s-extension/setup.py @@ -33,7 +33,7 @@ # TODO: Add any additional SDK dependencies here DEPENDENCIES = [] -VERSION = "1.3.8" +VERSION = "1.3.9" with open("README.rst", "r", encoding="utf-8") as f: README = f.read() From 24735654a34bc813f233700f09efb1b9fa90d551 Mon Sep 17 00:00:00 2001 From: Ganga Mahesh Siddem Date: Wed, 1 Feb 2023 17:56:04 -0800 Subject: [PATCH 28/44] make containerinsights dcr name consistent (#211) Co-authored-by: Bavneet Singh <33008256+bavneetsingh16@users.noreply.github.com> --- .../partner_extensions/ContainerInsights.py | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/ContainerInsights.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/ContainerInsights.py index f9cfedddbaf..76c9013b5a3 100644 --- a/src/k8s-extension/azext_k8s_extension/partner_extensions/ContainerInsights.py +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/ContainerInsights.py @@ -624,7 +624,9 @@ def _ensure_container_insights_dcr_for_monitoring(cmd, subscription_id, cluster_ except HttpResponseError as ex: raise ex - dataCollectionRuleName = f"MSCI-{cluster_name}-{cluster_region}" + dataCollectionRuleName = f"MSCI-{workspace_region}-{cluster_name}" + # Max length of the DCR name is 64 chars + dataCollectionRuleName = dataCollectionRuleName[0:64] dcr_resource_id = f"/subscriptions/{subscription_id}/resourceGroups/{cluster_resource_group_name}/providers/Microsoft.Insights/dataCollectionRules/{dataCollectionRuleName}" # first get the association between region display names and region IDs (because for some reason From 0845f61e84733baab7d514643ac2e9008dd80a0f Mon Sep 17 00:00:00 2001 From: Shubham Sharma Date: Fri, 17 Feb 2023 23:51:15 +0530 Subject: [PATCH 29/44] [Dapr] Update version comparison logic to use semver based comparison (#219) * Update semver comparison Signed-off-by: Shubham Sharma * Add log Signed-off-by: Shubham Sharma --------- Signed-off-by: Shubham Sharma --- .../azext_k8s_extension/partner_extensions/Dapr.py | 14 +++++++++++++- 1 file changed, 13 insertions(+), 1 deletion(-) diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/Dapr.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/Dapr.py index f35a5e0bfcb..752e6c39587 100644 --- a/src/k8s-extension/azext_k8s_extension/partner_extensions/Dapr.py +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/Dapr.py @@ -13,6 +13,7 @@ from copy import deepcopy from knack.log import get_logger from knack.prompting import prompt, prompt_y_n +from packaging import version as packaging_version from ..vendored_sdks.models import Extension, PatchExtension, Scope, ScopeCluster from .DefaultExtension import DefaultExtension @@ -173,7 +174,7 @@ def Update(self, cmd, resource_group_name: str, cluster_name: str, auto_upgrade_ logger.debug("Auto-upgrade is disabled and version is pinned to %s. Setting '%s' to false.", version, self.APPLY_CRDS_HOOK_ENABLED_KEY) configuration_settings[self.APPLY_CRDS_HOOK_ENABLED_KEY] = 'false' - elif original_version and version and version < original_version: + elif original_version and version and Dapr._is_downgrade(version, original_version): logger.debug("Downgrade detected from %s to %s. Setting %s to false.", original_version, version, self.APPLY_CRDS_HOOK_ENABLED_KEY) configuration_settings[self.APPLY_CRDS_HOOK_ENABLED_KEY] = 'false' @@ -196,3 +197,14 @@ def Update(self, cmd, resource_group_name: str, cluster_name: str, auto_upgrade_ version=version, configuration_settings=configuration_settings, configuration_protected_settings=configuration_protected_settings) + + @staticmethod + def _is_downgrade(v1: str, v2: str) -> bool: + """ + Returns True if version v1 is less than version v2. + """ + try: + return packaging_version.Version(v1) < packaging_version.Version(v2) + except packaging_version.InvalidVersion: + logger.debug("Warning: Unable to compare versions %s and %s.", v1, v2) + return True # This will cause the apply-CRDs hook to be disabled, which is safe. From ffb8a952189db02b8230c59a3b2de0026cb11756 Mon Sep 17 00:00:00 2001 From: Bavneet Singh <33008256+bavneetsingh16@users.noreply.github.com> Date: Fri, 17 Feb 2023 13:48:02 -0800 Subject: [PATCH 30/44] bump k8s-extension version to 1.4.0 (#220) --- .github/CODEOWNERS | 6 + src/aks-preview/HISTORY.rst | 5 + .../configs/ext_matrix_default.json | 12 +- .../azcli_aks_live_test/scripts/setup_venv.sh | 2 +- src/aks-preview/azext_aks_preview/__init__.py | 2 +- src/aks-preview/azext_aks_preview/_help.py | 3 + src/aks-preview/azext_aks_preview/_params.py | 6 +- .../latest/recordings/test_aks_abort.yaml | 8 +- .../test_aks_addon_disable_confcom_addon.yaml | 10 +- ...est_aks_addon_disable_openservicemesh.yaml | 10 +- .../test_aks_addon_enable_confcom_addon.yaml | 10 +- ...ble_with_azurekeyvaultsecretsprovider.yaml | 24 +- ...aks_addon_enable_with_openservicemesh.yaml | 10 +- .../test_aks_addon_list_all_disabled.yaml | 6 +- .../test_aks_addon_list_confcom_enabled.yaml | 6 +- ...ks_addon_list_openservicemesh_enabled.yaml | 6 +- .../test_aks_addon_show_all_disabled.yaml | 6 +- .../test_aks_addon_show_confcom_enabled.yaml | 6 +- ...ks_addon_show_openservicemesh_enabled.yaml | 6 +- .../test_aks_addon_update_all_disabled.yaml | 6 +- ...ate_with_azurekeyvaultsecretsprovider.yaml | 20 +- .../test_aks_addon_update_with_confcom.yaml | 20 +- .../test_aks_availability_zones.yaml | 12 +- ...ate_aadv1_and_update_with_managed_aad.yaml | 10 +- ...ool_with_custom_ca_trust_certificates.yaml | 6 +- ...est_aks_create_add_nodepool_with_motd.yaml | 12 +- ...tsecretsprovider_with_secret_rotation.yaml | 6 +- ...ks_create_and_update_csi_driver_to_v2.yaml | 12 +- ...test_aks_create_and_update_ipv6_count.yaml | 12 +- ...st_aks_create_and_update_outbound_ips.yaml | 12 +- ..._aks_create_and_update_ssh_public_key.yaml | 14 +- ...reate_and_update_with_blob_csi_driver.yaml | 36 +- ...update_with_csi_drivers_extensibility.yaml | 30 +- ...ate_and_update_with_http_proxy_config.yaml | 1310 +- ...ks_create_and_update_with_managed_aad.yaml | 10 +- ...te_with_managed_aad_enable_azure_rbac.yaml | 16 +- ...ate_with_managed_nat_gateway_outbound.yaml | 10 +- ...eate_and_update_with_node_restriction.yaml | 712 +- ...and_update_with_nrg_restriction_level.yaml | 12 +- .../test_aks_create_and_update_with_vpa.yaml | 16 +- ...create_dualstack_with_default_network.yaml | 6 +- ...te_nonaad_and_update_with_managed_aad.yaml | 10 +- ...test_aks_create_none_private_dns_zone.yaml | 6 +- ..._with_load_balancer_backend_pool_type.yaml | 10 +- ...ks_create_private_cluster_public_fqdn.yaml | 10 +- ...ng_azurecni_with_pod_identity_enabled.yaml | 36 +- ...pplication_routing_dns_zone_not_exist.yaml | 2 +- .../recordings/test_aks_create_with_ahub.yaml | 22 +- ...reate_with_apiserver_vnet_integration.yaml | 6 +- ...ith_apiserver_vnet_integration_public.yaml | 6 +- ..._aks_create_with_auto_upgrade_channel.yaml | 12 +- ...e_channel_and_node_os_upgrade_channel.yaml | 12 +- ...th_azurekeyvaultsecretsprovider_addon.yaml | 6 +- .../test_aks_create_with_confcom_addon.yaml | 4 +- ...ate_with_confcom_addon_helper_enabled.yaml | 4 +- .../test_aks_create_with_crg_id.yaml | 12 +- .../test_aks_create_with_csi_driver_v2.yaml | 6 +- .../test_aks_create_with_default_network.yaml | 6 +- ...s_create_with_enable_cilium_dataplane.yaml | 6 +- .../test_aks_create_with_ephemeral_disk.yaml | 4 +- .../recordings/test_aks_create_with_fips.yaml | 12 +- ...r_enabled_with_default_interval_hours.yaml | 4 +- ...e_cleaner_enabled_with_interval_hours.yaml | 4 +- ...t_aks_create_with_ingress_appgw_addon.yaml | 4 +- .../recordings/test_aks_create_with_keda.yaml | 6 +- ...est_aks_create_with_kube_proxy_config.yaml | 6 +- .../test_aks_create_with_managed_disk.yaml | 4 +- ...t_aks_create_with_network_plugin_none.yaml | 4 +- .../test_aks_create_with_node_config.yaml | 10 +- ...s_create_with_node_os_upgrade_channel.yaml | 12 +- .../test_aks_create_with_nsg_control.yaml | 6 +- ...t_aks_create_with_oidc_issuer_enabled.yaml | 4 +- ...aks_create_with_openservicemesh_addon.yaml | 4 +- .../test_aks_create_with_ossku.yaml | 6 +- ...eate_with_overlay_network_plugin_mode.yaml | 6 +- ..._aks_create_with_pod_identity_enabled.yaml | 36 +- ..._create_with_standard_blob_csi_driver.yaml | 12 +- ..._aks_create_with_standard_csi_drivers.yaml | 12 +- ...s_create_with_web_application_routing.yaml | 4 +- .../test_aks_create_with_windows.yaml | 22 +- .../test_aks_create_with_windows_gmsa.yaml | 16 +- ...create_with_workload_identity_enabled.yaml | 4 +- .../test_aks_custom_ca_trust_flow.yaml | 12 +- ...est_aks_disable_addon_openservicemesh.yaml | 10 +- ...est_aks_disable_addon_web_app_routing.yaml | 10 +- ...test_aks_disable_addons_confcom_addon.yaml | 10 +- .../test_aks_disable_local_accounts.yaml | 12 +- ...don_with_azurekeyvaultsecretsprovider.yaml | 36 +- ...aks_enable_addon_with_openservicemesh.yaml | 10 +- .../test_aks_enable_addons_confcom_addon.yaml | 10 +- .../recordings/test_aks_enable_utlra_ssd.yaml | 6 +- .../test_aks_maintenanceconfiguration.yaml | 20 +- .../test_aks_maintenancewindow.yaml | 28 +- .../recordings/test_aks_nodepool_abort.yaml | 24 +- ...add_with_disable_windows_outbound_nat.yaml | 12 +- ...odepool_add_with_gpu_instance_profile.yaml | 12 +- .../test_aks_nodepool_add_with_ossku.yaml | 12 +- ...s_nodepool_add_with_ossku_windows2022.yaml | 12 +- ...ks_nodepool_add_with_workload_runtime.yaml | 12 +- ..._aks_nodepool_create_with_nsg_control.yaml | 12 +- ...ete_with_ignore_pod_disruption_budget.yaml | 26 +- .../test_aks_nodepool_get_upgrades.yaml | 8 +- .../test_aks_nodepool_snapshot.yaml | 40 +- .../test_aks_nodepool_stop_and_start.yaml | 28 +- .../test_aks_nodepool_update_label_msi.yaml | 24 +- .../test_aks_nodepool_update_taints_msi.yaml | 26 +- ..._aks_nodepool_update_with_nsg_control.yaml | 12 +- .../latest/recordings/test_aks_snapshot.yaml | 22 +- .../recordings/test_aks_snapshot_update.yaml | 28 +- .../recordings/test_aks_snapshot_upgrade.yaml | 28 +- .../recordings/test_aks_stop_and_start.yaml | 8 +- .../test_aks_trustedaccess_rolebinding.yaml | 364 +- .../recordings/test_aks_update_label_msi.yaml | 16 +- ...pdate_outbound_from_slb_to_natgateway.yaml | 10 +- .../test_aks_update_to_msi_cluster.yaml | 12 +- ...t_aks_update_with_azuremonitormetrics.yaml | 18 +- .../test_aks_update_with_image_cleaner.yaml | 16 +- .../recordings/test_aks_update_with_keda.yaml | 18 +- ...est_aks_update_with_kube_proxy_config.yaml | 12 +- ...t_aks_update_with_oidc_issuer_enabled.yaml | 10 +- .../test_aks_update_with_windows_gmsa.yaml | 22 +- ...test_aks_update_with_windows_password.yaml | 20 +- ...est_aks_update_with_workload_identity.yaml | 16 +- ...t_aks_upgrade_node_image_only_cluster.yaml | 10 +- ..._aks_upgrade_node_image_only_nodepool.yaml | 8 +- .../recordings/test_aks_upgrade_nodepool.yaml | 24 +- .../recordings/test_get_os_options.yaml | 2 +- .../test_get_trustedaccess_roles.yaml | 2 +- .../recordings/test_node_public_ip_tags.yaml | 12 +- .../tests/latest/test_aks_commands.py | 21 +- .../_container_service_client.py | 67 +- .../azure_mgmt_preview_aks/_serialization.py | 89 +- .../azure_mgmt_preview_aks/_version.py | 2 +- .../azure_mgmt_preview_aks/models.py | 2 +- .../__init__.py | 0 .../_configuration.py | 4 +- .../_container_service_client.py | 26 +- .../_patch.py | 0 .../_vendor.py | 5 +- .../_version.py | 0 .../aio/__init__.py | 0 .../aio/_configuration.py | 4 +- .../aio/_container_service_client.py | 26 +- .../aio/_patch.py | 0 .../aio/operations/__init__.py | 0 .../aio/operations/_agent_pools_operations.py | 74 +- .../_maintenance_configurations_operations.py | 36 +- .../_managed_cluster_snapshots_operations.py | 58 +- .../_managed_clusters_operations.py | 223 +- .../aio/operations/_operations.py | 8 +- .../aio/operations/_patch.py | 0 ...private_endpoint_connections_operations.py | 40 +- .../_private_link_resources_operations.py | 8 +- ...olve_private_link_service_id_operations.py | 18 +- .../aio/operations/_snapshots_operations.py | 58 +- ...trusted_access_role_bindings_operations.py | 36 +- .../_trusted_access_roles_operations.py | 8 +- .../models/__init__.py | 6 + .../models/_container_service_client_enums.py | 313 +- .../models/_models_py3.py | 1405 +- .../models/_patch.py | 0 .../operations/__init__.py | 0 .../operations/_agent_pools_operations.py | 106 +- .../_maintenance_configurations_operations.py | 52 +- .../_managed_cluster_snapshots_operations.py | 82 +- .../_managed_clusters_operations.py | 311 +- .../operations/_operations.py | 12 +- .../operations/_patch.py | 0 ...private_endpoint_connections_operations.py | 56 +- .../_private_link_resources_operations.py | 12 +- ...olve_private_link_service_id_operations.py | 22 +- .../operations/_snapshots_operations.py | 82 +- ...trusted_access_role_bindings_operations.py | 52 +- .../_trusted_access_roles_operations.py | 12 +- src/aks-preview/setup.py | 2 +- src/amg/HISTORY.rst | 8 + src/amg/setup.py | 2 +- src/authV2/HISTORY.rst | 4 + src/authV2/azext_authV2/_params.py | 2 +- .../latest/recordings/test_authV2_auth.yaml | 105 +- .../recordings/test_authV2_authclassic.yaml | 90 +- ...uthV2_clientsecret_param_combinations.yaml | 95 +- src/authV2/setup.py | 2 +- src/automanage/HISTORY.rst | 7 + src/automanage/README.md | 4 +- .../configuration_profile/_create.py | 5 +- .../configuration_profile/_update.py | 2 +- .../configuration_profile/version/_create.py | 2 +- .../configuration_profile/version/_update.py | 2 +- ...ation_profile_assignment_vm_scenarios.yaml | 316 +- ...anage_configuration_profile_scenarios.yaml | 682 +- .../recordings/test_automanage_scenarios.yaml | 16 +- .../tests/latest/test_automanage.py | 3 +- src/automanage/setup.py | 2 +- src/bastion/HISTORY.rst | 4 + src/bastion/azext_bastion/custom.py | 8 +- .../azext_bastion/developer_sku_helper.py | 2 +- .../recordings/test_bastion_host_crud.yaml | 1327 +- .../tests/latest/test_bastion.py | 2 +- src/bastion/azext_bastion/tunnel.py | 2 +- src/bastion/setup.py | 2 +- src/communication/HISTORY.rst | 10 + src/communication/README.md | 8 + .../manual/_client_factory.py | 16 +- .../azext_communication/manual/_help.py | 28 + .../azext_communication/manual/_params.py | 32 + .../azext_communication/manual/commands.py | 12 + .../azext_communication/manual/custom.py | 87 + .../azext_communication/version.py | 2 +- src/communication/setup.py | 1 + src/confcom/.gitignore | 32 + src/confcom/HISTORY.rst | 67 + src/confcom/README.md | 80 + src/confcom/azext_confcom/README.md | 480 + src/confcom/azext_confcom/__init__.py | 30 + src/confcom/azext_confcom/_help.py | 91 + src/confcom/azext_confcom/_params.py | 123 + src/confcom/azext_confcom/_validators.py | 22 + src/confcom/azext_confcom/arm.template.md | 111 + src/confcom/azext_confcom/azext_metadata.json | 4 + src/confcom/azext_confcom/commands.py | 13 + src/confcom/azext_confcom/config.py | 134 + src/confcom/azext_confcom/container.py | 499 + src/confcom/azext_confcom/custom.py | 220 + .../data/customer_rego_policy.txt | 39 + .../azext_confcom/data/internal_config.json | 210 + .../data/sidecar_rego_policy.txt | 7 + src/confcom/azext_confcom/errors.py | 18 + src/confcom/azext_confcom/init_checks.py | 75 + src/confcom/azext_confcom/os_util.py | 135 + src/confcom/azext_confcom/rootfs_proxy.py | 90 + src/confcom/azext_confcom/sample_policy.md | 89 + src/confcom/azext_confcom/security_policy.py | 802 + .../azext_confcom/template.parameters.md | 24 + src/confcom/azext_confcom/template_util.py | 738 + src/confcom/azext_confcom/tests/__init__.py | 5 + .../azext_confcom/tests/latest/README.md | 105 + .../azext_confcom/tests/latest/__init__.py | 5 + .../tests/latest/test_confcom_arm.py | 2761 +++ .../tests/latest/test_confcom_image.py | 128 + .../tests/latest/test_confcom_scenario.py | 874 + .../tests/latest/test_confcom_startup.py | 69 + .../tests/latest/test_confcom_tar.py | 502 + .../latest/test_confcom_template_util.py | 531 + src/confcom/requirements.txt | 4 + src/confcom/samples/README.md | 148 + src/confcom/samples/sample-policy-output.rego | 192 + .../samples/sample-template-input.json | 76 + .../samples/sample-template-output.json | 76 + src/confcom/setup.py | 91 + src/connectedk8s/HISTORY.rst | 28 + .../azext_connectedk8s/_client_factory.py | 74 +- .../azext_connectedk8s/_constants.py | 20 +- .../azext_connectedk8s/_params.py | 5 +- .../azext_connectedk8s/_precheckutils.py | 52 +- src/connectedk8s/azext_connectedk8s/_utils.py | 135 +- src/connectedk8s/azext_connectedk8s/custom.py | 255 +- .../latest/recordings/test_connectedk8s.yaml | 5262 ------ .../latest/recordings/test_forcedelete.yaml | 1465 +- .../latest/test_connectedk8s_scenario.py | 496 +- ...ot_diagnoser_job_with_proxycert_mount.yaml | 2 +- ...shoot_diagnoser_job_without_proxycert.yaml | 4 +- src/connectedk8s/setup.py | 2 +- src/containerapp/HISTORY.rst | 13 + .../azext_containerapp/_client_factory.py | 27 + .../azext_containerapp/_clients.py | 103 + .../azext_containerapp/_constants.py | 7 + src/containerapp/azext_containerapp/_help.py | 35 +- .../azext_containerapp/_models.py | 12 +- .../azext_containerapp/_params.py | 13 + .../azext_containerapp/_sdk_models.py | 32 + src/containerapp/azext_containerapp/_utils.py | 48 +- .../azext_containerapp/_validators.py | 2 +- .../azext_containerapp/commands.py | 2 + src/containerapp/azext_containerapp/custom.py | 205 +- .../azext_containerapp/tests/latest/common.py | 1 + .../test_containerapp_up_dapr_e2e.yaml | 6297 +++++++ .../latest/test_containerapp_commands.py | 119 +- .../latest/test_containerapp_compose_basic.py | 14 +- .../test_containerapp_compose_command.py | 24 +- .../test_containerapp_compose_environment.py | 19 +- .../test_containerapp_compose_ingress.py | 24 +- .../test_containerapp_compose_registries.py | 19 +- .../test_containerapp_compose_resources.py | 24 +- .../latest/test_containerapp_compose_scale.py | 19 +- .../test_containerapp_compose_secrets.py | 21 +- ...ontainerapp_compose_transport_overrides.py | 19 +- .../latest/test_containerapp_env_commands.py | 105 +- .../latest/test_containerapp_scenario.py | 57 +- .../tests/latest/test_containerapp_up.py | 6 +- .../azext_containerapp/tests/latest/utils.py | 2 +- src/containerapp/setup.py | 2 +- src/dataprotection/HISTORY.rst | 5 + .../azext_dataprotection/__init__.py | 11 + .../azext_dataprotection/aaz/__init__.py | 6 + .../aaz/latest/__init__.py | 6 + .../aaz/latest/dataprotection/__cmd_group.py | 24 + .../aaz/latest/dataprotection/__init__.py | 11 + .../backup_vault/__cmd_group.py | 24 + .../dataprotection/backup_vault/__init__.py | 17 + .../dataprotection/backup_vault/_create.py | 491 + .../dataprotection/backup_vault/_delete.py | 145 + .../dataprotection/backup_vault/_list.py | 554 + .../dataprotection/backup_vault/_show.py | 317 + .../dataprotection/backup_vault/_update.py | 596 + .../dataprotection/backup_vault/_wait.py | 309 + .../azext_dataprotection/azext_metadata.json | 2 +- .../azext_dataprotection/generated/_help.py | 80 - .../generated/commands.py | 9 - .../azext_dataprotection/generated/custom.py | 61 - .../azext_dataprotection/manual/commands.py | 5 - .../azext_dataprotection/manual/custom.py | 60 - .../manual/operations/custom_aaz.py | 0 .../latest/test_dataprotection_scenario.py | 19 +- .../azext_dataprotection/manual/version.py | 2 +- .../test_dataprotection_Scenario.yaml | 15097 ++++++++++++---- .../recordings/test_dataprotection_oss.yaml | 2868 +-- src/dataprotection/setup.py | 2 +- src/index.json | 1731 +- src/k8s-extension/HISTORY.rst | 4 + src/k8s-extension/setup.py | 2 +- src/load/HISTORY.rst | 4 + src/load/azext_load/azext_metadata.json | 1 - .../recordings/test_load_scenarios.yaml | 499 +- src/load/setup.py | 2 +- src/nginx/HISTORY.rst | 4 + .../aaz/latest/nginx/deployment/_create.py | 6 +- .../test_deployment_cert_config.yaml | 24 +- .../tests/latest/test_nginx_scenario.py | 2 +- src/nginx/setup.py | 2 +- src/quantum/HISTORY.rst | 6 + src/quantum/azext_quantum/__init__.py | 2 +- src/quantum/azext_quantum/_help.py | 17 +- src/quantum/azext_quantum/_params.py | 17 +- src/quantum/azext_quantum/_storage.py | 116 + src/quantum/azext_quantum/azext_metadata.json | 2 +- src/quantum/azext_quantum/operations/job.py | 307 +- .../azext_quantum/operations/target.py | 17 + .../azext_quantum/operations/workspace.py | 2 +- .../Program.qs | 0 .../latest/input_data/QIO-Problem-2.json | 18 + .../Qiskit-3-qubit-GHZ-circuit.json | 1 + .../tests/latest/input_data/Qrng.bc | Bin 0 -> 1728 bytes .../QuantumRNG.csproj | 4 +- .../tests/latest/input_data/bell-state.quil | 7 + .../latest/recordings/test_get_provider.yaml | 1461 ++ .../tests/latest/recordings/test_submit.yaml | 3326 ++++ .../tests/latest/test_quantum_jobs.py | 63 +- .../tests/latest/test_quantum_targets.py | 29 +- .../tests/latest/test_quantum_workspace.py | 2 +- .../azext_quantum/tests/latest/utils.py | 15 +- src/quantum/setup.py | 3 +- src/service_name.json | 29 +- src/serviceconnector-passwordless/HISTORY.rst | 8 + src/serviceconnector-passwordless/README.rst | 5 + .../__init__.py | 31 + .../_credential_free.py | 732 + .../_help.py | 8 + .../_params.py | 72 + .../_resource_config.py | 117 + .../_validators.py | 4 + .../azext_metadata.json | 4 + .../commands.py | 45 + .../custom.py | 74 + .../tests/__init__.py | 5 + .../tests/latest/__init__.py | 5 + ..._serviceconnector-passwordless_scenario.py | 364 + src/serviceconnector-passwordless/setup.cfg | 0 src/serviceconnector-passwordless/setup.py | 65 + src/spring/HISTORY.md | 12 + src/spring/azext_spring/_app_factory.py | 29 +- src/spring/azext_spring/_app_validator.py | 12 +- src/spring/azext_spring/_build_service.py | 2 +- .../azext_spring/_buildservices_factory.py | 4 +- src/spring/azext_spring/_client_factory.py | 64 +- .../_deployment_deployable_factory.py | 1 - .../azext_spring/_deployment_factory.py | 23 +- .../_deployment_source_factory.py | 4 +- src/spring/azext_spring/_help.py | 4 +- src/spring/azext_spring/_marketplace.py | 4 +- src/spring/azext_spring/_params.py | 22 +- src/spring/azext_spring/_util_enterprise.py | 2 +- src/spring/azext_spring/_utils.py | 6 +- src/spring/azext_spring/_validators.py | 2 +- src/spring/azext_spring/api_portal.py | 2 +- src/spring/azext_spring/app.py | 6 +- .../azext_spring/app_managed_identity.py | 94 +- .../application_configuration_service.py | 2 +- src/spring/azext_spring/buildpack_binding.py | 2 +- src/spring/azext_spring/commands.py | 61 +- src/spring/azext_spring/custom.py | 109 +- src/spring/azext_spring/spring_instance.py | 2 +- .../recordings/test_app_identity_crud.yaml | 116 +- .../test_app_identity_force_set.yaml | 112 +- .../test_create_app_with_assign_identity.yaml | 38 +- .../test_create_app_with_both_identity.yaml | 38 +- .../test_create_app_with_system_assigned.yaml | 38 +- .../test_create_app_with_user_identity.yaml | 38 +- ...app_managed_identity_force_set_scenario.py | 2 +- .../test_app_managed_identity_remove.py | 2 +- .../test_app_managed_identity_scenario.py | 2 +- ..._create_app_with_both_identity_scenario.py | 2 +- ...reate_app_with_system_identity_scenario.py | 2 +- ..._create_app_with_user_identity_scenario.py | 2 +- .../tests/latest/recordings/test_Builder.yaml | 46 +- .../latest/recordings/test_api_portal.yaml | 122 +- .../latest/recordings/test_app_connect.yaml | 2 +- .../latest/recordings/test_app_crud.yaml | 98 +- .../latest/recordings/test_app_crud_1.yaml | 52 +- .../recordings/test_app_deploy_container.yaml | 68 +- .../latest/recordings/test_app_i2a_tls.yaml | 112 +- .../test_application_accelerator.yaml | 10 +- ...est_application_configuration_service.yaml | 192 +- .../test_asc_app_insights_update.yaml | 366 +- .../latest/recordings/test_asc_update.yaml | 176 +- .../latest/recordings/test_az_asc_create.yaml | 6 +- .../recordings/test_bind_cert_to_domain.yaml | 82 +- .../test_blue_green_deployment.yaml | 1103 +- .../recordings/test_buildpack_binding.yaml | 78 +- .../latest/recordings/test_client_auth.yaml | 48 +- .../test_create_asc_heavy_cases.yaml | 96 +- .../test_create_asc_with_ai_basic_case.yaml | 18 +- .../test_create_asc_without_ai_cases.yaml | 12 +- .../test_customized_accelerator.yaml | 12 +- .../latest/recordings/test_deploy_app.yaml | 124 +- .../tests/latest/recordings/test_gateway.yaml | 50 +- .../test_generate_deployment_dump.yaml | 724 +- .../latest/recordings/test_live_view.yaml | 8 +- .../test_load_public_cert_to_app.yaml | 74 +- .../recordings/test_persistent_storage.yaml | 44 +- .../test_predefined_accelerator.yaml | 12 +- .../recordings/test_remote_debugging.yaml | 66 +- .../recordings/test_service_registry.yaml | 82 +- .../test_stop_and_start_service.yaml | 116 +- .../recordings/test_vnet_public_endpoint.yaml | 86 +- .../tests/latest/test_asa_api_portal.py | 2 - .../azext_spring/tests/latest/test_asa_app.py | 32 +- .../tests/latest/test_asa_app_validator.py | 20 +- .../test_asa_application_accelerator.py | 2 - ...t_asa_application_configuration_service.py | 2 - .../latest/test_asa_application_live_view.py | 2 - .../latest/test_asa_buildpack_binding.py | 2 - .../tests/latest/test_asa_create.py | 3 - .../latest/test_asa_customized_accelerator.py | 2 - .../tests/latest/test_asa_gateway.py | 2 - .../latest/test_asa_predefined_accelerator.py | 2 - .../tests/latest/test_asa_scenario.py | 2 - .../tests/latest/test_asa_service_registry.py | 2 - .../tests/latest/test_asa_validator.py | 1 - src/spring/setup.py | 2 +- .../azext_storage_blob_preview/_params.py | 20 - .../azext_storage_blob_preview/commands.py | 3 - .../operations/blob.py | 23 - .../azext_storage_preview/__init__.py | 7 +- .../azext_storage_preview/_params.py | 4 - .../azext_storage_preview/commands.py | 9 - .../azext_storage_preview/operations/blob.py | 6 - src/voice-service/HISTORY.rst | 8 + src/voice-service/README.md | 62 + .../azext_voice_service/__init__.py | 42 + .../azext_voice_service/_help.py | 11 + .../azext_voice_service/_params.py | 13 + .../azext_voice_service/aaz/__init__.py | 6 + .../aaz/latest/__init__.py | 6 + .../aaz/latest/voice_service/__cmd_group.py | 23 + .../aaz/latest/voice_service/__init__.py | 12 + .../voice_service/_check_name_availability.py | 189 + .../voice_service/gateway/__cmd_group.py | 23 + .../latest/voice_service/gateway/__init__.py | 17 + .../latest/voice_service/gateway/_create.py | 525 + .../latest/voice_service/gateway/_delete.py | 166 + .../aaz/latest/voice_service/gateway/_list.py | 516 + .../aaz/latest/voice_service/gateway/_show.py | 297 + .../latest/voice_service/gateway/_update.py | 491 + .../aaz/latest/voice_service/gateway/_wait.py | 293 + .../voice_service/test_line/__cmd_group.py | 23 + .../voice_service/test_line/__init__.py | 17 + .../latest/voice_service/test_line/_create.py | 310 + .../latest/voice_service/test_line/_delete.py | 179 + .../latest/voice_service/test_line/_list.py | 232 + .../latest/voice_service/test_line/_show.py | 235 + .../latest/voice_service/test_line/_update.py | 433 + .../latest/voice_service/test_line/_wait.py | 231 + .../azext_voice_service/azext_metadata.json | 4 + .../azext_voice_service/commands.py | 15 + .../azext_voice_service/custom.py | 14 + .../azext_voice_service/tests/__init__.py | 6 + .../tests/latest/__init__.py | 6 + ...voice_service_check_name_availability.yaml | 54 + .../test_voice_service_gateway.yaml | 558 + .../test_voice_service_test_line.yaml | 552 + .../tests/latest/test_voice_service.py | 152 + src/voice-service/setup.cfg | 1 + src/voice-service/setup.py | 49 + 494 files changed, 55907 insertions(+), 19870 deletions(-) mode change 100644 => 100755 src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_http_proxy_config.yaml rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2022_11_02_preview => v2023_01_02_preview}/__init__.py (100%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2022_11_02_preview => v2023_01_02_preview}/_configuration.py (95%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2022_11_02_preview => v2023_01_02_preview}/_container_service_client.py (89%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2022_11_02_preview => v2023_01_02_preview}/_patch.py (100%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2022_11_02_preview => v2023_01_02_preview}/_vendor.py (85%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2022_11_02_preview => v2023_01_02_preview}/_version.py (100%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2022_11_02_preview => v2023_01_02_preview}/aio/__init__.py (100%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2022_11_02_preview => v2023_01_02_preview}/aio/_configuration.py (95%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2022_11_02_preview => v2023_01_02_preview}/aio/_container_service_client.py (89%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2022_11_02_preview => v2023_01_02_preview}/aio/_patch.py (100%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2022_11_02_preview => v2023_01_02_preview}/aio/operations/__init__.py (100%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2022_11_02_preview => v2023_01_02_preview}/aio/operations/_agent_pools_operations.py (95%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2022_11_02_preview => v2023_01_02_preview}/aio/operations/_maintenance_configurations_operations.py (94%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2022_11_02_preview => v2023_01_02_preview}/aio/operations/_managed_cluster_snapshots_operations.py (93%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2022_11_02_preview => v2023_01_02_preview}/aio/operations/_managed_clusters_operations.py (94%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2022_11_02_preview => v2023_01_02_preview}/aio/operations/_operations.py (95%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2022_11_02_preview => v2023_01_02_preview}/aio/operations/_patch.py (100%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2022_11_02_preview => v2023_01_02_preview}/aio/operations/_private_endpoint_connections_operations.py (94%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2022_11_02_preview => v2023_01_02_preview}/aio/operations/_private_link_resources_operations.py (95%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2022_11_02_preview => v2023_01_02_preview}/aio/operations/_resolve_private_link_service_id_operations.py (93%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2022_11_02_preview => v2023_01_02_preview}/aio/operations/_snapshots_operations.py (93%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2022_11_02_preview => v2023_01_02_preview}/aio/operations/_trusted_access_role_bindings_operations.py (94%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2022_11_02_preview => v2023_01_02_preview}/aio/operations/_trusted_access_roles_operations.py (96%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2022_11_02_preview => v2023_01_02_preview}/models/__init__.py (98%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2022_11_02_preview => v2023_01_02_preview}/models/_container_service_client_enums.py (77%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2022_11_02_preview => v2023_01_02_preview}/models/_models_py3.py (90%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2022_11_02_preview => v2023_01_02_preview}/models/_patch.py (100%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2022_11_02_preview => v2023_01_02_preview}/operations/__init__.py (100%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2022_11_02_preview => v2023_01_02_preview}/operations/_agent_pools_operations.py (94%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2022_11_02_preview => v2023_01_02_preview}/operations/_maintenance_configurations_operations.py (94%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2022_11_02_preview => v2023_01_02_preview}/operations/_managed_cluster_snapshots_operations.py (93%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2022_11_02_preview => v2023_01_02_preview}/operations/_managed_clusters_operations.py (94%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2022_11_02_preview => v2023_01_02_preview}/operations/_operations.py (94%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2022_11_02_preview => v2023_01_02_preview}/operations/_patch.py (100%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2022_11_02_preview => v2023_01_02_preview}/operations/_private_endpoint_connections_operations.py (94%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2022_11_02_preview => v2023_01_02_preview}/operations/_private_link_resources_operations.py (94%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2022_11_02_preview => v2023_01_02_preview}/operations/_resolve_private_link_service_id_operations.py (93%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2022_11_02_preview => v2023_01_02_preview}/operations/_snapshots_operations.py (93%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2022_11_02_preview => v2023_01_02_preview}/operations/_trusted_access_role_bindings_operations.py (94%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2022_11_02_preview => v2023_01_02_preview}/operations/_trusted_access_roles_operations.py (95%) create mode 100644 src/confcom/.gitignore create mode 100644 src/confcom/HISTORY.rst create mode 100644 src/confcom/README.md create mode 100644 src/confcom/azext_confcom/README.md create mode 100644 src/confcom/azext_confcom/__init__.py create mode 100644 src/confcom/azext_confcom/_help.py create mode 100644 src/confcom/azext_confcom/_params.py create mode 100644 src/confcom/azext_confcom/_validators.py create mode 100644 src/confcom/azext_confcom/arm.template.md create mode 100644 src/confcom/azext_confcom/azext_metadata.json create mode 100644 src/confcom/azext_confcom/commands.py create mode 100644 src/confcom/azext_confcom/config.py create mode 100644 src/confcom/azext_confcom/container.py create mode 100644 src/confcom/azext_confcom/custom.py create mode 100644 src/confcom/azext_confcom/data/customer_rego_policy.txt create mode 100644 src/confcom/azext_confcom/data/internal_config.json create mode 100644 src/confcom/azext_confcom/data/sidecar_rego_policy.txt create mode 100644 src/confcom/azext_confcom/errors.py create mode 100644 src/confcom/azext_confcom/init_checks.py create mode 100644 src/confcom/azext_confcom/os_util.py create mode 100644 src/confcom/azext_confcom/rootfs_proxy.py create mode 100644 src/confcom/azext_confcom/sample_policy.md create mode 100644 src/confcom/azext_confcom/security_policy.py create mode 100644 src/confcom/azext_confcom/template.parameters.md create mode 100644 src/confcom/azext_confcom/template_util.py create mode 100644 src/confcom/azext_confcom/tests/__init__.py create mode 100644 src/confcom/azext_confcom/tests/latest/README.md create mode 100644 src/confcom/azext_confcom/tests/latest/__init__.py create mode 100644 src/confcom/azext_confcom/tests/latest/test_confcom_arm.py create mode 100644 src/confcom/azext_confcom/tests/latest/test_confcom_image.py create mode 100644 src/confcom/azext_confcom/tests/latest/test_confcom_scenario.py create mode 100644 src/confcom/azext_confcom/tests/latest/test_confcom_startup.py create mode 100644 src/confcom/azext_confcom/tests/latest/test_confcom_tar.py create mode 100644 src/confcom/azext_confcom/tests/latest/test_confcom_template_util.py create mode 100644 src/confcom/requirements.txt create mode 100644 src/confcom/samples/README.md create mode 100644 src/confcom/samples/sample-policy-output.rego create mode 100644 src/confcom/samples/sample-template-input.json create mode 100644 src/confcom/samples/sample-template-output.json create mode 100644 src/confcom/setup.py delete mode 100644 src/connectedk8s/azext_connectedk8s/tests/latest/recordings/test_connectedk8s.yaml create mode 100644 src/containerapp/azext_containerapp/tests/latest/recordings/test_containerapp_up_dapr_e2e.yaml create mode 100644 src/dataprotection/azext_dataprotection/aaz/__init__.py create mode 100644 src/dataprotection/azext_dataprotection/aaz/latest/__init__.py create mode 100644 src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/__cmd_group.py create mode 100644 src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/__init__.py create mode 100644 src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/__cmd_group.py create mode 100644 src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/__init__.py create mode 100644 src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_create.py create mode 100644 src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_delete.py create mode 100644 src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_list.py create mode 100644 src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_show.py create mode 100644 src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_update.py create mode 100644 src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_wait.py create mode 100644 src/dataprotection/azext_dataprotection/manual/operations/custom_aaz.py create mode 100644 src/quantum/azext_quantum/_storage.py rename src/quantum/azext_quantum/tests/latest/{source_for_build_test => input_data}/Program.qs (100%) create mode 100644 src/quantum/azext_quantum/tests/latest/input_data/QIO-Problem-2.json create mode 100644 src/quantum/azext_quantum/tests/latest/input_data/Qiskit-3-qubit-GHZ-circuit.json create mode 100644 src/quantum/azext_quantum/tests/latest/input_data/Qrng.bc rename src/quantum/azext_quantum/tests/latest/{source_for_build_test => input_data}/QuantumRNG.csproj (55%) create mode 100644 src/quantum/azext_quantum/tests/latest/input_data/bell-state.quil create mode 100644 src/quantum/azext_quantum/tests/latest/recordings/test_get_provider.yaml create mode 100644 src/quantum/azext_quantum/tests/latest/recordings/test_submit.yaml create mode 100644 src/serviceconnector-passwordless/HISTORY.rst create mode 100644 src/serviceconnector-passwordless/README.rst create mode 100644 src/serviceconnector-passwordless/azext_serviceconnector_passwordless/__init__.py create mode 100644 src/serviceconnector-passwordless/azext_serviceconnector_passwordless/_credential_free.py create mode 100644 src/serviceconnector-passwordless/azext_serviceconnector_passwordless/_help.py create mode 100644 src/serviceconnector-passwordless/azext_serviceconnector_passwordless/_params.py create mode 100644 src/serviceconnector-passwordless/azext_serviceconnector_passwordless/_resource_config.py create mode 100644 src/serviceconnector-passwordless/azext_serviceconnector_passwordless/_validators.py create mode 100644 src/serviceconnector-passwordless/azext_serviceconnector_passwordless/azext_metadata.json create mode 100644 src/serviceconnector-passwordless/azext_serviceconnector_passwordless/commands.py create mode 100644 src/serviceconnector-passwordless/azext_serviceconnector_passwordless/custom.py create mode 100644 src/serviceconnector-passwordless/azext_serviceconnector_passwordless/tests/__init__.py create mode 100644 src/serviceconnector-passwordless/azext_serviceconnector_passwordless/tests/latest/__init__.py create mode 100644 src/serviceconnector-passwordless/azext_serviceconnector_passwordless/tests/latest/test_serviceconnector-passwordless_scenario.py create mode 100644 src/serviceconnector-passwordless/setup.cfg create mode 100644 src/serviceconnector-passwordless/setup.py create mode 100644 src/voice-service/HISTORY.rst create mode 100644 src/voice-service/README.md create mode 100644 src/voice-service/azext_voice_service/__init__.py create mode 100644 src/voice-service/azext_voice_service/_help.py create mode 100644 src/voice-service/azext_voice_service/_params.py create mode 100644 src/voice-service/azext_voice_service/aaz/__init__.py create mode 100644 src/voice-service/azext_voice_service/aaz/latest/__init__.py create mode 100644 src/voice-service/azext_voice_service/aaz/latest/voice_service/__cmd_group.py create mode 100644 src/voice-service/azext_voice_service/aaz/latest/voice_service/__init__.py create mode 100644 src/voice-service/azext_voice_service/aaz/latest/voice_service/_check_name_availability.py create mode 100644 src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/__cmd_group.py create mode 100644 src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/__init__.py create mode 100644 src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_create.py create mode 100644 src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_delete.py create mode 100644 src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_list.py create mode 100644 src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_show.py create mode 100644 src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_update.py create mode 100644 src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_wait.py create mode 100644 src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/__cmd_group.py create mode 100644 src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/__init__.py create mode 100644 src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_create.py create mode 100644 src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_delete.py create mode 100644 src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_list.py create mode 100644 src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_show.py create mode 100644 src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_update.py create mode 100644 src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_wait.py create mode 100644 src/voice-service/azext_voice_service/azext_metadata.json create mode 100644 src/voice-service/azext_voice_service/commands.py create mode 100644 src/voice-service/azext_voice_service/custom.py create mode 100644 src/voice-service/azext_voice_service/tests/__init__.py create mode 100644 src/voice-service/azext_voice_service/tests/latest/__init__.py create mode 100644 src/voice-service/azext_voice_service/tests/latest/recordings/test_voice_service_check_name_availability.yaml create mode 100644 src/voice-service/azext_voice_service/tests/latest/recordings/test_voice_service_gateway.yaml create mode 100644 src/voice-service/azext_voice_service/tests/latest/recordings/test_voice_service_test_line.yaml create mode 100644 src/voice-service/azext_voice_service/tests/latest/test_voice_service.py create mode 100644 src/voice-service/setup.cfg create mode 100644 src/voice-service/setup.py diff --git a/.github/CODEOWNERS b/.github/CODEOWNERS index 17bad9cc12c..b373895340d 100644 --- a/.github/CODEOWNERS +++ b/.github/CODEOWNERS @@ -266,6 +266,12 @@ /src/billing-benefits/ @gaoyp830 @rkapso @msft-adrianma @sornaks +/src/serviceconnector-passwordless/ @xfz11 + /src/mobile-network/ @jsntcy /src/automanage/ @calvinhzy + +/src/voice-service/ @jsntcy + +/src/confcom/ @BryceDFisher @SethHollandsworth @hgarvison @stevendongatmsft \ No newline at end of file diff --git a/src/aks-preview/HISTORY.rst b/src/aks-preview/HISTORY.rst index c7798bdf700..b08aad84d57 100644 --- a/src/aks-preview/HISTORY.rst +++ b/src/aks-preview/HISTORY.rst @@ -12,6 +12,11 @@ To release a new version, please select a new version number (usually plus 1 to Pending +++++++ +0.5.129 ++++++++ +* Vendor new SDK and bump API version to 2023-01-02-preview. +* Mark AAD-legacy properties `--aad-client-app-id`, `--aad-server-app-id` and `--aad-server-app-secret` deprecated + 0.5.128 +++++++ * Fix option name `--duration` for command group `az aks maintenanceconfiguration` diff --git a/src/aks-preview/azcli_aks_live_test/configs/ext_matrix_default.json b/src/aks-preview/azcli_aks_live_test/configs/ext_matrix_default.json index ec81fa34ea0..bb9aee8777d 100644 --- a/src/aks-preview/azcli_aks_live_test/configs/ext_matrix_default.json +++ b/src/aks-preview/azcli_aks_live_test/configs/ext_matrix_default.json @@ -18,7 +18,6 @@ "test_aks_pod_identity_usage", "test_aks_nodepool_add_with_workload_runtime", "test_aks_create_with_crg_id", - "test_list_trustedaccess_roles", "test_aks_custom_ca_trust_flow", "test_aks_create_with_csi_driver_v2", "test_aks_create_and_update_csi_driver_to_v2", @@ -26,17 +25,18 @@ "test_aks_update_outbound_from_slb_to_natgateway" ], "missing namespace registration (AME)": [ - "test_aks_create_with_monitoring_aad_auth_msi", - "test_aks_create_with_monitoring_aad_auth_uai", - "test_aks_enable_monitoring_with_aad_auth_msi", - "test_aks_enable_monitoring_with_aad_auth_uai" + "test_aks_update_with_azuremonitormetrics" ], - "missing toggle": [ + "KMS (missing toggle)": [ "test_aks_create_with_azurekeyvaultkms_private_key_vault", "test_aks_update_with_azurekeyvaultkms_private_key_vault", "test_aks_create_with_azurekeyvaultkms_public_key_vault", "test_aks_create_with_azurekeyvaultkms_private_cluster_v1_private_key_vault" ], + "trusted access role (waiting GA)": [ + "test_get_trustedaccess_roles", + "test_aks_trustedaccess_rolebinding" + ], "no gpu quota": [ "test_aks_nodepool_add_with_gpu_instance_profile" ] diff --git a/src/aks-preview/azcli_aks_live_test/scripts/setup_venv.sh b/src/aks-preview/azcli_aks_live_test/scripts/setup_venv.sh index 5e7496e18c7..078589c3052 100755 --- a/src/aks-preview/azcli_aks_live_test/scripts/setup_venv.sh +++ b/src/aks-preview/azcli_aks_live_test/scripts/setup_venv.sh @@ -48,7 +48,7 @@ setupAZ(){ # need to be executed in a venv installTestPackages(){ # install pytest plugins - pip install pytest-json-report pytest-rerunfailures pytest-cov pytest-forked --upgrade + pip install pytest-json-report==1.5.0 pytest-rerunfailures==11.0 pytest-cov==4.0.0 pytest-forked==1.6.0 # install coverage for measuring code coverage pip install coverage diff --git a/src/aks-preview/azext_aks_preview/__init__.py b/src/aks-preview/azext_aks_preview/__init__.py index a7a9d9542b4..9c49cbb21da 100644 --- a/src/aks-preview/azext_aks_preview/__init__.py +++ b/src/aks-preview/azext_aks_preview/__init__.py @@ -16,7 +16,7 @@ def register_aks_preview_resource_type(): register_resource_type( "latest", CUSTOM_MGMT_AKS_PREVIEW, - SDKProfile("2022-11-02-preview", {"container_services": "2017-07-01"}), + SDKProfile("2023-01-02-preview", {"container_services": "2017-07-01"}), ) diff --git a/src/aks-preview/azext_aks_preview/_help.py b/src/aks-preview/azext_aks_preview/_help.py index e5e9e1ded03..a0934dc13ff 100644 --- a/src/aks-preview/azext_aks_preview/_help.py +++ b/src/aks-preview/azext_aks_preview/_help.py @@ -109,13 +109,16 @@ type: string short-summary: The ID of an Azure Active Directory client application of type "Native". This application is for user login via kubectl. + long-summary: --aad-client-app-id is deprecated. See https://aka.ms/aks/aad-legacy for details. - name: --aad-server-app-id type: string short-summary: The ID of an Azure Active Directory server application of type "Web app/API". This application represents the managed cluster's apiserver (Server application). + long-summary: --aad-server-app-id is deprecated. See https://aka.ms/aks/aad-legacy for details. - name: --aad-server-app-secret type: string short-summary: The secret of an Azure Active Directory server application. + long-summary: --aad-server-app-secret is deprecated. See https://aka.ms/aks/aad-legacy for details. - name: --aad-tenant-id type: string short-summary: The ID of an Azure Active Directory tenant. diff --git a/src/aks-preview/azext_aks_preview/_params.py b/src/aks-preview/azext_aks_preview/_params.py index 0ec802f53d0..1807cda038d 100644 --- a/src/aks-preview/azext_aks_preview/_params.py +++ b/src/aks-preview/azext_aks_preview/_params.py @@ -294,9 +294,9 @@ def load_arguments(self, _): c.argument('assign_kubelet_identity', validator=validate_assign_kubelet_identity) c.argument('enable_aad', action='store_true') c.argument('enable_azure_rbac', action='store_true') - c.argument('aad_client_app_id') - c.argument('aad_server_app_id') - c.argument('aad_server_app_secret') + c.argument('aad_client_app_id', deprecate_info=c.deprecate(target='--aad-client-app-id', hide=True)) + c.argument('aad_server_app_id', deprecate_info=c.deprecate(target='--aad-server-app-id', hide=True)) + c.argument('aad_server_app_secret', deprecate_info=c.deprecate(target='--aad-server-app-secret', hide=True)) c.argument('aad_tenant_id') c.argument('aad_admin_group_object_ids') c.argument('enable_oidc_issuer', action='store_true') diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_abort.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_abort.yaml index b1801977f42..c56972c70a8 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_abort.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_abort.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -162,7 +162,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -250,7 +250,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclusters/cliakstest000002/abort?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclusters/cliakstest000002/abort?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -430,7 +430,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_disable_confcom_addon.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_disable_confcom_addon.yaml index 3364e03d15f..22a3ce4242b 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_disable_confcom_addon.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_disable_confcom_addon.yaml @@ -78,7 +78,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -743,7 +743,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -835,7 +835,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -956,7 +956,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1244,7 +1244,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_disable_openservicemesh.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_disable_openservicemesh.yaml index f49af89a10d..ee34b5e4226 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_disable_openservicemesh.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_disable_openservicemesh.yaml @@ -77,7 +77,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -693,7 +693,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -784,7 +784,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -904,7 +904,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1144,7 +1144,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_enable_confcom_addon.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_enable_confcom_addon.yaml index 5e5b0838634..f725a3758d8 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_enable_confcom_addon.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_enable_confcom_addon.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -547,7 +547,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -637,7 +637,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -756,7 +756,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -997,7 +997,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_enable_with_azurekeyvaultsecretsprovider.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_enable_with_azurekeyvaultsecretsprovider.yaml index dcaaf268e7e..790b5942b4d 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_enable_with_azurekeyvaultsecretsprovider.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_enable_with_azurekeyvaultsecretsprovider.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -643,7 +643,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -733,7 +733,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -852,7 +852,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1141,7 +1141,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1235,7 +1235,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1358,7 +1358,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1598,7 +1598,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1689,7 +1689,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1809,7 +1809,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2050,7 +2050,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2146,7 +2146,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_enable_with_openservicemesh.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_enable_with_openservicemesh.yaml index da5a1db5895..9f2bfde9c00 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_enable_with_openservicemesh.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_enable_with_openservicemesh.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -643,7 +643,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -733,7 +733,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -852,7 +852,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1092,7 +1092,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_list_all_disabled.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_list_all_disabled.yaml index aa7cf51c184..90f79e2e725 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_list_all_disabled.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_list_all_disabled.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -643,7 +643,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -733,7 +733,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_list_confcom_enabled.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_list_confcom_enabled.yaml index 4869e87a884..ad67a7a6c66 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_list_confcom_enabled.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_list_confcom_enabled.yaml @@ -78,7 +78,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -647,7 +647,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -739,7 +739,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_list_openservicemesh_enabled.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_list_openservicemesh_enabled.yaml index c0f447738a7..c04b2761231 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_list_openservicemesh_enabled.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_list_openservicemesh_enabled.yaml @@ -77,7 +77,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -645,7 +645,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -736,7 +736,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_show_all_disabled.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_show_all_disabled.yaml index 0ad4bafe2e0..aefc2a6528a 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_show_all_disabled.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_show_all_disabled.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -643,7 +643,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -733,7 +733,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_show_confcom_enabled.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_show_confcom_enabled.yaml index 58358660c58..60a6f724b97 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_show_confcom_enabled.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_show_confcom_enabled.yaml @@ -78,7 +78,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -647,7 +647,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -739,7 +739,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_show_openservicemesh_enabled.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_show_openservicemesh_enabled.yaml index 7ab0f9ae91e..b9984175267 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_show_openservicemesh_enabled.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_show_openservicemesh_enabled.yaml @@ -77,7 +77,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -693,7 +693,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -784,7 +784,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_update_all_disabled.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_update_all_disabled.yaml index 5e4dfeef56b..e28c5b2e0d0 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_update_all_disabled.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_update_all_disabled.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -643,7 +643,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -733,7 +733,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_update_with_azurekeyvaultsecretsprovider.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_update_with_azurekeyvaultsecretsprovider.yaml index 4979d77f306..11006cde40e 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_update_with_azurekeyvaultsecretsprovider.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_update_with_azurekeyvaultsecretsprovider.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -739,7 +739,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -829,7 +829,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -948,7 +948,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1237,7 +1237,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1331,7 +1331,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1425,7 +1425,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1548,7 +1548,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1789,7 +1789,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1885,7 +1885,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_update_with_confcom.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_update_with_confcom.yaml index d064320c25d..cd128a4c93e 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_update_with_confcom.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_update_with_confcom.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -643,7 +643,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -733,7 +733,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -852,7 +852,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1093,7 +1093,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1185,7 +1185,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1277,7 +1277,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1398,7 +1398,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1639,7 +1639,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1733,7 +1733,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_availability_zones.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_availability_zones.yaml index 413bf965cea..f6e8ee0b4f0 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_availability_zones.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_availability_zones.yaml @@ -77,7 +77,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -645,7 +645,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -736,7 +736,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/nodepool1\",\n @@ -808,7 +808,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/nodepool2?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/nodepool2?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/nodepool2\",\n @@ -1206,7 +1206,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/nodepool2?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/nodepool2?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/nodepool2\",\n @@ -1269,7 +1269,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_aadv1_and_update_with_managed_aad.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_aadv1_and_update_with_managed_aad.yaml index abc3947f49a..3fbc03a1ca7 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_aadv1_and_update_with_managed_aad.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_aadv1_and_update_with_managed_aad.yaml @@ -81,7 +81,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -613,7 +613,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -708,7 +708,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -831,7 +831,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1175,7 +1175,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_add_nodepool_with_custom_ca_trust_certificates.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_add_nodepool_with_custom_ca_trust_certificates.yaml index 724a9258570..db0a90662d8 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_add_nodepool_with_custom_ca_trust_certificates.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_add_nodepool_with_custom_ca_trust_certificates.yaml @@ -83,7 +83,7 @@ interactions: - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -565,7 +565,7 @@ interactions: - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -659,7 +659,7 @@ interactions: - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_add_nodepool_with_motd.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_add_nodepool_with_motd.yaml index 0de52436a39..7cf9a3f76bd 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_add_nodepool_with_motd.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_add_nodepool_with_motd.yaml @@ -77,7 +77,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -645,7 +645,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -736,7 +736,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -807,7 +807,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004\",\n @@ -1301,7 +1301,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004\",\n @@ -1364,7 +1364,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_addon_with_azurekeyvaultsecretsprovider_with_secret_rotation.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_addon_with_azurekeyvaultsecretsprovider_with_secret_rotation.yaml index c9489c0db96..6b96d4a51fb 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_addon_with_azurekeyvaultsecretsprovider_with_secret_rotation.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_addon_with_azurekeyvaultsecretsprovider_with_secret_rotation.yaml @@ -80,7 +80,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -660,7 +660,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -756,7 +756,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_csi_driver_to_v2.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_csi_driver_to_v2.yaml index a15cf3713a4..9caa0a0f529 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_csi_driver_to_v2.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_csi_driver_to_v2.yaml @@ -80,7 +80,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -511,7 +511,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -601,7 +601,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -718,7 +718,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -957,7 +957,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1049,7 +1049,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_ipv6_count.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_ipv6_count.yaml index 861154edf8e..f3ebb5743aa 100755 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_ipv6_count.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_ipv6_count.yaml @@ -121,7 +121,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -936,7 +936,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1030,7 +1030,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1154,7 +1154,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1445,7 +1445,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1543,7 +1543,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_outbound_ips.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_outbound_ips.yaml index 8214303423a..98f7b4aefbb 100755 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_outbound_ips.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_outbound_ips.yaml @@ -635,7 +635,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1204,7 +1204,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1297,7 +1297,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1419,7 +1419,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1661,7 +1661,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1756,7 +1756,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_ssh_public_key.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_ssh_public_key.yaml index 3e37f40f3b3..464e2d755d0 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_ssh_public_key.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_ssh_public_key.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -595,7 +595,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -685,7 +685,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -802,7 +802,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2096,7 +2096,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '{"error":{"code":"GatewayTimeout","message":"The gateway did not receive @@ -2142,7 +2142,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2233,7 +2233,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_blob_csi_driver.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_blob_csi_driver.yaml index 87bb9bec4e3..3d33b8aaf8f 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_blob_csi_driver.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_blob_csi_driver.yaml @@ -79,7 +79,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -695,7 +695,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -786,7 +786,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -906,7 +906,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1146,7 +1146,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1237,7 +1237,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1357,7 +1357,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1597,7 +1597,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1688,7 +1688,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1808,7 +1808,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2048,7 +2048,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2139,7 +2139,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2259,7 +2259,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2499,7 +2499,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2590,7 +2590,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2710,7 +2710,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2998,7 +2998,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -3091,7 +3091,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_csi_drivers_extensibility.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_csi_drivers_extensibility.yaml index 3bf53c5aaf1..735099bf0e3 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_csi_drivers_extensibility.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_csi_drivers_extensibility.yaml @@ -80,7 +80,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -756,7 +756,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -846,7 +846,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -963,7 +963,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1250,7 +1250,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1340,7 +1340,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1458,7 +1458,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1745,7 +1745,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1835,7 +1835,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1952,7 +1952,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2239,7 +2239,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2330,7 +2330,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2449,7 +2449,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2741,7 +2741,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2833,7 +2833,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_http_proxy_config.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_http_proxy_config.yaml old mode 100644 new mode 100755 index cbb896b3874..965e69885b2 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_http_proxy_config.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_http_proxy_config.yaml @@ -13,12 +13,12 @@ interactions: ParameterSetName: - --resource-group --name --address-prefixes --subnet-name --subnet-prefix User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001?api-version=2021-04-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001","name":"clitest000001","type":"Microsoft.Resources/resourceGroups","location":"westus2","tags":{"product":"azurecli","cause":"automation","date":"2023-01-04T07:29:48Z"},"properties":{"provisioningState":"Succeeded"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001","name":"clitest000001","type":"Microsoft.Resources/resourceGroups","location":"westus2","tags":{"product":"azurecli","cause":"automation","date":"2023-02-17T07:30:52Z"},"properties":{"provisioningState":"Succeeded"}}' headers: cache-control: - no-cache @@ -27,7 +27,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 04 Jan 2023 07:29:50 GMT + - Fri, 17 Feb 2023 07:30:53 GMT expires: - '-1' pragma: @@ -61,19 +61,19 @@ interactions: ParameterSetName: - --resource-group --name --address-prefixes --subnet-name --subnet-prefix User-Agent: - - AZURECLI/2.43.0 (AAZ) azsdk-python-core/1.24.0 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 (AAZ) azsdk-python-core/1.24.0 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: PUT uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002?api-version=2022-01-01 response: body: string: "{\r\n \"name\": \"cliakstest000002\",\r\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002\",\r\n - \ \"etag\": \"W/\\\"194e06f2-03b2-45ee-a179-0b3321e50349\\\"\",\r\n \"type\": + \ \"etag\": \"W/\\\"d2e51aa7-11a6-4118-8179-8bdb636e1697\\\"\",\r\n \"type\": \"Microsoft.Network/virtualNetworks\",\r\n \"location\": \"westus2\",\r\n \ \"properties\": {\r\n \"provisioningState\": \"Updating\",\r\n \"resourceGuid\": - \"b168c699-17fa-472a-ae09-736a40a5749c\",\r\n \"addressSpace\": {\r\n \"addressPrefixes\": + \"fdfc2f15-9f85-434a-b2ad-9208f72aa6dc\",\r\n \"addressSpace\": {\r\n \"addressPrefixes\": [\r\n \"10.42.0.0/16\"\r\n ]\r\n },\r\n \"subnets\": [\r\n \ {\r\n \"name\": \"aks-subnet\",\r\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet\",\r\n - \ \"etag\": \"W/\\\"194e06f2-03b2-45ee-a179-0b3321e50349\\\"\",\r\n + \ \"etag\": \"W/\\\"d2e51aa7-11a6-4118-8179-8bdb636e1697\\\"\",\r\n \ \"properties\": {\r\n \"provisioningState\": \"Updating\",\r\n \ \"addressPrefix\": \"10.42.1.0/24\",\r\n \"delegations\": [],\r\n \"privateEndpointNetworkPolicies\": \"Disabled\",\r\n \"privateLinkServiceNetworkPolicies\": @@ -84,7 +84,7 @@ interactions: azure-asyncnotification: - Enabled azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Network/locations/westus2/operations/06e18366-5429-4180-a4f8-2260ed52ad20?api-version=2022-01-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Network/locations/westus2/operations/5d9cfc4c-e187-47d0-92a8-a73f71124ad2?api-version=2022-01-01 cache-control: - no-cache content-length: @@ -92,7 +92,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 04 Jan 2023 07:29:50 GMT + - Fri, 17 Feb 2023 07:30:54 GMT expires: - '-1' pragma: @@ -105,7 +105,7 @@ interactions: x-content-type-options: - nosniff x-ms-arm-service-request-id: - - a9c1310b-d521-41da-afb2-0aa0dd3cedec + - 665ff671-3e85-4759-98ba-8985b42a3c35 x-ms-ratelimit-remaining-subscription-writes: - '1199' status: @@ -125,9 +125,9 @@ interactions: ParameterSetName: - --resource-group --name --address-prefixes --subnet-name --subnet-prefix User-Agent: - - AZURECLI/2.43.0 (AAZ) azsdk-python-core/1.24.0 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 (AAZ) azsdk-python-core/1.24.0 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Network/locations/westus2/operations/06e18366-5429-4180-a4f8-2260ed52ad20?api-version=2022-01-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Network/locations/westus2/operations/5d9cfc4c-e187-47d0-92a8-a73f71124ad2?api-version=2022-01-01 response: body: string: "{\r\n \"status\": \"Succeeded\"\r\n}" @@ -139,7 +139,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 04 Jan 2023 07:29:54 GMT + - Fri, 17 Feb 2023 07:30:57 GMT expires: - '-1' pragma: @@ -156,7 +156,7 @@ interactions: x-content-type-options: - nosniff x-ms-arm-service-request-id: - - 9fbc30ab-3683-4762-a72e-9f953033b71d + - fc910534-f139-42f9-9c64-11003d915632 status: code: 200 message: OK @@ -174,19 +174,19 @@ interactions: ParameterSetName: - --resource-group --name --address-prefixes --subnet-name --subnet-prefix User-Agent: - - AZURECLI/2.43.0 (AAZ) azsdk-python-core/1.24.0 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 (AAZ) azsdk-python-core/1.24.0 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002?api-version=2022-01-01 response: body: string: "{\r\n \"name\": \"cliakstest000002\",\r\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002\",\r\n - \ \"etag\": \"W/\\\"cde62438-f666-4d9c-873c-440a565331be\\\"\",\r\n \"type\": + \ \"etag\": \"W/\\\"045899dd-5d1a-46f0-a7a0-1d0eb5275479\\\"\",\r\n \"type\": \"Microsoft.Network/virtualNetworks\",\r\n \"location\": \"westus2\",\r\n \ \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"resourceGuid\": - \"b168c699-17fa-472a-ae09-736a40a5749c\",\r\n \"addressSpace\": {\r\n \"addressPrefixes\": + \"fdfc2f15-9f85-434a-b2ad-9208f72aa6dc\",\r\n \"addressSpace\": {\r\n \"addressPrefixes\": [\r\n \"10.42.0.0/16\"\r\n ]\r\n },\r\n \"subnets\": [\r\n \ {\r\n \"name\": \"aks-subnet\",\r\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet\",\r\n - \ \"etag\": \"W/\\\"cde62438-f666-4d9c-873c-440a565331be\\\"\",\r\n + \ \"etag\": \"W/\\\"045899dd-5d1a-46f0-a7a0-1d0eb5275479\\\"\",\r\n \ \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \ \"addressPrefix\": \"10.42.1.0/24\",\r\n \"delegations\": [],\r\n \"privateEndpointNetworkPolicies\": \"Disabled\",\r\n \"privateLinkServiceNetworkPolicies\": @@ -201,9 +201,9 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 04 Jan 2023 07:29:54 GMT + - Fri, 17 Feb 2023 07:30:58 GMT etag: - - W/"cde62438-f666-4d9c-873c-440a565331be" + - W/"045899dd-5d1a-46f0-a7a0-1d0eb5275479" expires: - '-1' pragma: @@ -220,7 +220,7 @@ interactions: x-content-type-options: - nosniff x-ms-arm-service-request-id: - - e4c87ecf-3e6c-4fa2-8760-b5090464f38a + - e8de6035-4d7d-412a-a5b7-c5964537cfb4 status: code: 200 message: OK @@ -242,13 +242,13 @@ interactions: ParameterSetName: - --resource-group --vnet-name --name --address-prefix User-Agent: - - AZURECLI/2.43.0 (AAZ) azsdk-python-core/1.24.0 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 (AAZ) azsdk-python-core/1.24.0 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: PUT uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/proxy-subnet?api-version=2022-01-01 response: body: string: "{\r\n \"name\": \"proxy-subnet\",\r\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/proxy-subnet\",\r\n - \ \"etag\": \"W/\\\"cbee0685-cccf-404b-972d-8578fac494c5\\\"\",\r\n \"properties\": + \ \"etag\": \"W/\\\"ec5cec95-7f42-443d-b758-74b5a643fc8d\\\"\",\r\n \"properties\": {\r\n \"provisioningState\": \"Updating\",\r\n \"addressPrefix\": \"10.42.3.0/24\",\r\n \ \"delegations\": [],\r\n \"privateEndpointNetworkPolicies\": \"Disabled\",\r\n \ \"privateLinkServiceNetworkPolicies\": \"Enabled\"\r\n },\r\n \"type\": @@ -257,7 +257,7 @@ interactions: azure-asyncnotification: - Enabled azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Network/locations/westus2/operations/71a2fe3b-4837-4420-a572-eb1084e21ce7?api-version=2022-01-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Network/locations/westus2/operations/241143b9-941b-40fe-9f88-7c656a1ef732?api-version=2022-01-01 cache-control: - no-cache content-length: @@ -265,7 +265,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 04 Jan 2023 07:29:54 GMT + - Fri, 17 Feb 2023 07:30:58 GMT expires: - '-1' pragma: @@ -278,7 +278,7 @@ interactions: x-content-type-options: - nosniff x-ms-arm-service-request-id: - - 2d3460b5-e437-4fbe-8de3-98c60940df74 + - 83b2911c-2f65-4bc1-ab23-73700d2204e1 x-ms-ratelimit-remaining-subscription-writes: - '1199' status: @@ -298,9 +298,9 @@ interactions: ParameterSetName: - --resource-group --vnet-name --name --address-prefix User-Agent: - - AZURECLI/2.43.0 (AAZ) azsdk-python-core/1.24.0 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 (AAZ) azsdk-python-core/1.24.0 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Network/locations/westus2/operations/71a2fe3b-4837-4420-a572-eb1084e21ce7?api-version=2022-01-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Network/locations/westus2/operations/241143b9-941b-40fe-9f88-7c656a1ef732?api-version=2022-01-01 response: body: string: "{\r\n \"status\": \"Succeeded\"\r\n}" @@ -312,7 +312,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 04 Jan 2023 07:29:57 GMT + - Fri, 17 Feb 2023 07:31:01 GMT expires: - '-1' pragma: @@ -329,7 +329,7 @@ interactions: x-content-type-options: - nosniff x-ms-arm-service-request-id: - - 4612a68f-1358-452e-9574-87f98058e960 + - 816668be-55a4-4967-acc6-54ba25088ef0 status: code: 200 message: OK @@ -347,13 +347,13 @@ interactions: ParameterSetName: - --resource-group --vnet-name --name --address-prefix User-Agent: - - AZURECLI/2.43.0 (AAZ) azsdk-python-core/1.24.0 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 (AAZ) azsdk-python-core/1.24.0 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/proxy-subnet?api-version=2022-01-01 response: body: string: "{\r\n \"name\": \"proxy-subnet\",\r\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/proxy-subnet\",\r\n - \ \"etag\": \"W/\\\"00cf79d6-6ffa-44e3-99d8-6fa62728aba8\\\"\",\r\n \"properties\": + \ \"etag\": \"W/\\\"9389ffd5-ca47-413f-b488-83582a9e4960\\\"\",\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"addressPrefix\": \"10.42.3.0/24\",\r\n \ \"delegations\": [],\r\n \"privateEndpointNetworkPolicies\": \"Disabled\",\r\n \ \"privateLinkServiceNetworkPolicies\": \"Enabled\"\r\n },\r\n \"type\": @@ -366,9 +366,9 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 04 Jan 2023 07:29:57 GMT + - Fri, 17 Feb 2023 07:31:01 GMT etag: - - W/"00cf79d6-6ffa-44e3-99d8-6fa62728aba8" + - W/"9389ffd5-ca47-413f-b488-83582a9e4960" expires: - '-1' pragma: @@ -385,7 +385,7 @@ interactions: x-content-type-options: - nosniff x-ms-arm-service-request-id: - - 64b48b2b-bfd2-4904-9358-f2406cd35a9a + - 98c9a416-704e-4c3f-867f-07f5cc5b5467 status: code: 200 message: OK @@ -403,13 +403,13 @@ interactions: ParameterSetName: - --resource-group --vnet-name --name User-Agent: - - AZURECLI/2.43.0 (AAZ) azsdk-python-core/1.24.0 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 (AAZ) azsdk-python-core/1.24.0 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet?api-version=2022-01-01 response: body: string: "{\r\n \"name\": \"aks-subnet\",\r\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet\",\r\n - \ \"etag\": \"W/\\\"00cf79d6-6ffa-44e3-99d8-6fa62728aba8\\\"\",\r\n \"properties\": + \ \"etag\": \"W/\\\"9389ffd5-ca47-413f-b488-83582a9e4960\\\"\",\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"addressPrefix\": \"10.42.1.0/24\",\r\n \ \"delegations\": [],\r\n \"privateEndpointNetworkPolicies\": \"Disabled\",\r\n \ \"privateLinkServiceNetworkPolicies\": \"Enabled\"\r\n },\r\n \"type\": @@ -422,9 +422,9 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 04 Jan 2023 07:29:57 GMT + - Fri, 17 Feb 2023 07:31:02 GMT etag: - - W/"00cf79d6-6ffa-44e3-99d8-6fa62728aba8" + - W/"9389ffd5-ca47-413f-b488-83582a9e4960" expires: - '-1' pragma: @@ -441,7 +441,7 @@ interactions: x-content-type-options: - nosniff x-ms-arm-service-request-id: - - 824e8666-1174-487d-87fe-9b29536446eb + - b45f9e69-740d-412c-869c-7a3794d70cf3 status: code: 200 message: OK @@ -460,12 +460,12 @@ interactions: - --resource-group --name --image --ssh-key-values --public-ip-address --custom-data --vnet-name --subnet User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001?api-version=2021-04-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001","name":"clitest000001","type":"Microsoft.Resources/resourceGroups","location":"westus2","tags":{"product":"azurecli","cause":"automation","date":"2023-01-04T07:29:48Z"},"properties":{"provisioningState":"Succeeded"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001","name":"clitest000001","type":"Microsoft.Resources/resourceGroups","location":"westus2","tags":{"product":"azurecli","cause":"automation","date":"2023-02-17T07:30:52Z"},"properties":{"provisioningState":"Succeeded"}}' headers: cache-control: - no-cache @@ -474,7 +474,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 04 Jan 2023 07:29:58 GMT + - Fri, 17 Feb 2023 07:31:02 GMT expires: - '-1' pragma: @@ -503,13 +503,13 @@ interactions: - --resource-group --name --image --ssh-key-values --public-ip-address --custom-data --vnet-name --subnet User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-compute/29.0.0 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-compute/29.1.0 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/westus2/publishers/Canonical/artifacttypes/vmimage/offers/0001-com-ubuntu-server-focal/skus/20_04-lts/versions?$top=1&$orderby=name%20desc&api-version=2022-08-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/westus2/publishers/Canonical/artifacttypes/vmimage/offers/0001-com-ubuntu-server-focal/skus/20_04-lts/versions?$top=1&$orderby=name%20desc&api-version=2022-11-01 response: body: - string: "[\r\n {\r\n \"location\": \"westus2\",\r\n \"name\": \"20.04.202212140\",\r\n - \ \"id\": \"/Subscriptions/00000000-0000-0000-0000-000000000000/Providers/Microsoft.Compute/Locations/westus2/Publishers/Canonical/ArtifactTypes/VMImage/Offers/0001-com-ubuntu-server-focal/Skus/20_04-lts/Versions/20.04.202212140\"\r\n + string: "[\r\n {\r\n \"location\": \"westus2\",\r\n \"name\": \"20.04.202302090\",\r\n + \ \"id\": \"/Subscriptions/00000000-0000-0000-0000-000000000000/Providers/Microsoft.Compute/Locations/westus2/Publishers/Canonical/ArtifactTypes/VMImage/Offers/0001-com-ubuntu-server-focal/Skus/20_04-lts/Versions/20.04.202302090\"\r\n \ }\r\n]" headers: cache-control: @@ -519,7 +519,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 04 Jan 2023 07:29:58 GMT + - Fri, 17 Feb 2023 07:31:03 GMT expires: - '-1' pragma: @@ -555,9 +555,9 @@ interactions: - --resource-group --name --image --ssh-key-values --public-ip-address --custom-data --vnet-name --subnet User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-compute/29.0.0 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-compute/29.1.0 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/westus2/publishers/Canonical/artifacttypes/vmimage/offers/0001-com-ubuntu-server-focal/skus/20_04-lts/versions/20.04.202212140?api-version=2022-08-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/westus2/publishers/Canonical/artifacttypes/vmimage/offers/0001-com-ubuntu-server-focal/skus/20_04-lts/versions/20.04.202302090?api-version=2022-11-01 response: body: string: "{\r\n \"properties\": {\r\n \"hyperVGeneration\": \"V1\",\r\n \"architecture\": @@ -571,8 +571,8 @@ interactions: \"IsHibernateSupported\",\r\n \"value\": \"True\"\r\n }\r\n ],\r\n \ \"osDiskImage\": {\r\n \"operatingSystem\": \"Linux\",\r\n \"sizeInGb\": 31,\r\n \"sizeInBytes\": 32213303808\r\n },\r\n \"dataDiskImages\": - []\r\n },\r\n \"location\": \"westus2\",\r\n \"name\": \"20.04.202212140\",\r\n - \ \"id\": \"/Subscriptions/00000000-0000-0000-0000-000000000000/Providers/Microsoft.Compute/Locations/westus2/Publishers/Canonical/ArtifactTypes/VMImage/Offers/0001-com-ubuntu-server-focal/Skus/20_04-lts/Versions/20.04.202212140\"\r\n}" + []\r\n },\r\n \"location\": \"westus2\",\r\n \"name\": \"20.04.202302090\",\r\n + \ \"id\": \"/Subscriptions/00000000-0000-0000-0000-000000000000/Providers/Microsoft.Compute/Locations/westus2/Publishers/Canonical/ArtifactTypes/VMImage/Offers/0001-com-ubuntu-server-focal/Skus/20_04-lts/Versions/20.04.202302090\"\r\n}" headers: cache-control: - no-cache @@ -581,7 +581,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 04 Jan 2023 07:29:59 GMT + - Fri, 17 Feb 2023 07:31:02 GMT expires: - '-1' pragma: @@ -617,7 +617,7 @@ interactions: - --resource-group --name --image --ssh-key-values --public-ip-address --custom-data --vnet-name --subnet User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Network?api-version=2021-04-01 response: @@ -630,7 +630,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"CrossResourceGroupResourceMove, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"virtualNetworks/taggedTrafficConsumers","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -639,7 +639,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"None"},{"resourceType":"natGateways","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"None"},{"resourceType":"natGateways","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -647,7 +647,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01"],"defaultApiVersion":"2020-03-01","zoneMappings":[{"location":"Australia + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01"],"defaultApiVersion":"2020-03-01","zoneMappings":[{"location":"Australia East","zones":["3","2","1"]},{"location":"Brazil South","zones":["3","2","1"]},{"location":"Canada Central","zones":["3","2","1"]},{"location":"Central India","zones":["3","2","1"]},{"location":"Central US","zones":["3","2","1"]},{"location":"Central US EUAP","zones":["2","1"]},{"location":"East @@ -671,7 +671,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"zoneMappings":[{"location":"Australia + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"zoneMappings":[{"location":"Australia East","zones":["3","2","1"]},{"location":"Brazil South","zones":["3","2","1"]},{"location":"Canada Central","zones":["3","2","1"]},{"location":"Central India","zones":["3","2","1"]},{"location":"Central US","zones":["3","2","1"]},{"location":"Central US EUAP","zones":["2","1"]},{"location":"East @@ -695,7 +695,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01"],"capabilities":"None"},{"resourceType":"customIpPrefixes","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01"],"capabilities":"None"},{"resourceType":"customIpPrefixes","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -703,7 +703,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01"],"defaultApiVersion":"2020-06-01","zoneMappings":[{"location":"Australia + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01"],"defaultApiVersion":"2020-06-01","zoneMappings":[{"location":"Australia East","zones":["3","2","1"]},{"location":"Brazil South","zones":["3","2","1"]},{"location":"Canada Central","zones":["3","2","1"]},{"location":"Central India","zones":["3","2","1"]},{"location":"Central US","zones":["3","2","1"]},{"location":"Central US EUAP","zones":["2","1"]},{"location":"East @@ -727,7 +727,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"CrossResourceGroupResourceMove, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"dscpConfigurations","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -736,7 +736,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01"],"defaultApiVersion":"2020-06-01","capabilities":"CrossResourceGroupResourceMove, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01"],"defaultApiVersion":"2020-06-01","capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"privateEndpoints","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -745,7 +745,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01"],"defaultApiVersion":"2020-03-01","capabilities":"CrossResourceGroupResourceMove, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01"],"defaultApiVersion":"2020-03-01","capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"privateEndpoints/privateLinkServiceProxies","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -754,7 +754,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01"],"defaultApiVersion":"2020-03-01","capabilities":"None"},{"resourceType":"privateEndpointRedirectMaps","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01"],"defaultApiVersion":"2020-03-01","capabilities":"None"},{"resourceType":"privateEndpointRedirectMaps","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -762,7 +762,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar Central","Central - US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, + US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, SupportsLocation"},{"resourceType":"loadBalancers","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil @@ -771,7 +771,7 @@ interactions: South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar Central","Central - US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"CrossResourceGroupResourceMove, + US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"networkSecurityGroups","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -780,7 +780,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"CrossResourceGroupResourceMove, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"applicationSecurityGroups","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -789,7 +789,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2017-09-01"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"CrossResourceGroupResourceMove, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2017-09-01"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"serviceEndpointPolicies","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -798,7 +798,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01"],"defaultApiVersion":"2020-03-01","capabilities":"CrossResourceGroupResourceMove, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01"],"defaultApiVersion":"2020-03-01","capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"networkIntentPolicies","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -807,7 +807,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01"],"defaultApiVersion":"2020-03-01","capabilities":"CrossResourceGroupResourceMove, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01"],"defaultApiVersion":"2020-03-01","capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"routeTables","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -816,7 +816,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"CrossResourceGroupResourceMove, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"publicIPPrefixes","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -825,7 +825,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01"],"defaultApiVersion":"2020-03-01","zoneMappings":[{"location":"Australia + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01"],"defaultApiVersion":"2020-03-01","zoneMappings":[{"location":"Australia East","zones":["3","2","1"]},{"location":"Brazil South","zones":["3","2","1"]},{"location":"Canada Central","zones":["3","2","1"]},{"location":"Central India","zones":["3","2","1"]},{"location":"Central US","zones":["3","2","1"]},{"location":"Central US EUAP","zones":["2","1"]},{"location":"East @@ -849,7 +849,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","capabilities":"CrossResourceGroupResourceMove, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"networkWatchers/connectionMonitors","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -858,7 +858,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"defaultApiVersion":"2020-03-01","capabilities":"CrossResourceGroupResourceMove, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"defaultApiVersion":"2020-03-01","capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"networkWatchers/flowLogs","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -867,7 +867,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"defaultApiVersion":"2020-03-01","capabilities":"CrossResourceGroupResourceMove, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"defaultApiVersion":"2020-03-01","capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"networkWatchers/pingMeshes","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -876,7 +876,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"defaultApiVersion":"2020-03-01","capabilities":"CrossResourceGroupResourceMove, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"defaultApiVersion":"2020-03-01","capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"virtualNetworkGateways","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -885,7 +885,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-03-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"CrossResourceGroupResourceMove, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-03-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"localNetworkGateways","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -894,7 +894,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-03-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"CrossResourceGroupResourceMove, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-03-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"connections","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -903,7 +903,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-03-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"CrossResourceGroupResourceMove, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-03-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"applicationGateways","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -912,7 +912,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","zoneMappings":[{"location":"Australia + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","zoneMappings":[{"location":"Australia East","zones":["3","2","1"]},{"location":"Brazil South","zones":["3","2","1"]},{"location":"Canada Central","zones":["3","2","1"]},{"location":"Central India","zones":["3","2","1"]},{"location":"Central US","zones":["3","2","1"]},{"location":"Central US EUAP","zones":["2","1"]},{"location":"East @@ -935,8 +935,8 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, - SupportsLocation"},{"resourceType":"locations","locations":[],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"None"},{"resourceType":"locations/operations","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, + SupportsLocation"},{"resourceType":"locations","locations":[],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"None"},{"resourceType":"locations/operations","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -944,7 +944,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"None"},{"resourceType":"locations/operationResults","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"None"},{"resourceType":"locations/operationResults","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -952,7 +952,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"None"},{"resourceType":"locations/CheckDnsNameAvailability","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"None"},{"resourceType":"locations/CheckDnsNameAvailability","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -960,7 +960,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"capabilities":"None"},{"resourceType":"locations/setLoadBalancerFrontendPublicIpAddresses","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"capabilities":"None"},{"resourceType":"locations/setLoadBalancerFrontendPublicIpAddresses","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -968,7 +968,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01"],"capabilities":"None"},{"resourceType":"cloudServiceSlots","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01"],"capabilities":"None"},{"resourceType":"cloudServiceSlots","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -976,7 +976,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01"],"capabilities":"SupportsExtension"},{"resourceType":"locations/usages","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01"],"capabilities":"SupportsExtension"},{"resourceType":"locations/usages","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -984,7 +984,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"None"},{"resourceType":"locations/virtualNetworkAvailableEndpointServices","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"None"},{"resourceType":"locations/virtualNetworkAvailableEndpointServices","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -992,7 +992,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01"],"capabilities":"None"},{"resourceType":"locations/availableDelegations","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01"],"capabilities":"None"},{"resourceType":"locations/availableDelegations","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1000,7 +1000,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01"],"capabilities":"None"},{"resourceType":"locations/ApplicationGatewayWafDynamicManifests","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01"],"capabilities":"None"},{"resourceType":"locations/ApplicationGatewayWafDynamicManifests","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1008,7 +1008,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01"],"capabilities":"None"},{"resourceType":"locations/serviceTags","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01"],"capabilities":"None"},{"resourceType":"locations/serviceTags","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1016,7 +1016,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01"],"capabilities":"None"},{"resourceType":"locations/availablePrivateEndpointTypes","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01"],"capabilities":"None"},{"resourceType":"locations/availablePrivateEndpointTypes","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1024,7 +1024,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01"],"capabilities":"None"},{"resourceType":"locations/availableServiceAliases","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01"],"capabilities":"None"},{"resourceType":"locations/availableServiceAliases","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1032,7 +1032,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01"],"capabilities":"None"},{"resourceType":"locations/checkPrivateLinkServiceVisibility","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01"],"capabilities":"None"},{"resourceType":"locations/checkPrivateLinkServiceVisibility","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1040,7 +1040,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01"],"capabilities":"None"},{"resourceType":"locations/autoApprovedPrivateLinkServices","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01"],"capabilities":"None"},{"resourceType":"locations/autoApprovedPrivateLinkServices","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1048,7 +1048,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01"],"capabilities":"None"},{"resourceType":"locations/batchValidatePrivateEndpointsForResourceMove","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01"],"capabilities":"None"},{"resourceType":"locations/batchValidatePrivateEndpointsForResourceMove","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1056,7 +1056,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01"],"capabilities":"None"},{"resourceType":"locations/batchNotifyPrivateEndpointsForResourceMove","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01"],"capabilities":"None"},{"resourceType":"locations/batchNotifyPrivateEndpointsForResourceMove","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1064,7 +1064,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01"],"capabilities":"None"},{"resourceType":"locations/supportedVirtualMachineSizes","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01"],"capabilities":"None"},{"resourceType":"locations/supportedVirtualMachineSizes","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1072,7 +1072,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01"],"capabilities":"None"},{"resourceType":"locations/setAzureNetworkManagerConfiguration","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01"],"capabilities":"None"},{"resourceType":"locations/setAzureNetworkManagerConfiguration","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1080,7 +1080,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01"],"capabilities":"None"},{"resourceType":"locations/publishResources","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01"],"capabilities":"None"},{"resourceType":"locations/publishResources","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1088,7 +1088,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01"],"capabilities":"None"},{"resourceType":"locations/getAzureNetworkManagerConfiguration","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01"],"capabilities":"None"},{"resourceType":"locations/getAzureNetworkManagerConfiguration","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1096,7 +1096,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01"],"capabilities":"None"},{"resourceType":"locations/checkAcceleratedNetworkingSupport","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01"],"capabilities":"None"},{"resourceType":"locations/checkAcceleratedNetworkingSupport","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1104,7 +1104,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01"],"capabilities":"None"},{"resourceType":"locations/validateResourceOwnership","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01"],"capabilities":"None"},{"resourceType":"locations/validateResourceOwnership","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1112,7 +1112,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01"],"capabilities":"None"},{"resourceType":"locations/setResourceOwnership","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01"],"capabilities":"None"},{"resourceType":"locations/setResourceOwnership","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1120,7 +1120,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01"],"capabilities":"None"},{"resourceType":"locations/effectiveResourceOwnership","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01"],"capabilities":"None"},{"resourceType":"locations/effectiveResourceOwnership","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1128,7 +1128,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01"],"capabilities":"None"},{"resourceType":"operations","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01"],"capabilities":"None"},{"resourceType":"operations","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1136,7 +1136,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"capabilities":"None"},{"resourceType":"dnszones","locations":["global"],"apiVersions":["2018-05-01","2018-03-01-preview","2017-10-01","2017-09-15-preview","2017-09-01","2016-04-01","2015-05-04-preview"],"defaultApiVersion":"2018-05-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2016-04-01"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2016-04-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2016-04-01"}],"capabilities":"CrossResourceGroupResourceMove, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"capabilities":"None"},{"resourceType":"dnszones","locations":["global"],"apiVersions":["2018-05-01","2018-03-01-preview","2017-10-01","2017-09-15-preview","2017-09-01","2016-04-01","2015-05-04-preview"],"defaultApiVersion":"2018-05-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2016-04-01"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2016-04-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2016-04-01"}],"capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"dnsOperationResults","locations":["global"],"apiVersions":["2018-05-01","2018-03-01-preview","2017-10-01","2017-09-15-preview","2017-09-01","2016-04-01"],"defaultApiVersion":"2018-05-01","capabilities":"None"},{"resourceType":"dnsOperationStatuses","locations":["global"],"apiVersions":["2018-05-01","2018-03-01-preview","2017-10-01","2017-09-15-preview","2017-09-01","2016-04-01"],"defaultApiVersion":"2018-05-01","capabilities":"None"},{"resourceType":"getDnsResourceReference","locations":["global"],"apiVersions":["2018-05-01"],"defaultApiVersion":"2018-05-01","capabilities":"None"},{"resourceType":"internalNotify","locations":["global"],"apiVersions":["2018-05-01"],"defaultApiVersion":"2018-05-01","capabilities":"None"},{"resourceType":"dnszones/A","locations":["global"],"apiVersions":["2018-05-01","2018-03-01-preview","2017-10-01","2017-09-15-preview","2017-09-01","2016-04-01","2015-05-04-preview"],"defaultApiVersion":"2018-05-01","capabilities":"None"},{"resourceType":"dnszones/AAAA","locations":["global"],"apiVersions":["2018-05-01","2018-03-01-preview","2017-10-01","2017-09-15-preview","2017-09-01","2016-04-01","2015-05-04-preview"],"defaultApiVersion":"2018-05-01","capabilities":"None"},{"resourceType":"dnszones/CNAME","locations":["global"],"apiVersions":["2018-05-01","2018-03-01-preview","2017-10-01","2017-09-15-preview","2017-09-01","2016-04-01","2015-05-04-preview"],"defaultApiVersion":"2018-05-01","capabilities":"None"},{"resourceType":"dnszones/PTR","locations":["global"],"apiVersions":["2018-05-01","2018-03-01-preview","2017-10-01","2017-09-15-preview","2017-09-01","2016-04-01","2015-05-04-preview"],"defaultApiVersion":"2018-05-01","capabilities":"None"},{"resourceType":"dnszones/MX","locations":["global"],"apiVersions":["2018-05-01","2018-03-01-preview","2017-10-01","2017-09-15-preview","2017-09-01","2016-04-01","2015-05-04-preview"],"defaultApiVersion":"2018-05-01","capabilities":"None"},{"resourceType":"dnszones/TXT","locations":["global"],"apiVersions":["2018-05-01","2018-03-01-preview","2017-10-01","2017-09-15-preview","2017-09-01","2016-04-01","2015-05-04-preview"],"defaultApiVersion":"2018-05-01","capabilities":"None"},{"resourceType":"dnszones/SRV","locations":["global"],"apiVersions":["2018-05-01","2018-03-01-preview","2017-10-01","2017-09-15-preview","2017-09-01","2016-04-01","2015-05-04-preview"],"defaultApiVersion":"2018-05-01","capabilities":"None"},{"resourceType":"dnszones/SOA","locations":["global"],"apiVersions":["2018-05-01","2018-03-01-preview","2017-10-01","2017-09-15-preview","2017-09-01","2016-04-01","2015-05-04-preview"],"defaultApiVersion":"2018-05-01","capabilities":"None"},{"resourceType":"dnszones/NS","locations":["global"],"apiVersions":["2018-05-01","2018-03-01-preview","2017-10-01","2017-09-15-preview","2017-09-01","2016-04-01","2015-05-04-preview"],"defaultApiVersion":"2018-05-01","capabilities":"None"},{"resourceType":"dnszones/CAA","locations":["global"],"apiVersions":["2018-05-01","2018-03-01-preview","2017-10-01","2017-09-15-preview","2017-09-01"],"defaultApiVersion":"2018-05-01","capabilities":"None"},{"resourceType":"dnszones/recordsets","locations":["global"],"apiVersions":["2018-05-01","2018-03-01-preview","2017-10-01","2017-09-15-preview","2017-09-01","2016-04-01","2015-05-04-preview"],"defaultApiVersion":"2018-05-01","capabilities":"None"},{"resourceType":"dnszones/all","locations":["global"],"apiVersions":["2018-05-01","2018-03-01-preview","2017-10-01","2017-09-15-preview","2017-09-01","2016-04-01","2015-05-04-preview"],"defaultApiVersion":"2018-05-01","capabilities":"None"},{"resourceType":"privateDnsZones","locations":["global"],"apiVersions":["2020-06-01","2020-01-01","2018-09-01"],"defaultApiVersion":"2018-09-01","capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"privateDnsZones/virtualNetworkLinks","locations":["global"],"apiVersions":["2020-06-01","2020-01-01","2018-09-01"],"defaultApiVersion":"2018-09-01","capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"privateDnsOperationResults","locations":["global"],"apiVersions":["2020-06-01","2020-01-01","2018-09-01"],"defaultApiVersion":"2018-09-01","capabilities":"None"},{"resourceType":"privateDnsOperationStatuses","locations":["global"],"apiVersions":["2020-06-01","2020-01-01","2018-09-01"],"defaultApiVersion":"2018-09-01","capabilities":"None"},{"resourceType":"privateDnsZonesInternal","locations":["global"],"apiVersions":["2020-06-01","2020-01-01"],"defaultApiVersion":"2020-01-01","capabilities":"None"},{"resourceType":"privateDnsZones/A","locations":["global"],"apiVersions":["2020-06-01","2020-01-01","2018-09-01"],"defaultApiVersion":"2018-09-01","capabilities":"None"},{"resourceType":"privateDnsZones/AAAA","locations":["global"],"apiVersions":["2020-06-01","2020-01-01","2018-09-01"],"defaultApiVersion":"2018-09-01","capabilities":"None"},{"resourceType":"privateDnsZones/CNAME","locations":["global"],"apiVersions":["2020-06-01","2020-01-01","2018-09-01"],"defaultApiVersion":"2018-09-01","capabilities":"None"},{"resourceType":"privateDnsZones/PTR","locations":["global"],"apiVersions":["2020-06-01","2020-01-01","2018-09-01"],"defaultApiVersion":"2018-09-01","capabilities":"None"},{"resourceType":"privateDnsZones/MX","locations":["global"],"apiVersions":["2020-06-01","2020-01-01","2018-09-01"],"defaultApiVersion":"2018-09-01","capabilities":"None"},{"resourceType":"privateDnsZones/TXT","locations":["global"],"apiVersions":["2020-06-01","2020-01-01","2018-09-01"],"defaultApiVersion":"2018-09-01","capabilities":"None"},{"resourceType":"privateDnsZones/SRV","locations":["global"],"apiVersions":["2020-06-01","2020-01-01","2018-09-01"],"defaultApiVersion":"2018-09-01","capabilities":"None"},{"resourceType":"privateDnsZones/SOA","locations":["global"],"apiVersions":["2020-06-01","2020-01-01","2018-09-01"],"defaultApiVersion":"2018-09-01","capabilities":"None"},{"resourceType":"privateDnsZones/all","locations":["global"],"apiVersions":["2020-06-01","2020-01-01","2018-09-01"],"defaultApiVersion":"2018-09-01","capabilities":"None"},{"resourceType":"virtualNetworks/privateDnsZoneLinks","locations":["global"],"apiVersions":["2020-06-01"],"defaultApiVersion":"2020-06-01","capabilities":"None"},{"resourceType":"dnsResolvers","locations":["West @@ -1144,48 +1144,55 @@ interactions: South","South Central US","East US","North Central US","West US 2","West US 3","Southeast Asia","Central India","Canada Central","Central US","France Central","Japan East","Germany West Central","South Africa North","Korea Central","Sweden - Central","East Asia","Switzerland North","Brazil South","Central US EUAP","East - US 2 EUAP"],"apiVersions":["2022-07-01","2020-04-01-preview"],"defaultApiVersion":"2020-04-01-preview","capabilities":"CrossResourceGroupResourceMove, + Central","East Asia","Switzerland North","Brazil South","West US","Norway + East","UAE North","Australia Southeast","Canada East","Japan West","Central + US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2020-04-01-preview"],"defaultApiVersion":"2020-04-01-preview","capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"dnsResolvers/inboundEndpoints","locations":["West Central US","East US 2","West Europe","North Europe","Australia East","UK South","South Central US","East US","North Central US","West US 2","West US 3","Southeast Asia","Central India","Canada Central","Central US","France Central","Japan East","Germany West Central","South Africa North","Korea Central","Sweden - Central","East Asia","Switzerland North","Brazil South","Central US EUAP","East - US 2 EUAP"],"apiVersions":["2022-07-01","2020-04-01-preview"],"defaultApiVersion":"2020-04-01-preview","capabilities":"CrossResourceGroupResourceMove, + Central","East Asia","Switzerland North","Brazil South","West US","Norway + East","UAE North","Australia Southeast","Canada East","Japan West","Central + US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2020-04-01-preview"],"defaultApiVersion":"2020-04-01-preview","capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"dnsResolvers/outboundEndpoints","locations":["West Central US","East US 2","West Europe","North Europe","Australia East","UK South","South Central US","East US","North Central US","West US 2","West US 3","Southeast Asia","Central India","Canada Central","Central US","France Central","Japan East","Germany West Central","South Africa North","Korea Central","Sweden - Central","East Asia","Switzerland North","Brazil South","Central US EUAP","East - US 2 EUAP"],"apiVersions":["2022-07-01","2020-04-01-preview"],"defaultApiVersion":"2020-04-01-preview","capabilities":"CrossResourceGroupResourceMove, + Central","East Asia","Switzerland North","Brazil South","West US","Norway + East","UAE North","Australia Southeast","Canada East","Japan West","Central + US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2020-04-01-preview"],"defaultApiVersion":"2020-04-01-preview","capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"dnsForwardingRulesets","locations":["West Central US","East US 2","West Europe","North Europe","Australia East","UK South","South Central US","East US","North Central US","West US 2","West US 3","Southeast Asia","Central India","Canada Central","Central US","France Central","Japan East","Germany West Central","South Africa North","Korea Central","Sweden - Central","East Asia","Switzerland North","Brazil South","Central US EUAP","East - US 2 EUAP"],"apiVersions":["2022-07-01","2020-04-01-preview"],"defaultApiVersion":"2020-04-01-preview","capabilities":"CrossResourceGroupResourceMove, + Central","East Asia","Switzerland North","Brazil South","West US","Norway + East","UAE North","Australia Southeast","Canada East","Japan West","Central + US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2020-04-01-preview"],"defaultApiVersion":"2020-04-01-preview","capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"dnsForwardingRulesets/forwardingRules","locations":["West Central US","East US 2","West Europe","North Europe","Australia East","UK South","South Central US","East US","North Central US","West US 2","West US 3","Southeast Asia","Central India","Canada Central","Central US","France Central","Japan East","Germany West Central","South Africa North","Korea Central","Sweden - Central","East Asia","Switzerland North","Brazil South","Central US EUAP","East - US 2 EUAP"],"apiVersions":["2022-07-01","2020-04-01-preview"],"defaultApiVersion":"2020-04-01-preview","capabilities":"None"},{"resourceType":"dnsForwardingRulesets/virtualNetworkLinks","locations":["West + Central","East Asia","Switzerland North","Brazil South","West US","Norway + East","UAE North","Australia Southeast","Canada East","Japan West","Central + US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2020-04-01-preview"],"defaultApiVersion":"2020-04-01-preview","capabilities":"None"},{"resourceType":"dnsForwardingRulesets/virtualNetworkLinks","locations":["West Central US","East US 2","West Europe","North Europe","Australia East","UK South","South Central US","East US","North Central US","West US 2","West US 3","Southeast Asia","Central India","Canada Central","Central US","France Central","Japan East","Germany West Central","South Africa North","Korea Central","Sweden - Central","East Asia","Switzerland North","Brazil South","Central US EUAP","East - US 2 EUAP"],"apiVersions":["2022-07-01","2020-04-01-preview"],"defaultApiVersion":"2020-04-01-preview","capabilities":"None"},{"resourceType":"virtualNetworks/listDnsResolvers","locations":["West + Central","East Asia","Switzerland North","Brazil South","West US","Norway + East","UAE North","Australia Southeast","Canada East","Japan West","Central + US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2020-04-01-preview"],"defaultApiVersion":"2020-04-01-preview","capabilities":"None"},{"resourceType":"virtualNetworks/listDnsResolvers","locations":["West Central US","East US 2","West Europe","North Europe","Australia East","UK South","South Central US","East US","North Central US","West US 2","West US 3","Southeast Asia","Central India","Canada Central","Central US","France Central","Japan East","Germany West Central","South Africa North","Korea Central","Sweden - Central","East Asia","Switzerland North","Brazil South","Central US EUAP","East - US 2 EUAP"],"apiVersions":["2022-07-01","2020-04-01-preview"],"defaultApiVersion":"2020-04-01-preview","capabilities":"None"},{"resourceType":"virtualNetworks/listDnsForwardingRulesets","locations":["West + Central","East Asia","Switzerland North","Brazil South","West US","Norway + East","UAE North","Australia Southeast","Canada East","Japan West","Central + US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2020-04-01-preview"],"defaultApiVersion":"2020-04-01-preview","capabilities":"None"},{"resourceType":"virtualNetworks/listDnsForwardingRulesets","locations":["West Central US","East US 2","West Europe","North Europe","Australia East","UK South","South Central US","East US","North Central US","West US 2","West US 3","Central India","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2020-04-01-preview"],"defaultApiVersion":"2020-04-01-preview","capabilities":"None"},{"resourceType":"locations/dnsResolverOperationResults","locations":[],"apiVersions":["2022-07-01","2020-04-01-preview"],"defaultApiVersion":"2020-04-01-preview","capabilities":"None"},{"resourceType":"locations/dnsResolverOperationStatuses","locations":[],"apiVersions":["2022-07-01","2020-04-01-preview"],"defaultApiVersion":"2020-04-01-preview","capabilities":"None"},{"resourceType":"trafficmanagerprofiles","locations":["global"],"apiVersions":["2022-04-01-preview","2018-08-01","2018-04-01","2018-03-01","2018-02-01","2017-05-01","2017-03-01","2015-11-01","2015-04-28-preview"],"defaultApiVersion":"2018-08-01","capabilities":"CrossResourceGroupResourceMove, @@ -1197,7 +1204,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, SupportsLocation"},{"resourceType":"expressRouteServiceProviders","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -1206,7 +1213,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"capabilities":"None"},{"resourceType":"applicationGatewayAvailableWafRuleSets","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"capabilities":"None"},{"resourceType":"applicationGatewayAvailableWafRuleSets","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1214,7 +1221,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01"],"capabilities":"None"},{"resourceType":"applicationGatewayAvailableSslOptions","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01"],"capabilities":"None"},{"resourceType":"applicationGatewayAvailableSslOptions","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1222,7 +1229,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01"],"capabilities":"None"},{"resourceType":"applicationGatewayAvailableServerVariables","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01"],"capabilities":"None"},{"resourceType":"applicationGatewayAvailableServerVariables","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1230,7 +1237,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01"],"capabilities":"None"},{"resourceType":"applicationGatewayAvailableRequestHeaders","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01"],"capabilities":"None"},{"resourceType":"applicationGatewayAvailableRequestHeaders","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1238,7 +1245,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01"],"capabilities":"None"},{"resourceType":"applicationGatewayAvailableResponseHeaders","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01"],"capabilities":"None"},{"resourceType":"applicationGatewayAvailableResponseHeaders","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1246,7 +1253,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01"],"capabilities":"None"},{"resourceType":"routeFilters","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01"],"capabilities":"None"},{"resourceType":"routeFilters","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1254,7 +1261,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, SupportsLocation"},{"resourceType":"bgpServiceCommunities","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -1263,7 +1270,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01"],"capabilities":"None"},{"resourceType":"virtualWans","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01"],"capabilities":"None"},{"resourceType":"virtualWans","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1271,7 +1278,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, SupportsLocation"},{"resourceType":"vpnSites","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil @@ -1280,7 +1287,7 @@ interactions: South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar Central","Central - US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, + US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, SupportsLocation"},{"resourceType":"vpnServerConfigurations","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -1289,7 +1296,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","South Africa North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar Central","Central US EUAP","East - US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, + US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, SupportsLocation"},{"resourceType":"virtualHubs","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil @@ -1298,7 +1305,7 @@ interactions: South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar Central","Central - US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, + US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, SupportsLocation"},{"resourceType":"vpnGateways","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil @@ -1307,7 +1314,7 @@ interactions: South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar Central","Central - US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, + US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, SupportsLocation"},{"resourceType":"p2sVpnGateways","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil @@ -1316,7 +1323,7 @@ interactions: South","Korea Central","Korea South","France Central","Australia Central","UAE North","South Africa North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar Central","Central - US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, + US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, SupportsLocation"},{"resourceType":"expressRouteGateways","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -1325,7 +1332,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, SupportsLocation"},{"resourceType":"locations/hybridEdgeZone","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -1334,7 +1341,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01"],"capabilities":"None"},{"resourceType":"expressRoutePortsLocations","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01"],"capabilities":"None"},{"resourceType":"expressRoutePortsLocations","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1342,7 +1349,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01"],"capabilities":"None"},{"resourceType":"expressRoutePorts","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01"],"capabilities":"None"},{"resourceType":"expressRoutePorts","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1350,7 +1357,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","UAE North","South Africa North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, SupportsLocation"},{"resourceType":"firewallPolicies","locations":["Qatar Central","UAE North","Australia Central 2","UAE Central","Germany North","Central India","Korea South","Switzerland North","Switzerland West","Japan West","France @@ -1360,7 +1367,7 @@ interactions: West","Sweden Central","Japan East","UK West","West US","East US","North Europe","West Europe","West Central US","South Central US","Australia East","Australia Central","Australia Southeast","UK South","East US 2","West US 2","North Central US","Canada Central","France - Central","Central US","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01"],"defaultApiVersion":"2020-04-01","capabilities":"SupportsTags, + Central","Central US","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01"],"defaultApiVersion":"2020-04-01","capabilities":"SupportsTags, SupportsLocation"},{"resourceType":"ipGroups","locations":["Qatar Central","UAE North","Australia Central 2","UAE Central","Germany North","Central India","Korea South","Switzerland North","Switzerland West","Japan West","France South","South @@ -1370,8 +1377,8 @@ interactions: Central","Japan East","UK West","West US","East US","North Europe","West Europe","South Central US","Australia East","Australia Central","Australia Southeast","UK South","East US 2","West US 2","North Central US","Canada Central","France - Central","West Central US","Central US","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01"],"defaultApiVersion":"2020-04-01","capabilities":"SupportsTags, - SupportsLocation"},{"resourceType":"azureWebCategories","locations":[],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01"],"defaultApiVersion":"2020-08-01","capabilities":"None"},{"resourceType":"locations/nfvOperations","locations":[],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"capabilities":"None"},{"resourceType":"locations/nfvOperationResults","locations":[],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"capabilities":"None"},{"resourceType":"securityPartnerProviders","locations":["West + Central","West Central US","Central US","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01"],"defaultApiVersion":"2020-04-01","capabilities":"SupportsTags, + SupportsLocation"},{"resourceType":"azureWebCategories","locations":[],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01"],"defaultApiVersion":"2020-08-01","capabilities":"None"},{"resourceType":"locations/nfvOperations","locations":[],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"capabilities":"None"},{"resourceType":"locations/nfvOperationResults","locations":[],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"capabilities":"None"},{"resourceType":"securityPartnerProviders","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1379,7 +1386,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, SupportsLocation"},{"resourceType":"azureFirewalls","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Brazil South","Australia @@ -1388,7 +1395,7 @@ interactions: Central","Australia Central","Japan West","Japan East","Korea Central","Korea South","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01"],"defaultApiVersion":"2020-03-01","zoneMappings":[{"location":"Australia + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01"],"defaultApiVersion":"2020-03-01","zoneMappings":[{"location":"Australia East","zones":["3","2","1"]},{"location":"Brazil South","zones":["3","2","1"]},{"location":"Canada Central","zones":["3","2","1"]},{"location":"Central India","zones":["3","2","1"]},{"location":"Central US","zones":["3","2","1"]},{"location":"Central US EUAP","zones":["2","1"]},{"location":"East @@ -1411,7 +1418,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01"],"capabilities":"None"},{"resourceType":"virtualNetworkTaps","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01"],"capabilities":"None"},{"resourceType":"virtualNetworkTaps","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1419,7 +1426,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, SupportsLocation"},{"resourceType":"privateLinkServices","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -1428,7 +1435,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, SupportsLocation"},{"resourceType":"locations/privateLinkServices","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -1437,7 +1444,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01"],"capabilities":"None"},{"resourceType":"ddosProtectionPlans","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01"],"capabilities":"None"},{"resourceType":"ddosProtectionPlans","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1445,7 +1452,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2018-02-01"}],"capabilities":"SupportsTags, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2018-02-01"}],"capabilities":"SupportsTags, SupportsLocation"},{"resourceType":"networkProfiles","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil @@ -1454,7 +1461,7 @@ interactions: South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar Central","Central - US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, + US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, SupportsLocation"},{"resourceType":"checkFrontdoorNameAvailability","locations":["global","Central US","East US","East US 2","North Central US","South Central US","West US","North Europe","West Europe","East Asia","Southeast Asia","Japan East","Japan West","Brazil @@ -1469,7 +1476,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01"],"capabilities":"None"},{"resourceType":"bastionHosts","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01"],"capabilities":"None"},{"resourceType":"bastionHosts","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1477,7 +1484,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, SupportsLocation"},{"resourceType":"virtualRouters","locations":["Qatar Central","UAE North","Australia Central 2","UAE Central","Germany North","Central India","Korea South","Switzerland North","Switzerland West","Japan West","France South","South @@ -1487,7 +1494,7 @@ interactions: Central","Japan East","UK West","West US","East US","North Europe","West Europe","West Central US","South Central US","Australia East","Australia Central","Australia Southeast","UK South","East US 2","West US 2","North Central US","Canada Central","France - Central","Central US","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01"],"defaultApiVersion":"2020-04-01","capabilities":"SupportsTags, + Central","Central US","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01"],"defaultApiVersion":"2020-04-01","capabilities":"SupportsTags, SupportsLocation"},{"resourceType":"networkVirtualAppliances","locations":["Qatar Central","Brazil Southeast","West US 3","Jio India West","Sweden Central","UAE North","Australia Central 2","UAE Central","Germany North","Central India","Korea @@ -1498,7 +1505,7 @@ interactions: Europe","West Europe","West Central US","South Central US","Australia East","Australia Central","Australia Southeast","UK South","East US 2","West US 2","North Central US","Canada Central","France Central","Central US","Central US EUAP","East - US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01"],"defaultApiVersion":"2020-04-01","capabilities":"SystemAssignedResourceIdentity, + US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01"],"defaultApiVersion":"2020-04-01","capabilities":"SystemAssignedResourceIdentity, SupportsTags, SupportsLocation"},{"resourceType":"ipAllocations","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -1507,7 +1514,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01"],"defaultApiVersion":"2020-03-01","capabilities":"CrossResourceGroupResourceMove, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01"],"defaultApiVersion":"2020-03-01","capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"networkManagers","locations":["West Central US","North Central US","West US","West Europe","UAE Central","Germany North","East US","West India","East US 2","Australia Central","Australia Central @@ -1518,8 +1525,8 @@ interactions: 3","Central India","Korea South","Brazil Southeast","Korea Central","Southeast Asia","South Central US","Norway West","Australia East","Japan East","Canada East","Canada Central","Switzerland North","Qatar Central","East US 2 EUAP","Central - US EUAP"],"apiVersions":["2022-07-01","2022-06-01-preview","2022-05-01","2022-04-01-preview","2022-02-01-preview","2022-01-01","2021-05-01-preview","2021-02-01-preview","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2019-12-01","2019-11-01"],"defaultApiVersion":"2022-01-01","capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"networkManagerConnections","locations":[],"apiVersions":["2022-07-01","2022-06-01-preview","2022-05-01","2022-04-01-preview","2022-02-01-preview","2022-01-01","2021-05-01-preview","2021-02-01-preview"],"defaultApiVersion":"2022-01-01","capabilities":"SupportsExtension"},{"resourceType":"locations/queryNetworkSecurityPerimeter","locations":["West + US EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-06-01-preview","2022-05-01","2022-04-01-preview","2022-02-01-preview","2022-01-01","2021-05-01-preview","2021-02-01-preview","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2019-12-01","2019-11-01"],"defaultApiVersion":"2022-01-01","capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"networkManagerConnections","locations":[],"apiVersions":["2022-09-01","2022-07-01","2022-06-01-preview","2022-05-01","2022-04-01-preview","2022-02-01-preview","2022-01-01","2021-05-01-preview","2021-02-01-preview"],"defaultApiVersion":"2022-01-01","capabilities":"SupportsExtension"},{"resourceType":"locations/queryNetworkSecurityPerimeter","locations":["West Central US","Jio India West","North Central US","West US","West Europe","UAE Central","Germany North","East US","West India","East US 2","Australia Central","Australia Central 2","South Africa West","Brazil South","UK West","North Europe","Central @@ -1539,7 +1546,7 @@ interactions: 3","Central India","Korea South","Brazil Southeast","Korea Central","Southeast Asia","South Central US","Norway West","Australia East","Japan East","Canada East","Canada Central","Switzerland North","Qatar Central","East US 2 EUAP","Central - US EUAP"],"apiVersions":["2022-07-01","2022-06-01-preview","2022-05-01","2022-04-01-preview","2022-02-01-preview","2022-01-01","2021-05-01-preview","2021-02-01-preview","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2019-12-01","2019-11-01"],"defaultApiVersion":"2022-01-01","capabilities":"None"},{"resourceType":"virtualNetworks/listNetworkManagerEffectiveSecurityAdminRules","locations":["West + US EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-06-01-preview","2022-05-01","2022-04-01-preview","2022-02-01-preview","2022-01-01","2021-05-01-preview","2021-02-01-preview","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2019-12-01","2019-11-01"],"defaultApiVersion":"2022-01-01","capabilities":"None"},{"resourceType":"virtualNetworks/listNetworkManagerEffectiveSecurityAdminRules","locations":["West Central US","North Central US","West US","West Europe","UAE Central","Germany North","East US","West India","East US 2","Australia Central","Australia Central 2","South Africa West","Brazil South","UK West","North Europe","Central US","UAE @@ -1549,7 +1556,7 @@ interactions: 3","Central India","Korea South","Brazil Southeast","Korea Central","Southeast Asia","South Central US","Norway West","Australia East","Japan East","Canada East","Canada Central","Switzerland North","Qatar Central","East US 2 EUAP","Central - US EUAP"],"apiVersions":["2022-07-01","2022-06-01-preview","2022-05-01","2022-04-01-preview","2022-02-01-preview","2022-01-01","2021-05-01-preview","2021-02-01-preview","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2019-12-01","2019-11-01"],"defaultApiVersion":"2022-01-01","capabilities":"None"},{"resourceType":"locations/commitInternalAzureNetworkManagerConfiguration","locations":["West + US EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-06-01-preview","2022-05-01","2022-04-01-preview","2022-02-01-preview","2022-01-01","2021-05-01-preview","2021-02-01-preview","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2019-12-01","2019-11-01"],"defaultApiVersion":"2022-01-01","capabilities":"None"},{"resourceType":"locations/commitInternalAzureNetworkManagerConfiguration","locations":["West Central US","North Central US","West US","West Europe","UAE Central","Germany North","East US","West India","East US 2","Australia Central","Australia Central 2","South Africa West","Brazil South","UK West","North Europe","Central US","UAE @@ -1559,7 +1566,7 @@ interactions: 3","Central India","Korea South","Brazil Southeast","Korea Central","Southeast Asia","South Central US","Norway West","Australia East","Japan East","Canada East","Canada Central","Switzerland North","Qatar Central","East US 2 EUAP","Central - US EUAP"],"apiVersions":["2022-07-01","2022-06-01-preview","2022-05-01","2022-04-01-preview","2022-02-01-preview","2022-01-01","2021-05-01-preview","2021-02-01-preview","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2019-12-01","2019-11-01"],"capabilities":"None"},{"resourceType":"locations/internalAzureVirtualNetworkManagerOperation","locations":["West + US EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-06-01-preview","2022-05-01","2022-04-01-preview","2022-02-01-preview","2022-01-01","2021-05-01-preview","2021-02-01-preview","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2019-12-01","2019-11-01"],"capabilities":"None"},{"resourceType":"locations/internalAzureVirtualNetworkManagerOperation","locations":["West Central US","North Central US","West US","West Europe","UAE Central","Germany North","East US","West India","East US 2","Australia Central","Australia Central 2","South Africa West","Brazil South","UK West","North Europe","Central US","UAE @@ -1569,7 +1576,7 @@ interactions: 3","Central India","Korea South","Brazil Southeast","Korea Central","Southeast Asia","South Central US","Norway West","Australia East","Japan East","Canada East","Canada Central","Switzerland North","Qatar Central","East US 2 EUAP","Central - US EUAP"],"apiVersions":["2022-07-01","2022-06-01-preview","2022-05-01","2022-04-01-preview","2022-02-01-preview","2022-01-01","2021-05-01-preview","2021-02-01-preview","2020-08-01"],"capabilities":"None"},{"resourceType":"networkVirtualApplianceSkus","locations":[],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01"],"defaultApiVersion":"2020-04-01","capabilities":"None"},{"resourceType":"locations/serviceTagDetails","locations":["West + US EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-06-01-preview","2022-05-01","2022-04-01-preview","2022-02-01-preview","2022-01-01","2021-05-01-preview","2021-02-01-preview","2020-08-01"],"capabilities":"None"},{"resourceType":"networkVirtualApplianceSkus","locations":[],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01"],"defaultApiVersion":"2020-04-01","capabilities":"None"},{"resourceType":"locations/serviceTagDetails","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1577,7 +1584,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01"],"capabilities":"None"},{"resourceType":"locations/dataTasks","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01"],"capabilities":"None"},{"resourceType":"locations/dataTasks","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1585,8 +1592,8 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01"],"capabilities":"None"},{"resourceType":"networkWatchers/lenses","locations":["Central - US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"defaultApiVersion":"2020-03-01","capabilities":"CrossResourceGroupResourceMove, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01"],"capabilities":"None"},{"resourceType":"networkWatchers/lenses","locations":["Central + US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"defaultApiVersion":"2020-03-01","capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"frontdoorOperationResults","locations":["global"],"apiVersions":["2022-05-01","2021-06-01","2020-11-01","2020-07-01","2020-05-01","2020-04-01","2020-01-01","2019-11-01","2019-10-01","2019-08-01","2019-05-01","2019-04-01","2019-03-01","2018-08-01"],"defaultApiVersion":"2020-07-01","capabilities":"None"},{"resourceType":"frontdoors","locations":["Central US EUAP","East US 2 EUAP","global","Central US","East US","East US 2","North Central US","South Central US","West US","North Europe","West Europe","East @@ -1615,11 +1622,11 @@ interactions: cache-control: - no-cache content-length: - - '147324' + - '149219' content-type: - application/json; charset=utf-8 date: - - Wed, 04 Jan 2023 07:29:59 GMT + - Fri, 17 Feb 2023 07:31:03 GMT expires: - '-1' pragma: @@ -1648,13 +1655,13 @@ interactions: - --resource-group --name --image --ssh-key-values --public-ip-address --custom-data --vnet-name --subnet User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/proxy-subnet?api-version=2022-07-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/proxy-subnet?api-version=2022-09-01 response: body: string: "{\r\n \"name\": \"proxy-subnet\",\r\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/proxy-subnet\",\r\n - \ \"etag\": \"W/\\\"00cf79d6-6ffa-44e3-99d8-6fa62728aba8\\\"\",\r\n \"properties\": + \ \"etag\": \"W/\\\"9389ffd5-ca47-413f-b488-83582a9e4960\\\"\",\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"addressPrefix\": \"10.42.3.0/24\",\r\n \ \"delegations\": [],\r\n \"privateEndpointNetworkPolicies\": \"Disabled\",\r\n \ \"privateLinkServiceNetworkPolicies\": \"Enabled\"\r\n },\r\n \"type\": @@ -1667,9 +1674,9 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 04 Jan 2023 07:29:59 GMT + - Fri, 17 Feb 2023 07:31:04 GMT etag: - - W/"00cf79d6-6ffa-44e3-99d8-6fa62728aba8" + - W/"9389ffd5-ca47-413f-b488-83582a9e4960" expires: - '-1' pragma: @@ -1686,7 +1693,7 @@ interactions: x-content-type-options: - nosniff x-ms-arm-service-request-id: - - 71704019-fcd2-4dec-abe2-ee653c61b231 + - 5068d723-182a-43c1-a820-3a1a758da700 status: code: 200 message: OK @@ -1705,13 +1712,13 @@ interactions: - --resource-group --name --image --ssh-key-values --public-ip-address --custom-data --vnet-name --subnet User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-compute/29.0.0 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-compute/29.1.0 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/westus2/publishers/Canonical/artifacttypes/vmimage/offers/0001-com-ubuntu-server-focal/skus/20_04-lts/versions?$top=1&$orderby=name%20desc&api-version=2022-08-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/westus2/publishers/Canonical/artifacttypes/vmimage/offers/0001-com-ubuntu-server-focal/skus/20_04-lts/versions?$top=1&$orderby=name%20desc&api-version=2022-11-01 response: body: - string: "[\r\n {\r\n \"location\": \"westus2\",\r\n \"name\": \"20.04.202212140\",\r\n - \ \"id\": \"/Subscriptions/00000000-0000-0000-0000-000000000000/Providers/Microsoft.Compute/Locations/westus2/Publishers/Canonical/ArtifactTypes/VMImage/Offers/0001-com-ubuntu-server-focal/Skus/20_04-lts/Versions/20.04.202212140\"\r\n + string: "[\r\n {\r\n \"location\": \"westus2\",\r\n \"name\": \"20.04.202302090\",\r\n + \ \"id\": \"/Subscriptions/00000000-0000-0000-0000-000000000000/Providers/Microsoft.Compute/Locations/westus2/Publishers/Canonical/ArtifactTypes/VMImage/Offers/0001-com-ubuntu-server-focal/Skus/20_04-lts/Versions/20.04.202302090\"\r\n \ }\r\n]" headers: cache-control: @@ -1721,7 +1728,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 04 Jan 2023 07:30:00 GMT + - Fri, 17 Feb 2023 07:31:04 GMT expires: - '-1' pragma: @@ -1757,9 +1764,9 @@ interactions: - --resource-group --name --image --ssh-key-values --public-ip-address --custom-data --vnet-name --subnet User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-compute/29.0.0 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-compute/29.1.0 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/westus2/publishers/Canonical/artifacttypes/vmimage/offers/0001-com-ubuntu-server-focal/skus/20_04-lts/versions/20.04.202212140?api-version=2022-08-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/westus2/publishers/Canonical/artifacttypes/vmimage/offers/0001-com-ubuntu-server-focal/skus/20_04-lts/versions/20.04.202302090?api-version=2022-11-01 response: body: string: "{\r\n \"properties\": {\r\n \"hyperVGeneration\": \"V1\",\r\n \"architecture\": @@ -1773,8 +1780,8 @@ interactions: \"IsHibernateSupported\",\r\n \"value\": \"True\"\r\n }\r\n ],\r\n \ \"osDiskImage\": {\r\n \"operatingSystem\": \"Linux\",\r\n \"sizeInGb\": 31,\r\n \"sizeInBytes\": 32213303808\r\n },\r\n \"dataDiskImages\": - []\r\n },\r\n \"location\": \"westus2\",\r\n \"name\": \"20.04.202212140\",\r\n - \ \"id\": \"/Subscriptions/00000000-0000-0000-0000-000000000000/Providers/Microsoft.Compute/Locations/westus2/Publishers/Canonical/ArtifactTypes/VMImage/Offers/0001-com-ubuntu-server-focal/Skus/20_04-lts/Versions/20.04.202212140\"\r\n}" + []\r\n },\r\n \"location\": \"westus2\",\r\n \"name\": \"20.04.202302090\",\r\n + \ \"id\": \"/Subscriptions/00000000-0000-0000-0000-000000000000/Providers/Microsoft.Compute/Locations/westus2/Publishers/Canonical/ArtifactTypes/VMImage/Offers/0001-com-ubuntu-server-focal/Skus/20_04-lts/Versions/20.04.202302090\"\r\n}" headers: cache-control: - no-cache @@ -1783,7 +1790,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 04 Jan 2023 07:30:00 GMT + - Fri, 17 Feb 2023 07:31:04 GMT expires: - '-1' pragma: @@ -1819,13 +1826,13 @@ interactions: - --resource-group --name --image --ssh-key-values --public-ip-address --custom-data --vnet-name --subnet User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-compute/29.0.0 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-compute/29.1.0 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/westus2/publishers/Canonical/artifacttypes/vmimage/offers/0001-com-ubuntu-server-focal/skus/20_04-lts/versions?$top=1&$orderby=name%20desc&api-version=2022-08-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/westus2/publishers/Canonical/artifacttypes/vmimage/offers/0001-com-ubuntu-server-focal/skus/20_04-lts/versions?$top=1&$orderby=name%20desc&api-version=2022-11-01 response: body: - string: "[\r\n {\r\n \"location\": \"westus2\",\r\n \"name\": \"20.04.202212140\",\r\n - \ \"id\": \"/Subscriptions/00000000-0000-0000-0000-000000000000/Providers/Microsoft.Compute/Locations/westus2/Publishers/Canonical/ArtifactTypes/VMImage/Offers/0001-com-ubuntu-server-focal/Skus/20_04-lts/Versions/20.04.202212140\"\r\n + string: "[\r\n {\r\n \"location\": \"westus2\",\r\n \"name\": \"20.04.202302090\",\r\n + \ \"id\": \"/Subscriptions/00000000-0000-0000-0000-000000000000/Providers/Microsoft.Compute/Locations/westus2/Publishers/Canonical/ArtifactTypes/VMImage/Offers/0001-com-ubuntu-server-focal/Skus/20_04-lts/Versions/20.04.202302090\"\r\n \ }\r\n]" headers: cache-control: @@ -1835,7 +1842,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 04 Jan 2023 07:30:00 GMT + - Fri, 17 Feb 2023 07:31:04 GMT expires: - '-1' pragma: @@ -1871,9 +1878,9 @@ interactions: - --resource-group --name --image --ssh-key-values --public-ip-address --custom-data --vnet-name --subnet User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-compute/29.0.0 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-compute/29.1.0 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/westus2/publishers/Canonical/artifacttypes/vmimage/offers/0001-com-ubuntu-server-focal/skus/20_04-lts/versions/20.04.202212140?api-version=2022-08-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/westus2/publishers/Canonical/artifacttypes/vmimage/offers/0001-com-ubuntu-server-focal/skus/20_04-lts/versions/20.04.202302090?api-version=2022-11-01 response: body: string: "{\r\n \"properties\": {\r\n \"hyperVGeneration\": \"V1\",\r\n \"architecture\": @@ -1887,8 +1894,8 @@ interactions: \"IsHibernateSupported\",\r\n \"value\": \"True\"\r\n }\r\n ],\r\n \ \"osDiskImage\": {\r\n \"operatingSystem\": \"Linux\",\r\n \"sizeInGb\": 31,\r\n \"sizeInBytes\": 32213303808\r\n },\r\n \"dataDiskImages\": - []\r\n },\r\n \"location\": \"westus2\",\r\n \"name\": \"20.04.202212140\",\r\n - \ \"id\": \"/Subscriptions/00000000-0000-0000-0000-000000000000/Providers/Microsoft.Compute/Locations/westus2/Publishers/Canonical/ArtifactTypes/VMImage/Offers/0001-com-ubuntu-server-focal/Skus/20_04-lts/Versions/20.04.202212140\"\r\n}" + []\r\n },\r\n \"location\": \"westus2\",\r\n \"name\": \"20.04.202302090\",\r\n + \ \"id\": \"/Subscriptions/00000000-0000-0000-0000-000000000000/Providers/Microsoft.Compute/Locations/westus2/Publishers/Canonical/ArtifactTypes/VMImage/Offers/0001-com-ubuntu-server-focal/Skus/20_04-lts/Versions/20.04.202302090\"\r\n}" headers: cache-control: - no-cache @@ -1897,7 +1904,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 04 Jan 2023 07:30:00 GMT + - Fri, 17 Feb 2023 07:31:04 GMT expires: - '-1' pragma: @@ -1932,7 +1939,7 @@ interactions: [{"name": "ipconfigcli-proxy-vm", "properties": {"privateIPAllocationMethod": "Dynamic", "subnet": {"id": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/proxy-subnet"}}}], "networkSecurityGroup": {"id": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkSecurityGroups/cli-proxy-vmNSG"}}}, - {"apiVersion": "2022-08-01", "type": "Microsoft.Compute/virtualMachines", "name": + {"apiVersion": "2022-11-01", "type": "Microsoft.Compute/virtualMachines", "name": "cli-proxy-vm", "location": "westus2", "tags": {}, "dependsOn": ["Microsoft.Network/networkInterfaces/cli-proxy-vmVMNic"], "properties": {"hardwareProfile": {"vmSize": "Standard_DS1_v2"}, "networkProfile": {"networkInterfaces": [{"id": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkInterfaces/cli-proxy-vmVMNic", @@ -1942,7 +1949,7 @@ interactions: "sku": "20_04-lts", "version": "latest"}}, "osProfile": {"computerName": "cli-proxy-vm", "adminUsername": "azureuser", "customData": "IyEvdXNyL2Jpbi9lbnYgYmFzaApzZXQgLXgKCmVjaG8gInNldHRpbmcgdXAiCldPUktESVI9IiR7MTotJChta3RlbXAgLWQpfSIKZWNobyAic2V0dGluZyB1cCAke1dPUktESVJ9IgoKcHVzaGQgIiRXT1JLRElSIgoKYXB0IHVwZGF0ZSAteSAmJiBhcHQgaW5zdGFsbCAteSBhcHQtdHJhbnNwb3J0LWh0dHBzIGN1cmwgZ251cGcgbWFrZSBnY2MgPCAvZGV2L251bGwKCiMgYWRkIGRpbGFkZWxlIGFwdCBrZXkKd2dldCAtcU8gLSBodHRwczovL3BhY2thZ2VzLmRpbGFkZWxlLmNvbS9kaWxhZGVsZV9wdWIuYXNjIHwgYXB0LWtleSBhZGQgLQoKIyBhZGQgbmV3IHJlcG8KdGVlIC9ldGMvYXB0L3NvdXJjZXMubGlzdC5kL3NxdWlkNDEzLXVidW50dTIwLmRpbGFkZWxlLmNvbS5saXN0IDw8RU9GCmRlYiBodHRwczovL3NxdWlkNDEzLXVidW50dTIwLmRpbGFkZWxlLmNvbS91YnVudHUvIGZvY2FsIG1haW4KRU9GCgojIGFuZCBpbnN0YWxsCmFwdC1nZXQgdXBkYXRlICYmIGFwdC1nZXQgaW5zdGFsbCAteSBzcXVpZC1jb21tb24gc3F1aWQtb3BlbnNzbCBzcXVpZGNsaWVudCBsaWJlY2FwMyBsaWJlY2FwMy1kZXYgPCAvZGV2L251bGwKCm1rZGlyIC1wIC92YXIvbGliL3NxdWlkCgovdXNyL2xpYi9zcXVpZC9zZWN1cml0eV9maWxlX2NlcnRnZW4gLWMgLXMgL3Zhci9saWIvc3F1aWQvc3NsX2RiIC1NIDRNQiB8fCB0cnVlCgpjaG93biAtUiBwcm94eTpwcm94eSAvdmFyL2xpYi9zcXVpZAoKIyBOYW1lIG9mIHRoZSBWTSBvbiB3aGljaCBTcXVpZCBpcyBob3N0ZWQKSE9TVD0iY2xpLXByb3h5LXZtIgoKdGVlIHNxdWlkYy5wZW0gPiAvZGV2L251bGwgPDxFT0YKLS0tLS1CRUdJTiBDRVJUSUZJQ0FURS0tLS0tCk1JSUZHekNDQXdPZ0F3SUJBZ0lVT1FvajhDTFpkc2Vscjk3cnZJd3g1T0xEc3V3d0RRWUpLb1pJaHZjTkFRRUwKQlFBd0Z6RVZNQk1HQTFVRUF3d01ZMnhwTFhCeWIzaDVMWFp0TUI0WERUSXlNRE13T0RFMk5EUTBOMW9YRFRNeQpNRE13TlRFMk5EUTBOMW93RnpFVk1CTUdBMVVFQXd3TVkyeHBMWEJ5YjNoNUxYWnRNSUlDSWpBTkJna3Foa2lHCjl3MEJBUUVGQUFPQ0FnOEFNSUlDQ2dLQ0FnRUEvTVB0VjVCVFB0NmNxaTRSZE1sbXIzeUlzYTJ1anpjaHh2NGgKanNDMUR0blJnb3M1UzQxUEgwcmkrM3RUU1ZYMzJ5cndzWStyRDFZUnVwbTZsbUU3R2hVNUkwR2k5b3prU0YwWgpLS2FKaTJveXBVL0ZCK1FQcXpvQ1JzTUV3R0NibUtGVmw4VnVoeW5kWEs0YjRrYmxyOWJsL2V1d2Q3TThTYnZ6CldVam5lRHJRc2lJc3J6UFQ0S0FaTHFjdHpEZTRsbFBUN1lLYTMzaGlFUE9mdldpWitkcWthUUE5UDY0eFhTeW4KZkhYOHVWQUozdUJWSmVHeEQwcGtOSjdqT3J5YVV1SEh1Y1U4UzltSWpuS2pBQjVhUGpMSDV4QXM2bG1iMzEyMgp5KzF0bkVBbVhNNTBEK1VvRWpmUzZIT2I1cmRpcVhHdmMxS2JvS2p6a1BDUnh4MmE3MmN2ZWdVajZtZ0FKTHpnClRoRTFsbGNtVTRpemd4b0lNa1ZwR1RWT0xMbjFWRkt1TmhNWkN2RnZLZ25Lb0F2M0cwRlVuZldFYVJSalNObUQKTFlhTURUNUg5WnQycERJVWpVR1N0Q2w3Z1J6TUVuWXdKTzN5aURwZzQzbzVkUnlzVXlMOUpmRS9OaDdUZzYxOApuOGNKL1c3K1FZYllsanVyYXA4cjdRRlNyb2wzVkNoRkIrT29yNW5pK3ZvaFNBd0pmMFVsTXBHM3hXbXkxVUk0ClRGS2ZGR1JSVHpyUCs3Yk53WDVoSXZJeTVWdGd5YU9xSndUeGhpL0pkeHRPcjJ0QTVyQ1c3K0N0Z1N2emtxTkUKWHlyN3ZrWWdwNlk1TFpneTR0VWpLMEswT1VnVmRqQk9oRHBFenkvRkY4dzFGRVZnSjBxWS9yV2NMa0JIRFQ4Ugp2SmtoaW84Q0F3RUFBYU5mTUYwd0Z3WURWUjBSQkJBd0RvSU1ZMnhwTFhCeWIzaDVMWFp0TUJJR0ExVWRFd0VCCi93UUlNQVlCQWY4Q0FRQXdEd1lEVlIwUEFRSC9CQVVEQXdmbmdEQWRCZ05WSFNVRUZqQVVCZ2dyQmdFRkJRY0QKQWdZSUt3WUJCUVVIQXdFd0RRWUpLb1pJaHZjTkFRRUxCUUFEZ2dJQkFBb21qQ3lYdmFRT3hnWUs1MHNYTEIyKwp3QWZkc3g1bm5HZGd5Zmc0dXJXMlZtMTVEaEd2STdDL250cTBkWXkyNE4vVWJHN1VEWHZseUxJSkZxMVhQN25mCnBaRzBWQ2paNjlibXhLbTNaOG0wL0F3TXZpOGU5ZWR5OHY5a05CQ3dMR2tIYkE4WW85Q0lpUWdlbGZwcDF2VWgKYm5OQmhhRCtpdTZDZmlDTHdnSmIvaXc3ZW8vQ3lvWnF4K3RqWGFPMnpYdm00cC8rUUlmQU9ndEdRTEZVOGNmWgovZ1VyVHE1Z0ZxMCtQOUd5V3NBVEpGNnE3TDZXWlpqME91VHNlN2Y0Q1NpajZNbk9NTXhBK0pvYWhKejdsc1NpClRKSEl3RXA1ci9SeWhweWVwUXhGWWNVSDVKSmY5cmFoWExXWmkrOVRqeFNNMll5aHhmUlBzaVVFdUdEb2s3OFEKbS9RUGlDaTlKSmIxb2NtVGpBVjh4RFNob2NpdlhPRnlobjZMbjc3dkxqWStBYXZ0V0RoUXRocHVQeHNMdFZ6bQplMFNIMTFkRUxSdGI3NG1xWE9yTzdmdS8rSUJzM0pxTEUvVSt4dXhRdHZHOHZHMXlES0hIU1pxUzJoL1dzNGw0Ck5pQXNoSGdlaFFEUEJjWTl3WVl6ZkJnWnBPVU16ZERmNTB4K0ZTbFk0M1dPSkp6U3VRaDR5WjArM2t5Z3VDRjgKcm5NTFNjZXlTNGNpNExtSi9LQ1N1R2RmNlhWWXo4QkU5Z2pqanBDUDZxeTBVbFJlZldzL2lnL3djSysyYkYxVApuL1l2KzZnWGVDVEhKNzVxRElQbHA3RFJVVWswZmJNajRiSWthb2dXV2s0emYydThteFpMYTBsZVBLTktaTi9tCkdDdkZ3cjNlaSt1LzhjenA1RjdUCi0tLS0tRU5EIENFUlRJRklDQVRFLS0tLS0KRU9GCgp0ZWUgc3F1aWRrLnBlbSA+IC9kZXYvbnVsbCA8PEVPRgotLS0tLUJFR0lOIFBSSVZBVEUgS0VZLS0tLS0KTUlJSlJBSUJBREFOQmdrcWhraUc5dzBCQVFFRkFBU0NDUzR3Z2drcUFnRUFBb0lDQVFEOHcrMVhrRk0rM3B5cQpMaEYweVdhdmZJaXhyYTZQTnlIRy9pR093TFVPMmRHQ2l6bExqVThmU3VMN2UxTkpWZmZiS3ZDeGo2c1BWaEc2Cm1icVdZVHNhRlRralFhTDJqT1JJWFJrb3BvbUxhaktsVDhVSDVBK3JPZ0pHd3dUQVlKdVlvVldYeFc2SEtkMWMKcmh2aVJ1V3YxdVg5NjdCM3N6eEp1L05aU09kNE90Q3lJaXl2TTlQZ29Ca3VweTNNTjdpV1U5UHRncHJmZUdJUQo4NSs5YUpuNTJxUnBBRDAvcmpGZExLZDhkZnk1VUFuZTRGVWw0YkVQU21RMG51TTZ2SnBTNGNlNXhUeEwyWWlPCmNxTUFIbG8rTXNmbkVDenFXWnZmWGJiTDdXMmNRQ1pjem5RUDVTZ1NOOUxvYzV2bXQyS3BjYTl6VXB1Z3FQT1EKOEpISEhacnZaeTk2QlNQcWFBQWt2T0JPRVRXV1Z5WlRpTE9ER2dneVJXa1pOVTRzdWZWVVVxNDJFeGtLOFc4cQpDY3FnQy9jYlFWU2Q5WVJwRkdOSTJZTXRob3dOUGtmMW0zYWtNaFNOUVpLMEtYdUJITXdTZGpBazdmS0lPbURqCmVqbDFIS3hUSXYwbDhUODJIdE9Eclh5Znh3bjlidjVCaHRpV082dHFueXZ0QVZLdWlYZFVLRVVINDZpdm1lTDYKK2lGSURBbC9SU1V5a2JmRmFiTFZRamhNVXA4VVpGRlBPcy83dHMzQmZtRWk4akxsVzJESm82b25CUEdHTDhsMwpHMDZ2YTBEbXNKYnY0SzJCSy9PU28wUmZLdnUrUmlDbnBqa3RtRExpMVNNclFyUTVTQlYyTUU2RU9rVFBMOFVYCnpEVVVSV0FuU3BqK3Rad3VRRWNOUHhHOG1TR0tqd0lEQVFBQkFvSUNBRFp3Y0ZiU284cy9vTmhhVWJJb2luQXoKVHpHTmFiSTR1cEtrTzFBR216aFdtM1FWVGtMQ2JZOGN6dVJBL0lBbi90ajZWNXEyaWE0azZHNmJHMysxODBlNwoySEdLZW5IRmlJazVXK2pRYllGVVh4SVJxeXIyNkpVRlNtWTVMSFhPbU5SM3N2cWNNQ0QyV0ZIVXdmYXJORjc1CjF0RW9pUHBPNVNZd1Q4b2tGSTVsaEh0Sk52eUpHaElnQ1N4dUgwUURvRUxvVFJXemNtMjgvTW9QM3BDcHpiZnQKYWttZkhwSHZqM3cwMk9IS2U2TGg1UzVXZktCTENwcHplRCtKRlFHYWkxWmNnR3EzV3pRdTV1VmZOVklhTjI5NworbWYrcU4zVWJPamZ3ellLcmZmZ0xTTUI2Q2RnUUpBajY4M2EwSElSZnpObFk5ZGZyRnNlNkU2SU1hMkQ1OUZJCmdkRjUxZDVPT3FXMDJOR29POWZocDZNNmRHUE54SVVjV3BrOGhqYWdRUXIvQzh5Z01sak1TMC91WGJVOTA0TTIKenlWTk5wU25kVDRzWS9NeGlobG5sOStVbjI2NzJkaENTOFRpUjBKblFicXh2aVpwcnFQOUlVbk9kRVNUNE90VwoyeEZUWUYrYmczUEVLY3VTY2dQcml4OUdoUTc3dVp3K013UGV5enJlWGRVQkwrOWpSQWp1UHFJRTFDcGorNlI2CnpXa21lMDBBZVdudWFCQlMzQUQweE1xc3Q3dE1xcWdYY1RtY2NFYXFOTTNEay8rSVVuREozQXdOeHBYQnE3VUwKVVlyakZpSzVtWHVsNi92RGVYMmQyNzZDcDVNMkxSOFNoODNQZkRHWmRLYW01dkFTaU1HQUdYZEp5Sk1GWnQ3UwpadnhYd0JyUWx5c1RUNnF4MGFWUkFvSUJBUUQvSUl1V1gzWlNYdjRsSzB4NE4xS3FxS0l3VEpqaEE4ZlZERTdZCitQMC9qaDVyb1JZTVhxY0VaeEVSc2RkMEJUNnBZdENhWHVmMWRSN3ludDBQdzVWdHhnaU9pUVd6ME1nZTdPc2gKK0FKVUxtWXNRQk9NMXdCTU1rMG4rVTZaSGw5clNOR2d5WFk3TFdVTFQ4Tmp6TDc0dkpUazBSV3BRRDQ0MFZiZAppK0ZRTUh2QVNCZVErSkk2RzRYR0Vaczh2QjlBcjd2bC8zYXRMcHE3eG1vaWkrajZENWpIZ2psTXRWUkQ2UTloCkJXbjd4TlNmcFEvdGVJbnRqZDYwb3BodlFxblZZd2Eybk43SGxqMGFrNk1JSXFERzVLaUVxREdWQTAwR2FyT2MKVTZFSkRaVng2TmVEWWFPbHQ4SzJ0cHp6cVgrV1huNG1hblJGMDluOHFGZU01dG4zQW9JQkFRRDlvVkF5S3BRdgpTemhXNmNIQlgra1NYNjIzWDNTL2pMY3RmMko0b3RONjZzQnlpMnJKTlhLN1k2OFh1OXVwNTVQU3VCdHlRVHpqCnhTbklGK3U5NlBoV1FzbnlhWHlONDFwcWp5cGVTNXFHQS9KcVBmc0FhMjNqNUxlcFNaUzZhTHRERSt5KzJIZlYKaFBGSHpzNy9sZHA3Ykx2M0I3WHp5TFNFKzJ2NXJleVc1MnZXNEl0YUp4SHN2dWtmLzZnRTNBTVlTTWFIWGFJZApjeWVUVnhVVXMxdElNMUo5V0JqWXpZYSt0MlFMdjIwbFFUelpMMnRaWWNsWDdXUXJwTW9HaWxBWlQzbVRZblBiCnBXZXVkUzM0MjJGeTh3SDRxcDB5dDFvdUkrS1VMNlJpMUFGQXZEU2F1V0hsem5IOVNMRzRTLzBveS90Rys5bWgKNkNKQnNOOFpZKzRwQW9JQkFRQ1JPanQ3VzlnRXg2SXdFbGV6VHZxMXZzeWtaZFhZc01nK0ZJV0ZxU2F2MlB5awpFOHh6T2lZa3NXN2IvYnBCaHdMR2RVTjl2R3lhSXhOODFNWE54VzM0VVBScC9zSEtQQnpPemRxRE9hUkp1eWZhCkpKZDhZcDcrd050KzE4SFFFNlFKZENnd09MNGVyWmFKTzl4am9SZE1qRHpOaTkraXVya3dxcW1oNzVCUWoyakMKYWNkUWRNNzRXTlpyaTNZc3VvR24xdUZFNllqcXlFNjRlUmZObG9zR1hYNkFnemFPM2VHYnpyMDhZMUtUU05ZbwpFbFBndis3ejFRQmpIdk5hMGozUEJGRzcvY3dySFBDbmdrY1p5R3h4QzVTSi94eEtVTmkxd0dPQnAzRlJyL1BVCkpkRVlMcXB6R1FtejdIdW5rR0xhZSt1ZmZwVzFjZ1R5ZC9sdWNiSzlBb0lCQVFEQlAvdEo3aFZ3bjZDeTRITm8KTXZyMHJBQkIyektxakw0NXBYalRNRVZ3djVPWTgwK1BOZkZRaEppeHZjcVdmOE9yWitwSnVSbDY5d3hwMElnbgo4RzNmMUEzcGJhU2d1OTExbWRZUGVRMnBGVExNN3FMa1kvYWNFUFk3djd2WitOak9PRTFIOE1vRjM4QzBGUWkxCngybHNaNklrakRTQUpxb2ROVERGVWxjVmVBazc5V1ZZY0xLQXI4b1RQb200QWljOWhwMzJJRXJZbzVoQTlMWTAKU3FDL3Q1TWZ2Rk5hUmVkb1EzV3dXZEFBOWQ4MklLSnJ2VTFiZUo2OWZsY01lckNqU0dIN0FhWURjdGs0SFVMRQovZXNYV2I5anlDUDBzNjI3d0UzdzJRZ280UjUvUTZmVlNIRW1WNUdWQ3FHWEtoY2YwYVNKSm5aaG5lMFVIbjh1CjZteFpBb0lCQVFDQjRQd3ZxdGdSQWozYnhJeW9QNjVBTjZqMm4yd2syVHBMWVVZQzhYYmdjSlhtWHV2SkJENmYKeXdnRWM5a2hNRXYvWjNyMHZDb1ArZFcwU3lLLys5YmpMSm96cTNCQ05yZGdScVlyZzdjbkVhUGJlc2dPUFdZOQpSNUtnQ044Z2N0aXZaOEczemRlbWJSNHFGeWV5ZWN3Wis5NkpmeUVzazBWMUlwUnJaWmc3c29aNHFzRFJLWmMxCmRrRUI3cHhBZk9sMTdjT3RjWlNRSHVqOFZEdERtVXl5U3p5U0JHUnJGM3FvR2hXYlE1OVdwNDhHdzkvSlovdGgKd21yN0xFblFaTnpvM0liTG5nelVsQ2lSdFJnTmw5aEN3NXZad2ZTOHlFc1MwYTcybG1LWTNxR3lYcjN4QUFoZgowN29pN0VEZG80MkNiYmpBRlZrMkg0MGlNdlZSNWQ0VQotLS0tLUVORCBQUklWQVRFIEtFWS0tLS0tCkVPRgoKY2hvd24gcHJveHk6cHJveHkgc3F1aWRjLnBlbQpjaG93biBwcm94eTpwcm94eSBzcXVpZGsucGVtCmNobW9kIDQwMCBzcXVpZGMucGVtIApjaG1vZCA0MDAgc3F1aWRrLnBlbQpjcCBzcXVpZGMucGVtIC9ldGMvc3F1aWQvc3F1aWRjLnBlbQpjcCBzcXVpZGsucGVtIC9ldGMvc3F1aWQvc3F1aWRrLnBlbQpjcCBzcXVpZGMucGVtIC91c3IvbG9jYWwvc2hhcmUvY2EtY2VydGlmaWNhdGVzL3NxdWlkYy5jcnQKdXBkYXRlLWNhLWNlcnRpZmljYXRlcyAKCnNlZCAtaSAnc35odHRwX2FjY2VzcyBkZW55IGFsbH5odHRwX2FjY2VzcyBhbGxvdyBhbGx+JyAvZXRjL3NxdWlkL3NxdWlkLmNvbmYKc2VkIC1pICJzfmh0dHBfcG9ydCAzMTI4fmh0dHBfcG9ydCAkSE9TVDozMTI4XG5odHRwc19wb3J0ICRIT1NUOjMxMjkgdGxzLWNlcnQ9L2V0Yy9zcXVpZC9zcXVpZGMucGVtIHRscy1rZXk9L2V0Yy9zcXVpZC9zcXVpZGsucGVtfiIgL2V0Yy9zcXVpZC9zcXVpZC5jb25mCgpzeXN0ZW1jdGwgcmVzdGFydCBzcXVpZApzeXN0ZW1jdGwgc3RhdHVzIHNxdWlkCgojIHZhbGlkYXRpb24sIGZhaWxzIFZNIGNyZWF0aW9uIGlmIGNvbW1hbmRzIGZhaWwKY3VybCAtZnNTbCAtbyAvZGV2L251bGwgLXcgJyV7aHR0cF9jb2RlfVxuJyAteCBodHRwOi8vJHtIT1NUfTozMTI4LyAtSSBodHRwOi8vd3d3Lmdvb2dsZS5jb20KY3VybCAtZnNTbCAtbyAvZGV2L251bGwgLXcgJyV7aHR0cF9jb2RlfVxuJyAteCBodHRwOi8vJHtIT1NUfTozMTI4LyAtSSBodHRwczovL3d3dy5nb29nbGUuY29tCmN1cmwgLWZzU2wgLW8gL2Rldi9udWxsIC13ICcle2h0dHBfY29kZX1cbicgLXggaHR0cHM6Ly8ke0hPU1R9OjMxMjkvIC1JIGh0dHA6Ly93d3cuZ29vZ2xlLmNvbQpjdXJsIC1mc1NsIC1vIC9kZXYvbnVsbCAtdyAnJXtodHRwX2NvZGV9XG4nIC14IGh0dHBzOi8vJHtIT1NUfTozMTI5LyAtSSBodHRwczovL3d3dy5nb29nbGUuY29tCg==", "linuxConfiguration": {"disablePasswordAuthentication": true, "ssh": {"publicKeys": - [{"keyData": "ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCxQVzaezimLDDL1HAh61in6hRl3lBzeIJJthCdCHnOnzWDKRRgxxIvRBbB0XuqLoqTrH/rJ6RD4OYRmq7vP+EZZUHbI956qLpaLG7rf0g6dceLDaTneS56ORuV8DsTNum4QT56p4St++bzF9vpWW9FRJxpTegF4DaMNXfS/skajfKKJqx55X1xGbDBpMcrcF25Y+Xx0/1URby5Z7v1YduPLNOuV/mlnTd+wTRnkJSYzEiTJA3X2x1p2/AwWTbrErwmLoIWfIFsIEnySHFb87tIdORwbugyJ66+mzvDhigVb7PIx/5NHJE+bF9H1l+oTUKy9jHrTEQUrsG8q2KfRlIr + [{"keyData": "ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQC/KLMSacECP+4As5hwhdezAkaNf0QX3DpNLtOiVALJnLD+/I6p9tD5OD5m1s93X2EYrlV8GZHgnwH3hwd+8878X9HnNRcQ6aXCf0k6wgHK/+cZdYM13GDhtDeEVd0Pd/PZDPYEKT8uHR4+Dmp8DhykUazpcM4RR0d6QeZBvbQrL5QBtSGZ9XHAFiNtjl+Vm54X6pZmTrb0KSS1opXX2qaeVmWxjufzVs/wx5mNjVm43PKWFOurnJattn3kUrQzhOdNVMuzgFXe+6nB59KbvoyY7qzsh1MWLKAGq9fYNIGCRDS82YNCqdo6ZSjRcMElhAZ/36NIiTYXxamsp4Hlao7L azcli_aks_live_test@example.com", "path": "/home/azureuser/.ssh/authorized_keys"}]}}}}}], "outputs": {}}, "parameters": {}, "mode": "incremental"}}' headers: @@ -1962,23 +1969,23 @@ interactions: - --resource-group --name --image --ssh-key-values --public-ip-address --custom-data --vnet-name --subnet User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: PUT uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.Resources/deployments/mock-deployment?api-version=2021-04-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Resources/deployments/vm_deploy_vedvKQ1Mq1A2G9kTO6JCgisE7ohPWIO5","name":"vm_deploy_vedvKQ1Mq1A2G9kTO6JCgisE7ohPWIO5","type":"Microsoft.Resources/deployments","properties":{"templateHash":"18323868551629189136","parameters":{},"mode":"Incremental","provisioningState":"Accepted","timestamp":"2023-01-04T07:30:02.2545418Z","duration":"PT0.0001878S","correlationId":"c01038ab-b180-46b0-82a4-8bc1e7c8825a","providers":[{"namespace":"Microsoft.Network","resourceTypes":[{"resourceType":"networkSecurityGroups","locations":["westus2"]},{"resourceType":"networkInterfaces","locations":["westus2"]}]},{"namespace":"Microsoft.Compute","resourceTypes":[{"resourceType":"virtualMachines","locations":["westus2"]}]}],"dependencies":[{"dependsOn":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkSecurityGroups/cli-proxy-vmNSG","resourceType":"Microsoft.Network/networkSecurityGroups","resourceName":"cli-proxy-vmNSG"}],"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkInterfaces/cli-proxy-vmVMNic","resourceType":"Microsoft.Network/networkInterfaces","resourceName":"cli-proxy-vmVMNic"},{"dependsOn":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkInterfaces/cli-proxy-vmVMNic","resourceType":"Microsoft.Network/networkInterfaces","resourceName":"cli-proxy-vmVMNic"}],"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Compute/virtualMachines/cli-proxy-vm","resourceType":"Microsoft.Compute/virtualMachines","resourceName":"cli-proxy-vm"}]}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Resources/deployments/vm_deploy_vxkmnPHIM5qjmzG6lLFpaVKps7OLlQXD","name":"vm_deploy_vxkmnPHIM5qjmzG6lLFpaVKps7OLlQXD","type":"Microsoft.Resources/deployments","properties":{"templateHash":"2365637844410586233","parameters":{},"mode":"Incremental","provisioningState":"Accepted","timestamp":"2023-02-17T07:31:06.3965308Z","duration":"PT0.000779S","correlationId":"b5303293-7760-4150-9d1d-e08b276ab219","providers":[{"namespace":"Microsoft.Network","resourceTypes":[{"resourceType":"networkSecurityGroups","locations":["westus2"]},{"resourceType":"networkInterfaces","locations":["westus2"]}]},{"namespace":"Microsoft.Compute","resourceTypes":[{"resourceType":"virtualMachines","locations":["westus2"]}]}],"dependencies":[{"dependsOn":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkSecurityGroups/cli-proxy-vmNSG","resourceType":"Microsoft.Network/networkSecurityGroups","resourceName":"cli-proxy-vmNSG"}],"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkInterfaces/cli-proxy-vmVMNic","resourceType":"Microsoft.Network/networkInterfaces","resourceName":"cli-proxy-vmVMNic"},{"dependsOn":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkInterfaces/cli-proxy-vmVMNic","resourceType":"Microsoft.Network/networkInterfaces","resourceName":"cli-proxy-vmVMNic"}],"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Compute/virtualMachines/cli-proxy-vm","resourceType":"Microsoft.Compute/virtualMachines","resourceName":"cli-proxy-vm"}]}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.Resources/deployments/vm_deploy_vedvKQ1Mq1A2G9kTO6JCgisE7ohPWIO5/operationStatuses/08585287894841036495?api-version=2021-04-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.Resources/deployments/vm_deploy_vxkmnPHIM5qjmzG6lLFpaVKps7OLlQXD/operationStatuses/08585249878200005286?api-version=2021-04-01 cache-control: - no-cache content-length: - - '1818' + - '1816' content-type: - application/json; charset=utf-8 date: - - Wed, 04 Jan 2023 07:30:01 GMT + - Fri, 17 Feb 2023 07:31:05 GMT expires: - '-1' pragma: @@ -2007,9 +2014,52 @@ interactions: - --resource-group --name --image --ssh-key-values --public-ip-address --custom-data --vnet-name --subnet User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585287894841036495?api-version=2021-04-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585249878200005286?api-version=2021-04-01 + response: + body: + string: '{"status":"Running"}' + headers: + cache-control: + - no-cache + content-length: + - '20' + content-type: + - application/json; charset=utf-8 + date: + - Fri, 17 Feb 2023 07:31:35 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - vm create + Connection: + - keep-alive + ParameterSetName: + - --resource-group --name --image --ssh-key-values --public-ip-address --custom-data + --vnet-name --subnet + User-Agent: + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585249878200005286?api-version=2021-04-01 response: body: string: '{"status":"Succeeded"}' @@ -2021,7 +2071,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 04 Jan 2023 07:30:31 GMT + - Fri, 17 Feb 2023 07:32:06 GMT expires: - '-1' pragma: @@ -2050,21 +2100,21 @@ interactions: - --resource-group --name --image --ssh-key-values --public-ip-address --custom-data --vnet-name --subnet User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.Resources/deployments/mock-deployment?api-version=2021-04-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Resources/deployments/vm_deploy_vedvKQ1Mq1A2G9kTO6JCgisE7ohPWIO5","name":"vm_deploy_vedvKQ1Mq1A2G9kTO6JCgisE7ohPWIO5","type":"Microsoft.Resources/deployments","properties":{"templateHash":"18323868551629189136","parameters":{},"mode":"Incremental","provisioningState":"Succeeded","timestamp":"2023-01-04T07:30:26.0086184Z","duration":"PT23.7542644S","correlationId":"c01038ab-b180-46b0-82a4-8bc1e7c8825a","providers":[{"namespace":"Microsoft.Network","resourceTypes":[{"resourceType":"networkSecurityGroups","locations":["westus2"]},{"resourceType":"networkInterfaces","locations":["westus2"]}]},{"namespace":"Microsoft.Compute","resourceTypes":[{"resourceType":"virtualMachines","locations":["westus2"]}]}],"dependencies":[{"dependsOn":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkSecurityGroups/cli-proxy-vmNSG","resourceType":"Microsoft.Network/networkSecurityGroups","resourceName":"cli-proxy-vmNSG"}],"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkInterfaces/cli-proxy-vmVMNic","resourceType":"Microsoft.Network/networkInterfaces","resourceName":"cli-proxy-vmVMNic"},{"dependsOn":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkInterfaces/cli-proxy-vmVMNic","resourceType":"Microsoft.Network/networkInterfaces","resourceName":"cli-proxy-vmVMNic"}],"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Compute/virtualMachines/cli-proxy-vm","resourceType":"Microsoft.Compute/virtualMachines","resourceName":"cli-proxy-vm"}],"outputs":{},"outputResources":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Compute/virtualMachines/cli-proxy-vm"},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkInterfaces/cli-proxy-vmVMNic"},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkSecurityGroups/cli-proxy-vmNSG"}]}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Resources/deployments/vm_deploy_vxkmnPHIM5qjmzG6lLFpaVKps7OLlQXD","name":"vm_deploy_vxkmnPHIM5qjmzG6lLFpaVKps7OLlQXD","type":"Microsoft.Resources/deployments","properties":{"templateHash":"2365637844410586233","parameters":{},"mode":"Incremental","provisioningState":"Succeeded","timestamp":"2023-02-17T07:31:36.6987249Z","duration":"PT30.3029731S","correlationId":"b5303293-7760-4150-9d1d-e08b276ab219","providers":[{"namespace":"Microsoft.Network","resourceTypes":[{"resourceType":"networkSecurityGroups","locations":["westus2"]},{"resourceType":"networkInterfaces","locations":["westus2"]}]},{"namespace":"Microsoft.Compute","resourceTypes":[{"resourceType":"virtualMachines","locations":["westus2"]}]}],"dependencies":[{"dependsOn":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkSecurityGroups/cli-proxy-vmNSG","resourceType":"Microsoft.Network/networkSecurityGroups","resourceName":"cli-proxy-vmNSG"}],"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkInterfaces/cli-proxy-vmVMNic","resourceType":"Microsoft.Network/networkInterfaces","resourceName":"cli-proxy-vmVMNic"},{"dependsOn":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkInterfaces/cli-proxy-vmVMNic","resourceType":"Microsoft.Network/networkInterfaces","resourceName":"cli-proxy-vmVMNic"}],"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Compute/virtualMachines/cli-proxy-vm","resourceType":"Microsoft.Compute/virtualMachines","resourceName":"cli-proxy-vm"}],"outputs":{},"outputResources":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Compute/virtualMachines/cli-proxy-vm"},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkInterfaces/cli-proxy-vmVMNic"},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkSecurityGroups/cli-proxy-vmNSG"}]}}' headers: cache-control: - no-cache content-length: - - '2310' + - '2309' content-type: - application/json; charset=utf-8 date: - - Wed, 04 Jan 2023 07:30:31 GMT + - Fri, 17 Feb 2023 07:32:06 GMT expires: - '-1' pragma: @@ -2093,65 +2143,65 @@ interactions: - --resource-group --name --image --ssh-key-values --public-ip-address --custom-data --vnet-name --subnet User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-compute/29.0.0 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-compute/29.1.0 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Compute/virtualMachines/cli-proxy-vm?$expand=instanceView&api-version=2022-08-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Compute/virtualMachines/cli-proxy-vm?$expand=instanceView&api-version=2022-11-01 response: body: string: "{\r\n \"name\": \"cli-proxy-vm\",\r\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Compute/virtualMachines/cli-proxy-vm\",\r\n \ \"type\": \"Microsoft.Compute/virtualMachines\",\r\n \"location\": \"westus2\",\r\n \ \"tags\": {\r\n \"azsecpack\": \"nonprod\",\r\n \"platformsettings.host_environment.service.platform_optedin_for_rootcerts\": - \"true\"\r\n },\r\n \"properties\": {\r\n \"vmId\": \"95ee1b6a-e724-46a4-84e4-b6dfa90797a6\",\r\n + \"true\"\r\n },\r\n \"properties\": {\r\n \"vmId\": \"c9d65496-5710-4c3c-9a5c-4345fa701dbd\",\r\n \ \"hardwareProfile\": {\r\n \"vmSize\": \"Standard_DS1_v2\"\r\n },\r\n \ \"storageProfile\": {\r\n \"imageReference\": {\r\n \"publisher\": \"Canonical\",\r\n \"offer\": \"0001-com-ubuntu-server-focal\",\r\n \ \"sku\": \"20_04-lts\",\r\n \"version\": \"latest\",\r\n \"exactVersion\": - \"20.04.202212140\"\r\n },\r\n \"osDisk\": {\r\n \"osType\": - \"Linux\",\r\n \"name\": \"cli-proxy-vm_disk1_9924bd2ed8804a0c8b595e8974d411f5\",\r\n + \"20.04.202302090\"\r\n },\r\n \"osDisk\": {\r\n \"osType\": + \"Linux\",\r\n \"name\": \"cli-proxy-vm_OsDisk_1_dcc407343f474525b4bdcdb13f779ce8\",\r\n \ \"createOption\": \"FromImage\",\r\n \"caching\": \"ReadWrite\",\r\n \ \"managedDisk\": {\r\n \"storageAccountType\": \"Premium_LRS\",\r\n - \ \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Compute/disks/cli-proxy-vm_disk1_9924bd2ed8804a0c8b595e8974d411f5\"\r\n + \ \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Compute/disks/cli-proxy-vm_OsDisk_1_dcc407343f474525b4bdcdb13f779ce8\"\r\n \ },\r\n \"deleteOption\": \"Detach\",\r\n \"diskSizeGB\": 30\r\n },\r\n \"dataDisks\": []\r\n },\r\n \"osProfile\": {\r\n \"computerName\": \"cli-proxy-vm\",\r\n \"adminUsername\": \"azureuser\",\r\n \"linuxConfiguration\": {\r\n \"disablePasswordAuthentication\": true,\r\n \"ssh\": {\r\n \"publicKeys\": [\r\n {\r\n \ \"path\": \"/home/azureuser/.ssh/authorized_keys\",\r\n \"keyData\": - \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCxQVzaezimLDDL1HAh61in6hRl3lBzeIJJthCdCHnOnzWDKRRgxxIvRBbB0XuqLoqTrH/rJ6RD4OYRmq7vP+EZZUHbI956qLpaLG7rf0g6dceLDaTneS56ORuV8DsTNum4QT56p4St++bzF9vpWW9FRJxpTegF4DaMNXfS/skajfKKJqx55X1xGbDBpMcrcF25Y+Xx0/1URby5Z7v1YduPLNOuV/mlnTd+wTRnkJSYzEiTJA3X2x1p2/AwWTbrErwmLoIWfIFsIEnySHFb87tIdORwbugyJ66+mzvDhigVb7PIx/5NHJE+bF9H1l+oTUKy9jHrTEQUrsG8q2KfRlIr + \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQC/KLMSacECP+4As5hwhdezAkaNf0QX3DpNLtOiVALJnLD+/I6p9tD5OD5m1s93X2EYrlV8GZHgnwH3hwd+8878X9HnNRcQ6aXCf0k6wgHK/+cZdYM13GDhtDeEVd0Pd/PZDPYEKT8uHR4+Dmp8DhykUazpcM4RR0d6QeZBvbQrL5QBtSGZ9XHAFiNtjl+Vm54X6pZmTrb0KSS1opXX2qaeVmWxjufzVs/wx5mNjVm43PKWFOurnJattn3kUrQzhOdNVMuzgFXe+6nB59KbvoyY7qzsh1MWLKAGq9fYNIGCRDS82YNCqdo6ZSjRcMElhAZ/36NIiTYXxamsp4Hlao7L azcli_aks_live_test@example.com\"\r\n }\r\n ]\r\n },\r\n \ \"provisionVMAgent\": true,\r\n \"patchSettings\": {\r\n \"patchMode\": \"ImageDefault\",\r\n \"assessmentMode\": \"ImageDefault\"\r\n },\r\n \ \"enableVMAgentPlatformUpdates\": false\r\n },\r\n \"secrets\": [],\r\n \"allowExtensionOperations\": true,\r\n \"requireGuestProvisionSignal\": true\r\n },\r\n \"networkProfile\": {\"networkInterfaces\":[{\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkInterfaces/cli-proxy-vmVMNic\"}]},\r\n - \ \"provisioningState\": \"Succeeded\",\r\n \"instanceView\": {\r\n \"vmAgent\": - {\r\n \"vmAgentVersion\": \"Unknown\",\r\n \"statuses\": [\r\n - \ {\r\n \"code\": \"ProvisioningState/Unavailable\",\r\n - \ \"level\": \"Warning\",\r\n \"displayStatus\": \"Not - Ready\",\r\n \"message\": \"VM status blob is found but not yet - populated.\",\r\n \"time\": \"2023-01-04T07:30:32+00:00\"\r\n }\r\n - \ ]\r\n },\r\n \"disks\": [\r\n {\r\n \"name\": - \"cli-proxy-vm_disk1_9924bd2ed8804a0c8b595e8974d411f5\",\r\n \"statuses\": - [\r\n {\r\n \"code\": \"ProvisioningState/succeeded\",\r\n + \ \"provisioningState\": \"Succeeded\",\r\n \"instanceView\": {\r\n \"computerName\": + \"cli-proxy-vm\",\r\n \"osName\": \"ubuntu\",\r\n \"osVersion\": + \"20.04\",\r\n \"vmAgent\": {\r\n \"vmAgentVersion\": \"2.9.0.4\",\r\n + \ \"statuses\": [\r\n {\r\n \"code\": \"ProvisioningState/succeeded\",\r\n + \ \"level\": \"Info\",\r\n \"displayStatus\": \"Ready\",\r\n + \ \"message\": \"Guest Agent is running\",\r\n \"time\": + \"2023-02-17T07:31:49+00:00\"\r\n }\r\n ],\r\n \"extensionHandlers\": + []\r\n },\r\n \"disks\": [\r\n {\r\n \"name\": \"cli-proxy-vm_OsDisk_1_dcc407343f474525b4bdcdb13f779ce8\",\r\n + \ \"statuses\": [\r\n {\r\n \"code\": \"ProvisioningState/succeeded\",\r\n \ \"level\": \"Info\",\r\n \"displayStatus\": \"Provisioning - succeeded\",\r\n \"time\": \"2023-01-04T07:30:10.9536771+00:00\"\r\n + succeeded\",\r\n \"time\": \"2023-02-17T07:31:14.7341614+00:00\"\r\n \ }\r\n ]\r\n }\r\n ],\r\n \"hyperVGeneration\": \"V1\",\r\n \"statuses\": [\r\n {\r\n \"code\": \"ProvisioningState/succeeded\",\r\n \ \"level\": \"Info\",\r\n \"displayStatus\": \"Provisioning - succeeded\",\r\n \"time\": \"2023-01-04T07:30:25.3131543+00:00\"\r\n + succeeded\",\r\n \"time\": \"2023-02-17T07:31:36.0312452+00:00\"\r\n \ },\r\n {\r\n \"code\": \"PowerState/running\",\r\n \ \"level\": \"Info\",\r\n \"displayStatus\": \"VM running\"\r\n - \ }\r\n ]\r\n },\r\n \"timeCreated\": \"2023-01-04T07:30:08.7036329+00:00\"\r\n + \ }\r\n ]\r\n },\r\n \"timeCreated\": \"2023-02-17T07:31:11.3591415+00:00\"\r\n \ }\r\n}" headers: cache-control: - no-cache content-length: - - '3968' + - '4073' content-type: - application/json; charset=utf-8 date: - - Wed, 04 Jan 2023 07:30:32 GMT + - Fri, 17 Feb 2023 07:32:06 GMT expires: - '-1' pragma: @@ -2168,7 +2218,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-resource: - - Microsoft.Compute/LowCostGet3Min;3997,Microsoft.Compute/LowCostGet30Min;31991 + - Microsoft.Compute/LowCostGet3Min;3997,Microsoft.Compute/LowCostGet30Min;31997 status: code: 200 message: OK @@ -2187,18 +2237,18 @@ interactions: - --resource-group --name --image --ssh-key-values --public-ip-address --custom-data --vnet-name --subnet User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-network/21.0.1 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-network/21.0.1 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkInterfaces/cli-proxy-vmVMNic?api-version=2022-01-01 response: body: string: "{\r\n \"name\": \"cli-proxy-vmVMNic\",\r\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkInterfaces/cli-proxy-vmVMNic\",\r\n - \ \"etag\": \"W/\\\"f0aac956-4245-411b-9e89-f331cf7ea71b\\\"\",\r\n \"tags\": + \ \"etag\": \"W/\\\"959333c7-e092-4b72-a1b9-241559ab03e7\\\"\",\r\n \"tags\": {},\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n - \ \"resourceGuid\": \"9a6dbb55-ba10-4b7e-9c03-8ea816ba7fcd\",\r\n \"ipConfigurations\": + \ \"resourceGuid\": \"905558de-1693-4d52-9d6f-ee0bdbb80b6c\",\r\n \"ipConfigurations\": [\r\n {\r\n \"name\": \"ipconfigcli-proxy-vm\",\r\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkInterfaces/cli-proxy-vmVMNic/ipConfigurations/ipconfigcli-proxy-vm\",\r\n - \ \"etag\": \"W/\\\"f0aac956-4245-411b-9e89-f331cf7ea71b\\\"\",\r\n + \ \"etag\": \"W/\\\"959333c7-e092-4b72-a1b9-241559ab03e7\\\"\",\r\n \ \"type\": \"Microsoft.Network/networkInterfaces/ipConfigurations\",\r\n \ \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \ \"privateIPAddress\": \"10.42.3.4\",\r\n \"privateIPAllocationMethod\": @@ -2206,8 +2256,8 @@ interactions: \ },\r\n \"primary\": true,\r\n \"privateIPAddressVersion\": \"IPv4\"\r\n }\r\n }\r\n ],\r\n \"dnsSettings\": {\r\n \"dnsServers\": [],\r\n \"appliedDnsServers\": [],\r\n \"internalDomainNameSuffix\": - \"thdgrmp0c2veplqjonvebjlute.xx.internal.cloudapp.net\"\r\n },\r\n \"macAddress\": - \"00-0D-3A-C4-38-EE\",\r\n \"enableAcceleratedNetworking\": false,\r\n + \"cux5z5mft3fehmvnsiepokvg1e.xx.internal.cloudapp.net\"\r\n },\r\n \"macAddress\": + \"00-22-48-76-D3-F3\",\r\n \"enableAcceleratedNetworking\": false,\r\n \ \"vnetEncryptionSupported\": false,\r\n \"enableIPForwarding\": false,\r\n \ \"networkSecurityGroup\": {\r\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkSecurityGroups/cli-proxy-vmNSG\"\r\n \ },\r\n \"primary\": true,\r\n \"virtualMachine\": {\r\n \"id\": @@ -2224,9 +2274,9 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 04 Jan 2023 07:30:32 GMT + - Fri, 17 Feb 2023 07:32:06 GMT etag: - - W/"f0aac956-4245-411b-9e89-f331cf7ea71b" + - W/"959333c7-e092-4b72-a1b9-241559ab03e7" expires: - '-1' pragma: @@ -2243,7 +2293,7 @@ interactions: x-content-type-options: - nosniff x-ms-arm-service-request-id: - - 16937485-91fa-4344-8f5a-84947644dd16 + - 19eda4b4-7b92-43b2-af79-a336babee09c status: code: 200 message: OK @@ -2262,12 +2312,12 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001?api-version=2021-04-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001","name":"clitest000001","type":"Microsoft.Resources/resourceGroups","location":"westus2","tags":{"product":"azurecli","cause":"automation","date":"2023-01-04T07:29:48Z"},"properties":{"provisioningState":"Succeeded"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001","name":"clitest000001","type":"Microsoft.Resources/resourceGroups","location":"westus2","tags":{"product":"azurecli","cause":"automation","date":"2023-02-17T07:30:52Z"},"properties":{"provisioningState":"Succeeded"}}' headers: cache-control: - no-cache @@ -2276,7 +2326,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 04 Jan 2023 07:30:32 GMT + - Fri, 17 Feb 2023 07:32:06 GMT expires: - '-1' pragma: @@ -2305,15 +2355,13 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) msrest/0.7.1 - msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.43.0 - accept-language: - - en-US + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-authorization/3.0.0 Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleAssignments?$filter=atScope%28%29&api-version=2020-04-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleAssignments?$filter=atScope()&api-version=2022-04-01 response: body: - string: '{"value":[{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/","condition":null,"conditionVersion":null,"createdOn":"2018-02-27T19:19:50.2663941Z","updatedOn":"2018-02-27T19:19:50.2663941Z","createdBy":null,"updatedBy":null,"delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Authorization/roleAssignments/3e883d24-b106-42ff-ad13-d7bf271b964d","type":"Microsoft.Authorization/roleAssignments","name":"3e883d24-b106-42ff-ad13-d7bf271b964d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"00000000-0000-0000-0000-000000000001","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-04-26T05:33:00.7067936Z","updatedOn":"2021-04-26T05:33:00.7067936Z","createdBy":"7e9cc714-bfe4-4eea-acb2-d53ced88ab8b","updatedBy":"7e9cc714-bfe4-4eea-acb2-d53ced88ab8b","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2adf4737-6342-4f63-aeb2-5fcd3426a387","type":"Microsoft.Authorization/roleAssignments","name":"2adf4737-6342-4f63-aeb2-5fcd3426a387"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-04-26T06:09:24.5972802Z","updatedOn":"2021-04-26T06:09:24.5972802Z","createdBy":"6904f123-3ede-43d2-bd0e-2b2f1bbe4a4b","updatedBy":"6904f123-3ede-43d2-bd0e-2b2f1bbe4a4b","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c4572c05-f69f-4e5c-aac6-79afefcf0e2e","type":"Microsoft.Authorization/roleAssignments","name":"c4572c05-f69f-4e5c-aac6-79afefcf0e2e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-06-18T05:18:40.4643436Z","updatedOn":"2021-06-18T05:18:40.4643436Z","createdBy":"6904f123-3ede-43d2-bd0e-2b2f1bbe4a4b","updatedBy":"6904f123-3ede-43d2-bd0e-2b2f1bbe4a4b","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3f926301-cc14-4a88-a3b7-c159d73d01f6","type":"Microsoft.Authorization/roleAssignments","name":"3f926301-cc14-4a88-a3b7-c159d73d01f6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T05:49:40.4541416Z","updatedOn":"2022-01-25T05:49:40.4541416Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/95e51146-7da2-11ec-9795-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"95e51146-7da2-11ec-9795-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T05:49:41.6466655Z","updatedOn":"2022-01-25T05:49:41.6466655Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/96d4d041-7da2-11ec-9795-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"96d4d041-7da2-11ec-9795-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T05:49:42.8008295Z","updatedOn":"2022-01-25T05:49:42.8008295Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/978dbc52-7da2-11ec-9795-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"978dbc52-7da2-11ec-9795-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T05:49:43.7159467Z","updatedOn":"2022-01-25T05:49:43.7159467Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9808753a-7da2-11ec-9795-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"9808753a-7da2-11ec-9795-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T05:49:44.8535285Z","updatedOn":"2022-01-25T05:49:44.8535285Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9895826c-7da2-11ec-9795-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"9895826c-7da2-11ec-9795-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:00:21.9669611Z","updatedOn":"2022-01-25T06:00:21.9669611Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/143cab45-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"143cab45-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:00:21.7844500Z","updatedOn":"2022-01-25T06:00:21.7844500Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/143a47b2-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"143a47b2-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:00:22.8152511Z","updatedOn":"2022-01-25T06:00:22.8152511Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/1503a122-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"1503a122-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:00:22.7549989Z","updatedOn":"2022-01-25T06:00:22.7549989Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/14fdfc11-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"14fdfc11-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ba92f5b4-2d11-453d-a403-e96b0029c9fe","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:00:47.5002672Z","updatedOn":"2022-01-25T06:00:47.5002672Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/23901ba1-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"23901ba1-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/81a9662b-bebf-436f-a333-f67b29880f12","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:00:47.9954045Z","updatedOn":"2022-01-25T06:00:47.9954045Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/23d4b2c8-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"23d4b2c8-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/17d1049b-9a84-46fb-8f53-869881c3d3ab","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:00:48.0124462Z","updatedOn":"2022-01-25T06:00:48.0124462Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/23eb1c2a-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"23eb1c2a-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b7e6dc6d-f1e8-4753-8033-0f276bb0955b","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:00:49.0142818Z","updatedOn":"2022-01-25T06:00:49.0142818Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/248c7804-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"248c7804-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:00:49.8561822Z","updatedOn":"2022-01-25T06:00:49.8561822Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/25212cc5-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"25212cc5-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/090c5cfd-751d-490a-894a-3ce6f1109419","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:03:00.8232622Z","updatedOn":"2022-01-25T06:03:00.8232622Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/730ae441-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"730ae441-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/090c5cfd-751d-490a-894a-3ce6f1109419","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:03:01.6908492Z","updatedOn":"2022-01-25T06:03:01.6908492Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/73b81c51-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"73b81c51-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:27.0646115Z","updatedOn":"2022-01-25T06:05:27.0646115Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ca436279-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"ca436279-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/090c5cfd-751d-490a-894a-3ce6f1109419","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:27.8245772Z","updatedOn":"2022-01-25T06:05:27.8245772Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/cad7146c-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"cad7146c-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:28.8193427Z","updatedOn":"2022-01-25T06:05:28.8193427Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/cb6be874-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"cb6be874-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/090c5cfd-751d-490a-894a-3ce6f1109419","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:30.0125029Z","updatedOn":"2022-01-25T06:05:30.0125029Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/cc20f7f4-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"cc20f7f4-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:31.2002633Z","updatedOn":"2022-01-25T06:05:31.2002633Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ccd748dd-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"ccd748dd-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:32.4937030Z","updatedOn":"2022-01-25T06:05:32.4937030Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/cd4bbd1a-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"cd4bbd1a-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:33.6999970Z","updatedOn":"2022-01-25T06:05:33.6999970Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ce56964e-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"ce56964e-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:35.3719606Z","updatedOn":"2022-01-25T06:05:35.3719606Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/cf53c36b-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"cf53c36b-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:37.0989473Z","updatedOn":"2022-01-25T06:05:37.0989473Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/d0537e9f-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"d0537e9f-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/090c5cfd-751d-490a-894a-3ce6f1109419","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:37.9186616Z","updatedOn":"2022-01-25T06:05:37.9186616Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/d0d7c10e-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"d0d7c10e-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:39.2245796Z","updatedOn":"2022-01-25T06:05:39.2245796Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/d187dc7e-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"d187dc7e-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/81a9662b-bebf-436f-a333-f67b29880f12","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:41.3147495Z","updatedOn":"2022-01-25T06:05:41.3147495Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/d2d190da-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"d2d190da-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/090c5cfd-751d-490a-894a-3ce6f1109419","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:42.0909979Z","updatedOn":"2022-01-25T06:05:42.0909979Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/d3553305-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"d3553305-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-26T03:24:43.7641076Z","updatedOn":"2022-01-26T03:24:43.7641076Z","createdBy":"6904f123-3ede-43d2-bd0e-2b2f1bbe4a4b","updatedBy":"6904f123-3ede-43d2-bd0e-2b2f1bbe4a4b","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/f7b41e2d-70db-402d-bc47-203fba8dc8ad","type":"Microsoft.Authorization/roleAssignments","name":"f7b41e2d-70db-402d-bc47-203fba8dc8ad"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-18T03:09:33.8702688Z","updatedOn":"2021-09-18T03:09:33.8702688Z","createdBy":"6904f123-3ede-43d2-bd0e-2b2f1bbe4a4b","updatedBy":"6904f123-3ede-43d2-bd0e-2b2f1bbe4a4b","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/99d6fd13-909e-4c52-807e-77f7a5af83c8","type":"Microsoft.Authorization/roleAssignments","name":"99d6fd13-909e-4c52-807e-77f7a5af83c8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/465fbb01-3623-f393-e42f-e19c0d2982de","condition":null,"conditionVersion":null,"createdOn":"2021-10-08T17:23:35.8382756Z","updatedOn":"2021-10-08T17:23:35.8382756Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/465fbb01-3623-f393-e42f-e19c0d2982de/providers/Microsoft.Authorization/roleAssignments/ade4333c-4321-4b68-b498-d081d55e2b0c","type":"Microsoft.Authorization/roleAssignments","name":"ade4333c-4321-4b68-b498-d081d55e2b0c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2019-03-26T22:01:02.9136073Z","updatedOn":"2019-03-26T22:01:02.9136073Z","createdBy":"8701e34d-d7c2-459c-b2d7-f3a9c5204818","updatedBy":"8701e34d-d7c2-459c-b2d7-f3a9c5204818","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/6f4de15e-9316-4714-a7c4-40c46cf8e067","type":"Microsoft.Authorization/roleAssignments","name":"6f4de15e-9316-4714-a7c4-40c46cf8e067"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2020-02-25T18:36:13.2137492Z","updatedOn":"2020-02-25T18:36:13.2137492Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/18fdd87e-1c01-424e-b380-32310f4940c2","type":"Microsoft.Authorization/roleAssignments","name":"18fdd87e-1c01-424e-b380-32310f4940c2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2020-02-25T18:36:00.4746112Z","updatedOn":"2020-02-25T18:36:00.4746112Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/d9bcf58a-6f24-446d-bf60-20ffe5142396","type":"Microsoft.Authorization/roleAssignments","name":"d9bcf58a-6f24-446d-bf60-20ffe5142396"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2020-02-25T18:35:55.7490022Z","updatedOn":"2020-02-25T18:35:55.7490022Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/6e2b954b-42b2-48e0-997a-622601f0a4b4","type":"Microsoft.Authorization/roleAssignments","name":"6e2b954b-42b2-48e0-997a-622601f0a4b4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2020-02-25T18:35:57.9173081Z","updatedOn":"2020-02-25T18:35:57.9173081Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/8d76aaa3-fcfd-4ea5-8c7c-363d250e7ae9","type":"Microsoft.Authorization/roleAssignments","name":"8d76aaa3-fcfd-4ea5-8c7c-363d250e7ae9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2020-02-25T18:36:23.0673659Z","updatedOn":"2020-02-25T18:36:23.0673659Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/d0817c57-3e5b-4363-88b7-52baadd5c362","type":"Microsoft.Authorization/roleAssignments","name":"d0817c57-3e5b-4363-88b7-52baadd5c362"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2020-02-25T18:36:31.2596366Z","updatedOn":"2020-02-25T18:36:31.2596366Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/0dabf212-a1c7-4af6-ba8b-be045493b368","type":"Microsoft.Authorization/roleAssignments","name":"0dabf212-a1c7-4af6-ba8b-be045493b368"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2020-02-25T18:35:52.9188704Z","updatedOn":"2020-02-25T18:35:52.9188704Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/d674b853-332e-4437-9ddb-bba8fde7ccce","type":"Microsoft.Authorization/roleAssignments","name":"d674b853-332e-4437-9ddb-bba8fde7ccce"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2020-02-25T18:36:38.8393742Z","updatedOn":"2020-02-25T18:36:38.8393742Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/00625383-053d-4227-a4db-b098e9bd2289","type":"Microsoft.Authorization/roleAssignments","name":"00625383-053d-4227-a4db-b098e9bd2289"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2020-02-25T18:36:05.0954462Z","updatedOn":"2020-02-25T18:36:05.0954462Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/3151fe9c-fcd2-45d3-a256-72fb13b86df5","type":"Microsoft.Authorization/roleAssignments","name":"3151fe9c-fcd2-45d3-a256-72fb13b86df5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2020-07-06T18:51:23.0753297Z","updatedOn":"2020-07-06T18:51:23.0753297Z","createdBy":"d59f4a71-eff1-4bfa-a572-fe518f49f6c7","updatedBy":"d59f4a71-eff1-4bfa-a572-fe518f49f6c7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/b3a9e1db-fde1-4ddd-ac1c-91913be67359","type":"Microsoft.Authorization/roleAssignments","name":"b3a9e1db-fde1-4ddd-ac1c-91913be67359"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2022-12-12T21:14:55.1655079Z","updatedOn":"2022-12-15T19:53:08.3552283Z","createdBy":"393a8425-6c8d-4d4a-a700-811f0423e5aa","updatedBy":"393a8425-6c8d-4d4a-a700-811f0423e5aa","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/6565c104-61e2-5756-96d7-663b216c8b11","type":"Microsoft.Authorization/roleAssignments","name":"6565c104-61e2-5756-96d7-663b216c8b11"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2022-02-17T00:30:39.4967398Z","updatedOn":"2022-02-17T00:30:39.4967398Z","createdBy":"a4319ad3-20be-4542-8952-685b66e56377","updatedBy":"a4319ad3-20be-4542-8952-685b66e56377","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/d8aedac6-3663-42b3-add4-c013b7935fb4","type":"Microsoft.Authorization/roleAssignments","name":"d8aedac6-3663-42b3-add4-c013b7935fb4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2022-03-02T23:53:39.1630622Z","updatedOn":"2022-03-02T23:53:39.1630622Z","createdBy":"a4319ad3-20be-4542-8952-685b66e56377","updatedBy":"a4319ad3-20be-4542-8952-685b66e56377","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/b5f0a13f-ac13-4e45-8588-15f5d9a02b20","type":"Microsoft.Authorization/roleAssignments","name":"b5f0a13f-ac13-4e45-8588-15f5d9a02b20"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fd6e57ea-fe3c-4f21-bd1e-de170a9a4971","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2022-03-08T00:58:05.8353141Z","updatedOn":"2022-03-08T00:58:05.8353141Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/403b97d1-ee0a-4b10-afe1-f36f368d2ced","type":"Microsoft.Authorization/roleAssignments","name":"403b97d1-ee0a-4b10-afe1-f36f368d2ced"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/94ddc4bc-25f5-4f3e-b527-c587da93cfe4","principalId":"00000000-0000-0000-0000-000000000001","principalType":"Group","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2022-05-16T23:08:20.8536608Z","updatedOn":"2022-05-16T23:08:20.8536608Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/8b338a13-cfa6-42e6-b424-fb375ce9d07c","type":"Microsoft.Authorization/roleAssignments","name":"8b338a13-cfa6-42e6-b424-fb375ce9d07c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2022-05-17T18:23:54.2264851Z","updatedOn":"2022-05-31T17:20:00.8273681Z","createdBy":"393a8425-6c8d-4d4a-a700-811f0423e5aa","updatedBy":"393a8425-6c8d-4d4a-a700-811f0423e5aa","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/f0576973-5014-5fe2-b3f2-cf3aace860d6","type":"Microsoft.Authorization/roleAssignments","name":"f0576973-5014-5fe2-b3f2-cf3aace860d6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2022-07-19T00:07:21.3325762Z","updatedOn":"2022-07-19T00:07:21.3325762Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/2697280b-812c-472d-841b-a10a9fe540a5","type":"Microsoft.Authorization/roleAssignments","name":"2697280b-812c-472d-841b-a10a9fe540a5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fd6e57ea-fe3c-4f21-bd1e-de170a9a4971","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2022-07-19T00:07:23.7020980Z","updatedOn":"2022-07-19T00:07:23.7020980Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/f4254463-7a28-4d26-b331-5a18c354cbe6","type":"Microsoft.Authorization/roleAssignments","name":"f4254463-7a28-4d26-b331-5a18c354cbe6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2022-07-19T00:07:26.4080657Z","updatedOn":"2022-07-19T00:07:26.4080657Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/065a63ba-71cc-4c69-b92b-bc67421e7e64","type":"Microsoft.Authorization/roleAssignments","name":"065a63ba-71cc-4c69-b92b-bc67421e7e64"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-08-09T18:17:33.0012805Z","updatedOn":"2021-08-09T18:17:33.0012805Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/01de8fe7-aae0-4d5c-844a-f0bdb8335252","type":"Microsoft.Authorization/roleAssignments","name":"01de8fe7-aae0-4d5c-844a-f0bdb8335252"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-08-09T18:17:39.9188336Z","updatedOn":"2021-08-09T18:17:39.9188336Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/ab2be506-5489-4c1f-add0-f5ed87a10439","type":"Microsoft.Authorization/roleAssignments","name":"ab2be506-5489-4c1f-add0-f5ed87a10439"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-08-24T19:32:18.2000692Z","updatedOn":"2021-08-24T19:32:18.2000692Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/0ce2f3fb-17ea-4193-9081-09aa4b39fec4","type":"Microsoft.Authorization/roleAssignments","name":"0ce2f3fb-17ea-4193-9081-09aa4b39fec4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-08-24T19:32:36.6775144Z","updatedOn":"2021-08-24T19:32:36.6775144Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/2e95b289-99bd-4e68-83de-5433f2a0428c","type":"Microsoft.Authorization/roleAssignments","name":"2e95b289-99bd-4e68-83de-5433f2a0428c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-11-01T22:46:09.1056400Z","updatedOn":"2021-11-01T22:46:09.1056400Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/82fe7886-5c1b-42c2-9319-7b4d436d8aba","type":"Microsoft.Authorization/roleAssignments","name":"82fe7886-5c1b-42c2-9319-7b4d436d8aba"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-11-01T22:46:14.7527743Z","updatedOn":"2021-11-01T22:46:14.7527743Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/12162b26-25fb-4ef5-a6e8-651446483cb6","type":"Microsoft.Authorization/roleAssignments","name":"12162b26-25fb-4ef5-a6e8-651446483cb6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-11-01T22:46:20.6399869Z","updatedOn":"2021-11-01T22:46:20.6399869Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/105bcc1f-3ddf-4cc0-bffc-03b3d9aaf870","type":"Microsoft.Authorization/roleAssignments","name":"105bcc1f-3ddf-4cc0-bffc-03b3d9aaf870"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-01-26T20:10:13.8998989Z","updatedOn":"2021-01-26T20:10:13.8998989Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/b36517ec-61d3-468d-afdc-eceda8adb4ee","type":"Microsoft.Authorization/roleAssignments","name":"b36517ec-61d3-468d-afdc-eceda8adb4ee"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-02-06T00:13:19.1780775Z","updatedOn":"2021-02-06T00:13:19.1780775Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/5216c1ee-4f58-4d36-b379-6c04b1fbd157","type":"Microsoft.Authorization/roleAssignments","name":"5216c1ee-4f58-4d36-b379-6c04b1fbd157"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f25e0fa2-a7c8-4377-a976-54943a77a395","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-04-16T18:26:34.3109215Z","updatedOn":"2021-04-16T18:26:34.3109215Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/7464f8a3-9f55-443b-a3a5-44a31b100cad","type":"Microsoft.Authorization/roleAssignments","name":"7464f8a3-9f55-443b-a3a5-44a31b100cad"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-04-16T18:27:56.4446265Z","updatedOn":"2021-04-16T18:27:56.4446265Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/8f430c4c-4317-4495-9f01-4f3d4e1ca111","type":"Microsoft.Authorization/roleAssignments","name":"8f430c4c-4317-4495-9f01-4f3d4e1ca111"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-05-04T19:20:06.7695456Z","updatedOn":"2021-05-04T19:20:06.7695456Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/fb8bab14-7f67-4e57-8aa5-0c4b7ab5a0fa","type":"Microsoft.Authorization/roleAssignments","name":"fb8bab14-7f67-4e57-8aa5-0c4b7ab5a0fa"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/CnAIOrchestrationServicePublicCorpprod","condition":null,"conditionVersion":null,"createdOn":"2019-03-26T22:01:02.9176787Z","updatedOn":"2019-03-26T22:01:02.9176787Z","createdBy":"8701e34d-d7c2-459c-b2d7-f3a9c5204818","updatedBy":"8701e34d-d7c2-459c-b2d7-f3a9c5204818","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/CnAIOrchestrationServicePublicCorpprod/providers/Microsoft.Authorization/roleAssignments/4b771ea9-81de-4fc4-aa28-a3a0b9b4a320","type":"Microsoft.Authorization/roleAssignments","name":"4b771ea9-81de-4fc4-aa28-a3a0b9b4a320"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/36243c78-bf99-498c-9df9-86d9f8d28608","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/CnAIOrchestrationServicePublicCorpprod","condition":null,"conditionVersion":null,"createdOn":"2019-03-27T00:49:37.3000523Z","updatedOn":"2019-03-27T00:49:37.3000523Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/CnAIOrchestrationServicePublicCorpprod/providers/Microsoft.Authorization/roleAssignments/e6e1fffd-83f7-40c7-9f33-e56e2cf75b29","type":"Microsoft.Authorization/roleAssignments","name":"e6e1fffd-83f7-40c7-9f33-e56e2cf75b29"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5d58bcaf-24a5-4b20-bdb6-eed9f69fbe4c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/CnAIOrchestrationServicePublicCorpprod","condition":null,"conditionVersion":null,"createdOn":"2019-03-27T00:50:08.3039053Z","updatedOn":"2019-03-27T00:50:08.3039053Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/CnAIOrchestrationServicePublicCorpprod/providers/Microsoft.Authorization/roleAssignments/3d01f56e-ee3a-41ed-a775-0e067546cb12","type":"Microsoft.Authorization/roleAssignments","name":"3d01f56e-ee3a-41ed-a775-0e067546cb12"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/94ddc4bc-25f5-4f3e-b527-c587da93cfe4","principalId":"00000000-0000-0000-0000-000000000001","principalType":"Group","scope":"/providers/Microsoft.Management/managementGroups/CnAIOrchestrationServicePublicCorpprod","condition":null,"conditionVersion":null,"createdOn":"2022-06-28T23:11:28.9217618Z","updatedOn":"2022-06-28T23:11:28.9217618Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/CnAIOrchestrationServicePublicCorpprod/providers/Microsoft.Authorization/roleAssignments/869183bd-893a-46f9-bb02-45e48b13f1be","type":"Microsoft.Authorization/roleAssignments","name":"869183bd-893a-46f9-bb02-45e48b13f1be"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47","condition":null,"conditionVersion":null,"createdOn":"2020-03-12T20:43:06.5941189Z","updatedOn":"2020-03-12T20:43:06.5941189Z","createdBy":"606f48c8-d219-4875-991d-ae6befaf0756","updatedBy":"606f48c8-d219-4875-991d-ae6befaf0756","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47/providers/Microsoft.Authorization/roleAssignments/ad9e2cd7-0ff7-4931-9b17-656c8f17934b","type":"Microsoft.Authorization/roleAssignments","name":"ad9e2cd7-0ff7-4931-9b17-656c8f17934b"}]}' + string: '{"value":[{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/","condition":null,"conditionVersion":null,"createdOn":"2018-02-27T19:19:50.2663941Z","updatedOn":"2018-02-27T19:19:50.2663941Z","createdBy":null,"updatedBy":null,"delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Authorization/roleAssignments/3e883d24-b106-42ff-ad13-d7bf271b964d","type":"Microsoft.Authorization/roleAssignments","name":"3e883d24-b106-42ff-ad13-d7bf271b964d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"00000000-0000-0000-0000-000000000001","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-04-26T05:33:00.7067936Z","updatedOn":"2021-04-26T05:33:00.7067936Z","createdBy":"7e9cc714-bfe4-4eea-acb2-d53ced88ab8b","updatedBy":"7e9cc714-bfe4-4eea-acb2-d53ced88ab8b","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2adf4737-6342-4f63-aeb2-5fcd3426a387","type":"Microsoft.Authorization/roleAssignments","name":"2adf4737-6342-4f63-aeb2-5fcd3426a387"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-04-26T06:09:24.5972802Z","updatedOn":"2021-04-26T06:09:24.5972802Z","createdBy":"6904f123-3ede-43d2-bd0e-2b2f1bbe4a4b","updatedBy":"6904f123-3ede-43d2-bd0e-2b2f1bbe4a4b","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c4572c05-f69f-4e5c-aac6-79afefcf0e2e","type":"Microsoft.Authorization/roleAssignments","name":"c4572c05-f69f-4e5c-aac6-79afefcf0e2e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-06-18T05:18:40.4643436Z","updatedOn":"2021-06-18T05:18:40.4643436Z","createdBy":"6904f123-3ede-43d2-bd0e-2b2f1bbe4a4b","updatedBy":"6904f123-3ede-43d2-bd0e-2b2f1bbe4a4b","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3f926301-cc14-4a88-a3b7-c159d73d01f6","type":"Microsoft.Authorization/roleAssignments","name":"3f926301-cc14-4a88-a3b7-c159d73d01f6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T05:49:40.4541416Z","updatedOn":"2022-01-25T05:49:40.4541416Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/95e51146-7da2-11ec-9795-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"95e51146-7da2-11ec-9795-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T05:49:41.6466655Z","updatedOn":"2022-01-25T05:49:41.6466655Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/96d4d041-7da2-11ec-9795-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"96d4d041-7da2-11ec-9795-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T05:49:42.8008295Z","updatedOn":"2022-01-25T05:49:42.8008295Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/978dbc52-7da2-11ec-9795-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"978dbc52-7da2-11ec-9795-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T05:49:43.7159467Z","updatedOn":"2022-01-25T05:49:43.7159467Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9808753a-7da2-11ec-9795-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"9808753a-7da2-11ec-9795-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T05:49:44.8535285Z","updatedOn":"2022-01-25T05:49:44.8535285Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9895826c-7da2-11ec-9795-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"9895826c-7da2-11ec-9795-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:00:21.9669611Z","updatedOn":"2022-01-25T06:00:21.9669611Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/143cab45-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"143cab45-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:00:21.7844500Z","updatedOn":"2022-01-25T06:00:21.7844500Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/143a47b2-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"143a47b2-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:00:22.8152511Z","updatedOn":"2022-01-25T06:00:22.8152511Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/1503a122-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"1503a122-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:00:22.7549989Z","updatedOn":"2022-01-25T06:00:22.7549989Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/14fdfc11-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"14fdfc11-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ba92f5b4-2d11-453d-a403-e96b0029c9fe","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:00:47.5002672Z","updatedOn":"2022-01-25T06:00:47.5002672Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/23901ba1-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"23901ba1-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/81a9662b-bebf-436f-a333-f67b29880f12","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:00:47.9954045Z","updatedOn":"2022-01-25T06:00:47.9954045Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/23d4b2c8-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"23d4b2c8-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/17d1049b-9a84-46fb-8f53-869881c3d3ab","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:00:48.0124462Z","updatedOn":"2022-01-25T06:00:48.0124462Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/23eb1c2a-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"23eb1c2a-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b7e6dc6d-f1e8-4753-8033-0f276bb0955b","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:00:49.0142818Z","updatedOn":"2022-01-25T06:00:49.0142818Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/248c7804-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"248c7804-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:00:49.8561822Z","updatedOn":"2022-01-25T06:00:49.8561822Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/25212cc5-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"25212cc5-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/090c5cfd-751d-490a-894a-3ce6f1109419","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:03:00.8232622Z","updatedOn":"2022-01-25T06:03:00.8232622Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/730ae441-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"730ae441-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/090c5cfd-751d-490a-894a-3ce6f1109419","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:03:01.6908492Z","updatedOn":"2022-01-25T06:03:01.6908492Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/73b81c51-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"73b81c51-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:27.0646115Z","updatedOn":"2022-01-25T06:05:27.0646115Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ca436279-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"ca436279-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/090c5cfd-751d-490a-894a-3ce6f1109419","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:27.8245772Z","updatedOn":"2022-01-25T06:05:27.8245772Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/cad7146c-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"cad7146c-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:28.8193427Z","updatedOn":"2022-01-25T06:05:28.8193427Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/cb6be874-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"cb6be874-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/090c5cfd-751d-490a-894a-3ce6f1109419","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:30.0125029Z","updatedOn":"2022-01-25T06:05:30.0125029Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/cc20f7f4-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"cc20f7f4-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:31.2002633Z","updatedOn":"2022-01-25T06:05:31.2002633Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ccd748dd-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"ccd748dd-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:32.4937030Z","updatedOn":"2022-01-25T06:05:32.4937030Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/cd4bbd1a-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"cd4bbd1a-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:33.6999970Z","updatedOn":"2022-01-25T06:05:33.6999970Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ce56964e-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"ce56964e-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:35.3719606Z","updatedOn":"2022-01-25T06:05:35.3719606Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/cf53c36b-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"cf53c36b-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:37.0989473Z","updatedOn":"2022-01-25T06:05:37.0989473Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/d0537e9f-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"d0537e9f-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/090c5cfd-751d-490a-894a-3ce6f1109419","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:37.9186616Z","updatedOn":"2022-01-25T06:05:37.9186616Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/d0d7c10e-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"d0d7c10e-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:39.2245796Z","updatedOn":"2022-01-25T06:05:39.2245796Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/d187dc7e-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"d187dc7e-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/81a9662b-bebf-436f-a333-f67b29880f12","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:41.3147495Z","updatedOn":"2022-01-25T06:05:41.3147495Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/d2d190da-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"d2d190da-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/090c5cfd-751d-490a-894a-3ce6f1109419","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:42.0909979Z","updatedOn":"2022-01-25T06:05:42.0909979Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/d3553305-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"d3553305-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2023-02-10T04:11:40.8923959Z","updatedOn":"2023-02-10T04:11:40.8923959Z","createdBy":"6904f123-3ede-43d2-bd0e-2b2f1bbe4a4b","updatedBy":"6904f123-3ede-43d2-bd0e-2b2f1bbe4a4b","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/7b9cb4b1-7e07-4127-b87e-47e7ab8ae685","type":"Microsoft.Authorization/roleAssignments","name":"7b9cb4b1-7e07-4127-b87e-47e7ab8ae685"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-18T03:09:33.8702688Z","updatedOn":"2021-09-18T03:09:33.8702688Z","createdBy":"6904f123-3ede-43d2-bd0e-2b2f1bbe4a4b","updatedBy":"6904f123-3ede-43d2-bd0e-2b2f1bbe4a4b","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/99d6fd13-909e-4c52-807e-77f7a5af83c8","type":"Microsoft.Authorization/roleAssignments","name":"99d6fd13-909e-4c52-807e-77f7a5af83c8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/465fbb01-3623-f393-e42f-e19c0d2982de","condition":null,"conditionVersion":null,"createdOn":"2021-10-08T17:23:35.8382756Z","updatedOn":"2021-10-08T17:23:35.8382756Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/465fbb01-3623-f393-e42f-e19c0d2982de/providers/Microsoft.Authorization/roleAssignments/ade4333c-4321-4b68-b498-d081d55e2b0c","type":"Microsoft.Authorization/roleAssignments","name":"ade4333c-4321-4b68-b498-d081d55e2b0c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2019-03-26T22:01:02.9136073Z","updatedOn":"2019-03-26T22:01:02.9136073Z","createdBy":"8701e34d-d7c2-459c-b2d7-f3a9c5204818","updatedBy":"8701e34d-d7c2-459c-b2d7-f3a9c5204818","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/6f4de15e-9316-4714-a7c4-40c46cf8e067","type":"Microsoft.Authorization/roleAssignments","name":"6f4de15e-9316-4714-a7c4-40c46cf8e067"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2020-02-25T18:36:13.2137492Z","updatedOn":"2020-02-25T18:36:13.2137492Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/18fdd87e-1c01-424e-b380-32310f4940c2","type":"Microsoft.Authorization/roleAssignments","name":"18fdd87e-1c01-424e-b380-32310f4940c2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2020-02-25T18:36:00.4746112Z","updatedOn":"2020-02-25T18:36:00.4746112Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/d9bcf58a-6f24-446d-bf60-20ffe5142396","type":"Microsoft.Authorization/roleAssignments","name":"d9bcf58a-6f24-446d-bf60-20ffe5142396"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2020-02-25T18:35:55.7490022Z","updatedOn":"2020-02-25T18:35:55.7490022Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/6e2b954b-42b2-48e0-997a-622601f0a4b4","type":"Microsoft.Authorization/roleAssignments","name":"6e2b954b-42b2-48e0-997a-622601f0a4b4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2020-02-25T18:35:57.9173081Z","updatedOn":"2020-02-25T18:35:57.9173081Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/8d76aaa3-fcfd-4ea5-8c7c-363d250e7ae9","type":"Microsoft.Authorization/roleAssignments","name":"8d76aaa3-fcfd-4ea5-8c7c-363d250e7ae9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2020-02-25T18:36:23.0673659Z","updatedOn":"2020-02-25T18:36:23.0673659Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/d0817c57-3e5b-4363-88b7-52baadd5c362","type":"Microsoft.Authorization/roleAssignments","name":"d0817c57-3e5b-4363-88b7-52baadd5c362"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2020-02-25T18:36:31.2596366Z","updatedOn":"2020-02-25T18:36:31.2596366Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/0dabf212-a1c7-4af6-ba8b-be045493b368","type":"Microsoft.Authorization/roleAssignments","name":"0dabf212-a1c7-4af6-ba8b-be045493b368"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2020-02-25T18:35:52.9188704Z","updatedOn":"2020-02-25T18:35:52.9188704Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/d674b853-332e-4437-9ddb-bba8fde7ccce","type":"Microsoft.Authorization/roleAssignments","name":"d674b853-332e-4437-9ddb-bba8fde7ccce"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2020-02-25T18:36:38.8393742Z","updatedOn":"2020-02-25T18:36:38.8393742Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/00625383-053d-4227-a4db-b098e9bd2289","type":"Microsoft.Authorization/roleAssignments","name":"00625383-053d-4227-a4db-b098e9bd2289"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2020-02-25T18:36:05.0954462Z","updatedOn":"2020-02-25T18:36:05.0954462Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/3151fe9c-fcd2-45d3-a256-72fb13b86df5","type":"Microsoft.Authorization/roleAssignments","name":"3151fe9c-fcd2-45d3-a256-72fb13b86df5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2020-07-06T18:51:23.0753297Z","updatedOn":"2020-07-06T18:51:23.0753297Z","createdBy":"d59f4a71-eff1-4bfa-a572-fe518f49f6c7","updatedBy":"d59f4a71-eff1-4bfa-a572-fe518f49f6c7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/b3a9e1db-fde1-4ddd-ac1c-91913be67359","type":"Microsoft.Authorization/roleAssignments","name":"b3a9e1db-fde1-4ddd-ac1c-91913be67359"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2022-12-12T21:14:55.1655079Z","updatedOn":"2022-12-15T19:53:08.3552283Z","createdBy":"393a8425-6c8d-4d4a-a700-811f0423e5aa","updatedBy":"393a8425-6c8d-4d4a-a700-811f0423e5aa","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/6565c104-61e2-5756-96d7-663b216c8b11","type":"Microsoft.Authorization/roleAssignments","name":"6565c104-61e2-5756-96d7-663b216c8b11"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2022-02-17T00:30:39.4967398Z","updatedOn":"2022-02-17T00:30:39.4967398Z","createdBy":"a4319ad3-20be-4542-8952-685b66e56377","updatedBy":"a4319ad3-20be-4542-8952-685b66e56377","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/d8aedac6-3663-42b3-add4-c013b7935fb4","type":"Microsoft.Authorization/roleAssignments","name":"d8aedac6-3663-42b3-add4-c013b7935fb4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2022-03-02T23:53:39.1630622Z","updatedOn":"2022-03-02T23:53:39.1630622Z","createdBy":"a4319ad3-20be-4542-8952-685b66e56377","updatedBy":"a4319ad3-20be-4542-8952-685b66e56377","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/b5f0a13f-ac13-4e45-8588-15f5d9a02b20","type":"Microsoft.Authorization/roleAssignments","name":"b5f0a13f-ac13-4e45-8588-15f5d9a02b20"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fd6e57ea-fe3c-4f21-bd1e-de170a9a4971","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2022-03-08T00:58:05.8353141Z","updatedOn":"2022-03-08T00:58:05.8353141Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/403b97d1-ee0a-4b10-afe1-f36f368d2ced","type":"Microsoft.Authorization/roleAssignments","name":"403b97d1-ee0a-4b10-afe1-f36f368d2ced"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/94ddc4bc-25f5-4f3e-b527-c587da93cfe4","principalId":"00000000-0000-0000-0000-000000000001","principalType":"Group","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2022-05-16T23:08:20.8536608Z","updatedOn":"2022-05-16T23:08:20.8536608Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/8b338a13-cfa6-42e6-b424-fb375ce9d07c","type":"Microsoft.Authorization/roleAssignments","name":"8b338a13-cfa6-42e6-b424-fb375ce9d07c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2022-05-17T18:23:54.2264851Z","updatedOn":"2022-05-31T17:20:00.8273681Z","createdBy":"393a8425-6c8d-4d4a-a700-811f0423e5aa","updatedBy":"393a8425-6c8d-4d4a-a700-811f0423e5aa","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/f0576973-5014-5fe2-b3f2-cf3aace860d6","type":"Microsoft.Authorization/roleAssignments","name":"f0576973-5014-5fe2-b3f2-cf3aace860d6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2022-07-19T00:07:21.3325762Z","updatedOn":"2022-07-19T00:07:21.3325762Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/2697280b-812c-472d-841b-a10a9fe540a5","type":"Microsoft.Authorization/roleAssignments","name":"2697280b-812c-472d-841b-a10a9fe540a5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fd6e57ea-fe3c-4f21-bd1e-de170a9a4971","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2022-07-19T00:07:23.7020980Z","updatedOn":"2022-07-19T00:07:23.7020980Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/f4254463-7a28-4d26-b331-5a18c354cbe6","type":"Microsoft.Authorization/roleAssignments","name":"f4254463-7a28-4d26-b331-5a18c354cbe6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2022-07-19T00:07:26.4080657Z","updatedOn":"2022-07-19T00:07:26.4080657Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/065a63ba-71cc-4c69-b92b-bc67421e7e64","type":"Microsoft.Authorization/roleAssignments","name":"065a63ba-71cc-4c69-b92b-bc67421e7e64"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-08-09T18:17:33.0012805Z","updatedOn":"2021-08-09T18:17:33.0012805Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/01de8fe7-aae0-4d5c-844a-f0bdb8335252","type":"Microsoft.Authorization/roleAssignments","name":"01de8fe7-aae0-4d5c-844a-f0bdb8335252"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-08-09T18:17:39.9188336Z","updatedOn":"2021-08-09T18:17:39.9188336Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/ab2be506-5489-4c1f-add0-f5ed87a10439","type":"Microsoft.Authorization/roleAssignments","name":"ab2be506-5489-4c1f-add0-f5ed87a10439"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-08-24T19:32:18.2000692Z","updatedOn":"2021-08-24T19:32:18.2000692Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/0ce2f3fb-17ea-4193-9081-09aa4b39fec4","type":"Microsoft.Authorization/roleAssignments","name":"0ce2f3fb-17ea-4193-9081-09aa4b39fec4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-08-24T19:32:36.6775144Z","updatedOn":"2021-08-24T19:32:36.6775144Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/2e95b289-99bd-4e68-83de-5433f2a0428c","type":"Microsoft.Authorization/roleAssignments","name":"2e95b289-99bd-4e68-83de-5433f2a0428c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-11-01T22:46:09.1056400Z","updatedOn":"2021-11-01T22:46:09.1056400Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/82fe7886-5c1b-42c2-9319-7b4d436d8aba","type":"Microsoft.Authorization/roleAssignments","name":"82fe7886-5c1b-42c2-9319-7b4d436d8aba"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-11-01T22:46:14.7527743Z","updatedOn":"2021-11-01T22:46:14.7527743Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/12162b26-25fb-4ef5-a6e8-651446483cb6","type":"Microsoft.Authorization/roleAssignments","name":"12162b26-25fb-4ef5-a6e8-651446483cb6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-11-01T22:46:20.6399869Z","updatedOn":"2021-11-01T22:46:20.6399869Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/105bcc1f-3ddf-4cc0-bffc-03b3d9aaf870","type":"Microsoft.Authorization/roleAssignments","name":"105bcc1f-3ddf-4cc0-bffc-03b3d9aaf870"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-01-26T20:10:13.8998989Z","updatedOn":"2021-01-26T20:10:13.8998989Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/b36517ec-61d3-468d-afdc-eceda8adb4ee","type":"Microsoft.Authorization/roleAssignments","name":"b36517ec-61d3-468d-afdc-eceda8adb4ee"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-02-06T00:13:19.1780775Z","updatedOn":"2021-02-06T00:13:19.1780775Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/5216c1ee-4f58-4d36-b379-6c04b1fbd157","type":"Microsoft.Authorization/roleAssignments","name":"5216c1ee-4f58-4d36-b379-6c04b1fbd157"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f25e0fa2-a7c8-4377-a976-54943a77a395","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-04-16T18:26:34.3109215Z","updatedOn":"2021-04-16T18:26:34.3109215Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/7464f8a3-9f55-443b-a3a5-44a31b100cad","type":"Microsoft.Authorization/roleAssignments","name":"7464f8a3-9f55-443b-a3a5-44a31b100cad"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-04-16T18:27:56.4446265Z","updatedOn":"2021-04-16T18:27:56.4446265Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/8f430c4c-4317-4495-9f01-4f3d4e1ca111","type":"Microsoft.Authorization/roleAssignments","name":"8f430c4c-4317-4495-9f01-4f3d4e1ca111"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-05-04T19:20:06.7695456Z","updatedOn":"2021-05-04T19:20:06.7695456Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/fb8bab14-7f67-4e57-8aa5-0c4b7ab5a0fa","type":"Microsoft.Authorization/roleAssignments","name":"fb8bab14-7f67-4e57-8aa5-0c4b7ab5a0fa"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/CnAIOrchestrationServicePublicCorpprod","condition":null,"conditionVersion":null,"createdOn":"2019-03-26T22:01:02.9176787Z","updatedOn":"2019-03-26T22:01:02.9176787Z","createdBy":"8701e34d-d7c2-459c-b2d7-f3a9c5204818","updatedBy":"8701e34d-d7c2-459c-b2d7-f3a9c5204818","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/CnAIOrchestrationServicePublicCorpprod/providers/Microsoft.Authorization/roleAssignments/4b771ea9-81de-4fc4-aa28-a3a0b9b4a320","type":"Microsoft.Authorization/roleAssignments","name":"4b771ea9-81de-4fc4-aa28-a3a0b9b4a320"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/36243c78-bf99-498c-9df9-86d9f8d28608","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/CnAIOrchestrationServicePublicCorpprod","condition":null,"conditionVersion":null,"createdOn":"2019-03-27T00:49:37.3000523Z","updatedOn":"2019-03-27T00:49:37.3000523Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/CnAIOrchestrationServicePublicCorpprod/providers/Microsoft.Authorization/roleAssignments/e6e1fffd-83f7-40c7-9f33-e56e2cf75b29","type":"Microsoft.Authorization/roleAssignments","name":"e6e1fffd-83f7-40c7-9f33-e56e2cf75b29"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5d58bcaf-24a5-4b20-bdb6-eed9f69fbe4c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/CnAIOrchestrationServicePublicCorpprod","condition":null,"conditionVersion":null,"createdOn":"2019-03-27T00:50:08.3039053Z","updatedOn":"2019-03-27T00:50:08.3039053Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/CnAIOrchestrationServicePublicCorpprod/providers/Microsoft.Authorization/roleAssignments/3d01f56e-ee3a-41ed-a775-0e067546cb12","type":"Microsoft.Authorization/roleAssignments","name":"3d01f56e-ee3a-41ed-a775-0e067546cb12"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/94ddc4bc-25f5-4f3e-b527-c587da93cfe4","principalId":"00000000-0000-0000-0000-000000000001","principalType":"Group","scope":"/providers/Microsoft.Management/managementGroups/CnAIOrchestrationServicePublicCorpprod","condition":null,"conditionVersion":null,"createdOn":"2022-06-28T23:11:28.9217618Z","updatedOn":"2022-06-28T23:11:28.9217618Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/CnAIOrchestrationServicePublicCorpprod/providers/Microsoft.Authorization/roleAssignments/869183bd-893a-46f9-bb02-45e48b13f1be","type":"Microsoft.Authorization/roleAssignments","name":"869183bd-893a-46f9-bb02-45e48b13f1be"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47","condition":null,"conditionVersion":null,"createdOn":"2020-03-12T20:43:06.5941189Z","updatedOn":"2020-03-12T20:43:06.5941189Z","createdBy":"606f48c8-d219-4875-991d-ae6befaf0756","updatedBy":"606f48c8-d219-4875-991d-ae6befaf0756","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47/providers/Microsoft.Authorization/roleAssignments/ad9e2cd7-0ff7-4931-9b17-656c8f17934b","type":"Microsoft.Authorization/roleAssignments","name":"ad9e2cd7-0ff7-4931-9b17-656c8f17934b"}]}' headers: cache-control: - no-cache @@ -2322,7 +2370,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 04 Jan 2023 07:30:33 GMT + - Fri, 17 Feb 2023 07:32:06 GMT expires: - '-1' pragma: @@ -2342,7 +2390,7 @@ interactions: message: OK - request: body: '{"location": "westus2", "identity": {"type": "SystemAssigned"}, "properties": - {"kubernetesVersion": "", "dnsPrefix": "cliakstest-clitest2z56vpzw3-79a739", + {"kubernetesVersion": "", "dnsPrefix": "cliakstest-clitestvlhqopzm6-79a739", "agentPoolProfiles": [{"count": 3, "vmSize": "Standard_DS2_v2", "osDiskSizeGB": 0, "workloadRuntime": "OCIContainer", "vnetSubnetID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet", "osType": "Linux", "enableAutoScaling": false, "type": "VirtualMachineScaleSets", @@ -2351,7 +2399,7 @@ interactions: "Delete", "spotMaxPrice": -1.0, "nodeTaints": [], "enableEncryptionAtHost": false, "enableUltraSSD": false, "enableFIPS": false, "networkProfile": {}, "name": "nodepool1"}], "linuxProfile": {"adminUsername": "azureuser", "ssh": {"publicKeys": - [{"keyData": "ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCxQVzaezimLDDL1HAh61in6hRl3lBzeIJJthCdCHnOnzWDKRRgxxIvRBbB0XuqLoqTrH/rJ6RD4OYRmq7vP+EZZUHbI956qLpaLG7rf0g6dceLDaTneS56ORuV8DsTNum4QT56p4St++bzF9vpWW9FRJxpTegF4DaMNXfS/skajfKKJqx55X1xGbDBpMcrcF25Y+Xx0/1URby5Z7v1YduPLNOuV/mlnTd+wTRnkJSYzEiTJA3X2x1p2/AwWTbrErwmLoIWfIFsIEnySHFb87tIdORwbugyJ66+mzvDhigVb7PIx/5NHJE+bF9H1l+oTUKy9jHrTEQUrsG8q2KfRlIr + [{"keyData": "ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQC/KLMSacECP+4As5hwhdezAkaNf0QX3DpNLtOiVALJnLD+/I6p9tD5OD5m1s93X2EYrlV8GZHgnwH3hwd+8878X9HnNRcQ6aXCf0k6wgHK/+cZdYM13GDhtDeEVd0Pd/PZDPYEKT8uHR4+Dmp8DhykUazpcM4RR0d6QeZBvbQrL5QBtSGZ9XHAFiNtjl+Vm54X6pZmTrb0KSS1opXX2qaeVmWxjufzVs/wx5mNjVm43PKWFOurnJattn3kUrQzhOdNVMuzgFXe+6nB59KbvoyY7qzsh1MWLKAGq9fYNIGCRDS82YNCqdo6ZSjRcMElhAZ/36NIiTYXxamsp4Hlao7L azcli_aks_live_test@example.com\n"}]}}, "addonProfiles": {}, "enableRBAC": true, "enablePodSecurityPolicy": false, "networkProfile": {"networkPlugin": "kubenet", "podCidr": "10.244.0.0/16", "serviceCidr": "10.0.0.0/16", "dnsServiceIP": "10.0.0.10", @@ -2377,34 +2425,34 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n \ \"location\": \"westus2\",\n \"name\": \"cliakstest000002\",\n \"type\": \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": \"Creating\",\n \"powerState\": {\n \"code\": \"Running\"\n },\n \"kubernetesVersion\": - \"1.23.12\",\n \"currentKubernetesVersion\": \"1.23.12\",\n \"dnsPrefix\": - \"cliakstest-clitest2z56vpzw3-79a739\",\n \"fqdn\": \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.hcp.westus2.azmk8s.io\",\n - \ \"azurePortalFQDN\": \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.portal.hcp.westus2.azmk8s.io\",\n + \"1.24.9\",\n \"currentKubernetesVersion\": \"1.24.9\",\n \"dnsPrefix\": + \"cliakstest-clitestvlhqopzm6-79a739\",\n \"fqdn\": \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.hcp.westus2.azmk8s.io\",\n + \ \"azurePortalFQDN\": \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.portal.hcp.westus2.azmk8s.io\",\n \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \"count\": 3,\n \"vmSize\": \"Standard_DS2_v2\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": \"Managed\",\n \"kubeletDiskType\": \"OS\",\n \"workloadRuntime\": \"OCIContainer\",\n \"vnetSubnetID\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet\",\n \ \"maxPods\": 110,\n \"type\": \"VirtualMachineScaleSets\",\n \"enableAutoScaling\": false,\n \"provisioningState\": \"Creating\",\n \"powerState\": {\n - \ \"code\": \"Running\"\n },\n \"orchestratorVersion\": \"1.23.12\",\n - \ \"currentOrchestratorVersion\": \"1.23.12\",\n \"enableNodePublicIP\": + \ \"code\": \"Running\"\n },\n \"orchestratorVersion\": \"1.24.9\",\n + \ \"currentOrchestratorVersion\": \"1.24.9\",\n \"enableNodePublicIP\": false,\n \"enableCustomCATrust\": false,\n \"mode\": \"System\",\n \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": - \"AKSUbuntu-1804gen2containerd-2022.12.13\",\n \"upgradeSettings\": {},\n + \"AKSUbuntu-1804gen2containerd-2023.01.26\",\n \"upgradeSettings\": {},\n \ \"enableFIPS\": false,\n \"networkProfile\": {}\n }\n ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n \"ssh\": {\n \"publicKeys\": - [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCxQVzaezimLDDL1HAh61in6hRl3lBzeIJJthCdCHnOnzWDKRRgxxIvRBbB0XuqLoqTrH/rJ6RD4OYRmq7vP+EZZUHbI956qLpaLG7rf0g6dceLDaTneS56ORuV8DsTNum4QT56p4St++bzF9vpWW9FRJxpTegF4DaMNXfS/skajfKKJqx55X1xGbDBpMcrcF25Y+Xx0/1URby5Z7v1YduPLNOuV/mlnTd+wTRnkJSYzEiTJA3X2x1p2/AwWTbrErwmLoIWfIFsIEnySHFb87tIdORwbugyJ66+mzvDhigVb7PIx/5NHJE+bF9H1l+oTUKy9jHrTEQUrsG8q2KfRlIr + [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQC/KLMSacECP+4As5hwhdezAkaNf0QX3DpNLtOiVALJnLD+/I6p9tD5OD5m1s93X2EYrlV8GZHgnwH3hwd+8878X9HnNRcQ6aXCf0k6wgHK/+cZdYM13GDhtDeEVd0Pd/PZDPYEKT8uHR4+Dmp8DhykUazpcM4RR0d6QeZBvbQrL5QBtSGZ9XHAFiNtjl+Vm54X6pZmTrb0KSS1opXX2qaeVmWxjufzVs/wx5mNjVm43PKWFOurnJattn3kUrQzhOdNVMuzgFXe+6nB59KbvoyY7qzsh1MWLKAGq9fYNIGCRDS82YNCqdo6ZSjRcMElhAZ/36NIiTYXxamsp4Hlao7L azcli_aks_live_test@example.com\\n\"\n }\n ]\n }\n },\n \"servicePrincipalProfile\": {\n \"clientId\":\"00000000-0000-0000-0000-000000000001\"\n },\n \"nodeResourceGroup\": \"MC_clitest000001_cliakstest000002_westus2\",\n \"enableRBAC\": true,\n @@ -2418,13 +2466,13 @@ interactions: \ ],\n \"ipFamilies\": [\n \"IPv4\"\n ]\n },\n \"maxAgentPools\": 100,\n \"disableLocalAccounts\": false,\n \"httpProxyConfig\": {\n \"httpProxy\": \"http://cli-proxy-vm:3128/\",\n \"httpsProxy\": \"https://cli-proxy-vm:3129/\",\n - \ \"noProxy\": [\n \"localhost\",\n \"169.254.169.254\",\n \"10.244.0.0/16\",\n - \ \"168.63.129.16\",\n \"konnectivity\",\n \"127.0.0.1\",\n \"10.42.0.0/16\",\n - \ \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.hcp.westus2.azmk8s.io\",\n - \ \"10.0.0.0/16\"\n ],\n \"effectiveNoProxy\": [\n \"localhost\",\n - \ \"169.254.169.254\",\n \"10.244.0.0/16\",\n \"168.63.129.16\",\n - \ \"konnectivity\",\n \"127.0.0.1\",\n \"10.42.0.0/16\",\n \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.hcp.westus2.azmk8s.io\",\n - \ \"10.0.0.0/16\"\n ],\n \"trustedCa\": \"LS0tLS1CRUdJTiBDRVJUSUZJQ0FURS0tLS0tCk1JSUZHekNDQXdPZ0F3SUJBZ0lVT1FvajhDTFpkc2Vscjk3cnZJd3g1T0xEc3V3d0RRWUpLb1pJaHZjTkFRRUwKQlFBd0Z6RVZNQk1HQTFVRUF3d01ZMnhwTFhCeWIzaDVMWFp0TUI0WERUSXlNRE13T0RFMk5EUTBOMW9YRFRNeQpNRE13TlRFMk5EUTBOMW93RnpFVk1CTUdBMVVFQXd3TVkyeHBMWEJ5YjNoNUxYWnRNSUlDSWpBTkJna3Foa2lHCjl3MEJBUUVGQUFPQ0FnOEFNSUlDQ2dLQ0FnRUEvTVB0VjVCVFB0NmNxaTRSZE1sbXIzeUlzYTJ1anpjaHh2NGgKanNDMUR0blJnb3M1UzQxUEgwcmkrM3RUU1ZYMzJ5cndzWStyRDFZUnVwbTZsbUU3R2hVNUkwR2k5b3prU0YwWgpLS2FKaTJveXBVL0ZCK1FQcXpvQ1JzTUV3R0NibUtGVmw4VnVoeW5kWEs0YjRrYmxyOWJsL2V1d2Q3TThTYnZ6CldVam5lRHJRc2lJc3J6UFQ0S0FaTHFjdHpEZTRsbFBUN1lLYTMzaGlFUE9mdldpWitkcWthUUE5UDY0eFhTeW4KZkhYOHVWQUozdUJWSmVHeEQwcGtOSjdqT3J5YVV1SEh1Y1U4UzltSWpuS2pBQjVhUGpMSDV4QXM2bG1iMzEyMgp5KzF0bkVBbVhNNTBEK1VvRWpmUzZIT2I1cmRpcVhHdmMxS2JvS2p6a1BDUnh4MmE3MmN2ZWdVajZtZ0FKTHpnClRoRTFsbGNtVTRpemd4b0lNa1ZwR1RWT0xMbjFWRkt1TmhNWkN2RnZLZ25Lb0F2M0cwRlVuZldFYVJSalNObUQKTFlhTURUNUg5WnQycERJVWpVR1N0Q2w3Z1J6TUVuWXdKTzN5aURwZzQzbzVkUnlzVXlMOUpmRS9OaDdUZzYxOApuOGNKL1c3K1FZYllsanVyYXA4cjdRRlNyb2wzVkNoRkIrT29yNW5pK3ZvaFNBd0pmMFVsTXBHM3hXbXkxVUk0ClRGS2ZGR1JSVHpyUCs3Yk53WDVoSXZJeTVWdGd5YU9xSndUeGhpL0pkeHRPcjJ0QTVyQ1c3K0N0Z1N2emtxTkUKWHlyN3ZrWWdwNlk1TFpneTR0VWpLMEswT1VnVmRqQk9oRHBFenkvRkY4dzFGRVZnSjBxWS9yV2NMa0JIRFQ4Ugp2SmtoaW84Q0F3RUFBYU5mTUYwd0Z3WURWUjBSQkJBd0RvSU1ZMnhwTFhCeWIzaDVMWFp0TUJJR0ExVWRFd0VCCi93UUlNQVlCQWY4Q0FRQXdEd1lEVlIwUEFRSC9CQVVEQXdmbmdEQWRCZ05WSFNVRUZqQVVCZ2dyQmdFRkJRY0QKQWdZSUt3WUJCUVVIQXdFd0RRWUpLb1pJaHZjTkFRRUxCUUFEZ2dJQkFBb21qQ3lYdmFRT3hnWUs1MHNYTEIyKwp3QWZkc3g1bm5HZGd5Zmc0dXJXMlZtMTVEaEd2STdDL250cTBkWXkyNE4vVWJHN1VEWHZseUxJSkZxMVhQN25mCnBaRzBWQ2paNjlibXhLbTNaOG0wL0F3TXZpOGU5ZWR5OHY5a05CQ3dMR2tIYkE4WW85Q0lpUWdlbGZwcDF2VWgKYm5OQmhhRCtpdTZDZmlDTHdnSmIvaXc3ZW8vQ3lvWnF4K3RqWGFPMnpYdm00cC8rUUlmQU9ndEdRTEZVOGNmWgovZ1VyVHE1Z0ZxMCtQOUd5V3NBVEpGNnE3TDZXWlpqME91VHNlN2Y0Q1NpajZNbk9NTXhBK0pvYWhKejdsc1NpClRKSEl3RXA1ci9SeWhweWVwUXhGWWNVSDVKSmY5cmFoWExXWmkrOVRqeFNNMll5aHhmUlBzaVVFdUdEb2s3OFEKbS9RUGlDaTlKSmIxb2NtVGpBVjh4RFNob2NpdlhPRnlobjZMbjc3dkxqWStBYXZ0V0RoUXRocHVQeHNMdFZ6bQplMFNIMTFkRUxSdGI3NG1xWE9yTzdmdS8rSUJzM0pxTEUvVSt4dXhRdHZHOHZHMXlES0hIU1pxUzJoL1dzNGw0Ck5pQXNoSGdlaFFEUEJjWTl3WVl6ZkJnWnBPVU16ZERmNTB4K0ZTbFk0M1dPSkp6U3VRaDR5WjArM2t5Z3VDRjgKcm5NTFNjZXlTNGNpNExtSi9LQ1N1R2RmNlhWWXo4QkU5Z2pqanBDUDZxeTBVbFJlZldzL2lnL3djSysyYkYxVApuL1l2KzZnWGVDVEhKNzVxRElQbHA3RFJVVWswZmJNajRiSWthb2dXV2s0emYydThteFpMYTBsZVBLTktaTi9tCkdDdkZ3cjNlaSt1LzhjenA1RjdUCi0tLS0tRU5EIENFUlRJRklDQVRFLS0tLS0K\"\n + \ \"noProxy\": [\n \"127.0.0.1\",\n \"konnectivity\",\n \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.hcp.westus2.azmk8s.io\",\n + \ \"10.42.0.0/16\",\n \"localhost\",\n \"168.63.129.16\",\n \"169.254.169.254\",\n + \ \"10.244.0.0/16\",\n \"10.0.0.0/16\"\n ],\n \"effectiveNoProxy\": + [\n \"127.0.0.1\",\n \"konnectivity\",\n \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.hcp.westus2.azmk8s.io\",\n + \ \"10.42.0.0/16\",\n \"localhost\",\n \"168.63.129.16\",\n \"169.254.169.254\",\n + \ \"10.244.0.0/16\",\n \"10.0.0.0/16\"\n ],\n \"trustedCa\": + \"LS0tLS1CRUdJTiBDRVJUSUZJQ0FURS0tLS0tCk1JSUZHekNDQXdPZ0F3SUJBZ0lVT1FvajhDTFpkc2Vscjk3cnZJd3g1T0xEc3V3d0RRWUpLb1pJaHZjTkFRRUwKQlFBd0Z6RVZNQk1HQTFVRUF3d01ZMnhwTFhCeWIzaDVMWFp0TUI0WERUSXlNRE13T0RFMk5EUTBOMW9YRFRNeQpNRE13TlRFMk5EUTBOMW93RnpFVk1CTUdBMVVFQXd3TVkyeHBMWEJ5YjNoNUxYWnRNSUlDSWpBTkJna3Foa2lHCjl3MEJBUUVGQUFPQ0FnOEFNSUlDQ2dLQ0FnRUEvTVB0VjVCVFB0NmNxaTRSZE1sbXIzeUlzYTJ1anpjaHh2NGgKanNDMUR0blJnb3M1UzQxUEgwcmkrM3RUU1ZYMzJ5cndzWStyRDFZUnVwbTZsbUU3R2hVNUkwR2k5b3prU0YwWgpLS2FKaTJveXBVL0ZCK1FQcXpvQ1JzTUV3R0NibUtGVmw4VnVoeW5kWEs0YjRrYmxyOWJsL2V1d2Q3TThTYnZ6CldVam5lRHJRc2lJc3J6UFQ0S0FaTHFjdHpEZTRsbFBUN1lLYTMzaGlFUE9mdldpWitkcWthUUE5UDY0eFhTeW4KZkhYOHVWQUozdUJWSmVHeEQwcGtOSjdqT3J5YVV1SEh1Y1U4UzltSWpuS2pBQjVhUGpMSDV4QXM2bG1iMzEyMgp5KzF0bkVBbVhNNTBEK1VvRWpmUzZIT2I1cmRpcVhHdmMxS2JvS2p6a1BDUnh4MmE3MmN2ZWdVajZtZ0FKTHpnClRoRTFsbGNtVTRpemd4b0lNa1ZwR1RWT0xMbjFWRkt1TmhNWkN2RnZLZ25Lb0F2M0cwRlVuZldFYVJSalNObUQKTFlhTURUNUg5WnQycERJVWpVR1N0Q2w3Z1J6TUVuWXdKTzN5aURwZzQzbzVkUnlzVXlMOUpmRS9OaDdUZzYxOApuOGNKL1c3K1FZYllsanVyYXA4cjdRRlNyb2wzVkNoRkIrT29yNW5pK3ZvaFNBd0pmMFVsTXBHM3hXbXkxVUk0ClRGS2ZGR1JSVHpyUCs3Yk53WDVoSXZJeTVWdGd5YU9xSndUeGhpL0pkeHRPcjJ0QTVyQ1c3K0N0Z1N2emtxTkUKWHlyN3ZrWWdwNlk1TFpneTR0VWpLMEswT1VnVmRqQk9oRHBFenkvRkY4dzFGRVZnSjBxWS9yV2NMa0JIRFQ4Ugp2SmtoaW84Q0F3RUFBYU5mTUYwd0Z3WURWUjBSQkJBd0RvSU1ZMnhwTFhCeWIzaDVMWFp0TUJJR0ExVWRFd0VCCi93UUlNQVlCQWY4Q0FRQXdEd1lEVlIwUEFRSC9CQVVEQXdmbmdEQWRCZ05WSFNVRUZqQVVCZ2dyQmdFRkJRY0QKQWdZSUt3WUJCUVVIQXdFd0RRWUpLb1pJaHZjTkFRRUxCUUFEZ2dJQkFBb21qQ3lYdmFRT3hnWUs1MHNYTEIyKwp3QWZkc3g1bm5HZGd5Zmc0dXJXMlZtMTVEaEd2STdDL250cTBkWXkyNE4vVWJHN1VEWHZseUxJSkZxMVhQN25mCnBaRzBWQ2paNjlibXhLbTNaOG0wL0F3TXZpOGU5ZWR5OHY5a05CQ3dMR2tIYkE4WW85Q0lpUWdlbGZwcDF2VWgKYm5OQmhhRCtpdTZDZmlDTHdnSmIvaXc3ZW8vQ3lvWnF4K3RqWGFPMnpYdm00cC8rUUlmQU9ndEdRTEZVOGNmWgovZ1VyVHE1Z0ZxMCtQOUd5V3NBVEpGNnE3TDZXWlpqME91VHNlN2Y0Q1NpajZNbk9NTXhBK0pvYWhKejdsc1NpClRKSEl3RXA1ci9SeWhweWVwUXhGWWNVSDVKSmY5cmFoWExXWmkrOVRqeFNNMll5aHhmUlBzaVVFdUdEb2s3OFEKbS9RUGlDaTlKSmIxb2NtVGpBVjh4RFNob2NpdlhPRnlobjZMbjc3dkxqWStBYXZ0V0RoUXRocHVQeHNMdFZ6bQplMFNIMTFkRUxSdGI3NG1xWE9yTzdmdS8rSUJzM0pxTEUvVSt4dXhRdHZHOHZHMXlES0hIU1pxUzJoL1dzNGw0Ck5pQXNoSGdlaFFEUEJjWTl3WVl6ZkJnWnBPVU16ZERmNTB4K0ZTbFk0M1dPSkp6U3VRaDR5WjArM2t5Z3VDRjgKcm5NTFNjZXlTNGNpNExtSi9LQ1N1R2RmNlhWWXo4QkU5Z2pqanBDUDZxeTBVbFJlZldzL2lnL3djSysyYkYxVApuL1l2KzZnWGVDVEhKNzVxRElQbHA3RFJVVWswZmJNajRiSWthb2dXV2s0emYydThteFpMYTBsZVBLTktaTi9tCkdDdkZ3cjNlaSt1LzhjenA1RjdUCi0tLS0tRU5EIENFUlRJRklDQVRFLS0tLS0K\"\n \ },\n \"securityProfile\": {},\n \"storageProfile\": {\n \"diskCSIDriver\": {\n \"enabled\": true,\n \"version\": \"v1\"\n },\n \"fileCSIDriver\": {\n \"enabled\": true\n },\n \"snapshotController\": {\n \"enabled\": @@ -2432,18 +2480,18 @@ interactions: \ },\n \"workloadAutoScalerProfile\": {}\n },\n \"identity\": {\n \"type\": \"SystemAssigned\",\n \"principalId\":\"00000000-0000-0000-0000-000000000001\",\n \ \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\"\n },\n \"sku\": - {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n }" + {\n \"name\": \"Base\",\n \"tier\": \"Free\"\n }\n }" headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/64459fb2-dcf9-4519-a55c-5cfb434ed031?api-version=2016-03-30 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/f2556b67-0f87-4b0a-b8c9-8120f32d04b7?api-version=2016-03-30 cache-control: - no-cache content-length: - - '6784' + - '6779' content-type: - application/json date: - - Wed, 04 Jan 2023 07:30:38 GMT + - Fri, 17 Feb 2023 07:32:11 GMT expires: - '-1' pragma: @@ -2474,34 +2522,34 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n \ \"location\": \"westus2\",\n \"name\": \"cliakstest000002\",\n \"type\": \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": \"Creating\",\n \"powerState\": {\n \"code\": \"Running\"\n },\n \"kubernetesVersion\": - \"1.23.12\",\n \"currentKubernetesVersion\": \"1.23.12\",\n \"dnsPrefix\": - \"cliakstest-clitest2z56vpzw3-79a739\",\n \"fqdn\": \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.hcp.westus2.azmk8s.io\",\n - \ \"azurePortalFQDN\": \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.portal.hcp.westus2.azmk8s.io\",\n + \"1.24.9\",\n \"currentKubernetesVersion\": \"1.24.9\",\n \"dnsPrefix\": + \"cliakstest-clitestvlhqopzm6-79a739\",\n \"fqdn\": \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.hcp.westus2.azmk8s.io\",\n + \ \"azurePortalFQDN\": \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.portal.hcp.westus2.azmk8s.io\",\n \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \"count\": 3,\n \"vmSize\": \"Standard_DS2_v2\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": \"Managed\",\n \"kubeletDiskType\": \"OS\",\n \"workloadRuntime\": \"OCIContainer\",\n \"vnetSubnetID\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet\",\n \ \"maxPods\": 110,\n \"type\": \"VirtualMachineScaleSets\",\n \"enableAutoScaling\": false,\n \"provisioningState\": \"Creating\",\n \"powerState\": {\n - \ \"code\": \"Running\"\n },\n \"orchestratorVersion\": \"1.23.12\",\n - \ \"currentOrchestratorVersion\": \"1.23.12\",\n \"enableNodePublicIP\": + \ \"code\": \"Running\"\n },\n \"orchestratorVersion\": \"1.24.9\",\n + \ \"currentOrchestratorVersion\": \"1.24.9\",\n \"enableNodePublicIP\": false,\n \"enableCustomCATrust\": false,\n \"mode\": \"System\",\n \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": - \"AKSUbuntu-1804gen2containerd-2022.12.13\",\n \"upgradeSettings\": {},\n + \"AKSUbuntu-1804gen2containerd-2023.01.26\",\n \"upgradeSettings\": {},\n \ \"enableFIPS\": false,\n \"networkProfile\": {}\n }\n ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n \"ssh\": {\n \"publicKeys\": - [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCxQVzaezimLDDL1HAh61in6hRl3lBzeIJJthCdCHnOnzWDKRRgxxIvRBbB0XuqLoqTrH/rJ6RD4OYRmq7vP+EZZUHbI956qLpaLG7rf0g6dceLDaTneS56ORuV8DsTNum4QT56p4St++bzF9vpWW9FRJxpTegF4DaMNXfS/skajfKKJqx55X1xGbDBpMcrcF25Y+Xx0/1URby5Z7v1YduPLNOuV/mlnTd+wTRnkJSYzEiTJA3X2x1p2/AwWTbrErwmLoIWfIFsIEnySHFb87tIdORwbugyJ66+mzvDhigVb7PIx/5NHJE+bF9H1l+oTUKy9jHrTEQUrsG8q2KfRlIr + [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQC/KLMSacECP+4As5hwhdezAkaNf0QX3DpNLtOiVALJnLD+/I6p9tD5OD5m1s93X2EYrlV8GZHgnwH3hwd+8878X9HnNRcQ6aXCf0k6wgHK/+cZdYM13GDhtDeEVd0Pd/PZDPYEKT8uHR4+Dmp8DhykUazpcM4RR0d6QeZBvbQrL5QBtSGZ9XHAFiNtjl+Vm54X6pZmTrb0KSS1opXX2qaeVmWxjufzVs/wx5mNjVm43PKWFOurnJattn3kUrQzhOdNVMuzgFXe+6nB59KbvoyY7qzsh1MWLKAGq9fYNIGCRDS82YNCqdo6ZSjRcMElhAZ/36NIiTYXxamsp4Hlao7L azcli_aks_live_test@example.com\\n\"\n }\n ]\n }\n },\n \"servicePrincipalProfile\": {\n \"clientId\":\"00000000-0000-0000-0000-000000000001\"\n },\n \"nodeResourceGroup\": \"MC_clitest000001_cliakstest000002_westus2\",\n \"enableRBAC\": true,\n @@ -2515,13 +2563,13 @@ interactions: \ ],\n \"ipFamilies\": [\n \"IPv4\"\n ]\n },\n \"maxAgentPools\": 100,\n \"disableLocalAccounts\": false,\n \"httpProxyConfig\": {\n \"httpProxy\": \"http://cli-proxy-vm:3128/\",\n \"httpsProxy\": \"https://cli-proxy-vm:3129/\",\n - \ \"noProxy\": [\n \"localhost\",\n \"169.254.169.254\",\n \"10.244.0.0/16\",\n - \ \"168.63.129.16\",\n \"konnectivity\",\n \"127.0.0.1\",\n \"10.42.0.0/16\",\n - \ \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.hcp.westus2.azmk8s.io\",\n - \ \"10.0.0.0/16\"\n ],\n \"effectiveNoProxy\": [\n \"localhost\",\n - \ \"169.254.169.254\",\n \"10.244.0.0/16\",\n \"168.63.129.16\",\n - \ \"konnectivity\",\n \"127.0.0.1\",\n \"10.42.0.0/16\",\n \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.hcp.westus2.azmk8s.io\",\n - \ \"10.0.0.0/16\"\n ],\n \"trustedCa\": \"LS0tLS1CRUdJTiBDRVJUSUZJQ0FURS0tLS0tCk1JSUZHekNDQXdPZ0F3SUJBZ0lVT1FvajhDTFpkc2Vscjk3cnZJd3g1T0xEc3V3d0RRWUpLb1pJaHZjTkFRRUwKQlFBd0Z6RVZNQk1HQTFVRUF3d01ZMnhwTFhCeWIzaDVMWFp0TUI0WERUSXlNRE13T0RFMk5EUTBOMW9YRFRNeQpNRE13TlRFMk5EUTBOMW93RnpFVk1CTUdBMVVFQXd3TVkyeHBMWEJ5YjNoNUxYWnRNSUlDSWpBTkJna3Foa2lHCjl3MEJBUUVGQUFPQ0FnOEFNSUlDQ2dLQ0FnRUEvTVB0VjVCVFB0NmNxaTRSZE1sbXIzeUlzYTJ1anpjaHh2NGgKanNDMUR0blJnb3M1UzQxUEgwcmkrM3RUU1ZYMzJ5cndzWStyRDFZUnVwbTZsbUU3R2hVNUkwR2k5b3prU0YwWgpLS2FKaTJveXBVL0ZCK1FQcXpvQ1JzTUV3R0NibUtGVmw4VnVoeW5kWEs0YjRrYmxyOWJsL2V1d2Q3TThTYnZ6CldVam5lRHJRc2lJc3J6UFQ0S0FaTHFjdHpEZTRsbFBUN1lLYTMzaGlFUE9mdldpWitkcWthUUE5UDY0eFhTeW4KZkhYOHVWQUozdUJWSmVHeEQwcGtOSjdqT3J5YVV1SEh1Y1U4UzltSWpuS2pBQjVhUGpMSDV4QXM2bG1iMzEyMgp5KzF0bkVBbVhNNTBEK1VvRWpmUzZIT2I1cmRpcVhHdmMxS2JvS2p6a1BDUnh4MmE3MmN2ZWdVajZtZ0FKTHpnClRoRTFsbGNtVTRpemd4b0lNa1ZwR1RWT0xMbjFWRkt1TmhNWkN2RnZLZ25Lb0F2M0cwRlVuZldFYVJSalNObUQKTFlhTURUNUg5WnQycERJVWpVR1N0Q2w3Z1J6TUVuWXdKTzN5aURwZzQzbzVkUnlzVXlMOUpmRS9OaDdUZzYxOApuOGNKL1c3K1FZYllsanVyYXA4cjdRRlNyb2wzVkNoRkIrT29yNW5pK3ZvaFNBd0pmMFVsTXBHM3hXbXkxVUk0ClRGS2ZGR1JSVHpyUCs3Yk53WDVoSXZJeTVWdGd5YU9xSndUeGhpL0pkeHRPcjJ0QTVyQ1c3K0N0Z1N2emtxTkUKWHlyN3ZrWWdwNlk1TFpneTR0VWpLMEswT1VnVmRqQk9oRHBFenkvRkY4dzFGRVZnSjBxWS9yV2NMa0JIRFQ4Ugp2SmtoaW84Q0F3RUFBYU5mTUYwd0Z3WURWUjBSQkJBd0RvSU1ZMnhwTFhCeWIzaDVMWFp0TUJJR0ExVWRFd0VCCi93UUlNQVlCQWY4Q0FRQXdEd1lEVlIwUEFRSC9CQVVEQXdmbmdEQWRCZ05WSFNVRUZqQVVCZ2dyQmdFRkJRY0QKQWdZSUt3WUJCUVVIQXdFd0RRWUpLb1pJaHZjTkFRRUxCUUFEZ2dJQkFBb21qQ3lYdmFRT3hnWUs1MHNYTEIyKwp3QWZkc3g1bm5HZGd5Zmc0dXJXMlZtMTVEaEd2STdDL250cTBkWXkyNE4vVWJHN1VEWHZseUxJSkZxMVhQN25mCnBaRzBWQ2paNjlibXhLbTNaOG0wL0F3TXZpOGU5ZWR5OHY5a05CQ3dMR2tIYkE4WW85Q0lpUWdlbGZwcDF2VWgKYm5OQmhhRCtpdTZDZmlDTHdnSmIvaXc3ZW8vQ3lvWnF4K3RqWGFPMnpYdm00cC8rUUlmQU9ndEdRTEZVOGNmWgovZ1VyVHE1Z0ZxMCtQOUd5V3NBVEpGNnE3TDZXWlpqME91VHNlN2Y0Q1NpajZNbk9NTXhBK0pvYWhKejdsc1NpClRKSEl3RXA1ci9SeWhweWVwUXhGWWNVSDVKSmY5cmFoWExXWmkrOVRqeFNNMll5aHhmUlBzaVVFdUdEb2s3OFEKbS9RUGlDaTlKSmIxb2NtVGpBVjh4RFNob2NpdlhPRnlobjZMbjc3dkxqWStBYXZ0V0RoUXRocHVQeHNMdFZ6bQplMFNIMTFkRUxSdGI3NG1xWE9yTzdmdS8rSUJzM0pxTEUvVSt4dXhRdHZHOHZHMXlES0hIU1pxUzJoL1dzNGw0Ck5pQXNoSGdlaFFEUEJjWTl3WVl6ZkJnWnBPVU16ZERmNTB4K0ZTbFk0M1dPSkp6U3VRaDR5WjArM2t5Z3VDRjgKcm5NTFNjZXlTNGNpNExtSi9LQ1N1R2RmNlhWWXo4QkU5Z2pqanBDUDZxeTBVbFJlZldzL2lnL3djSysyYkYxVApuL1l2KzZnWGVDVEhKNzVxRElQbHA3RFJVVWswZmJNajRiSWthb2dXV2s0emYydThteFpMYTBsZVBLTktaTi9tCkdDdkZ3cjNlaSt1LzhjenA1RjdUCi0tLS0tRU5EIENFUlRJRklDQVRFLS0tLS0K\"\n + \ \"noProxy\": [\n \"127.0.0.1\",\n \"konnectivity\",\n \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.hcp.westus2.azmk8s.io\",\n + \ \"10.42.0.0/16\",\n \"localhost\",\n \"168.63.129.16\",\n \"169.254.169.254\",\n + \ \"10.244.0.0/16\",\n \"10.0.0.0/16\"\n ],\n \"effectiveNoProxy\": + [\n \"127.0.0.1\",\n \"konnectivity\",\n \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.hcp.westus2.azmk8s.io\",\n + \ \"10.42.0.0/16\",\n \"localhost\",\n \"168.63.129.16\",\n \"169.254.169.254\",\n + \ \"10.244.0.0/16\",\n \"10.0.0.0/16\"\n ],\n \"trustedCa\": + \"LS0tLS1CRUdJTiBDRVJUSUZJQ0FURS0tLS0tCk1JSUZHekNDQXdPZ0F3SUJBZ0lVT1FvajhDTFpkc2Vscjk3cnZJd3g1T0xEc3V3d0RRWUpLb1pJaHZjTkFRRUwKQlFBd0Z6RVZNQk1HQTFVRUF3d01ZMnhwTFhCeWIzaDVMWFp0TUI0WERUSXlNRE13T0RFMk5EUTBOMW9YRFRNeQpNRE13TlRFMk5EUTBOMW93RnpFVk1CTUdBMVVFQXd3TVkyeHBMWEJ5YjNoNUxYWnRNSUlDSWpBTkJna3Foa2lHCjl3MEJBUUVGQUFPQ0FnOEFNSUlDQ2dLQ0FnRUEvTVB0VjVCVFB0NmNxaTRSZE1sbXIzeUlzYTJ1anpjaHh2NGgKanNDMUR0blJnb3M1UzQxUEgwcmkrM3RUU1ZYMzJ5cndzWStyRDFZUnVwbTZsbUU3R2hVNUkwR2k5b3prU0YwWgpLS2FKaTJveXBVL0ZCK1FQcXpvQ1JzTUV3R0NibUtGVmw4VnVoeW5kWEs0YjRrYmxyOWJsL2V1d2Q3TThTYnZ6CldVam5lRHJRc2lJc3J6UFQ0S0FaTHFjdHpEZTRsbFBUN1lLYTMzaGlFUE9mdldpWitkcWthUUE5UDY0eFhTeW4KZkhYOHVWQUozdUJWSmVHeEQwcGtOSjdqT3J5YVV1SEh1Y1U4UzltSWpuS2pBQjVhUGpMSDV4QXM2bG1iMzEyMgp5KzF0bkVBbVhNNTBEK1VvRWpmUzZIT2I1cmRpcVhHdmMxS2JvS2p6a1BDUnh4MmE3MmN2ZWdVajZtZ0FKTHpnClRoRTFsbGNtVTRpemd4b0lNa1ZwR1RWT0xMbjFWRkt1TmhNWkN2RnZLZ25Lb0F2M0cwRlVuZldFYVJSalNObUQKTFlhTURUNUg5WnQycERJVWpVR1N0Q2w3Z1J6TUVuWXdKTzN5aURwZzQzbzVkUnlzVXlMOUpmRS9OaDdUZzYxOApuOGNKL1c3K1FZYllsanVyYXA4cjdRRlNyb2wzVkNoRkIrT29yNW5pK3ZvaFNBd0pmMFVsTXBHM3hXbXkxVUk0ClRGS2ZGR1JSVHpyUCs3Yk53WDVoSXZJeTVWdGd5YU9xSndUeGhpL0pkeHRPcjJ0QTVyQ1c3K0N0Z1N2emtxTkUKWHlyN3ZrWWdwNlk1TFpneTR0VWpLMEswT1VnVmRqQk9oRHBFenkvRkY4dzFGRVZnSjBxWS9yV2NMa0JIRFQ4Ugp2SmtoaW84Q0F3RUFBYU5mTUYwd0Z3WURWUjBSQkJBd0RvSU1ZMnhwTFhCeWIzaDVMWFp0TUJJR0ExVWRFd0VCCi93UUlNQVlCQWY4Q0FRQXdEd1lEVlIwUEFRSC9CQVVEQXdmbmdEQWRCZ05WSFNVRUZqQVVCZ2dyQmdFRkJRY0QKQWdZSUt3WUJCUVVIQXdFd0RRWUpLb1pJaHZjTkFRRUxCUUFEZ2dJQkFBb21qQ3lYdmFRT3hnWUs1MHNYTEIyKwp3QWZkc3g1bm5HZGd5Zmc0dXJXMlZtMTVEaEd2STdDL250cTBkWXkyNE4vVWJHN1VEWHZseUxJSkZxMVhQN25mCnBaRzBWQ2paNjlibXhLbTNaOG0wL0F3TXZpOGU5ZWR5OHY5a05CQ3dMR2tIYkE4WW85Q0lpUWdlbGZwcDF2VWgKYm5OQmhhRCtpdTZDZmlDTHdnSmIvaXc3ZW8vQ3lvWnF4K3RqWGFPMnpYdm00cC8rUUlmQU9ndEdRTEZVOGNmWgovZ1VyVHE1Z0ZxMCtQOUd5V3NBVEpGNnE3TDZXWlpqME91VHNlN2Y0Q1NpajZNbk9NTXhBK0pvYWhKejdsc1NpClRKSEl3RXA1ci9SeWhweWVwUXhGWWNVSDVKSmY5cmFoWExXWmkrOVRqeFNNMll5aHhmUlBzaVVFdUdEb2s3OFEKbS9RUGlDaTlKSmIxb2NtVGpBVjh4RFNob2NpdlhPRnlobjZMbjc3dkxqWStBYXZ0V0RoUXRocHVQeHNMdFZ6bQplMFNIMTFkRUxSdGI3NG1xWE9yTzdmdS8rSUJzM0pxTEUvVSt4dXhRdHZHOHZHMXlES0hIU1pxUzJoL1dzNGw0Ck5pQXNoSGdlaFFEUEJjWTl3WVl6ZkJnWnBPVU16ZERmNTB4K0ZTbFk0M1dPSkp6U3VRaDR5WjArM2t5Z3VDRjgKcm5NTFNjZXlTNGNpNExtSi9LQ1N1R2RmNlhWWXo4QkU5Z2pqanBDUDZxeTBVbFJlZldzL2lnL3djSysyYkYxVApuL1l2KzZnWGVDVEhKNzVxRElQbHA3RFJVVWswZmJNajRiSWthb2dXV2s0emYydThteFpMYTBsZVBLTktaTi9tCkdDdkZ3cjNlaSt1LzhjenA1RjdUCi0tLS0tRU5EIENFUlRJRklDQVRFLS0tLS0K\"\n \ },\n \"securityProfile\": {},\n \"storageProfile\": {\n \"diskCSIDriver\": {\n \"enabled\": true,\n \"version\": \"v1\"\n },\n \"fileCSIDriver\": {\n \"enabled\": true\n },\n \"snapshotController\": {\n \"enabled\": @@ -2529,16 +2577,16 @@ interactions: \ },\n \"workloadAutoScalerProfile\": {}\n },\n \"identity\": {\n \"type\": \"SystemAssigned\",\n \"principalId\":\"00000000-0000-0000-0000-000000000001\",\n \ \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\"\n },\n \"sku\": - {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n }" + {\n \"name\": \"Base\",\n \"tier\": \"Free\"\n }\n }" headers: cache-control: - no-cache content-length: - - '6784' + - '6779' content-type: - application/json date: - - Wed, 04 Jan 2023 07:30:39 GMT + - Fri, 17 Feb 2023 07:32:11 GMT expires: - '-1' pragma: @@ -2571,12 +2619,10 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) msrest/0.7.1 - msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.43.0 - accept-language: - - en-US + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-authorization/3.0.0 Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Network%20Contributor%27&api-version=2018-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Network%20Contributor%27&api-version=2022-04-01 response: body: string: '{"value":[{"properties":{"roleName":"Network Contributor","type":"BuiltInRole","description":"Lets @@ -2589,7 +2635,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 04 Jan 2023 07:30:38 GMT + - Fri, 17 Feb 2023 07:32:11 GMT expires: - '-1' pragma: @@ -2622,22 +2668,20 @@ interactions: Content-Length: - '232' Content-Type: - - application/json; charset=utf-8 + - application/json Cookie: - x-ms-gateway-slice=Production ParameterSetName: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) msrest/0.7.1 - msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.43.0 - accept-language: - - en-US + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-authorization/3.0.0 Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleAssignments/496b5522-bb63-40e1-908d-f76d25cc3121?api-version=2020-04-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleAssignments/8bbe604d-4c62-4e80-89db-3331268013b8?api-version=2022-04-01 response: body: - string: '{"error":{"code":"PrincipalNotFound","message":"Principal 97ad08438d684f6d8352673c3a3a8a3a + string: '{"error":{"code":"PrincipalNotFound","message":"Principal 5e472147b35a4defad4ffcbd06580906 does not exist in the directory 72f988bf-86f1-41af-91ab-2d7cd011db47. Check that you have the correct principal ID. If you are creating this principal and then immediately assigning a role, this error might be related to a replication @@ -2651,7 +2695,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 04 Jan 2023 07:30:39 GMT + - Fri, 17 Feb 2023 07:32:12 GMT expires: - '-1' pragma: @@ -2680,12 +2724,10 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) msrest/0.7.1 - msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.43.0 - accept-language: - - en-US + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-authorization/3.0.0 Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Network%20Contributor%27&api-version=2018-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Network%20Contributor%27&api-version=2022-04-01 response: body: string: '{"value":[{"properties":{"roleName":"Network Contributor","type":"BuiltInRole","description":"Lets @@ -2698,7 +2740,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 04 Jan 2023 07:30:42 GMT + - Fri, 17 Feb 2023 07:32:14 GMT expires: - '-1' pragma: @@ -2731,22 +2773,20 @@ interactions: Content-Length: - '232' Content-Type: - - application/json; charset=utf-8 + - application/json Cookie: - x-ms-gateway-slice=Production ParameterSetName: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) msrest/0.7.1 - msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.43.0 - accept-language: - - en-US + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-authorization/3.0.0 Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleAssignments/966eebf1-4d36-4471-913f-3625689baf3d?api-version=2020-04-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleAssignments/a4e752d9-d78f-455f-b779-455520003cb2?api-version=2022-04-01 response: body: - string: '{"error":{"code":"PrincipalNotFound","message":"Principal 97ad08438d684f6d8352673c3a3a8a3a + string: '{"error":{"code":"PrincipalNotFound","message":"Principal 5e472147b35a4defad4ffcbd06580906 does not exist in the directory 72f988bf-86f1-41af-91ab-2d7cd011db47. Check that you have the correct principal ID. If you are creating this principal and then immediately assigning a role, this error might be related to a replication @@ -2760,7 +2800,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 04 Jan 2023 07:30:43 GMT + - Fri, 17 Feb 2023 07:32:15 GMT expires: - '-1' pragma: @@ -2789,12 +2829,10 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) msrest/0.7.1 - msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.43.0 - accept-language: - - en-US + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-authorization/3.0.0 Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Network%20Contributor%27&api-version=2018-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Network%20Contributor%27&api-version=2022-04-01 response: body: string: '{"value":[{"properties":{"roleName":"Network Contributor","type":"BuiltInRole","description":"Lets @@ -2807,7 +2845,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 04 Jan 2023 07:30:47 GMT + - Fri, 17 Feb 2023 07:32:19 GMT expires: - '-1' pragma: @@ -2840,22 +2878,20 @@ interactions: Content-Length: - '232' Content-Type: - - application/json; charset=utf-8 + - application/json Cookie: - x-ms-gateway-slice=Production ParameterSetName: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) msrest/0.7.1 - msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.43.0 - accept-language: - - en-US + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-authorization/3.0.0 Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleAssignments/d8805546-aba3-41d5-85f7-0a1363086a13?api-version=2020-04-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleAssignments/80947688-4d0d-4287-92b1-f69d2bc53a02?api-version=2022-04-01 response: body: - string: '{"error":{"code":"PrincipalNotFound","message":"Principal 97ad08438d684f6d8352673c3a3a8a3a + string: '{"error":{"code":"PrincipalNotFound","message":"Principal 5e472147b35a4defad4ffcbd06580906 does not exist in the directory 72f988bf-86f1-41af-91ab-2d7cd011db47. Check that you have the correct principal ID. If you are creating this principal and then immediately assigning a role, this error might be related to a replication @@ -2869,7 +2905,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 04 Jan 2023 07:30:48 GMT + - Fri, 17 Feb 2023 07:32:20 GMT expires: - '-1' pragma: @@ -2898,12 +2934,10 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) msrest/0.7.1 - msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.43.0 - accept-language: - - en-US + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-authorization/3.0.0 Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Network%20Contributor%27&api-version=2018-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Network%20Contributor%27&api-version=2022-04-01 response: body: string: '{"value":[{"properties":{"roleName":"Network Contributor","type":"BuiltInRole","description":"Lets @@ -2916,7 +2950,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 04 Jan 2023 07:30:53 GMT + - Fri, 17 Feb 2023 07:32:26 GMT expires: - '-1' pragma: @@ -2949,22 +2983,20 @@ interactions: Content-Length: - '232' Content-Type: - - application/json; charset=utf-8 + - application/json Cookie: - x-ms-gateway-slice=Production ParameterSetName: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) msrest/0.7.1 - msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.43.0 - accept-language: - - en-US + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-authorization/3.0.0 Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleAssignments/5bf0d65b-3e21-4f29-82c7-6a27770f1556?api-version=2020-04-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleAssignments/c2dfbf9f-14b4-467e-b88c-9a1fb241a35c?api-version=2022-04-01 response: body: - string: '{"error":{"code":"PrincipalNotFound","message":"Principal 97ad08438d684f6d8352673c3a3a8a3a + string: '{"error":{"code":"PrincipalNotFound","message":"Principal 5e472147b35a4defad4ffcbd06580906 does not exist in the directory 72f988bf-86f1-41af-91ab-2d7cd011db47. Check that you have the correct principal ID. If you are creating this principal and then immediately assigning a role, this error might be related to a replication @@ -2978,7 +3010,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 04 Jan 2023 07:30:54 GMT + - Fri, 17 Feb 2023 07:32:26 GMT expires: - '-1' pragma: @@ -3007,12 +3039,10 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) msrest/0.7.1 - msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.43.0 - accept-language: - - en-US + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-authorization/3.0.0 Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Network%20Contributor%27&api-version=2018-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Network%20Contributor%27&api-version=2022-04-01 response: body: string: '{"value":[{"properties":{"roleName":"Network Contributor","type":"BuiltInRole","description":"Lets @@ -3025,7 +3055,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 04 Jan 2023 07:31:02 GMT + - Fri, 17 Feb 2023 07:32:35 GMT expires: - '-1' pragma: @@ -3058,22 +3088,20 @@ interactions: Content-Length: - '232' Content-Type: - - application/json; charset=utf-8 + - application/json Cookie: - x-ms-gateway-slice=Production ParameterSetName: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) msrest/0.7.1 - msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.43.0 - accept-language: - - en-US + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-authorization/3.0.0 Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleAssignments/37423c25-baa1-4e1f-9238-8938a2b5dfb3?api-version=2020-04-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleAssignments/ca2841cd-4e58-4985-94dc-d6f2e433829c?api-version=2022-04-01 response: body: - string: '{"error":{"code":"PrincipalNotFound","message":"Principal 97ad08438d684f6d8352673c3a3a8a3a + string: '{"error":{"code":"PrincipalNotFound","message":"Principal 5e472147b35a4defad4ffcbd06580906 does not exist in the directory 72f988bf-86f1-41af-91ab-2d7cd011db47. Check that you have the correct principal ID. If you are creating this principal and then immediately assigning a role, this error might be related to a replication @@ -3087,7 +3115,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 04 Jan 2023 07:31:03 GMT + - Fri, 17 Feb 2023 07:32:35 GMT expires: - '-1' pragma: @@ -3116,14 +3144,14 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/64459fb2-dcf9-4519-a55c-5cfb434ed031?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/f2556b67-0f87-4b0a-b8c9-8120f32d04b7?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"b29f4564-f9dc-1945-a55c-5cfb434ed031\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-01-04T07:30:38.4197054Z\"\n }" + string: "{\n \"name\": \"676b55f2-870f-0a4b-b8c9-8120f32d04b7\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-17T07:32:11.7364316Z\"\n }" headers: cache-control: - no-cache @@ -3132,7 +3160,7 @@ interactions: content-type: - application/json date: - - Wed, 04 Jan 2023 07:31:08 GMT + - Fri, 17 Feb 2023 07:32:41 GMT expires: - '-1' pragma: @@ -3165,12 +3193,10 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) msrest/0.7.1 - msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.43.0 - accept-language: - - en-US + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-authorization/3.0.0 Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Network%20Contributor%27&api-version=2018-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Network%20Contributor%27&api-version=2022-04-01 response: body: string: '{"value":[{"properties":{"roleName":"Network Contributor","type":"BuiltInRole","description":"Lets @@ -3183,7 +3209,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 04 Jan 2023 07:31:14 GMT + - Fri, 17 Feb 2023 07:32:46 GMT expires: - '-1' pragma: @@ -3216,22 +3242,20 @@ interactions: Content-Length: - '232' Content-Type: - - application/json; charset=utf-8 + - application/json Cookie: - x-ms-gateway-slice=Production ParameterSetName: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) msrest/0.7.1 - msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.43.0 - accept-language: - - en-US + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-authorization/3.0.0 Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleAssignments/063d8c8a-320c-4be6-a9d7-e4257a9c008a?api-version=2020-04-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleAssignments/c86ce9b8-b664-4873-a810-edeb2182bbbe?api-version=2022-04-01 response: body: - string: '{"error":{"code":"PrincipalNotFound","message":"Principal 97ad08438d684f6d8352673c3a3a8a3a + string: '{"error":{"code":"PrincipalNotFound","message":"Principal 5e472147b35a4defad4ffcbd06580906 does not exist in the directory 72f988bf-86f1-41af-91ab-2d7cd011db47. Check that you have the correct principal ID. If you are creating this principal and then immediately assigning a role, this error might be related to a replication @@ -3245,7 +3269,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 04 Jan 2023 07:31:14 GMT + - Fri, 17 Feb 2023 07:32:46 GMT expires: - '-1' pragma: @@ -3274,12 +3298,10 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) msrest/0.7.1 - msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.43.0 - accept-language: - - en-US + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-authorization/3.0.0 Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Network%20Contributor%27&api-version=2018-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Network%20Contributor%27&api-version=2022-04-01 response: body: string: '{"value":[{"properties":{"roleName":"Network Contributor","type":"BuiltInRole","description":"Lets @@ -3292,7 +3314,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 04 Jan 2023 07:31:26 GMT + - Fri, 17 Feb 2023 07:32:58 GMT expires: - '-1' pragma: @@ -3325,22 +3347,20 @@ interactions: Content-Length: - '232' Content-Type: - - application/json; charset=utf-8 + - application/json Cookie: - x-ms-gateway-slice=Production ParameterSetName: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) msrest/0.7.1 - msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.43.0 - accept-language: - - en-US + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-authorization/3.0.0 Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleAssignments/95a205e7-2602-4969-a3c0-ed7c0d2afa32?api-version=2020-04-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleAssignments/564287de-c753-4f6a-a43d-23c38d759127?api-version=2022-04-01 response: body: - string: '{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet","condition":null,"conditionVersion":null,"createdOn":"2023-01-04T07:31:27.8227985Z","updatedOn":"2023-01-04T07:31:28.2038006Z","createdBy":null,"updatedBy":"119e1aeb-4592-42d6-9507-c66df857924f","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleAssignments/95a205e7-2602-4969-a3c0-ed7c0d2afa32","type":"Microsoft.Authorization/roleAssignments","name":"95a205e7-2602-4969-a3c0-ed7c0d2afa32"}' + string: '{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet","condition":null,"conditionVersion":null,"createdOn":"2023-02-17T07:32:59.2223734Z","updatedOn":"2023-02-17T07:32:59.6598620Z","createdBy":null,"updatedBy":"119e1aeb-4592-42d6-9507-c66df857924f","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleAssignments/564287de-c753-4f6a-a43d-23c38d759127","type":"Microsoft.Authorization/roleAssignments","name":"564287de-c753-4f6a-a43d-23c38d759127"}' headers: cache-control: - no-cache @@ -3349,7 +3369,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 04 Jan 2023 07:31:28 GMT + - Fri, 17 Feb 2023 07:32:59 GMT expires: - '-1' pragma: @@ -3378,14 +3398,14 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/64459fb2-dcf9-4519-a55c-5cfb434ed031?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/f2556b67-0f87-4b0a-b8c9-8120f32d04b7?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"b29f4564-f9dc-1945-a55c-5cfb434ed031\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-01-04T07:30:38.4197054Z\"\n }" + string: "{\n \"name\": \"676b55f2-870f-0a4b-b8c9-8120f32d04b7\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-17T07:32:11.7364316Z\"\n }" headers: cache-control: - no-cache @@ -3394,7 +3414,7 @@ interactions: content-type: - application/json date: - - Wed, 04 Jan 2023 07:31:38 GMT + - Fri, 17 Feb 2023 07:33:11 GMT expires: - '-1' pragma: @@ -3427,14 +3447,14 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/64459fb2-dcf9-4519-a55c-5cfb434ed031?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/f2556b67-0f87-4b0a-b8c9-8120f32d04b7?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"b29f4564-f9dc-1945-a55c-5cfb434ed031\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-01-04T07:30:38.4197054Z\"\n }" + string: "{\n \"name\": \"676b55f2-870f-0a4b-b8c9-8120f32d04b7\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-17T07:32:11.7364316Z\"\n }" headers: cache-control: - no-cache @@ -3443,7 +3463,7 @@ interactions: content-type: - application/json date: - - Wed, 04 Jan 2023 07:32:08 GMT + - Fri, 17 Feb 2023 07:33:42 GMT expires: - '-1' pragma: @@ -3476,14 +3496,14 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/64459fb2-dcf9-4519-a55c-5cfb434ed031?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/f2556b67-0f87-4b0a-b8c9-8120f32d04b7?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"b29f4564-f9dc-1945-a55c-5cfb434ed031\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-01-04T07:30:38.4197054Z\"\n }" + string: "{\n \"name\": \"676b55f2-870f-0a4b-b8c9-8120f32d04b7\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-17T07:32:11.7364316Z\"\n }" headers: cache-control: - no-cache @@ -3492,7 +3512,7 @@ interactions: content-type: - application/json date: - - Wed, 04 Jan 2023 07:32:38 GMT + - Fri, 17 Feb 2023 07:34:11 GMT expires: - '-1' pragma: @@ -3525,14 +3545,14 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/64459fb2-dcf9-4519-a55c-5cfb434ed031?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/f2556b67-0f87-4b0a-b8c9-8120f32d04b7?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"b29f4564-f9dc-1945-a55c-5cfb434ed031\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-01-04T07:30:38.4197054Z\"\n }" + string: "{\n \"name\": \"676b55f2-870f-0a4b-b8c9-8120f32d04b7\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-17T07:32:11.7364316Z\"\n }" headers: cache-control: - no-cache @@ -3541,7 +3561,7 @@ interactions: content-type: - application/json date: - - Wed, 04 Jan 2023 07:33:08 GMT + - Fri, 17 Feb 2023 07:34:42 GMT expires: - '-1' pragma: @@ -3574,14 +3594,14 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/64459fb2-dcf9-4519-a55c-5cfb434ed031?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/f2556b67-0f87-4b0a-b8c9-8120f32d04b7?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"b29f4564-f9dc-1945-a55c-5cfb434ed031\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-01-04T07:30:38.4197054Z\"\n }" + string: "{\n \"name\": \"676b55f2-870f-0a4b-b8c9-8120f32d04b7\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-17T07:32:11.7364316Z\"\n }" headers: cache-control: - no-cache @@ -3590,7 +3610,7 @@ interactions: content-type: - application/json date: - - Wed, 04 Jan 2023 07:33:39 GMT + - Fri, 17 Feb 2023 07:35:11 GMT expires: - '-1' pragma: @@ -3623,14 +3643,14 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/64459fb2-dcf9-4519-a55c-5cfb434ed031?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/f2556b67-0f87-4b0a-b8c9-8120f32d04b7?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"b29f4564-f9dc-1945-a55c-5cfb434ed031\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-01-04T07:30:38.4197054Z\"\n }" + string: "{\n \"name\": \"676b55f2-870f-0a4b-b8c9-8120f32d04b7\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-17T07:32:11.7364316Z\"\n }" headers: cache-control: - no-cache @@ -3639,7 +3659,7 @@ interactions: content-type: - application/json date: - - Wed, 04 Jan 2023 07:34:09 GMT + - Fri, 17 Feb 2023 07:35:42 GMT expires: - '-1' pragma: @@ -3672,14 +3692,14 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/64459fb2-dcf9-4519-a55c-5cfb434ed031?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/f2556b67-0f87-4b0a-b8c9-8120f32d04b7?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"b29f4564-f9dc-1945-a55c-5cfb434ed031\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-01-04T07:30:38.4197054Z\"\n }" + string: "{\n \"name\": \"676b55f2-870f-0a4b-b8c9-8120f32d04b7\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-17T07:32:11.7364316Z\"\n }" headers: cache-control: - no-cache @@ -3688,7 +3708,7 @@ interactions: content-type: - application/json date: - - Wed, 04 Jan 2023 07:34:38 GMT + - Fri, 17 Feb 2023 07:36:11 GMT expires: - '-1' pragma: @@ -3721,14 +3741,14 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/64459fb2-dcf9-4519-a55c-5cfb434ed031?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/f2556b67-0f87-4b0a-b8c9-8120f32d04b7?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"b29f4564-f9dc-1945-a55c-5cfb434ed031\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-01-04T07:30:38.4197054Z\"\n }" + string: "{\n \"name\": \"676b55f2-870f-0a4b-b8c9-8120f32d04b7\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-17T07:32:11.7364316Z\"\n }" headers: cache-control: - no-cache @@ -3737,7 +3757,7 @@ interactions: content-type: - application/json date: - - Wed, 04 Jan 2023 07:35:08 GMT + - Fri, 17 Feb 2023 07:36:42 GMT expires: - '-1' pragma: @@ -3770,14 +3790,14 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/64459fb2-dcf9-4519-a55c-5cfb434ed031?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/f2556b67-0f87-4b0a-b8c9-8120f32d04b7?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"b29f4564-f9dc-1945-a55c-5cfb434ed031\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-01-04T07:30:38.4197054Z\"\n }" + string: "{\n \"name\": \"676b55f2-870f-0a4b-b8c9-8120f32d04b7\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-17T07:32:11.7364316Z\"\n }" headers: cache-control: - no-cache @@ -3786,7 +3806,7 @@ interactions: content-type: - application/json date: - - Wed, 04 Jan 2023 07:35:38 GMT + - Fri, 17 Feb 2023 07:37:12 GMT expires: - '-1' pragma: @@ -3819,14 +3839,14 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/64459fb2-dcf9-4519-a55c-5cfb434ed031?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/f2556b67-0f87-4b0a-b8c9-8120f32d04b7?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"b29f4564-f9dc-1945-a55c-5cfb434ed031\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-01-04T07:30:38.4197054Z\"\n }" + string: "{\n \"name\": \"676b55f2-870f-0a4b-b8c9-8120f32d04b7\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-17T07:32:11.7364316Z\"\n }" headers: cache-control: - no-cache @@ -3835,7 +3855,7 @@ interactions: content-type: - application/json date: - - Wed, 04 Jan 2023 07:36:08 GMT + - Fri, 17 Feb 2023 07:37:42 GMT expires: - '-1' pragma: @@ -3868,14 +3888,14 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/64459fb2-dcf9-4519-a55c-5cfb434ed031?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/f2556b67-0f87-4b0a-b8c9-8120f32d04b7?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"b29f4564-f9dc-1945-a55c-5cfb434ed031\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-01-04T07:30:38.4197054Z\"\n }" + string: "{\n \"name\": \"676b55f2-870f-0a4b-b8c9-8120f32d04b7\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-17T07:32:11.7364316Z\"\n }" headers: cache-control: - no-cache @@ -3884,7 +3904,7 @@ interactions: content-type: - application/json date: - - Wed, 04 Jan 2023 07:36:39 GMT + - Fri, 17 Feb 2023 07:38:12 GMT expires: - '-1' pragma: @@ -3917,14 +3937,14 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/64459fb2-dcf9-4519-a55c-5cfb434ed031?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/f2556b67-0f87-4b0a-b8c9-8120f32d04b7?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"b29f4564-f9dc-1945-a55c-5cfb434ed031\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-01-04T07:30:38.4197054Z\"\n }" + string: "{\n \"name\": \"676b55f2-870f-0a4b-b8c9-8120f32d04b7\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-17T07:32:11.7364316Z\"\n }" headers: cache-control: - no-cache @@ -3933,7 +3953,7 @@ interactions: content-type: - application/json date: - - Wed, 04 Jan 2023 07:37:09 GMT + - Fri, 17 Feb 2023 07:38:43 GMT expires: - '-1' pragma: @@ -3966,15 +3986,113 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/64459fb2-dcf9-4519-a55c-5cfb434ed031?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/f2556b67-0f87-4b0a-b8c9-8120f32d04b7?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"b29f4564-f9dc-1945-a55c-5cfb434ed031\",\n \"status\": - \"Succeeded\",\n \"startTime\": \"2023-01-04T07:30:38.4197054Z\",\n \"endTime\": - \"2023-01-04T07:37:21.5233406Z\"\n }" + string: "{\n \"name\": \"676b55f2-870f-0a4b-b8c9-8120f32d04b7\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-17T07:32:11.7364316Z\"\n }" + headers: + cache-control: + - no-cache + content-length: + - '126' + content-type: + - application/json + date: + - Fri, 17 Feb 2023 07:39:12 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - aks create + Connection: + - keep-alive + ParameterSetName: + - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity + --yes --vnet-subnet-id -o + User-Agent: + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/f2556b67-0f87-4b0a-b8c9-8120f32d04b7?api-version=2016-03-30 + response: + body: + string: "{\n \"name\": \"676b55f2-870f-0a4b-b8c9-8120f32d04b7\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-17T07:32:11.7364316Z\"\n }" + headers: + cache-control: + - no-cache + content-length: + - '126' + content-type: + - application/json + date: + - Fri, 17 Feb 2023 07:39:42 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - aks create + Connection: + - keep-alive + ParameterSetName: + - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity + --yes --vnet-subnet-id -o + User-Agent: + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/f2556b67-0f87-4b0a-b8c9-8120f32d04b7?api-version=2016-03-30 + response: + body: + string: "{\n \"name\": \"676b55f2-870f-0a4b-b8c9-8120f32d04b7\",\n \"status\": + \"Succeeded\",\n \"startTime\": \"2023-02-17T07:32:11.7364316Z\",\n \"endTime\": + \"2023-02-17T07:40:07.5016607Z\"\n }" headers: cache-control: - no-cache @@ -3983,7 +4101,7 @@ interactions: content-type: - application/json date: - - Wed, 04 Jan 2023 07:37:39 GMT + - Fri, 17 Feb 2023 07:40:13 GMT expires: - '-1' pragma: @@ -4016,41 +4134,41 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n \ \"location\": \"westus2\",\n \"name\": \"cliakstest000002\",\n \"type\": \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": \"Succeeded\",\n \"powerState\": {\n \"code\": \"Running\"\n },\n \"kubernetesVersion\": - \"1.23.12\",\n \"currentKubernetesVersion\": \"1.23.12\",\n \"dnsPrefix\": - \"cliakstest-clitest2z56vpzw3-79a739\",\n \"fqdn\": \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.hcp.westus2.azmk8s.io\",\n - \ \"azurePortalFQDN\": \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.portal.hcp.westus2.azmk8s.io\",\n + \"1.24.9\",\n \"currentKubernetesVersion\": \"1.24.9\",\n \"dnsPrefix\": + \"cliakstest-clitestvlhqopzm6-79a739\",\n \"fqdn\": \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.hcp.westus2.azmk8s.io\",\n + \ \"azurePortalFQDN\": \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.portal.hcp.westus2.azmk8s.io\",\n \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \"count\": 3,\n \"vmSize\": \"Standard_DS2_v2\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": \"Managed\",\n \"kubeletDiskType\": \"OS\",\n \"workloadRuntime\": \"OCIContainer\",\n \"vnetSubnetID\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet\",\n \ \"maxPods\": 110,\n \"type\": \"VirtualMachineScaleSets\",\n \"enableAutoScaling\": false,\n \"provisioningState\": \"Succeeded\",\n \"powerState\": {\n - \ \"code\": \"Running\"\n },\n \"orchestratorVersion\": \"1.23.12\",\n - \ \"currentOrchestratorVersion\": \"1.23.12\",\n \"enableNodePublicIP\": + \ \"code\": \"Running\"\n },\n \"orchestratorVersion\": \"1.24.9\",\n + \ \"currentOrchestratorVersion\": \"1.24.9\",\n \"enableNodePublicIP\": false,\n \"enableCustomCATrust\": false,\n \"mode\": \"System\",\n \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": - \"AKSUbuntu-1804gen2containerd-2022.12.13\",\n \"upgradeSettings\": {},\n + \"AKSUbuntu-1804gen2containerd-2023.01.26\",\n \"upgradeSettings\": {},\n \ \"enableFIPS\": false,\n \"networkProfile\": {}\n }\n ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n \"ssh\": {\n \"publicKeys\": - [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCxQVzaezimLDDL1HAh61in6hRl3lBzeIJJthCdCHnOnzWDKRRgxxIvRBbB0XuqLoqTrH/rJ6RD4OYRmq7vP+EZZUHbI956qLpaLG7rf0g6dceLDaTneS56ORuV8DsTNum4QT56p4St++bzF9vpWW9FRJxpTegF4DaMNXfS/skajfKKJqx55X1xGbDBpMcrcF25Y+Xx0/1URby5Z7v1YduPLNOuV/mlnTd+wTRnkJSYzEiTJA3X2x1p2/AwWTbrErwmLoIWfIFsIEnySHFb87tIdORwbugyJ66+mzvDhigVb7PIx/5NHJE+bF9H1l+oTUKy9jHrTEQUrsG8q2KfRlIr + [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQC/KLMSacECP+4As5hwhdezAkaNf0QX3DpNLtOiVALJnLD+/I6p9tD5OD5m1s93X2EYrlV8GZHgnwH3hwd+8878X9HnNRcQ6aXCf0k6wgHK/+cZdYM13GDhtDeEVd0Pd/PZDPYEKT8uHR4+Dmp8DhykUazpcM4RR0d6QeZBvbQrL5QBtSGZ9XHAFiNtjl+Vm54X6pZmTrb0KSS1opXX2qaeVmWxjufzVs/wx5mNjVm43PKWFOurnJattn3kUrQzhOdNVMuzgFXe+6nB59KbvoyY7qzsh1MWLKAGq9fYNIGCRDS82YNCqdo6ZSjRcMElhAZ/36NIiTYXxamsp4Hlao7L azcli_aks_live_test@example.com\\n\"\n }\n ]\n }\n },\n \"servicePrincipalProfile\": {\n \"clientId\":\"00000000-0000-0000-0000-000000000001\"\n },\n \"nodeResourceGroup\": \"MC_clitest000001_cliakstest000002_westus2\",\n \"enableRBAC\": true,\n \ \"enablePodSecurityPolicy\": false,\n \"networkProfile\": {\n \"networkPlugin\": \"kubenet\",\n \"loadBalancerSku\": \"Standard\",\n \"loadBalancerProfile\": {\n \"managedOutboundIPs\": {\n \"count\": 1\n },\n \"effectiveOutboundIPs\": - [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/c0c7b874-e509-4ed0-8d7a-92b67363723a\"\n + [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/fbb61ca4-0e2d-4689-91e3-08bca176f8fb\"\n \ }\n ],\n \"backendPoolType\": \"nodeIPConfiguration\"\n },\n \ \"podCidr\": \"10.244.0.0/16\",\n \"serviceCidr\": \"10.0.0.0/16\",\n \ \"dnsServiceIP\": \"10.0.0.10\",\n \"dockerBridgeCidr\": \"172.17.0.1/16\",\n @@ -4061,13 +4179,14 @@ interactions: \ \"clientId\":\"00000000-0000-0000-0000-000000000001\",\n \"objectId\":\"00000000-0000-0000-0000-000000000001\"\n \ }\n },\n \"disableLocalAccounts\": false,\n \"httpProxyConfig\": {\n \"httpProxy\": \"http://cli-proxy-vm:3128/\",\n \"httpsProxy\": - \"https://cli-proxy-vm:3129/\",\n \"noProxy\": [\n \"localhost\",\n - \ \"169.254.169.254\",\n \"10.244.0.0/16\",\n \"168.63.129.16\",\n - \ \"konnectivity\",\n \"127.0.0.1\",\n \"10.42.0.0/16\",\n \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.hcp.westus2.azmk8s.io\",\n - \ \"10.0.0.0/16\"\n ],\n \"effectiveNoProxy\": [\n \"localhost\",\n - \ \"169.254.169.254\",\n \"10.244.0.0/16\",\n \"168.63.129.16\",\n - \ \"konnectivity\",\n \"127.0.0.1\",\n \"10.42.0.0/16\",\n \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.hcp.westus2.azmk8s.io\",\n - \ \"10.0.0.0/16\"\n ],\n \"trustedCa\": \"LS0tLS1CRUdJTiBDRVJUSUZJQ0FURS0tLS0tCk1JSUZHekNDQXdPZ0F3SUJBZ0lVT1FvajhDTFpkc2Vscjk3cnZJd3g1T0xEc3V3d0RRWUpLb1pJaHZjTkFRRUwKQlFBd0Z6RVZNQk1HQTFVRUF3d01ZMnhwTFhCeWIzaDVMWFp0TUI0WERUSXlNRE13T0RFMk5EUTBOMW9YRFRNeQpNRE13TlRFMk5EUTBOMW93RnpFVk1CTUdBMVVFQXd3TVkyeHBMWEJ5YjNoNUxYWnRNSUlDSWpBTkJna3Foa2lHCjl3MEJBUUVGQUFPQ0FnOEFNSUlDQ2dLQ0FnRUEvTVB0VjVCVFB0NmNxaTRSZE1sbXIzeUlzYTJ1anpjaHh2NGgKanNDMUR0blJnb3M1UzQxUEgwcmkrM3RUU1ZYMzJ5cndzWStyRDFZUnVwbTZsbUU3R2hVNUkwR2k5b3prU0YwWgpLS2FKaTJveXBVL0ZCK1FQcXpvQ1JzTUV3R0NibUtGVmw4VnVoeW5kWEs0YjRrYmxyOWJsL2V1d2Q3TThTYnZ6CldVam5lRHJRc2lJc3J6UFQ0S0FaTHFjdHpEZTRsbFBUN1lLYTMzaGlFUE9mdldpWitkcWthUUE5UDY0eFhTeW4KZkhYOHVWQUozdUJWSmVHeEQwcGtOSjdqT3J5YVV1SEh1Y1U4UzltSWpuS2pBQjVhUGpMSDV4QXM2bG1iMzEyMgp5KzF0bkVBbVhNNTBEK1VvRWpmUzZIT2I1cmRpcVhHdmMxS2JvS2p6a1BDUnh4MmE3MmN2ZWdVajZtZ0FKTHpnClRoRTFsbGNtVTRpemd4b0lNa1ZwR1RWT0xMbjFWRkt1TmhNWkN2RnZLZ25Lb0F2M0cwRlVuZldFYVJSalNObUQKTFlhTURUNUg5WnQycERJVWpVR1N0Q2w3Z1J6TUVuWXdKTzN5aURwZzQzbzVkUnlzVXlMOUpmRS9OaDdUZzYxOApuOGNKL1c3K1FZYllsanVyYXA4cjdRRlNyb2wzVkNoRkIrT29yNW5pK3ZvaFNBd0pmMFVsTXBHM3hXbXkxVUk0ClRGS2ZGR1JSVHpyUCs3Yk53WDVoSXZJeTVWdGd5YU9xSndUeGhpL0pkeHRPcjJ0QTVyQ1c3K0N0Z1N2emtxTkUKWHlyN3ZrWWdwNlk1TFpneTR0VWpLMEswT1VnVmRqQk9oRHBFenkvRkY4dzFGRVZnSjBxWS9yV2NMa0JIRFQ4Ugp2SmtoaW84Q0F3RUFBYU5mTUYwd0Z3WURWUjBSQkJBd0RvSU1ZMnhwTFhCeWIzaDVMWFp0TUJJR0ExVWRFd0VCCi93UUlNQVlCQWY4Q0FRQXdEd1lEVlIwUEFRSC9CQVVEQXdmbmdEQWRCZ05WSFNVRUZqQVVCZ2dyQmdFRkJRY0QKQWdZSUt3WUJCUVVIQXdFd0RRWUpLb1pJaHZjTkFRRUxCUUFEZ2dJQkFBb21qQ3lYdmFRT3hnWUs1MHNYTEIyKwp3QWZkc3g1bm5HZGd5Zmc0dXJXMlZtMTVEaEd2STdDL250cTBkWXkyNE4vVWJHN1VEWHZseUxJSkZxMVhQN25mCnBaRzBWQ2paNjlibXhLbTNaOG0wL0F3TXZpOGU5ZWR5OHY5a05CQ3dMR2tIYkE4WW85Q0lpUWdlbGZwcDF2VWgKYm5OQmhhRCtpdTZDZmlDTHdnSmIvaXc3ZW8vQ3lvWnF4K3RqWGFPMnpYdm00cC8rUUlmQU9ndEdRTEZVOGNmWgovZ1VyVHE1Z0ZxMCtQOUd5V3NBVEpGNnE3TDZXWlpqME91VHNlN2Y0Q1NpajZNbk9NTXhBK0pvYWhKejdsc1NpClRKSEl3RXA1ci9SeWhweWVwUXhGWWNVSDVKSmY5cmFoWExXWmkrOVRqeFNNMll5aHhmUlBzaVVFdUdEb2s3OFEKbS9RUGlDaTlKSmIxb2NtVGpBVjh4RFNob2NpdlhPRnlobjZMbjc3dkxqWStBYXZ0V0RoUXRocHVQeHNMdFZ6bQplMFNIMTFkRUxSdGI3NG1xWE9yTzdmdS8rSUJzM0pxTEUvVSt4dXhRdHZHOHZHMXlES0hIU1pxUzJoL1dzNGw0Ck5pQXNoSGdlaFFEUEJjWTl3WVl6ZkJnWnBPVU16ZERmNTB4K0ZTbFk0M1dPSkp6U3VRaDR5WjArM2t5Z3VDRjgKcm5NTFNjZXlTNGNpNExtSi9LQ1N1R2RmNlhWWXo4QkU5Z2pqanBDUDZxeTBVbFJlZldzL2lnL3djSysyYkYxVApuL1l2KzZnWGVDVEhKNzVxRElQbHA3RFJVVWswZmJNajRiSWthb2dXV2s0emYydThteFpMYTBsZVBLTktaTi9tCkdDdkZ3cjNlaSt1LzhjenA1RjdUCi0tLS0tRU5EIENFUlRJRklDQVRFLS0tLS0K\"\n + \"https://cli-proxy-vm:3129/\",\n \"noProxy\": [\n \"127.0.0.1\",\n + \ \"konnectivity\",\n \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.hcp.westus2.azmk8s.io\",\n + \ \"10.42.0.0/16\",\n \"localhost\",\n \"168.63.129.16\",\n \"169.254.169.254\",\n + \ \"10.244.0.0/16\",\n \"10.0.0.0/16\"\n ],\n \"effectiveNoProxy\": + [\n \"127.0.0.1\",\n \"konnectivity\",\n \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.hcp.westus2.azmk8s.io\",\n + \ \"10.42.0.0/16\",\n \"localhost\",\n \"168.63.129.16\",\n \"169.254.169.254\",\n + \ \"10.244.0.0/16\",\n \"10.0.0.0/16\"\n ],\n \"trustedCa\": + \"LS0tLS1CRUdJTiBDRVJUSUZJQ0FURS0tLS0tCk1JSUZHekNDQXdPZ0F3SUJBZ0lVT1FvajhDTFpkc2Vscjk3cnZJd3g1T0xEc3V3d0RRWUpLb1pJaHZjTkFRRUwKQlFBd0Z6RVZNQk1HQTFVRUF3d01ZMnhwTFhCeWIzaDVMWFp0TUI0WERUSXlNRE13T0RFMk5EUTBOMW9YRFRNeQpNRE13TlRFMk5EUTBOMW93RnpFVk1CTUdBMVVFQXd3TVkyeHBMWEJ5YjNoNUxYWnRNSUlDSWpBTkJna3Foa2lHCjl3MEJBUUVGQUFPQ0FnOEFNSUlDQ2dLQ0FnRUEvTVB0VjVCVFB0NmNxaTRSZE1sbXIzeUlzYTJ1anpjaHh2NGgKanNDMUR0blJnb3M1UzQxUEgwcmkrM3RUU1ZYMzJ5cndzWStyRDFZUnVwbTZsbUU3R2hVNUkwR2k5b3prU0YwWgpLS2FKaTJveXBVL0ZCK1FQcXpvQ1JzTUV3R0NibUtGVmw4VnVoeW5kWEs0YjRrYmxyOWJsL2V1d2Q3TThTYnZ6CldVam5lRHJRc2lJc3J6UFQ0S0FaTHFjdHpEZTRsbFBUN1lLYTMzaGlFUE9mdldpWitkcWthUUE5UDY0eFhTeW4KZkhYOHVWQUozdUJWSmVHeEQwcGtOSjdqT3J5YVV1SEh1Y1U4UzltSWpuS2pBQjVhUGpMSDV4QXM2bG1iMzEyMgp5KzF0bkVBbVhNNTBEK1VvRWpmUzZIT2I1cmRpcVhHdmMxS2JvS2p6a1BDUnh4MmE3MmN2ZWdVajZtZ0FKTHpnClRoRTFsbGNtVTRpemd4b0lNa1ZwR1RWT0xMbjFWRkt1TmhNWkN2RnZLZ25Lb0F2M0cwRlVuZldFYVJSalNObUQKTFlhTURUNUg5WnQycERJVWpVR1N0Q2w3Z1J6TUVuWXdKTzN5aURwZzQzbzVkUnlzVXlMOUpmRS9OaDdUZzYxOApuOGNKL1c3K1FZYllsanVyYXA4cjdRRlNyb2wzVkNoRkIrT29yNW5pK3ZvaFNBd0pmMFVsTXBHM3hXbXkxVUk0ClRGS2ZGR1JSVHpyUCs3Yk53WDVoSXZJeTVWdGd5YU9xSndUeGhpL0pkeHRPcjJ0QTVyQ1c3K0N0Z1N2emtxTkUKWHlyN3ZrWWdwNlk1TFpneTR0VWpLMEswT1VnVmRqQk9oRHBFenkvRkY4dzFGRVZnSjBxWS9yV2NMa0JIRFQ4Ugp2SmtoaW84Q0F3RUFBYU5mTUYwd0Z3WURWUjBSQkJBd0RvSU1ZMnhwTFhCeWIzaDVMWFp0TUJJR0ExVWRFd0VCCi93UUlNQVlCQWY4Q0FRQXdEd1lEVlIwUEFRSC9CQVVEQXdmbmdEQWRCZ05WSFNVRUZqQVVCZ2dyQmdFRkJRY0QKQWdZSUt3WUJCUVVIQXdFd0RRWUpLb1pJaHZjTkFRRUxCUUFEZ2dJQkFBb21qQ3lYdmFRT3hnWUs1MHNYTEIyKwp3QWZkc3g1bm5HZGd5Zmc0dXJXMlZtMTVEaEd2STdDL250cTBkWXkyNE4vVWJHN1VEWHZseUxJSkZxMVhQN25mCnBaRzBWQ2paNjlibXhLbTNaOG0wL0F3TXZpOGU5ZWR5OHY5a05CQ3dMR2tIYkE4WW85Q0lpUWdlbGZwcDF2VWgKYm5OQmhhRCtpdTZDZmlDTHdnSmIvaXc3ZW8vQ3lvWnF4K3RqWGFPMnpYdm00cC8rUUlmQU9ndEdRTEZVOGNmWgovZ1VyVHE1Z0ZxMCtQOUd5V3NBVEpGNnE3TDZXWlpqME91VHNlN2Y0Q1NpajZNbk9NTXhBK0pvYWhKejdsc1NpClRKSEl3RXA1ci9SeWhweWVwUXhGWWNVSDVKSmY5cmFoWExXWmkrOVRqeFNNMll5aHhmUlBzaVVFdUdEb2s3OFEKbS9RUGlDaTlKSmIxb2NtVGpBVjh4RFNob2NpdlhPRnlobjZMbjc3dkxqWStBYXZ0V0RoUXRocHVQeHNMdFZ6bQplMFNIMTFkRUxSdGI3NG1xWE9yTzdmdS8rSUJzM0pxTEUvVSt4dXhRdHZHOHZHMXlES0hIU1pxUzJoL1dzNGw0Ck5pQXNoSGdlaFFEUEJjWTl3WVl6ZkJnWnBPVU16ZERmNTB4K0ZTbFk0M1dPSkp6U3VRaDR5WjArM2t5Z3VDRjgKcm5NTFNjZXlTNGNpNExtSi9LQ1N1R2RmNlhWWXo4QkU5Z2pqanBDUDZxeTBVbFJlZldzL2lnL3djSysyYkYxVApuL1l2KzZnWGVDVEhKNzVxRElQbHA3RFJVVWswZmJNajRiSWthb2dXV2s0emYydThteFpMYTBsZVBLTktaTi9tCkdDdkZ3cjNlaSt1LzhjenA1RjdUCi0tLS0tRU5EIENFUlRJRklDQVRFLS0tLS0K\"\n \ },\n \"securityProfile\": {},\n \"storageProfile\": {\n \"diskCSIDriver\": {\n \"enabled\": true,\n \"version\": \"v1\"\n },\n \"fileCSIDriver\": {\n \"enabled\": true\n },\n \"snapshotController\": {\n \"enabled\": @@ -4075,16 +4194,16 @@ interactions: \ },\n \"workloadAutoScalerProfile\": {}\n },\n \"identity\": {\n \"type\": \"SystemAssigned\",\n \"principalId\":\"00000000-0000-0000-0000-000000000001\",\n \ \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\"\n },\n \"sku\": - {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n }" + {\n \"name\": \"Base\",\n \"tier\": \"Free\"\n }\n }" headers: cache-control: - no-cache content-length: - - '7437' + - '7432' content-type: - application/json date: - - Wed, 04 Jan 2023 07:37:39 GMT + - Fri, 17 Feb 2023 07:40:13 GMT expires: - '-1' pragma: @@ -4116,41 +4235,41 @@ interactions: ParameterSetName: - --resource-group --name --http-proxy-config User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n \ \"location\": \"westus2\",\n \"name\": \"cliakstest000002\",\n \"type\": \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": \"Succeeded\",\n \"powerState\": {\n \"code\": \"Running\"\n },\n \"kubernetesVersion\": - \"1.23.12\",\n \"currentKubernetesVersion\": \"1.23.12\",\n \"dnsPrefix\": - \"cliakstest-clitest2z56vpzw3-79a739\",\n \"fqdn\": \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.hcp.westus2.azmk8s.io\",\n - \ \"azurePortalFQDN\": \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.portal.hcp.westus2.azmk8s.io\",\n + \"1.24.9\",\n \"currentKubernetesVersion\": \"1.24.9\",\n \"dnsPrefix\": + \"cliakstest-clitestvlhqopzm6-79a739\",\n \"fqdn\": \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.hcp.westus2.azmk8s.io\",\n + \ \"azurePortalFQDN\": \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.portal.hcp.westus2.azmk8s.io\",\n \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \"count\": 3,\n \"vmSize\": \"Standard_DS2_v2\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": \"Managed\",\n \"kubeletDiskType\": \"OS\",\n \"workloadRuntime\": \"OCIContainer\",\n \"vnetSubnetID\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet\",\n \ \"maxPods\": 110,\n \"type\": \"VirtualMachineScaleSets\",\n \"enableAutoScaling\": false,\n \"provisioningState\": \"Succeeded\",\n \"powerState\": {\n - \ \"code\": \"Running\"\n },\n \"orchestratorVersion\": \"1.23.12\",\n - \ \"currentOrchestratorVersion\": \"1.23.12\",\n \"enableNodePublicIP\": + \ \"code\": \"Running\"\n },\n \"orchestratorVersion\": \"1.24.9\",\n + \ \"currentOrchestratorVersion\": \"1.24.9\",\n \"enableNodePublicIP\": false,\n \"enableCustomCATrust\": false,\n \"mode\": \"System\",\n \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": - \"AKSUbuntu-1804gen2containerd-2022.12.13\",\n \"upgradeSettings\": {},\n + \"AKSUbuntu-1804gen2containerd-2023.01.26\",\n \"upgradeSettings\": {},\n \ \"enableFIPS\": false,\n \"networkProfile\": {}\n }\n ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n \"ssh\": {\n \"publicKeys\": - [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCxQVzaezimLDDL1HAh61in6hRl3lBzeIJJthCdCHnOnzWDKRRgxxIvRBbB0XuqLoqTrH/rJ6RD4OYRmq7vP+EZZUHbI956qLpaLG7rf0g6dceLDaTneS56ORuV8DsTNum4QT56p4St++bzF9vpWW9FRJxpTegF4DaMNXfS/skajfKKJqx55X1xGbDBpMcrcF25Y+Xx0/1URby5Z7v1YduPLNOuV/mlnTd+wTRnkJSYzEiTJA3X2x1p2/AwWTbrErwmLoIWfIFsIEnySHFb87tIdORwbugyJ66+mzvDhigVb7PIx/5NHJE+bF9H1l+oTUKy9jHrTEQUrsG8q2KfRlIr + [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQC/KLMSacECP+4As5hwhdezAkaNf0QX3DpNLtOiVALJnLD+/I6p9tD5OD5m1s93X2EYrlV8GZHgnwH3hwd+8878X9HnNRcQ6aXCf0k6wgHK/+cZdYM13GDhtDeEVd0Pd/PZDPYEKT8uHR4+Dmp8DhykUazpcM4RR0d6QeZBvbQrL5QBtSGZ9XHAFiNtjl+Vm54X6pZmTrb0KSS1opXX2qaeVmWxjufzVs/wx5mNjVm43PKWFOurnJattn3kUrQzhOdNVMuzgFXe+6nB59KbvoyY7qzsh1MWLKAGq9fYNIGCRDS82YNCqdo6ZSjRcMElhAZ/36NIiTYXxamsp4Hlao7L azcli_aks_live_test@example.com\\n\"\n }\n ]\n }\n },\n \"servicePrincipalProfile\": {\n \"clientId\":\"00000000-0000-0000-0000-000000000001\"\n },\n \"nodeResourceGroup\": \"MC_clitest000001_cliakstest000002_westus2\",\n \"enableRBAC\": true,\n \ \"enablePodSecurityPolicy\": false,\n \"networkProfile\": {\n \"networkPlugin\": \"kubenet\",\n \"loadBalancerSku\": \"Standard\",\n \"loadBalancerProfile\": {\n \"managedOutboundIPs\": {\n \"count\": 1\n },\n \"effectiveOutboundIPs\": - [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/c0c7b874-e509-4ed0-8d7a-92b67363723a\"\n + [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/fbb61ca4-0e2d-4689-91e3-08bca176f8fb\"\n \ }\n ],\n \"backendPoolType\": \"nodeIPConfiguration\"\n },\n \ \"podCidr\": \"10.244.0.0/16\",\n \"serviceCidr\": \"10.0.0.0/16\",\n \ \"dnsServiceIP\": \"10.0.0.10\",\n \"dockerBridgeCidr\": \"172.17.0.1/16\",\n @@ -4161,13 +4280,14 @@ interactions: \ \"clientId\":\"00000000-0000-0000-0000-000000000001\",\n \"objectId\":\"00000000-0000-0000-0000-000000000001\"\n \ }\n },\n \"disableLocalAccounts\": false,\n \"httpProxyConfig\": {\n \"httpProxy\": \"http://cli-proxy-vm:3128/\",\n \"httpsProxy\": - \"https://cli-proxy-vm:3129/\",\n \"noProxy\": [\n \"localhost\",\n - \ \"169.254.169.254\",\n \"10.244.0.0/16\",\n \"168.63.129.16\",\n - \ \"konnectivity\",\n \"127.0.0.1\",\n \"10.42.0.0/16\",\n \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.hcp.westus2.azmk8s.io\",\n - \ \"10.0.0.0/16\"\n ],\n \"effectiveNoProxy\": [\n \"localhost\",\n - \ \"169.254.169.254\",\n \"10.244.0.0/16\",\n \"168.63.129.16\",\n - \ \"konnectivity\",\n \"127.0.0.1\",\n \"10.42.0.0/16\",\n \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.hcp.westus2.azmk8s.io\",\n - \ \"10.0.0.0/16\"\n ],\n \"trustedCa\": \"LS0tLS1CRUdJTiBDRVJUSUZJQ0FURS0tLS0tCk1JSUZHekNDQXdPZ0F3SUJBZ0lVT1FvajhDTFpkc2Vscjk3cnZJd3g1T0xEc3V3d0RRWUpLb1pJaHZjTkFRRUwKQlFBd0Z6RVZNQk1HQTFVRUF3d01ZMnhwTFhCeWIzaDVMWFp0TUI0WERUSXlNRE13T0RFMk5EUTBOMW9YRFRNeQpNRE13TlRFMk5EUTBOMW93RnpFVk1CTUdBMVVFQXd3TVkyeHBMWEJ5YjNoNUxYWnRNSUlDSWpBTkJna3Foa2lHCjl3MEJBUUVGQUFPQ0FnOEFNSUlDQ2dLQ0FnRUEvTVB0VjVCVFB0NmNxaTRSZE1sbXIzeUlzYTJ1anpjaHh2NGgKanNDMUR0blJnb3M1UzQxUEgwcmkrM3RUU1ZYMzJ5cndzWStyRDFZUnVwbTZsbUU3R2hVNUkwR2k5b3prU0YwWgpLS2FKaTJveXBVL0ZCK1FQcXpvQ1JzTUV3R0NibUtGVmw4VnVoeW5kWEs0YjRrYmxyOWJsL2V1d2Q3TThTYnZ6CldVam5lRHJRc2lJc3J6UFQ0S0FaTHFjdHpEZTRsbFBUN1lLYTMzaGlFUE9mdldpWitkcWthUUE5UDY0eFhTeW4KZkhYOHVWQUozdUJWSmVHeEQwcGtOSjdqT3J5YVV1SEh1Y1U4UzltSWpuS2pBQjVhUGpMSDV4QXM2bG1iMzEyMgp5KzF0bkVBbVhNNTBEK1VvRWpmUzZIT2I1cmRpcVhHdmMxS2JvS2p6a1BDUnh4MmE3MmN2ZWdVajZtZ0FKTHpnClRoRTFsbGNtVTRpemd4b0lNa1ZwR1RWT0xMbjFWRkt1TmhNWkN2RnZLZ25Lb0F2M0cwRlVuZldFYVJSalNObUQKTFlhTURUNUg5WnQycERJVWpVR1N0Q2w3Z1J6TUVuWXdKTzN5aURwZzQzbzVkUnlzVXlMOUpmRS9OaDdUZzYxOApuOGNKL1c3K1FZYllsanVyYXA4cjdRRlNyb2wzVkNoRkIrT29yNW5pK3ZvaFNBd0pmMFVsTXBHM3hXbXkxVUk0ClRGS2ZGR1JSVHpyUCs3Yk53WDVoSXZJeTVWdGd5YU9xSndUeGhpL0pkeHRPcjJ0QTVyQ1c3K0N0Z1N2emtxTkUKWHlyN3ZrWWdwNlk1TFpneTR0VWpLMEswT1VnVmRqQk9oRHBFenkvRkY4dzFGRVZnSjBxWS9yV2NMa0JIRFQ4Ugp2SmtoaW84Q0F3RUFBYU5mTUYwd0Z3WURWUjBSQkJBd0RvSU1ZMnhwTFhCeWIzaDVMWFp0TUJJR0ExVWRFd0VCCi93UUlNQVlCQWY4Q0FRQXdEd1lEVlIwUEFRSC9CQVVEQXdmbmdEQWRCZ05WSFNVRUZqQVVCZ2dyQmdFRkJRY0QKQWdZSUt3WUJCUVVIQXdFd0RRWUpLb1pJaHZjTkFRRUxCUUFEZ2dJQkFBb21qQ3lYdmFRT3hnWUs1MHNYTEIyKwp3QWZkc3g1bm5HZGd5Zmc0dXJXMlZtMTVEaEd2STdDL250cTBkWXkyNE4vVWJHN1VEWHZseUxJSkZxMVhQN25mCnBaRzBWQ2paNjlibXhLbTNaOG0wL0F3TXZpOGU5ZWR5OHY5a05CQ3dMR2tIYkE4WW85Q0lpUWdlbGZwcDF2VWgKYm5OQmhhRCtpdTZDZmlDTHdnSmIvaXc3ZW8vQ3lvWnF4K3RqWGFPMnpYdm00cC8rUUlmQU9ndEdRTEZVOGNmWgovZ1VyVHE1Z0ZxMCtQOUd5V3NBVEpGNnE3TDZXWlpqME91VHNlN2Y0Q1NpajZNbk9NTXhBK0pvYWhKejdsc1NpClRKSEl3RXA1ci9SeWhweWVwUXhGWWNVSDVKSmY5cmFoWExXWmkrOVRqeFNNMll5aHhmUlBzaVVFdUdEb2s3OFEKbS9RUGlDaTlKSmIxb2NtVGpBVjh4RFNob2NpdlhPRnlobjZMbjc3dkxqWStBYXZ0V0RoUXRocHVQeHNMdFZ6bQplMFNIMTFkRUxSdGI3NG1xWE9yTzdmdS8rSUJzM0pxTEUvVSt4dXhRdHZHOHZHMXlES0hIU1pxUzJoL1dzNGw0Ck5pQXNoSGdlaFFEUEJjWTl3WVl6ZkJnWnBPVU16ZERmNTB4K0ZTbFk0M1dPSkp6U3VRaDR5WjArM2t5Z3VDRjgKcm5NTFNjZXlTNGNpNExtSi9LQ1N1R2RmNlhWWXo4QkU5Z2pqanBDUDZxeTBVbFJlZldzL2lnL3djSysyYkYxVApuL1l2KzZnWGVDVEhKNzVxRElQbHA3RFJVVWswZmJNajRiSWthb2dXV2s0emYydThteFpMYTBsZVBLTktaTi9tCkdDdkZ3cjNlaSt1LzhjenA1RjdUCi0tLS0tRU5EIENFUlRJRklDQVRFLS0tLS0K\"\n + \"https://cli-proxy-vm:3129/\",\n \"noProxy\": [\n \"127.0.0.1\",\n + \ \"konnectivity\",\n \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.hcp.westus2.azmk8s.io\",\n + \ \"10.42.0.0/16\",\n \"localhost\",\n \"168.63.129.16\",\n \"169.254.169.254\",\n + \ \"10.244.0.0/16\",\n \"10.0.0.0/16\"\n ],\n \"effectiveNoProxy\": + [\n \"127.0.0.1\",\n \"konnectivity\",\n \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.hcp.westus2.azmk8s.io\",\n + \ \"10.42.0.0/16\",\n \"localhost\",\n \"168.63.129.16\",\n \"169.254.169.254\",\n + \ \"10.244.0.0/16\",\n \"10.0.0.0/16\"\n ],\n \"trustedCa\": + \"LS0tLS1CRUdJTiBDRVJUSUZJQ0FURS0tLS0tCk1JSUZHekNDQXdPZ0F3SUJBZ0lVT1FvajhDTFpkc2Vscjk3cnZJd3g1T0xEc3V3d0RRWUpLb1pJaHZjTkFRRUwKQlFBd0Z6RVZNQk1HQTFVRUF3d01ZMnhwTFhCeWIzaDVMWFp0TUI0WERUSXlNRE13T0RFMk5EUTBOMW9YRFRNeQpNRE13TlRFMk5EUTBOMW93RnpFVk1CTUdBMVVFQXd3TVkyeHBMWEJ5YjNoNUxYWnRNSUlDSWpBTkJna3Foa2lHCjl3MEJBUUVGQUFPQ0FnOEFNSUlDQ2dLQ0FnRUEvTVB0VjVCVFB0NmNxaTRSZE1sbXIzeUlzYTJ1anpjaHh2NGgKanNDMUR0blJnb3M1UzQxUEgwcmkrM3RUU1ZYMzJ5cndzWStyRDFZUnVwbTZsbUU3R2hVNUkwR2k5b3prU0YwWgpLS2FKaTJveXBVL0ZCK1FQcXpvQ1JzTUV3R0NibUtGVmw4VnVoeW5kWEs0YjRrYmxyOWJsL2V1d2Q3TThTYnZ6CldVam5lRHJRc2lJc3J6UFQ0S0FaTHFjdHpEZTRsbFBUN1lLYTMzaGlFUE9mdldpWitkcWthUUE5UDY0eFhTeW4KZkhYOHVWQUozdUJWSmVHeEQwcGtOSjdqT3J5YVV1SEh1Y1U4UzltSWpuS2pBQjVhUGpMSDV4QXM2bG1iMzEyMgp5KzF0bkVBbVhNNTBEK1VvRWpmUzZIT2I1cmRpcVhHdmMxS2JvS2p6a1BDUnh4MmE3MmN2ZWdVajZtZ0FKTHpnClRoRTFsbGNtVTRpemd4b0lNa1ZwR1RWT0xMbjFWRkt1TmhNWkN2RnZLZ25Lb0F2M0cwRlVuZldFYVJSalNObUQKTFlhTURUNUg5WnQycERJVWpVR1N0Q2w3Z1J6TUVuWXdKTzN5aURwZzQzbzVkUnlzVXlMOUpmRS9OaDdUZzYxOApuOGNKL1c3K1FZYllsanVyYXA4cjdRRlNyb2wzVkNoRkIrT29yNW5pK3ZvaFNBd0pmMFVsTXBHM3hXbXkxVUk0ClRGS2ZGR1JSVHpyUCs3Yk53WDVoSXZJeTVWdGd5YU9xSndUeGhpL0pkeHRPcjJ0QTVyQ1c3K0N0Z1N2emtxTkUKWHlyN3ZrWWdwNlk1TFpneTR0VWpLMEswT1VnVmRqQk9oRHBFenkvRkY4dzFGRVZnSjBxWS9yV2NMa0JIRFQ4Ugp2SmtoaW84Q0F3RUFBYU5mTUYwd0Z3WURWUjBSQkJBd0RvSU1ZMnhwTFhCeWIzaDVMWFp0TUJJR0ExVWRFd0VCCi93UUlNQVlCQWY4Q0FRQXdEd1lEVlIwUEFRSC9CQVVEQXdmbmdEQWRCZ05WSFNVRUZqQVVCZ2dyQmdFRkJRY0QKQWdZSUt3WUJCUVVIQXdFd0RRWUpLb1pJaHZjTkFRRUxCUUFEZ2dJQkFBb21qQ3lYdmFRT3hnWUs1MHNYTEIyKwp3QWZkc3g1bm5HZGd5Zmc0dXJXMlZtMTVEaEd2STdDL250cTBkWXkyNE4vVWJHN1VEWHZseUxJSkZxMVhQN25mCnBaRzBWQ2paNjlibXhLbTNaOG0wL0F3TXZpOGU5ZWR5OHY5a05CQ3dMR2tIYkE4WW85Q0lpUWdlbGZwcDF2VWgKYm5OQmhhRCtpdTZDZmlDTHdnSmIvaXc3ZW8vQ3lvWnF4K3RqWGFPMnpYdm00cC8rUUlmQU9ndEdRTEZVOGNmWgovZ1VyVHE1Z0ZxMCtQOUd5V3NBVEpGNnE3TDZXWlpqME91VHNlN2Y0Q1NpajZNbk9NTXhBK0pvYWhKejdsc1NpClRKSEl3RXA1ci9SeWhweWVwUXhGWWNVSDVKSmY5cmFoWExXWmkrOVRqeFNNMll5aHhmUlBzaVVFdUdEb2s3OFEKbS9RUGlDaTlKSmIxb2NtVGpBVjh4RFNob2NpdlhPRnlobjZMbjc3dkxqWStBYXZ0V0RoUXRocHVQeHNMdFZ6bQplMFNIMTFkRUxSdGI3NG1xWE9yTzdmdS8rSUJzM0pxTEUvVSt4dXhRdHZHOHZHMXlES0hIU1pxUzJoL1dzNGw0Ck5pQXNoSGdlaFFEUEJjWTl3WVl6ZkJnWnBPVU16ZERmNTB4K0ZTbFk0M1dPSkp6U3VRaDR5WjArM2t5Z3VDRjgKcm5NTFNjZXlTNGNpNExtSi9LQ1N1R2RmNlhWWXo4QkU5Z2pqanBDUDZxeTBVbFJlZldzL2lnL3djSysyYkYxVApuL1l2KzZnWGVDVEhKNzVxRElQbHA3RFJVVWswZmJNajRiSWthb2dXV2s0emYydThteFpMYTBsZVBLTktaTi9tCkdDdkZ3cjNlaSt1LzhjenA1RjdUCi0tLS0tRU5EIENFUlRJRklDQVRFLS0tLS0K\"\n \ },\n \"securityProfile\": {},\n \"storageProfile\": {\n \"diskCSIDriver\": {\n \"enabled\": true,\n \"version\": \"v1\"\n },\n \"fileCSIDriver\": {\n \"enabled\": true\n },\n \"snapshotController\": {\n \"enabled\": @@ -4175,16 +4295,16 @@ interactions: \ },\n \"workloadAutoScalerProfile\": {}\n },\n \"identity\": {\n \"type\": \"SystemAssigned\",\n \"principalId\":\"00000000-0000-0000-0000-000000000001\",\n \ \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\"\n },\n \"sku\": - {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n }" + {\n \"name\": \"Base\",\n \"tier\": \"Free\"\n }\n }" headers: cache-control: - no-cache content-length: - - '7437' + - '7432' content-type: - application/json date: - - Wed, 04 Jan 2023 07:37:40 GMT + - Fri, 17 Feb 2023 07:40:13 GMT expires: - '-1' pragma: @@ -4203,24 +4323,24 @@ interactions: code: 200 message: OK - request: - body: '{"location": "westus2", "sku": {"name": "Basic", "tier": "Free"}, "identity": - {"type": "SystemAssigned"}, "properties": {"kubernetesVersion": "1.23.12", "dnsPrefix": - "cliakstest-clitest2z56vpzw3-79a739", "agentPoolProfiles": [{"count": 3, "vmSize": + body: '{"location": "westus2", "sku": {"name": "Base", "tier": "Free"}, "identity": + {"type": "SystemAssigned"}, "properties": {"kubernetesVersion": "1.24.9", "dnsPrefix": + "cliakstest-clitestvlhqopzm6-79a739", "agentPoolProfiles": [{"count": 3, "vmSize": "Standard_DS2_v2", "osDiskSizeGB": 128, "osDiskType": "Managed", "kubeletDiskType": "OS", "workloadRuntime": "OCIContainer", "vnetSubnetID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet", "maxPods": 110, "osType": "Linux", "osSKU": "Ubuntu", "enableAutoScaling": false, "type": "VirtualMachineScaleSets", "mode": "System", "orchestratorVersion": - "1.23.12", "upgradeSettings": {}, "powerState": {"code": "Running"}, "enableNodePublicIP": + "1.24.9", "upgradeSettings": {}, "powerState": {"code": "Running"}, "enableNodePublicIP": false, "enableCustomCATrust": false, "enableEncryptionAtHost": false, "enableUltraSSD": false, "enableFIPS": false, "networkProfile": {}, "name": "nodepool1"}], "linuxProfile": - {"adminUsername": "azureuser", "ssh": {"publicKeys": [{"keyData": "ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCxQVzaezimLDDL1HAh61in6hRl3lBzeIJJthCdCHnOnzWDKRRgxxIvRBbB0XuqLoqTrH/rJ6RD4OYRmq7vP+EZZUHbI956qLpaLG7rf0g6dceLDaTneS56ORuV8DsTNum4QT56p4St++bzF9vpWW9FRJxpTegF4DaMNXfS/skajfKKJqx55X1xGbDBpMcrcF25Y+Xx0/1URby5Z7v1YduPLNOuV/mlnTd+wTRnkJSYzEiTJA3X2x1p2/AwWTbrErwmLoIWfIFsIEnySHFb87tIdORwbugyJ66+mzvDhigVb7PIx/5NHJE+bF9H1l+oTUKy9jHrTEQUrsG8q2KfRlIr + {"adminUsername": "azureuser", "ssh": {"publicKeys": [{"keyData": "ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQC/KLMSacECP+4As5hwhdezAkaNf0QX3DpNLtOiVALJnLD+/I6p9tD5OD5m1s93X2EYrlV8GZHgnwH3hwd+8878X9HnNRcQ6aXCf0k6wgHK/+cZdYM13GDhtDeEVd0Pd/PZDPYEKT8uHR4+Dmp8DhykUazpcM4RR0d6QeZBvbQrL5QBtSGZ9XHAFiNtjl+Vm54X6pZmTrb0KSS1opXX2qaeVmWxjufzVs/wx5mNjVm43PKWFOurnJattn3kUrQzhOdNVMuzgFXe+6nB59KbvoyY7qzsh1MWLKAGq9fYNIGCRDS82YNCqdo6ZSjRcMElhAZ/36NIiTYXxamsp4Hlao7L azcli_aks_live_test@example.com\n"}]}}, "servicePrincipalProfile": {"clientId":"00000000-0000-0000-0000-000000000001"}, "oidcIssuerProfile": {"enabled": false}, "nodeResourceGroup": "MC_clitest000001_cliakstest000002_westus2", "enableRBAC": true, "enablePodSecurityPolicy": false, "networkProfile": {"networkPlugin": "kubenet", "podCidr": "10.244.0.0/16", "serviceCidr": "10.0.0.0/16", "dnsServiceIP": "10.0.0.10", "dockerBridgeCidr": "172.17.0.1/16", "outboundType": "loadBalancer", "loadBalancerSku": "Standard", "loadBalancerProfile": {"managedOutboundIPs": - {"count": 1, "countIPv6": 0}, "effectiveOutboundIPs": [{"id": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/c0c7b874-e509-4ed0-8d7a-92b67363723a"}], + {"count": 1, "countIPv6": 0}, "effectiveOutboundIPs": [{"id": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/fbb61ca4-0e2d-4689-91e3-08bca176f8fb"}], "backendPoolType": "nodeIPConfiguration"}, "podCidrs": ["10.244.0.0/16"], "serviceCidrs": ["10.0.0.0/16"], "ipFamilies": ["IPv4"]}, "identityProfile": {"kubeletidentity": {"resourceId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.ManagedIdentity/userAssignedIdentities/cliakstest000002-agentpool", @@ -4239,47 +4359,47 @@ interactions: Connection: - keep-alive Content-Length: - - '5420' + - '5417' Content-Type: - application/json ParameterSetName: - --resource-group --name --http-proxy-config User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n \ \"location\": \"westus2\",\n \"name\": \"cliakstest000002\",\n \"type\": \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": \"Updating\",\n \"powerState\": {\n \"code\": \"Running\"\n },\n \"kubernetesVersion\": - \"1.23.12\",\n \"currentKubernetesVersion\": \"1.23.12\",\n \"dnsPrefix\": - \"cliakstest-clitest2z56vpzw3-79a739\",\n \"fqdn\": \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.hcp.westus2.azmk8s.io\",\n - \ \"azurePortalFQDN\": \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.portal.hcp.westus2.azmk8s.io\",\n + \"1.24.9\",\n \"currentKubernetesVersion\": \"1.24.9\",\n \"dnsPrefix\": + \"cliakstest-clitestvlhqopzm6-79a739\",\n \"fqdn\": \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.hcp.westus2.azmk8s.io\",\n + \ \"azurePortalFQDN\": \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.portal.hcp.westus2.azmk8s.io\",\n \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \"count\": 3,\n \"vmSize\": \"Standard_DS2_v2\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": \"Managed\",\n \"kubeletDiskType\": \"OS\",\n \"workloadRuntime\": \"OCIContainer\",\n \"vnetSubnetID\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet\",\n \ \"maxPods\": 110,\n \"type\": \"VirtualMachineScaleSets\",\n \"enableAutoScaling\": false,\n \"provisioningState\": \"Updating\",\n \"powerState\": {\n - \ \"code\": \"Running\"\n },\n \"orchestratorVersion\": \"1.23.12\",\n - \ \"currentOrchestratorVersion\": \"1.23.12\",\n \"enableNodePublicIP\": + \ \"code\": \"Running\"\n },\n \"orchestratorVersion\": \"1.24.9\",\n + \ \"currentOrchestratorVersion\": \"1.24.9\",\n \"enableNodePublicIP\": false,\n \"enableCustomCATrust\": false,\n \"mode\": \"System\",\n \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": - \"AKSUbuntu-1804gen2containerd-2022.12.13\",\n \"upgradeSettings\": {},\n + \"AKSUbuntu-1804gen2containerd-2023.01.26\",\n \"upgradeSettings\": {},\n \ \"enableFIPS\": false,\n \"networkProfile\": {}\n }\n ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n \"ssh\": {\n \"publicKeys\": - [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCxQVzaezimLDDL1HAh61in6hRl3lBzeIJJthCdCHnOnzWDKRRgxxIvRBbB0XuqLoqTrH/rJ6RD4OYRmq7vP+EZZUHbI956qLpaLG7rf0g6dceLDaTneS56ORuV8DsTNum4QT56p4St++bzF9vpWW9FRJxpTegF4DaMNXfS/skajfKKJqx55X1xGbDBpMcrcF25Y+Xx0/1URby5Z7v1YduPLNOuV/mlnTd+wTRnkJSYzEiTJA3X2x1p2/AwWTbrErwmLoIWfIFsIEnySHFb87tIdORwbugyJ66+mzvDhigVb7PIx/5NHJE+bF9H1l+oTUKy9jHrTEQUrsG8q2KfRlIr + [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQC/KLMSacECP+4As5hwhdezAkaNf0QX3DpNLtOiVALJnLD+/I6p9tD5OD5m1s93X2EYrlV8GZHgnwH3hwd+8878X9HnNRcQ6aXCf0k6wgHK/+cZdYM13GDhtDeEVd0Pd/PZDPYEKT8uHR4+Dmp8DhykUazpcM4RR0d6QeZBvbQrL5QBtSGZ9XHAFiNtjl+Vm54X6pZmTrb0KSS1opXX2qaeVmWxjufzVs/wx5mNjVm43PKWFOurnJattn3kUrQzhOdNVMuzgFXe+6nB59KbvoyY7qzsh1MWLKAGq9fYNIGCRDS82YNCqdo6ZSjRcMElhAZ/36NIiTYXxamsp4Hlao7L azcli_aks_live_test@example.com\\n\"\n }\n ]\n }\n },\n \"servicePrincipalProfile\": {\n \"clientId\":\"00000000-0000-0000-0000-000000000001\"\n },\n \"nodeResourceGroup\": \"MC_clitest000001_cliakstest000002_westus2\",\n \"enableRBAC\": true,\n \ \"enablePodSecurityPolicy\": false,\n \"networkProfile\": {\n \"networkPlugin\": \"kubenet\",\n \"loadBalancerSku\": \"Standard\",\n \"loadBalancerProfile\": {\n \"managedOutboundIPs\": {\n \"count\": 1\n },\n \"effectiveOutboundIPs\": - [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/c0c7b874-e509-4ed0-8d7a-92b67363723a\"\n + [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/fbb61ca4-0e2d-4689-91e3-08bca176f8fb\"\n \ }\n ],\n \"backendPoolType\": \"nodeIPConfiguration\"\n },\n \ \"podCidr\": \"10.244.0.0/16\",\n \"serviceCidr\": \"10.0.0.0/16\",\n \ \"dnsServiceIP\": \"10.0.0.10\",\n \"dockerBridgeCidr\": \"172.17.0.1/16\",\n @@ -4291,12 +4411,13 @@ interactions: \ }\n },\n \"disableLocalAccounts\": false,\n \"httpProxyConfig\": {\n \"httpProxy\": \"http://cli-proxy-vm:3128/\",\n \"httpsProxy\": \"https://cli-proxy-vm:3129/\",\n \"noProxy\": [\n \"localhost\",\n - \ \"169.254.169.254\",\n \"10.244.0.0/16\",\n \"168.63.129.16\",\n - \ \"konnectivity\",\n \"127.0.0.1\",\n \"10.42.0.0/16\",\n \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.hcp.westus2.azmk8s.io\",\n - \ \"10.0.0.0/16\"\n ],\n \"effectiveNoProxy\": [\n \"localhost\",\n - \ \"169.254.169.254\",\n \"10.244.0.0/16\",\n \"168.63.129.16\",\n - \ \"konnectivity\",\n \"127.0.0.1\",\n \"10.42.0.0/16\",\n \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.hcp.westus2.azmk8s.io\",\n - \ \"10.0.0.0/16\"\n ],\n \"trustedCa\": \"LS0tLS1CRUdJTiBDRVJUSUZJQ0FURS0tLS0tCk1JSUZERENDQXZTZ0F3SUJBZ0lVQlJ3cGs1eTh5ckdrNmtYTjhkSHlMRUNvaHBrd0RRWUpLb1pJaHZjTkFRRUwKQlFBd0VqRVFNQTRHQTFVRUF3d0habTl2TFdKaGNqQWVGdzB5TVRFd01UTXdNekU1TlRoYUZ3MHpNVEV3TVRFdwpNekU1TlRoYU1CSXhFREFPQmdOVkJBTU1CMlp2YnkxaVlYSXdnZ0lpTUEwR0NTcUdTSWIzRFFFQkFRVUFBNElDCkR3QXdnZ0lLQW9JQ0FRRFcwRE9sVC9yci9xUEZIUU9lNndBNDkyVGh3VWxZaDhCQkszTW9VWVZLNjEvL2xXekEKeFkrYzlmazlvckUrZXhMSVpwdUg1VnNZR21MNUFyc05sVmNBMkU4MWgwSlBPYUo1eEpiZG40YldpZG9vdXRVVwpXeDNhYUJLSEt0RWdZbUNmTjliWXlZMlNWRWQvNS9HeGh0akVabHJ1aEtRdkZVa3hwR0xKK1JRQ25oNklZakQwCnNpQ0YyTjJhVUJ4RE5KaUdmeHlHSVIrY2p4Vlcrd01md05CQ0l6QVkxMnY4WmpzUXdmUWlhOE5oWEx3M0tuRm0KdzUrcHN2bU1HL1FFUUtZMXNOTnk2dS9DZkI3cmIxQ0EwcjdNNnFsNFMrWHJjZUVRcXpDUWR6NWJueGNYbmFkbwp5MDlhdm5OSGRqbmpvcHNPSkxhd2hzb3RGNWFrL1FLdjYzdU9yVFFlOHlPSWlCZ3JSUzdwejcxbVlhRGNMcXFtCmtmdDVLYnFnMHNZYmo0M09LSm5aZ3crTUtackhoSFJKNi9BcWxOclZML3pFUytHU0ozQ1lSaE5nYXdDQ0Nqd1gKanZYZnkycWFEV2NQbWZaSWVVMVNzdE05THBVRWFQNjJzUVNmb3NEdnZFbUFyUVgwcmd1WGhvZ3pRUFdGWVlEKwo4SUNFYkNFc21hVnN3MzhVUzgzbFlGVCtyTHh3cm5UK1JXSUZ2WFRXbHhCNm5JeWpsOXBhNzlkdU5ocjJxN2RzCjVOU3ZWWHg5UGNqVTQ2VUZ6QnVTbUl0Q0M0Y1NadFRWc3l6ZnpMd2hKbGlqV0czTkp5TnpHUkZQcUpQdTNJUzEKZ3VtKytqdWx4bXZNWm1vM1RqSE5JRm90a0kyd3d3ZUtIcWpYcW9STmwvVnZobE5CaXZRR2gxeGovd0lEQVFBQgpvMW93V0RBU0JnTlZIUkVFQ3pBSmdnZG1iMjh0WW1GeU1CSUdBMVVkRXdFQi93UUlNQVlCQWY4Q0FRQXdEd1lEClZSMFBBUUgvQkFVREF3Zm5nREFkQmdOVkhTVUVGakFVQmdnckJnRUZCUWNEQWdZSUt3WUJCUVVIQXdFd0RRWUoKS29aSWh2Y05BUUVMQlFBRGdnSUJBTDF3RlpTdUw4NTM3aHpUTXhSUWJjcWdEU2F4RUd0ZDJaNTVCcnVWQVloagpxQjR6STd1UVZ2SkNpeXdmQm5BNnZmejh2UDBzdGJJbkVtajh1dS9CSS81NzZqR0tWUWRQSDhqMnQvN1NQWjFKClhBWk9wc1hoVll2RmtpQlhVeW1RMnAvRjFqb2ZRRE1JQ0htdHhRUSthakJQNjBpcnFnVnpsRi95NlQySUgzOHYKbGordndIam52WW5vVmhGNEY0TlE5amp6S3Y1NUhVTk0xUEJKZkFaOTJqeXovczdPMmN2cjhNWlNkT2s5QVk1RQp5RXRlQjBTSjdLS0tUZklBVmVMQzdrRnBHR3FsRkRBNzhPSS9YakNZViswRjk4MHdNOVkxTEVUa3ZMamVSMEFyCnVzZDNIS1Vtd2EwTVEwUTNZNGxma0ZtNjJTclhvcjJURC9WZHpFZWNOTnVmV1VJTVNuaEJDNTVHWjBOTVYvR0QKRXhGZTVWQkhUZEZVNlIwb3JCOVFjVll1Mzk0MEt5NXhkbHNaUHZlMmRJNS9WOXhzY0Zad3cxWWs4K21RK3NVeQp2UVBoL2ZmK0tTQjdVVkdvTVNXUlg3YjFFMGVzZSs4QzZlaVV2OXpDR0VRbkVCcnFIQWxSUDJ2ZzQ0bXFJSnRzCjN2NUt1NW0ySmJoeWNsQVR3VUNQZkN3a2tLRTg0MzZGRitDK0ZUVTJ1OWVpL2t5QTAxYi9zRFl2cWdsS2FWK3MKbEVHRkhjd05Ea2VrS1BFUEZxNkpnZ3R0WlNidE5SMnFadzl3cExIbDVuVlVXdnBGa2hvcW1KVkphK0VBSTQ1LwpqRkh4VG9PMHp1NlBxc1p5SnM2TC84Z3BhbTcwMDV6b0VETVRjcFltMlduMFBKcEg3NE9zUHJVRDVJWVA5ZEt5Ci0tLS0tRU5EIENFUlRJRklDQVRFLS0tLS0K\"\n + \ \"127.0.0.1\",\n \"10.42.0.0/16\",\n \"169.254.169.254\",\n \"konnectivity\",\n + \ \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.hcp.westus2.azmk8s.io\",\n + \ \"10.244.0.0/16\",\n \"168.63.129.16\",\n \"10.0.0.0/16\"\n ],\n + \ \"effectiveNoProxy\": [\n \"localhost\",\n \"127.0.0.1\",\n \"10.42.0.0/16\",\n + \ \"169.254.169.254\",\n \"konnectivity\",\n \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.hcp.westus2.azmk8s.io\",\n + \ \"10.244.0.0/16\",\n \"168.63.129.16\",\n \"10.0.0.0/16\"\n ],\n + \ \"trustedCa\": \"LS0tLS1CRUdJTiBDRVJUSUZJQ0FURS0tLS0tCk1JSUZERENDQXZTZ0F3SUJBZ0lVQlJ3cGs1eTh5ckdrNmtYTjhkSHlMRUNvaHBrd0RRWUpLb1pJaHZjTkFRRUwKQlFBd0VqRVFNQTRHQTFVRUF3d0habTl2TFdKaGNqQWVGdzB5TVRFd01UTXdNekU1TlRoYUZ3MHpNVEV3TVRFdwpNekU1TlRoYU1CSXhFREFPQmdOVkJBTU1CMlp2YnkxaVlYSXdnZ0lpTUEwR0NTcUdTSWIzRFFFQkFRVUFBNElDCkR3QXdnZ0lLQW9JQ0FRRFcwRE9sVC9yci9xUEZIUU9lNndBNDkyVGh3VWxZaDhCQkszTW9VWVZLNjEvL2xXekEKeFkrYzlmazlvckUrZXhMSVpwdUg1VnNZR21MNUFyc05sVmNBMkU4MWgwSlBPYUo1eEpiZG40YldpZG9vdXRVVwpXeDNhYUJLSEt0RWdZbUNmTjliWXlZMlNWRWQvNS9HeGh0akVabHJ1aEtRdkZVa3hwR0xKK1JRQ25oNklZakQwCnNpQ0YyTjJhVUJ4RE5KaUdmeHlHSVIrY2p4Vlcrd01md05CQ0l6QVkxMnY4WmpzUXdmUWlhOE5oWEx3M0tuRm0KdzUrcHN2bU1HL1FFUUtZMXNOTnk2dS9DZkI3cmIxQ0EwcjdNNnFsNFMrWHJjZUVRcXpDUWR6NWJueGNYbmFkbwp5MDlhdm5OSGRqbmpvcHNPSkxhd2hzb3RGNWFrL1FLdjYzdU9yVFFlOHlPSWlCZ3JSUzdwejcxbVlhRGNMcXFtCmtmdDVLYnFnMHNZYmo0M09LSm5aZ3crTUtackhoSFJKNi9BcWxOclZML3pFUytHU0ozQ1lSaE5nYXdDQ0Nqd1gKanZYZnkycWFEV2NQbWZaSWVVMVNzdE05THBVRWFQNjJzUVNmb3NEdnZFbUFyUVgwcmd1WGhvZ3pRUFdGWVlEKwo4SUNFYkNFc21hVnN3MzhVUzgzbFlGVCtyTHh3cm5UK1JXSUZ2WFRXbHhCNm5JeWpsOXBhNzlkdU5ocjJxN2RzCjVOU3ZWWHg5UGNqVTQ2VUZ6QnVTbUl0Q0M0Y1NadFRWc3l6ZnpMd2hKbGlqV0czTkp5TnpHUkZQcUpQdTNJUzEKZ3VtKytqdWx4bXZNWm1vM1RqSE5JRm90a0kyd3d3ZUtIcWpYcW9STmwvVnZobE5CaXZRR2gxeGovd0lEQVFBQgpvMW93V0RBU0JnTlZIUkVFQ3pBSmdnZG1iMjh0WW1GeU1CSUdBMVVkRXdFQi93UUlNQVlCQWY4Q0FRQXdEd1lEClZSMFBBUUgvQkFVREF3Zm5nREFkQmdOVkhTVUVGakFVQmdnckJnRUZCUWNEQWdZSUt3WUJCUVVIQXdFd0RRWUoKS29aSWh2Y05BUUVMQlFBRGdnSUJBTDF3RlpTdUw4NTM3aHpUTXhSUWJjcWdEU2F4RUd0ZDJaNTVCcnVWQVloagpxQjR6STd1UVZ2SkNpeXdmQm5BNnZmejh2UDBzdGJJbkVtajh1dS9CSS81NzZqR0tWUWRQSDhqMnQvN1NQWjFKClhBWk9wc1hoVll2RmtpQlhVeW1RMnAvRjFqb2ZRRE1JQ0htdHhRUSthakJQNjBpcnFnVnpsRi95NlQySUgzOHYKbGordndIam52WW5vVmhGNEY0TlE5amp6S3Y1NUhVTk0xUEJKZkFaOTJqeXovczdPMmN2cjhNWlNkT2s5QVk1RQp5RXRlQjBTSjdLS0tUZklBVmVMQzdrRnBHR3FsRkRBNzhPSS9YakNZViswRjk4MHdNOVkxTEVUa3ZMamVSMEFyCnVzZDNIS1Vtd2EwTVEwUTNZNGxma0ZtNjJTclhvcjJURC9WZHpFZWNOTnVmV1VJTVNuaEJDNTVHWjBOTVYvR0QKRXhGZTVWQkhUZEZVNlIwb3JCOVFjVll1Mzk0MEt5NXhkbHNaUHZlMmRJNS9WOXhzY0Zad3cxWWs4K21RK3NVeQp2UVBoL2ZmK0tTQjdVVkdvTVNXUlg3YjFFMGVzZSs4QzZlaVV2OXpDR0VRbkVCcnFIQWxSUDJ2ZzQ0bXFJSnRzCjN2NUt1NW0ySmJoeWNsQVR3VUNQZkN3a2tLRTg0MzZGRitDK0ZUVTJ1OWVpL2t5QTAxYi9zRFl2cWdsS2FWK3MKbEVHRkhjd05Ea2VrS1BFUEZxNkpnZ3R0WlNidE5SMnFadzl3cExIbDVuVlVXdnBGa2hvcW1KVkphK0VBSTQ1LwpqRkh4VG9PMHp1NlBxc1p5SnM2TC84Z3BhbTcwMDV6b0VETVRjcFltMlduMFBKcEg3NE9zUHJVRDVJWVA5ZEt5Ci0tLS0tRU5EIENFUlRJRklDQVRFLS0tLS0K\"\n \ },\n \"securityProfile\": {},\n \"storageProfile\": {\n \"diskCSIDriver\": {\n \"enabled\": true,\n \"version\": \"v1\"\n },\n \"fileCSIDriver\": {\n \"enabled\": true\n },\n \"snapshotController\": {\n \"enabled\": @@ -4304,18 +4425,18 @@ interactions: \ },\n \"workloadAutoScalerProfile\": {}\n },\n \"identity\": {\n \"type\": \"SystemAssigned\",\n \"principalId\":\"00000000-0000-0000-0000-000000000001\",\n \ \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\"\n },\n \"sku\": - {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n }" + {\n \"name\": \"Base\",\n \"tier\": \"Free\"\n }\n }" headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/29087405-9b84-4b8e-8cbc-28b4bd3eea62?api-version=2016-03-30 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/47329281-efe4-4216-a00c-9a470e471070?api-version=2016-03-30 cache-control: - no-cache content-length: - - '7407' + - '7402' content-type: - application/json date: - - Wed, 04 Jan 2023 07:37:43 GMT + - Fri, 17 Feb 2023 07:40:16 GMT expires: - '-1' pragma: @@ -4331,7 +4452,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-writes: - - '1199' + - '1198' status: code: 200 message: OK @@ -4349,23 +4470,23 @@ interactions: ParameterSetName: - --resource-group --name --http-proxy-config User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/29087405-9b84-4b8e-8cbc-28b4bd3eea62?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/47329281-efe4-4216-a00c-9a470e471070?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"05740829-849b-8e4b-8cbc-28b4bd3eea62\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-01-04T07:37:43.7446602Z\"\n }" + string: "{\n \"name\": \"81923247-e4ef-1642-a00c-9a470e471070\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-17T07:40:17.596268Z\"\n }" headers: cache-control: - no-cache content-length: - - '126' + - '125' content-type: - application/json date: - - Wed, 04 Jan 2023 07:38:13 GMT + - Fri, 17 Feb 2023 07:40:47 GMT expires: - '-1' pragma: @@ -4397,23 +4518,23 @@ interactions: ParameterSetName: - --resource-group --name --http-proxy-config User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/29087405-9b84-4b8e-8cbc-28b4bd3eea62?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/47329281-efe4-4216-a00c-9a470e471070?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"05740829-849b-8e4b-8cbc-28b4bd3eea62\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-01-04T07:37:43.7446602Z\"\n }" + string: "{\n \"name\": \"81923247-e4ef-1642-a00c-9a470e471070\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-17T07:40:17.596268Z\"\n }" headers: cache-control: - no-cache content-length: - - '126' + - '125' content-type: - application/json date: - - Wed, 04 Jan 2023 07:38:43 GMT + - Fri, 17 Feb 2023 07:41:17 GMT expires: - '-1' pragma: @@ -4445,23 +4566,23 @@ interactions: ParameterSetName: - --resource-group --name --http-proxy-config User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/29087405-9b84-4b8e-8cbc-28b4bd3eea62?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/47329281-efe4-4216-a00c-9a470e471070?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"05740829-849b-8e4b-8cbc-28b4bd3eea62\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-01-04T07:37:43.7446602Z\"\n }" + string: "{\n \"name\": \"81923247-e4ef-1642-a00c-9a470e471070\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-17T07:40:17.596268Z\"\n }" headers: cache-control: - no-cache content-length: - - '126' + - '125' content-type: - application/json date: - - Wed, 04 Jan 2023 07:39:13 GMT + - Fri, 17 Feb 2023 07:41:47 GMT expires: - '-1' pragma: @@ -4493,24 +4614,24 @@ interactions: ParameterSetName: - --resource-group --name --http-proxy-config User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/29087405-9b84-4b8e-8cbc-28b4bd3eea62?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/47329281-efe4-4216-a00c-9a470e471070?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"05740829-849b-8e4b-8cbc-28b4bd3eea62\",\n \"status\": - \"Succeeded\",\n \"startTime\": \"2023-01-04T07:37:43.7446602Z\",\n \"endTime\": - \"2023-01-04T07:39:19.2902141Z\"\n }" + string: "{\n \"name\": \"81923247-e4ef-1642-a00c-9a470e471070\",\n \"status\": + \"Succeeded\",\n \"startTime\": \"2023-02-17T07:40:17.596268Z\",\n \"endTime\": + \"2023-02-17T07:42:14.079965Z\"\n }" headers: cache-control: - no-cache content-length: - - '170' + - '168' content-type: - application/json date: - - Wed, 04 Jan 2023 07:39:44 GMT + - Fri, 17 Feb 2023 07:42:17 GMT expires: - '-1' pragma: @@ -4542,41 +4663,41 @@ interactions: ParameterSetName: - --resource-group --name --http-proxy-config User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n \ \"location\": \"westus2\",\n \"name\": \"cliakstest000002\",\n \"type\": \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": \"Succeeded\",\n \"powerState\": {\n \"code\": \"Running\"\n },\n \"kubernetesVersion\": - \"1.23.12\",\n \"currentKubernetesVersion\": \"1.23.12\",\n \"dnsPrefix\": - \"cliakstest-clitest2z56vpzw3-79a739\",\n \"fqdn\": \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.hcp.westus2.azmk8s.io\",\n - \ \"azurePortalFQDN\": \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.portal.hcp.westus2.azmk8s.io\",\n + \"1.24.9\",\n \"currentKubernetesVersion\": \"1.24.9\",\n \"dnsPrefix\": + \"cliakstest-clitestvlhqopzm6-79a739\",\n \"fqdn\": \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.hcp.westus2.azmk8s.io\",\n + \ \"azurePortalFQDN\": \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.portal.hcp.westus2.azmk8s.io\",\n \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \"count\": 3,\n \"vmSize\": \"Standard_DS2_v2\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": \"Managed\",\n \"kubeletDiskType\": \"OS\",\n \"workloadRuntime\": \"OCIContainer\",\n \"vnetSubnetID\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet\",\n \ \"maxPods\": 110,\n \"type\": \"VirtualMachineScaleSets\",\n \"enableAutoScaling\": false,\n \"provisioningState\": \"Succeeded\",\n \"powerState\": {\n - \ \"code\": \"Running\"\n },\n \"orchestratorVersion\": \"1.23.12\",\n - \ \"currentOrchestratorVersion\": \"1.23.12\",\n \"enableNodePublicIP\": + \ \"code\": \"Running\"\n },\n \"orchestratorVersion\": \"1.24.9\",\n + \ \"currentOrchestratorVersion\": \"1.24.9\",\n \"enableNodePublicIP\": false,\n \"enableCustomCATrust\": false,\n \"mode\": \"System\",\n \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": - \"AKSUbuntu-1804gen2containerd-2022.12.13\",\n \"upgradeSettings\": {},\n + \"AKSUbuntu-1804gen2containerd-2023.01.26\",\n \"upgradeSettings\": {},\n \ \"enableFIPS\": false,\n \"networkProfile\": {}\n }\n ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n \"ssh\": {\n \"publicKeys\": - [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCxQVzaezimLDDL1HAh61in6hRl3lBzeIJJthCdCHnOnzWDKRRgxxIvRBbB0XuqLoqTrH/rJ6RD4OYRmq7vP+EZZUHbI956qLpaLG7rf0g6dceLDaTneS56ORuV8DsTNum4QT56p4St++bzF9vpWW9FRJxpTegF4DaMNXfS/skajfKKJqx55X1xGbDBpMcrcF25Y+Xx0/1URby5Z7v1YduPLNOuV/mlnTd+wTRnkJSYzEiTJA3X2x1p2/AwWTbrErwmLoIWfIFsIEnySHFb87tIdORwbugyJ66+mzvDhigVb7PIx/5NHJE+bF9H1l+oTUKy9jHrTEQUrsG8q2KfRlIr + [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQC/KLMSacECP+4As5hwhdezAkaNf0QX3DpNLtOiVALJnLD+/I6p9tD5OD5m1s93X2EYrlV8GZHgnwH3hwd+8878X9HnNRcQ6aXCf0k6wgHK/+cZdYM13GDhtDeEVd0Pd/PZDPYEKT8uHR4+Dmp8DhykUazpcM4RR0d6QeZBvbQrL5QBtSGZ9XHAFiNtjl+Vm54X6pZmTrb0KSS1opXX2qaeVmWxjufzVs/wx5mNjVm43PKWFOurnJattn3kUrQzhOdNVMuzgFXe+6nB59KbvoyY7qzsh1MWLKAGq9fYNIGCRDS82YNCqdo6ZSjRcMElhAZ/36NIiTYXxamsp4Hlao7L azcli_aks_live_test@example.com\\n\"\n }\n ]\n }\n },\n \"servicePrincipalProfile\": {\n \"clientId\":\"00000000-0000-0000-0000-000000000001\"\n },\n \"nodeResourceGroup\": \"MC_clitest000001_cliakstest000002_westus2\",\n \"enableRBAC\": true,\n \ \"enablePodSecurityPolicy\": false,\n \"networkProfile\": {\n \"networkPlugin\": \"kubenet\",\n \"loadBalancerSku\": \"Standard\",\n \"loadBalancerProfile\": {\n \"managedOutboundIPs\": {\n \"count\": 1\n },\n \"effectiveOutboundIPs\": - [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/c0c7b874-e509-4ed0-8d7a-92b67363723a\"\n + [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/fbb61ca4-0e2d-4689-91e3-08bca176f8fb\"\n \ }\n ],\n \"backendPoolType\": \"nodeIPConfiguration\"\n },\n \ \"podCidr\": \"10.244.0.0/16\",\n \"serviceCidr\": \"10.0.0.0/16\",\n \ \"dnsServiceIP\": \"10.0.0.10\",\n \"dockerBridgeCidr\": \"172.17.0.1/16\",\n @@ -4588,12 +4709,13 @@ interactions: \ }\n },\n \"disableLocalAccounts\": false,\n \"httpProxyConfig\": {\n \"httpProxy\": \"http://cli-proxy-vm:3128/\",\n \"httpsProxy\": \"https://cli-proxy-vm:3129/\",\n \"noProxy\": [\n \"localhost\",\n - \ \"169.254.169.254\",\n \"10.244.0.0/16\",\n \"168.63.129.16\",\n - \ \"konnectivity\",\n \"127.0.0.1\",\n \"10.42.0.0/16\",\n \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.hcp.westus2.azmk8s.io\",\n - \ \"10.0.0.0/16\"\n ],\n \"effectiveNoProxy\": [\n \"localhost\",\n - \ \"169.254.169.254\",\n \"10.244.0.0/16\",\n \"168.63.129.16\",\n - \ \"konnectivity\",\n \"127.0.0.1\",\n \"10.42.0.0/16\",\n \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.hcp.westus2.azmk8s.io\",\n - \ \"10.0.0.0/16\"\n ],\n \"trustedCa\": \"LS0tLS1CRUdJTiBDRVJUSUZJQ0FURS0tLS0tCk1JSUZERENDQXZTZ0F3SUJBZ0lVQlJ3cGs1eTh5ckdrNmtYTjhkSHlMRUNvaHBrd0RRWUpLb1pJaHZjTkFRRUwKQlFBd0VqRVFNQTRHQTFVRUF3d0habTl2TFdKaGNqQWVGdzB5TVRFd01UTXdNekU1TlRoYUZ3MHpNVEV3TVRFdwpNekU1TlRoYU1CSXhFREFPQmdOVkJBTU1CMlp2YnkxaVlYSXdnZ0lpTUEwR0NTcUdTSWIzRFFFQkFRVUFBNElDCkR3QXdnZ0lLQW9JQ0FRRFcwRE9sVC9yci9xUEZIUU9lNndBNDkyVGh3VWxZaDhCQkszTW9VWVZLNjEvL2xXekEKeFkrYzlmazlvckUrZXhMSVpwdUg1VnNZR21MNUFyc05sVmNBMkU4MWgwSlBPYUo1eEpiZG40YldpZG9vdXRVVwpXeDNhYUJLSEt0RWdZbUNmTjliWXlZMlNWRWQvNS9HeGh0akVabHJ1aEtRdkZVa3hwR0xKK1JRQ25oNklZakQwCnNpQ0YyTjJhVUJ4RE5KaUdmeHlHSVIrY2p4Vlcrd01md05CQ0l6QVkxMnY4WmpzUXdmUWlhOE5oWEx3M0tuRm0KdzUrcHN2bU1HL1FFUUtZMXNOTnk2dS9DZkI3cmIxQ0EwcjdNNnFsNFMrWHJjZUVRcXpDUWR6NWJueGNYbmFkbwp5MDlhdm5OSGRqbmpvcHNPSkxhd2hzb3RGNWFrL1FLdjYzdU9yVFFlOHlPSWlCZ3JSUzdwejcxbVlhRGNMcXFtCmtmdDVLYnFnMHNZYmo0M09LSm5aZ3crTUtackhoSFJKNi9BcWxOclZML3pFUytHU0ozQ1lSaE5nYXdDQ0Nqd1gKanZYZnkycWFEV2NQbWZaSWVVMVNzdE05THBVRWFQNjJzUVNmb3NEdnZFbUFyUVgwcmd1WGhvZ3pRUFdGWVlEKwo4SUNFYkNFc21hVnN3MzhVUzgzbFlGVCtyTHh3cm5UK1JXSUZ2WFRXbHhCNm5JeWpsOXBhNzlkdU5ocjJxN2RzCjVOU3ZWWHg5UGNqVTQ2VUZ6QnVTbUl0Q0M0Y1NadFRWc3l6ZnpMd2hKbGlqV0czTkp5TnpHUkZQcUpQdTNJUzEKZ3VtKytqdWx4bXZNWm1vM1RqSE5JRm90a0kyd3d3ZUtIcWpYcW9STmwvVnZobE5CaXZRR2gxeGovd0lEQVFBQgpvMW93V0RBU0JnTlZIUkVFQ3pBSmdnZG1iMjh0WW1GeU1CSUdBMVVkRXdFQi93UUlNQVlCQWY4Q0FRQXdEd1lEClZSMFBBUUgvQkFVREF3Zm5nREFkQmdOVkhTVUVGakFVQmdnckJnRUZCUWNEQWdZSUt3WUJCUVVIQXdFd0RRWUoKS29aSWh2Y05BUUVMQlFBRGdnSUJBTDF3RlpTdUw4NTM3aHpUTXhSUWJjcWdEU2F4RUd0ZDJaNTVCcnVWQVloagpxQjR6STd1UVZ2SkNpeXdmQm5BNnZmejh2UDBzdGJJbkVtajh1dS9CSS81NzZqR0tWUWRQSDhqMnQvN1NQWjFKClhBWk9wc1hoVll2RmtpQlhVeW1RMnAvRjFqb2ZRRE1JQ0htdHhRUSthakJQNjBpcnFnVnpsRi95NlQySUgzOHYKbGordndIam52WW5vVmhGNEY0TlE5amp6S3Y1NUhVTk0xUEJKZkFaOTJqeXovczdPMmN2cjhNWlNkT2s5QVk1RQp5RXRlQjBTSjdLS0tUZklBVmVMQzdrRnBHR3FsRkRBNzhPSS9YakNZViswRjk4MHdNOVkxTEVUa3ZMamVSMEFyCnVzZDNIS1Vtd2EwTVEwUTNZNGxma0ZtNjJTclhvcjJURC9WZHpFZWNOTnVmV1VJTVNuaEJDNTVHWjBOTVYvR0QKRXhGZTVWQkhUZEZVNlIwb3JCOVFjVll1Mzk0MEt5NXhkbHNaUHZlMmRJNS9WOXhzY0Zad3cxWWs4K21RK3NVeQp2UVBoL2ZmK0tTQjdVVkdvTVNXUlg3YjFFMGVzZSs4QzZlaVV2OXpDR0VRbkVCcnFIQWxSUDJ2ZzQ0bXFJSnRzCjN2NUt1NW0ySmJoeWNsQVR3VUNQZkN3a2tLRTg0MzZGRitDK0ZUVTJ1OWVpL2t5QTAxYi9zRFl2cWdsS2FWK3MKbEVHRkhjd05Ea2VrS1BFUEZxNkpnZ3R0WlNidE5SMnFadzl3cExIbDVuVlVXdnBGa2hvcW1KVkphK0VBSTQ1LwpqRkh4VG9PMHp1NlBxc1p5SnM2TC84Z3BhbTcwMDV6b0VETVRjcFltMlduMFBKcEg3NE9zUHJVRDVJWVA5ZEt5Ci0tLS0tRU5EIENFUlRJRklDQVRFLS0tLS0K\"\n + \ \"127.0.0.1\",\n \"10.42.0.0/16\",\n \"169.254.169.254\",\n \"konnectivity\",\n + \ \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.hcp.westus2.azmk8s.io\",\n + \ \"10.244.0.0/16\",\n \"168.63.129.16\",\n \"10.0.0.0/16\"\n ],\n + \ \"effectiveNoProxy\": [\n \"localhost\",\n \"127.0.0.1\",\n \"10.42.0.0/16\",\n + \ \"169.254.169.254\",\n \"konnectivity\",\n \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.hcp.westus2.azmk8s.io\",\n + \ \"10.244.0.0/16\",\n \"168.63.129.16\",\n \"10.0.0.0/16\"\n ],\n + \ \"trustedCa\": \"LS0tLS1CRUdJTiBDRVJUSUZJQ0FURS0tLS0tCk1JSUZERENDQXZTZ0F3SUJBZ0lVQlJ3cGs1eTh5ckdrNmtYTjhkSHlMRUNvaHBrd0RRWUpLb1pJaHZjTkFRRUwKQlFBd0VqRVFNQTRHQTFVRUF3d0habTl2TFdKaGNqQWVGdzB5TVRFd01UTXdNekU1TlRoYUZ3MHpNVEV3TVRFdwpNekU1TlRoYU1CSXhFREFPQmdOVkJBTU1CMlp2YnkxaVlYSXdnZ0lpTUEwR0NTcUdTSWIzRFFFQkFRVUFBNElDCkR3QXdnZ0lLQW9JQ0FRRFcwRE9sVC9yci9xUEZIUU9lNndBNDkyVGh3VWxZaDhCQkszTW9VWVZLNjEvL2xXekEKeFkrYzlmazlvckUrZXhMSVpwdUg1VnNZR21MNUFyc05sVmNBMkU4MWgwSlBPYUo1eEpiZG40YldpZG9vdXRVVwpXeDNhYUJLSEt0RWdZbUNmTjliWXlZMlNWRWQvNS9HeGh0akVabHJ1aEtRdkZVa3hwR0xKK1JRQ25oNklZakQwCnNpQ0YyTjJhVUJ4RE5KaUdmeHlHSVIrY2p4Vlcrd01md05CQ0l6QVkxMnY4WmpzUXdmUWlhOE5oWEx3M0tuRm0KdzUrcHN2bU1HL1FFUUtZMXNOTnk2dS9DZkI3cmIxQ0EwcjdNNnFsNFMrWHJjZUVRcXpDUWR6NWJueGNYbmFkbwp5MDlhdm5OSGRqbmpvcHNPSkxhd2hzb3RGNWFrL1FLdjYzdU9yVFFlOHlPSWlCZ3JSUzdwejcxbVlhRGNMcXFtCmtmdDVLYnFnMHNZYmo0M09LSm5aZ3crTUtackhoSFJKNi9BcWxOclZML3pFUytHU0ozQ1lSaE5nYXdDQ0Nqd1gKanZYZnkycWFEV2NQbWZaSWVVMVNzdE05THBVRWFQNjJzUVNmb3NEdnZFbUFyUVgwcmd1WGhvZ3pRUFdGWVlEKwo4SUNFYkNFc21hVnN3MzhVUzgzbFlGVCtyTHh3cm5UK1JXSUZ2WFRXbHhCNm5JeWpsOXBhNzlkdU5ocjJxN2RzCjVOU3ZWWHg5UGNqVTQ2VUZ6QnVTbUl0Q0M0Y1NadFRWc3l6ZnpMd2hKbGlqV0czTkp5TnpHUkZQcUpQdTNJUzEKZ3VtKytqdWx4bXZNWm1vM1RqSE5JRm90a0kyd3d3ZUtIcWpYcW9STmwvVnZobE5CaXZRR2gxeGovd0lEQVFBQgpvMW93V0RBU0JnTlZIUkVFQ3pBSmdnZG1iMjh0WW1GeU1CSUdBMVVkRXdFQi93UUlNQVlCQWY4Q0FRQXdEd1lEClZSMFBBUUgvQkFVREF3Zm5nREFkQmdOVkhTVUVGakFVQmdnckJnRUZCUWNEQWdZSUt3WUJCUVVIQXdFd0RRWUoKS29aSWh2Y05BUUVMQlFBRGdnSUJBTDF3RlpTdUw4NTM3aHpUTXhSUWJjcWdEU2F4RUd0ZDJaNTVCcnVWQVloagpxQjR6STd1UVZ2SkNpeXdmQm5BNnZmejh2UDBzdGJJbkVtajh1dS9CSS81NzZqR0tWUWRQSDhqMnQvN1NQWjFKClhBWk9wc1hoVll2RmtpQlhVeW1RMnAvRjFqb2ZRRE1JQ0htdHhRUSthakJQNjBpcnFnVnpsRi95NlQySUgzOHYKbGordndIam52WW5vVmhGNEY0TlE5amp6S3Y1NUhVTk0xUEJKZkFaOTJqeXovczdPMmN2cjhNWlNkT2s5QVk1RQp5RXRlQjBTSjdLS0tUZklBVmVMQzdrRnBHR3FsRkRBNzhPSS9YakNZViswRjk4MHdNOVkxTEVUa3ZMamVSMEFyCnVzZDNIS1Vtd2EwTVEwUTNZNGxma0ZtNjJTclhvcjJURC9WZHpFZWNOTnVmV1VJTVNuaEJDNTVHWjBOTVYvR0QKRXhGZTVWQkhUZEZVNlIwb3JCOVFjVll1Mzk0MEt5NXhkbHNaUHZlMmRJNS9WOXhzY0Zad3cxWWs4K21RK3NVeQp2UVBoL2ZmK0tTQjdVVkdvTVNXUlg3YjFFMGVzZSs4QzZlaVV2OXpDR0VRbkVCcnFIQWxSUDJ2ZzQ0bXFJSnRzCjN2NUt1NW0ySmJoeWNsQVR3VUNQZkN3a2tLRTg0MzZGRitDK0ZUVTJ1OWVpL2t5QTAxYi9zRFl2cWdsS2FWK3MKbEVHRkhjd05Ea2VrS1BFUEZxNkpnZ3R0WlNidE5SMnFadzl3cExIbDVuVlVXdnBGa2hvcW1KVkphK0VBSTQ1LwpqRkh4VG9PMHp1NlBxc1p5SnM2TC84Z3BhbTcwMDV6b0VETVRjcFltMlduMFBKcEg3NE9zUHJVRDVJWVA5ZEt5Ci0tLS0tRU5EIENFUlRJRklDQVRFLS0tLS0K\"\n \ },\n \"securityProfile\": {},\n \"storageProfile\": {\n \"diskCSIDriver\": {\n \"enabled\": true,\n \"version\": \"v1\"\n },\n \"fileCSIDriver\": {\n \"enabled\": true\n },\n \"snapshotController\": {\n \"enabled\": @@ -4601,16 +4723,16 @@ interactions: \ },\n \"workloadAutoScalerProfile\": {}\n },\n \"identity\": {\n \"type\": \"SystemAssigned\",\n \"principalId\":\"00000000-0000-0000-0000-000000000001\",\n \ \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\"\n },\n \"sku\": - {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n }" + {\n \"name\": \"Base\",\n \"tier\": \"Free\"\n }\n }" headers: cache-control: - no-cache content-length: - - '7409' + - '7404' content-type: - application/json date: - - Wed, 04 Jan 2023 07:39:44 GMT + - Fri, 17 Feb 2023 07:42:17 GMT expires: - '-1' pragma: diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_managed_aad.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_managed_aad.yaml index fc65fb3e701..9f46d1133fa 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_managed_aad.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_managed_aad.yaml @@ -80,7 +80,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -563,7 +563,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -657,7 +657,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -780,7 +780,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1167,7 +1167,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_managed_aad_enable_azure_rbac.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_managed_aad_enable_azure_rbac.yaml index 4f728f91282..3a30d9918cd 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_managed_aad_enable_azure_rbac.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_managed_aad_enable_azure_rbac.yaml @@ -80,7 +80,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -612,7 +612,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -706,7 +706,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -829,7 +829,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1216,7 +1216,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1310,7 +1310,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1433,7 +1433,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1820,7 +1820,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_managed_nat_gateway_outbound.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_managed_nat_gateway_outbound.yaml index be537116a7f..1d79e4b533c 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_managed_nat_gateway_outbound.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_managed_nat_gateway_outbound.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -644,7 +644,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -735,7 +735,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -854,7 +854,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1142,7 +1142,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_node_restriction.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_node_restriction.yaml index 56fca24d2fe..4ac2c415ff8 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_node_restriction.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_node_restriction.yaml @@ -1,4 +1,77 @@ interactions: +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - aks get-versions + Connection: + - keep-alive + ParameterSetName: + - -l --query + User-Agent: + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0 Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/orchestrators?api-version=2019-04-01&resource-type=managedClusters + response: + body: + string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/orchestrators\",\n + \ \"name\": \"default\",\n \"type\": \"Microsoft.ContainerService/locations/orchestrators\",\n + \ \"properties\": {\n \"orchestrators\": [\n {\n \"orchestratorType\": + \"Kubernetes\",\n \"orchestratorVersion\": \"1.23.12\",\n \"upgrades\": + [\n {\n \"orchestratorType\": \"Kubernetes\",\n \"orchestratorVersion\": + \"1.23.15\"\n },\n {\n \"orchestratorType\": \"Kubernetes\",\n + \ \"orchestratorVersion\": \"1.24.6\"\n },\n {\n \"orchestratorType\": + \"Kubernetes\",\n \"orchestratorVersion\": \"1.24.9\"\n }\n ]\n + \ },\n {\n \"orchestratorType\": \"Kubernetes\",\n \"orchestratorVersion\": + \"1.23.15\",\n \"upgrades\": [\n {\n \"orchestratorType\": + \"Kubernetes\",\n \"orchestratorVersion\": \"1.24.6\"\n },\n {\n + \ \"orchestratorType\": \"Kubernetes\",\n \"orchestratorVersion\": + \"1.24.9\"\n }\n ]\n },\n {\n \"orchestratorType\": \"Kubernetes\",\n + \ \"orchestratorVersion\": \"1.24.6\",\n \"upgrades\": [\n {\n + \ \"orchestratorType\": \"Kubernetes\",\n \"orchestratorVersion\": + \"1.24.9\"\n },\n {\n \"orchestratorType\": \"Kubernetes\",\n + \ \"orchestratorVersion\": \"1.25.4\"\n },\n {\n \"orchestratorType\": + \"Kubernetes\",\n \"orchestratorVersion\": \"1.25.5\"\n }\n ]\n + \ },\n {\n \"orchestratorType\": \"Kubernetes\",\n \"orchestratorVersion\": + \"1.24.9\",\n \"default\": true,\n \"upgrades\": [\n {\n \"orchestratorType\": + \"Kubernetes\",\n \"orchestratorVersion\": \"1.25.4\"\n },\n {\n + \ \"orchestratorType\": \"Kubernetes\",\n \"orchestratorVersion\": + \"1.25.5\"\n }\n ]\n },\n {\n \"orchestratorType\": \"Kubernetes\",\n + \ \"orchestratorVersion\": \"1.25.4\",\n \"upgrades\": [\n {\n + \ \"orchestratorType\": \"Kubernetes\",\n \"orchestratorVersion\": + \"1.25.5\"\n }\n ]\n },\n {\n \"orchestratorType\": \"Kubernetes\",\n + \ \"orchestratorVersion\": \"1.25.5\"\n }\n ]\n }\n }" + headers: + cache-control: + - no-cache + content-length: + - '2025' + content-type: + - application/json + date: + - Tue, 14 Feb 2023 06:03:24 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK - request: body: null headers: @@ -11,15 +84,15 @@ interactions: Connection: - keep-alive ParameterSetName: - - --resource-group --name --vm-set-type -c --enable-node-restriction --ssh-key-value + - --resource-group --name --vm-set-type -c -k --enable-node-restriction --ssh-key-value -o User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001?api-version=2021-04-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001","name":"clitest000001","type":"Microsoft.Resources/resourceGroups","location":"westus2","tags":{"product":"azurecli","cause":"automation","date":"2022-11-24T09:48:26Z"},"properties":{"provisioningState":"Succeeded"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001","name":"clitest000001","type":"Microsoft.Resources/resourceGroups","location":"westus2","tags":{"product":"azurecli","cause":"automation","date":"2023-02-14T06:03:24Z"},"properties":{"provisioningState":"Succeeded"}}' headers: cache-control: - no-cache @@ -28,7 +101,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Thu, 24 Nov 2022 09:48:27 GMT + - Tue, 14 Feb 2023 06:03:24 GMT expires: - '-1' pragma: @@ -44,15 +117,15 @@ interactions: message: OK - request: body: '{"location": "westus2", "identity": {"type": "SystemAssigned"}, "properties": - {"kubernetesVersion": "", "dnsPrefix": "cliakstest-clitestxsliwwfpa-79a739", + {"kubernetesVersion": "1.23.15", "dnsPrefix": "cliakstest-clitest2ryslgtsn-8ecadf", "agentPoolProfiles": [{"count": 1, "vmSize": "Standard_DS2_v2", "osDiskSizeGB": 0, "workloadRuntime": "OCIContainer", "osType": "Linux", "enableAutoScaling": false, "type": "VirtualMachineScaleSets", "mode": "System", "orchestratorVersion": - "", "upgradeSettings": {}, "enableNodePublicIP": false, "enableCustomCATrust": + "1.23.15", "upgradeSettings": {}, "enableNodePublicIP": false, "enableCustomCATrust": false, "scaleSetPriority": "Regular", "scaleSetEvictionPolicy": "Delete", "spotMaxPrice": -1.0, "nodeTaints": [], "enableEncryptionAtHost": false, "enableUltraSSD": false, "enableFIPS": false, "networkProfile": {}, "name": "nodepool1"}], "linuxProfile": - {"adminUsername": "azureuser", "ssh": {"publicKeys": [{"keyData": "ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQDgwJ1YLtrtaF7seObyf1xaMbixzWbi2HkGaOQ4C7BPyeho2pMacCkJ0qYZa0V+Muv+22BUMr0QNBnzuEYku5uM5AZW2j4fu/cRMp+1HtZHtbGRcHD2a4iMRMfUDXUCefmVhL9WzN3JUzc5sTu2HLEaAtEKAMbT/hOL75vaYug7WFsE7U7eia+E1LFMxXa+z5aKDPLYok4JduYqdALRqElogv8QekQLwjw1kt7IZY9z4krjo4FXPHd5RDIalO0mH4eNYhxbxW6r6M/OQsqxqUAOauFzF9QgU/gFMcIZC4eU2ZbQZMbMH/l+CMAwNK8ccxOEFLSmkZiPVvQ3l1ANjJeN + {"adminUsername": "azureuser", "ssh": {"publicKeys": [{"keyData": "ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCunD1XOvyLfFKYlFhHisarmzQI60c+6AhRLNEPxY5Yc7VPjXaxZN5jufwUjUjE+D+8Hz347RoF6ofPOxI45lsYSHXQMbSskV+hb74BP9CINB/LMkTGtfJdUhCEOHKE84mYBcbRA3ol1mqBjIUknlNpQDWPGEEkwOBb+1Dgo91t2YOXuZjQ8xBjUwnynqM+8PEpdUBAmmgbVP1ujppVe8dU3QL4TAc/iktS+WahwYPVAVCwvowND/3yiosB76HyiKjRkI8iFsjNMVJ1lmB/EaDyGssmEAl2qXtrIk2QlpL6I9bNB08yhbf3EMX5/zR6rCp6htMYStO/duk2mTuODrGV azcli_aks_live_test@example.com\n"}]}}, "addonProfiles": {}, "enableRBAC": true, "enablePodSecurityPolicy": false, "networkProfile": {"networkPlugin": "kubenet", "podCidr": "10.244.0.0/16", "serviceCidr": "10.0.0.0/16", "dnsServiceIP": "10.0.0.10", @@ -69,40 +142,40 @@ interactions: Connection: - keep-alive Content-Length: - - '1639' + - '1653' Content-Type: - application/json ParameterSetName: - - --resource-group --name --vm-set-type -c --enable-node-restriction --ssh-key-value + - --resource-group --name --vm-set-type -c -k --enable-node-restriction --ssh-key-value -o User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n \ \"location\": \"westus2\",\n \"name\": \"cliakstest000002\",\n \"type\": \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": \"Creating\",\n \"powerState\": {\n \"code\": \"Running\"\n },\n \"kubernetesVersion\": - \"1.23.12\",\n \"currentKubernetesVersion\": \"1.23.12\",\n \"dnsPrefix\": - \"cliakstest-clitestxsliwwfpa-79a739\",\n \"fqdn\": \"cliakstest-clitestxsliwwfpa-79a739-083b4938.hcp.westus2.azmk8s.io\",\n - \ \"azurePortalFQDN\": \"cliakstest-clitestxsliwwfpa-79a739-083b4938.portal.hcp.westus2.azmk8s.io\",\n + \"1.23.15\",\n \"currentKubernetesVersion\": \"1.23.15\",\n \"dnsPrefix\": + \"cliakstest-clitest2ryslgtsn-8ecadf\",\n \"fqdn\": \"cliakstest-clitest2ryslgtsn-8ecadf-146ae3d9.hcp.westus2.azmk8s.io\",\n + \ \"azurePortalFQDN\": \"cliakstest-clitest2ryslgtsn-8ecadf-146ae3d9.portal.hcp.westus2.azmk8s.io\",\n \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \"count\": 1,\n \"vmSize\": \"Standard_DS2_v2\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": \"Managed\",\n \"kubeletDiskType\": \"OS\",\n \"workloadRuntime\": \"OCIContainer\",\n \"maxPods\": 110,\n \"type\": \"VirtualMachineScaleSets\",\n \ \"enableAutoScaling\": false,\n \"provisioningState\": \"Creating\",\n \ \"powerState\": {\n \"code\": \"Running\"\n },\n \"orchestratorVersion\": - \"1.23.12\",\n \"currentOrchestratorVersion\": \"1.23.12\",\n \"enableNodePublicIP\": + \"1.23.15\",\n \"currentOrchestratorVersion\": \"1.23.15\",\n \"enableNodePublicIP\": false,\n \"enableCustomCATrust\": false,\n \"mode\": \"System\",\n \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": - \"AKSUbuntu-1804gen2containerd-2022.10.24\",\n \"upgradeSettings\": {},\n + \"AKSUbuntu-1804gen2containerd-2023.01.20\",\n \"upgradeSettings\": {},\n \ \"enableFIPS\": false,\n \"networkProfile\": {}\n }\n ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n \"ssh\": {\n \"publicKeys\": - [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQDgwJ1YLtrtaF7seObyf1xaMbixzWbi2HkGaOQ4C7BPyeho2pMacCkJ0qYZa0V+Muv+22BUMr0QNBnzuEYku5uM5AZW2j4fu/cRMp+1HtZHtbGRcHD2a4iMRMfUDXUCefmVhL9WzN3JUzc5sTu2HLEaAtEKAMbT/hOL75vaYug7WFsE7U7eia+E1LFMxXa+z5aKDPLYok4JduYqdALRqElogv8QekQLwjw1kt7IZY9z4krjo4FXPHd5RDIalO0mH4eNYhxbxW6r6M/OQsqxqUAOauFzF9QgU/gFMcIZC4eU2ZbQZMbMH/l+CMAwNK8ccxOEFLSmkZiPVvQ3l1ANjJeN + [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCunD1XOvyLfFKYlFhHisarmzQI60c+6AhRLNEPxY5Yc7VPjXaxZN5jufwUjUjE+D+8Hz347RoF6ofPOxI45lsYSHXQMbSskV+hb74BP9CINB/LMkTGtfJdUhCEOHKE84mYBcbRA3ol1mqBjIUknlNpQDWPGEEkwOBb+1Dgo91t2YOXuZjQ8xBjUwnynqM+8PEpdUBAmmgbVP1ujppVe8dU3QL4TAc/iktS+WahwYPVAVCwvowND/3yiosB76HyiKjRkI8iFsjNMVJ1lmB/EaDyGssmEAl2qXtrIk2QlpL6I9bNB08yhbf3EMX5/zR6rCp6htMYStO/duk2mTuODrGV azcli_aks_live_test@example.com\\n\"\n }\n ]\n }\n },\n \"servicePrincipalProfile\": {\n \"clientId\":\"00000000-0000-0000-0000-000000000001\"\n },\n \"nodeResourceGroup\": \"MC_clitest000001_cliakstest000002_westus2\",\n \"enableRBAC\": true,\n @@ -122,18 +195,18 @@ interactions: \ },\n \"workloadAutoScalerProfile\": {}\n },\n \"identity\": {\n \"type\": \"SystemAssigned\",\n \"principalId\":\"00000000-0000-0000-0000-000000000001\",\n \ \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\"\n },\n \"sku\": - {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n }" + {\n \"name\": \"Base\",\n \"tier\": \"Free\"\n }\n }" headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/3cd34692-d038-4874-9fa1-c54865f0c28a?api-version=2016-03-30 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/07087be9-8779-44f7-a2e4-d6311fd19da1?api-version=2016-03-30 cache-control: - no-cache content-length: - - '3536' + - '3535' content-type: - application/json date: - - Thu, 24 Nov 2022 09:48:31 GMT + - Tue, 14 Feb 2023 06:03:29 GMT expires: - '-1' pragma: @@ -145,7 +218,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-writes: - - '1198' + - '1199' status: code: 201 message: Created @@ -161,17 +234,66 @@ interactions: Connection: - keep-alive ParameterSetName: - - --resource-group --name --vm-set-type -c --enable-node-restriction --ssh-key-value + - --resource-group --name --vm-set-type -c -k --enable-node-restriction --ssh-key-value + -o + User-Agent: + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/07087be9-8779-44f7-a2e4-d6311fd19da1?api-version=2016-03-30 + response: + body: + string: "{\n \"name\": \"e97b0807-7987-f744-a2e4-d6311fd19da1\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-14T06:03:30.1711344Z\"\n }" + headers: + cache-control: + - no-cache + content-length: + - '126' + content-type: + - application/json + date: + - Tue, 14 Feb 2023 06:04:00 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - aks create + Connection: + - keep-alive + ParameterSetName: + - --resource-group --name --vm-set-type -c -k --enable-node-restriction --ssh-key-value -o User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/3cd34692-d038-4874-9fa1-c54865f0c28a?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/07087be9-8779-44f7-a2e4-d6311fd19da1?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"9246d33c-38d0-7448-9fa1-c54865f0c28a\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-24T09:48:31.0919241Z\"\n }" + string: "{\n \"name\": \"e97b0807-7987-f744-a2e4-d6311fd19da1\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-14T06:03:30.1711344Z\"\n }" headers: cache-control: - no-cache @@ -180,7 +302,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 09:49:01 GMT + - Tue, 14 Feb 2023 06:04:30 GMT expires: - '-1' pragma: @@ -210,17 +332,17 @@ interactions: Connection: - keep-alive ParameterSetName: - - --resource-group --name --vm-set-type -c --enable-node-restriction --ssh-key-value + - --resource-group --name --vm-set-type -c -k --enable-node-restriction --ssh-key-value -o User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/3cd34692-d038-4874-9fa1-c54865f0c28a?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/07087be9-8779-44f7-a2e4-d6311fd19da1?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"9246d33c-38d0-7448-9fa1-c54865f0c28a\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-24T09:48:31.0919241Z\"\n }" + string: "{\n \"name\": \"e97b0807-7987-f744-a2e4-d6311fd19da1\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-14T06:03:30.1711344Z\"\n }" headers: cache-control: - no-cache @@ -229,7 +351,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 09:49:31 GMT + - Tue, 14 Feb 2023 06:05:00 GMT expires: - '-1' pragma: @@ -259,17 +381,17 @@ interactions: Connection: - keep-alive ParameterSetName: - - --resource-group --name --vm-set-type -c --enable-node-restriction --ssh-key-value + - --resource-group --name --vm-set-type -c -k --enable-node-restriction --ssh-key-value -o User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/3cd34692-d038-4874-9fa1-c54865f0c28a?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/07087be9-8779-44f7-a2e4-d6311fd19da1?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"9246d33c-38d0-7448-9fa1-c54865f0c28a\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-24T09:48:31.0919241Z\"\n }" + string: "{\n \"name\": \"e97b0807-7987-f744-a2e4-d6311fd19da1\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-14T06:03:30.1711344Z\"\n }" headers: cache-control: - no-cache @@ -278,7 +400,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 09:50:00 GMT + - Tue, 14 Feb 2023 06:05:30 GMT expires: - '-1' pragma: @@ -308,17 +430,17 @@ interactions: Connection: - keep-alive ParameterSetName: - - --resource-group --name --vm-set-type -c --enable-node-restriction --ssh-key-value + - --resource-group --name --vm-set-type -c -k --enable-node-restriction --ssh-key-value -o User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/3cd34692-d038-4874-9fa1-c54865f0c28a?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/07087be9-8779-44f7-a2e4-d6311fd19da1?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"9246d33c-38d0-7448-9fa1-c54865f0c28a\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-24T09:48:31.0919241Z\"\n }" + string: "{\n \"name\": \"e97b0807-7987-f744-a2e4-d6311fd19da1\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-14T06:03:30.1711344Z\"\n }" headers: cache-control: - no-cache @@ -327,7 +449,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 09:50:30 GMT + - Tue, 14 Feb 2023 06:06:00 GMT expires: - '-1' pragma: @@ -357,17 +479,17 @@ interactions: Connection: - keep-alive ParameterSetName: - - --resource-group --name --vm-set-type -c --enable-node-restriction --ssh-key-value + - --resource-group --name --vm-set-type -c -k --enable-node-restriction --ssh-key-value -o User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/3cd34692-d038-4874-9fa1-c54865f0c28a?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/07087be9-8779-44f7-a2e4-d6311fd19da1?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"9246d33c-38d0-7448-9fa1-c54865f0c28a\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-24T09:48:31.0919241Z\"\n }" + string: "{\n \"name\": \"e97b0807-7987-f744-a2e4-d6311fd19da1\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-14T06:03:30.1711344Z\"\n }" headers: cache-control: - no-cache @@ -376,7 +498,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 09:51:00 GMT + - Tue, 14 Feb 2023 06:06:30 GMT expires: - '-1' pragma: @@ -406,17 +528,17 @@ interactions: Connection: - keep-alive ParameterSetName: - - --resource-group --name --vm-set-type -c --enable-node-restriction --ssh-key-value + - --resource-group --name --vm-set-type -c -k --enable-node-restriction --ssh-key-value -o User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/3cd34692-d038-4874-9fa1-c54865f0c28a?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/07087be9-8779-44f7-a2e4-d6311fd19da1?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"9246d33c-38d0-7448-9fa1-c54865f0c28a\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-24T09:48:31.0919241Z\"\n }" + string: "{\n \"name\": \"e97b0807-7987-f744-a2e4-d6311fd19da1\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-14T06:03:30.1711344Z\"\n }" headers: cache-control: - no-cache @@ -425,7 +547,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 09:51:31 GMT + - Tue, 14 Feb 2023 06:07:00 GMT expires: - '-1' pragma: @@ -455,17 +577,17 @@ interactions: Connection: - keep-alive ParameterSetName: - - --resource-group --name --vm-set-type -c --enable-node-restriction --ssh-key-value + - --resource-group --name --vm-set-type -c -k --enable-node-restriction --ssh-key-value -o User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/3cd34692-d038-4874-9fa1-c54865f0c28a?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/07087be9-8779-44f7-a2e4-d6311fd19da1?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"9246d33c-38d0-7448-9fa1-c54865f0c28a\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-24T09:48:31.0919241Z\"\n }" + string: "{\n \"name\": \"e97b0807-7987-f744-a2e4-d6311fd19da1\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-14T06:03:30.1711344Z\"\n }" headers: cache-control: - no-cache @@ -474,7 +596,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 09:52:01 GMT + - Tue, 14 Feb 2023 06:07:30 GMT expires: - '-1' pragma: @@ -504,17 +626,17 @@ interactions: Connection: - keep-alive ParameterSetName: - - --resource-group --name --vm-set-type -c --enable-node-restriction --ssh-key-value + - --resource-group --name --vm-set-type -c -k --enable-node-restriction --ssh-key-value -o User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/3cd34692-d038-4874-9fa1-c54865f0c28a?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/07087be9-8779-44f7-a2e4-d6311fd19da1?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"9246d33c-38d0-7448-9fa1-c54865f0c28a\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-24T09:48:31.0919241Z\"\n }" + string: "{\n \"name\": \"e97b0807-7987-f744-a2e4-d6311fd19da1\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-14T06:03:30.1711344Z\"\n }" headers: cache-control: - no-cache @@ -523,7 +645,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 09:52:31 GMT + - Tue, 14 Feb 2023 06:08:00 GMT expires: - '-1' pragma: @@ -553,18 +675,18 @@ interactions: Connection: - keep-alive ParameterSetName: - - --resource-group --name --vm-set-type -c --enable-node-restriction --ssh-key-value + - --resource-group --name --vm-set-type -c -k --enable-node-restriction --ssh-key-value -o User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/3cd34692-d038-4874-9fa1-c54865f0c28a?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/07087be9-8779-44f7-a2e4-d6311fd19da1?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"9246d33c-38d0-7448-9fa1-c54865f0c28a\",\n \"status\": - \"Succeeded\",\n \"startTime\": \"2022-11-24T09:48:31.0919241Z\",\n \"endTime\": - \"2022-11-24T09:52:54.3235898Z\"\n }" + string: "{\n \"name\": \"e97b0807-7987-f744-a2e4-d6311fd19da1\",\n \"status\": + \"Succeeded\",\n \"startTime\": \"2023-02-14T06:03:30.1711344Z\",\n \"endTime\": + \"2023-02-14T06:08:15.9812881Z\"\n }" headers: cache-control: - no-cache @@ -573,7 +695,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 09:53:01 GMT + - Tue, 14 Feb 2023 06:08:30 GMT expires: - '-1' pragma: @@ -603,43 +725,43 @@ interactions: Connection: - keep-alive ParameterSetName: - - --resource-group --name --vm-set-type -c --enable-node-restriction --ssh-key-value + - --resource-group --name --vm-set-type -c -k --enable-node-restriction --ssh-key-value -o User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n \ \"location\": \"westus2\",\n \"name\": \"cliakstest000002\",\n \"type\": \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": \"Succeeded\",\n \"powerState\": {\n \"code\": \"Running\"\n },\n \"kubernetesVersion\": - \"1.23.12\",\n \"currentKubernetesVersion\": \"1.23.12\",\n \"dnsPrefix\": - \"cliakstest-clitestxsliwwfpa-79a739\",\n \"fqdn\": \"cliakstest-clitestxsliwwfpa-79a739-083b4938.hcp.westus2.azmk8s.io\",\n - \ \"azurePortalFQDN\": \"cliakstest-clitestxsliwwfpa-79a739-083b4938.portal.hcp.westus2.azmk8s.io\",\n + \"1.23.15\",\n \"currentKubernetesVersion\": \"1.23.15\",\n \"dnsPrefix\": + \"cliakstest-clitest2ryslgtsn-8ecadf\",\n \"fqdn\": \"cliakstest-clitest2ryslgtsn-8ecadf-146ae3d9.hcp.westus2.azmk8s.io\",\n + \ \"azurePortalFQDN\": \"cliakstest-clitest2ryslgtsn-8ecadf-146ae3d9.portal.hcp.westus2.azmk8s.io\",\n \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \"count\": 1,\n \"vmSize\": \"Standard_DS2_v2\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": \"Managed\",\n \"kubeletDiskType\": \"OS\",\n \"workloadRuntime\": \"OCIContainer\",\n \"maxPods\": 110,\n \"type\": \"VirtualMachineScaleSets\",\n \ \"enableAutoScaling\": false,\n \"provisioningState\": \"Succeeded\",\n \ \"powerState\": {\n \"code\": \"Running\"\n },\n \"orchestratorVersion\": - \"1.23.12\",\n \"currentOrchestratorVersion\": \"1.23.12\",\n \"enableNodePublicIP\": + \"1.23.15\",\n \"currentOrchestratorVersion\": \"1.23.15\",\n \"enableNodePublicIP\": false,\n \"enableCustomCATrust\": false,\n \"mode\": \"System\",\n \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": - \"AKSUbuntu-1804gen2containerd-2022.10.24\",\n \"upgradeSettings\": {},\n + \"AKSUbuntu-1804gen2containerd-2023.01.20\",\n \"upgradeSettings\": {},\n \ \"enableFIPS\": false,\n \"networkProfile\": {}\n }\n ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n \"ssh\": {\n \"publicKeys\": - [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQDgwJ1YLtrtaF7seObyf1xaMbixzWbi2HkGaOQ4C7BPyeho2pMacCkJ0qYZa0V+Muv+22BUMr0QNBnzuEYku5uM5AZW2j4fu/cRMp+1HtZHtbGRcHD2a4iMRMfUDXUCefmVhL9WzN3JUzc5sTu2HLEaAtEKAMbT/hOL75vaYug7WFsE7U7eia+E1LFMxXa+z5aKDPLYok4JduYqdALRqElogv8QekQLwjw1kt7IZY9z4krjo4FXPHd5RDIalO0mH4eNYhxbxW6r6M/OQsqxqUAOauFzF9QgU/gFMcIZC4eU2ZbQZMbMH/l+CMAwNK8ccxOEFLSmkZiPVvQ3l1ANjJeN + [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCunD1XOvyLfFKYlFhHisarmzQI60c+6AhRLNEPxY5Yc7VPjXaxZN5jufwUjUjE+D+8Hz347RoF6ofPOxI45lsYSHXQMbSskV+hb74BP9CINB/LMkTGtfJdUhCEOHKE84mYBcbRA3ol1mqBjIUknlNpQDWPGEEkwOBb+1Dgo91t2YOXuZjQ8xBjUwnynqM+8PEpdUBAmmgbVP1ujppVe8dU3QL4TAc/iktS+WahwYPVAVCwvowND/3yiosB76HyiKjRkI8iFsjNMVJ1lmB/EaDyGssmEAl2qXtrIk2QlpL6I9bNB08yhbf3EMX5/zR6rCp6htMYStO/duk2mTuODrGV azcli_aks_live_test@example.com\\n\"\n }\n ]\n }\n },\n \"servicePrincipalProfile\": {\n \"clientId\":\"00000000-0000-0000-0000-000000000001\"\n },\n \"nodeResourceGroup\": \"MC_clitest000001_cliakstest000002_westus2\",\n \"enableRBAC\": true,\n \ \"enablePodSecurityPolicy\": false,\n \"networkProfile\": {\n \"networkPlugin\": \"kubenet\",\n \"loadBalancerSku\": \"Standard\",\n \"loadBalancerProfile\": {\n \"managedOutboundIPs\": {\n \"count\": 1\n },\n \"effectiveOutboundIPs\": - [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/f4176fce-12c6-4af7-b05f-3445afeb33e9\"\n + [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/14255a00-475e-47c3-82dd-0b9612a3be19\"\n \ }\n ],\n \"backendPoolType\": \"nodeIPConfiguration\"\n },\n \ \"podCidr\": \"10.244.0.0/16\",\n \"serviceCidr\": \"10.0.0.0/16\",\n \ \"dnsServiceIP\": \"10.0.0.10\",\n \"dockerBridgeCidr\": \"172.17.0.1/16\",\n @@ -656,16 +778,16 @@ interactions: false\n },\n \"workloadAutoScalerProfile\": {}\n },\n \"identity\": {\n \"type\": \"SystemAssigned\",\n \"principalId\":\"00000000-0000-0000-0000-000000000001\",\n \ \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\"\n },\n \"sku\": - {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n }" + {\n \"name\": \"Base\",\n \"tier\": \"Free\"\n }\n }" headers: cache-control: - no-cache content-length: - - '4189' + - '4188' content-type: - application/json date: - - Thu, 24 Nov 2022 09:53:01 GMT + - Tue, 14 Feb 2023 06:08:31 GMT expires: - '-1' pragma: @@ -697,40 +819,40 @@ interactions: ParameterSetName: - --resource-group --name --disable-node-restriction -o User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n \ \"location\": \"westus2\",\n \"name\": \"cliakstest000002\",\n \"type\": \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": \"Succeeded\",\n \"powerState\": {\n \"code\": \"Running\"\n },\n \"kubernetesVersion\": - \"1.23.12\",\n \"currentKubernetesVersion\": \"1.23.12\",\n \"dnsPrefix\": - \"cliakstest-clitestxsliwwfpa-79a739\",\n \"fqdn\": \"cliakstest-clitestxsliwwfpa-79a739-083b4938.hcp.westus2.azmk8s.io\",\n - \ \"azurePortalFQDN\": \"cliakstest-clitestxsliwwfpa-79a739-083b4938.portal.hcp.westus2.azmk8s.io\",\n + \"1.23.15\",\n \"currentKubernetesVersion\": \"1.23.15\",\n \"dnsPrefix\": + \"cliakstest-clitest2ryslgtsn-8ecadf\",\n \"fqdn\": \"cliakstest-clitest2ryslgtsn-8ecadf-146ae3d9.hcp.westus2.azmk8s.io\",\n + \ \"azurePortalFQDN\": \"cliakstest-clitest2ryslgtsn-8ecadf-146ae3d9.portal.hcp.westus2.azmk8s.io\",\n \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \"count\": 1,\n \"vmSize\": \"Standard_DS2_v2\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": \"Managed\",\n \"kubeletDiskType\": \"OS\",\n \"workloadRuntime\": \"OCIContainer\",\n \"maxPods\": 110,\n \"type\": \"VirtualMachineScaleSets\",\n \ \"enableAutoScaling\": false,\n \"provisioningState\": \"Succeeded\",\n \ \"powerState\": {\n \"code\": \"Running\"\n },\n \"orchestratorVersion\": - \"1.23.12\",\n \"currentOrchestratorVersion\": \"1.23.12\",\n \"enableNodePublicIP\": + \"1.23.15\",\n \"currentOrchestratorVersion\": \"1.23.15\",\n \"enableNodePublicIP\": false,\n \"enableCustomCATrust\": false,\n \"mode\": \"System\",\n \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": - \"AKSUbuntu-1804gen2containerd-2022.10.24\",\n \"upgradeSettings\": {},\n + \"AKSUbuntu-1804gen2containerd-2023.01.20\",\n \"upgradeSettings\": {},\n \ \"enableFIPS\": false,\n \"networkProfile\": {}\n }\n ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n \"ssh\": {\n \"publicKeys\": - [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQDgwJ1YLtrtaF7seObyf1xaMbixzWbi2HkGaOQ4C7BPyeho2pMacCkJ0qYZa0V+Muv+22BUMr0QNBnzuEYku5uM5AZW2j4fu/cRMp+1HtZHtbGRcHD2a4iMRMfUDXUCefmVhL9WzN3JUzc5sTu2HLEaAtEKAMbT/hOL75vaYug7WFsE7U7eia+E1LFMxXa+z5aKDPLYok4JduYqdALRqElogv8QekQLwjw1kt7IZY9z4krjo4FXPHd5RDIalO0mH4eNYhxbxW6r6M/OQsqxqUAOauFzF9QgU/gFMcIZC4eU2ZbQZMbMH/l+CMAwNK8ccxOEFLSmkZiPVvQ3l1ANjJeN + [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCunD1XOvyLfFKYlFhHisarmzQI60c+6AhRLNEPxY5Yc7VPjXaxZN5jufwUjUjE+D+8Hz347RoF6ofPOxI45lsYSHXQMbSskV+hb74BP9CINB/LMkTGtfJdUhCEOHKE84mYBcbRA3ol1mqBjIUknlNpQDWPGEEkwOBb+1Dgo91t2YOXuZjQ8xBjUwnynqM+8PEpdUBAmmgbVP1ujppVe8dU3QL4TAc/iktS+WahwYPVAVCwvowND/3yiosB76HyiKjRkI8iFsjNMVJ1lmB/EaDyGssmEAl2qXtrIk2QlpL6I9bNB08yhbf3EMX5/zR6rCp6htMYStO/duk2mTuODrGV azcli_aks_live_test@example.com\\n\"\n }\n ]\n }\n },\n \"servicePrincipalProfile\": {\n \"clientId\":\"00000000-0000-0000-0000-000000000001\"\n },\n \"nodeResourceGroup\": \"MC_clitest000001_cliakstest000002_westus2\",\n \"enableRBAC\": true,\n \ \"enablePodSecurityPolicy\": false,\n \"networkProfile\": {\n \"networkPlugin\": \"kubenet\",\n \"loadBalancerSku\": \"Standard\",\n \"loadBalancerProfile\": {\n \"managedOutboundIPs\": {\n \"count\": 1\n },\n \"effectiveOutboundIPs\": - [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/f4176fce-12c6-4af7-b05f-3445afeb33e9\"\n + [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/14255a00-475e-47c3-82dd-0b9612a3be19\"\n \ }\n ],\n \"backendPoolType\": \"nodeIPConfiguration\"\n },\n \ \"podCidr\": \"10.244.0.0/16\",\n \"serviceCidr\": \"10.0.0.0/16\",\n \ \"dnsServiceIP\": \"10.0.0.10\",\n \"dockerBridgeCidr\": \"172.17.0.1/16\",\n @@ -747,16 +869,16 @@ interactions: false\n },\n \"workloadAutoScalerProfile\": {}\n },\n \"identity\": {\n \"type\": \"SystemAssigned\",\n \"principalId\":\"00000000-0000-0000-0000-000000000001\",\n \ \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\"\n },\n \"sku\": - {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n }" + {\n \"name\": \"Base\",\n \"tier\": \"Free\"\n }\n }" headers: cache-control: - no-cache content-length: - - '4189' + - '4188' content-type: - application/json date: - - Thu, 24 Nov 2022 09:53:02 GMT + - Tue, 14 Feb 2023 06:08:32 GMT expires: - '-1' pragma: @@ -775,24 +897,24 @@ interactions: code: 200 message: OK - request: - body: '{"location": "westus2", "sku": {"name": "Basic", "tier": "Free"}, "identity": - {"type": "SystemAssigned"}, "properties": {"kubernetesVersion": "1.23.12", "dnsPrefix": - "cliakstest-clitestxsliwwfpa-79a739", "agentPoolProfiles": [{"count": 1, "vmSize": + body: '{"location": "westus2", "sku": {"name": "Base", "tier": "Free"}, "identity": + {"type": "SystemAssigned"}, "properties": {"kubernetesVersion": "1.23.15", "dnsPrefix": + "cliakstest-clitest2ryslgtsn-8ecadf", "agentPoolProfiles": [{"count": 1, "vmSize": "Standard_DS2_v2", "osDiskSizeGB": 128, "osDiskType": "Managed", "kubeletDiskType": "OS", "workloadRuntime": "OCIContainer", "maxPods": 110, "osType": "Linux", "osSKU": "Ubuntu", "enableAutoScaling": false, "type": "VirtualMachineScaleSets", - "mode": "System", "orchestratorVersion": "1.23.12", "upgradeSettings": {}, "powerState": + "mode": "System", "orchestratorVersion": "1.23.15", "upgradeSettings": {}, "powerState": {"code": "Running"}, "enableNodePublicIP": false, "enableCustomCATrust": false, "enableEncryptionAtHost": false, "enableUltraSSD": false, "enableFIPS": false, "networkProfile": {}, "name": "nodepool1"}], "linuxProfile": {"adminUsername": - "azureuser", "ssh": {"publicKeys": [{"keyData": "ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQDgwJ1YLtrtaF7seObyf1xaMbixzWbi2HkGaOQ4C7BPyeho2pMacCkJ0qYZa0V+Muv+22BUMr0QNBnzuEYku5uM5AZW2j4fu/cRMp+1HtZHtbGRcHD2a4iMRMfUDXUCefmVhL9WzN3JUzc5sTu2HLEaAtEKAMbT/hOL75vaYug7WFsE7U7eia+E1LFMxXa+z5aKDPLYok4JduYqdALRqElogv8QekQLwjw1kt7IZY9z4krjo4FXPHd5RDIalO0mH4eNYhxbxW6r6M/OQsqxqUAOauFzF9QgU/gFMcIZC4eU2ZbQZMbMH/l+CMAwNK8ccxOEFLSmkZiPVvQ3l1ANjJeN + "azureuser", "ssh": {"publicKeys": [{"keyData": "ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCunD1XOvyLfFKYlFhHisarmzQI60c+6AhRLNEPxY5Yc7VPjXaxZN5jufwUjUjE+D+8Hz347RoF6ofPOxI45lsYSHXQMbSskV+hb74BP9CINB/LMkTGtfJdUhCEOHKE84mYBcbRA3ol1mqBjIUknlNpQDWPGEEkwOBb+1Dgo91t2YOXuZjQ8xBjUwnynqM+8PEpdUBAmmgbVP1ujppVe8dU3QL4TAc/iktS+WahwYPVAVCwvowND/3yiosB76HyiKjRkI8iFsjNMVJ1lmB/EaDyGssmEAl2qXtrIk2QlpL6I9bNB08yhbf3EMX5/zR6rCp6htMYStO/duk2mTuODrGV azcli_aks_live_test@example.com\n"}]}}, "servicePrincipalProfile": {"clientId":"00000000-0000-0000-0000-000000000001"}, "oidcIssuerProfile": {"enabled": false}, "nodeResourceGroup": "MC_clitest000001_cliakstest000002_westus2", "enableRBAC": true, "enablePodSecurityPolicy": false, "networkProfile": {"networkPlugin": "kubenet", "podCidr": "10.244.0.0/16", "serviceCidr": "10.0.0.0/16", "dnsServiceIP": "10.0.0.10", "dockerBridgeCidr": "172.17.0.1/16", "outboundType": "loadBalancer", "loadBalancerSku": "Standard", "loadBalancerProfile": {"managedOutboundIPs": - {"count": 1, "countIPv6": 0}, "effectiveOutboundIPs": [{"id": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/f4176fce-12c6-4af7-b05f-3445afeb33e9"}], + {"count": 1, "countIPv6": 0}, "effectiveOutboundIPs": [{"id": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/14255a00-475e-47c3-82dd-0b9612a3be19"}], "backendPoolType": "nodeIPConfiguration"}, "podCidrs": ["10.244.0.0/16"], "serviceCidrs": ["10.0.0.0/16"], "ipFamilies": ["IPv4"]}, "identityProfile": {"kubeletidentity": {"resourceId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.ManagedIdentity/userAssignedIdentities/cliakstest000002-agentpool", @@ -809,46 +931,46 @@ interactions: Connection: - keep-alive Content-Length: - - '2702' + - '2701' Content-Type: - application/json ParameterSetName: - --resource-group --name --disable-node-restriction -o User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n \ \"location\": \"westus2\",\n \"name\": \"cliakstest000002\",\n \"type\": \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": \"Updating\",\n \"powerState\": {\n \"code\": \"Running\"\n },\n \"kubernetesVersion\": - \"1.23.12\",\n \"currentKubernetesVersion\": \"1.23.12\",\n \"dnsPrefix\": - \"cliakstest-clitestxsliwwfpa-79a739\",\n \"fqdn\": \"cliakstest-clitestxsliwwfpa-79a739-083b4938.hcp.westus2.azmk8s.io\",\n - \ \"azurePortalFQDN\": \"cliakstest-clitestxsliwwfpa-79a739-083b4938.portal.hcp.westus2.azmk8s.io\",\n + \"1.23.15\",\n \"currentKubernetesVersion\": \"1.23.15\",\n \"dnsPrefix\": + \"cliakstest-clitest2ryslgtsn-8ecadf\",\n \"fqdn\": \"cliakstest-clitest2ryslgtsn-8ecadf-146ae3d9.hcp.westus2.azmk8s.io\",\n + \ \"azurePortalFQDN\": \"cliakstest-clitest2ryslgtsn-8ecadf-146ae3d9.portal.hcp.westus2.azmk8s.io\",\n \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \"count\": 1,\n \"vmSize\": \"Standard_DS2_v2\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": \"Managed\",\n \"kubeletDiskType\": \"OS\",\n \"workloadRuntime\": \"OCIContainer\",\n \"maxPods\": 110,\n \"type\": \"VirtualMachineScaleSets\",\n \ \"enableAutoScaling\": false,\n \"provisioningState\": \"Updating\",\n \ \"powerState\": {\n \"code\": \"Running\"\n },\n \"orchestratorVersion\": - \"1.23.12\",\n \"currentOrchestratorVersion\": \"1.23.12\",\n \"enableNodePublicIP\": + \"1.23.15\",\n \"currentOrchestratorVersion\": \"1.23.15\",\n \"enableNodePublicIP\": false,\n \"enableCustomCATrust\": false,\n \"mode\": \"System\",\n \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": - \"AKSUbuntu-1804gen2containerd-2022.10.24\",\n \"upgradeSettings\": {},\n + \"AKSUbuntu-1804gen2containerd-2023.01.20\",\n \"upgradeSettings\": {},\n \ \"enableFIPS\": false,\n \"networkProfile\": {}\n }\n ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n \"ssh\": {\n \"publicKeys\": - [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQDgwJ1YLtrtaF7seObyf1xaMbixzWbi2HkGaOQ4C7BPyeho2pMacCkJ0qYZa0V+Muv+22BUMr0QNBnzuEYku5uM5AZW2j4fu/cRMp+1HtZHtbGRcHD2a4iMRMfUDXUCefmVhL9WzN3JUzc5sTu2HLEaAtEKAMbT/hOL75vaYug7WFsE7U7eia+E1LFMxXa+z5aKDPLYok4JduYqdALRqElogv8QekQLwjw1kt7IZY9z4krjo4FXPHd5RDIalO0mH4eNYhxbxW6r6M/OQsqxqUAOauFzF9QgU/gFMcIZC4eU2ZbQZMbMH/l+CMAwNK8ccxOEFLSmkZiPVvQ3l1ANjJeN + [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCunD1XOvyLfFKYlFhHisarmzQI60c+6AhRLNEPxY5Yc7VPjXaxZN5jufwUjUjE+D+8Hz347RoF6ofPOxI45lsYSHXQMbSskV+hb74BP9CINB/LMkTGtfJdUhCEOHKE84mYBcbRA3ol1mqBjIUknlNpQDWPGEEkwOBb+1Dgo91t2YOXuZjQ8xBjUwnynqM+8PEpdUBAmmgbVP1ujppVe8dU3QL4TAc/iktS+WahwYPVAVCwvowND/3yiosB76HyiKjRkI8iFsjNMVJ1lmB/EaDyGssmEAl2qXtrIk2QlpL6I9bNB08yhbf3EMX5/zR6rCp6htMYStO/duk2mTuODrGV azcli_aks_live_test@example.com\\n\"\n }\n ]\n }\n },\n \"servicePrincipalProfile\": {\n \"clientId\":\"00000000-0000-0000-0000-000000000001\"\n },\n \"nodeResourceGroup\": \"MC_clitest000001_cliakstest000002_westus2\",\n \"enableRBAC\": true,\n \ \"enablePodSecurityPolicy\": false,\n \"networkProfile\": {\n \"networkPlugin\": \"kubenet\",\n \"loadBalancerSku\": \"Standard\",\n \"loadBalancerProfile\": {\n \"managedOutboundIPs\": {\n \"count\": 1\n },\n \"effectiveOutboundIPs\": - [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/f4176fce-12c6-4af7-b05f-3445afeb33e9\"\n + [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/14255a00-475e-47c3-82dd-0b9612a3be19\"\n \ }\n ],\n \"backendPoolType\": \"nodeIPConfiguration\"\n },\n \ \"podCidr\": \"10.244.0.0/16\",\n \"serviceCidr\": \"10.0.0.0/16\",\n \ \"dnsServiceIP\": \"10.0.0.10\",\n \"dockerBridgeCidr\": \"172.17.0.1/16\",\n @@ -865,18 +987,18 @@ interactions: false\n },\n \"workloadAutoScalerProfile\": {}\n },\n \"identity\": {\n \"type\": \"SystemAssigned\",\n \"principalId\":\"00000000-0000-0000-0000-000000000001\",\n \ \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\"\n },\n \"sku\": - {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n }" + {\n \"name\": \"Base\",\n \"tier\": \"Free\"\n }\n }" headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/b1d1738b-2a27-4d74-b1df-f8ca8682d52a?api-version=2016-03-30 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/01c72c24-7cf0-44a2-a051-bb4a8f6a9d62?api-version=2016-03-30 cache-control: - no-cache content-length: - - '4188' + - '4187' content-type: - application/json date: - - Thu, 24 Nov 2022 09:53:04 GMT + - Tue, 14 Feb 2023 06:08:35 GMT expires: - '-1' pragma: @@ -892,7 +1014,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-writes: - - '1192' + - '1199' status: code: 200 message: OK @@ -910,14 +1032,14 @@ interactions: ParameterSetName: - --resource-group --name --disable-node-restriction -o User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/b1d1738b-2a27-4d74-b1df-f8ca8682d52a?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/01c72c24-7cf0-44a2-a051-bb4a8f6a9d62?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"8b73d1b1-272a-744d-b1df-f8ca8682d52a\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-24T09:53:05.2345613Z\"\n }" + string: "{\n \"name\": \"242cc701-f07c-a244-a051-bb4a8f6a9d62\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-14T06:08:35.8785474Z\"\n }" headers: cache-control: - no-cache @@ -926,7 +1048,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 09:53:34 GMT + - Tue, 14 Feb 2023 06:09:05 GMT expires: - '-1' pragma: @@ -958,14 +1080,14 @@ interactions: ParameterSetName: - --resource-group --name --disable-node-restriction -o User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/b1d1738b-2a27-4d74-b1df-f8ca8682d52a?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/01c72c24-7cf0-44a2-a051-bb4a8f6a9d62?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"8b73d1b1-272a-744d-b1df-f8ca8682d52a\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-24T09:53:05.2345613Z\"\n }" + string: "{\n \"name\": \"242cc701-f07c-a244-a051-bb4a8f6a9d62\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-14T06:08:35.8785474Z\"\n }" headers: cache-control: - no-cache @@ -974,7 +1096,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 09:54:04 GMT + - Tue, 14 Feb 2023 06:09:35 GMT expires: - '-1' pragma: @@ -1006,14 +1128,14 @@ interactions: ParameterSetName: - --resource-group --name --disable-node-restriction -o User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/b1d1738b-2a27-4d74-b1df-f8ca8682d52a?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/01c72c24-7cf0-44a2-a051-bb4a8f6a9d62?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"8b73d1b1-272a-744d-b1df-f8ca8682d52a\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-24T09:53:05.2345613Z\"\n }" + string: "{\n \"name\": \"242cc701-f07c-a244-a051-bb4a8f6a9d62\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-14T06:08:35.8785474Z\"\n }" headers: cache-control: - no-cache @@ -1022,7 +1144,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 09:54:34 GMT + - Tue, 14 Feb 2023 06:10:05 GMT expires: - '-1' pragma: @@ -1054,15 +1176,63 @@ interactions: ParameterSetName: - --resource-group --name --disable-node-restriction -o User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/b1d1738b-2a27-4d74-b1df-f8ca8682d52a?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/01c72c24-7cf0-44a2-a051-bb4a8f6a9d62?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"8b73d1b1-272a-744d-b1df-f8ca8682d52a\",\n \"status\": - \"Succeeded\",\n \"startTime\": \"2022-11-24T09:53:05.2345613Z\",\n \"endTime\": - \"2022-11-24T09:54:45.8316028Z\"\n }" + string: "{\n \"name\": \"242cc701-f07c-a244-a051-bb4a8f6a9d62\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-14T06:08:35.8785474Z\"\n }" + headers: + cache-control: + - no-cache + content-length: + - '126' + content-type: + - application/json + date: + - Tue, 14 Feb 2023 06:10:36 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - aks update + Connection: + - keep-alive + ParameterSetName: + - --resource-group --name --disable-node-restriction -o + User-Agent: + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/01c72c24-7cf0-44a2-a051-bb4a8f6a9d62?api-version=2016-03-30 + response: + body: + string: "{\n \"name\": \"242cc701-f07c-a244-a051-bb4a8f6a9d62\",\n \"status\": + \"Succeeded\",\n \"startTime\": \"2023-02-14T06:08:35.8785474Z\",\n \"endTime\": + \"2023-02-14T06:10:38.5913907Z\"\n }" headers: cache-control: - no-cache @@ -1071,7 +1241,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 09:55:04 GMT + - Tue, 14 Feb 2023 06:11:06 GMT expires: - '-1' pragma: @@ -1103,40 +1273,40 @@ interactions: ParameterSetName: - --resource-group --name --disable-node-restriction -o User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n \ \"location\": \"westus2\",\n \"name\": \"cliakstest000002\",\n \"type\": \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": \"Succeeded\",\n \"powerState\": {\n \"code\": \"Running\"\n },\n \"kubernetesVersion\": - \"1.23.12\",\n \"currentKubernetesVersion\": \"1.23.12\",\n \"dnsPrefix\": - \"cliakstest-clitestxsliwwfpa-79a739\",\n \"fqdn\": \"cliakstest-clitestxsliwwfpa-79a739-083b4938.hcp.westus2.azmk8s.io\",\n - \ \"azurePortalFQDN\": \"cliakstest-clitestxsliwwfpa-79a739-083b4938.portal.hcp.westus2.azmk8s.io\",\n + \"1.23.15\",\n \"currentKubernetesVersion\": \"1.23.15\",\n \"dnsPrefix\": + \"cliakstest-clitest2ryslgtsn-8ecadf\",\n \"fqdn\": \"cliakstest-clitest2ryslgtsn-8ecadf-146ae3d9.hcp.westus2.azmk8s.io\",\n + \ \"azurePortalFQDN\": \"cliakstest-clitest2ryslgtsn-8ecadf-146ae3d9.portal.hcp.westus2.azmk8s.io\",\n \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \"count\": 1,\n \"vmSize\": \"Standard_DS2_v2\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": \"Managed\",\n \"kubeletDiskType\": \"OS\",\n \"workloadRuntime\": \"OCIContainer\",\n \"maxPods\": 110,\n \"type\": \"VirtualMachineScaleSets\",\n \ \"enableAutoScaling\": false,\n \"provisioningState\": \"Succeeded\",\n \ \"powerState\": {\n \"code\": \"Running\"\n },\n \"orchestratorVersion\": - \"1.23.12\",\n \"currentOrchestratorVersion\": \"1.23.12\",\n \"enableNodePublicIP\": + \"1.23.15\",\n \"currentOrchestratorVersion\": \"1.23.15\",\n \"enableNodePublicIP\": false,\n \"enableCustomCATrust\": false,\n \"mode\": \"System\",\n \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": - \"AKSUbuntu-1804gen2containerd-2022.10.24\",\n \"upgradeSettings\": {},\n + \"AKSUbuntu-1804gen2containerd-2023.01.20\",\n \"upgradeSettings\": {},\n \ \"enableFIPS\": false,\n \"networkProfile\": {}\n }\n ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n \"ssh\": {\n \"publicKeys\": - [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQDgwJ1YLtrtaF7seObyf1xaMbixzWbi2HkGaOQ4C7BPyeho2pMacCkJ0qYZa0V+Muv+22BUMr0QNBnzuEYku5uM5AZW2j4fu/cRMp+1HtZHtbGRcHD2a4iMRMfUDXUCefmVhL9WzN3JUzc5sTu2HLEaAtEKAMbT/hOL75vaYug7WFsE7U7eia+E1LFMxXa+z5aKDPLYok4JduYqdALRqElogv8QekQLwjw1kt7IZY9z4krjo4FXPHd5RDIalO0mH4eNYhxbxW6r6M/OQsqxqUAOauFzF9QgU/gFMcIZC4eU2ZbQZMbMH/l+CMAwNK8ccxOEFLSmkZiPVvQ3l1ANjJeN + [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCunD1XOvyLfFKYlFhHisarmzQI60c+6AhRLNEPxY5Yc7VPjXaxZN5jufwUjUjE+D+8Hz347RoF6ofPOxI45lsYSHXQMbSskV+hb74BP9CINB/LMkTGtfJdUhCEOHKE84mYBcbRA3ol1mqBjIUknlNpQDWPGEEkwOBb+1Dgo91t2YOXuZjQ8xBjUwnynqM+8PEpdUBAmmgbVP1ujppVe8dU3QL4TAc/iktS+WahwYPVAVCwvowND/3yiosB76HyiKjRkI8iFsjNMVJ1lmB/EaDyGssmEAl2qXtrIk2QlpL6I9bNB08yhbf3EMX5/zR6rCp6htMYStO/duk2mTuODrGV azcli_aks_live_test@example.com\\n\"\n }\n ]\n }\n },\n \"servicePrincipalProfile\": {\n \"clientId\":\"00000000-0000-0000-0000-000000000001\"\n },\n \"nodeResourceGroup\": \"MC_clitest000001_cliakstest000002_westus2\",\n \"enableRBAC\": true,\n \ \"enablePodSecurityPolicy\": false,\n \"networkProfile\": {\n \"networkPlugin\": \"kubenet\",\n \"loadBalancerSku\": \"Standard\",\n \"loadBalancerProfile\": {\n \"managedOutboundIPs\": {\n \"count\": 1\n },\n \"effectiveOutboundIPs\": - [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/f4176fce-12c6-4af7-b05f-3445afeb33e9\"\n + [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/14255a00-475e-47c3-82dd-0b9612a3be19\"\n \ }\n ],\n \"backendPoolType\": \"nodeIPConfiguration\"\n },\n \ \"podCidr\": \"10.244.0.0/16\",\n \"serviceCidr\": \"10.0.0.0/16\",\n \ \"dnsServiceIP\": \"10.0.0.10\",\n \"dockerBridgeCidr\": \"172.17.0.1/16\",\n @@ -1153,16 +1323,16 @@ interactions: false\n },\n \"workloadAutoScalerProfile\": {}\n },\n \"identity\": {\n \"type\": \"SystemAssigned\",\n \"principalId\":\"00000000-0000-0000-0000-000000000001\",\n \ \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\"\n },\n \"sku\": - {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n }" + {\n \"name\": \"Base\",\n \"tier\": \"Free\"\n }\n }" headers: cache-control: - no-cache content-length: - - '4190' + - '4189' content-type: - application/json date: - - Thu, 24 Nov 2022 09:55:05 GMT + - Tue, 14 Feb 2023 06:11:07 GMT expires: - '-1' pragma: @@ -1194,40 +1364,40 @@ interactions: ParameterSetName: - --resource-group --name --enable-node-restriction -o User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n \ \"location\": \"westus2\",\n \"name\": \"cliakstest000002\",\n \"type\": \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": \"Succeeded\",\n \"powerState\": {\n \"code\": \"Running\"\n },\n \"kubernetesVersion\": - \"1.23.12\",\n \"currentKubernetesVersion\": \"1.23.12\",\n \"dnsPrefix\": - \"cliakstest-clitestxsliwwfpa-79a739\",\n \"fqdn\": \"cliakstest-clitestxsliwwfpa-79a739-083b4938.hcp.westus2.azmk8s.io\",\n - \ \"azurePortalFQDN\": \"cliakstest-clitestxsliwwfpa-79a739-083b4938.portal.hcp.westus2.azmk8s.io\",\n + \"1.23.15\",\n \"currentKubernetesVersion\": \"1.23.15\",\n \"dnsPrefix\": + \"cliakstest-clitest2ryslgtsn-8ecadf\",\n \"fqdn\": \"cliakstest-clitest2ryslgtsn-8ecadf-146ae3d9.hcp.westus2.azmk8s.io\",\n + \ \"azurePortalFQDN\": \"cliakstest-clitest2ryslgtsn-8ecadf-146ae3d9.portal.hcp.westus2.azmk8s.io\",\n \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \"count\": 1,\n \"vmSize\": \"Standard_DS2_v2\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": \"Managed\",\n \"kubeletDiskType\": \"OS\",\n \"workloadRuntime\": \"OCIContainer\",\n \"maxPods\": 110,\n \"type\": \"VirtualMachineScaleSets\",\n \ \"enableAutoScaling\": false,\n \"provisioningState\": \"Succeeded\",\n \ \"powerState\": {\n \"code\": \"Running\"\n },\n \"orchestratorVersion\": - \"1.23.12\",\n \"currentOrchestratorVersion\": \"1.23.12\",\n \"enableNodePublicIP\": + \"1.23.15\",\n \"currentOrchestratorVersion\": \"1.23.15\",\n \"enableNodePublicIP\": false,\n \"enableCustomCATrust\": false,\n \"mode\": \"System\",\n \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": - \"AKSUbuntu-1804gen2containerd-2022.10.24\",\n \"upgradeSettings\": {},\n + \"AKSUbuntu-1804gen2containerd-2023.01.20\",\n \"upgradeSettings\": {},\n \ \"enableFIPS\": false,\n \"networkProfile\": {}\n }\n ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n \"ssh\": {\n \"publicKeys\": - [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQDgwJ1YLtrtaF7seObyf1xaMbixzWbi2HkGaOQ4C7BPyeho2pMacCkJ0qYZa0V+Muv+22BUMr0QNBnzuEYku5uM5AZW2j4fu/cRMp+1HtZHtbGRcHD2a4iMRMfUDXUCefmVhL9WzN3JUzc5sTu2HLEaAtEKAMbT/hOL75vaYug7WFsE7U7eia+E1LFMxXa+z5aKDPLYok4JduYqdALRqElogv8QekQLwjw1kt7IZY9z4krjo4FXPHd5RDIalO0mH4eNYhxbxW6r6M/OQsqxqUAOauFzF9QgU/gFMcIZC4eU2ZbQZMbMH/l+CMAwNK8ccxOEFLSmkZiPVvQ3l1ANjJeN + [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCunD1XOvyLfFKYlFhHisarmzQI60c+6AhRLNEPxY5Yc7VPjXaxZN5jufwUjUjE+D+8Hz347RoF6ofPOxI45lsYSHXQMbSskV+hb74BP9CINB/LMkTGtfJdUhCEOHKE84mYBcbRA3ol1mqBjIUknlNpQDWPGEEkwOBb+1Dgo91t2YOXuZjQ8xBjUwnynqM+8PEpdUBAmmgbVP1ujppVe8dU3QL4TAc/iktS+WahwYPVAVCwvowND/3yiosB76HyiKjRkI8iFsjNMVJ1lmB/EaDyGssmEAl2qXtrIk2QlpL6I9bNB08yhbf3EMX5/zR6rCp6htMYStO/duk2mTuODrGV azcli_aks_live_test@example.com\\n\"\n }\n ]\n }\n },\n \"servicePrincipalProfile\": {\n \"clientId\":\"00000000-0000-0000-0000-000000000001\"\n },\n \"nodeResourceGroup\": \"MC_clitest000001_cliakstest000002_westus2\",\n \"enableRBAC\": true,\n \ \"enablePodSecurityPolicy\": false,\n \"networkProfile\": {\n \"networkPlugin\": \"kubenet\",\n \"loadBalancerSku\": \"Standard\",\n \"loadBalancerProfile\": {\n \"managedOutboundIPs\": {\n \"count\": 1\n },\n \"effectiveOutboundIPs\": - [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/f4176fce-12c6-4af7-b05f-3445afeb33e9\"\n + [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/14255a00-475e-47c3-82dd-0b9612a3be19\"\n \ }\n ],\n \"backendPoolType\": \"nodeIPConfiguration\"\n },\n \ \"podCidr\": \"10.244.0.0/16\",\n \"serviceCidr\": \"10.0.0.0/16\",\n \ \"dnsServiceIP\": \"10.0.0.10\",\n \"dockerBridgeCidr\": \"172.17.0.1/16\",\n @@ -1244,16 +1414,16 @@ interactions: false\n },\n \"workloadAutoScalerProfile\": {}\n },\n \"identity\": {\n \"type\": \"SystemAssigned\",\n \"principalId\":\"00000000-0000-0000-0000-000000000001\",\n \ \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\"\n },\n \"sku\": - {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n }" + {\n \"name\": \"Base\",\n \"tier\": \"Free\"\n }\n }" headers: cache-control: - no-cache content-length: - - '4190' + - '4189' content-type: - application/json date: - - Thu, 24 Nov 2022 09:55:06 GMT + - Tue, 14 Feb 2023 06:11:07 GMT expires: - '-1' pragma: @@ -1272,24 +1442,24 @@ interactions: code: 200 message: OK - request: - body: '{"location": "westus2", "sku": {"name": "Basic", "tier": "Free"}, "identity": - {"type": "SystemAssigned"}, "properties": {"kubernetesVersion": "1.23.12", "dnsPrefix": - "cliakstest-clitestxsliwwfpa-79a739", "agentPoolProfiles": [{"count": 1, "vmSize": + body: '{"location": "westus2", "sku": {"name": "Base", "tier": "Free"}, "identity": + {"type": "SystemAssigned"}, "properties": {"kubernetesVersion": "1.23.15", "dnsPrefix": + "cliakstest-clitest2ryslgtsn-8ecadf", "agentPoolProfiles": [{"count": 1, "vmSize": "Standard_DS2_v2", "osDiskSizeGB": 128, "osDiskType": "Managed", "kubeletDiskType": "OS", "workloadRuntime": "OCIContainer", "maxPods": 110, "osType": "Linux", "osSKU": "Ubuntu", "enableAutoScaling": false, "type": "VirtualMachineScaleSets", - "mode": "System", "orchestratorVersion": "1.23.12", "upgradeSettings": {}, "powerState": + "mode": "System", "orchestratorVersion": "1.23.15", "upgradeSettings": {}, "powerState": {"code": "Running"}, "enableNodePublicIP": false, "enableCustomCATrust": false, "enableEncryptionAtHost": false, "enableUltraSSD": false, "enableFIPS": false, "networkProfile": {}, "name": "nodepool1"}], "linuxProfile": {"adminUsername": - "azureuser", "ssh": {"publicKeys": [{"keyData": "ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQDgwJ1YLtrtaF7seObyf1xaMbixzWbi2HkGaOQ4C7BPyeho2pMacCkJ0qYZa0V+Muv+22BUMr0QNBnzuEYku5uM5AZW2j4fu/cRMp+1HtZHtbGRcHD2a4iMRMfUDXUCefmVhL9WzN3JUzc5sTu2HLEaAtEKAMbT/hOL75vaYug7WFsE7U7eia+E1LFMxXa+z5aKDPLYok4JduYqdALRqElogv8QekQLwjw1kt7IZY9z4krjo4FXPHd5RDIalO0mH4eNYhxbxW6r6M/OQsqxqUAOauFzF9QgU/gFMcIZC4eU2ZbQZMbMH/l+CMAwNK8ccxOEFLSmkZiPVvQ3l1ANjJeN + "azureuser", "ssh": {"publicKeys": [{"keyData": "ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCunD1XOvyLfFKYlFhHisarmzQI60c+6AhRLNEPxY5Yc7VPjXaxZN5jufwUjUjE+D+8Hz347RoF6ofPOxI45lsYSHXQMbSskV+hb74BP9CINB/LMkTGtfJdUhCEOHKE84mYBcbRA3ol1mqBjIUknlNpQDWPGEEkwOBb+1Dgo91t2YOXuZjQ8xBjUwnynqM+8PEpdUBAmmgbVP1ujppVe8dU3QL4TAc/iktS+WahwYPVAVCwvowND/3yiosB76HyiKjRkI8iFsjNMVJ1lmB/EaDyGssmEAl2qXtrIk2QlpL6I9bNB08yhbf3EMX5/zR6rCp6htMYStO/duk2mTuODrGV azcli_aks_live_test@example.com\n"}]}}, "servicePrincipalProfile": {"clientId":"00000000-0000-0000-0000-000000000001"}, "oidcIssuerProfile": {"enabled": false}, "nodeResourceGroup": "MC_clitest000001_cliakstest000002_westus2", "enableRBAC": true, "enablePodSecurityPolicy": false, "networkProfile": {"networkPlugin": "kubenet", "podCidr": "10.244.0.0/16", "serviceCidr": "10.0.0.0/16", "dnsServiceIP": "10.0.0.10", "dockerBridgeCidr": "172.17.0.1/16", "outboundType": "loadBalancer", "loadBalancerSku": "Standard", "loadBalancerProfile": {"managedOutboundIPs": - {"count": 1, "countIPv6": 0}, "effectiveOutboundIPs": [{"id": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/f4176fce-12c6-4af7-b05f-3445afeb33e9"}], + {"count": 1, "countIPv6": 0}, "effectiveOutboundIPs": [{"id": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/14255a00-475e-47c3-82dd-0b9612a3be19"}], "backendPoolType": "nodeIPConfiguration"}, "podCidrs": ["10.244.0.0/16"], "serviceCidrs": ["10.0.0.0/16"], "ipFamilies": ["IPv4"]}, "identityProfile": {"kubeletidentity": {"resourceId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.ManagedIdentity/userAssignedIdentities/cliakstest000002-agentpool", @@ -1306,46 +1476,46 @@ interactions: Connection: - keep-alive Content-Length: - - '2701' + - '2700' Content-Type: - application/json ParameterSetName: - --resource-group --name --enable-node-restriction -o User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n \ \"location\": \"westus2\",\n \"name\": \"cliakstest000002\",\n \"type\": \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": \"Updating\",\n \"powerState\": {\n \"code\": \"Running\"\n },\n \"kubernetesVersion\": - \"1.23.12\",\n \"currentKubernetesVersion\": \"1.23.12\",\n \"dnsPrefix\": - \"cliakstest-clitestxsliwwfpa-79a739\",\n \"fqdn\": \"cliakstest-clitestxsliwwfpa-79a739-083b4938.hcp.westus2.azmk8s.io\",\n - \ \"azurePortalFQDN\": \"cliakstest-clitestxsliwwfpa-79a739-083b4938.portal.hcp.westus2.azmk8s.io\",\n + \"1.23.15\",\n \"currentKubernetesVersion\": \"1.23.15\",\n \"dnsPrefix\": + \"cliakstest-clitest2ryslgtsn-8ecadf\",\n \"fqdn\": \"cliakstest-clitest2ryslgtsn-8ecadf-146ae3d9.hcp.westus2.azmk8s.io\",\n + \ \"azurePortalFQDN\": \"cliakstest-clitest2ryslgtsn-8ecadf-146ae3d9.portal.hcp.westus2.azmk8s.io\",\n \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \"count\": 1,\n \"vmSize\": \"Standard_DS2_v2\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": \"Managed\",\n \"kubeletDiskType\": \"OS\",\n \"workloadRuntime\": \"OCIContainer\",\n \"maxPods\": 110,\n \"type\": \"VirtualMachineScaleSets\",\n \ \"enableAutoScaling\": false,\n \"provisioningState\": \"Updating\",\n \ \"powerState\": {\n \"code\": \"Running\"\n },\n \"orchestratorVersion\": - \"1.23.12\",\n \"currentOrchestratorVersion\": \"1.23.12\",\n \"enableNodePublicIP\": + \"1.23.15\",\n \"currentOrchestratorVersion\": \"1.23.15\",\n \"enableNodePublicIP\": false,\n \"enableCustomCATrust\": false,\n \"mode\": \"System\",\n \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": - \"AKSUbuntu-1804gen2containerd-2022.10.24\",\n \"upgradeSettings\": {},\n + \"AKSUbuntu-1804gen2containerd-2023.01.20\",\n \"upgradeSettings\": {},\n \ \"enableFIPS\": false,\n \"networkProfile\": {}\n }\n ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n \"ssh\": {\n \"publicKeys\": - [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQDgwJ1YLtrtaF7seObyf1xaMbixzWbi2HkGaOQ4C7BPyeho2pMacCkJ0qYZa0V+Muv+22BUMr0QNBnzuEYku5uM5AZW2j4fu/cRMp+1HtZHtbGRcHD2a4iMRMfUDXUCefmVhL9WzN3JUzc5sTu2HLEaAtEKAMbT/hOL75vaYug7WFsE7U7eia+E1LFMxXa+z5aKDPLYok4JduYqdALRqElogv8QekQLwjw1kt7IZY9z4krjo4FXPHd5RDIalO0mH4eNYhxbxW6r6M/OQsqxqUAOauFzF9QgU/gFMcIZC4eU2ZbQZMbMH/l+CMAwNK8ccxOEFLSmkZiPVvQ3l1ANjJeN + [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCunD1XOvyLfFKYlFhHisarmzQI60c+6AhRLNEPxY5Yc7VPjXaxZN5jufwUjUjE+D+8Hz347RoF6ofPOxI45lsYSHXQMbSskV+hb74BP9CINB/LMkTGtfJdUhCEOHKE84mYBcbRA3ol1mqBjIUknlNpQDWPGEEkwOBb+1Dgo91t2YOXuZjQ8xBjUwnynqM+8PEpdUBAmmgbVP1ujppVe8dU3QL4TAc/iktS+WahwYPVAVCwvowND/3yiosB76HyiKjRkI8iFsjNMVJ1lmB/EaDyGssmEAl2qXtrIk2QlpL6I9bNB08yhbf3EMX5/zR6rCp6htMYStO/duk2mTuODrGV azcli_aks_live_test@example.com\\n\"\n }\n ]\n }\n },\n \"servicePrincipalProfile\": {\n \"clientId\":\"00000000-0000-0000-0000-000000000001\"\n },\n \"nodeResourceGroup\": \"MC_clitest000001_cliakstest000002_westus2\",\n \"enableRBAC\": true,\n \ \"enablePodSecurityPolicy\": false,\n \"networkProfile\": {\n \"networkPlugin\": \"kubenet\",\n \"loadBalancerSku\": \"Standard\",\n \"loadBalancerProfile\": {\n \"managedOutboundIPs\": {\n \"count\": 1\n },\n \"effectiveOutboundIPs\": - [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/f4176fce-12c6-4af7-b05f-3445afeb33e9\"\n + [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/14255a00-475e-47c3-82dd-0b9612a3be19\"\n \ }\n ],\n \"backendPoolType\": \"nodeIPConfiguration\"\n },\n \ \"podCidr\": \"10.244.0.0/16\",\n \"serviceCidr\": \"10.0.0.0/16\",\n \ \"dnsServiceIP\": \"10.0.0.10\",\n \"dockerBridgeCidr\": \"172.17.0.1/16\",\n @@ -1362,18 +1532,18 @@ interactions: false\n },\n \"workloadAutoScalerProfile\": {}\n },\n \"identity\": {\n \"type\": \"SystemAssigned\",\n \"principalId\":\"00000000-0000-0000-0000-000000000001\",\n \ \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\"\n },\n \"sku\": - {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n }" + {\n \"name\": \"Base\",\n \"tier\": \"Free\"\n }\n }" headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/b9691ef1-d706-4ad9-90ca-0c19df95bae9?api-version=2016-03-30 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/754233d1-621c-47d3-b7ff-686094c7e0ff?api-version=2016-03-30 cache-control: - no-cache content-length: - - '4187' + - '4186' content-type: - application/json date: - - Thu, 24 Nov 2022 09:55:09 GMT + - Tue, 14 Feb 2023 06:11:11 GMT expires: - '-1' pragma: @@ -1389,7 +1559,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-writes: - - '1199' + - '1198' status: code: 200 message: OK @@ -1407,14 +1577,14 @@ interactions: ParameterSetName: - --resource-group --name --enable-node-restriction -o User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/b9691ef1-d706-4ad9-90ca-0c19df95bae9?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/754233d1-621c-47d3-b7ff-686094c7e0ff?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"f11e69b9-06d7-d94a-90ca-0c19df95bae9\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-24T09:55:10.5082161Z\"\n }" + string: "{\n \"name\": \"d1334275-1c62-d347-b7ff-686094c7e0ff\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-14T06:11:11.3575366Z\"\n }" headers: cache-control: - no-cache @@ -1423,7 +1593,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 09:55:40 GMT + - Tue, 14 Feb 2023 06:11:41 GMT expires: - '-1' pragma: @@ -1455,14 +1625,14 @@ interactions: ParameterSetName: - --resource-group --name --enable-node-restriction -o User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/b9691ef1-d706-4ad9-90ca-0c19df95bae9?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/754233d1-621c-47d3-b7ff-686094c7e0ff?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"f11e69b9-06d7-d94a-90ca-0c19df95bae9\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-24T09:55:10.5082161Z\"\n }" + string: "{\n \"name\": \"d1334275-1c62-d347-b7ff-686094c7e0ff\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-14T06:11:11.3575366Z\"\n }" headers: cache-control: - no-cache @@ -1471,7 +1641,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 09:56:09 GMT + - Tue, 14 Feb 2023 06:12:11 GMT expires: - '-1' pragma: @@ -1503,14 +1673,14 @@ interactions: ParameterSetName: - --resource-group --name --enable-node-restriction -o User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/b9691ef1-d706-4ad9-90ca-0c19df95bae9?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/754233d1-621c-47d3-b7ff-686094c7e0ff?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"f11e69b9-06d7-d94a-90ca-0c19df95bae9\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-24T09:55:10.5082161Z\"\n }" + string: "{\n \"name\": \"d1334275-1c62-d347-b7ff-686094c7e0ff\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-14T06:11:11.3575366Z\"\n }" headers: cache-control: - no-cache @@ -1519,7 +1689,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 09:56:40 GMT + - Tue, 14 Feb 2023 06:12:41 GMT expires: - '-1' pragma: @@ -1551,15 +1721,63 @@ interactions: ParameterSetName: - --resource-group --name --enable-node-restriction -o User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/b9691ef1-d706-4ad9-90ca-0c19df95bae9?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/754233d1-621c-47d3-b7ff-686094c7e0ff?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"f11e69b9-06d7-d94a-90ca-0c19df95bae9\",\n \"status\": - \"Succeeded\",\n \"startTime\": \"2022-11-24T09:55:10.5082161Z\",\n \"endTime\": - \"2022-11-24T09:56:52.5781023Z\"\n }" + string: "{\n \"name\": \"d1334275-1c62-d347-b7ff-686094c7e0ff\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-14T06:11:11.3575366Z\"\n }" + headers: + cache-control: + - no-cache + content-length: + - '126' + content-type: + - application/json + date: + - Tue, 14 Feb 2023 06:13:11 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - aks update + Connection: + - keep-alive + ParameterSetName: + - --resource-group --name --enable-node-restriction -o + User-Agent: + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/754233d1-621c-47d3-b7ff-686094c7e0ff?api-version=2016-03-30 + response: + body: + string: "{\n \"name\": \"d1334275-1c62-d347-b7ff-686094c7e0ff\",\n \"status\": + \"Succeeded\",\n \"startTime\": \"2023-02-14T06:11:11.3575366Z\",\n \"endTime\": + \"2023-02-14T06:13:18.8792056Z\"\n }" headers: cache-control: - no-cache @@ -1568,7 +1786,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 09:57:10 GMT + - Tue, 14 Feb 2023 06:13:41 GMT expires: - '-1' pragma: @@ -1600,40 +1818,40 @@ interactions: ParameterSetName: - --resource-group --name --enable-node-restriction -o User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 + (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n \ \"location\": \"westus2\",\n \"name\": \"cliakstest000002\",\n \"type\": \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": \"Succeeded\",\n \"powerState\": {\n \"code\": \"Running\"\n },\n \"kubernetesVersion\": - \"1.23.12\",\n \"currentKubernetesVersion\": \"1.23.12\",\n \"dnsPrefix\": - \"cliakstest-clitestxsliwwfpa-79a739\",\n \"fqdn\": \"cliakstest-clitestxsliwwfpa-79a739-083b4938.hcp.westus2.azmk8s.io\",\n - \ \"azurePortalFQDN\": \"cliakstest-clitestxsliwwfpa-79a739-083b4938.portal.hcp.westus2.azmk8s.io\",\n + \"1.23.15\",\n \"currentKubernetesVersion\": \"1.23.15\",\n \"dnsPrefix\": + \"cliakstest-clitest2ryslgtsn-8ecadf\",\n \"fqdn\": \"cliakstest-clitest2ryslgtsn-8ecadf-146ae3d9.hcp.westus2.azmk8s.io\",\n + \ \"azurePortalFQDN\": \"cliakstest-clitest2ryslgtsn-8ecadf-146ae3d9.portal.hcp.westus2.azmk8s.io\",\n \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \"count\": 1,\n \"vmSize\": \"Standard_DS2_v2\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": \"Managed\",\n \"kubeletDiskType\": \"OS\",\n \"workloadRuntime\": \"OCIContainer\",\n \"maxPods\": 110,\n \"type\": \"VirtualMachineScaleSets\",\n \ \"enableAutoScaling\": false,\n \"provisioningState\": \"Succeeded\",\n \ \"powerState\": {\n \"code\": \"Running\"\n },\n \"orchestratorVersion\": - \"1.23.12\",\n \"currentOrchestratorVersion\": \"1.23.12\",\n \"enableNodePublicIP\": + \"1.23.15\",\n \"currentOrchestratorVersion\": \"1.23.15\",\n \"enableNodePublicIP\": false,\n \"enableCustomCATrust\": false,\n \"mode\": \"System\",\n \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": - \"AKSUbuntu-1804gen2containerd-2022.10.24\",\n \"upgradeSettings\": {},\n + \"AKSUbuntu-1804gen2containerd-2023.01.20\",\n \"upgradeSettings\": {},\n \ \"enableFIPS\": false,\n \"networkProfile\": {}\n }\n ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n \"ssh\": {\n \"publicKeys\": - [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQDgwJ1YLtrtaF7seObyf1xaMbixzWbi2HkGaOQ4C7BPyeho2pMacCkJ0qYZa0V+Muv+22BUMr0QNBnzuEYku5uM5AZW2j4fu/cRMp+1HtZHtbGRcHD2a4iMRMfUDXUCefmVhL9WzN3JUzc5sTu2HLEaAtEKAMbT/hOL75vaYug7WFsE7U7eia+E1LFMxXa+z5aKDPLYok4JduYqdALRqElogv8QekQLwjw1kt7IZY9z4krjo4FXPHd5RDIalO0mH4eNYhxbxW6r6M/OQsqxqUAOauFzF9QgU/gFMcIZC4eU2ZbQZMbMH/l+CMAwNK8ccxOEFLSmkZiPVvQ3l1ANjJeN + [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCunD1XOvyLfFKYlFhHisarmzQI60c+6AhRLNEPxY5Yc7VPjXaxZN5jufwUjUjE+D+8Hz347RoF6ofPOxI45lsYSHXQMbSskV+hb74BP9CINB/LMkTGtfJdUhCEOHKE84mYBcbRA3ol1mqBjIUknlNpQDWPGEEkwOBb+1Dgo91t2YOXuZjQ8xBjUwnynqM+8PEpdUBAmmgbVP1ujppVe8dU3QL4TAc/iktS+WahwYPVAVCwvowND/3yiosB76HyiKjRkI8iFsjNMVJ1lmB/EaDyGssmEAl2qXtrIk2QlpL6I9bNB08yhbf3EMX5/zR6rCp6htMYStO/duk2mTuODrGV azcli_aks_live_test@example.com\\n\"\n }\n ]\n }\n },\n \"servicePrincipalProfile\": {\n \"clientId\":\"00000000-0000-0000-0000-000000000001\"\n },\n \"nodeResourceGroup\": \"MC_clitest000001_cliakstest000002_westus2\",\n \"enableRBAC\": true,\n \ \"enablePodSecurityPolicy\": false,\n \"networkProfile\": {\n \"networkPlugin\": \"kubenet\",\n \"loadBalancerSku\": \"Standard\",\n \"loadBalancerProfile\": {\n \"managedOutboundIPs\": {\n \"count\": 1\n },\n \"effectiveOutboundIPs\": - [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/f4176fce-12c6-4af7-b05f-3445afeb33e9\"\n + [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/14255a00-475e-47c3-82dd-0b9612a3be19\"\n \ }\n ],\n \"backendPoolType\": \"nodeIPConfiguration\"\n },\n \ \"podCidr\": \"10.244.0.0/16\",\n \"serviceCidr\": \"10.0.0.0/16\",\n \ \"dnsServiceIP\": \"10.0.0.10\",\n \"dockerBridgeCidr\": \"172.17.0.1/16\",\n @@ -1650,16 +1868,16 @@ interactions: false\n },\n \"workloadAutoScalerProfile\": {}\n },\n \"identity\": {\n \"type\": \"SystemAssigned\",\n \"principalId\":\"00000000-0000-0000-0000-000000000001\",\n \ \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\"\n },\n \"sku\": - {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n }" + {\n \"name\": \"Base\",\n \"tier\": \"Free\"\n }\n }" headers: cache-control: - no-cache content-length: - - '4189' + - '4188' content-type: - application/json date: - - Thu, 24 Nov 2022 09:57:11 GMT + - Tue, 14 Feb 2023 06:13:41 GMT expires: - '-1' pragma: diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_nrg_restriction_level.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_nrg_restriction_level.yaml index 12e31aaf101..902680f089b 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_nrg_restriction_level.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_nrg_restriction_level.yaml @@ -38,7 +38,7 @@ interactions: - AZURECLI/2.44.1 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.9 (Linux-5.15.79.1-microsoft-standard-WSL2-x86_64-with) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\"\ @@ -1699,7 +1699,7 @@ interactions: - AZURECLI/2.44.1 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.9 (Linux-5.15.79.1-microsoft-standard-WSL2-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\"\ @@ -1795,7 +1795,7 @@ interactions: - AZURECLI/2.44.1 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.9 (Linux-5.15.79.1-microsoft-standard-WSL2-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\"\ @@ -1921,7 +1921,7 @@ interactions: - AZURECLI/2.44.1 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.9 (Linux-5.15.79.1-microsoft-standard-WSL2-x86_64-with) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\"\ @@ -2214,7 +2214,7 @@ interactions: - AZURECLI/2.44.1 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.9 (Linux-5.15.79.1-microsoft-standard-WSL2-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\"\ @@ -2312,7 +2312,7 @@ interactions: - AZURECLI/2.44.1 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.9 (Linux-5.15.79.1-microsoft-standard-WSL2-x86_64-with) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_vpa.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_vpa.yaml index a2836f3ff9f..c036c8853fa 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_vpa.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_vpa.yaml @@ -161,7 +161,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -741,7 +741,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -833,7 +833,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -955,7 +955,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1244,7 +1244,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1336,7 +1336,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1458,7 +1458,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1747,7 +1747,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_dualstack_with_default_network.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_dualstack_with_default_network.yaml index 5a0e33657ee..183ddff796e 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_dualstack_with_default_network.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_dualstack_with_default_network.yaml @@ -117,7 +117,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1008,7 +1008,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1102,7 +1102,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_nonaad_and_update_with_managed_aad.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_nonaad_and_update_with_managed_aad.yaml index fd40ed035f2..9fe43a86ac7 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_nonaad_and_update_with_managed_aad.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_nonaad_and_update_with_managed_aad.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -643,7 +643,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -734,7 +734,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -853,7 +853,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1148,7 +1148,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_none_private_dns_zone.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_none_private_dns_zone.yaml index eff36c047d3..379f53ca5a8 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_none_private_dns_zone.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_none_private_dns_zone.yaml @@ -80,7 +80,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -909,7 +909,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1008,7 +1008,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_or_update_with_load_balancer_backend_pool_type.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_or_update_with_load_balancer_backend_pool_type.yaml index e2262cd3365..5c28c28585b 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_or_update_with_load_balancer_backend_pool_type.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_or_update_with_load_balancer_backend_pool_type.yaml @@ -118,7 +118,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -819,7 +819,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -910,7 +910,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1030,7 +1030,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1270,7 +1270,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_private_cluster_public_fqdn.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_private_cluster_public_fqdn.yaml index 9dd6a8dd6df..9b551077961 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_private_cluster_public_fqdn.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_private_cluster_public_fqdn.yaml @@ -77,7 +77,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1178,7 +1178,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1275,7 +1275,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1403,7 +1403,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1792,7 +1792,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_using_azurecni_with_pod_identity_enabled.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_using_azurecni_with_pod_identity_enabled.yaml index aaf301ded3f..5ab7cb0a4ac 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_using_azurecni_with_pod_identity_enabled.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_using_azurecni_with_pod_identity_enabled.yaml @@ -35,7 +35,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -468,7 +468,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -559,7 +559,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -679,7 +679,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1207,7 +1207,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1298,7 +1298,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1418,7 +1418,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1706,7 +1706,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1797,7 +1797,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1919,7 +1919,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2161,7 +2161,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2254,7 +2254,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2378,7 +2378,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2668,7 +2668,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2761,7 +2761,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2884,7 +2884,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -3124,7 +3124,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -3217,7 +3217,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_web_application_routing_dns_zone_not_exist.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_web_application_routing_dns_zone_not_exist.yaml index 8dea7eaaab6..7fd000fa260 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_web_application_routing_dns_zone_not_exist.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_web_application_routing_dns_zone_not_exist.yaml @@ -79,7 +79,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"code\": \"BadRequest\",\n \"message\": \"The Azure DNS Zone diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_ahub.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_ahub.yaml index 4dc8ac8ba39..7c9347037ab 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_ahub.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_ahub.yaml @@ -36,7 +36,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -575,7 +575,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -665,7 +665,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -735,7 +735,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin\",\n @@ -1420,7 +1420,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin\",\n @@ -1480,7 +1480,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1617,7 +1617,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -2876,7 +2876,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -2978,7 +2978,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -3053,7 +3053,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview response: body: string: '' @@ -3102,7 +3102,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_apiserver_vnet_integration.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_apiserver_vnet_integration.yaml index 9f8e5d1a938..81a7298c2e3 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_apiserver_vnet_integration.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_apiserver_vnet_integration.yaml @@ -39,7 +39,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1307,7 +1307,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1403,7 +1403,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_apiserver_vnet_integration_public.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_apiserver_vnet_integration_public.yaml index 2a8198a80e4..30f25321955 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_apiserver_vnet_integration_public.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_apiserver_vnet_integration_public.yaml @@ -38,7 +38,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -814,7 +814,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -908,7 +908,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_auto_upgrade_channel.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_auto_upgrade_channel.yaml index 20e37d84667..a43ae724eb3 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_auto_upgrade_channel.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_auto_upgrade_channel.yaml @@ -36,7 +36,7 @@ interactions: - AZURECLI/2.41.0 azsdk-python-azure-mgmt-containerservice/20.4.0b Python/3.8.10 (Linux-5.15.0-1020-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -713,7 +713,7 @@ interactions: - AZURECLI/2.41.0 azsdk-python-azure-mgmt-containerservice/20.4.0b Python/3.8.10 (Linux-5.15.0-1020-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -804,7 +804,7 @@ interactions: - AZURECLI/2.41.0 azsdk-python-azure-mgmt-containerservice/20.4.0b Python/3.8.10 (Linux-5.15.0-1020-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -922,7 +922,7 @@ interactions: - AZURECLI/2.41.0 azsdk-python-azure-mgmt-containerservice/20.4.0b Python/3.8.10 (Linux-5.15.0-1020-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1162,7 +1162,7 @@ interactions: - AZURECLI/2.41.0 azsdk-python-azure-mgmt-containerservice/20.4.0b Python/3.8.10 (Linux-5.15.0-1020-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1255,7 +1255,7 @@ interactions: - AZURECLI/2.41.0 azsdk-python-azure-mgmt-containerservice/20.4.0b Python/3.8.10 (Linux-5.15.0-1020-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_auto_upgrade_channel_and_node_os_upgrade_channel.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_auto_upgrade_channel_and_node_os_upgrade_channel.yaml index 15616b36848..f57354d4d77 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_auto_upgrade_channel_and_node_os_upgrade_channel.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_auto_upgrade_channel_and_node_os_upgrade_channel.yaml @@ -36,7 +36,7 @@ interactions: - AZURECLI/2.44.1 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.9 (Linux-5.15.79.1-microsoft-standard-WSL2-x86_64-with) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\"\ @@ -522,7 +522,7 @@ interactions: - AZURECLI/2.44.1 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.9 (Linux-5.15.79.1-microsoft-standard-WSL2-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\"\ @@ -619,7 +619,7 @@ interactions: - AZURECLI/2.44.1 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.9 (Linux-5.15.79.1-microsoft-standard-WSL2-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\"\ @@ -744,7 +744,7 @@ interactions: - AZURECLI/2.44.1 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.9 (Linux-5.15.79.1-microsoft-standard-WSL2-x86_64-with) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\"\ @@ -1806,7 +1806,7 @@ interactions: - AZURECLI/2.44.1 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.9 (Linux-5.15.79.1-microsoft-standard-WSL2-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\"\ @@ -1905,7 +1905,7 @@ interactions: - AZURECLI/2.44.1 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.9 (Linux-5.15.79.1-microsoft-standard-WSL2-x86_64-with) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_azurekeyvaultsecretsprovider_addon.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_azurekeyvaultsecretsprovider_addon.yaml index f39dbed025d..6d0ecbc0d10 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_azurekeyvaultsecretsprovider_addon.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_azurekeyvaultsecretsprovider_addon.yaml @@ -78,7 +78,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -695,7 +695,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -791,7 +791,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_confcom_addon.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_confcom_addon.yaml index 7fde3eaecd0..7ecc2db5216 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_confcom_addon.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_confcom_addon.yaml @@ -78,7 +78,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -599,7 +599,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_confcom_addon_helper_enabled.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_confcom_addon_helper_enabled.yaml index dc396134954..54fcdaa31a2 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_confcom_addon_helper_enabled.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_confcom_addon_helper_enabled.yaml @@ -80,7 +80,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -709,7 +709,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_crg_id.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_crg_id.yaml index 643713d0454..3cc85d6cbb1 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_crg_id.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_crg_id.yaml @@ -36,7 +36,7 @@ interactions: - AZURECLI/2.33.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/16.5.0 Python/3.9.6 (Linux-5.10.76-linuxkit-x86_64-with) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\"\ @@ -466,7 +466,7 @@ interactions: - AZURECLI/2.33.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/16.5.0 Python/3.9.6 (Linux-5.10.76-linuxkit-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\"\ @@ -558,7 +558,7 @@ interactions: - AZURECLI/2.33.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/16.5.0 Python/3.9.6 (Linux-5.10.76-linuxkit-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/c000002\"\ @@ -627,7 +627,7 @@ interactions: - AZURECLI/2.33.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/16.5.0 Python/3.9.6 (Linux-5.10.76-linuxkit-x86_64-with) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/c000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/c000003?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/c000003\"\ @@ -1024,7 +1024,7 @@ interactions: - AZURECLI/2.33.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/16.5.0 Python/3.9.6 (Linux-5.10.76-linuxkit-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/c000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/c000003?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/c000003\"\ @@ -1086,7 +1086,7 @@ interactions: - AZURECLI/2.33.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/16.5.0 Python/3.9.6 (Linux-5.10.76-linuxkit-x86_64-with) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_csi_driver_v2.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_csi_driver_v2.yaml index c439f3b3b34..4e323aba344 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_csi_driver_v2.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_csi_driver_v2.yaml @@ -80,7 +80,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -560,7 +560,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -652,7 +652,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_default_network.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_default_network.yaml index 6503ff54e09..8bd6aff541f 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_default_network.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_default_network.yaml @@ -36,7 +36,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -663,7 +663,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -755,7 +755,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_enable_cilium_dataplane.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_enable_cilium_dataplane.yaml index a8afbb2e2c4..605651ba84b 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_enable_cilium_dataplane.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_enable_cilium_dataplane.yaml @@ -37,7 +37,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -568,7 +568,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -663,7 +663,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_ephemeral_disk.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_ephemeral_disk.yaml index dd53d4eb5e4..a3fdc25d2e5 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_ephemeral_disk.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_ephemeral_disk.yaml @@ -79,7 +79,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -657,7 +657,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_fips.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_fips.yaml index 6adcb89b4ed..e45abae5633 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_fips.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_fips.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -691,7 +691,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -781,7 +781,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -851,7 +851,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/np2?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/np2?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/np2\",\n @@ -1392,7 +1392,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/np2?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/np2?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/np2\",\n @@ -1454,7 +1454,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_image_cleaner_enabled_with_default_interval_hours.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_image_cleaner_enabled_with_default_interval_hours.yaml index e036b32c1c5..8ca4f0daaa5 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_image_cleaner_enabled_with_default_interval_hours.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_image_cleaner_enabled_with_default_interval_hours.yaml @@ -38,7 +38,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -568,7 +568,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_image_cleaner_enabled_with_interval_hours.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_image_cleaner_enabled_with_interval_hours.yaml index f2a4f8cb91a..6464a254d24 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_image_cleaner_enabled_with_interval_hours.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_image_cleaner_enabled_with_interval_hours.yaml @@ -38,7 +38,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -568,7 +568,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_ingress_appgw_addon.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_ingress_appgw_addon.yaml index d8144606402..78071baaa05 100755 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_ingress_appgw_addon.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_ingress_appgw_addon.yaml @@ -80,7 +80,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -710,7 +710,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_keda.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_keda.yaml index a6df0f6b9e3..9b05b0e10e9 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_keda.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_keda.yaml @@ -38,7 +38,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -519,7 +519,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -612,7 +612,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_kube_proxy_config.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_kube_proxy_config.yaml index 32635b21d99..aed057b0432 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_kube_proxy_config.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_kube_proxy_config.yaml @@ -81,7 +81,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -660,7 +660,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -753,7 +753,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_managed_disk.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_managed_disk.yaml index 617e82c5a6c..3863f1813ad 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_managed_disk.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_managed_disk.yaml @@ -77,7 +77,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -692,7 +692,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_network_plugin_none.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_network_plugin_none.yaml index 4ba1bd477db..3a475a53e84 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_network_plugin_none.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_network_plugin_none.yaml @@ -33,7 +33,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -696,7 +696,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_node_config.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_node_config.yaml index d2485f054bf..f3b0d5fdd15 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_node_config.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_node_config.yaml @@ -87,7 +87,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -773,7 +773,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -874,7 +874,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/nodepool1\",\n @@ -964,7 +964,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/nodepool2?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/nodepool2?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/nodepool2\",\n @@ -1378,7 +1378,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/nodepool2?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/nodepool2?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/nodepool2\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_node_os_upgrade_channel.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_node_os_upgrade_channel.yaml index a8fa8eed428..d5cdb39a919 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_node_os_upgrade_channel.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_node_os_upgrade_channel.yaml @@ -36,7 +36,7 @@ interactions: - AZURECLI/2.44.1 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.9 (Linux-5.15.79.1-microsoft-standard-WSL2-x86_64-with) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\"\ @@ -472,7 +472,7 @@ interactions: - AZURECLI/2.44.1 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.9 (Linux-5.15.79.1-microsoft-standard-WSL2-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\"\ @@ -568,7 +568,7 @@ interactions: - AZURECLI/2.44.1 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.9 (Linux-5.15.79.1-microsoft-standard-WSL2-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\"\ @@ -691,7 +691,7 @@ interactions: - AZURECLI/2.44.1 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.9 (Linux-5.15.79.1-microsoft-standard-WSL2-x86_64-with) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\"\ @@ -1704,7 +1704,7 @@ interactions: - AZURECLI/2.44.1 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.9 (Linux-5.15.79.1-microsoft-standard-WSL2-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\"\ @@ -1802,7 +1802,7 @@ interactions: - AZURECLI/2.44.1 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.9 (Linux-5.15.79.1-microsoft-standard-WSL2-x86_64-with) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_nsg_control.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_nsg_control.yaml index 8b6360d2839..785e427a6d9 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_nsg_control.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_nsg_control.yaml @@ -449,7 +449,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1135,7 +1135,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1237,7 +1237,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_oidc_issuer_enabled.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_oidc_issuer_enabled.yaml index cc959b7dc95..160096c1b4c 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_oidc_issuer_enabled.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_oidc_issuer_enabled.yaml @@ -38,7 +38,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -617,7 +617,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_openservicemesh_addon.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_openservicemesh_addon.yaml index f8f2cd5871a..eef3754593e 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_openservicemesh_addon.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_openservicemesh_addon.yaml @@ -81,7 +81,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -611,7 +611,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_ossku.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_ossku.yaml index d389872d6a7..1570b84efd5 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_ossku.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_ossku.yaml @@ -77,7 +77,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -644,7 +644,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -736,7 +736,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_overlay_network_plugin_mode.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_overlay_network_plugin_mode.yaml index bd8aa18eea1..bf74c712d4f 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_overlay_network_plugin_mode.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_overlay_network_plugin_mode.yaml @@ -37,7 +37,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -666,7 +666,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -760,7 +760,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_pod_identity_enabled.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_pod_identity_enabled.yaml index ec1b1740f8d..10a187b27a7 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_pod_identity_enabled.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_pod_identity_enabled.yaml @@ -36,7 +36,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -468,7 +468,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -559,7 +559,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -678,7 +678,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -918,7 +918,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1009,7 +1009,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1129,7 +1129,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1369,7 +1369,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1460,7 +1460,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1582,7 +1582,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1825,7 +1825,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1919,7 +1919,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2044,7 +2044,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2335,7 +2335,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2429,7 +2429,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2553,7 +2553,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2793,7 +2793,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2886,7 +2886,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_standard_blob_csi_driver.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_standard_blob_csi_driver.yaml index 5b9962030c9..42824bfc2c9 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_standard_blob_csi_driver.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_standard_blob_csi_driver.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -691,7 +691,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -781,7 +781,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -898,7 +898,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1137,7 +1137,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1229,7 +1229,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_standard_csi_drivers.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_standard_csi_drivers.yaml index a730f53f9a6..d30cb0f7a49 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_standard_csi_drivers.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_standard_csi_drivers.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -691,7 +691,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -781,7 +781,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -898,7 +898,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1137,7 +1137,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1229,7 +1229,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_web_application_routing.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_web_application_routing.yaml index f760e13c515..611503d0e5a 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_web_application_routing.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_web_application_routing.yaml @@ -77,7 +77,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -597,7 +597,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_windows.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_windows.yaml index a26f636b8fb..901e3098d32 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_windows.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_windows.yaml @@ -36,7 +36,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -625,7 +625,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -715,7 +715,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -785,7 +785,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin\",\n @@ -1374,7 +1374,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin\",\n @@ -1434,7 +1434,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1571,7 +1571,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -2878,7 +2878,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -2980,7 +2980,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -3055,7 +3055,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview response: body: string: '' @@ -3104,7 +3104,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_windows_gmsa.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_windows_gmsa.yaml index 4219b2e6eea..a074711a611 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_windows_gmsa.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_windows_gmsa.yaml @@ -39,7 +39,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -530,7 +530,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -622,7 +622,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -692,7 +692,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin\",\n @@ -1329,7 +1329,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin\",\n @@ -1389,7 +1389,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -1464,7 +1464,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview response: body: string: '' @@ -1513,7 +1513,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_workload_identity_enabled.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_workload_identity_enabled.yaml index 1ab9d966a8d..94a614fbb38 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_workload_identity_enabled.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_workload_identity_enabled.yaml @@ -39,7 +39,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -668,7 +668,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_custom_ca_trust_flow.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_custom_ca_trust_flow.yaml index e43dadbdab5..24c6b0d543b 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_custom_ca_trust_flow.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_custom_ca_trust_flow.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -499,7 +499,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -589,7 +589,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -659,7 +659,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004\",\n @@ -1056,7 +1056,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004\",\n @@ -1118,7 +1118,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_disable_addon_openservicemesh.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_disable_addon_openservicemesh.yaml index 7d5c850b3ab..078e805d0b1 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_disable_addon_openservicemesh.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_disable_addon_openservicemesh.yaml @@ -77,7 +77,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -693,7 +693,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -784,7 +784,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -904,7 +904,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1144,7 +1144,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_disable_addon_web_app_routing.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_disable_addon_web_app_routing.yaml index 8ca53202f14..b1252d01efa 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_disable_addon_web_app_routing.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_disable_addon_web_app_routing.yaml @@ -77,7 +77,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -693,7 +693,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -785,7 +785,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -906,7 +906,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1147,7 +1147,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_disable_addons_confcom_addon.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_disable_addons_confcom_addon.yaml index 873c0b2f75a..6a671da9efb 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_disable_addons_confcom_addon.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_disable_addons_confcom_addon.yaml @@ -78,7 +78,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -695,7 +695,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -787,7 +787,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -908,7 +908,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1196,7 +1196,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_disable_local_accounts.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_disable_local_accounts.yaml index c17c3855200..7746e08203e 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_disable_local_accounts.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_disable_local_accounts.yaml @@ -78,7 +78,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -607,7 +607,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -697,7 +697,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -814,7 +814,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1053,7 +1053,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1145,7 +1145,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_enable_addon_with_azurekeyvaultsecretsprovider.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_enable_addon_with_azurekeyvaultsecretsprovider.yaml index 5e64fa257c7..bab55990be0 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_enable_addon_with_azurekeyvaultsecretsprovider.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_enable_addon_with_azurekeyvaultsecretsprovider.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -691,7 +691,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -781,7 +781,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -900,7 +900,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1141,7 +1141,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1236,7 +1236,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1360,7 +1360,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1605,7 +1605,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1699,7 +1699,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1822,7 +1822,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2063,7 +2063,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2157,7 +2157,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2280,7 +2280,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2520,7 +2520,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2612,7 +2612,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2733,7 +2733,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2978,7 +2978,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -3074,7 +3074,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_enable_addon_with_openservicemesh.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_enable_addon_with_openservicemesh.yaml index 032beb23b34..a776e3a194b 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_enable_addon_with_openservicemesh.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_enable_addon_with_openservicemesh.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -787,7 +787,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -877,7 +877,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -996,7 +996,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1236,7 +1236,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_enable_addons_confcom_addon.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_enable_addons_confcom_addon.yaml index 4373d2c1292..1fadd508ef2 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_enable_addons_confcom_addon.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_enable_addons_confcom_addon.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -739,7 +739,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -829,7 +829,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -948,7 +948,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1189,7 +1189,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_enable_utlra_ssd.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_enable_utlra_ssd.yaml index 0f0f5db585b..c6618192c04 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_enable_utlra_ssd.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_enable_utlra_ssd.yaml @@ -77,7 +77,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -693,7 +693,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -786,7 +786,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_maintenanceconfiguration.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_maintenanceconfiguration.yaml index 3f0a03bbe1c..0f5afa6efdf 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_maintenanceconfiguration.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_maintenanceconfiguration.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -643,7 +643,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -733,7 +733,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations?api-version=2023-01-02-preview response: body: string: "{\n \"value\": []\n }" @@ -785,7 +785,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/default?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/default?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/default\",\n @@ -837,7 +837,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/default\",\n @@ -894,7 +894,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/default?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/default?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/default\",\n @@ -950,7 +950,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/default?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/default?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/default\",\n @@ -1006,7 +1006,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/default?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/default?api-version=2023-01-02-preview response: body: string: '' @@ -1049,7 +1049,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations?api-version=2023-01-02-preview response: body: string: "{\n \"value\": []\n }" @@ -1098,7 +1098,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_maintenancewindow.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_maintenancewindow.yaml index 9e668358820..9402279b4ef 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_maintenancewindow.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_maintenancewindow.yaml @@ -77,7 +77,7 @@ interactions: - AZURECLI/2.44.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.2 (Linux-5.10.104-linuxkit-x86_64-with) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\"\ @@ -552,7 +552,7 @@ interactions: - AZURECLI/2.44.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.2 (Linux-5.10.104-linuxkit-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\"\ @@ -648,7 +648,7 @@ interactions: - AZURECLI/2.44.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.2 (Linux-5.10.104-linuxkit-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations?api-version=2023-01-02-preview response: body: string: "{\n \"value\": []\n }" @@ -702,7 +702,7 @@ interactions: - AZURECLI/2.44.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.2 (Linux-5.10.104-linuxkit-x86_64-with) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/aksManagedAutoUpgradeSchedule?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/aksManagedAutoUpgradeSchedule?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/aksManagedAutoUpgradeSchedule\"\ @@ -757,7 +757,7 @@ interactions: - AZURECLI/2.44.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.2 (Linux-5.10.104-linuxkit-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/aksManagedAutoUpgradeSchedule\"\ @@ -817,7 +817,7 @@ interactions: - AZURECLI/2.44.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.2 (Linux-5.10.104-linuxkit-x86_64-with) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/aksManagedNodeOSUpgradeSchedule?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/aksManagedNodeOSUpgradeSchedule?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/aksManagedNodeOSUpgradeSchedule\"\ @@ -872,7 +872,7 @@ interactions: - AZURECLI/2.44.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.2 (Linux-5.10.104-linuxkit-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/aksManagedAutoUpgradeSchedule\"\ @@ -931,7 +931,7 @@ interactions: - AZURECLI/2.44.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.2 (Linux-5.10.104-linuxkit-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/aksManagedAutoUpgradeSchedule\"\ @@ -997,7 +997,7 @@ interactions: - AZURECLI/2.44.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.2 (Linux-5.10.104-linuxkit-x86_64-with) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/aksManagedAutoUpgradeSchedule?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/aksManagedAutoUpgradeSchedule?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/aksManagedAutoUpgradeSchedule\"\ @@ -1054,7 +1054,7 @@ interactions: - AZURECLI/2.44.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.2 (Linux-5.10.104-linuxkit-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/aksManagedAutoUpgradeSchedule?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/aksManagedAutoUpgradeSchedule?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/aksManagedAutoUpgradeSchedule\"\ @@ -1111,7 +1111,7 @@ interactions: - AZURECLI/2.44.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.2 (Linux-5.10.104-linuxkit-x86_64-with) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/aksManagedAutoUpgradeSchedule?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/aksManagedAutoUpgradeSchedule?api-version=2023-01-02-preview response: body: string: '' @@ -1156,7 +1156,7 @@ interactions: - AZURECLI/2.44.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.2 (Linux-5.10.104-linuxkit-x86_64-with) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/aksManagedNodeOSUpgradeSchedule?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/aksManagedNodeOSUpgradeSchedule?api-version=2023-01-02-preview response: body: string: '' @@ -1199,7 +1199,7 @@ interactions: - AZURECLI/2.44.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.2 (Linux-5.10.104-linuxkit-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations?api-version=2023-01-02-preview response: body: string: "{\n \"value\": []\n }" @@ -1248,7 +1248,7 @@ interactions: - AZURECLI/2.44.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.2 (Linux-5.10.104-linuxkit-x86_64-with) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_abort.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_abort.yaml index d7252f0f4b1..b9f97775c99 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_abort.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_abort.yaml @@ -78,7 +78,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -803,7 +803,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -893,7 +893,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/nodepool1\",\n @@ -963,7 +963,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -1312,7 +1312,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -1372,7 +1372,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -1445,7 +1445,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -1518,7 +1518,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -1582,7 +1582,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -1655,7 +1655,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -1717,7 +1717,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclusters/cliakstest000002/agentPools/c000003/abort?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclusters/cliakstest000002/agentPools/c000003/abort?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -1871,7 +1871,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_add_with_disable_windows_outbound_nat.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_add_with_disable_windows_outbound_nat.yaml index 58c9ea8bca3..32fbd39b597 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_add_with_disable_windows_outbound_nat.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_add_with_disable_windows_outbound_nat.yaml @@ -115,7 +115,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -705,7 +705,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -798,7 +798,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -872,7 +872,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin\",\n @@ -1425,7 +1425,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin\",\n @@ -1488,7 +1488,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_add_with_gpu_instance_profile.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_add_with_gpu_instance_profile.yaml index 9843fa3e284..9bc0535a5ae 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_add_with_gpu_instance_profile.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_add_with_gpu_instance_profile.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -499,7 +499,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -590,7 +590,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -663,7 +663,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004\",\n @@ -1215,7 +1215,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004\",\n @@ -1277,7 +1277,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_add_with_ossku.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_add_with_ossku.yaml index 58416f43b80..14337efe589 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_add_with_ossku.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_add_with_ossku.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -595,7 +595,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -685,7 +685,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -755,7 +755,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004\",\n @@ -1200,7 +1200,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004\",\n @@ -1262,7 +1262,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_add_with_ossku_windows2022.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_add_with_ossku_windows2022.yaml index f4825acd33b..8fb31dc6523 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_add_with_ossku_windows2022.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_add_with_ossku_windows2022.yaml @@ -115,7 +115,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -678,7 +678,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -768,7 +768,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -840,7 +840,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin\",\n @@ -1381,7 +1381,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin\",\n @@ -1443,7 +1443,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_add_with_workload_runtime.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_add_with_workload_runtime.yaml index 9cf7846f919..c819465a353 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_add_with_workload_runtime.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_add_with_workload_runtime.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -739,7 +739,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -829,7 +829,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -899,7 +899,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004\",\n @@ -1296,7 +1296,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004\",\n @@ -1358,7 +1358,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_create_with_nsg_control.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_create_with_nsg_control.yaml index 3beaebd4e0f..9d6c121b5e4 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_create_with_nsg_control.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_create_with_nsg_control.yaml @@ -440,7 +440,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1151,7 +1151,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1242,7 +1242,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/nodepool1\",\n @@ -1320,7 +1320,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000003?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000003\",\n @@ -1930,7 +1930,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000003?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000003\",\n @@ -2001,7 +2001,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_delete_with_ignore_pod_disruption_budget.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_delete_with_ignore_pod_disruption_budget.yaml index 54d1a990ddb..0b212bcb303 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_delete_with_ignore_pod_disruption_budget.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_delete_with_ignore_pod_disruption_budget.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -643,7 +643,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -733,7 +733,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -803,7 +803,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004\",\n @@ -1152,7 +1152,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004\",\n @@ -1212,7 +1212,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -1295,7 +1295,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000005?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000005?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000005\",\n @@ -1836,7 +1836,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000005?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000005?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000005\",\n @@ -1896,7 +1896,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -1984,7 +1984,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000005?api-version=2022-11-02-preview&ignore-pod-disruption-budget=true + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000005?api-version=2023-01-02-preview&ignore-pod-disruption-budget=true response: body: string: '' @@ -2031,7 +2031,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -2119,7 +2119,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2022-11-02-preview&ignore-pod-disruption-budget=true + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2023-01-02-preview&ignore-pod-disruption-budget=true response: body: string: '' @@ -2265,7 +2265,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_get_upgrades.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_get_upgrades.yaml index 850b5360537..b01679bf170 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_get_upgrades.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_get_upgrades.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -595,7 +595,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -685,7 +685,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003/upgradeProfiles/default?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003/upgradeProfiles/default?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003/upgradeProfiles/default\",\n @@ -738,7 +738,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_snapshot.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_snapshot.yaml index 651f71b257c..5bc9dc9a9e6 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_snapshot.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_snapshot.yaml @@ -116,7 +116,7 @@ interactions: - AZURECLI/2.42.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.10.8 (Linux-5.4.0-1055-azure-x86_64-with) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\"\ @@ -600,7 +600,7 @@ interactions: - AZURECLI/2.42.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.10.8 (Linux-5.4.0-1055-azure-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\"\ @@ -746,7 +746,7 @@ interactions: - AZURECLI/2.42.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.10.8 (Linux-5.4.0-1055-azure-x86_64-with) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/snapshots/s000006?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/snapshots/s000006?api-version=2023-01-02-preview response: body: string: "{\n \"name\": \"s000006\",\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/snapshots/s000006\"\ @@ -808,7 +808,7 @@ interactions: - AZURECLI/2.42.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.10.8 (Linux-5.4.0-1055-azure-x86_64-with) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' @@ -855,7 +855,7 @@ interactions: - AZURECLI/2.42.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.10.8 (Linux-5.4.0-1055-azure-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/snapshots/s000006?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/snapshots/s000006?api-version=2023-01-02-preview response: body: string: "{\n \"name\": \"s000006\",\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/snapshots/s000006\"\ @@ -913,7 +913,7 @@ interactions: - AZURECLI/2.42.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.10.8 (Linux-5.4.0-1055-azure-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/snapshots?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/snapshots?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"name\": \"s000006\",\n \"id\": \"\ @@ -973,7 +973,7 @@ interactions: - AZURECLI/2.42.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.10.8 (Linux-5.4.0-1055-azure-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/snapshots/s000006?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/snapshots/s000006?api-version=2023-01-02-preview response: body: string: "{\n \"name\": \"s000006\",\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/snapshots/s000006\"\ @@ -1052,7 +1052,7 @@ interactions: - AZURECLI/2.42.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.10.8 (Linux-5.4.0-1055-azure-x86_64-with) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003\"\ @@ -1537,7 +1537,7 @@ interactions: - AZURECLI/2.42.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.10.8 (Linux-5.4.0-1055-azure-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003\"\ @@ -1633,7 +1633,7 @@ interactions: - AZURECLI/2.42.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.10.8 (Linux-5.4.0-1055-azure-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003/agentPools?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003/agentPools?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003/agentPools/c000004\"\ @@ -1695,7 +1695,7 @@ interactions: - AZURECLI/2.42.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.10.8 (Linux-5.4.0-1055-azure-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/snapshots/s000006?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/snapshots/s000006?api-version=2023-01-02-preview response: body: string: "{\n \"name\": \"s000006\",\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/snapshots/s000006\"\ @@ -1765,7 +1765,7 @@ interactions: - AZURECLI/2.42.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.10.8 (Linux-5.4.0-1055-azure-x86_64-with) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003/agentPools/c000005?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003/agentPools/c000005?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003/agentPools/c000005\"\ @@ -2163,7 +2163,7 @@ interactions: - AZURECLI/2.42.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.10.8 (Linux-5.4.0-1055-azure-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003/agentPools/c000005?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003/agentPools/c000005?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003/agentPools/c000005\"\ @@ -2228,7 +2228,7 @@ interactions: - AZURECLI/2.42.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.10.8 (Linux-5.4.0-1055-azure-x86_64-with) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003/agentPools/c000005/upgradeNodeImageVersion?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003/agentPools/c000005/upgradeNodeImageVersion?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003/agentPools/c000005\"\ @@ -2431,7 +2431,7 @@ interactions: - AZURECLI/2.42.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.10.8 (Linux-5.4.0-1055-azure-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003/agentPools/c000005?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003/agentPools/c000005?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003/agentPools/c000005\"\ @@ -2492,7 +2492,7 @@ interactions: - AZURECLI/2.42.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.10.8 (Linux-5.4.0-1055-azure-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003\"\ @@ -2637,7 +2637,7 @@ interactions: - AZURECLI/2.42.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.10.8 (Linux-5.4.0-1055-azure-x86_64-with) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003\"\ @@ -3661,7 +3661,7 @@ interactions: - AZURECLI/2.42.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.10.8 (Linux-5.4.0-1055-azure-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003\"\ @@ -3770,7 +3770,7 @@ interactions: - AZURECLI/2.42.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.10.8 (Linux-5.4.0-1055-azure-x86_64-with) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview response: body: string: '' @@ -3819,7 +3819,7 @@ interactions: - AZURECLI/2.42.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.10.8 (Linux-5.4.0-1055-azure-x86_64-with) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/snapshots/s000006?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/snapshots/s000006?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_stop_and_start.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_stop_and_start.yaml index f48adfbffec..cc9168fa556 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_stop_and_start.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_stop_and_start.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -691,7 +691,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -781,7 +781,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/nodepool1\",\n @@ -851,7 +851,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -1248,7 +1248,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -1308,7 +1308,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -1381,7 +1381,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -1453,7 +1453,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -1662,7 +1662,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -1722,7 +1722,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -1795,7 +1795,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -1867,7 +1867,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -2220,7 +2220,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -2282,7 +2282,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_update_label_msi.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_update_label_msi.yaml index 98d2e1f2767..b99a328a987 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_update_label_msi.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_update_label_msi.yaml @@ -34,7 +34,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -505,7 +505,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -595,7 +595,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -687,7 +687,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/listClusterUserCredential?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/listClusterUserCredential?api-version=2023-01-02-preview response: body: string: "{\n \"kubeconfigs\": [\n {\n \"name\": \"clusterUser\",\n \"value\": @@ -738,7 +738,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -807,7 +807,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -920,7 +920,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -980,7 +980,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -1041,7 +1041,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -1111,7 +1111,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -1223,7 +1223,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -1282,7 +1282,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_update_taints_msi.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_update_taints_msi.yaml index e437cc640d5..5eaefc2ae3e 100755 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_update_taints_msi.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_update_taints_msi.yaml @@ -34,7 +34,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -649,7 +649,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -739,7 +739,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -831,7 +831,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/listClusterUserCredential?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/listClusterUserCredential?api-version=2023-01-02-preview response: body: string: "{\n \"kubeconfigs\": [\n {\n \"name\": \"clusterUser\",\n \"value\": @@ -882,7 +882,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -952,7 +952,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -1065,7 +1065,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -1125,7 +1125,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -1186,7 +1186,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -1256,7 +1256,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -1368,7 +1368,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -1427,7 +1427,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -1488,7 +1488,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_update_with_nsg_control.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_update_with_nsg_control.yaml index 0cfe49ec886..717f229bc1c 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_update_with_nsg_control.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_update_with_nsg_control.yaml @@ -441,7 +441,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -921,7 +921,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1011,7 +1011,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000003?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000003\",\n @@ -1087,7 +1087,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000003?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000003\",\n @@ -1304,7 +1304,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000003?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000003\",\n @@ -1374,7 +1374,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_snapshot.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_snapshot.yaml index 296eece88b0..5384c47a3a5 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_snapshot.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_snapshot.yaml @@ -114,7 +114,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -643,7 +643,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -783,7 +783,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2023-01-02-preview response: body: string: "{\n \"name\": \"s000005\",\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005\",\n @@ -846,7 +846,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' @@ -893,7 +893,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2023-01-02-preview response: body: string: "{\n \"name\": \"s000005\",\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005\",\n @@ -952,7 +952,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"name\": \"s000005\",\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005\",\n @@ -1012,7 +1012,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2023-01-02-preview response: body: string: "{\n \"name\": \"s000005\",\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005\",\n @@ -1093,7 +1093,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003\",\n @@ -1624,7 +1624,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003\",\n @@ -1718,7 +1718,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview response: body: string: '' @@ -1767,7 +1767,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_snapshot_update.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_snapshot_update.yaml index eed9f747c70..3d987141a0e 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_snapshot_update.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_snapshot_update.yaml @@ -114,7 +114,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -643,7 +643,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -783,7 +783,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2023-01-02-preview response: body: string: "{\n \"name\": \"s000005\",\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005\",\n @@ -846,7 +846,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' @@ -893,7 +893,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2023-01-02-preview response: body: string: "{\n \"name\": \"s000005\",\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005\",\n @@ -952,7 +952,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"name\": \"s000005\",\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005\",\n @@ -1030,7 +1030,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003\",\n @@ -1608,7 +1608,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003\",\n @@ -1698,7 +1698,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003\",\n @@ -1788,7 +1788,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2023-01-02-preview response: body: string: "{\n \"name\": \"s000005\",\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005\",\n @@ -1877,7 +1877,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003\",\n @@ -2166,7 +2166,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003\",\n @@ -2260,7 +2260,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview response: body: string: '' @@ -2309,7 +2309,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_snapshot_upgrade.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_snapshot_upgrade.yaml index 9cd592ccbcb..19d293920f9 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_snapshot_upgrade.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_snapshot_upgrade.yaml @@ -114,7 +114,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -741,7 +741,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -881,7 +881,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2023-01-02-preview response: body: string: "{\n \"name\": \"s000005\",\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005\",\n @@ -944,7 +944,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' @@ -991,7 +991,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2023-01-02-preview response: body: string: "{\n \"name\": \"s000005\",\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005\",\n @@ -1050,7 +1050,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"name\": \"s000005\",\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005\",\n @@ -1128,7 +1128,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003\",\n @@ -1706,7 +1706,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003\",\n @@ -1796,7 +1796,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003\",\n @@ -1886,7 +1886,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2023-01-02-preview response: body: string: "{\n \"name\": \"s000005\",\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005\",\n @@ -1976,7 +1976,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003\",\n @@ -3321,7 +3321,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003\",\n @@ -3415,7 +3415,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview response: body: string: '' @@ -3464,7 +3464,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_stop_and_start.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_stop_and_start.yaml index 82f6f88dd67..7471c4a6211 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_stop_and_start.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_stop_and_start.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -691,7 +691,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -783,7 +783,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/stop?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/stop?api-version=2023-01-02-preview response: body: string: '' @@ -1068,7 +1068,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/start?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/start?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_trustedaccess_rolebinding.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_trustedaccess_rolebinding.yaml index dce2e65a74f..c94d0074bd6 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_trustedaccess_rolebinding.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_trustedaccess_rolebinding.yaml @@ -1,7 +1,7 @@ interactions: - request: body: '{"location": "westus2", "identity": {"type": "SystemAssigned"}, "properties": - {"kubernetesVersion": "", "dnsPrefix": "cliakstest-clitestza4mj775n-8ecadf", + {"kubernetesVersion": "", "dnsPrefix": "cliakstest-clitestjq7wpjzco-8ecadf", "agentPoolProfiles": [{"count": 1, "vmSize": "Standard_D4s_v3", "osDiskSizeGB": 0, "workloadRuntime": "OCIContainer", "osType": "Linux", "enableAutoScaling": false, "type": "VirtualMachineScaleSets", "mode": "System", "orchestratorVersion": @@ -9,7 +9,7 @@ interactions: false, "scaleSetPriority": "Regular", "scaleSetEvictionPolicy": "Delete", "spotMaxPrice": -1.0, "nodeTaints": [], "enableEncryptionAtHost": false, "enableUltraSSD": false, "enableFIPS": false, "networkProfile": {}, "name": "nodepool1"}], "linuxProfile": - {"adminUsername": "azureuser", "ssh": {"publicKeys": [{"keyData": "ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQDtyhanIltEFDzJf62RRkik6ABgeDsgbISSDU8/MHMJUrBtA4OT2R78kSrllh/pIZZXgLruufkOurUwLmxQRn3g1ydTAvQ7KOGcZ4d6vnGahyzCiw/V33haTgHK9d5fi+pPA44vlzSpAMEQbIDsryYdC8rnS+Tfpvt7+gWAuQlZIlJ2ehHnSzoWBnFA4st5RQ+amMuJCr6/1RDt8hTcME7sYy4T2HK+O/wQVfnK4ARXXKNdG/icWbU2unE0kSKc9PCVSG34gF+cJTWwO21Q1vPAcvGMHxUHo6dHB/H4llNHMmxlqJZUW6wZuP0wJJrX55VWyyysyHJEaxZTkW4RFXht + {"adminUsername": "azureuser", "ssh": {"publicKeys": [{"keyData": "ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCo9vDBjigKvJZ76amZTXAO8+BkLLx7/rD7iQwMbYDoGKMGrVoIbc6mxSn19tfbAdgIDjxFTvp/yAwO8nbLq9fzpBvNKKZJvxpeSHU/qGgMWHcj+DtF+7Bljz3YGLctLjpDKYvxsHHDPTZgSts7reB75SVC57cphBO76x7CCBE4uzjUHaDYBx+WU6dFMFqyrm/F/tYb3ilEwbxyRNXhnP9FN3ENWWQnD3isjrpGnB+3w8jtIlHoW4PnLXF+Nuw0Jv/ScIN/Zd5PTMuMm/aW3S8XwN6LpM7IB61w9dAvL8bfAVccDeYD/EeC7jJoIl2A4euootMxcN5Dz6hs/bRgnBjT azcli_aks_live_test@example.com\n"}]}}, "addonProfiles": {}, "enableRBAC": true, "enablePodSecurityPolicy": false, "networkProfile": {"networkPlugin": "kubenet", "podCidr": "10.244.0.0/16", "serviceCidr": "10.0.0.0/16", "dnsServiceIP": "10.0.0.10", @@ -34,33 +34,33 @@ interactions: - --resource-group --name --location --node-vm-size --node-count --ssh-key-value --aks-custom-headers User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n \ \"location\": \"westus2\",\n \"name\": \"cliakstest000001\",\n \"type\": \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": \"Creating\",\n \"powerState\": {\n \"code\": \"Running\"\n },\n \"kubernetesVersion\": - \"1.23.12\",\n \"currentKubernetesVersion\": \"1.23.12\",\n \"dnsPrefix\": - \"cliakstest-clitestza4mj775n-8ecadf\",\n \"fqdn\": \"cliakstest-clitestza4mj775n-8ecadf-026ec148.hcp.westus2.azmk8s.io\",\n - \ \"azurePortalFQDN\": \"cliakstest-clitestza4mj775n-8ecadf-026ec148.portal.hcp.westus2.azmk8s.io\",\n + \"1.24.6\",\n \"currentKubernetesVersion\": \"1.24.6\",\n \"dnsPrefix\": + \"cliakstest-clitestjq7wpjzco-8ecadf\",\n \"fqdn\": \"cliakstest-clitestjq7wpjzco-8ecadf-98afe286.hcp.westus2.azmk8s.io\",\n + \ \"azurePortalFQDN\": \"cliakstest-clitestjq7wpjzco-8ecadf-98afe286.portal.hcp.westus2.azmk8s.io\",\n \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \"count\": 1,\n \"vmSize\": \"Standard_D4s_v3\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": \"Managed\",\n \"kubeletDiskType\": \"OS\",\n \"workloadRuntime\": \"OCIContainer\",\n \"maxPods\": 110,\n \"type\": \"VirtualMachineScaleSets\",\n \ \"enableAutoScaling\": false,\n \"provisioningState\": \"Creating\",\n \ \"powerState\": {\n \"code\": \"Running\"\n },\n \"orchestratorVersion\": - \"1.23.12\",\n \"currentOrchestratorVersion\": \"1.23.12\",\n \"enableNodePublicIP\": + \"1.24.6\",\n \"currentOrchestratorVersion\": \"1.24.6\",\n \"enableNodePublicIP\": false,\n \"enableCustomCATrust\": false,\n \"mode\": \"System\",\n \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": - \"AKSUbuntu-1804gen2containerd-2022.10.24\",\n \"upgradeSettings\": {},\n + \"AKSUbuntu-1804gen2containerd-2023.01.19\",\n \"upgradeSettings\": {},\n \ \"enableFIPS\": false,\n \"networkProfile\": {}\n }\n ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n \"ssh\": {\n \"publicKeys\": - [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQDtyhanIltEFDzJf62RRkik6ABgeDsgbISSDU8/MHMJUrBtA4OT2R78kSrllh/pIZZXgLruufkOurUwLmxQRn3g1ydTAvQ7KOGcZ4d6vnGahyzCiw/V33haTgHK9d5fi+pPA44vlzSpAMEQbIDsryYdC8rnS+Tfpvt7+gWAuQlZIlJ2ehHnSzoWBnFA4st5RQ+amMuJCr6/1RDt8hTcME7sYy4T2HK+O/wQVfnK4ARXXKNdG/icWbU2unE0kSKc9PCVSG34gF+cJTWwO21Q1vPAcvGMHxUHo6dHB/H4llNHMmxlqJZUW6wZuP0wJJrX55VWyyysyHJEaxZTkW4RFXht + [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCo9vDBjigKvJZ76amZTXAO8+BkLLx7/rD7iQwMbYDoGKMGrVoIbc6mxSn19tfbAdgIDjxFTvp/yAwO8nbLq9fzpBvNKKZJvxpeSHU/qGgMWHcj+DtF+7Bljz3YGLctLjpDKYvxsHHDPTZgSts7reB75SVC57cphBO76x7CCBE4uzjUHaDYBx+WU6dFMFqyrm/F/tYb3ilEwbxyRNXhnP9FN3ENWWQnD3isjrpGnB+3w8jtIlHoW4PnLXF+Nuw0Jv/ScIN/Zd5PTMuMm/aW3S8XwN6LpM7IB61w9dAvL8bfAVccDeYD/EeC7jJoIl2A4euootMxcN5Dz6hs/bRgnBjT azcli_aks_live_test@example.com\\n\"\n }\n ]\n }\n },\n \"servicePrincipalProfile\": {\n \"clientId\":\"00000000-0000-0000-0000-000000000001\"\n },\n \"nodeResourceGroup\": \"MC_clitest000001_cliakstest000001_westus2\",\n \"enableRBAC\": true,\n @@ -82,15 +82,15 @@ interactions: {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n }" headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/fa2e23fc-baba-4a09-9c63-3c7bd60c9201?api-version=2016-03-30 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/fa0481ce-5de1-40aa-b0c1-5de5d452750e?api-version=2016-03-30 cache-control: - no-cache content-length: - - '3480' + - '3476' content-type: - application/json date: - - Thu, 24 Nov 2022 15:15:00 GMT + - Thu, 02 Feb 2023 09:48:32 GMT expires: - '-1' pragma: @@ -102,7 +102,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-writes: - - '1198' + - '1199' status: code: 201 message: Created @@ -121,23 +121,23 @@ interactions: - --resource-group --name --location --node-vm-size --node-count --ssh-key-value --aks-custom-headers User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/fa2e23fc-baba-4a09-9c63-3c7bd60c9201?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/fa0481ce-5de1-40aa-b0c1-5de5d452750e?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"fc232efa-baba-094a-9c63-3c7bd60c9201\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-24T15:15:01.5877312Z\"\n }" + string: "{\n \"name\": \"ce8104fa-e15d-aa40-b0c1-5de5d452750e\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-02T09:48:32.551814Z\"\n }" headers: cache-control: - no-cache content-length: - - '126' + - '125' content-type: - application/json date: - - Thu, 24 Nov 2022 15:15:31 GMT + - Thu, 02 Feb 2023 09:49:02 GMT expires: - '-1' pragma: @@ -170,23 +170,23 @@ interactions: - --resource-group --name --location --node-vm-size --node-count --ssh-key-value --aks-custom-headers User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/fa2e23fc-baba-4a09-9c63-3c7bd60c9201?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/fa0481ce-5de1-40aa-b0c1-5de5d452750e?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"fc232efa-baba-094a-9c63-3c7bd60c9201\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-24T15:15:01.5877312Z\"\n }" + string: "{\n \"name\": \"ce8104fa-e15d-aa40-b0c1-5de5d452750e\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-02T09:48:32.551814Z\"\n }" headers: cache-control: - no-cache content-length: - - '126' + - '125' content-type: - application/json date: - - Thu, 24 Nov 2022 15:16:01 GMT + - Thu, 02 Feb 2023 09:49:32 GMT expires: - '-1' pragma: @@ -219,23 +219,23 @@ interactions: - --resource-group --name --location --node-vm-size --node-count --ssh-key-value --aks-custom-headers User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/fa2e23fc-baba-4a09-9c63-3c7bd60c9201?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/fa0481ce-5de1-40aa-b0c1-5de5d452750e?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"fc232efa-baba-094a-9c63-3c7bd60c9201\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-24T15:15:01.5877312Z\"\n }" + string: "{\n \"name\": \"ce8104fa-e15d-aa40-b0c1-5de5d452750e\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-02T09:48:32.551814Z\"\n }" headers: cache-control: - no-cache content-length: - - '126' + - '125' content-type: - application/json date: - - Thu, 24 Nov 2022 15:16:31 GMT + - Thu, 02 Feb 2023 09:50:02 GMT expires: - '-1' pragma: @@ -268,23 +268,23 @@ interactions: - --resource-group --name --location --node-vm-size --node-count --ssh-key-value --aks-custom-headers User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/fa2e23fc-baba-4a09-9c63-3c7bd60c9201?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/fa0481ce-5de1-40aa-b0c1-5de5d452750e?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"fc232efa-baba-094a-9c63-3c7bd60c9201\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-24T15:15:01.5877312Z\"\n }" + string: "{\n \"name\": \"ce8104fa-e15d-aa40-b0c1-5de5d452750e\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-02T09:48:32.551814Z\"\n }" headers: cache-control: - no-cache content-length: - - '126' + - '125' content-type: - application/json date: - - Thu, 24 Nov 2022 15:17:01 GMT + - Thu, 02 Feb 2023 09:50:32 GMT expires: - '-1' pragma: @@ -317,23 +317,23 @@ interactions: - --resource-group --name --location --node-vm-size --node-count --ssh-key-value --aks-custom-headers User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/fa2e23fc-baba-4a09-9c63-3c7bd60c9201?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/fa0481ce-5de1-40aa-b0c1-5de5d452750e?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"fc232efa-baba-094a-9c63-3c7bd60c9201\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-24T15:15:01.5877312Z\"\n }" + string: "{\n \"name\": \"ce8104fa-e15d-aa40-b0c1-5de5d452750e\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-02T09:48:32.551814Z\"\n }" headers: cache-control: - no-cache content-length: - - '126' + - '125' content-type: - application/json date: - - Thu, 24 Nov 2022 15:17:31 GMT + - Thu, 02 Feb 2023 09:51:03 GMT expires: - '-1' pragma: @@ -366,23 +366,23 @@ interactions: - --resource-group --name --location --node-vm-size --node-count --ssh-key-value --aks-custom-headers User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/fa2e23fc-baba-4a09-9c63-3c7bd60c9201?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/fa0481ce-5de1-40aa-b0c1-5de5d452750e?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"fc232efa-baba-094a-9c63-3c7bd60c9201\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-24T15:15:01.5877312Z\"\n }" + string: "{\n \"name\": \"ce8104fa-e15d-aa40-b0c1-5de5d452750e\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-02T09:48:32.551814Z\"\n }" headers: cache-control: - no-cache content-length: - - '126' + - '125' content-type: - application/json date: - - Thu, 24 Nov 2022 15:18:02 GMT + - Thu, 02 Feb 2023 09:51:32 GMT expires: - '-1' pragma: @@ -415,23 +415,23 @@ interactions: - --resource-group --name --location --node-vm-size --node-count --ssh-key-value --aks-custom-headers User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/fa2e23fc-baba-4a09-9c63-3c7bd60c9201?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/fa0481ce-5de1-40aa-b0c1-5de5d452750e?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"fc232efa-baba-094a-9c63-3c7bd60c9201\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-24T15:15:01.5877312Z\"\n }" + string: "{\n \"name\": \"ce8104fa-e15d-aa40-b0c1-5de5d452750e\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-02T09:48:32.551814Z\"\n }" headers: cache-control: - no-cache content-length: - - '126' + - '125' content-type: - application/json date: - - Thu, 24 Nov 2022 15:18:32 GMT + - Thu, 02 Feb 2023 09:52:02 GMT expires: - '-1' pragma: @@ -464,23 +464,23 @@ interactions: - --resource-group --name --location --node-vm-size --node-count --ssh-key-value --aks-custom-headers User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/fa2e23fc-baba-4a09-9c63-3c7bd60c9201?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/fa0481ce-5de1-40aa-b0c1-5de5d452750e?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"fc232efa-baba-094a-9c63-3c7bd60c9201\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-24T15:15:01.5877312Z\"\n }" + string: "{\n \"name\": \"ce8104fa-e15d-aa40-b0c1-5de5d452750e\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-02-02T09:48:32.551814Z\"\n }" headers: cache-control: - no-cache content-length: - - '126' + - '125' content-type: - application/json date: - - Thu, 24 Nov 2022 15:19:01 GMT + - Thu, 02 Feb 2023 09:52:33 GMT expires: - '-1' pragma: @@ -513,24 +513,24 @@ interactions: - --resource-group --name --location --node-vm-size --node-count --ssh-key-value --aks-custom-headers User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/fa2e23fc-baba-4a09-9c63-3c7bd60c9201?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/fa0481ce-5de1-40aa-b0c1-5de5d452750e?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"fc232efa-baba-094a-9c63-3c7bd60c9201\",\n \"status\": - \"Succeeded\",\n \"startTime\": \"2022-11-24T15:15:01.5877312Z\",\n \"endTime\": - \"2022-11-24T15:19:08.9469862Z\"\n }" + string: "{\n \"name\": \"ce8104fa-e15d-aa40-b0c1-5de5d452750e\",\n \"status\": + \"Succeeded\",\n \"startTime\": \"2023-02-02T09:48:32.551814Z\",\n \"endTime\": + \"2023-02-02T09:52:57.6002435Z\"\n }" headers: cache-control: - no-cache content-length: - - '170' + - '169' content-type: - application/json date: - - Thu, 24 Nov 2022 15:19:31 GMT + - Thu, 02 Feb 2023 09:53:02 GMT expires: - '-1' pragma: @@ -563,40 +563,40 @@ interactions: - --resource-group --name --location --node-vm-size --node-count --ssh-key-value --aks-custom-headers User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n \ \"location\": \"westus2\",\n \"name\": \"cliakstest000001\",\n \"type\": \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": \"Succeeded\",\n \"powerState\": {\n \"code\": \"Running\"\n },\n \"kubernetesVersion\": - \"1.23.12\",\n \"currentKubernetesVersion\": \"1.23.12\",\n \"dnsPrefix\": - \"cliakstest-clitestza4mj775n-8ecadf\",\n \"fqdn\": \"cliakstest-clitestza4mj775n-8ecadf-026ec148.hcp.westus2.azmk8s.io\",\n - \ \"azurePortalFQDN\": \"cliakstest-clitestza4mj775n-8ecadf-026ec148.portal.hcp.westus2.azmk8s.io\",\n + \"1.24.6\",\n \"currentKubernetesVersion\": \"1.24.6\",\n \"dnsPrefix\": + \"cliakstest-clitestjq7wpjzco-8ecadf\",\n \"fqdn\": \"cliakstest-clitestjq7wpjzco-8ecadf-98afe286.hcp.westus2.azmk8s.io\",\n + \ \"azurePortalFQDN\": \"cliakstest-clitestjq7wpjzco-8ecadf-98afe286.portal.hcp.westus2.azmk8s.io\",\n \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \"count\": 1,\n \"vmSize\": \"Standard_D4s_v3\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": \"Managed\",\n \"kubeletDiskType\": \"OS\",\n \"workloadRuntime\": \"OCIContainer\",\n \"maxPods\": 110,\n \"type\": \"VirtualMachineScaleSets\",\n \ \"enableAutoScaling\": false,\n \"provisioningState\": \"Succeeded\",\n \ \"powerState\": {\n \"code\": \"Running\"\n },\n \"orchestratorVersion\": - \"1.23.12\",\n \"currentOrchestratorVersion\": \"1.23.12\",\n \"enableNodePublicIP\": + \"1.24.6\",\n \"currentOrchestratorVersion\": \"1.24.6\",\n \"enableNodePublicIP\": false,\n \"enableCustomCATrust\": false,\n \"mode\": \"System\",\n \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": - \"AKSUbuntu-1804gen2containerd-2022.10.24\",\n \"upgradeSettings\": {},\n + \"AKSUbuntu-1804gen2containerd-2023.01.19\",\n \"upgradeSettings\": {},\n \ \"enableFIPS\": false,\n \"networkProfile\": {}\n }\n ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n \"ssh\": {\n \"publicKeys\": - [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQDtyhanIltEFDzJf62RRkik6ABgeDsgbISSDU8/MHMJUrBtA4OT2R78kSrllh/pIZZXgLruufkOurUwLmxQRn3g1ydTAvQ7KOGcZ4d6vnGahyzCiw/V33haTgHK9d5fi+pPA44vlzSpAMEQbIDsryYdC8rnS+Tfpvt7+gWAuQlZIlJ2ehHnSzoWBnFA4st5RQ+amMuJCr6/1RDt8hTcME7sYy4T2HK+O/wQVfnK4ARXXKNdG/icWbU2unE0kSKc9PCVSG34gF+cJTWwO21Q1vPAcvGMHxUHo6dHB/H4llNHMmxlqJZUW6wZuP0wJJrX55VWyyysyHJEaxZTkW4RFXht + [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCo9vDBjigKvJZ76amZTXAO8+BkLLx7/rD7iQwMbYDoGKMGrVoIbc6mxSn19tfbAdgIDjxFTvp/yAwO8nbLq9fzpBvNKKZJvxpeSHU/qGgMWHcj+DtF+7Bljz3YGLctLjpDKYvxsHHDPTZgSts7reB75SVC57cphBO76x7CCBE4uzjUHaDYBx+WU6dFMFqyrm/F/tYb3ilEwbxyRNXhnP9FN3ENWWQnD3isjrpGnB+3w8jtIlHoW4PnLXF+Nuw0Jv/ScIN/Zd5PTMuMm/aW3S8XwN6LpM7IB61w9dAvL8bfAVccDeYD/EeC7jJoIl2A4euootMxcN5Dz6hs/bRgnBjT azcli_aks_live_test@example.com\\n\"\n }\n ]\n }\n },\n \"servicePrincipalProfile\": {\n \"clientId\":\"00000000-0000-0000-0000-000000000001\"\n },\n \"nodeResourceGroup\": \"MC_clitest000001_cliakstest000001_westus2\",\n \"enableRBAC\": true,\n \ \"enablePodSecurityPolicy\": false,\n \"networkProfile\": {\n \"networkPlugin\": \"kubenet\",\n \"loadBalancerSku\": \"Standard\",\n \"loadBalancerProfile\": {\n \"managedOutboundIPs\": {\n \"count\": 1\n },\n \"effectiveOutboundIPs\": - [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Network/publicIPAddresses/84662efe-c060-4a90-b30d-7f51187e2a39\"\n + [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Network/publicIPAddresses/b2155cc5-fa31-4d41-9f2c-b8cee2144bba\"\n \ }\n ],\n \"backendPoolType\": \"nodeIPConfiguration\"\n },\n \ \"podCidr\": \"10.244.0.0/16\",\n \"serviceCidr\": \"10.0.0.0/16\",\n \ \"dnsServiceIP\": \"10.0.0.10\",\n \"dockerBridgeCidr\": \"172.17.0.1/16\",\n @@ -617,11 +617,11 @@ interactions: cache-control: - no-cache content-length: - - '4133' + - '4129' content-type: - application/json date: - - Thu, 24 Nov 2022 15:19:32 GMT + - Thu, 02 Feb 2023 09:53:03 GMT expires: - '-1' pragma: @@ -653,20 +653,20 @@ interactions: ParameterSetName: - -g --query -o User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n \ \"location\": \"westus2\",\n \"name\": \"cliakstest000001\",\n \"type\": \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": \"Succeeded\",\n \"powerState\": {\n \"code\": \"Running\"\n },\n - \ \"kubernetesVersion\": \"1.23.12\",\n \"currentKubernetesVersion\": - \"1.23.12\",\n \"dnsPrefix\": \"cliakstest-clitestza4mj775n-8ecadf\",\n - \ \"fqdn\": \"cliakstest-clitestza4mj775n-8ecadf-026ec148.hcp.westus2.azmk8s.io\",\n - \ \"azurePortalFQDN\": \"cliakstest-clitestza4mj775n-8ecadf-026ec148.portal.hcp.westus2.azmk8s.io\",\n + \ \"kubernetesVersion\": \"1.24.6\",\n \"currentKubernetesVersion\": + \"1.24.6\",\n \"dnsPrefix\": \"cliakstest-clitestjq7wpjzco-8ecadf\",\n + \ \"fqdn\": \"cliakstest-clitestjq7wpjzco-8ecadf-98afe286.hcp.westus2.azmk8s.io\",\n + \ \"azurePortalFQDN\": \"cliakstest-clitestjq7wpjzco-8ecadf-98afe286.portal.hcp.westus2.azmk8s.io\",\n \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \ \"count\": 1,\n \"vmSize\": \"Standard_D4s_v3\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": \"Managed\",\n \"kubeletDiskType\": \"OS\",\n @@ -674,13 +674,15 @@ interactions: \ \"type\": \"VirtualMachineScaleSets\",\n \"enableAutoScaling\": false,\n \"provisioningState\": \"Succeeded\",\n \"powerState\": {\n \"code\": \"Running\"\n },\n \"orchestratorVersion\": - \"1.23.12\",\n \"currentOrchestratorVersion\": \"1.23.12\",\n \"enableNodePublicIP\": - false,\n \"mode\": \"System\",\n \"enableEncryptionAtHost\": false,\n - \ \"enableUltraSSD\": false,\n \"osType\": \"Linux\",\n \"osSKU\": - \"Ubuntu\",\n \"nodeImageVersion\": \"AKSUbuntu-1804gen2containerd-2022.10.24\",\n - \ \"upgradeSettings\": {},\n \"enableFIPS\": false\n }\n ],\n - \ \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n \"ssh\": - {\n \"publicKeys\": [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQDtyhanIltEFDzJf62RRkik6ABgeDsgbISSDU8/MHMJUrBtA4OT2R78kSrllh/pIZZXgLruufkOurUwLmxQRn3g1ydTAvQ7KOGcZ4d6vnGahyzCiw/V33haTgHK9d5fi+pPA44vlzSpAMEQbIDsryYdC8rnS+Tfpvt7+gWAuQlZIlJ2ehHnSzoWBnFA4st5RQ+amMuJCr6/1RDt8hTcME7sYy4T2HK+O/wQVfnK4ARXXKNdG/icWbU2unE0kSKc9PCVSG34gF+cJTWwO21Q1vPAcvGMHxUHo6dHB/H4llNHMmxlqJZUW6wZuP0wJJrX55VWyyysyHJEaxZTkW4RFXht + \"1.24.6\",\n \"currentOrchestratorVersion\": \"1.24.6\",\n \"enableNodePublicIP\": + false,\n \"enableCustomCATrust\": false,\n \"mode\": \"System\",\n + \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n + \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": + \"AKSUbuntu-1804gen2containerd-2023.01.19\",\n \"upgradeSettings\": + {},\n \"enableFIPS\": false,\n \"networkProfile\": {}\n }\n + \ ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n + \ \"ssh\": {\n \"publicKeys\": [\n {\n \"keyData\": + \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCo9vDBjigKvJZ76amZTXAO8+BkLLx7/rD7iQwMbYDoGKMGrVoIbc6mxSn19tfbAdgIDjxFTvp/yAwO8nbLq9fzpBvNKKZJvxpeSHU/qGgMWHcj+DtF+7Bljz3YGLctLjpDKYvxsHHDPTZgSts7reB75SVC57cphBO76x7CCBE4uzjUHaDYBx+WU6dFMFqyrm/F/tYb3ilEwbxyRNXhnP9FN3ENWWQnD3isjrpGnB+3w8jtIlHoW4PnLXF+Nuw0Jv/ScIN/Zd5PTMuMm/aW3S8XwN6LpM7IB61w9dAvL8bfAVccDeYD/EeC7jJoIl2A4euootMxcN5Dz6hs/bRgnBjT azcli_aks_live_test@example.com\\n\"\n }\n ]\n }\n },\n \ \"servicePrincipalProfile\": {\n \"clientId\":\"00000000-0000-0000-0000-000000000001\"\n \ },\n \"nodeResourceGroup\": \"MC_clitest000001_cliakstest000001_westus2\",\n @@ -688,21 +690,22 @@ interactions: {\n \"networkPlugin\": \"kubenet\",\n \"loadBalancerSku\": \"Standard\",\n \ \"loadBalancerProfile\": {\n \"managedOutboundIPs\": {\n \"count\": 1\n },\n \"effectiveOutboundIPs\": [\n {\n \"id\": - \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Network/publicIPAddresses/84662efe-c060-4a90-b30d-7f51187e2a39\"\n - \ }\n ]\n },\n \"podCidr\": \"10.244.0.0/16\",\n \"serviceCidr\": - \"10.0.0.0/16\",\n \"dnsServiceIP\": \"10.0.0.10\",\n \"dockerBridgeCidr\": - \"172.17.0.1/16\",\n \"outboundType\": \"loadBalancer\",\n \"podCidrs\": - [\n \"10.244.0.0/16\"\n ],\n \"serviceCidrs\": [\n \"10.0.0.0/16\"\n - \ ],\n \"ipFamilies\": [\n \"IPv4\"\n ]\n },\n \"maxAgentPools\": - 100,\n \"identityProfile\": {\n \"kubeletidentity\": {\n \"resourceId\": - \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.ManagedIdentity/userAssignedIdentities/cliakstest000001-agentpool\",\n + \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Network/publicIPAddresses/b2155cc5-fa31-4d41-9f2c-b8cee2144bba\"\n + \ }\n ],\n \"backendPoolType\": \"nodeIPConfiguration\"\n + \ },\n \"podCidr\": \"10.244.0.0/16\",\n \"serviceCidr\": \"10.0.0.0/16\",\n + \ \"dnsServiceIP\": \"10.0.0.10\",\n \"dockerBridgeCidr\": \"172.17.0.1/16\",\n + \ \"outboundType\": \"loadBalancer\",\n \"podCidrs\": [\n \"10.244.0.0/16\"\n + \ ],\n \"serviceCidrs\": [\n \"10.0.0.0/16\"\n ],\n \"ipFamilies\": + [\n \"IPv4\"\n ]\n },\n \"maxAgentPools\": 100,\n \"identityProfile\": + {\n \"kubeletidentity\": {\n \"resourceId\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.ManagedIdentity/userAssignedIdentities/cliakstest000001-agentpool\",\n \ \"clientId\":\"00000000-0000-0000-0000-000000000001\",\n \"objectId\":\"00000000-0000-0000-0000-000000000001\"\n \ }\n },\n \"disableLocalAccounts\": false,\n \"securityProfile\": {},\n \"storageProfile\": {\n \"diskCSIDriver\": {\n \"enabled\": - true\n },\n \"fileCSIDriver\": {\n \"enabled\": true\n },\n - \ \"snapshotController\": {\n \"enabled\": true\n }\n },\n - \ \"oidcIssuerProfile\": {\n \"enabled\": false\n }\n },\n - \ \"identity\": {\n \"type\": \"SystemAssigned\",\n \"principalId\":\"00000000-0000-0000-0000-000000000001\",\n + true,\n \"version\": \"v1\"\n },\n \"fileCSIDriver\": {\n + \ \"enabled\": true\n },\n \"snapshotController\": {\n \"enabled\": + true\n }\n },\n \"oidcIssuerProfile\": {\n \"enabled\": + false\n },\n \"workloadAutoScalerProfile\": {}\n },\n \"identity\": + {\n \"type\": \"SystemAssigned\",\n \"principalId\":\"00000000-0000-0000-0000-000000000001\",\n \ \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\"\n },\n \"sku\": {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n }\n ]\n }" @@ -710,11 +713,11 @@ interactions: cache-control: - no-cache content-length: - - '4235' + - '4408' content-type: - application/json date: - - Thu, 24 Nov 2022 15:19:33 GMT + - Thu, 02 Feb 2023 09:53:04 GMT expires: - '-1' pragma: @@ -746,21 +749,22 @@ interactions: ParameterSetName: - -g --query -o User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-compute/29.0.0 Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-compute/29.1.0 Python/3.8.10 (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Compute/virtualMachineScaleSets?api-version=2022-08-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Compute/virtualMachineScaleSets?api-version=2022-11-01 response: body: - string: "{\r\n \"value\": [\r\n {\r\n \"name\": \"aks-nodepool1-86229571-vmss\",\r\n - \ \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-86229571-vmss\",\r\n + string: "{\r\n \"value\": [\r\n {\r\n \"name\": \"aks-nodepool1-32791764-vmss\",\r\n + \ \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-32791764-vmss\",\r\n \ \"type\": \"Microsoft.Compute/virtualMachineScaleSets\",\r\n \"location\": \"westus2\",\r\n \"tags\": {\r\n \"aks-managed-createOperationID\": - \"fa2e23fc-baba-4a09-9c63-3c7bd60c9201\",\r\n \"aks-managed-creationSource\": - \"vmssclient-aks-nodepool1-86229571-vmss\",\r\n \"aks-managed-kubeletIdentityClientID\": - \"63cf13c8-cbc5-47c8-add2-e610f2a7bdb4\",\r\n \"aks-managed-orchestrator\": - \"Kubernetes:1.23.12\",\r\n \"aks-managed-poolName\": \"nodepool1\",\r\n - \ \"aks-managed-resourceNameSuffix\": \"23081917\"\r\n },\r\n \"identity\": - {\r\n \"type\": \"UserAssigned\",\r\n \"userAssignedIdentities\": + \"fa0481ce-5de1-40aa-b0c1-5de5d452750e\",\r\n \"aks-managed-creationSource\": + \"vmssclient-aks-nodepool1-32791764-vmss\",\r\n \"aks-managed-kubeletIdentityClientID\": + \"cc992a92-fd21-43f1-b6c2-ba7b773853f4\",\r\n \"aks-managed-orchestrator\": + \"Kubernetes:1.24.6\",\r\n \"aks-managed-poolName\": \"nodepool1\",\r\n + \ \"aks-managed-resourceNameSuffix\": \"18957470\"\r\n },\r\n \"identity\": + {\r\n \"type\": \"SystemAssigned, UserAssigned\",\r\n \"principalId\":\"00000000-0000-0000-0000-000000000001\",\r\n + \ \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\",\r\n \"userAssignedIdentities\": {\r\n \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.ManagedIdentity/userAssignedIdentities/cliakstest000001-agentpool\": {\r\n \"principalId\":\"00000000-0000-0000-0000-000000000001\",\r\n \ \"clientId\":\"00000000-0000-0000-0000-000000000001\"\r\n }\r\n @@ -769,12 +773,12 @@ interactions: \ \"properties\": {\r\n \"singlePlacementGroup\": false,\r\n \"orchestrationMode\": \"Uniform\",\r\n \"upgradePolicy\": {\r\n \"mode\": \"Manual\"\r\n \ },\r\n \"virtualMachineProfile\": {\r\n \"osProfile\": - {\r\n \"computerNamePrefix\": \"aks-nodepool1-86229571-vmss\",\r\n + {\r\n \"computerNamePrefix\": \"aks-nodepool1-32791764-vmss\",\r\n \ \"adminUsername\": \"azureuser\",\r\n \"linuxConfiguration\": {\r\n \"disablePasswordAuthentication\": true,\r\n \"ssh\": {\r\n \"publicKeys\": [\r\n {\r\n \"path\": \"/home/azureuser/.ssh/authorized_keys\",\r\n \"keyData\": - \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQDtyhanIltEFDzJf62RRkik6ABgeDsgbISSDU8/MHMJUrBtA4OT2R78kSrllh/pIZZXgLruufkOurUwLmxQRn3g1ydTAvQ7KOGcZ4d6vnGahyzCiw/V33haTgHK9d5fi+pPA44vlzSpAMEQbIDsryYdC8rnS+Tfpvt7+gWAuQlZIlJ2ehHnSzoWBnFA4st5RQ+amMuJCr6/1RDt8hTcME7sYy4T2HK+O/wQVfnK4ARXXKNdG/icWbU2unE0kSKc9PCVSG34gF+cJTWwO21Q1vPAcvGMHxUHo6dHB/H4llNHMmxlqJZUW6wZuP0wJJrX55VWyyysyHJEaxZTkW4RFXht + \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCo9vDBjigKvJZ76amZTXAO8+BkLLx7/rD7iQwMbYDoGKMGrVoIbc6mxSn19tfbAdgIDjxFTvp/yAwO8nbLq9fzpBvNKKZJvxpeSHU/qGgMWHcj+DtF+7Bljz3YGLctLjpDKYvxsHHDPTZgSts7reB75SVC57cphBO76x7CCBE4uzjUHaDYBx+WU6dFMFqyrm/F/tYb3ilEwbxyRNXhnP9FN3ENWWQnD3isjrpGnB+3w8jtIlHoW4PnLXF+Nuw0Jv/ScIN/Zd5PTMuMm/aW3S8XwN6LpM7IB61w9dAvL8bfAVccDeYD/EeC7jJoIl2A4euootMxcN5Dz6hs/bRgnBjT azcli_aks_live_test@example.com\\n\"\r\n }\r\n ]\r\n \ },\r\n \"provisionVMAgent\": true,\r\n \"enableVMAgentPlatformUpdates\": false\r\n },\r\n \"secrets\": [],\r\n \"allowExtensionOperations\": @@ -784,33 +788,33 @@ interactions: \"ReadWrite\",\r\n \"managedDisk\": {\r\n \"storageAccountType\": \"Premium_LRS\"\r\n },\r\n \"diskSizeGB\": 128\r\n \ },\r\n \"imageReference\": {\r\n \"id\": - \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AKS-Ubuntu/providers/Microsoft.Compute/galleries/AKSUbuntu/images/1804gen2containerd/versions/2022.10.24\"\r\n - \ }\r\n },\r\n \"networkProfile\": {\"networkInterfaceConfigurations\":[{\"name\":\"aks-nodepool1-86229571-vmss\",\"properties\":{\"primary\":true,\"enableAcceleratedNetworking\":true,\"disableTcpStateTracking\":false,\"dnsSettings\":{\"dnsServers\":[]},\"enableIPForwarding\":true,\"ipConfigurations\":[{\"name\":\"ipconfig1\",\"properties\":{\"primary\":true,\"subnet\":{\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Network/virtualNetworks/aks-vnet-23081917/subnets/aks-subnet\"},\"privateIPAddressVersion\":\"IPv4\",\"loadBalancerBackendAddressPools\":[{\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Network/loadBalancers/kubernetes/backendAddressPools/aksOutboundBackendPool\"},{\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Network/loadBalancers/kubernetes/backendAddressPools/kubernetes\"}]}}]}}]},\r\n + \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AKS-Ubuntu/providers/Microsoft.Compute/galleries/AKSUbuntu/images/1804gen2containerd/versions/2023.01.19\"\r\n + \ }\r\n },\r\n \"networkProfile\": {\"networkInterfaceConfigurations\":[{\"name\":\"aks-nodepool1-32791764-vmss\",\"properties\":{\"primary\":true,\"enableAcceleratedNetworking\":true,\"disableTcpStateTracking\":false,\"dnsSettings\":{\"dnsServers\":[]},\"enableIPForwarding\":true,\"ipConfigurations\":[{\"name\":\"ipconfig1\",\"properties\":{\"primary\":true,\"subnet\":{\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Network/virtualNetworks/aks-vnet-18957470/subnets/aks-subnet\"},\"privateIPAddressVersion\":\"IPv4\",\"loadBalancerBackendAddressPools\":[{\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Network/loadBalancers/kubernetes/backendAddressPools/kubernetes\"},{\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Network/loadBalancers/kubernetes/backendAddressPools/aksOutboundBackendPool\"}]}}]}}]},\r\n \ \"extensionProfile\": {\r\n \"extensions\": [\r\n {\r\n \ \"name\": \"vmssCSE\",\r\n \"properties\": {\r\n \"autoUpgradeMinorVersion\": true,\r\n \"publisher\": \"Microsoft.Azure.Extensions\",\r\n \"type\": \"CustomScript\",\r\n \ \"typeHandlerVersion\": \"2.0\",\r\n \"settings\": {}\r\n }\r\n },\r\n {\r\n \"name\": - \"aks-nodepool1-86229571-vmss-AKSLinuxBilling\",\r\n \"properties\": + \"aks-nodepool1-32791764-vmss-AKSLinuxBilling\",\r\n \"properties\": {\r\n \"autoUpgradeMinorVersion\": true,\r\n \"publisher\": \"Microsoft.AKS\",\r\n \"type\": \"Compute.AKS.Linux.Billing\",\r\n \ \"typeHandlerVersion\": \"1.0\",\r\n \"settings\": {}\r\n }\r\n }\r\n ],\r\n \"extensionsTimeBudget\": \"PT16M\"\r\n }\r\n },\r\n \"provisioningState\": \"Succeeded\",\r\n \ \"overprovision\": false,\r\n \"doNotRunExtensionsOnOverprovisionedVMs\": - false,\r\n \"uniqueId\": \"38783e55-d209-4795-88e1-d15611912252\",\r\n - \ \"platformFaultDomainCount\": 1,\r\n \"timeCreated\": \"2022-11-24T15:16:04.1184161+00:00\"\r\n + false,\r\n \"uniqueId\": \"630cd4fe-abfc-4e43-851a-c59852b9f891\",\r\n + \ \"platformFaultDomainCount\": 1,\r\n \"timeCreated\": \"2023-02-02T09:50:06.7179066+00:00\"\r\n \ }\r\n }\r\n ]\r\n}" headers: cache-control: - no-cache content-length: - - '5550' + - '5689' content-type: - application/json; charset=utf-8 date: - - Thu, 24 Nov 2022 15:19:34 GMT + - Thu, 02 Feb 2023 09:53:05 GMT expires: - '-1' pragma: @@ -827,7 +831,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-resource: - - Microsoft.Compute/HighCostGetVMScaleSet3Min;247,Microsoft.Compute/HighCostGetVMScaleSet30Min;1232 + - Microsoft.Compute/HighCostGetVMScaleSet3Min;178,Microsoft.Compute/HighCostGetVMScaleSet30Min;890 status: code: 200 message: OK @@ -845,10 +849,10 @@ interactions: ParameterSetName: - -g --cluster-name -n -s --roles User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings/testbinding?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings/testbinding?api-version=2023-01-02-preview response: body: string: "{\n \"code\": \"NotFound\",\n \"message\": \"Could not find the trusted @@ -863,7 +867,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 15:19:34 GMT + - Thu, 02 Feb 2023 09:53:05 GMT expires: - '-1' pragma: @@ -878,7 +882,7 @@ interactions: code: 404 message: Not Found - request: - body: '{"properties": {"sourceResourceId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-86229571-vmss", + body: '{"properties": {"sourceResourceId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-32791764-vmss", "roles": ["Microsoft.Compute/virtualMachineScaleSets/test-node-reader", "Microsoft.Compute/virtualMachineScaleSets/test-admin"]}}' headers: Accept: @@ -896,16 +900,16 @@ interactions: ParameterSetName: - -g --cluster-name -n -s --roles User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings/testbinding?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings/testbinding?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings/testbinding\",\n \ \"name\": \"testbinding\",\n \"type\": \"Microsoft.ContainerService/managedClusters/trustedAccessRoleBindings\",\n \ \"properties\": {\n \"provisioningState\": \"Updating\",\n \"sourceResourceId\": - \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-86229571-vmss\",\n + \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-32791764-vmss\",\n \ \"roles\": [\n \"Microsoft.Compute/virtualMachineScaleSets/test-node-reader\",\n \ \"Microsoft.Compute/virtualMachineScaleSets/test-admin\"\n ]\n }\n }" @@ -917,7 +921,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 15:19:34 GMT + - Thu, 02 Feb 2023 09:53:06 GMT expires: - '-1' pragma: @@ -933,7 +937,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-writes: - - '1199' + - '1198' status: code: 200 message: OK @@ -951,16 +955,16 @@ interactions: ParameterSetName: - --cluster-name -g User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings/testbinding\",\n \ \"name\": \"testbinding\",\n \"type\": \"Microsoft.ContainerService/managedClusters/trustedAccessRoleBindings\",\n \ \"properties\": {\n \"provisioningState\": \"Succeeded\",\n \"sourceResourceId\": - \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-86229571-vmss\",\n + \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-32791764-vmss\",\n \ \"roles\": [\n \"Microsoft.Compute/virtualMachineScaleSets/test-node-reader\",\n \ \"Microsoft.Compute/virtualMachineScaleSets/test-admin\"\n ]\n }\n \ }\n ]\n }" @@ -972,7 +976,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 15:19:55 GMT + - Thu, 02 Feb 2023 09:53:26 GMT expires: - '-1' pragma: @@ -1004,16 +1008,16 @@ interactions: ParameterSetName: - --cluster-name -g -n User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings/testbinding?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings/testbinding?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings/testbinding\",\n \ \"name\": \"testbinding\",\n \"type\": \"Microsoft.ContainerService/managedClusters/trustedAccessRoleBindings\",\n \ \"properties\": {\n \"provisioningState\": \"Succeeded\",\n \"sourceResourceId\": - \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-86229571-vmss\",\n + \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-32791764-vmss\",\n \ \"roles\": [\n \"Microsoft.Compute/virtualMachineScaleSets/test-node-reader\",\n \ \"Microsoft.Compute/virtualMachineScaleSets/test-admin\"\n ]\n }\n }" @@ -1025,7 +1029,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 15:19:55 GMT + - Thu, 02 Feb 2023 09:53:26 GMT expires: - '-1' pragma: @@ -1057,16 +1061,16 @@ interactions: ParameterSetName: - -g --cluster-name -n --roles User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings/testbinding?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings/testbinding?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings/testbinding\",\n \ \"name\": \"testbinding\",\n \"type\": \"Microsoft.ContainerService/managedClusters/trustedAccessRoleBindings\",\n \ \"properties\": {\n \"provisioningState\": \"Succeeded\",\n \"sourceResourceId\": - \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-86229571-vmss\",\n + \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-32791764-vmss\",\n \ \"roles\": [\n \"Microsoft.Compute/virtualMachineScaleSets/test-node-reader\",\n \ \"Microsoft.Compute/virtualMachineScaleSets/test-admin\"\n ]\n }\n }" @@ -1078,7 +1082,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 15:19:55 GMT + - Thu, 02 Feb 2023 09:53:26 GMT expires: - '-1' pragma: @@ -1097,7 +1101,7 @@ interactions: code: 200 message: OK - request: - body: '{"properties": {"sourceResourceId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-86229571-vmss", + body: '{"properties": {"sourceResourceId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-32791764-vmss", "roles": ["Microsoft.Compute/virtualMachineScaleSets/test-node-reader"]}}' headers: Accept: @@ -1115,16 +1119,16 @@ interactions: ParameterSetName: - -g --cluster-name -n --roles User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings/testbinding?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings/testbinding?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings/testbinding\",\n \ \"name\": \"testbinding\",\n \"type\": \"Microsoft.ContainerService/managedClusters/trustedAccessRoleBindings\",\n \ \"properties\": {\n \"provisioningState\": \"Updating\",\n \"sourceResourceId\": - \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-86229571-vmss\",\n + \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-32791764-vmss\",\n \ \"roles\": [\n \"Microsoft.Compute/virtualMachineScaleSets/test-node-reader\"\n \ ]\n }\n }" headers: @@ -1135,7 +1139,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 15:19:56 GMT + - Thu, 02 Feb 2023 09:53:27 GMT expires: - '-1' pragma: @@ -1151,7 +1155,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-writes: - - '1198' + - '1199' status: code: 200 message: OK @@ -1171,10 +1175,10 @@ interactions: ParameterSetName: - -g --cluster-name -n -y User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings/testbinding?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings/testbinding?api-version=2023-01-02-preview response: body: string: '' @@ -1184,7 +1188,7 @@ interactions: content-length: - '0' date: - - Thu, 24 Nov 2022 15:19:56 GMT + - Thu, 02 Feb 2023 09:53:27 GMT expires: - '-1' pragma: @@ -1214,10 +1218,10 @@ interactions: ParameterSetName: - --cluster-name -g User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 - (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings?api-version=2023-01-02-preview response: body: string: "{\n \"value\": []\n }" @@ -1229,7 +1233,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 15:20:16 GMT + - Thu, 02 Feb 2023 09:53:47 GMT expires: - '-1' pragma: diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_label_msi.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_label_msi.yaml index 04cbfc4f7a2..32fba57057f 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_label_msi.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_label_msi.yaml @@ -34,7 +34,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -553,7 +553,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -643,7 +643,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -760,7 +760,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1048,7 +1048,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1139,7 +1139,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1257,7 +1257,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1544,7 +1544,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_outbound_from_slb_to_natgateway.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_outbound_from_slb_to_natgateway.yaml index ae7091cc1cd..51f19f71cfb 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_outbound_from_slb_to_natgateway.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_outbound_from_slb_to_natgateway.yaml @@ -80,7 +80,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -561,7 +561,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -654,7 +654,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -775,7 +775,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1168,7 +1168,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_to_msi_cluster.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_to_msi_cluster.yaml index 37f8873869c..3316f549209 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_to_msi_cluster.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_to_msi_cluster.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -595,7 +595,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -685,7 +685,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -802,7 +802,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1041,7 +1041,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1133,7 +1133,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_azuremonitormetrics.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_azuremonitormetrics.yaml index 8a9b2853ece..de57071ba40 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_azuremonitormetrics.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_azuremonitormetrics.yaml @@ -35,7 +35,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -613,7 +613,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -704,7 +704,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2575,7 +2575,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2870,7 +2870,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2963,7 +2963,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -3241,7 +3241,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -3530,7 +3530,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -3624,7 +3624,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_image_cleaner.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_image_cleaner.yaml index 6128426913c..68247bf072a 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_image_cleaner.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_image_cleaner.yaml @@ -38,7 +38,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -568,7 +568,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -659,7 +659,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -780,7 +780,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1020,7 +1020,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1111,7 +1111,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1232,7 +1232,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1472,7 +1472,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_keda.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_keda.yaml index c90e02d5e53..a621ffed7e9 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_keda.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_keda.yaml @@ -34,7 +34,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -553,7 +553,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -643,7 +643,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -762,7 +762,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1002,7 +1002,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1093,7 +1093,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1211,7 +1211,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1451,7 +1451,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1544,7 +1544,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_kube_proxy_config.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_kube_proxy_config.yaml index a23f7c968fb..668cdaef4dc 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_kube_proxy_config.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_kube_proxy_config.yaml @@ -81,7 +81,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -660,7 +660,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -751,7 +751,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -872,7 +872,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1112,7 +1112,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1205,7 +1205,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_oidc_issuer_enabled.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_oidc_issuer_enabled.yaml index f53b4e529b0..0ba9fce760c 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_oidc_issuer_enabled.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_oidc_issuer_enabled.yaml @@ -34,7 +34,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -553,7 +553,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -643,7 +643,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -762,7 +762,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1051,7 +1051,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_windows_gmsa.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_windows_gmsa.yaml index d9ae839444f..fbc6b86de42 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_windows_gmsa.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_windows_gmsa.yaml @@ -36,7 +36,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -675,7 +675,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -765,7 +765,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -835,7 +835,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin\",\n @@ -1376,7 +1376,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin\",\n @@ -1436,7 +1436,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1575,7 +1575,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -2788,7 +2788,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -2892,7 +2892,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -2967,7 +2967,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview response: body: string: '' @@ -3016,7 +3016,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_windows_password.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_windows_password.yaml index 34075496428..f3c939d665f 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_windows_password.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_windows_password.yaml @@ -36,7 +36,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -675,7 +675,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -765,7 +765,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -835,7 +835,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin\",\n @@ -1568,7 +1568,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin\",\n @@ -1628,7 +1628,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1765,7 +1765,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -3072,7 +3072,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -3174,7 +3174,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -3249,7 +3249,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_workload_identity.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_workload_identity.yaml index 5085abd246a..1d2ff07ba29 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_workload_identity.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_workload_identity.yaml @@ -38,7 +38,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -617,7 +617,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -709,7 +709,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -830,7 +830,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1071,7 +1071,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1163,7 +1163,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1284,7 +1284,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1525,7 +1525,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_upgrade_node_image_only_cluster.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_upgrade_node_image_only_cluster.yaml index 6e4001b173a..8b5cb66a60a 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_upgrade_node_image_only_cluster.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_upgrade_node_image_only_cluster.yaml @@ -78,7 +78,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -558,7 +558,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -648,7 +648,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -740,7 +740,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003/upgradeNodeImageVersion?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003/upgradeNodeImageVersion?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -802,7 +802,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_upgrade_node_image_only_nodepool.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_upgrade_node_image_only_nodepool.yaml index 199bf5fb0f9..b6cdeec8419 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_upgrade_node_image_only_nodepool.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_upgrade_node_image_only_nodepool.yaml @@ -78,7 +78,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2437,7 +2437,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2529,7 +2529,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003/upgradeNodeImageVersion?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003/upgradeNodeImageVersion?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -2591,7 +2591,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_upgrade_nodepool.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_upgrade_nodepool.yaml index c4ed1689a99..31f4264efca 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_upgrade_nodepool.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_upgrade_nodepool.yaml @@ -115,7 +115,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -704,7 +704,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -794,7 +794,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -864,7 +864,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin\",\n @@ -1501,7 +1501,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin\",\n @@ -1561,7 +1561,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1698,7 +1698,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -4013,7 +4013,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -4115,7 +4115,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin\",\n @@ -4188,7 +4188,7 @@ interactions: WindowsContainerRuntime: - containerd method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin\",\n @@ -4301,7 +4301,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin\",\n @@ -4363,7 +4363,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_get_os_options.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_get_os_options.yaml index 2efafc6c98f..24875c29013 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_get_os_options.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_get_os_options.yaml @@ -16,7 +16,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/osOptions/default?api-version=2022-11-02-preview&resource-type=managedClusters + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/osOptions/default?api-version=2023-01-02-preview&resource-type=managedClusters response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/osOptions/default\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_get_trustedaccess_roles.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_get_trustedaccess_roles.yaml index de386a549f3..1ef6cd36502 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_get_trustedaccess_roles.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_get_trustedaccess_roles.yaml @@ -16,7 +16,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus/trustedAccessRoles?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus/trustedAccessRoles?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"sourceResourceType\": \"Microsoft.Compute/virtualMachineScaleSets\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_node_public_ip_tags.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_node_public_ip_tags.yaml index b98be4ae85a..6e1e1ab7b38 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_node_public_ip_tags.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_node_public_ip_tags.yaml @@ -38,7 +38,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -618,7 +618,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -711,7 +711,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2023-01-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000003\",\n @@ -787,7 +787,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000004?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000004?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000004\",\n @@ -1291,7 +1291,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000004?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000004?api-version=2023-01-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000004\",\n @@ -1354,7 +1354,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/test_aks_commands.py b/src/aks-preview/azext_aks_preview/tests/latest/test_aks_commands.py index 31197740dcb..f7236e4ad67 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/test_aks_commands.py +++ b/src/aks-preview/azext_aks_preview/tests/latest/test_aks_commands.py @@ -48,6 +48,16 @@ def _get_versions(self, location): prefix = upgrade_version[:upgrade_version.rfind('.')] create_version = next(x for x in versions if not x.startswith(prefix)) return create_version, upgrade_version + + def _get_version_in_range(self, location: str, min_version: str, max_version: str) -> str: + """Return the version which is greater than min_version and less than max_version.""" + versions = self.cmd( + "az aks get-versions -l {} --query 'orchestrators[].orchestratorVersion'".format(location)).get_output_in_json() + versions = sorted(versions, key=version_to_tuple, reverse=True) + for version in versions: + if version > min_version and version < max_version: + return version + return "" @classmethod def generate_ssh_keys(cls): @@ -299,16 +309,21 @@ def test_aks_create_and_update_with_managed_aad_enable_azure_rbac(self, resource @AllowLargeResponse() @AKSCustomResourceGroupPreparer(random_name_length=17, name_prefix='clitest', location='westus2') def test_aks_create_and_update_with_node_restriction(self, resource_group, resource_group_location): + specific_version = self._get_version_in_range(resource_group_location, "1.22.0", "1.24.0") + if specific_version == "": + # supported versions do not meet test requirements, skip + return aks_name = self.create_random_name('cliakstest', 16) self.kwargs.update({ 'resource_group': resource_group, 'name': aks_name, - 'ssh_key_value': self.generate_ssh_keys() + 'ssh_key_value': self.generate_ssh_keys(), + 'k8s_version': specific_version }) create_cmd = 'aks create --resource-group={resource_group} --name={name} ' \ '--vm-set-type VirtualMachineScaleSets -c 1 ' \ - '--enable-node-restriction ' \ + '-k {k8s_version} --enable-node-restriction ' \ '--ssh-key-value={ssh_key_value} -o json' self.cmd(create_cmd, checks=[ self.check('provisioningState', 'Succeeded'), @@ -4083,7 +4098,7 @@ def test_aks_create_with_enable_cilium_dataplane(self, resource_group, resource_ '--network-plugin azure --network-plugin-mode overlay --ssh-key-value={ssh_key_value} ' \ '--pod-cidr 10.244.0.0/16 --node-count 1 ' \ '--enable-cilium-dataplane ' \ - '--aks-custom-headers AKSHTTPCustomFeatures=Microsoft.ContainerService/CiliumDataplanePreview' + '--aks-custom-headers AKSHTTPCustomFeatures=Microsoft.ContainerService/CiliumDataplanePreview,AKSHTTPCustomFeatures=Microsoft.ContainerService/AzureOverlayPreview' self.cmd(create_cmd, checks=[ self.check('provisioningState', 'Succeeded'), self.check('networkProfile.podCidr', '10.244.0.0/16'), diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/_container_service_client.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/_container_service_client.py index a24d5c92252..d7a59170eb3 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/_container_service_client.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/_container_service_client.py @@ -53,7 +53,7 @@ class ContainerServiceClient(MultiApiClientMixin, _SDKClient): :keyword int polling_interval: Default waiting time between two polls for LRO operations if no Retry-After header is present. """ - DEFAULT_API_VERSION = '2022-11-01' + DEFAULT_API_VERSION = '2023-01-01' _PROFILE_TAG = "azure.mgmt.containerservice.ContainerServiceClient" LATEST_PROFILE = ProfileDefinition({ _PROFILE_TAG: { @@ -140,6 +140,8 @@ def models(cls, api_version=DEFAULT_API_VERSION): * 2022-10-02-preview: :mod:`v2022_10_02_preview.models` * 2022-11-01: :mod:`v2022_11_01.models` * 2022-11-02-preview: :mod:`v2022_11_02_preview.models` + * 2023-01-01: :mod:`v2023_01_01.models` + * 2023-01-02-preview: :mod:`v2023_01_02_preview.models` """ if api_version == '2017-07-01': from .v2017_07_01 import models @@ -291,6 +293,12 @@ def models(cls, api_version=DEFAULT_API_VERSION): elif api_version == '2022-11-02-preview': from .v2022_11_02_preview import models return models + elif api_version == '2023-01-01': + from .v2023_01_01 import models + return models + elif api_version == '2023-01-02-preview': + from .v2023_01_02_preview import models + return models raise ValueError("API version {} is not available".format(api_version)) @property @@ -340,6 +348,8 @@ def agent_pools(self): * 2022-10-02-preview: :class:`AgentPoolsOperations` * 2022-11-01: :class:`AgentPoolsOperations` * 2022-11-02-preview: :class:`AgentPoolsOperations` + * 2023-01-01: :class:`AgentPoolsOperations` + * 2023-01-02-preview: :class:`AgentPoolsOperations` """ api_version = self._get_api_version('agent_pools') if api_version == '2019-02-01': @@ -428,6 +438,10 @@ def agent_pools(self): from .v2022_11_01.operations import AgentPoolsOperations as OperationClass elif api_version == '2022-11-02-preview': from .v2022_11_02_preview.operations import AgentPoolsOperations as OperationClass + elif api_version == '2023-01-01': + from .v2023_01_01.operations import AgentPoolsOperations as OperationClass + elif api_version == '2023-01-02-preview': + from .v2023_01_02_preview.operations import AgentPoolsOperations as OperationClass else: raise ValueError("API version {} does not have operation group 'agent_pools'".format(api_version)) self._config.api_version = api_version @@ -520,6 +534,8 @@ def maintenance_configurations(self): * 2022-10-02-preview: :class:`MaintenanceConfigurationsOperations` * 2022-11-01: :class:`MaintenanceConfigurationsOperations` * 2022-11-02-preview: :class:`MaintenanceConfigurationsOperations` + * 2023-01-01: :class:`MaintenanceConfigurationsOperations` + * 2023-01-02-preview: :class:`MaintenanceConfigurationsOperations` """ api_version = self._get_api_version('maintenance_configurations') if api_version == '2020-12-01': @@ -580,6 +596,10 @@ def maintenance_configurations(self): from .v2022_11_01.operations import MaintenanceConfigurationsOperations as OperationClass elif api_version == '2022-11-02-preview': from .v2022_11_02_preview.operations import MaintenanceConfigurationsOperations as OperationClass + elif api_version == '2023-01-01': + from .v2023_01_01.operations import MaintenanceConfigurationsOperations as OperationClass + elif api_version == '2023-01-02-preview': + from .v2023_01_02_preview.operations import MaintenanceConfigurationsOperations as OperationClass else: raise ValueError("API version {} does not have operation group 'maintenance_configurations'".format(api_version)) self._config.api_version = api_version @@ -600,6 +620,7 @@ def managed_cluster_snapshots(self): * 2022-09-02-preview: :class:`ManagedClusterSnapshotsOperations` * 2022-10-02-preview: :class:`ManagedClusterSnapshotsOperations` * 2022-11-02-preview: :class:`ManagedClusterSnapshotsOperations` + * 2023-01-02-preview: :class:`ManagedClusterSnapshotsOperations` """ api_version = self._get_api_version('managed_cluster_snapshots') if api_version == '2022-02-02-preview': @@ -624,6 +645,8 @@ def managed_cluster_snapshots(self): from .v2022_10_02_preview.operations import ManagedClusterSnapshotsOperations as OperationClass elif api_version == '2022-11-02-preview': from .v2022_11_02_preview.operations import ManagedClusterSnapshotsOperations as OperationClass + elif api_version == '2023-01-02-preview': + from .v2023_01_02_preview.operations import ManagedClusterSnapshotsOperations as OperationClass else: raise ValueError("API version {} does not have operation group 'managed_cluster_snapshots'".format(api_version)) self._config.api_version = api_version @@ -678,6 +701,8 @@ def managed_clusters(self): * 2022-10-02-preview: :class:`ManagedClustersOperations` * 2022-11-01: :class:`ManagedClustersOperations` * 2022-11-02-preview: :class:`ManagedClustersOperations` + * 2023-01-01: :class:`ManagedClustersOperations` + * 2023-01-02-preview: :class:`ManagedClustersOperations` """ api_version = self._get_api_version('managed_clusters') if api_version == '2018-03-31': @@ -770,6 +795,10 @@ def managed_clusters(self): from .v2022_11_01.operations import ManagedClustersOperations as OperationClass elif api_version == '2022-11-02-preview': from .v2022_11_02_preview.operations import ManagedClustersOperations as OperationClass + elif api_version == '2023-01-01': + from .v2023_01_01.operations import ManagedClustersOperations as OperationClass + elif api_version == '2023-01-02-preview': + from .v2023_01_02_preview.operations import ManagedClustersOperations as OperationClass else: raise ValueError("API version {} does not have operation group 'managed_clusters'".format(api_version)) self._config.api_version = api_version @@ -847,6 +876,8 @@ def operations(self): * 2022-10-02-preview: :class:`Operations` * 2022-11-01: :class:`Operations` * 2022-11-02-preview: :class:`Operations` + * 2023-01-01: :class:`Operations` + * 2023-01-02-preview: :class:`Operations` """ api_version = self._get_api_version('operations') if api_version == '2018-03-31': @@ -939,6 +970,10 @@ def operations(self): from .v2022_11_01.operations import Operations as OperationClass elif api_version == '2022-11-02-preview': from .v2022_11_02_preview.operations import Operations as OperationClass + elif api_version == '2023-01-01': + from .v2023_01_01.operations import Operations as OperationClass + elif api_version == '2023-01-02-preview': + from .v2023_01_02_preview.operations import Operations as OperationClass else: raise ValueError("API version {} does not have operation group 'operations'".format(api_version)) self._config.api_version = api_version @@ -981,6 +1016,8 @@ def private_endpoint_connections(self): * 2022-10-02-preview: :class:`PrivateEndpointConnectionsOperations` * 2022-11-01: :class:`PrivateEndpointConnectionsOperations` * 2022-11-02-preview: :class:`PrivateEndpointConnectionsOperations` + * 2023-01-01: :class:`PrivateEndpointConnectionsOperations` + * 2023-01-02-preview: :class:`PrivateEndpointConnectionsOperations` """ api_version = self._get_api_version('private_endpoint_connections') if api_version == '2020-06-01': @@ -1049,6 +1086,10 @@ def private_endpoint_connections(self): from .v2022_11_01.operations import PrivateEndpointConnectionsOperations as OperationClass elif api_version == '2022-11-02-preview': from .v2022_11_02_preview.operations import PrivateEndpointConnectionsOperations as OperationClass + elif api_version == '2023-01-01': + from .v2023_01_01.operations import PrivateEndpointConnectionsOperations as OperationClass + elif api_version == '2023-01-02-preview': + from .v2023_01_02_preview.operations import PrivateEndpointConnectionsOperations as OperationClass else: raise ValueError("API version {} does not have operation group 'private_endpoint_connections'".format(api_version)) self._config.api_version = api_version @@ -1089,6 +1130,8 @@ def private_link_resources(self): * 2022-10-02-preview: :class:`PrivateLinkResourcesOperations` * 2022-11-01: :class:`PrivateLinkResourcesOperations` * 2022-11-02-preview: :class:`PrivateLinkResourcesOperations` + * 2023-01-01: :class:`PrivateLinkResourcesOperations` + * 2023-01-02-preview: :class:`PrivateLinkResourcesOperations` """ api_version = self._get_api_version('private_link_resources') if api_version == '2020-09-01': @@ -1153,6 +1196,10 @@ def private_link_resources(self): from .v2022_11_01.operations import PrivateLinkResourcesOperations as OperationClass elif api_version == '2022-11-02-preview': from .v2022_11_02_preview.operations import PrivateLinkResourcesOperations as OperationClass + elif api_version == '2023-01-01': + from .v2023_01_01.operations import PrivateLinkResourcesOperations as OperationClass + elif api_version == '2023-01-02-preview': + from .v2023_01_02_preview.operations import PrivateLinkResourcesOperations as OperationClass else: raise ValueError("API version {} does not have operation group 'private_link_resources'".format(api_version)) self._config.api_version = api_version @@ -1193,6 +1240,8 @@ def resolve_private_link_service_id(self): * 2022-10-02-preview: :class:`ResolvePrivateLinkServiceIdOperations` * 2022-11-01: :class:`ResolvePrivateLinkServiceIdOperations` * 2022-11-02-preview: :class:`ResolvePrivateLinkServiceIdOperations` + * 2023-01-01: :class:`ResolvePrivateLinkServiceIdOperations` + * 2023-01-02-preview: :class:`ResolvePrivateLinkServiceIdOperations` """ api_version = self._get_api_version('resolve_private_link_service_id') if api_version == '2020-09-01': @@ -1257,6 +1306,10 @@ def resolve_private_link_service_id(self): from .v2022_11_01.operations import ResolvePrivateLinkServiceIdOperations as OperationClass elif api_version == '2022-11-02-preview': from .v2022_11_02_preview.operations import ResolvePrivateLinkServiceIdOperations as OperationClass + elif api_version == '2023-01-01': + from .v2023_01_01.operations import ResolvePrivateLinkServiceIdOperations as OperationClass + elif api_version == '2023-01-02-preview': + from .v2023_01_02_preview.operations import ResolvePrivateLinkServiceIdOperations as OperationClass else: raise ValueError("API version {} does not have operation group 'resolve_private_link_service_id'".format(api_version)) self._config.api_version = api_version @@ -1290,6 +1343,8 @@ def snapshots(self): * 2022-10-02-preview: :class:`SnapshotsOperations` * 2022-11-01: :class:`SnapshotsOperations` * 2022-11-02-preview: :class:`SnapshotsOperations` + * 2023-01-01: :class:`SnapshotsOperations` + * 2023-01-02-preview: :class:`SnapshotsOperations` """ api_version = self._get_api_version('snapshots') if api_version == '2021-08-01': @@ -1340,6 +1395,10 @@ def snapshots(self): from .v2022_11_01.operations import SnapshotsOperations as OperationClass elif api_version == '2022-11-02-preview': from .v2022_11_02_preview.operations import SnapshotsOperations as OperationClass + elif api_version == '2023-01-01': + from .v2023_01_01.operations import SnapshotsOperations as OperationClass + elif api_version == '2023-01-02-preview': + from .v2023_01_02_preview.operations import SnapshotsOperations as OperationClass else: raise ValueError("API version {} does not have operation group 'snapshots'".format(api_version)) self._config.api_version = api_version @@ -1358,6 +1417,7 @@ def trusted_access_role_bindings(self): * 2022-09-02-preview: :class:`TrustedAccessRoleBindingsOperations` * 2022-10-02-preview: :class:`TrustedAccessRoleBindingsOperations` * 2022-11-02-preview: :class:`TrustedAccessRoleBindingsOperations` + * 2023-01-02-preview: :class:`TrustedAccessRoleBindingsOperations` """ api_version = self._get_api_version('trusted_access_role_bindings') if api_version == '2022-04-02-preview': @@ -1378,6 +1438,8 @@ def trusted_access_role_bindings(self): from .v2022_10_02_preview.operations import TrustedAccessRoleBindingsOperations as OperationClass elif api_version == '2022-11-02-preview': from .v2022_11_02_preview.operations import TrustedAccessRoleBindingsOperations as OperationClass + elif api_version == '2023-01-02-preview': + from .v2023_01_02_preview.operations import TrustedAccessRoleBindingsOperations as OperationClass else: raise ValueError("API version {} does not have operation group 'trusted_access_role_bindings'".format(api_version)) self._config.api_version = api_version @@ -1396,6 +1458,7 @@ def trusted_access_roles(self): * 2022-09-02-preview: :class:`TrustedAccessRolesOperations` * 2022-10-02-preview: :class:`TrustedAccessRolesOperations` * 2022-11-02-preview: :class:`TrustedAccessRolesOperations` + * 2023-01-02-preview: :class:`TrustedAccessRolesOperations` """ api_version = self._get_api_version('trusted_access_roles') if api_version == '2022-04-02-preview': @@ -1416,6 +1479,8 @@ def trusted_access_roles(self): from .v2022_10_02_preview.operations import TrustedAccessRolesOperations as OperationClass elif api_version == '2022-11-02-preview': from .v2022_11_02_preview.operations import TrustedAccessRolesOperations as OperationClass + elif api_version == '2023-01-02-preview': + from .v2023_01_02_preview.operations import TrustedAccessRolesOperations as OperationClass else: raise ValueError("API version {} does not have operation group 'trusted_access_roles'".format(api_version)) self._config.api_version = api_version diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/_serialization.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/_serialization.py index 2c170e28dbc..25467dfc00b 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/_serialization.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/_serialization.py @@ -38,7 +38,22 @@ import re import sys import codecs -from typing import Optional, Union, AnyStr, IO, Mapping +from typing import ( + Dict, + Any, + cast, + Optional, + Union, + AnyStr, + IO, + Mapping, + Callable, + TypeVar, + MutableMapping, + Type, + List, + Mapping, +) try: from urllib import quote # type: ignore @@ -48,12 +63,14 @@ import isodate # type: ignore -from typing import Dict, Any, cast - from azure.core.exceptions import DeserializationError, SerializationError, raise_with_traceback +from azure.core.serialization import NULL as AzureCoreNull _BOM = codecs.BOM_UTF8.decode(encoding="utf-8") +ModelType = TypeVar("ModelType", bound="Model") +JSON = MutableMapping[str, Any] + class RawDeserializer: @@ -277,8 +294,8 @@ class Model(object): _attribute_map: Dict[str, Dict[str, Any]] = {} _validation: Dict[str, Dict[str, Any]] = {} - def __init__(self, **kwargs): - self.additional_properties = {} + def __init__(self, **kwargs: Any) -> None: + self.additional_properties: Dict[str, Any] = {} for k in kwargs: if k not in self._attribute_map: _LOGGER.warning("%s is not a known attribute of class %s and will be ignored", k, self.__class__) @@ -287,25 +304,25 @@ def __init__(self, **kwargs): else: setattr(self, k, kwargs[k]) - def __eq__(self, other): + def __eq__(self, other: Any) -> bool: """Compare objects by comparing all attributes.""" if isinstance(other, self.__class__): return self.__dict__ == other.__dict__ return False - def __ne__(self, other): + def __ne__(self, other: Any) -> bool: """Compare objects by comparing all attributes.""" return not self.__eq__(other) - def __str__(self): + def __str__(self) -> str: return str(self.__dict__) @classmethod - def enable_additional_properties_sending(cls): + def enable_additional_properties_sending(cls) -> None: cls._attribute_map["additional_properties"] = {"key": "", "type": "{object}"} @classmethod - def is_xml_model(cls): + def is_xml_model(cls) -> bool: try: cls._xml_map # type: ignore except AttributeError: @@ -322,7 +339,7 @@ def _create_xml_node(cls): return _create_xml_node(xml_map.get("name", cls.__name__), xml_map.get("prefix", None), xml_map.get("ns", None)) - def serialize(self, keep_readonly=False, **kwargs): + def serialize(self, keep_readonly: bool = False, **kwargs: Any) -> JSON: """Return the JSON that would be sent to azure from this model. This is an alias to `as_dict(full_restapi_key_transformer, keep_readonly=False)`. @@ -336,8 +353,15 @@ def serialize(self, keep_readonly=False, **kwargs): serializer = Serializer(self._infer_class_models()) return serializer._serialize(self, keep_readonly=keep_readonly, **kwargs) - def as_dict(self, keep_readonly=True, key_transformer=attribute_transformer, **kwargs): - """Return a dict that can be JSONify using json.dump. + def as_dict( + self, + keep_readonly: bool = True, + key_transformer: Callable[ + [str, Dict[str, Any], Any], Any + ] = attribute_transformer, + **kwargs: Any + ) -> JSON: + """Return a dict that can be serialized using json.dump. Advanced usage might optionally use a callback as parameter: @@ -384,7 +408,7 @@ def _infer_class_models(cls): return client_models @classmethod - def deserialize(cls, data, content_type=None): + def deserialize(cls: Type[ModelType], data: Any, content_type: Optional[str] = None) -> ModelType: """Parse a str using the RestAPI syntax and return a model. :param str data: A str using RestAPI structure. JSON by default. @@ -396,7 +420,12 @@ def deserialize(cls, data, content_type=None): return deserializer(cls.__name__, data, content_type=content_type) @classmethod - def from_dict(cls, data, key_extractors=None, content_type=None): + def from_dict( + cls: Type[ModelType], + data: Any, + key_extractors: Optional[Callable[[str, Dict[str, Any], Any], Any]] = None, + content_type: Optional[str] = None, + ) -> ModelType: """Parse a dict using given key extractor return a model. By default consider key @@ -409,8 +438,8 @@ def from_dict(cls, data, key_extractors=None, content_type=None): :raises: DeserializationError if something went wrong """ deserializer = Deserializer(cls._infer_class_models()) - deserializer.key_extractors = ( - [ + deserializer.key_extractors = ( # type: ignore + [ # type: ignore attribute_key_case_insensitive_extractor, rest_key_case_insensitive_extractor, last_rest_key_case_insensitive_extractor, @@ -518,7 +547,7 @@ class Serializer(object): "multiple": lambda x, y: x % y != 0, } - def __init__(self, classes=None): + def __init__(self, classes: Optional[Mapping[str, Type[ModelType]]]=None): self.serialize_type = { "iso-8601": Serializer.serialize_iso, "rfc-1123": Serializer.serialize_rfc, @@ -534,7 +563,7 @@ def __init__(self, classes=None): "[]": self.serialize_iter, "{}": self.serialize_dict, } - self.dependencies = dict(classes) if classes else {} + self.dependencies: Dict[str, Type[ModelType]] = dict(classes) if classes else {} self.key_transformer = full_restapi_key_transformer self.client_side_validation = True @@ -626,8 +655,7 @@ def _serialize(self, target_obj, data_type=None, **kwargs): serialized.append(local_node) # type: ignore else: # JSON for k in reversed(keys): # type: ignore - unflattened = {k: new_attr} - new_attr = unflattened + new_attr = {k: new_attr} _new_attr = new_attr _serialized = serialized @@ -656,8 +684,8 @@ def body(self, data, data_type, **kwargs): """ # Just in case this is a dict - internal_data_type = data_type.strip("[]{}") - internal_data_type = self.dependencies.get(internal_data_type, None) + internal_data_type_str = data_type.strip("[]{}") + internal_data_type = self.dependencies.get(internal_data_type_str, None) try: is_xml_model_serialization = kwargs["is_xml"] except KeyError: @@ -777,6 +805,8 @@ def serialize_data(self, data, data_type, **kwargs): raise ValueError("No value for given attribute") try: + if data is AzureCoreNull: + return None if data_type in self.basic_types.values(): return self.serialize_basic(data, data_type, **kwargs) @@ -1161,7 +1191,8 @@ def rest_key_extractor(attr, attr_desc, data): working_data = data while "." in key: - dict_keys = _FLATTEN.split(key) + # Need the cast, as for some reasons "split" is typed as list[str | Any] + dict_keys = cast(List[str], _FLATTEN.split(key)) if len(dict_keys) == 1: key = _decode_attribute_map_key(dict_keys[0]) break @@ -1332,7 +1363,7 @@ class Deserializer(object): valid_date = re.compile(r"\d{4}[-]\d{2}[-]\d{2}T\d{2}:\d{2}:\d{2}" r"\.?\d*Z?[-+]?[\d{2}]?:?[\d{2}]?") - def __init__(self, classes=None): + def __init__(self, classes: Optional[Mapping[str, Type[ModelType]]]=None): self.deserialize_type = { "iso-8601": Deserializer.deserialize_iso, "rfc-1123": Deserializer.deserialize_rfc, @@ -1352,7 +1383,7 @@ def __init__(self, classes=None): "duration": (isodate.Duration, datetime.timedelta), "iso-8601": (datetime.datetime), } - self.dependencies = dict(classes) if classes else {} + self.dependencies: Dict[str, Type[ModelType]] = dict(classes) if classes else {} self.key_extractors = [rest_key_extractor, xml_key_extractor] # Additional properties only works if the "rest_key_extractor" is used to # extract the keys. Making it to work whatever the key extractor is too much @@ -1471,7 +1502,7 @@ def _classify_target(self, target, data): Once classification has been determined, initialize object. :param str target: The target object type to deserialize to. - :param str/dict data: The response data to deseralize. + :param str/dict data: The response data to deserialize. """ if target is None: return None, None @@ -1486,7 +1517,7 @@ def _classify_target(self, target, data): target = target._classify(data, self.dependencies) except AttributeError: pass # Target is not a Model, no classify - return target, target.__class__.__name__ + return target, target.__class__.__name__ # type: ignore def failsafe_deserialize(self, target_obj, data, content_type=None): """Ignores any errors encountered in deserialization, @@ -1496,7 +1527,7 @@ def failsafe_deserialize(self, target_obj, data, content_type=None): a deserialization error. :param str target_obj: The target object type to deserialize to. - :param str/dict data: The response data to deseralize. + :param str/dict data: The response data to deserialize. :param str content_type: Swagger "produces" if available. """ try: diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/_version.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/_version.py index 262c940e952..5d802ad1772 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/_version.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/_version.py @@ -9,4 +9,4 @@ # regenerated. # -------------------------------------------------------------------------- -VERSION = "21.0.0b" +VERSION = "21.1.0b" diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/models.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/models.py index 438be1acb0a..aefd4ad4d36 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/models.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/models.py @@ -5,4 +5,4 @@ # license information. # -------------------------------------------------------------------------- from .v2017_07_01.models import * -from .v2022_11_02_preview.models import * +from .v2023_01_02_preview.models import * diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/__init__.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/__init__.py similarity index 100% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/__init__.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/__init__.py diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/_configuration.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/_configuration.py similarity index 95% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/_configuration.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/_configuration.py index 99ac834ca11..c2f8eb01ca0 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/_configuration.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/_configuration.py @@ -35,14 +35,14 @@ class ContainerServiceClientConfiguration(Configuration): # pylint: disable=too :type credential: ~azure.core.credentials.TokenCredential :param subscription_id: The ID of the target subscription. Required. :type subscription_id: str - :keyword api_version: Api Version. Default value is "2022-11-02-preview". Note that overriding + :keyword api_version: Api Version. Default value is "2023-01-02-preview". Note that overriding this default value may result in unsupported behavior. :paramtype api_version: str """ def __init__(self, credential: "TokenCredential", subscription_id: str, **kwargs: Any) -> None: super(ContainerServiceClientConfiguration, self).__init__(**kwargs) - api_version: Literal["2022-11-02-preview"] = kwargs.pop("api_version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop("api_version", "2023-01-02-preview") if credential is None: raise ValueError("Parameter 'credential' must not be None.") diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/_container_service_client.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/_container_service_client.py similarity index 89% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/_container_service_client.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/_container_service_client.py index 9ff745d4f0c..e961cbd5ec5 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/_container_service_client.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/_container_service_client.py @@ -38,44 +38,44 @@ class ContainerServiceClient: # pylint: disable=client-accepts-api-version-keyw """The Container Service Client. :ivar operations: Operations operations - :vartype operations: azure.mgmt.containerservice.v2022_11_02_preview.operations.Operations + :vartype operations: azure.mgmt.containerservice.v2023_01_02_preview.operations.Operations :ivar managed_clusters: ManagedClustersOperations operations :vartype managed_clusters: - azure.mgmt.containerservice.v2022_11_02_preview.operations.ManagedClustersOperations + azure.mgmt.containerservice.v2023_01_02_preview.operations.ManagedClustersOperations :ivar maintenance_configurations: MaintenanceConfigurationsOperations operations :vartype maintenance_configurations: - azure.mgmt.containerservice.v2022_11_02_preview.operations.MaintenanceConfigurationsOperations + azure.mgmt.containerservice.v2023_01_02_preview.operations.MaintenanceConfigurationsOperations :ivar agent_pools: AgentPoolsOperations operations :vartype agent_pools: - azure.mgmt.containerservice.v2022_11_02_preview.operations.AgentPoolsOperations + azure.mgmt.containerservice.v2023_01_02_preview.operations.AgentPoolsOperations :ivar private_endpoint_connections: PrivateEndpointConnectionsOperations operations :vartype private_endpoint_connections: - azure.mgmt.containerservice.v2022_11_02_preview.operations.PrivateEndpointConnectionsOperations + azure.mgmt.containerservice.v2023_01_02_preview.operations.PrivateEndpointConnectionsOperations :ivar private_link_resources: PrivateLinkResourcesOperations operations :vartype private_link_resources: - azure.mgmt.containerservice.v2022_11_02_preview.operations.PrivateLinkResourcesOperations + azure.mgmt.containerservice.v2023_01_02_preview.operations.PrivateLinkResourcesOperations :ivar resolve_private_link_service_id: ResolvePrivateLinkServiceIdOperations operations :vartype resolve_private_link_service_id: - azure.mgmt.containerservice.v2022_11_02_preview.operations.ResolvePrivateLinkServiceIdOperations + azure.mgmt.containerservice.v2023_01_02_preview.operations.ResolvePrivateLinkServiceIdOperations :ivar snapshots: SnapshotsOperations operations :vartype snapshots: - azure.mgmt.containerservice.v2022_11_02_preview.operations.SnapshotsOperations + azure.mgmt.containerservice.v2023_01_02_preview.operations.SnapshotsOperations :ivar managed_cluster_snapshots: ManagedClusterSnapshotsOperations operations :vartype managed_cluster_snapshots: - azure.mgmt.containerservice.v2022_11_02_preview.operations.ManagedClusterSnapshotsOperations + azure.mgmt.containerservice.v2023_01_02_preview.operations.ManagedClusterSnapshotsOperations :ivar trusted_access_roles: TrustedAccessRolesOperations operations :vartype trusted_access_roles: - azure.mgmt.containerservice.v2022_11_02_preview.operations.TrustedAccessRolesOperations + azure.mgmt.containerservice.v2023_01_02_preview.operations.TrustedAccessRolesOperations :ivar trusted_access_role_bindings: TrustedAccessRoleBindingsOperations operations :vartype trusted_access_role_bindings: - azure.mgmt.containerservice.v2022_11_02_preview.operations.TrustedAccessRoleBindingsOperations + azure.mgmt.containerservice.v2023_01_02_preview.operations.TrustedAccessRoleBindingsOperations :param credential: Credential needed for the client to connect to Azure. Required. :type credential: ~azure.core.credentials.TokenCredential :param subscription_id: The ID of the target subscription. Required. :type subscription_id: str :param base_url: Service URL. Default value is "https://management.azure.com". :type base_url: str - :keyword api_version: Api Version. Default value is "2022-11-02-preview". Note that overriding + :keyword api_version: Api Version. Default value is "2023-01-02-preview". Note that overriding this default value may result in unsupported behavior. :paramtype api_version: str :keyword int polling_interval: Default waiting time between two polls for LRO operations if no @@ -155,5 +155,5 @@ def __enter__(self) -> "ContainerServiceClient": self._client.__enter__() return self - def __exit__(self, *exc_details) -> None: + def __exit__(self, *exc_details: Any) -> None: self._client.__exit__(*exc_details) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/_patch.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/_patch.py similarity index 100% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/_patch.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/_patch.py diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/_vendor.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/_vendor.py similarity index 85% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/_vendor.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/_vendor.py index 9aad73fc743..bd0df84f531 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/_vendor.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/_vendor.py @@ -5,6 +5,8 @@ # Changes may cause incorrect behavior and will be lost if the code is regenerated. # -------------------------------------------------------------------------- +from typing import List, cast + from azure.core.pipeline.transport import HttpRequest @@ -22,6 +24,7 @@ def _format_url_section(template, **kwargs): try: return template.format(**kwargs) except KeyError as key: - formatted_components = template.split("/") + # Need the cast, as for some reasons "split" is typed as list[str | Any] + formatted_components = cast(List[str], template.split("/")) components = [c for c in formatted_components if "{}".format(key.args[0]) not in c] template = "/".join(components) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/_version.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/_version.py similarity index 100% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/_version.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/_version.py diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/__init__.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/__init__.py similarity index 100% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/__init__.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/__init__.py diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/_configuration.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/_configuration.py similarity index 95% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/_configuration.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/_configuration.py index 057522a9f88..3e464e851d6 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/_configuration.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/_configuration.py @@ -35,14 +35,14 @@ class ContainerServiceClientConfiguration(Configuration): # pylint: disable=too :type credential: ~azure.core.credentials_async.AsyncTokenCredential :param subscription_id: The ID of the target subscription. Required. :type subscription_id: str - :keyword api_version: Api Version. Default value is "2022-11-02-preview". Note that overriding + :keyword api_version: Api Version. Default value is "2023-01-02-preview". Note that overriding this default value may result in unsupported behavior. :paramtype api_version: str """ def __init__(self, credential: "AsyncTokenCredential", subscription_id: str, **kwargs: Any) -> None: super(ContainerServiceClientConfiguration, self).__init__(**kwargs) - api_version: Literal["2022-11-02-preview"] = kwargs.pop("api_version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop("api_version", "2023-01-02-preview") if credential is None: raise ValueError("Parameter 'credential' must not be None.") diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/_container_service_client.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/_container_service_client.py similarity index 89% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/_container_service_client.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/_container_service_client.py index 0841911bbfc..2b0b8d5b9c0 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/_container_service_client.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/_container_service_client.py @@ -38,44 +38,44 @@ class ContainerServiceClient: # pylint: disable=client-accepts-api-version-keyw """The Container Service Client. :ivar operations: Operations operations - :vartype operations: azure.mgmt.containerservice.v2022_11_02_preview.aio.operations.Operations + :vartype operations: azure.mgmt.containerservice.v2023_01_02_preview.aio.operations.Operations :ivar managed_clusters: ManagedClustersOperations operations :vartype managed_clusters: - azure.mgmt.containerservice.v2022_11_02_preview.aio.operations.ManagedClustersOperations + azure.mgmt.containerservice.v2023_01_02_preview.aio.operations.ManagedClustersOperations :ivar maintenance_configurations: MaintenanceConfigurationsOperations operations :vartype maintenance_configurations: - azure.mgmt.containerservice.v2022_11_02_preview.aio.operations.MaintenanceConfigurationsOperations + azure.mgmt.containerservice.v2023_01_02_preview.aio.operations.MaintenanceConfigurationsOperations :ivar agent_pools: AgentPoolsOperations operations :vartype agent_pools: - azure.mgmt.containerservice.v2022_11_02_preview.aio.operations.AgentPoolsOperations + azure.mgmt.containerservice.v2023_01_02_preview.aio.operations.AgentPoolsOperations :ivar private_endpoint_connections: PrivateEndpointConnectionsOperations operations :vartype private_endpoint_connections: - azure.mgmt.containerservice.v2022_11_02_preview.aio.operations.PrivateEndpointConnectionsOperations + azure.mgmt.containerservice.v2023_01_02_preview.aio.operations.PrivateEndpointConnectionsOperations :ivar private_link_resources: PrivateLinkResourcesOperations operations :vartype private_link_resources: - azure.mgmt.containerservice.v2022_11_02_preview.aio.operations.PrivateLinkResourcesOperations + azure.mgmt.containerservice.v2023_01_02_preview.aio.operations.PrivateLinkResourcesOperations :ivar resolve_private_link_service_id: ResolvePrivateLinkServiceIdOperations operations :vartype resolve_private_link_service_id: - azure.mgmt.containerservice.v2022_11_02_preview.aio.operations.ResolvePrivateLinkServiceIdOperations + azure.mgmt.containerservice.v2023_01_02_preview.aio.operations.ResolvePrivateLinkServiceIdOperations :ivar snapshots: SnapshotsOperations operations :vartype snapshots: - azure.mgmt.containerservice.v2022_11_02_preview.aio.operations.SnapshotsOperations + azure.mgmt.containerservice.v2023_01_02_preview.aio.operations.SnapshotsOperations :ivar managed_cluster_snapshots: ManagedClusterSnapshotsOperations operations :vartype managed_cluster_snapshots: - azure.mgmt.containerservice.v2022_11_02_preview.aio.operations.ManagedClusterSnapshotsOperations + azure.mgmt.containerservice.v2023_01_02_preview.aio.operations.ManagedClusterSnapshotsOperations :ivar trusted_access_roles: TrustedAccessRolesOperations operations :vartype trusted_access_roles: - azure.mgmt.containerservice.v2022_11_02_preview.aio.operations.TrustedAccessRolesOperations + azure.mgmt.containerservice.v2023_01_02_preview.aio.operations.TrustedAccessRolesOperations :ivar trusted_access_role_bindings: TrustedAccessRoleBindingsOperations operations :vartype trusted_access_role_bindings: - azure.mgmt.containerservice.v2022_11_02_preview.aio.operations.TrustedAccessRoleBindingsOperations + azure.mgmt.containerservice.v2023_01_02_preview.aio.operations.TrustedAccessRoleBindingsOperations :param credential: Credential needed for the client to connect to Azure. Required. :type credential: ~azure.core.credentials_async.AsyncTokenCredential :param subscription_id: The ID of the target subscription. Required. :type subscription_id: str :param base_url: Service URL. Default value is "https://management.azure.com". :type base_url: str - :keyword api_version: Api Version. Default value is "2022-11-02-preview". Note that overriding + :keyword api_version: Api Version. Default value is "2023-01-02-preview". Note that overriding this default value may result in unsupported behavior. :paramtype api_version: str :keyword int polling_interval: Default waiting time between two polls for LRO operations if no @@ -155,5 +155,5 @@ async def __aenter__(self) -> "ContainerServiceClient": await self._client.__aenter__() return self - async def __aexit__(self, *exc_details) -> None: + async def __aexit__(self, *exc_details: Any) -> None: await self._client.__aexit__(*exc_details) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/_patch.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/_patch.py similarity index 100% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/_patch.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/_patch.py diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/__init__.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/__init__.py similarity index 100% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/__init__.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/__init__.py diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_agent_pools_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_agent_pools_operations.py similarity index 95% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_agent_pools_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_agent_pools_operations.py index 7f9e1ed2ef5..b5d311a3e71 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_agent_pools_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_agent_pools_operations.py @@ -56,7 +56,7 @@ class AgentPoolsOperations: **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2022_11_02_preview.aio.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2023_01_02_preview.aio.ContainerServiceClient`'s :attr:`agent_pools` attribute. """ @@ -83,8 +83,8 @@ async def _abort_latest_operation_initial( # pylint: disable=inconsistent-retur _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) @@ -157,8 +157,8 @@ async def begin_abort_latest_operation( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) polling: Union[bool, AsyncPollingMethod] = kwargs.pop("polling", True) @@ -216,14 +216,14 @@ def list(self, resource_group_name: str, resource_name: str, **kwargs: Any) -> A :keyword callable cls: A custom type or function that will be passed the direct response :return: An iterator like instance of either AgentPool or the result of cls(response) :rtype: - ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPool] + ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPool] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.AgentPoolListResult] = kwargs.pop("cls", None) @@ -312,7 +312,7 @@ async def get( :type agent_pool_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: AgentPool or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPool + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPool :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -326,8 +326,8 @@ async def get( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.AgentPool] = kwargs.pop("cls", None) @@ -384,8 +384,8 @@ async def _create_or_update_initial( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.AgentPool] = kwargs.pop("cls", None) @@ -462,7 +462,7 @@ async def begin_create_or_update( :param agent_pool_name: The name of the agent pool. Required. :type agent_pool_name: str :param parameters: The agent pool to create or update. Required. - :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPool + :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPool :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str @@ -477,7 +477,7 @@ async def begin_create_or_update( :return: An instance of AsyncLROPoller that returns either AgentPool or the result of cls(response) :rtype: - ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPool] + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPool] :raises ~azure.core.exceptions.HttpResponseError: """ @@ -519,7 +519,7 @@ async def begin_create_or_update( :return: An instance of AsyncLROPoller that returns either AgentPool or the result of cls(response) :rtype: - ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPool] + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPool] :raises ~azure.core.exceptions.HttpResponseError: """ @@ -543,9 +543,9 @@ async def begin_create_or_update( :type resource_name: str :param agent_pool_name: The name of the agent pool. Required. :type agent_pool_name: str - :param parameters: The agent pool to create or update. Is either a model type or a IO type. + :param parameters: The agent pool to create or update. Is either a AgentPool type or a IO type. Required. - :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPool or IO + :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPool or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str @@ -560,14 +560,14 @@ async def begin_create_or_update( :return: An instance of AsyncLROPoller that returns either AgentPool or the result of cls(response) :rtype: - ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPool] + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPool] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.AgentPool] = kwargs.pop("cls", None) @@ -633,8 +633,8 @@ async def _delete_initial( # pylint: disable=inconsistent-return-statements _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) @@ -711,8 +711,8 @@ async def begin_delete( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) polling: Union[bool, AsyncPollingMethod] = kwargs.pop("polling", True) @@ -772,7 +772,7 @@ async def get_upgrade_profile( :type agent_pool_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: AgentPoolUpgradeProfile or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolUpgradeProfile + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolUpgradeProfile :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -786,8 +786,8 @@ async def get_upgrade_profile( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.AgentPoolUpgradeProfile] = kwargs.pop("cls", None) @@ -842,7 +842,7 @@ async def get_available_agent_pool_versions( :type resource_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: AgentPoolAvailableVersions or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolAvailableVersions + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolAvailableVersions :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -856,8 +856,8 @@ async def get_available_agent_pool_versions( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.AgentPoolAvailableVersions] = kwargs.pop("cls", None) @@ -908,8 +908,8 @@ async def _upgrade_node_image_version_initial( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[Optional[_models.AgentPool]] = kwargs.pop("cls", None) @@ -957,7 +957,7 @@ async def _upgrade_node_image_version_initial( @distributed_trace_async async def begin_upgrade_node_image_version( self, resource_group_name: str, resource_name: str, agent_pool_name: str, **kwargs: Any - ) -> AsyncLROPoller[None]: + ) -> AsyncLROPoller[_models.AgentPool]: """Upgrades the node image version of an agent pool to the latest. Upgrading the node image version of an agent pool applies the newest OS and runtime updates to @@ -982,14 +982,14 @@ async def begin_upgrade_node_image_version( :return: An instance of AsyncLROPoller that returns either AgentPool or the result of cls(response) :rtype: - ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPool] + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPool] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) polling: Union[bool, AsyncPollingMethod] = kwargs.pop("polling", True) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_maintenance_configurations_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_maintenance_configurations_operations.py similarity index 94% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_maintenance_configurations_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_maintenance_configurations_operations.py index 9e6133acbe9..482c78a2777 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_maintenance_configurations_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_maintenance_configurations_operations.py @@ -50,7 +50,7 @@ class MaintenanceConfigurationsOperations: **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2022_11_02_preview.aio.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2023_01_02_preview.aio.ContainerServiceClient`'s :attr:`maintenance_configurations` attribute. """ @@ -80,14 +80,14 @@ def list_by_managed_cluster( :return: An iterator like instance of either MaintenanceConfiguration or the result of cls(response) :rtype: - ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.MaintenanceConfiguration] + ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.MaintenanceConfiguration] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.MaintenanceConfigurationListResult] = kwargs.pop("cls", None) @@ -176,7 +176,7 @@ async def get( :type config_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: MaintenanceConfiguration or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.MaintenanceConfiguration + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.MaintenanceConfiguration :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -190,8 +190,8 @@ async def get( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.MaintenanceConfiguration] = kwargs.pop("cls", None) @@ -253,13 +253,13 @@ async def create_or_update( :type config_name: str :param parameters: The maintenance configuration to create or update. Required. :type parameters: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.MaintenanceConfiguration + ~azure.mgmt.containerservice.v2023_01_02_preview.models.MaintenanceConfiguration :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: MaintenanceConfiguration or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.MaintenanceConfiguration + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.MaintenanceConfiguration :raises ~azure.core.exceptions.HttpResponseError: """ @@ -292,7 +292,7 @@ async def create_or_update( :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: MaintenanceConfiguration or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.MaintenanceConfiguration + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.MaintenanceConfiguration :raises ~azure.core.exceptions.HttpResponseError: """ @@ -316,16 +316,16 @@ async def create_or_update( :type resource_name: str :param config_name: The name of the maintenance configuration. Required. :type config_name: str - :param parameters: The maintenance configuration to create or update. Is either a model type or - a IO type. Required. + :param parameters: The maintenance configuration to create or update. Is either a + MaintenanceConfiguration type or a IO type. Required. :type parameters: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.MaintenanceConfiguration or IO + ~azure.mgmt.containerservice.v2023_01_02_preview.models.MaintenanceConfiguration or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: MaintenanceConfiguration or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.MaintenanceConfiguration + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.MaintenanceConfiguration :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -339,8 +339,8 @@ async def create_or_update( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.MaintenanceConfiguration] = kwargs.pop("cls", None) @@ -421,8 +421,8 @@ async def delete( # pylint: disable=inconsistent-return-statements _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_managed_cluster_snapshots_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_managed_cluster_snapshots_operations.py similarity index 93% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_managed_cluster_snapshots_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_managed_cluster_snapshots_operations.py index 96f0e70c1b3..bd3b60119cc 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_managed_cluster_snapshots_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_managed_cluster_snapshots_operations.py @@ -52,7 +52,7 @@ class ManagedClusterSnapshotsOperations: **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2022_11_02_preview.aio.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2023_01_02_preview.aio.ContainerServiceClient`'s :attr:`managed_cluster_snapshots` attribute. """ @@ -75,14 +75,14 @@ def list(self, **kwargs: Any) -> AsyncIterable["_models.ManagedClusterSnapshot"] :return: An iterator like instance of either ManagedClusterSnapshot or the result of cls(response) :rtype: - ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot] + ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.ManagedClusterSnapshotListResult] = kwargs.pop("cls", None) @@ -167,14 +167,14 @@ def list_by_resource_group( :return: An iterator like instance of either ManagedClusterSnapshot or the result of cls(response) :rtype: - ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot] + ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.ManagedClusterSnapshotListResult] = kwargs.pop("cls", None) @@ -258,7 +258,7 @@ async def get(self, resource_group_name: str, resource_name: str, **kwargs: Any) :type resource_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: ManagedClusterSnapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -272,8 +272,8 @@ async def get(self, resource_group_name: str, resource_name: str, **kwargs: Any) _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.ManagedClusterSnapshot] = kwargs.pop("cls", None) @@ -331,13 +331,13 @@ async def create_or_update( :type resource_name: str :param parameters: The managed cluster snapshot to create or update. Required. :type parameters: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: ManagedClusterSnapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot :raises ~azure.core.exceptions.HttpResponseError: """ @@ -367,7 +367,7 @@ async def create_or_update( :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: ManagedClusterSnapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot :raises ~azure.core.exceptions.HttpResponseError: """ @@ -388,16 +388,16 @@ async def create_or_update( :type resource_group_name: str :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str - :param parameters: The managed cluster snapshot to create or update. Is either a model type or - a IO type. Required. + :param parameters: The managed cluster snapshot to create or update. Is either a + ManagedClusterSnapshot type or a IO type. Required. :type parameters: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot or IO + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: ManagedClusterSnapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -411,8 +411,8 @@ async def create_or_update( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.ManagedClusterSnapshot] = kwargs.pop("cls", None) @@ -486,13 +486,13 @@ async def update_tags( :type resource_name: str :param parameters: Parameters supplied to the Update managed cluster snapshot Tags operation. Required. - :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.TagsObject + :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.TagsObject :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: ManagedClusterSnapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot :raises ~azure.core.exceptions.HttpResponseError: """ @@ -523,7 +523,7 @@ async def update_tags( :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: ManagedClusterSnapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot :raises ~azure.core.exceptions.HttpResponseError: """ @@ -541,14 +541,14 @@ async def update_tags( :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str :param parameters: Parameters supplied to the Update managed cluster snapshot Tags operation. - Is either a model type or a IO type. Required. - :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.TagsObject or IO + Is either a TagsObject type or a IO type. Required. + :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.TagsObject or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: ManagedClusterSnapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -562,8 +562,8 @@ async def update_tags( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.ManagedClusterSnapshot] = kwargs.pop("cls", None) @@ -641,8 +641,8 @@ async def delete( # pylint: disable=inconsistent-return-statements _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_managed_clusters_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_managed_clusters_operations.py similarity index 94% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_managed_clusters_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_managed_clusters_operations.py index dd4f6b26cc1..8734a320d27 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_managed_clusters_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_managed_clusters_operations.py @@ -70,7 +70,7 @@ class ManagedClustersOperations: # pylint: disable=too-many-public-methods **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2022_11_02_preview.aio.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2023_01_02_preview.aio.ContainerServiceClient`'s :attr:`managed_clusters` attribute. """ @@ -98,7 +98,7 @@ async def get_os_options( :type resource_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: OSOptionProfile or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSOptionProfile + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSOptionProfile :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -112,8 +112,8 @@ async def get_os_options( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.OSOptionProfile] = kwargs.pop("cls", None) @@ -159,14 +159,14 @@ def list(self, **kwargs: Any) -> AsyncIterable["_models.ManagedCluster"]: :keyword callable cls: A custom type or function that will be passed the direct response :return: An iterator like instance of either ManagedCluster or the result of cls(response) :rtype: - ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster] + ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.ManagedClusterListResult] = kwargs.pop("cls", None) @@ -248,14 +248,14 @@ def list_by_resource_group( :keyword callable cls: A custom type or function that will be passed the direct response :return: An iterator like instance of either ManagedCluster or the result of cls(response) :rtype: - ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster] + ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.ManagedClusterListResult] = kwargs.pop("cls", None) @@ -341,7 +341,7 @@ async def get_upgrade_profile( :type resource_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: ManagedClusterUpgradeProfile or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterUpgradeProfile + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterUpgradeProfile :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -355,8 +355,8 @@ async def get_upgrade_profile( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.ManagedClusterUpgradeProfile] = kwargs.pop("cls", None) @@ -413,7 +413,7 @@ async def get_access_profile( :type role_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: ManagedClusterAccessProfile or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAccessProfile + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAccessProfile :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -427,8 +427,8 @@ async def get_access_profile( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.ManagedClusterAccessProfile] = kwargs.pop("cls", None) @@ -483,7 +483,7 @@ async def list_cluster_admin_credentials( :type server_fqdn: str :keyword callable cls: A custom type or function that will be passed the direct response :return: CredentialResults or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.CredentialResults + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.CredentialResults :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -497,8 +497,8 @@ async def list_cluster_admin_credentials( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.CredentialResults] = kwargs.pop("cls", None) @@ -560,10 +560,10 @@ async def list_cluster_user_credentials( 'azure' will return azure auth-provider kubeconfig; format 'exec' will return exec format kubeconfig, which requires kubelogin binary in the path. Known values are: "azure" and "exec". Default value is None. - :type format: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.Format + :type format: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.Format :keyword callable cls: A custom type or function that will be passed the direct response :return: CredentialResults or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.CredentialResults + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.CredentialResults :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -577,8 +577,8 @@ async def list_cluster_user_credentials( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.CredentialResults] = kwargs.pop("cls", None) @@ -634,7 +634,7 @@ async def list_cluster_monitoring_user_credentials( :type server_fqdn: str :keyword callable cls: A custom type or function that will be passed the direct response :return: CredentialResults or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.CredentialResults + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.CredentialResults :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -648,8 +648,8 @@ async def list_cluster_monitoring_user_credentials( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.CredentialResults] = kwargs.pop("cls", None) @@ -700,7 +700,7 @@ async def get(self, resource_group_name: str, resource_name: str, **kwargs: Any) :type resource_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: ManagedCluster or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -714,8 +714,8 @@ async def get(self, resource_group_name: str, resource_name: str, **kwargs: Any) _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.ManagedCluster] = kwargs.pop("cls", None) @@ -766,8 +766,8 @@ async def _create_or_update_initial( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.ManagedCluster] = kwargs.pop("cls", None) @@ -840,7 +840,7 @@ async def begin_create_or_update( :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str :param parameters: The managed cluster to create or update. Required. - :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster + :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str @@ -855,7 +855,7 @@ async def begin_create_or_update( :return: An instance of AsyncLROPoller that returns either ManagedCluster or the result of cls(response) :rtype: - ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster] + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster] :raises ~azure.core.exceptions.HttpResponseError: """ @@ -894,7 +894,7 @@ async def begin_create_or_update( :return: An instance of AsyncLROPoller that returns either ManagedCluster or the result of cls(response) :rtype: - ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster] + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster] :raises ~azure.core.exceptions.HttpResponseError: """ @@ -911,9 +911,9 @@ async def begin_create_or_update( :type resource_group_name: str :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str - :param parameters: The managed cluster to create or update. Is either a model type or a IO - type. Required. - :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster or IO + :param parameters: The managed cluster to create or update. Is either a ManagedCluster type or + a IO type. Required. + :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str @@ -928,14 +928,14 @@ async def begin_create_or_update( :return: An instance of AsyncLROPoller that returns either ManagedCluster or the result of cls(response) :rtype: - ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster] + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.ManagedCluster] = kwargs.pop("cls", None) @@ -995,8 +995,8 @@ async def _update_tags_initial( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.ManagedCluster] = kwargs.pop("cls", None) @@ -1065,7 +1065,7 @@ async def begin_update_tags( :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str :param parameters: Parameters supplied to the Update Managed Cluster Tags operation. Required. - :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.TagsObject + :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.TagsObject :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str @@ -1080,7 +1080,7 @@ async def begin_update_tags( :return: An instance of AsyncLROPoller that returns either ManagedCluster or the result of cls(response) :rtype: - ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster] + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster] :raises ~azure.core.exceptions.HttpResponseError: """ @@ -1119,7 +1119,7 @@ async def begin_update_tags( :return: An instance of AsyncLROPoller that returns either ManagedCluster or the result of cls(response) :rtype: - ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster] + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster] :raises ~azure.core.exceptions.HttpResponseError: """ @@ -1137,8 +1137,8 @@ async def begin_update_tags( :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str :param parameters: Parameters supplied to the Update Managed Cluster Tags operation. Is either - a model type or a IO type. Required. - :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.TagsObject or IO + a TagsObject type or a IO type. Required. + :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.TagsObject or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str @@ -1153,14 +1153,14 @@ async def begin_update_tags( :return: An instance of AsyncLROPoller that returns either ManagedCluster or the result of cls(response) :rtype: - ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster] + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.ManagedCluster] = kwargs.pop("cls", None) @@ -1224,8 +1224,8 @@ async def _delete_initial( # pylint: disable=inconsistent-return-statements _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) @@ -1298,8 +1298,8 @@ async def begin_delete( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) polling: Union[bool, AsyncPollingMethod] = kwargs.pop("polling", True) @@ -1359,8 +1359,8 @@ async def _reset_service_principal_profile_initial( # pylint: disable=inconsist _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[None] = kwargs.pop("cls", None) @@ -1430,7 +1430,7 @@ async def begin_reset_service_principal_profile( :type resource_name: str :param parameters: The service principal profile to set on the managed cluster. Required. :type parameters: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterServicePrincipalProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterServicePrincipalProfile :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str @@ -1502,9 +1502,9 @@ async def begin_reset_service_principal_profile( :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str :param parameters: The service principal profile to set on the managed cluster. Is either a - model type or a IO type. Required. + ManagedClusterServicePrincipalProfile type or a IO type. Required. :type parameters: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterServicePrincipalProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterServicePrincipalProfile or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. @@ -1524,8 +1524,8 @@ async def begin_reset_service_principal_profile( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[None] = kwargs.pop("cls", None) @@ -1589,8 +1589,8 @@ async def _reset_aad_profile_initial( # pylint: disable=inconsistent-return-sta _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[None] = kwargs.pop("cls", None) @@ -1651,7 +1651,9 @@ async def begin_reset_aad_profile( ) -> AsyncLROPoller[None]: """Reset the AAD Profile of a managed cluster. - Reset the AAD Profile of a managed cluster. + **WARNING**\ : This API will be deprecated. Please see `AKS-managed Azure Active Directory + integration `_ to update your cluster with AKS-managed Azure + AD. :param resource_group_name: The name of the resource group. The name is case insensitive. Required. @@ -1660,7 +1662,7 @@ async def begin_reset_aad_profile( :type resource_name: str :param parameters: The AAD profile to set on the Managed Cluster. Required. :type parameters: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAADProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAADProfile :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str @@ -1689,7 +1691,9 @@ async def begin_reset_aad_profile( ) -> AsyncLROPoller[None]: """Reset the AAD Profile of a managed cluster. - Reset the AAD Profile of a managed cluster. + **WARNING**\ : This API will be deprecated. Please see `AKS-managed Azure Active Directory + integration `_ to update your cluster with AKS-managed Azure + AD. :param resource_group_name: The name of the resource group. The name is case insensitive. Required. @@ -1724,17 +1728,19 @@ async def begin_reset_aad_profile( ) -> AsyncLROPoller[None]: """Reset the AAD Profile of a managed cluster. - Reset the AAD Profile of a managed cluster. + **WARNING**\ : This API will be deprecated. Please see `AKS-managed Azure Active Directory + integration `_ to update your cluster with AKS-managed Azure + AD. :param resource_group_name: The name of the resource group. The name is case insensitive. Required. :type resource_group_name: str :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str - :param parameters: The AAD profile to set on the Managed Cluster. Is either a model type or a - IO type. Required. + :param parameters: The AAD profile to set on the Managed Cluster. Is either a + ManagedClusterAADProfile type or a IO type. Required. :type parameters: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAADProfile or IO + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAADProfile or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str @@ -1753,8 +1759,8 @@ async def begin_reset_aad_profile( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[None] = kwargs.pop("cls", None) @@ -1814,8 +1820,8 @@ async def _abort_latest_operation_initial( # pylint: disable=inconsistent-retur _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) @@ -1885,8 +1891,8 @@ async def begin_abort_latest_operation( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) polling: Union[bool, AsyncPollingMethod] = kwargs.pop("polling", True) @@ -1943,8 +1949,8 @@ async def _rotate_cluster_certificates_initial( # pylint: disable=inconsistent- _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) @@ -2010,8 +2016,8 @@ async def begin_rotate_cluster_certificates( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) polling: Union[bool, AsyncPollingMethod] = kwargs.pop("polling", True) @@ -2068,8 +2074,8 @@ async def _rotate_service_account_signing_keys_initial( # pylint: disable=incon _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) @@ -2134,8 +2140,8 @@ async def begin_rotate_service_account_signing_keys( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) polling: Union[bool, AsyncPollingMethod] = kwargs.pop("polling", True) @@ -2192,8 +2198,8 @@ async def _stop_initial( # pylint: disable=inconsistent-return-statements _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) @@ -2260,8 +2266,8 @@ async def begin_stop(self, resource_group_name: str, resource_name: str, **kwarg _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) polling: Union[bool, AsyncPollingMethod] = kwargs.pop("polling", True) @@ -2318,8 +2324,8 @@ async def _start_initial( # pylint: disable=inconsistent-return-statements _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) @@ -2383,8 +2389,8 @@ async def begin_start(self, resource_group_name: str, resource_name: str, **kwar _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) polling: Union[bool, AsyncPollingMethod] = kwargs.pop("polling", True) @@ -2445,8 +2451,8 @@ async def _run_command_initial( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[Optional[_models.RunCommandResult]] = kwargs.pop("cls", None) @@ -2524,7 +2530,7 @@ async def begin_run_command( :type resource_name: str :param request_payload: The run command request. Required. :type request_payload: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.RunCommandRequest + ~azure.mgmt.containerservice.v2023_01_02_preview.models.RunCommandRequest :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str @@ -2539,7 +2545,7 @@ async def begin_run_command( :return: An instance of AsyncLROPoller that returns either RunCommandResult or the result of cls(response) :rtype: - ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.RunCommandResult] + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.RunCommandResult] :raises ~azure.core.exceptions.HttpResponseError: """ @@ -2580,7 +2586,7 @@ async def begin_run_command( :return: An instance of AsyncLROPoller that returns either RunCommandResult or the result of cls(response) :rtype: - ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.RunCommandResult] + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.RunCommandResult] :raises ~azure.core.exceptions.HttpResponseError: """ @@ -2603,9 +2609,10 @@ async def begin_run_command( :type resource_group_name: str :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str - :param request_payload: The run command request. Is either a model type or a IO type. Required. + :param request_payload: The run command request. Is either a RunCommandRequest type or a IO + type. Required. :type request_payload: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.RunCommandRequest or IO + ~azure.mgmt.containerservice.v2023_01_02_preview.models.RunCommandRequest or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str @@ -2620,14 +2627,14 @@ async def begin_run_command( :return: An instance of AsyncLROPoller that returns either RunCommandResult or the result of cls(response) :rtype: - ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.RunCommandResult] + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.RunCommandResult] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.RunCommandResult] = kwargs.pop("cls", None) @@ -2692,7 +2699,7 @@ async def get_command_result( :type command_id: str :keyword callable cls: A custom type or function that will be passed the direct response :return: RunCommandResult or None or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.RunCommandResult or None + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.RunCommandResult or None :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -2706,8 +2713,8 @@ async def get_command_result( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[Optional[_models.RunCommandResult]] = kwargs.pop("cls", None) @@ -2770,14 +2777,14 @@ def list_outbound_network_dependencies_endpoints( :return: An iterator like instance of either OutboundEnvironmentEndpoint or the result of cls(response) :rtype: - ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.OutboundEnvironmentEndpoint] + ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.OutboundEnvironmentEndpoint] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.OutboundEnvironmentEndpointCollection] = kwargs.pop("cls", None) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_operations.py similarity index 95% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_operations.py index cd4a8e2f571..4a2e16837e7 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_operations.py @@ -44,7 +44,7 @@ class Operations: **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2022_11_02_preview.aio.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2023_01_02_preview.aio.ContainerServiceClient`'s :attr:`operations` attribute. """ @@ -66,14 +66,14 @@ def list(self, **kwargs: Any) -> AsyncIterable["_models.OperationValue"]: :keyword callable cls: A custom type or function that will be passed the direct response :return: An iterator like instance of either OperationValue or the result of cls(response) :rtype: - ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.OperationValue] + ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.OperationValue] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.OperationListResult] = kwargs.pop("cls", None) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_patch.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_patch.py similarity index 100% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_patch.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_patch.py diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_private_endpoint_connections_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_private_endpoint_connections_operations.py similarity index 94% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_private_endpoint_connections_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_private_endpoint_connections_operations.py index 85fd6c17b22..3f833db69e5 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_private_endpoint_connections_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_private_endpoint_connections_operations.py @@ -49,7 +49,7 @@ class PrivateEndpointConnectionsOperations: **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2022_11_02_preview.aio.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2023_01_02_preview.aio.ContainerServiceClient`'s :attr:`private_endpoint_connections` attribute. """ @@ -79,7 +79,7 @@ async def list( :keyword callable cls: A custom type or function that will be passed the direct response :return: PrivateEndpointConnectionListResult or the result of cls(response) :rtype: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateEndpointConnectionListResult + ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateEndpointConnectionListResult :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -93,8 +93,8 @@ async def list( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.PrivateEndpointConnectionListResult] = kwargs.pop("cls", None) @@ -149,7 +149,7 @@ async def get( :type private_endpoint_connection_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: PrivateEndpointConnection or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateEndpointConnection + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateEndpointConnection :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -163,8 +163,8 @@ async def get( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.PrivateEndpointConnection] = kwargs.pop("cls", None) @@ -226,13 +226,13 @@ async def update( :type private_endpoint_connection_name: str :param parameters: The updated private endpoint connection. Required. :type parameters: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateEndpointConnection + ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateEndpointConnection :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: PrivateEndpointConnection or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateEndpointConnection + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateEndpointConnection :raises ~azure.core.exceptions.HttpResponseError: """ @@ -265,7 +265,7 @@ async def update( :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: PrivateEndpointConnection or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateEndpointConnection + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateEndpointConnection :raises ~azure.core.exceptions.HttpResponseError: """ @@ -289,16 +289,16 @@ async def update( :type resource_name: str :param private_endpoint_connection_name: The name of the private endpoint connection. Required. :type private_endpoint_connection_name: str - :param parameters: The updated private endpoint connection. Is either a model type or a IO - type. Required. + :param parameters: The updated private endpoint connection. Is either a + PrivateEndpointConnection type or a IO type. Required. :type parameters: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateEndpointConnection or IO + ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateEndpointConnection or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: PrivateEndpointConnection or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateEndpointConnection + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateEndpointConnection :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -312,8 +312,8 @@ async def update( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.PrivateEndpointConnection] = kwargs.pop("cls", None) @@ -377,8 +377,8 @@ async def _delete_initial( # pylint: disable=inconsistent-return-statements _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) @@ -442,8 +442,8 @@ async def begin_delete( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) polling: Union[bool, AsyncPollingMethod] = kwargs.pop("polling", True) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_private_link_resources_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_private_link_resources_operations.py similarity index 95% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_private_link_resources_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_private_link_resources_operations.py index 63106de9bb5..7c48f384ae8 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_private_link_resources_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_private_link_resources_operations.py @@ -42,7 +42,7 @@ class PrivateLinkResourcesOperations: **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2022_11_02_preview.aio.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2023_01_02_preview.aio.ContainerServiceClient`'s :attr:`private_link_resources` attribute. """ @@ -71,7 +71,7 @@ async def list( :type resource_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: PrivateLinkResourcesListResult or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateLinkResourcesListResult + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateLinkResourcesListResult :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -85,8 +85,8 @@ async def list( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.PrivateLinkResourcesListResult] = kwargs.pop("cls", None) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_resolve_private_link_service_id_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_resolve_private_link_service_id_operations.py similarity index 93% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_resolve_private_link_service_id_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_resolve_private_link_service_id_operations.py index d45b36056c8..6f1e1611c69 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_resolve_private_link_service_id_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_resolve_private_link_service_id_operations.py @@ -42,7 +42,7 @@ class ResolvePrivateLinkServiceIdOperations: **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2022_11_02_preview.aio.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2023_01_02_preview.aio.ContainerServiceClient`'s :attr:`resolve_private_link_service_id` attribute. """ @@ -75,13 +75,13 @@ async def post( :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str :param parameters: Parameters required in order to resolve a private link service ID. Required. - :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateLinkResource + :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateLinkResource :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: PrivateLinkResource or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateLinkResource + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateLinkResource :raises ~azure.core.exceptions.HttpResponseError: """ @@ -111,7 +111,7 @@ async def post( :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: PrivateLinkResource or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateLinkResource + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateLinkResource :raises ~azure.core.exceptions.HttpResponseError: """ @@ -133,15 +133,15 @@ async def post( :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str :param parameters: Parameters required in order to resolve a private link service ID. Is either - a model type or a IO type. Required. - :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateLinkResource + a PrivateLinkResource type or a IO type. Required. + :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateLinkResource or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: PrivateLinkResource or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateLinkResource + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateLinkResource :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -155,8 +155,8 @@ async def post( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.PrivateLinkResource] = kwargs.pop("cls", None) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_snapshots_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_snapshots_operations.py similarity index 93% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_snapshots_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_snapshots_operations.py index 7f008bbd36b..a9b3644f998 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_snapshots_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_snapshots_operations.py @@ -52,7 +52,7 @@ class SnapshotsOperations: **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2022_11_02_preview.aio.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2023_01_02_preview.aio.ContainerServiceClient`'s :attr:`snapshots` attribute. """ @@ -74,14 +74,14 @@ def list(self, **kwargs: Any) -> AsyncIterable["_models.Snapshot"]: :keyword callable cls: A custom type or function that will be passed the direct response :return: An iterator like instance of either Snapshot or the result of cls(response) :rtype: - ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot] + ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.SnapshotListResult] = kwargs.pop("cls", None) @@ -161,14 +161,14 @@ def list_by_resource_group(self, resource_group_name: str, **kwargs: Any) -> Asy :keyword callable cls: A custom type or function that will be passed the direct response :return: An iterator like instance of either Snapshot or the result of cls(response) :rtype: - ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot] + ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.SnapshotListResult] = kwargs.pop("cls", None) @@ -252,7 +252,7 @@ async def get(self, resource_group_name: str, resource_name: str, **kwargs: Any) :type resource_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: Snapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -266,8 +266,8 @@ async def get(self, resource_group_name: str, resource_name: str, **kwargs: Any) _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.Snapshot] = kwargs.pop("cls", None) @@ -324,13 +324,13 @@ async def create_or_update( :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str :param parameters: The snapshot to create or update. Required. - :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot + :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: Snapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot :raises ~azure.core.exceptions.HttpResponseError: """ @@ -360,7 +360,7 @@ async def create_or_update( :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: Snapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot :raises ~azure.core.exceptions.HttpResponseError: """ @@ -377,15 +377,15 @@ async def create_or_update( :type resource_group_name: str :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str - :param parameters: The snapshot to create or update. Is either a model type or a IO type. + :param parameters: The snapshot to create or update. Is either a Snapshot type or a IO type. Required. - :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot or IO + :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: Snapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -399,8 +399,8 @@ async def create_or_update( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.Snapshot] = kwargs.pop("cls", None) @@ -473,13 +473,13 @@ async def update_tags( :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str :param parameters: Parameters supplied to the Update snapshot Tags operation. Required. - :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.TagsObject + :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.TagsObject :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: Snapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot :raises ~azure.core.exceptions.HttpResponseError: """ @@ -509,7 +509,7 @@ async def update_tags( :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: Snapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot :raises ~azure.core.exceptions.HttpResponseError: """ @@ -526,15 +526,15 @@ async def update_tags( :type resource_group_name: str :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str - :param parameters: Parameters supplied to the Update snapshot Tags operation. Is either a model - type or a IO type. Required. - :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.TagsObject or IO + :param parameters: Parameters supplied to the Update snapshot Tags operation. Is either a + TagsObject type or a IO type. Required. + :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.TagsObject or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: Snapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -548,8 +548,8 @@ async def update_tags( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.Snapshot] = kwargs.pop("cls", None) @@ -627,8 +627,8 @@ async def delete( # pylint: disable=inconsistent-return-statements _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_trusted_access_role_bindings_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_trusted_access_role_bindings_operations.py similarity index 94% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_trusted_access_role_bindings_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_trusted_access_role_bindings_operations.py index 80fa8aa74f8..b5c5919d17d 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_trusted_access_role_bindings_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_trusted_access_role_bindings_operations.py @@ -50,7 +50,7 @@ class TrustedAccessRoleBindingsOperations: **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2022_11_02_preview.aio.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2023_01_02_preview.aio.ContainerServiceClient`'s :attr:`trusted_access_role_bindings` attribute. """ @@ -80,14 +80,14 @@ def list( :return: An iterator like instance of either TrustedAccessRoleBinding or the result of cls(response) :rtype: - ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRoleBinding] + ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRoleBinding] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.TrustedAccessRoleBindingListResult] = kwargs.pop("cls", None) @@ -176,7 +176,7 @@ async def get( :type trusted_access_role_binding_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: TrustedAccessRoleBinding or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRoleBinding + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRoleBinding :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -190,8 +190,8 @@ async def get( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.TrustedAccessRoleBinding] = kwargs.pop("cls", None) @@ -253,13 +253,13 @@ async def create_or_update( :type trusted_access_role_binding_name: str :param trusted_access_role_binding: A trusted access role binding. Required. :type trusted_access_role_binding: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRoleBinding + ~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRoleBinding :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: TrustedAccessRoleBinding or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRoleBinding + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRoleBinding :raises ~azure.core.exceptions.HttpResponseError: """ @@ -292,7 +292,7 @@ async def create_or_update( :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: TrustedAccessRoleBinding or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRoleBinding + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRoleBinding :raises ~azure.core.exceptions.HttpResponseError: """ @@ -316,16 +316,16 @@ async def create_or_update( :type resource_name: str :param trusted_access_role_binding_name: The name of trusted access role binding. Required. :type trusted_access_role_binding_name: str - :param trusted_access_role_binding: A trusted access role binding. Is either a model type or a - IO type. Required. + :param trusted_access_role_binding: A trusted access role binding. Is either a + TrustedAccessRoleBinding type or a IO type. Required. :type trusted_access_role_binding: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRoleBinding or IO + ~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRoleBinding or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: TrustedAccessRoleBinding or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRoleBinding + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRoleBinding :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -339,8 +339,8 @@ async def create_or_update( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.TrustedAccessRoleBinding] = kwargs.pop("cls", None) @@ -421,8 +421,8 @@ async def delete( # pylint: disable=inconsistent-return-statements _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_trusted_access_roles_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_trusted_access_roles_operations.py similarity index 96% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_trusted_access_roles_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_trusted_access_roles_operations.py index a279604a961..2452e67c9ec 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_trusted_access_roles_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_trusted_access_roles_operations.py @@ -44,7 +44,7 @@ class TrustedAccessRolesOperations: **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2022_11_02_preview.aio.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2023_01_02_preview.aio.ContainerServiceClient`'s :attr:`trusted_access_roles` attribute. """ @@ -68,14 +68,14 @@ def list(self, location: str, **kwargs: Any) -> AsyncIterable["_models.TrustedAc :keyword callable cls: A custom type or function that will be passed the direct response :return: An iterator like instance of either TrustedAccessRole or the result of cls(response) :rtype: - ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRole] + ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRole] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.TrustedAccessRoleListResult] = kwargs.pop("cls", None) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/models/__init__.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/models/__init__.py similarity index 98% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/models/__init__.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/models/__init__.py index fd8ebcd0add..f592802fcc4 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/models/__init__.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/models/__init__.py @@ -18,6 +18,7 @@ from ._models_py3 import AgentPoolWindowsProfile from ._models_py3 import AzureKeyVaultKms from ._models_py3 import CloudErrorBody +from ._models_py3 import ClusterUpgradeSettings from ._models_py3 import ContainerServiceDiagnosticsProfile from ._models_py3 import ContainerServiceLinuxProfile from ._models_py3 import ContainerServiceMasterProfile @@ -133,6 +134,7 @@ from ._models_py3 import TrustedAccessRoleBindingListResult from ._models_py3 import TrustedAccessRoleListResult from ._models_py3 import TrustedAccessRoleRule +from ._models_py3 import UpgradeOverrideSettings from ._models_py3 import UserAssignedIdentity from ._models_py3 import WeeklySchedule from ._models_py3 import WindowsGmsaProfile @@ -144,6 +146,7 @@ from ._container_service_client_enums import ConnectionStatus from ._container_service_client_enums import ContainerServiceStorageProfileTypes from ._container_service_client_enums import ContainerServiceVMSizeTypes +from ._container_service_client_enums import ControlPlaneUpgradeOverride from ._container_service_client_enums import ControlledValues from ._container_service_client_enums import Count from ._container_service_client_enums import CreatedByType @@ -204,6 +207,7 @@ "AgentPoolWindowsProfile", "AzureKeyVaultKms", "CloudErrorBody", + "ClusterUpgradeSettings", "ContainerServiceDiagnosticsProfile", "ContainerServiceLinuxProfile", "ContainerServiceMasterProfile", @@ -319,6 +323,7 @@ "TrustedAccessRoleBindingListResult", "TrustedAccessRoleListResult", "TrustedAccessRoleRule", + "UpgradeOverrideSettings", "UserAssignedIdentity", "WeeklySchedule", "WindowsGmsaProfile", @@ -329,6 +334,7 @@ "ConnectionStatus", "ContainerServiceStorageProfileTypes", "ContainerServiceVMSizeTypes", + "ControlPlaneUpgradeOverride", "ControlledValues", "Count", "CreatedByType", diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/models/_container_service_client_enums.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/models/_container_service_client_enums.py similarity index 77% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/models/_container_service_client_enums.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/models/_container_service_client_enums.py index d3fa0a429bb..9582ee74e5d 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/models/_container_service_client_enums.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/models/_container_service_client_enums.py @@ -16,41 +16,41 @@ class AgentPoolMode(str, Enum, metaclass=CaseInsensitiveEnumMeta): https://docs.microsoft.com/azure/aks/use-system-pools. """ - #: System agent pools are primarily for hosting critical system pods such as CoreDNS and - #: metrics-server. System agent pools osType must be Linux. System agent pools VM SKU must have at - #: least 2vCPUs and 4GB of memory. SYSTEM = "System" - #: User agent pools are primarily for hosting your application pods. + """System agent pools are primarily for hosting critical system pods such as CoreDNS and + #: metrics-server. System agent pools osType must be Linux. System agent pools VM SKU must have at + #: least 2vCPUs and 4GB of memory.""" USER = "User" + """User agent pools are primarily for hosting your application pods.""" class AgentPoolType(str, Enum, metaclass=CaseInsensitiveEnumMeta): """The type of Agent Pool.""" - #: Create an Agent Pool backed by a Virtual Machine Scale Set. VIRTUAL_MACHINE_SCALE_SETS = "VirtualMachineScaleSets" - #: Use of this is strongly discouraged. + """Create an Agent Pool backed by a Virtual Machine Scale Set.""" AVAILABILITY_SET = "AvailabilitySet" + """Use of this is strongly discouraged.""" class BackendPoolType(str, Enum, metaclass=CaseInsensitiveEnumMeta): """The type of the managed inbound Load Balancer BackendPool.""" - #: The type of the managed inbound Load Balancer BackendPool. - #: https://cloud-provider-azure.sigs.k8s.io/topics/loadbalancer/#configure-load-balancer-backend. NODE_IP_CONFIGURATION = "NodeIPConfiguration" - #: The type of the managed inbound Load Balancer BackendPool. - #: https://cloud-provider-azure.sigs.k8s.io/topics/loadbalancer/#configure-load-balancer-backend. + """The type of the managed inbound Load Balancer BackendPool. + #: https://cloud-provider-azure.sigs.k8s.io/topics/loadbalancer/#configure-load-balancer-backend.""" NODE_IP = "NodeIP" + """The type of the managed inbound Load Balancer BackendPool. + #: https://cloud-provider-azure.sigs.k8s.io/topics/loadbalancer/#configure-load-balancer-backend.""" class Code(str, Enum, metaclass=CaseInsensitiveEnumMeta): """Tells whether the cluster is Running or Stopped.""" - #: The cluster is running. RUNNING = "Running" - #: The cluster is stopped. + """The cluster is running.""" STOPPED = "Stopped" + """The cluster is stopped.""" class ConnectionStatus(str, Enum, metaclass=CaseInsensitiveEnumMeta): @@ -253,10 +253,18 @@ class ContainerServiceVMSizeTypes(str, Enum, metaclass=CaseInsensitiveEnumMeta): class ControlledValues(str, Enum, metaclass=CaseInsensitiveEnumMeta): """Controls which resource value autoscaler will change. Default value is RequestsAndLimits.""" - #: Autoscaler will control resource requests and limits. REQUESTS_AND_LIMITS = "RequestsAndLimits" - #: Autoscaler will control resource requests only. + """Autoscaler will control resource requests and limits.""" REQUESTS_ONLY = "RequestsOnly" + """Autoscaler will control resource requests only.""" + + +class ControlPlaneUpgradeOverride(str, Enum, metaclass=CaseInsensitiveEnumMeta): + """The list of control plane upgrade override settings.""" + + IGNORE_KUBERNETES_DEPRECATIONS = "IgnoreKubernetesDeprecations" + """Upgrade the cluster control plane version without checking for recent Kubernetes deprecations + #: usage.""" class Count(int, Enum, metaclass=CaseInsensitiveEnumMeta): @@ -281,8 +289,8 @@ class CreatedByType(str, Enum, metaclass=CaseInsensitiveEnumMeta): class EbpfDataplane(str, Enum, metaclass=CaseInsensitiveEnumMeta): """The eBPF dataplane used for building the Kubernetes network.""" - #: Use Cilium for networking in the Kubernetes cluster. CILIUM = "cilium" + """Use Cilium for networking in the Kubernetes cluster.""" class Expander(str, Enum, metaclass=CaseInsensitiveEnumMeta): @@ -291,22 +299,22 @@ class Expander(str, Enum, metaclass=CaseInsensitiveEnumMeta): for more information. """ - #: Selects the node group that will have the least idle CPU (if tied, unused memory) after + LEAST_WASTE = "least-waste" + """Selects the node group that will have the least idle CPU (if tied, unused memory) after #: scale-up. This is useful when you have different classes of nodes, for example, high CPU or #: high memory nodes, and only want to expand those when there are pending pods that need a lot of - #: those resources. - LEAST_WASTE = "least-waste" - #: Selects the node group that would be able to schedule the most pods when scaling up. This is + #: those resources.""" + MOST_PODS = "most-pods" + """Selects the node group that would be able to schedule the most pods when scaling up. This is #: useful when you are using nodeSelector to make sure certain pods land on certain nodes. Note #: that this won't cause the autoscaler to select bigger nodes vs. smaller, as it can add multiple - #: smaller nodes at once. - MOST_PODS = "most-pods" - #: Selects the node group that has the highest priority assigned by the user. It's configuration - #: is described in more details `here - #: `_. + #: smaller nodes at once.""" PRIORITY = "priority" - #: Used when you don't have a particular need for the node groups to scale differently. + """Selects the node group that has the highest priority assigned by the user. It's configuration + #: is described in more details `here + #: `_.""" RANDOM = "random" + """Used when you don't have a particular need for the node groups to scale differently.""" class ExtendedLocationTypes(str, Enum, metaclass=CaseInsensitiveEnumMeta): @@ -318,11 +326,11 @@ class ExtendedLocationTypes(str, Enum, metaclass=CaseInsensitiveEnumMeta): class Format(str, Enum, metaclass=CaseInsensitiveEnumMeta): """Format.""" - #: Return azure auth-provider kubeconfig. This format is deprecated in v1.22 and will be fully - #: removed in v1.26. See: https://aka.ms/k8s/changes-1-26. AZURE = "azure" - #: Return exec format kubeconfig. This format requires kubelogin binary in the path. + """Return azure auth-provider kubeconfig. This format is deprecated in v1.22 and will be fully + #: removed in v1.26. See: https://aka.ms/k8s/changes-1-26.""" EXEC = "exec" + """Return exec format kubeconfig. This format requires kubelogin binary in the path.""" class GPUInstanceProfile(str, Enum, metaclass=CaseInsensitiveEnumMeta): @@ -347,10 +355,10 @@ class IpvsScheduler(str, Enum, metaclass=CaseInsensitiveEnumMeta): http://www.linuxvirtualserver.org/docs/scheduling.html. """ - #: Round Robin ROUND_ROBIN = "RoundRobin" - #: Least Connection + """Round Robin""" LEAST_CONNECTION = "LeastConnection" + """Least Connection""" class KeyVaultNetworkAccessTypes(str, Enum, metaclass=CaseInsensitiveEnumMeta): @@ -368,10 +376,10 @@ class KubeletDiskType(str, Enum, metaclass=CaseInsensitiveEnumMeta): ephemeral storage. """ - #: Kubelet will use the OS disk for its data. OS = "OS" - #: Kubelet will use the temporary disk for its data. + """Kubelet will use the OS disk for its data.""" TEMPORARY = "Temporary" + """Kubelet will use the temporary disk for its data.""" class Level(str, Enum, metaclass=CaseInsensitiveEnumMeta): @@ -389,10 +397,10 @@ class LicenseType(str, Enum, metaclass=CaseInsensitiveEnumMeta): `_ for more details. """ - #: No additional licensing is applied. NONE = "None" - #: Enables Azure Hybrid User Benefits for Windows VMs. + """No additional licensing is applied.""" WINDOWS_SERVER = "Windows_Server" + """Enables Azure Hybrid User Benefits for Windows VMs.""" class LoadBalancerSku(str, Enum, metaclass=CaseInsensitiveEnumMeta): @@ -401,12 +409,12 @@ class LoadBalancerSku(str, Enum, metaclass=CaseInsensitiveEnumMeta): differences between load balancer SKUs. """ - #: Use a a standard Load Balancer. This is the recommended Load Balancer SKU. For more information - #: about on working with the load balancer in the managed cluster, see the `standard Load Balancer - #: `_ article. STANDARD = "standard" - #: Use a basic Load Balancer with limited functionality. + """Use a a standard Load Balancer. This is the recommended Load Balancer SKU. For more information + #: about on working with the load balancer in the managed cluster, see the `standard Load Balancer + #: `_ article.""" BASIC = "basic" + """Use a basic Load Balancer with limited functionality.""" class ManagedClusterPodIdentityProvisioningState(str, Enum, metaclass=CaseInsensitiveEnumMeta): @@ -424,102 +432,113 @@ class ManagedClusterSKUName(str, Enum, metaclass=CaseInsensitiveEnumMeta): """The name of a managed cluster SKU.""" BASIC = "Basic" + """Basic will be removed in 07/01/2023 API version. Base will replace Basic, please switch to + #: Base.""" + BASE = "Base" + """Base option for the AKS control plane.""" class ManagedClusterSKUTier(str, Enum, metaclass=CaseInsensitiveEnumMeta): - """If not specified, the default is 'Free'. See `uptime SLA - `_ for more details. + """If not specified, the default is 'Free'. See `AKS Pricing Tier + `_ for more details. """ - #: Guarantees 99.95% availability of the Kubernetes API server endpoint for clusters that use - #: Availability Zones and 99.9% of availability for clusters that don't use Availability Zones. PAID = "Paid" - #: No guaranteed SLA, no additional charges. Free tier clusters have an SLO of 99.5%. + """Paid tier will be removed in 07/01/2023 API version. Standard tier will replace Paid tier, + #: please switch to Standard tier.""" + STANDARD = "Standard" + """Recommended for mission-critical and production workloads. Includes Kubernetes control plane + #: autoscaling, workload-intensive testing, and up to 5,000 nodes per cluster. Guarantees 99.95% + #: availability of the Kubernetes API server endpoint for clusters that use Availability Zones and + #: 99.9% of availability for clusters that don't use Availability Zones.""" FREE = "Free" + """The cluster management is free, but charged for VM, storage, and networking usage. Best for + #: experimenting, learning, simple testing, or workloads with fewer than 10 nodes. Not recommended + #: for production use cases.""" class Mode(str, Enum, metaclass=CaseInsensitiveEnumMeta): """Specify which proxy mode to use ('IPTABLES' or 'IPVS').""" - #: IPTables proxy mode IPTABLES = "IPTABLES" - #: IPVS proxy mode. Must be using Kubernetes version >= 1.22. + """IPTables proxy mode""" IPVS = "IPVS" + """IPVS proxy mode. Must be using Kubernetes version >= 1.22.""" class NetworkMode(str, Enum, metaclass=CaseInsensitiveEnumMeta): """This cannot be specified if networkPlugin is anything other than 'azure'.""" - #: No bridge is created. Intra-VM Pod to Pod communication is through IP routes created by Azure - #: CNI. See `Transparent Mode `_ for - #: more information. TRANSPARENT = "transparent" - #: This is no longer supported + """No bridge is created. Intra-VM Pod to Pod communication is through IP routes created by Azure + #: CNI. See `Transparent Mode `_ for + #: more information.""" BRIDGE = "bridge" + """This is no longer supported""" class NetworkPlugin(str, Enum, metaclass=CaseInsensitiveEnumMeta): """Network plugin used for building the Kubernetes network.""" - #: Use the Azure CNI network plugin. See `Azure CNI (advanced) networking - #: `_ for - #: more information. AZURE = "azure" - #: Use the Kubenet network plugin. See `Kubenet (basic) networking - #: `_ for more - #: information. + """Use the Azure CNI network plugin. See `Azure CNI (advanced) networking + #: `_ for + #: more information.""" KUBENET = "kubenet" - #: Do not use a network plugin. A custom CNI will need to be installed after cluster creation for - #: networking functionality. + """Use the Kubenet network plugin. See `Kubenet (basic) networking + #: `_ for more + #: information.""" NONE = "none" + """Do not use a network plugin. A custom CNI will need to be installed after cluster creation for + #: networking functionality.""" class NetworkPluginMode(str, Enum, metaclass=CaseInsensitiveEnumMeta): """The mode the network plugin should use.""" - #: Pods are given IPs from the PodCIDR address space but use Azure Routing Domains rather than - #: Kubenet reference plugins host-local and bridge. OVERLAY = "Overlay" + """Pods are given IPs from the PodCIDR address space but use Azure Routing Domains rather than + #: Kubenet reference plugins host-local and bridge.""" class NetworkPolicy(str, Enum, metaclass=CaseInsensitiveEnumMeta): """Network policy used for building the Kubernetes network.""" - #: Use Calico network policies. See `differences between Azure and Calico policies - #: `_ - #: for more information. CALICO = "calico" - #: Use Azure network policies. See `differences between Azure and Calico policies + """Use Calico network policies. See `differences between Azure and Calico policies #: `_ - #: for more information. + #: for more information.""" AZURE = "azure" + """Use Azure network policies. See `differences between Azure and Calico policies + #: `_ + #: for more information.""" class NodeOSUpgradeChannel(str, Enum, metaclass=CaseInsensitiveEnumMeta): """The default is Unmanaged, but may change to either NodeImage or SecurityPatch at GA.""" - #: No attempt to update your machines OS will be made either by OS or by rolling VHDs. This means - #: you are responsible for your security updates NONE = "None" - #: OS updates will be applied automatically through the OS built-in patching infrastructure. Newly + """No attempt to update your machines OS will be made either by OS or by rolling VHDs. This means + #: you are responsible for your security updates""" + UNMANAGED = "Unmanaged" + """OS updates will be applied automatically through the OS built-in patching infrastructure. Newly #: scaled in machines will be unpatched initially, and will be patched at some later time by the #: OS's infrastructure. Behavior of this option depends on the OS in question. Ubuntu and Mariner #: apply security patches through unattended upgrade roughly once a day around 06:00 UTC. Windows #: does not apply security patches automatically and so for them this option is equivalent to None - #: till further notice - UNMANAGED = "Unmanaged" - #: AKS will update the nodes VHD with patches from the image maintainer labelled "security only" + #: till further notice""" + SECURITY_PATCH = "SecurityPatch" + """AKS will update the nodes VHD with patches from the image maintainer labelled "security only" #: on a regular basis. Where possible, patches will also be applied without reimaging to existing #: nodes. Some patches, such as kernel patches, cannot be applied to existing nodes without #: disruption. For such patches, the VHD will be updated, and machines will be rolling reimaged to #: that VHD following maintenance windows and surge settings. This option incurs the extra cost of - #: hosting the VHDs in your node resource group. - SECURITY_PATCH = "SecurityPatch" - #: AKS will update the nodes with a newly patched VHD containing security fixes and bugfixes on a + #: hosting the VHDs in your node resource group.""" + NODE_IMAGE = "NodeImage" + """AKS will update the nodes with a newly patched VHD containing security fixes and bugfixes on a #: weekly cadence. With the VHD update machines will be rolling reimaged to that VHD following #: maintenance windows and surge settings. No extra VHD cost is incurred when choosing this option - #: as AKS hosts the images. - NODE_IMAGE = "NodeImage" + #: as AKS hosts the images.""" class OSDiskType(str, Enum, metaclass=CaseInsensitiveEnumMeta): @@ -529,14 +548,14 @@ class OSDiskType(str, Enum, metaclass=CaseInsensitiveEnumMeta): `_. """ - #: Azure replicates the operating system disk for a virtual machine to Azure storage to avoid data + MANAGED = "Managed" + """Azure replicates the operating system disk for a virtual machine to Azure storage to avoid data #: loss should the VM need to be relocated to another host. Since containers aren't designed to #: have local state persisted, this behavior offers limited value while providing some drawbacks, - #: including slower node provisioning and higher read/write latency. - MANAGED = "Managed" - #: Ephemeral OS disks are stored only on the host machine, just like a temporary disk. This - #: provides lower read/write latency, along with faster node scaling and cluster upgrades. + #: including slower node provisioning and higher read/write latency.""" EPHEMERAL = "Ephemeral" + """Ephemeral OS disks are stored only on the host machine, just like a temporary disk. This + #: provides lower read/write latency, along with faster node scaling and cluster upgrades.""" class OSSKU(str, Enum, metaclass=CaseInsensitiveEnumMeta): @@ -555,10 +574,10 @@ class OSSKU(str, Enum, metaclass=CaseInsensitiveEnumMeta): class OSType(str, Enum, metaclass=CaseInsensitiveEnumMeta): """The operating system type. The default is Linux.""" - #: Use Linux. LINUX = "Linux" - #: Use Windows. + """Use Linux.""" WINDOWS = "Windows" + """Use Windows.""" class OutboundType(str, Enum, metaclass=CaseInsensitiveEnumMeta): @@ -566,20 +585,20 @@ class OutboundType(str, Enum, metaclass=CaseInsensitiveEnumMeta): see `egress outbound type `_. """ - #: The load balancer is used for egress through an AKS assigned public IP. This supports + LOAD_BALANCER = "loadBalancer" + """The load balancer is used for egress through an AKS assigned public IP. This supports #: Kubernetes services of type 'loadBalancer'. For more information see `outbound type #: loadbalancer - #: `_. - LOAD_BALANCER = "loadBalancer" - #: Egress paths must be defined by the user. This is an advanced scenario and requires proper - #: network configuration. For more information see `outbound type userDefinedRouting - #: `_. + #: `_.""" USER_DEFINED_ROUTING = "userDefinedRouting" - #: The AKS-managed NAT gateway is used for egress. + """Egress paths must be defined by the user. This is an advanced scenario and requires proper + #: network configuration. For more information see `outbound type userDefinedRouting + #: `_.""" MANAGED_NAT_GATEWAY = "managedNATGateway" - #: The user-assigned NAT gateway associated to the cluster subnet is used for egress. This is an - #: advanced scenario and requires proper network configuration. + """The AKS-managed NAT gateway is used for egress.""" USER_ASSIGNED_NAT_GATEWAY = "userAssignedNATGateway" + """The user-assigned NAT gateway associated to the cluster subnet is used for egress. This is an + #: advanced scenario and requires proper network configuration.""" class PrivateEndpointConnectionProvisioningState(str, Enum, metaclass=CaseInsensitiveEnumMeta): @@ -595,21 +614,21 @@ class PrivateEndpointConnectionProvisioningState(str, Enum, metaclass=CaseInsens class Protocol(str, Enum, metaclass=CaseInsensitiveEnumMeta): """The network protocol of the port.""" - #: TCP protocol. TCP = "TCP" - #: UDP protocol. + """TCP protocol.""" UDP = "UDP" + """UDP protocol.""" class PublicNetworkAccess(str, Enum, metaclass=CaseInsensitiveEnumMeta): """Allow or deny public network access for AKS.""" - #: Inbound/Outbound to the managedCluster is allowed. ENABLED = "Enabled" - #: Inbound traffic to managedCluster is disabled, traffic from managedCluster is allowed. + """Inbound/Outbound to the managedCluster is allowed.""" DISABLED = "Disabled" - #: Inbound/Outbound traffic is managed by Microsoft.Network/NetworkSecurityPerimeters. + """Inbound traffic to managedCluster is disabled, traffic from managedCluster is allowed.""" SECURED_BY_PERIMETER = "SecuredByPerimeter" + """Inbound/Outbound traffic is managed by Microsoft.Network/NetworkSecurityPerimeters.""" class ResourceIdentityType(str, Enum, metaclass=CaseInsensitiveEnumMeta): @@ -617,25 +636,25 @@ class ResourceIdentityType(str, Enum, metaclass=CaseInsensitiveEnumMeta): `_. """ - #: Use an implicitly created system assigned managed identity to manage cluster resources. Master - #: components in the control plane such as kube-controller-manager will use the system assigned - #: managed identity to manipulate Azure resources. SYSTEM_ASSIGNED = "SystemAssigned" - #: Use a user-specified identity to manage cluster resources. Master components in the control - #: plane such as kube-controller-manager will use the specified user assigned managed identity to - #: manipulate Azure resources. + """Use an implicitly created system assigned managed identity to manage cluster resources. Master + #: components in the control plane such as kube-controller-manager will use the system assigned + #: managed identity to manipulate Azure resources.""" USER_ASSIGNED = "UserAssigned" - #: Do not use a managed identity for the Managed Cluster, service principal will be used instead. + """Use a user-specified identity to manage cluster resources. Master components in the control + #: plane such as kube-controller-manager will use the specified user assigned managed identity to + #: manipulate Azure resources.""" NONE = "None" + """Do not use a managed identity for the Managed Cluster, service principal will be used instead.""" class RestrictionLevel(str, Enum, metaclass=CaseInsensitiveEnumMeta): """The restriction level applied to the cluster's node resource group.""" - #: All RBAC permissions are allowed on the managed node resource group UNRESTRICTED = "Unrestricted" - #: Only */read RBAC permissions allowed on the managed node resource group + """All RBAC permissions are allowed on the managed node resource group""" READ_ONLY = "ReadOnly" + """Only */read RBAC permissions allowed on the managed node resource group""" class ScaleDownMode(str, Enum, metaclass=CaseInsensitiveEnumMeta): @@ -643,11 +662,11 @@ class ScaleDownMode(str, Enum, metaclass=CaseInsensitiveEnumMeta): `_. """ - #: Create new instances during scale up and remove instances during scale down. DELETE = "Delete" - #: Attempt to start deallocated instances (if they exist) during scale up and deallocate instances - #: during scale down. + """Create new instances during scale up and remove instances during scale down.""" DEALLOCATE = "Deallocate" + """Attempt to start deallocated instances (if they exist) during scale up and deallocate instances + #: during scale down.""" class ScaleSetEvictionPolicy(str, Enum, metaclass=CaseInsensitiveEnumMeta): @@ -656,31 +675,31 @@ class ScaleSetEvictionPolicy(str, Enum, metaclass=CaseInsensitiveEnumMeta): `_. """ - #: Nodes in the underlying Scale Set of the node pool are deleted when they're evicted. DELETE = "Delete" - #: Nodes in the underlying Scale Set of the node pool are set to the stopped-deallocated state - #: upon eviction. Nodes in the stopped-deallocated state count against your compute quota and can - #: cause issues with cluster scaling or upgrading. + """Nodes in the underlying Scale Set of the node pool are deleted when they're evicted.""" DEALLOCATE = "Deallocate" + """Nodes in the underlying Scale Set of the node pool are set to the stopped-deallocated state + #: upon eviction. Nodes in the stopped-deallocated state count against your compute quota and can + #: cause issues with cluster scaling or upgrading.""" class ScaleSetPriority(str, Enum, metaclass=CaseInsensitiveEnumMeta): """The Virtual Machine Scale Set priority.""" - #: Spot priority VMs will be used. There is no SLA for spot nodes. See `spot on AKS - #: `_ for more information. SPOT = "Spot" - #: Regular VMs will be used. + """Spot priority VMs will be used. There is no SLA for spot nodes. See `spot on AKS + #: `_ for more information.""" REGULAR = "Regular" + """Regular VMs will be used.""" class SnapshotType(str, Enum, metaclass=CaseInsensitiveEnumMeta): """The type of a snapshot. The default is NodePool.""" - #: The snapshot is a snapshot of a node pool. NODE_POOL = "NodePool" - #: The snapshot is a snapshot of a managed cluster. + """The snapshot is a snapshot of a node pool.""" MANAGED_CLUSTER = "ManagedCluster" + """The snapshot is a snapshot of a managed cluster.""" class TrustedAccessRoleBindingProvisioningState(str, Enum, metaclass=CaseInsensitiveEnumMeta): @@ -696,16 +715,16 @@ class TrustedAccessRoleBindingProvisioningState(str, Enum, metaclass=CaseInsensi class Type(str, Enum, metaclass=CaseInsensitiveEnumMeta): """Specifies on which instance of the allowed days specified in daysOfWeek the maintenance occurs.""" - #: First. FIRST = "First" - #: Second. + """First.""" SECOND = "Second" - #: Third. + """Second.""" THIRD = "Third" - #: Fourth. + """Third.""" FOURTH = "Fourth" - #: Last. + """Fourth.""" LAST = "Last" + """Last.""" class UpdateMode(str, Enum, metaclass=CaseInsensitiveEnumMeta): @@ -715,17 +734,17 @@ class UpdateMode(str, Enum, metaclass=CaseInsensitiveEnumMeta): creation (from Initial). The default value is Off. """ - #: Autoscaler never changes pod resources but provides recommendations. OFF = "Off" - #: Autoscaler only assigns resources on pod creation and doesn't change them during the lifetime - #: of the pod. + """Autoscaler never changes pod resources but provides recommendations.""" INITIAL = "Initial" - #: Autoscaler assigns resources on pod creation and updates pods that need further scaling during - #: their lifetime by deleting and recreating. + """Autoscaler only assigns resources on pod creation and doesn't change them during the lifetime + #: of the pod.""" RECREATE = "Recreate" - #: Autoscaler chooses the update mode. Autoscaler currently does the same as Recreate. In the - #: future, it may take advantage of restart-free mechanisms once they are available. + """Autoscaler assigns resources on pod creation and updates pods that need further scaling during + #: their lifetime by deleting and recreating.""" AUTO = "Auto" + """Autoscaler chooses the update mode. Autoscaler currently does the same as Recreate. In the + #: future, it may take advantage of restart-free mechanisms once they are available.""" class UpgradeChannel(str, Enum, metaclass=CaseInsensitiveEnumMeta): @@ -733,29 +752,29 @@ class UpgradeChannel(str, Enum, metaclass=CaseInsensitiveEnumMeta): `_. """ - #: Automatically upgrade the cluster to the latest supported patch release on the latest supported + RAPID = "rapid" + """Automatically upgrade the cluster to the latest supported patch release on the latest supported #: minor version. In cases where the cluster is at a version of Kubernetes that is at an N-2 minor #: version where N is the latest supported minor version, the cluster first upgrades to the latest #: supported patch version on N-1 minor version. For example, if a cluster is running version #: 1.17.7 and versions 1.17.9, 1.18.4, 1.18.6, and 1.19.1 are available, your cluster first is - #: upgraded to 1.18.6, then is upgraded to 1.19.1. - RAPID = "rapid" - #: Automatically upgrade the cluster to the latest supported patch release on minor version N-1, + #: upgraded to 1.18.6, then is upgraded to 1.19.1.""" + STABLE = "stable" + """Automatically upgrade the cluster to the latest supported patch release on minor version N-1, #: where N is the latest supported minor version. For example, if a cluster is running version #: 1.17.7 and versions 1.17.9, 1.18.4, 1.18.6, and 1.19.1 are available, your cluster is upgraded - #: to 1.18.6. - STABLE = "stable" - #: Automatically upgrade the cluster to the latest supported patch version when it becomes + #: to 1.18.6.""" + PATCH = "patch" + """Automatically upgrade the cluster to the latest supported patch version when it becomes #: available while keeping the minor version the same. For example, if a cluster is running #: version 1.17.7 and versions 1.17.9, 1.18.4, 1.18.6, and 1.19.1 are available, your cluster is - #: upgraded to 1.17.9. - PATCH = "patch" - #: Automatically upgrade the node image to the latest version available. Consider using - #: nodeOSUpgradeChannel instead as that allows you to configure node OS patching separate from - #: Kubernetes version patching + #: upgraded to 1.17.9.""" NODE_IMAGE = "node-image" - #: Disables auto-upgrades and keeps the cluster at its current version of Kubernetes. + """Automatically upgrade the node image to the latest version available. Consider using + #: nodeOSUpgradeChannel instead as that allows you to configure node OS patching separate from + #: Kubernetes version patching""" NONE = "none" + """Disables auto-upgrades and keeps the cluster at its current version of Kubernetes.""" class WeekDay(str, Enum, metaclass=CaseInsensitiveEnumMeta): @@ -773,11 +792,11 @@ class WeekDay(str, Enum, metaclass=CaseInsensitiveEnumMeta): class WorkloadRuntime(str, Enum, metaclass=CaseInsensitiveEnumMeta): """Determines the type of workload a node can run.""" - #: Nodes will use Kubelet to run standard OCI container workloads. OCI_CONTAINER = "OCIContainer" - #: Nodes will use Krustlet to run WASM workloads using the WASI provider (Preview). + """Nodes will use Kubelet to run standard OCI container workloads.""" WASM_WASI = "WasmWasi" - #: Nodes can use (Kata + Cloud Hypervisor + Hyper-V) to enable Nested VM-based pods (Preview). Due - #: to the use Hyper-V, AKS node OS itself is a nested VM (the root OS) of Hyper-V. Thus it can - #: only be used with VM series that support Nested Virtualization such as Dv3 series. + """Nodes will use Krustlet to run WASM workloads using the WASI provider (Preview).""" KATA_MSHV_VM_ISOLATION = "KataMshvVmIsolation" + """Nodes can use (Kata + Cloud Hypervisor + Hyper-V) to enable Nested VM-based pods (Preview). Due + #: to the use Hyper-V, AKS node OS itself is a nested VM (the root OS) of Hyper-V. Thus it can + #: only be used with VM series that support Nested Virtualization such as Dv3 series.""" diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/models/_models_py3.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/models/_models_py3.py similarity index 90% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/models/_models_py3.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/models/_models_py3.py index 16a72a2106b..32468c77689 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/models/_models_py3.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/models/_models_py3.py @@ -8,7 +8,7 @@ # -------------------------------------------------------------------------- import datetime -from typing import Dict, List, Optional, TYPE_CHECKING, Union +from typing import Any, Dict, List, Optional, TYPE_CHECKING, Union from ... import _serialization @@ -39,7 +39,7 @@ class AbsoluteMonthlySchedule(_serialization.Model): "day_of_month": {"key": "dayOfMonth", "type": "int"}, } - def __init__(self, *, interval_months: int, day_of_month: int, **kwargs): + def __init__(self, *, interval_months: int, day_of_month: int, **kwargs: Any) -> None: """ :keyword interval_months: Specifies the number of months between each set of occurrences. Required. @@ -78,7 +78,7 @@ class SubResource(_serialization.Model): "type": {"key": "type", "type": "str"}, } - def __init__(self, **kwargs): + def __init__(self, **kwargs: Any) -> None: """ """ super().__init__(**kwargs) self.id = None @@ -116,15 +116,15 @@ class AgentPool(SubResource): # pylint: disable=too-many-instance-attributes `_. Known values are: "Managed" and "Ephemeral". :vartype os_disk_type: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSDiskType + ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSDiskType :ivar kubelet_disk_type: Determines the placement of emptyDir volumes, container runtime data root, and Kubelet ephemeral storage. Known values are: "OS" and "Temporary". :vartype kubelet_disk_type: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.KubeletDiskType + ~azure.mgmt.containerservice.v2023_01_02_preview.models.KubeletDiskType :ivar workload_runtime: Determines the type of workload a node can run. Known values are: "OCIContainer", "WasmWasi", and "KataMshvVmIsolation". :vartype workload_runtime: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.WorkloadRuntime + ~azure.mgmt.containerservice.v2023_01_02_preview.models.WorkloadRuntime :ivar message_of_the_day: A base64-encoded string which will be written to /etc/motd after decoding. This allows customization of the message of the day for Linux nodes. It must not be specified for Windows nodes. It must be a static string (i.e., will be printed raw and not be @@ -143,12 +143,12 @@ class AgentPool(SubResource): # pylint: disable=too-many-instance-attributes :vartype max_pods: int :ivar os_type: The operating system type. The default is Linux. Known values are: "Linux" and "Windows". - :vartype os_type: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSType + :vartype os_type: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSType :ivar os_sku: Specifies the OS SKU used by the agent pool. If not specified, the default is Ubuntu if OSType=Linux or Windows2019 if OSType=Windows. And the default Windows OSSKU will be changed to Windows2022 after Windows2019 is deprecated. Known values are: "Ubuntu", "CBLMariner", "Mariner", "Windows2019", and "Windows2022". - :vartype os_sku: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSSKU + :vartype os_sku: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSSKU :ivar max_count: The maximum number of nodes for auto-scaling. :vartype max_count: int :ivar min_count: The minimum number of nodes for auto-scaling. @@ -158,15 +158,15 @@ class AgentPool(SubResource): # pylint: disable=too-many-instance-attributes :ivar scale_down_mode: This also effects the cluster autoscaler behavior. If not specified, it defaults to Delete. Known values are: "Delete" and "Deallocate". :vartype scale_down_mode: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ScaleDownMode + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ScaleDownMode :ivar type_properties_type: The type of Agent Pool. Known values are: "VirtualMachineScaleSets" and "AvailabilitySet". :vartype type_properties_type: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolType + ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolType :ivar mode: A cluster must have at least one 'System' Agent Pool at all times. For additional information on agent pool restrictions and best practices, see: https://docs.microsoft.com/azure/aks/use-system-pools. Known values are: "System" and "User". - :vartype mode: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolMode + :vartype mode: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolMode :ivar orchestrator_version: Both patch version and are supported. When is specified, the latest supported patch version is chosen automatically. Updating the agent pool with the same once it has been created @@ -185,14 +185,14 @@ class AgentPool(SubResource): # pylint: disable=too-many-instance-attributes :vartype node_image_version: str :ivar upgrade_settings: Settings for upgrading the agentpool. :vartype upgrade_settings: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolUpgradeSettings + ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolUpgradeSettings :ivar provisioning_state: The current deployment or provisioning state. :vartype provisioning_state: str :ivar power_state: When an Agent Pool is first created it is initially Running. The Agent Pool can be stopped by setting this field to Stopped. A stopped Agent Pool stops all of its VMs and does not accrue billing charges. An Agent Pool can only be stopped if it is Running and provisioning state is Succeeded. - :vartype power_state: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PowerState + :vartype power_state: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PowerState :ivar availability_zones: The list of Availability zones to use for nodes. This can only be specified if the AgentPoolType property is 'VirtualMachineScaleSets'. :vartype availability_zones: list[str] @@ -214,11 +214,11 @@ class AgentPool(SubResource): # pylint: disable=too-many-instance-attributes :ivar scale_set_priority: The Virtual Machine Scale Set priority. If not specified, the default is 'Regular'. Known values are: "Spot" and "Regular". :vartype scale_set_priority: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ScaleSetPriority + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ScaleSetPriority :ivar scale_set_eviction_policy: This cannot be specified unless the scaleSetPriority is 'Spot'. If not specified, the default is 'Delete'. Known values are: "Delete" and "Deallocate". :vartype scale_set_eviction_policy: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ScaleSetEvictionPolicy + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ScaleSetEvictionPolicy :ivar spot_max_price: Possible values are any decimal value greater than zero or -1 which indicates the willingness to pay any on-demand price. For more details on spot pricing, see `spot VMs pricing `_. @@ -233,9 +233,9 @@ class AgentPool(SubResource): # pylint: disable=too-many-instance-attributes :ivar proximity_placement_group_id: The ID for Proximity Placement Group. :vartype proximity_placement_group_id: str :ivar kubelet_config: The Kubelet configuration on the agent pool nodes. - :vartype kubelet_config: ~azure.mgmt.containerservice.v2022_11_02_preview.models.KubeletConfig + :vartype kubelet_config: ~azure.mgmt.containerservice.v2023_01_02_preview.models.KubeletConfig :ivar linux_os_config: The OS configuration of Linux agent nodes. - :vartype linux_os_config: ~azure.mgmt.containerservice.v2022_11_02_preview.models.LinuxOSConfig + :vartype linux_os_config: ~azure.mgmt.containerservice.v2023_01_02_preview.models.LinuxOSConfig :ivar enable_encryption_at_host: This is only supported on certain VM sizes and in certain Azure regions. For more information, see: https://docs.microsoft.com/azure/aks/enable-host-encryption. @@ -249,10 +249,10 @@ class AgentPool(SubResource): # pylint: disable=too-many-instance-attributes :ivar gpu_instance_profile: GPUInstanceProfile to be used to specify GPU MIG instance profile for supported GPU VM SKU. Known values are: "MIG1g", "MIG2g", "MIG3g", "MIG4g", and "MIG7g". :vartype gpu_instance_profile: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.GPUInstanceProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.GPUInstanceProfile :ivar creation_data: CreationData to be used to specify the source Snapshot ID if the node pool will be created/upgraded using a snapshot. - :vartype creation_data: ~azure.mgmt.containerservice.v2022_11_02_preview.models.CreationData + :vartype creation_data: ~azure.mgmt.containerservice.v2023_01_02_preview.models.CreationData :ivar capacity_reservation_group_id: AKS will associate the specified agent pool with the Capacity Reservation Group. :vartype capacity_reservation_group_id: str @@ -263,10 +263,10 @@ class AgentPool(SubResource): # pylint: disable=too-many-instance-attributes :vartype host_group_id: str :ivar windows_profile: The Windows agent pool's specific profile. :vartype windows_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolWindowsProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolWindowsProfile :ivar network_profile: Network-related settings of an agent pool. :vartype network_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolNetworkProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolNetworkProfile """ _validation = { @@ -377,8 +377,8 @@ def __init__( # pylint: disable=too-many-locals host_group_id: Optional[str] = None, windows_profile: Optional["_models.AgentPoolWindowsProfile"] = None, network_profile: Optional["_models.AgentPoolNetworkProfile"] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword count: Number of agents (VMs) to host docker containers. Allowed values must be in the range of 0 to 1000 (inclusive) for user pools and in the range of 1 to 1000 (inclusive) for @@ -398,15 +398,15 @@ def __init__( # pylint: disable=too-many-locals `_. Known values are: "Managed" and "Ephemeral". :paramtype os_disk_type: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSDiskType + ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSDiskType :keyword kubelet_disk_type: Determines the placement of emptyDir volumes, container runtime data root, and Kubelet ephemeral storage. Known values are: "OS" and "Temporary". :paramtype kubelet_disk_type: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.KubeletDiskType + ~azure.mgmt.containerservice.v2023_01_02_preview.models.KubeletDiskType :keyword workload_runtime: Determines the type of workload a node can run. Known values are: "OCIContainer", "WasmWasi", and "KataMshvVmIsolation". :paramtype workload_runtime: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.WorkloadRuntime + ~azure.mgmt.containerservice.v2023_01_02_preview.models.WorkloadRuntime :keyword message_of_the_day: A base64-encoded string which will be written to /etc/motd after decoding. This allows customization of the message of the day for Linux nodes. It must not be specified for Windows nodes. It must be a static string (i.e., will be printed raw and not be @@ -425,12 +425,12 @@ def __init__( # pylint: disable=too-many-locals :paramtype max_pods: int :keyword os_type: The operating system type. The default is Linux. Known values are: "Linux" and "Windows". - :paramtype os_type: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSType + :paramtype os_type: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSType :keyword os_sku: Specifies the OS SKU used by the agent pool. If not specified, the default is Ubuntu if OSType=Linux or Windows2019 if OSType=Windows. And the default Windows OSSKU will be changed to Windows2022 after Windows2019 is deprecated. Known values are: "Ubuntu", "CBLMariner", "Mariner", "Windows2019", and "Windows2022". - :paramtype os_sku: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSSKU + :paramtype os_sku: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSSKU :keyword max_count: The maximum number of nodes for auto-scaling. :paramtype max_count: int :keyword min_count: The minimum number of nodes for auto-scaling. @@ -440,15 +440,15 @@ def __init__( # pylint: disable=too-many-locals :keyword scale_down_mode: This also effects the cluster autoscaler behavior. If not specified, it defaults to Delete. Known values are: "Delete" and "Deallocate". :paramtype scale_down_mode: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ScaleDownMode + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ScaleDownMode :keyword type_properties_type: The type of Agent Pool. Known values are: "VirtualMachineScaleSets" and "AvailabilitySet". :paramtype type_properties_type: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolType + ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolType :keyword mode: A cluster must have at least one 'System' Agent Pool at all times. For additional information on agent pool restrictions and best practices, see: https://docs.microsoft.com/azure/aks/use-system-pools. Known values are: "System" and "User". - :paramtype mode: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolMode + :paramtype mode: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolMode :keyword orchestrator_version: Both patch version and are supported. When is specified, the latest supported patch version is chosen automatically. Updating the agent pool with the same once it has been created @@ -461,12 +461,12 @@ def __init__( # pylint: disable=too-many-locals :paramtype orchestrator_version: str :keyword upgrade_settings: Settings for upgrading the agentpool. :paramtype upgrade_settings: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolUpgradeSettings + ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolUpgradeSettings :keyword power_state: When an Agent Pool is first created it is initially Running. The Agent Pool can be stopped by setting this field to Stopped. A stopped Agent Pool stops all of its VMs and does not accrue billing charges. An Agent Pool can only be stopped if it is Running and provisioning state is Succeeded. - :paramtype power_state: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PowerState + :paramtype power_state: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PowerState :keyword availability_zones: The list of Availability zones to use for nodes. This can only be specified if the AgentPoolType property is 'VirtualMachineScaleSets'. :paramtype availability_zones: list[str] @@ -488,11 +488,11 @@ def __init__( # pylint: disable=too-many-locals :keyword scale_set_priority: The Virtual Machine Scale Set priority. If not specified, the default is 'Regular'. Known values are: "Spot" and "Regular". :paramtype scale_set_priority: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ScaleSetPriority + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ScaleSetPriority :keyword scale_set_eviction_policy: This cannot be specified unless the scaleSetPriority is 'Spot'. If not specified, the default is 'Delete'. Known values are: "Delete" and "Deallocate". :paramtype scale_set_eviction_policy: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ScaleSetEvictionPolicy + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ScaleSetEvictionPolicy :keyword spot_max_price: Possible values are any decimal value greater than zero or -1 which indicates the willingness to pay any on-demand price. For more details on spot pricing, see `spot VMs pricing `_. @@ -508,10 +508,10 @@ def __init__( # pylint: disable=too-many-locals :paramtype proximity_placement_group_id: str :keyword kubelet_config: The Kubelet configuration on the agent pool nodes. :paramtype kubelet_config: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.KubeletConfig + ~azure.mgmt.containerservice.v2023_01_02_preview.models.KubeletConfig :keyword linux_os_config: The OS configuration of Linux agent nodes. :paramtype linux_os_config: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.LinuxOSConfig + ~azure.mgmt.containerservice.v2023_01_02_preview.models.LinuxOSConfig :keyword enable_encryption_at_host: This is only supported on certain VM sizes and in certain Azure regions. For more information, see: https://docs.microsoft.com/azure/aks/enable-host-encryption. @@ -526,10 +526,10 @@ def __init__( # pylint: disable=too-many-locals profile for supported GPU VM SKU. Known values are: "MIG1g", "MIG2g", "MIG3g", "MIG4g", and "MIG7g". :paramtype gpu_instance_profile: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.GPUInstanceProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.GPUInstanceProfile :keyword creation_data: CreationData to be used to specify the source Snapshot ID if the node pool will be created/upgraded using a snapshot. - :paramtype creation_data: ~azure.mgmt.containerservice.v2022_11_02_preview.models.CreationData + :paramtype creation_data: ~azure.mgmt.containerservice.v2023_01_02_preview.models.CreationData :keyword capacity_reservation_group_id: AKS will associate the specified agent pool with the Capacity Reservation Group. :paramtype capacity_reservation_group_id: str @@ -540,10 +540,10 @@ def __init__( # pylint: disable=too-many-locals :paramtype host_group_id: str :keyword windows_profile: The Windows agent pool's specific profile. :paramtype windows_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolWindowsProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolWindowsProfile :keyword network_profile: Network-related settings of an agent pool. :paramtype network_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolNetworkProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolNetworkProfile """ super().__init__(**kwargs) self.count = count @@ -607,7 +607,7 @@ class AgentPoolAvailableVersions(_serialization.Model): :vartype type: str :ivar agent_pool_versions: List of versions available for agent pool. :vartype agent_pool_versions: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolAvailableVersionsPropertiesAgentPoolVersionsItem] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolAvailableVersionsPropertiesAgentPoolVersionsItem] """ _validation = { @@ -630,12 +630,12 @@ def __init__( self, *, agent_pool_versions: Optional[List["_models.AgentPoolAvailableVersionsPropertiesAgentPoolVersionsItem"]] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword agent_pool_versions: List of versions available for agent pool. :paramtype agent_pool_versions: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolAvailableVersionsPropertiesAgentPoolVersionsItem] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolAvailableVersionsPropertiesAgentPoolVersionsItem] """ super().__init__(**kwargs) self.id = None @@ -667,8 +667,8 @@ def __init__( default: Optional[bool] = None, kubernetes_version: Optional[str] = None, is_preview: Optional[bool] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword default: Whether this version is the default agent pool version. :paramtype default: bool @@ -689,7 +689,7 @@ class AgentPoolListResult(_serialization.Model): Variables are only populated by the server, and will be ignored when sending a request. :ivar value: The list of agent pools. - :vartype value: list[~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPool] + :vartype value: list[~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPool] :ivar next_link: The URL to get the next set of agent pool results. :vartype next_link: str """ @@ -703,10 +703,10 @@ class AgentPoolListResult(_serialization.Model): "next_link": {"key": "nextLink", "type": "str"}, } - def __init__(self, *, value: Optional[List["_models.AgentPool"]] = None, **kwargs): + def __init__(self, *, value: Optional[List["_models.AgentPool"]] = None, **kwargs: Any) -> None: """ :keyword value: The list of agent pools. - :paramtype value: list[~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPool] + :paramtype value: list[~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPool] """ super().__init__(**kwargs) self.value = value @@ -718,11 +718,11 @@ class AgentPoolNetworkProfile(_serialization.Model): :ivar node_public_ip_tags: IPTags of instance-level public IPs. :vartype node_public_ip_tags: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.IPTag] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.IPTag] :ivar allowed_host_ports: The port ranges that are allowed to access. The specified ranges are allowed to overlap. :vartype allowed_host_ports: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.PortRange] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.PortRange] :ivar application_security_groups: The IDs of the application security groups which agent pool will associate when created. :vartype application_security_groups: list[str] @@ -740,16 +740,16 @@ def __init__( node_public_ip_tags: Optional[List["_models.IPTag"]] = None, allowed_host_ports: Optional[List["_models.PortRange"]] = None, application_security_groups: Optional[List[str]] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword node_public_ip_tags: IPTags of instance-level public IPs. :paramtype node_public_ip_tags: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.IPTag] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.IPTag] :keyword allowed_host_ports: The port ranges that are allowed to access. The specified ranges are allowed to overlap. :paramtype allowed_host_ports: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.PortRange] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.PortRange] :keyword application_security_groups: The IDs of the application security groups which agent pool will associate when created. :paramtype application_security_groups: list[str] @@ -777,10 +777,10 @@ class AgentPoolUpgradeProfile(_serialization.Model): :vartype kubernetes_version: str :ivar os_type: The operating system type. The default is Linux. Known values are: "Linux" and "Windows". - :vartype os_type: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSType + :vartype os_type: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSType :ivar upgrades: List of orchestrator types and versions available for upgrade. :vartype upgrades: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolUpgradeProfilePropertiesUpgradesItem] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolUpgradeProfilePropertiesUpgradesItem] :ivar latest_node_image_version: The latest AKS supported node image version. :vartype latest_node_image_version: str """ @@ -810,17 +810,17 @@ def __init__( os_type: Union[str, "_models.OSType"] = "Linux", upgrades: Optional[List["_models.AgentPoolUpgradeProfilePropertiesUpgradesItem"]] = None, latest_node_image_version: Optional[str] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword kubernetes_version: The Kubernetes version (major.minor.patch). Required. :paramtype kubernetes_version: str :keyword os_type: The operating system type. The default is Linux. Known values are: "Linux" and "Windows". - :paramtype os_type: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSType + :paramtype os_type: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSType :keyword upgrades: List of orchestrator types and versions available for upgrade. :paramtype upgrades: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolUpgradeProfilePropertiesUpgradesItem] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolUpgradeProfilePropertiesUpgradesItem] :keyword latest_node_image_version: The latest AKS supported node image version. :paramtype latest_node_image_version: str """ @@ -848,7 +848,9 @@ class AgentPoolUpgradeProfilePropertiesUpgradesItem(_serialization.Model): "is_preview": {"key": "isPreview", "type": "bool"}, } - def __init__(self, *, kubernetes_version: Optional[str] = None, is_preview: Optional[bool] = None, **kwargs): + def __init__( + self, *, kubernetes_version: Optional[str] = None, is_preview: Optional[bool] = None, **kwargs: Any + ) -> None: """ :keyword kubernetes_version: The Kubernetes version (major.minor.patch). :paramtype kubernetes_version: str @@ -875,7 +877,7 @@ class AgentPoolUpgradeSettings(_serialization.Model): "max_surge": {"key": "maxSurge", "type": "str"}, } - def __init__(self, *, max_surge: Optional[str] = None, **kwargs): + def __init__(self, *, max_surge: Optional[str] = None, **kwargs: Any) -> None: """ :keyword max_surge: This can either be set to an integer (e.g. '5') or a percentage (e.g. '50%'). If a percentage is specified, it is the percentage of the total agent pool size at the @@ -901,7 +903,7 @@ class AgentPoolWindowsProfile(_serialization.Model): "disable_outbound_nat": {"key": "disableOutboundNat", "type": "bool"}, } - def __init__(self, *, disable_outbound_nat: Optional[bool] = None, **kwargs): + def __init__(self, *, disable_outbound_nat: Optional[bool] = None, **kwargs: Any) -> None: """ :keyword disable_outbound_nat: The default value is false. Outbound NAT can only be disabled if the cluster outboundType is NAT Gateway and the Windows agent pool does not have node public IP @@ -928,7 +930,7 @@ class AzureKeyVaultKms(_serialization.Model): ``Private`` means the key vault disables public access and enables private link. The default value is ``Public``. Known values are: "Public" and "Private". :vartype key_vault_network_access: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.KeyVaultNetworkAccessTypes + ~azure.mgmt.containerservice.v2023_01_02_preview.models.KeyVaultNetworkAccessTypes :ivar key_vault_resource_id: Resource ID of key vault. When keyVaultNetworkAccess is ``Private``\ , this field is required and must be a valid resource ID. When keyVaultNetworkAccess is ``Public``\ , leave the field empty. @@ -949,8 +951,8 @@ def __init__( key_id: Optional[str] = None, key_vault_network_access: Union[str, "_models.KeyVaultNetworkAccessTypes"] = "Public", key_vault_resource_id: Optional[str] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword enabled: Whether to enable Azure Key Vault key management service. The default is false. @@ -966,7 +968,7 @@ def __init__( networks. ``Private`` means the key vault disables public access and enables private link. The default value is ``Public``. Known values are: "Public" and "Private". :paramtype key_vault_network_access: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.KeyVaultNetworkAccessTypes + ~azure.mgmt.containerservice.v2023_01_02_preview.models.KeyVaultNetworkAccessTypes :keyword key_vault_resource_id: Resource ID of key vault. When keyVaultNetworkAccess is ``Private``\ , this field is required and must be a valid resource ID. When keyVaultNetworkAccess is ``Public``\ , leave the field empty. @@ -992,7 +994,7 @@ class CloudErrorBody(_serialization.Model): error. :vartype target: str :ivar details: A list of additional details about the error. - :vartype details: list[~azure.mgmt.containerservice.v2022_11_02_preview.models.CloudErrorBody] + :vartype details: list[~azure.mgmt.containerservice.v2023_01_02_preview.models.CloudErrorBody] """ _attribute_map = { @@ -1009,8 +1011,8 @@ def __init__( message: Optional[str] = None, target: Optional[str] = None, details: Optional[List["_models.CloudErrorBody"]] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword code: An identifier for the error. Codes are invariant and are intended to be consumed programmatically. @@ -1023,7 +1025,7 @@ def __init__( :paramtype target: str :keyword details: A list of additional details about the error. :paramtype details: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.CloudErrorBody] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.CloudErrorBody] """ super().__init__(**kwargs) self.code = code @@ -1032,6 +1034,28 @@ def __init__( self.details = details +class ClusterUpgradeSettings(_serialization.Model): + """Settings for upgrading a cluster. + + :ivar override_settings: Settings for overrides. + :vartype override_settings: + ~azure.mgmt.containerservice.v2023_01_02_preview.models.UpgradeOverrideSettings + """ + + _attribute_map = { + "override_settings": {"key": "overrideSettings", "type": "UpgradeOverrideSettings"}, + } + + def __init__(self, *, override_settings: Optional["_models.UpgradeOverrideSettings"] = None, **kwargs: Any) -> None: + """ + :keyword override_settings: Settings for overrides. + :paramtype override_settings: + ~azure.mgmt.containerservice.v2023_01_02_preview.models.UpgradeOverrideSettings + """ + super().__init__(**kwargs) + self.override_settings = override_settings + + class ContainerServiceDiagnosticsProfile(_serialization.Model): """Profile for diagnostics on the container service cluster. @@ -1039,7 +1063,7 @@ class ContainerServiceDiagnosticsProfile(_serialization.Model): :ivar vm_diagnostics: Profile for diagnostics on the container service VMs. Required. :vartype vm_diagnostics: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ContainerServiceVMDiagnostics + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ContainerServiceVMDiagnostics """ _validation = { @@ -1050,11 +1074,11 @@ class ContainerServiceDiagnosticsProfile(_serialization.Model): "vm_diagnostics": {"key": "vmDiagnostics", "type": "ContainerServiceVMDiagnostics"}, } - def __init__(self, *, vm_diagnostics: "_models.ContainerServiceVMDiagnostics", **kwargs): + def __init__(self, *, vm_diagnostics: "_models.ContainerServiceVMDiagnostics", **kwargs: Any) -> None: """ :keyword vm_diagnostics: Profile for diagnostics on the container service VMs. Required. :paramtype vm_diagnostics: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ContainerServiceVMDiagnostics + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ContainerServiceVMDiagnostics """ super().__init__(**kwargs) self.vm_diagnostics = vm_diagnostics @@ -1069,7 +1093,7 @@ class ContainerServiceLinuxProfile(_serialization.Model): :vartype admin_username: str :ivar ssh: The SSH configuration for Linux-based VMs running on Azure. Required. :vartype ssh: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ContainerServiceSshConfiguration + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ContainerServiceSshConfiguration """ _validation = { @@ -1082,13 +1106,13 @@ class ContainerServiceLinuxProfile(_serialization.Model): "ssh": {"key": "ssh", "type": "ContainerServiceSshConfiguration"}, } - def __init__(self, *, admin_username: str, ssh: "_models.ContainerServiceSshConfiguration", **kwargs): + def __init__(self, *, admin_username: str, ssh: "_models.ContainerServiceSshConfiguration", **kwargs: Any) -> None: """ :keyword admin_username: The administrator username to use for Linux VMs. Required. :paramtype admin_username: str :keyword ssh: The SSH configuration for Linux-based VMs running on Azure. Required. :paramtype ssh: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ContainerServiceSshConfiguration + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ContainerServiceSshConfiguration """ super().__init__(**kwargs) self.admin_username = admin_username @@ -1104,7 +1128,7 @@ class ContainerServiceMasterProfile(_serialization.Model): :ivar count: Number of masters (VMs) in the container service cluster. Allowed values are 1, 3, and 5. The default value is 1. Known values are: 1, 3, and 5. - :vartype count: int or ~azure.mgmt.containerservice.v2022_11_02_preview.models.Count + :vartype count: int or ~azure.mgmt.containerservice.v2023_01_02_preview.models.Count :ivar dns_prefix: DNS prefix to be used to create the FQDN for the master pool. Required. :vartype dns_prefix: str :ivar vm_size: Size of agent VMs. Required. Known values are: "Standard_A1", "Standard_A10", @@ -1146,7 +1170,7 @@ class ContainerServiceMasterProfile(_serialization.Model): "Standard_NC6", "Standard_NC6s_v2", "Standard_NC6s_v3", "Standard_ND12s", "Standard_ND24rs", "Standard_ND24s", "Standard_ND6s", "Standard_NV12", "Standard_NV24", and "Standard_NV6". :vartype vm_size: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ContainerServiceVMSizeTypes + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ContainerServiceVMSizeTypes :ivar os_disk_size_gb: OS Disk Size in GB to be used to specify the disk size for every machine in this master/agent pool. If you specify 0, it will apply the default osDisk size according to the vmSize specified. @@ -1160,7 +1184,7 @@ class ContainerServiceMasterProfile(_serialization.Model): StorageAccount and ManagedDisks. Leave it empty, we will choose for you based on the orchestrator choice. Known values are: "StorageAccount" and "ManagedDisks". :vartype storage_profile: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ContainerServiceStorageProfileTypes + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ContainerServiceStorageProfileTypes :ivar fqdn: FQDN for the master pool. :vartype fqdn: str """ @@ -1193,12 +1217,12 @@ def __init__( vnet_subnet_id: Optional[str] = None, first_consecutive_static_ip: str = "10.240.255.5", storage_profile: Optional[Union[str, "_models.ContainerServiceStorageProfileTypes"]] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword count: Number of masters (VMs) in the container service cluster. Allowed values are 1, 3, and 5. The default value is 1. Known values are: 1, 3, and 5. - :paramtype count: int or ~azure.mgmt.containerservice.v2022_11_02_preview.models.Count + :paramtype count: int or ~azure.mgmt.containerservice.v2023_01_02_preview.models.Count :keyword dns_prefix: DNS prefix to be used to create the FQDN for the master pool. Required. :paramtype dns_prefix: str :keyword vm_size: Size of agent VMs. Required. Known values are: "Standard_A1", "Standard_A10", @@ -1240,7 +1264,7 @@ def __init__( "Standard_NC6", "Standard_NC6s_v2", "Standard_NC6s_v3", "Standard_ND12s", "Standard_ND24rs", "Standard_ND24s", "Standard_ND6s", "Standard_NV12", "Standard_NV24", and "Standard_NV6". :paramtype vm_size: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ContainerServiceVMSizeTypes + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ContainerServiceVMSizeTypes :keyword os_disk_size_gb: OS Disk Size in GB to be used to specify the disk size for every machine in this master/agent pool. If you specify 0, it will apply the default osDisk size according to the vmSize specified. @@ -1254,7 +1278,7 @@ def __init__( StorageAccount and ManagedDisks. Leave it empty, we will choose for you based on the orchestrator choice. Known values are: "StorageAccount" and "ManagedDisks". :paramtype storage_profile: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ContainerServiceStorageProfileTypes + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ContainerServiceStorageProfileTypes """ super().__init__(**kwargs) self.count = count @@ -1273,22 +1297,22 @@ class ContainerServiceNetworkProfile(_serialization.Model): # pylint: disable=t :ivar network_plugin: Network plugin used for building the Kubernetes network. Known values are: "azure", "kubenet", and "none". :vartype network_plugin: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.NetworkPlugin + ~azure.mgmt.containerservice.v2023_01_02_preview.models.NetworkPlugin :ivar network_plugin_mode: Network plugin mode used for building the Kubernetes network. "Overlay" :vartype network_plugin_mode: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.NetworkPluginMode + ~azure.mgmt.containerservice.v2023_01_02_preview.models.NetworkPluginMode :ivar network_policy: Network policy used for building the Kubernetes network. Known values are: "calico" and "azure". :vartype network_policy: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.NetworkPolicy + ~azure.mgmt.containerservice.v2023_01_02_preview.models.NetworkPolicy :ivar network_mode: This cannot be specified if networkPlugin is anything other than 'azure'. Known values are: "transparent" and "bridge". :vartype network_mode: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.NetworkMode + ~azure.mgmt.containerservice.v2023_01_02_preview.models.NetworkMode :ivar ebpf_dataplane: The eBPF dataplane used for building the Kubernetes network. "cilium" :vartype ebpf_dataplane: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.EbpfDataplane + ~azure.mgmt.containerservice.v2023_01_02_preview.models.EbpfDataplane :ivar pod_cidr: A CIDR notation IP range from which to assign pod IPs when kubenet is used. :vartype pod_cidr: str :ivar service_cidr: A CIDR notation IP range from which to assign service cluster IPs. It must @@ -1305,18 +1329,18 @@ class ContainerServiceNetworkProfile(_serialization.Model): # pylint: disable=t `_. Known values are: "loadBalancer", "userDefinedRouting", "managedNATGateway", and "userAssignedNATGateway". :vartype outbound_type: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.OutboundType + ~azure.mgmt.containerservice.v2023_01_02_preview.models.OutboundType :ivar load_balancer_sku: The default is 'standard'. See `Azure Load Balancer SKUs `_ for more information about the differences between load balancer SKUs. Known values are: "standard" and "basic". :vartype load_balancer_sku: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.LoadBalancerSku + ~azure.mgmt.containerservice.v2023_01_02_preview.models.LoadBalancerSku :ivar load_balancer_profile: Profile of the cluster load balancer. :vartype load_balancer_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterLoadBalancerProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterLoadBalancerProfile :ivar nat_gateway_profile: Profile of the cluster NAT gateway. :vartype nat_gateway_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterNATGatewayProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterNATGatewayProfile :ivar pod_cidrs: One IPv4 CIDR is expected for single-stack networking. Two CIDRs, one for each IP family (IPv4/IPv6), is expected for dual-stack networking. :vartype pod_cidrs: list[str] @@ -1328,14 +1352,14 @@ class ContainerServiceNetworkProfile(_serialization.Model): # pylint: disable=t single-stack, the expected value is IPv4. For dual-stack, the expected values are IPv4 and IPv6. :vartype ip_families: list[str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.IpFamily] + ~azure.mgmt.containerservice.v2023_01_02_preview.models.IpFamily] :ivar kube_proxy_config: Holds configuration customizations for kube-proxy. Any values not defined will use the kube-proxy defaulting behavior. See https://v:code:``.docs.kubernetes.io/docs/reference/command-line-tools-reference/kube-proxy/ where :code:`` is represented by a :code:``-:code:`` string. Kubernetes version 1.23 would be '1-23'. :vartype kube_proxy_config: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ContainerServiceNetworkProfileKubeProxyConfig + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ContainerServiceNetworkProfileKubeProxyConfig """ _validation = { @@ -1387,28 +1411,28 @@ def __init__( service_cidrs: Optional[List[str]] = None, ip_families: Optional[List[Union[str, "_models.IpFamily"]]] = None, kube_proxy_config: Optional["_models.ContainerServiceNetworkProfileKubeProxyConfig"] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword network_plugin: Network plugin used for building the Kubernetes network. Known values are: "azure", "kubenet", and "none". :paramtype network_plugin: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.NetworkPlugin + ~azure.mgmt.containerservice.v2023_01_02_preview.models.NetworkPlugin :keyword network_plugin_mode: Network plugin mode used for building the Kubernetes network. "Overlay" :paramtype network_plugin_mode: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.NetworkPluginMode + ~azure.mgmt.containerservice.v2023_01_02_preview.models.NetworkPluginMode :keyword network_policy: Network policy used for building the Kubernetes network. Known values are: "calico" and "azure". :paramtype network_policy: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.NetworkPolicy + ~azure.mgmt.containerservice.v2023_01_02_preview.models.NetworkPolicy :keyword network_mode: This cannot be specified if networkPlugin is anything other than 'azure'. Known values are: "transparent" and "bridge". :paramtype network_mode: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.NetworkMode + ~azure.mgmt.containerservice.v2023_01_02_preview.models.NetworkMode :keyword ebpf_dataplane: The eBPF dataplane used for building the Kubernetes network. "cilium" :paramtype ebpf_dataplane: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.EbpfDataplane + ~azure.mgmt.containerservice.v2023_01_02_preview.models.EbpfDataplane :keyword pod_cidr: A CIDR notation IP range from which to assign pod IPs when kubenet is used. :paramtype pod_cidr: str :keyword service_cidr: A CIDR notation IP range from which to assign service cluster IPs. It @@ -1425,18 +1449,18 @@ def __init__( `_. Known values are: "loadBalancer", "userDefinedRouting", "managedNATGateway", and "userAssignedNATGateway". :paramtype outbound_type: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.OutboundType + ~azure.mgmt.containerservice.v2023_01_02_preview.models.OutboundType :keyword load_balancer_sku: The default is 'standard'. See `Azure Load Balancer SKUs `_ for more information about the differences between load balancer SKUs. Known values are: "standard" and "basic". :paramtype load_balancer_sku: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.LoadBalancerSku + ~azure.mgmt.containerservice.v2023_01_02_preview.models.LoadBalancerSku :keyword load_balancer_profile: Profile of the cluster load balancer. :paramtype load_balancer_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterLoadBalancerProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterLoadBalancerProfile :keyword nat_gateway_profile: Profile of the cluster NAT gateway. :paramtype nat_gateway_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterNATGatewayProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterNATGatewayProfile :keyword pod_cidrs: One IPv4 CIDR is expected for single-stack networking. Two CIDRs, one for each IP family (IPv4/IPv6), is expected for dual-stack networking. :paramtype pod_cidrs: list[str] @@ -1448,14 +1472,14 @@ def __init__( For single-stack, the expected value is IPv4. For dual-stack, the expected values are IPv4 and IPv6. :paramtype ip_families: list[str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.IpFamily] + ~azure.mgmt.containerservice.v2023_01_02_preview.models.IpFamily] :keyword kube_proxy_config: Holds configuration customizations for kube-proxy. Any values not defined will use the kube-proxy defaulting behavior. See https://v:code:``.docs.kubernetes.io/docs/reference/command-line-tools-reference/kube-proxy/ where :code:`` is represented by a :code:``-:code:`` string. Kubernetes version 1.23 would be '1-23'. :paramtype kube_proxy_config: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ContainerServiceNetworkProfileKubeProxyConfig + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ContainerServiceNetworkProfileKubeProxyConfig """ super().__init__(**kwargs) self.network_plugin = network_plugin @@ -1478,18 +1502,22 @@ def __init__( class ContainerServiceNetworkProfileKubeProxyConfig(_serialization.Model): - """Holds configuration customizations for kube-proxy. Any values not defined will use the kube-proxy defaulting behavior. See https://v:code:``.docs.kubernetes.io/docs/reference/command-line-tools-reference/kube-proxy/ where :code:`` is represented by a :code:``-:code:`` string. Kubernetes version 1.23 would be '1-23'. + """Holds configuration customizations for kube-proxy. Any values not defined will use the + kube-proxy defaulting behavior. See + https://v:code:``.docs.kubernetes.io/docs/reference/command-line-tools-reference/kube-proxy/ + where :code:`` is represented by a :code:``-:code:`` + string. Kubernetes version 1.23 would be '1-23'. :ivar enabled: Whether to enable on kube-proxy on the cluster (if no 'kubeProxyConfig' exists, kube-proxy is enabled in AKS by default without these customizations). :vartype enabled: bool :ivar mode: Specify which proxy mode to use ('IPTABLES' or 'IPVS'). Known values are: "IPTABLES" and "IPVS". - :vartype mode: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.Mode + :vartype mode: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.Mode :ivar ipvs_config: Holds configuration customizations for IPVS. May only be specified if 'mode' is set to 'IPVS'. :vartype ipvs_config: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ContainerServiceNetworkProfileKubeProxyConfigIpvsConfig + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ContainerServiceNetworkProfileKubeProxyConfigIpvsConfig """ _attribute_map = { @@ -1504,19 +1532,19 @@ def __init__( enabled: Optional[bool] = None, mode: Optional[Union[str, "_models.Mode"]] = None, ipvs_config: Optional["_models.ContainerServiceNetworkProfileKubeProxyConfigIpvsConfig"] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword enabled: Whether to enable on kube-proxy on the cluster (if no 'kubeProxyConfig' exists, kube-proxy is enabled in AKS by default without these customizations). :paramtype enabled: bool :keyword mode: Specify which proxy mode to use ('IPTABLES' or 'IPVS'). Known values are: "IPTABLES" and "IPVS". - :paramtype mode: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.Mode + :paramtype mode: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.Mode :keyword ipvs_config: Holds configuration customizations for IPVS. May only be specified if 'mode' is set to 'IPVS'. :paramtype ipvs_config: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ContainerServiceNetworkProfileKubeProxyConfigIpvsConfig + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ContainerServiceNetworkProfileKubeProxyConfigIpvsConfig """ super().__init__(**kwargs) self.enabled = enabled @@ -1531,7 +1559,7 @@ class ContainerServiceNetworkProfileKubeProxyConfigIpvsConfig(_serialization.Mod http://www.linuxvirtualserver.org/docs/scheduling.html. Known values are: "RoundRobin" and "LeastConnection". :vartype scheduler: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.IpvsScheduler + ~azure.mgmt.containerservice.v2023_01_02_preview.models.IpvsScheduler :ivar tcp_timeout_seconds: The timeout value used for idle IPVS TCP sessions in seconds. Must be a positive integer value. :vartype tcp_timeout_seconds: int @@ -1557,14 +1585,14 @@ def __init__( tcp_timeout_seconds: Optional[int] = None, tcp_fin_timeout_seconds: Optional[int] = None, udp_timeout_seconds: Optional[int] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword scheduler: IPVS scheduler, for more information please see http://www.linuxvirtualserver.org/docs/scheduling.html. Known values are: "RoundRobin" and "LeastConnection". :paramtype scheduler: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.IpvsScheduler + ~azure.mgmt.containerservice.v2023_01_02_preview.models.IpvsScheduler :keyword tcp_timeout_seconds: The timeout value used for idle IPVS TCP sessions in seconds. Must be a positive integer value. :paramtype tcp_timeout_seconds: int @@ -1590,7 +1618,7 @@ class ContainerServiceSshConfiguration(_serialization.Model): :ivar public_keys: The list of SSH public keys used to authenticate with Linux-based VMs. A maximum of 1 key may be specified. Required. :vartype public_keys: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ContainerServiceSshPublicKey] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ContainerServiceSshPublicKey] """ _validation = { @@ -1601,12 +1629,12 @@ class ContainerServiceSshConfiguration(_serialization.Model): "public_keys": {"key": "publicKeys", "type": "[ContainerServiceSshPublicKey]"}, } - def __init__(self, *, public_keys: List["_models.ContainerServiceSshPublicKey"], **kwargs): + def __init__(self, *, public_keys: List["_models.ContainerServiceSshPublicKey"], **kwargs: Any) -> None: """ :keyword public_keys: The list of SSH public keys used to authenticate with Linux-based VMs. A maximum of 1 key may be specified. Required. :paramtype public_keys: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ContainerServiceSshPublicKey] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ContainerServiceSshPublicKey] """ super().__init__(**kwargs) self.public_keys = public_keys @@ -1630,7 +1658,7 @@ class ContainerServiceSshPublicKey(_serialization.Model): "key_data": {"key": "keyData", "type": "str"}, } - def __init__(self, *, key_data: str, **kwargs): + def __init__(self, *, key_data: str, **kwargs: Any) -> None: """ :keyword key_data: Certificate public key used to authenticate with VMs through SSH. The certificate must be in PEM format with or without headers. Required. @@ -1663,7 +1691,7 @@ class ContainerServiceVMDiagnostics(_serialization.Model): "storage_uri": {"key": "storageUri", "type": "str"}, } - def __init__(self, *, enabled: bool, **kwargs): + def __init__(self, *, enabled: bool, **kwargs: Any) -> None: """ :keyword enabled: Whether the VM diagnostic agent is provisioned on the VM. Required. :paramtype enabled: bool @@ -1685,7 +1713,7 @@ class CreationData(_serialization.Model): "source_resource_id": {"key": "sourceResourceId", "type": "str"}, } - def __init__(self, *, source_resource_id: Optional[str] = None, **kwargs): + def __init__(self, *, source_resource_id: Optional[str] = None, **kwargs: Any) -> None: """ :keyword source_resource_id: This is the ARM ID of the source object to be used to create the target object. @@ -1716,7 +1744,7 @@ class CredentialResult(_serialization.Model): "value": {"key": "value", "type": "bytearray"}, } - def __init__(self, **kwargs): + def __init__(self, **kwargs: Any) -> None: """ """ super().__init__(**kwargs) self.name = None @@ -1730,7 +1758,7 @@ class CredentialResults(_serialization.Model): :ivar kubeconfigs: Base64-encoded Kubernetes configuration file. :vartype kubeconfigs: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.CredentialResult] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.CredentialResult] """ _validation = { @@ -1741,7 +1769,7 @@ class CredentialResults(_serialization.Model): "kubeconfigs": {"key": "kubeconfigs", "type": "[CredentialResult]"}, } - def __init__(self, **kwargs): + def __init__(self, **kwargs: Any) -> None: """ """ super().__init__(**kwargs) self.kubeconfigs = None @@ -1764,7 +1792,7 @@ class DailySchedule(_serialization.Model): "interval_days": {"key": "intervalDays", "type": "int"}, } - def __init__(self, *, interval_days: int, **kwargs): + def __init__(self, *, interval_days: int, **kwargs: Any) -> None: """ :keyword interval_days: Specifies the number of days between each set of occurrences. Required. :paramtype interval_days: int @@ -1794,7 +1822,7 @@ class DateSpan(_serialization.Model): "end": {"key": "end", "type": "date"}, } - def __init__(self, *, start: datetime.date, end: datetime.date, **kwargs): + def __init__(self, *, start: datetime.date, end: datetime.date, **kwargs: Any) -> None: """ :keyword start: The start date of the date span. Required. :paramtype start: ~datetime.date @@ -1813,7 +1841,7 @@ class EndpointDependency(_serialization.Model): :vartype domain_name: str :ivar endpoint_details: The Ports and Protocols used when connecting to domainName. :vartype endpoint_details: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.EndpointDetail] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.EndpointDetail] """ _attribute_map = { @@ -1826,14 +1854,14 @@ def __init__( *, domain_name: Optional[str] = None, endpoint_details: Optional[List["_models.EndpointDetail"]] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword domain_name: The domain name of the dependency. :paramtype domain_name: str :keyword endpoint_details: The Ports and Protocols used when connecting to domainName. :paramtype endpoint_details: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.EndpointDetail] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.EndpointDetail] """ super().__init__(**kwargs) self.domain_name = domain_name @@ -1867,8 +1895,8 @@ def __init__( port: Optional[int] = None, protocol: Optional[str] = None, description: Optional[str] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword ip_address: An IP Address that Domain Name currently resolves to. :paramtype ip_address: str @@ -1893,7 +1921,7 @@ class ExtendedLocation(_serialization.Model): :vartype name: str :ivar type: The type of the extended location. "EdgeZone" :vartype type: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ExtendedLocationTypes + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ExtendedLocationTypes """ _attribute_map = { @@ -1906,14 +1934,14 @@ def __init__( *, name: Optional[str] = None, type: Optional[Union[str, "_models.ExtendedLocationTypes"]] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword name: The name of the extended location. :paramtype name: str :keyword type: The type of the extended location. "EdgeZone" :paramtype type: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ExtendedLocationTypes + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ExtendedLocationTypes """ super().__init__(**kwargs) self.name = name @@ -1935,7 +1963,7 @@ class GuardrailsProfile(_serialization.Model): :ivar level: The guardrails level to be used. By default, Guardrails is enabled for all namespaces except those that AKS excludes via systemExcludedNamespaces. Required. Known values are: "Off", "Warning", and "Enforcement". - :vartype level: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.Level + :vartype level: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.Level :ivar excluded_namespaces: List of namespaces excluded from guardrails checks. :vartype excluded_namespaces: list[str] """ @@ -1959,15 +1987,15 @@ def __init__( version: str, level: Union[str, "_models.Level"], excluded_namespaces: Optional[List[str]] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword version: The version of constraints to use. Required. :paramtype version: str :keyword level: The guardrails level to be used. By default, Guardrails is enabled for all namespaces except those that AKS excludes via systemExcludedNamespaces. Required. Known values are: "Off", "Warning", and "Enforcement". - :paramtype level: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.Level + :paramtype level: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.Level :keyword excluded_namespaces: List of namespaces excluded from guardrails checks. :paramtype excluded_namespaces: list[str] """ @@ -1992,7 +2020,7 @@ class IPTag(_serialization.Model): "tag": {"key": "tag", "type": "str"}, } - def __init__(self, *, ip_tag_type: Optional[str] = None, tag: Optional[str] = None, **kwargs): + def __init__(self, *, ip_tag_type: Optional[str] = None, tag: Optional[str] = None, **kwargs: Any) -> None: """ :keyword ip_tag_type: The IP tag type. Example: RoutingPreference. :paramtype ip_tag_type: str @@ -2005,7 +2033,8 @@ def __init__(self, *, ip_tag_type: Optional[str] = None, tag: Optional[str] = No class KubeletConfig(_serialization.Model): # pylint: disable=too-many-instance-attributes - """See `AKS custom node configuration `_ for more details. + """See `AKS custom node configuration + `_ for more details. :ivar cpu_manager_policy: The default is 'none'. See `Kubernetes CPU management policies `_ @@ -2075,8 +2104,8 @@ def __init__( container_log_max_size_mb: Optional[int] = None, container_log_max_files: Optional[int] = None, pod_max_pids: Optional[int] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword cpu_manager_policy: The default is 'none'. See `Kubernetes CPU management policies `_ @@ -2128,10 +2157,11 @@ def __init__( class LinuxOSConfig(_serialization.Model): - """See `AKS custom node configuration `_ for more details. + """See `AKS custom node configuration + `_ for more details. :ivar sysctls: Sysctl settings for Linux agent nodes. - :vartype sysctls: ~azure.mgmt.containerservice.v2022_11_02_preview.models.SysctlConfig + :vartype sysctls: ~azure.mgmt.containerservice.v2023_01_02_preview.models.SysctlConfig :ivar transparent_huge_page_enabled: Valid values are 'always', 'madvise', and 'never'. The default is 'always'. For more information see `Transparent Hugepages `_. @@ -2159,11 +2189,11 @@ def __init__( transparent_huge_page_enabled: Optional[str] = None, transparent_huge_page_defrag: Optional[str] = None, swap_file_size_mb: Optional[int] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword sysctls: Sysctl settings for Linux agent nodes. - :paramtype sysctls: ~azure.mgmt.containerservice.v2022_11_02_preview.models.SysctlConfig + :paramtype sysctls: ~azure.mgmt.containerservice.v2023_01_02_preview.models.SysctlConfig :keyword transparent_huge_page_enabled: Valid values are 'always', 'madvise', and 'never'. The default is 'always'. For more information see `Transparent Hugepages `_. @@ -2184,7 +2214,8 @@ def __init__( class MaintenanceConfiguration(SubResource): - """See `planned maintenance `_ for more information about planned maintenance. + """See `planned maintenance `_ for more + information about planned maintenance. Variables are only populated by the server, and will be ignored when sending a request. @@ -2196,16 +2227,16 @@ class MaintenanceConfiguration(SubResource): :ivar type: Resource type. :vartype type: str :ivar system_data: The system metadata relating to this resource. - :vartype system_data: ~azure.mgmt.containerservice.v2022_11_02_preview.models.SystemData + :vartype system_data: ~azure.mgmt.containerservice.v2023_01_02_preview.models.SystemData :ivar time_in_week: If two array entries specify the same day of the week, the applied configuration is the union of times in both entries. - :vartype time_in_week: list[~azure.mgmt.containerservice.v2022_11_02_preview.models.TimeInWeek] + :vartype time_in_week: list[~azure.mgmt.containerservice.v2023_01_02_preview.models.TimeInWeek] :ivar not_allowed_time: Time slots on which upgrade is not allowed. :vartype not_allowed_time: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.TimeSpan] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.TimeSpan] :ivar maintenance_window: Maintenance window for the maintenance configuration. :vartype maintenance_window: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.MaintenanceWindow + ~azure.mgmt.containerservice.v2023_01_02_preview.models.MaintenanceWindow """ _validation = { @@ -2231,19 +2262,19 @@ def __init__( time_in_week: Optional[List["_models.TimeInWeek"]] = None, not_allowed_time: Optional[List["_models.TimeSpan"]] = None, maintenance_window: Optional["_models.MaintenanceWindow"] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword time_in_week: If two array entries specify the same day of the week, the applied configuration is the union of times in both entries. :paramtype time_in_week: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.TimeInWeek] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.TimeInWeek] :keyword not_allowed_time: Time slots on which upgrade is not allowed. :paramtype not_allowed_time: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.TimeSpan] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.TimeSpan] :keyword maintenance_window: Maintenance window for the maintenance configuration. :paramtype maintenance_window: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.MaintenanceWindow + ~azure.mgmt.containerservice.v2023_01_02_preview.models.MaintenanceWindow """ super().__init__(**kwargs) self.system_data = None @@ -2259,7 +2290,7 @@ class MaintenanceConfigurationListResult(_serialization.Model): :ivar value: The list of maintenance configurations. :vartype value: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.MaintenanceConfiguration] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.MaintenanceConfiguration] :ivar next_link: The URL to get the next set of maintenance configuration results. :vartype next_link: str """ @@ -2273,11 +2304,11 @@ class MaintenanceConfigurationListResult(_serialization.Model): "next_link": {"key": "nextLink", "type": "str"}, } - def __init__(self, *, value: Optional[List["_models.MaintenanceConfiguration"]] = None, **kwargs): + def __init__(self, *, value: Optional[List["_models.MaintenanceConfiguration"]] = None, **kwargs: Any) -> None: """ :keyword value: The list of maintenance configurations. :paramtype value: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.MaintenanceConfiguration] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.MaintenanceConfiguration] """ super().__init__(**kwargs) self.value = value @@ -2290,7 +2321,7 @@ class MaintenanceWindow(_serialization.Model): All required parameters must be populated in order to send to Azure. :ivar schedule: Recurrence schedule for the maintenance window. Required. - :vartype schedule: ~azure.mgmt.containerservice.v2022_11_02_preview.models.Schedule + :vartype schedule: ~azure.mgmt.containerservice.v2023_01_02_preview.models.Schedule :ivar duration_hours: Length of maintenance window range from 4 to 24 hours. :vartype duration_hours: int :ivar utc_offset: The UTC offset in format +/-HH:mm. For example, '+05:30' for IST and '-07:00' @@ -2309,7 +2340,7 @@ class MaintenanceWindow(_serialization.Model): '2023-01-03', maintenance will be blocked from '2022-12-22 22:00' to '2023-01-03 22:00' in UTC time. :vartype not_allowed_dates: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.DateSpan] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.DateSpan] """ _validation = { @@ -2337,11 +2368,11 @@ def __init__( utc_offset: Optional[str] = None, start_date: Optional[datetime.date] = None, not_allowed_dates: Optional[List["_models.DateSpan"]] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword schedule: Recurrence schedule for the maintenance window. Required. - :paramtype schedule: ~azure.mgmt.containerservice.v2022_11_02_preview.models.Schedule + :paramtype schedule: ~azure.mgmt.containerservice.v2023_01_02_preview.models.Schedule :keyword duration_hours: Length of maintenance window range from 4 to 24 hours. :paramtype duration_hours: int :keyword utc_offset: The UTC offset in format +/-HH:mm. For example, '+05:30' for IST and @@ -2360,7 +2391,7 @@ def __init__( '2023-01-03', maintenance will be blocked from '2022-12-22 22:00' to '2023-01-03 22:00' in UTC time. :paramtype not_allowed_dates: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.DateSpan] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.DateSpan] """ super().__init__(**kwargs) self.schedule = schedule @@ -2386,7 +2417,7 @@ class Resource(_serialization.Model): :vartype type: str :ivar system_data: Azure Resource Manager metadata containing createdBy and modifiedBy information. - :vartype system_data: ~azure.mgmt.containerservice.v2022_11_02_preview.models.SystemData + :vartype system_data: ~azure.mgmt.containerservice.v2023_01_02_preview.models.SystemData """ _validation = { @@ -2403,7 +2434,7 @@ class Resource(_serialization.Model): "system_data": {"key": "systemData", "type": "SystemData"}, } - def __init__(self, **kwargs): + def __init__(self, **kwargs: Any) -> None: """ """ super().__init__(**kwargs) self.id = None @@ -2413,7 +2444,8 @@ def __init__(self, **kwargs): class TrackedResource(Resource): - """The resource model definition for an Azure Resource Manager tracked top level resource which has 'tags' and a 'location'. + """The resource model definition for an Azure Resource Manager tracked top level resource which + has 'tags' and a 'location'. Variables are only populated by the server, and will be ignored when sending a request. @@ -2429,7 +2461,7 @@ class TrackedResource(Resource): :vartype type: str :ivar system_data: Azure Resource Manager metadata containing createdBy and modifiedBy information. - :vartype system_data: ~azure.mgmt.containerservice.v2022_11_02_preview.models.SystemData + :vartype system_data: ~azure.mgmt.containerservice.v2023_01_02_preview.models.SystemData :ivar tags: Resource tags. :vartype tags: dict[str, str] :ivar location: The geo-location where the resource lives. Required. @@ -2453,7 +2485,7 @@ class TrackedResource(Resource): "location": {"key": "location", "type": "str"}, } - def __init__(self, *, location: str, tags: Optional[Dict[str, str]] = None, **kwargs): + def __init__(self, *, location: str, tags: Optional[Dict[str, str]] = None, **kwargs: Any) -> None: """ :keyword tags: Resource tags. :paramtype tags: dict[str, str] @@ -2482,26 +2514,26 @@ class ManagedCluster(TrackedResource): # pylint: disable=too-many-instance-attr :vartype type: str :ivar system_data: Azure Resource Manager metadata containing createdBy and modifiedBy information. - :vartype system_data: ~azure.mgmt.containerservice.v2022_11_02_preview.models.SystemData + :vartype system_data: ~azure.mgmt.containerservice.v2023_01_02_preview.models.SystemData :ivar tags: Resource tags. :vartype tags: dict[str, str] :ivar location: The geo-location where the resource lives. Required. :vartype location: str :ivar sku: The managed cluster SKU. - :vartype sku: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSKU + :vartype sku: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSKU :ivar extended_location: The extended location of the Virtual Machine. :vartype extended_location: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ExtendedLocation + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ExtendedLocation :ivar identity: The identity of the managed cluster, if configured. :vartype identity: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterIdentity + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterIdentity :ivar provisioning_state: The current provisioning state. :vartype provisioning_state: str :ivar power_state: The Power State of the cluster. - :vartype power_state: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PowerState + :vartype power_state: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PowerState :ivar creation_data: CreationData to be used to specify the source Snapshot ID if the cluster will be created/upgraded using a snapshot. - :vartype creation_data: ~azure.mgmt.containerservice.v2022_11_02_preview.models.CreationData + :vartype creation_data: ~azure.mgmt.containerservice.v2023_01_02_preview.models.CreationData :ivar max_agent_pools: The max number of agent pools for the managed cluster. :vartype max_agent_pools: int :ivar kubernetes_version: When you upgrade a supported AKS cluster, Kubernetes minor versions @@ -2526,33 +2558,33 @@ class ManagedCluster(TrackedResource): # pylint: disable=too-many-instance-attr :vartype azure_portal_fqdn: str :ivar agent_pool_profiles: The agent pool properties. :vartype agent_pool_profiles: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAgentPoolProfile] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAgentPoolProfile] :ivar linux_profile: The profile for Linux VMs in the Managed Cluster. :vartype linux_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ContainerServiceLinuxProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ContainerServiceLinuxProfile :ivar windows_profile: The profile for Windows VMs in the Managed Cluster. :vartype windows_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterWindowsProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterWindowsProfile :ivar service_principal_profile: Information about a service principal identity for the cluster to use for manipulating Azure APIs. :vartype service_principal_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterServicePrincipalProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterServicePrincipalProfile :ivar addon_profiles: The profile of managed cluster add-on. :vartype addon_profiles: dict[str, - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAddonProfile] + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAddonProfile] :ivar pod_identity_profile: See `use AAD pod identity `_ for more details on AAD pod identity integration. :vartype pod_identity_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPodIdentityProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPodIdentityProfile :ivar oidc_issuer_profile: The OIDC issuer profile of the Managed Cluster. :vartype oidc_issuer_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterOIDCIssuerProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterOIDCIssuerProfile :ivar node_resource_group: The name of the resource group containing agent pool nodes. :vartype node_resource_group: str :ivar node_resource_group_profile: The node resource group configuration profile. :vartype node_resource_group_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterNodeResourceGroupProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterNodeResourceGroupProfile :ivar enable_rbac: Whether to enable Kubernetes Role-Based Access Control. :vartype enable_rbac: bool :ivar enable_pod_security_policy: (DEPRECATED) Whether to enable Kubernetes pod security policy @@ -2560,33 +2592,36 @@ class ManagedCluster(TrackedResource): # pylint: disable=too-many-instance-attr v1.25. Learn more at https://aka.ms/k8s/psp and https://aka.ms/aks/psp. :vartype enable_pod_security_policy: bool :ivar enable_namespace_resources: The default value is false. It can be enabled/disabled on - creation and updation of the managed cluster. See `https://aka.ms/NamespaceARMResource + creation and updating of the managed cluster. See `https://aka.ms/NamespaceARMResource `_ for more details on Namespace as a ARM Resource. :vartype enable_namespace_resources: bool :ivar network_profile: The network configuration profile. :vartype network_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ContainerServiceNetworkProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ContainerServiceNetworkProfile :ivar aad_profile: The Azure Active Directory configuration. :vartype aad_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAADProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAADProfile :ivar auto_upgrade_profile: The auto upgrade configuration. :vartype auto_upgrade_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAutoUpgradeProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAutoUpgradeProfile + :ivar upgrade_settings: Settings for upgrading a cluster. + :vartype upgrade_settings: + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ClusterUpgradeSettings :ivar auto_scaler_profile: Parameters to be applied to the cluster-autoscaler when enabled. :vartype auto_scaler_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPropertiesAutoScalerProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPropertiesAutoScalerProfile :ivar api_server_access_profile: The access profile for managed cluster API server. :vartype api_server_access_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAPIServerAccessProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAPIServerAccessProfile :ivar disk_encryption_set_id: This is of the form: '/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/diskEncryptionSets/{encryptionSetName}'. :vartype disk_encryption_set_id: str :ivar identity_profile: Identities associated with the cluster. :vartype identity_profile: dict[str, - ~azure.mgmt.containerservice.v2022_11_02_preview.models.UserAssignedIdentity] + ~azure.mgmt.containerservice.v2023_01_02_preview.models.UserAssignedIdentity] :ivar private_link_resources: Private link resources associated with the cluster. :vartype private_link_resources: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateLinkResource] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateLinkResource] :ivar disable_local_accounts: If set to true, getting static credentials will be disabled for this cluster. This must only be used on Managed Clusters that are AAD enabled. For more details see `disable local accounts @@ -2594,30 +2629,30 @@ class ManagedCluster(TrackedResource): # pylint: disable=too-many-instance-attr :vartype disable_local_accounts: bool :ivar http_proxy_config: Configurations for provisioning the cluster with HTTP proxy servers. :vartype http_proxy_config: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterHTTPProxyConfig + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterHTTPProxyConfig :ivar security_profile: Security profile for the managed cluster. :vartype security_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSecurityProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSecurityProfile :ivar storage_profile: Storage profile for the managed cluster. :vartype storage_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterStorageProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterStorageProfile :ivar ingress_profile: Ingress profile for the managed cluster. :vartype ingress_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterIngressProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterIngressProfile :ivar public_network_access: Allow or deny public network access for AKS. Known values are: "Enabled", "Disabled", and "SecuredByPerimeter". :vartype public_network_access: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.PublicNetworkAccess + ~azure.mgmt.containerservice.v2023_01_02_preview.models.PublicNetworkAccess :ivar workload_auto_scaler_profile: Workload Auto-scaler profile for the managed cluster. :vartype workload_auto_scaler_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterWorkloadAutoScalerProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterWorkloadAutoScalerProfile :ivar azure_monitor_profile: Prometheus addon profile for the container service cluster. :vartype azure_monitor_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAzureMonitorProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAzureMonitorProfile :ivar guardrails_profile: The guardrails profile holds all the guardrails information for a given cluster. :vartype guardrails_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.GuardrailsProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.GuardrailsProfile """ _validation = { @@ -2677,6 +2712,7 @@ class ManagedCluster(TrackedResource): # pylint: disable=too-many-instance-attr "network_profile": {"key": "properties.networkProfile", "type": "ContainerServiceNetworkProfile"}, "aad_profile": {"key": "properties.aadProfile", "type": "ManagedClusterAADProfile"}, "auto_upgrade_profile": {"key": "properties.autoUpgradeProfile", "type": "ManagedClusterAutoUpgradeProfile"}, + "upgrade_settings": {"key": "properties.upgradeSettings", "type": "ClusterUpgradeSettings"}, "auto_scaler_profile": { "key": "properties.autoScalerProfile", "type": "ManagedClusterPropertiesAutoScalerProfile", @@ -2729,6 +2765,7 @@ def __init__( # pylint: disable=too-many-locals network_profile: Optional["_models.ContainerServiceNetworkProfile"] = None, aad_profile: Optional["_models.ManagedClusterAADProfile"] = None, auto_upgrade_profile: Optional["_models.ManagedClusterAutoUpgradeProfile"] = None, + upgrade_settings: Optional["_models.ClusterUpgradeSettings"] = None, auto_scaler_profile: Optional["_models.ManagedClusterPropertiesAutoScalerProfile"] = None, api_server_access_profile: Optional["_models.ManagedClusterAPIServerAccessProfile"] = None, disk_encryption_set_id: Optional[str] = None, @@ -2743,24 +2780,24 @@ def __init__( # pylint: disable=too-many-locals workload_auto_scaler_profile: Optional["_models.ManagedClusterWorkloadAutoScalerProfile"] = None, azure_monitor_profile: Optional["_models.ManagedClusterAzureMonitorProfile"] = None, guardrails_profile: Optional["_models.GuardrailsProfile"] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword tags: Resource tags. :paramtype tags: dict[str, str] :keyword location: The geo-location where the resource lives. Required. :paramtype location: str :keyword sku: The managed cluster SKU. - :paramtype sku: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSKU + :paramtype sku: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSKU :keyword extended_location: The extended location of the Virtual Machine. :paramtype extended_location: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ExtendedLocation + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ExtendedLocation :keyword identity: The identity of the managed cluster, if configured. :paramtype identity: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterIdentity + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterIdentity :keyword creation_data: CreationData to be used to specify the source Snapshot ID if the cluster will be created/upgraded using a snapshot. - :paramtype creation_data: ~azure.mgmt.containerservice.v2022_11_02_preview.models.CreationData + :paramtype creation_data: ~azure.mgmt.containerservice.v2023_01_02_preview.models.CreationData :keyword kubernetes_version: When you upgrade a supported AKS cluster, Kubernetes minor versions cannot be skipped. All upgrades must be performed sequentially by major version number. For example, upgrades between 1.14.x -> 1.15.x or 1.15.x -> 1.16.x are allowed, however @@ -2773,33 +2810,33 @@ def __init__( # pylint: disable=too-many-locals :paramtype fqdn_subdomain: str :keyword agent_pool_profiles: The agent pool properties. :paramtype agent_pool_profiles: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAgentPoolProfile] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAgentPoolProfile] :keyword linux_profile: The profile for Linux VMs in the Managed Cluster. :paramtype linux_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ContainerServiceLinuxProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ContainerServiceLinuxProfile :keyword windows_profile: The profile for Windows VMs in the Managed Cluster. :paramtype windows_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterWindowsProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterWindowsProfile :keyword service_principal_profile: Information about a service principal identity for the cluster to use for manipulating Azure APIs. :paramtype service_principal_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterServicePrincipalProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterServicePrincipalProfile :keyword addon_profiles: The profile of managed cluster add-on. :paramtype addon_profiles: dict[str, - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAddonProfile] + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAddonProfile] :keyword pod_identity_profile: See `use AAD pod identity `_ for more details on AAD pod identity integration. :paramtype pod_identity_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPodIdentityProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPodIdentityProfile :keyword oidc_issuer_profile: The OIDC issuer profile of the Managed Cluster. :paramtype oidc_issuer_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterOIDCIssuerProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterOIDCIssuerProfile :keyword node_resource_group: The name of the resource group containing agent pool nodes. :paramtype node_resource_group: str :keyword node_resource_group_profile: The node resource group configuration profile. :paramtype node_resource_group_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterNodeResourceGroupProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterNodeResourceGroupProfile :keyword enable_rbac: Whether to enable Kubernetes Role-Based Access Control. :paramtype enable_rbac: bool :keyword enable_pod_security_policy: (DEPRECATED) Whether to enable Kubernetes pod security @@ -2807,33 +2844,36 @@ def __init__( # pylint: disable=too-many-locals Kubernetes in v1.25. Learn more at https://aka.ms/k8s/psp and https://aka.ms/aks/psp. :paramtype enable_pod_security_policy: bool :keyword enable_namespace_resources: The default value is false. It can be enabled/disabled on - creation and updation of the managed cluster. See `https://aka.ms/NamespaceARMResource + creation and updating of the managed cluster. See `https://aka.ms/NamespaceARMResource `_ for more details on Namespace as a ARM Resource. :paramtype enable_namespace_resources: bool :keyword network_profile: The network configuration profile. :paramtype network_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ContainerServiceNetworkProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ContainerServiceNetworkProfile :keyword aad_profile: The Azure Active Directory configuration. :paramtype aad_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAADProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAADProfile :keyword auto_upgrade_profile: The auto upgrade configuration. :paramtype auto_upgrade_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAutoUpgradeProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAutoUpgradeProfile + :keyword upgrade_settings: Settings for upgrading a cluster. + :paramtype upgrade_settings: + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ClusterUpgradeSettings :keyword auto_scaler_profile: Parameters to be applied to the cluster-autoscaler when enabled. :paramtype auto_scaler_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPropertiesAutoScalerProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPropertiesAutoScalerProfile :keyword api_server_access_profile: The access profile for managed cluster API server. :paramtype api_server_access_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAPIServerAccessProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAPIServerAccessProfile :keyword disk_encryption_set_id: This is of the form: '/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/diskEncryptionSets/{encryptionSetName}'. :paramtype disk_encryption_set_id: str :keyword identity_profile: Identities associated with the cluster. :paramtype identity_profile: dict[str, - ~azure.mgmt.containerservice.v2022_11_02_preview.models.UserAssignedIdentity] + ~azure.mgmt.containerservice.v2023_01_02_preview.models.UserAssignedIdentity] :keyword private_link_resources: Private link resources associated with the cluster. :paramtype private_link_resources: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateLinkResource] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateLinkResource] :keyword disable_local_accounts: If set to true, getting static credentials will be disabled for this cluster. This must only be used on Managed Clusters that are AAD enabled. For more details see `disable local accounts @@ -2842,30 +2882,30 @@ def __init__( # pylint: disable=too-many-locals :keyword http_proxy_config: Configurations for provisioning the cluster with HTTP proxy servers. :paramtype http_proxy_config: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterHTTPProxyConfig + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterHTTPProxyConfig :keyword security_profile: Security profile for the managed cluster. :paramtype security_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSecurityProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSecurityProfile :keyword storage_profile: Storage profile for the managed cluster. :paramtype storage_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterStorageProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterStorageProfile :keyword ingress_profile: Ingress profile for the managed cluster. :paramtype ingress_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterIngressProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterIngressProfile :keyword public_network_access: Allow or deny public network access for AKS. Known values are: "Enabled", "Disabled", and "SecuredByPerimeter". :paramtype public_network_access: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.PublicNetworkAccess + ~azure.mgmt.containerservice.v2023_01_02_preview.models.PublicNetworkAccess :keyword workload_auto_scaler_profile: Workload Auto-scaler profile for the managed cluster. :paramtype workload_auto_scaler_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterWorkloadAutoScalerProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterWorkloadAutoScalerProfile :keyword azure_monitor_profile: Prometheus addon profile for the container service cluster. :paramtype azure_monitor_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAzureMonitorProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAzureMonitorProfile :keyword guardrails_profile: The guardrails profile holds all the guardrails information for a given cluster. :paramtype guardrails_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.GuardrailsProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.GuardrailsProfile """ super().__init__(tags=tags, location=location, **kwargs) self.sku = sku @@ -2897,6 +2937,7 @@ def __init__( # pylint: disable=too-many-locals self.network_profile = network_profile self.aad_profile = aad_profile self.auto_upgrade_profile = auto_upgrade_profile + self.upgrade_settings = upgrade_settings self.auto_scaler_profile = auto_scaler_profile self.api_server_access_profile = api_server_access_profile self.disk_encryption_set_id = disk_encryption_set_id @@ -2923,11 +2964,14 @@ class ManagedClusterAADProfile(_serialization.Model): :ivar admin_group_object_i_ds: The list of AAD group object IDs that will have admin role of the cluster. :vartype admin_group_object_i_ds: list[str] - :ivar client_app_id: The client AAD application ID. + :ivar client_app_id: (DEPRECATED) The client AAD application ID. Learn more at + https://aka.ms/aks/aad-legacy. :vartype client_app_id: str - :ivar server_app_id: The server AAD application ID. + :ivar server_app_id: (DEPRECATED) The server AAD application ID. Learn more at + https://aka.ms/aks/aad-legacy. :vartype server_app_id: str - :ivar server_app_secret: The server AAD application secret. + :ivar server_app_secret: (DEPRECATED) The server AAD application secret. Learn more at + https://aka.ms/aks/aad-legacy. :vartype server_app_secret: str :ivar tenant_id: The AAD tenant ID to use for authentication. If not specified, will use the tenant of the deployment subscription. @@ -2954,8 +2998,8 @@ def __init__( server_app_id: Optional[str] = None, server_app_secret: Optional[str] = None, tenant_id: Optional[str] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword managed: Whether to enable managed AAD. :paramtype managed: bool @@ -2964,11 +3008,14 @@ def __init__( :keyword admin_group_object_i_ds: The list of AAD group object IDs that will have admin role of the cluster. :paramtype admin_group_object_i_ds: list[str] - :keyword client_app_id: The client AAD application ID. + :keyword client_app_id: (DEPRECATED) The client AAD application ID. Learn more at + https://aka.ms/aks/aad-legacy. :paramtype client_app_id: str - :keyword server_app_id: The server AAD application ID. + :keyword server_app_id: (DEPRECATED) The server AAD application ID. Learn more at + https://aka.ms/aks/aad-legacy. :paramtype server_app_id: str - :keyword server_app_secret: The server AAD application secret. + :keyword server_app_secret: (DEPRECATED) The server AAD application secret. Learn more at + https://aka.ms/aks/aad-legacy. :paramtype server_app_secret: str :keyword tenant_id: The AAD tenant ID to use for authentication. If not specified, will use the tenant of the deployment subscription. @@ -3001,7 +3048,7 @@ class ManagedClusterAccessProfile(TrackedResource): :vartype type: str :ivar system_data: Azure Resource Manager metadata containing createdBy and modifiedBy information. - :vartype system_data: ~azure.mgmt.containerservice.v2022_11_02_preview.models.SystemData + :vartype system_data: ~azure.mgmt.containerservice.v2023_01_02_preview.models.SystemData :ivar tags: Resource tags. :vartype tags: dict[str, str] :ivar location: The geo-location where the resource lives. Required. @@ -3029,8 +3076,13 @@ class ManagedClusterAccessProfile(TrackedResource): } def __init__( - self, *, location: str, tags: Optional[Dict[str, str]] = None, kube_config: Optional[bytes] = None, **kwargs - ): + self, + *, + location: str, + tags: Optional[Dict[str, str]] = None, + kube_config: Optional[bytes] = None, + **kwargs: Any + ) -> None: """ :keyword tags: Resource tags. :paramtype tags: dict[str, str] @@ -3056,7 +3108,7 @@ class ManagedClusterAddonProfile(_serialization.Model): :vartype config: dict[str, str] :ivar identity: Information of user assigned identity used by this add-on. :vartype identity: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAddonProfileIdentity + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAddonProfileIdentity """ _validation = { @@ -3070,7 +3122,7 @@ class ManagedClusterAddonProfile(_serialization.Model): "identity": {"key": "identity", "type": "ManagedClusterAddonProfileIdentity"}, } - def __init__(self, *, enabled: bool, config: Optional[Dict[str, str]] = None, **kwargs): + def __init__(self, *, enabled: bool, config: Optional[Dict[str, str]] = None, **kwargs: Any) -> None: """ :keyword enabled: Whether the add-on is enabled or not. Required. :paramtype enabled: bool @@ -3106,8 +3158,8 @@ def __init__( resource_id: Optional[str] = None, client_id: Optional[str] = None, object_id: Optional[str] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword resource_id: The resource ID of the user assigned identity. :paramtype resource_id: str @@ -3145,8 +3197,8 @@ def __init__( resource_id: Optional[str] = None, client_id: Optional[str] = None, object_id: Optional[str] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword resource_id: The resource ID of the user assigned identity. :paramtype resource_id: str @@ -3181,15 +3233,15 @@ class ManagedClusterAgentPoolProfileProperties(_serialization.Model): # pylint: `_. Known values are: "Managed" and "Ephemeral". :vartype os_disk_type: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSDiskType + ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSDiskType :ivar kubelet_disk_type: Determines the placement of emptyDir volumes, container runtime data root, and Kubelet ephemeral storage. Known values are: "OS" and "Temporary". :vartype kubelet_disk_type: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.KubeletDiskType + ~azure.mgmt.containerservice.v2023_01_02_preview.models.KubeletDiskType :ivar workload_runtime: Determines the type of workload a node can run. Known values are: "OCIContainer", "WasmWasi", and "KataMshvVmIsolation". :vartype workload_runtime: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.WorkloadRuntime + ~azure.mgmt.containerservice.v2023_01_02_preview.models.WorkloadRuntime :ivar message_of_the_day: A base64-encoded string which will be written to /etc/motd after decoding. This allows customization of the message of the day for Linux nodes. It must not be specified for Windows nodes. It must be a static string (i.e., will be printed raw and not be @@ -3208,12 +3260,12 @@ class ManagedClusterAgentPoolProfileProperties(_serialization.Model): # pylint: :vartype max_pods: int :ivar os_type: The operating system type. The default is Linux. Known values are: "Linux" and "Windows". - :vartype os_type: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSType + :vartype os_type: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSType :ivar os_sku: Specifies the OS SKU used by the agent pool. If not specified, the default is Ubuntu if OSType=Linux or Windows2019 if OSType=Windows. And the default Windows OSSKU will be changed to Windows2022 after Windows2019 is deprecated. Known values are: "Ubuntu", "CBLMariner", "Mariner", "Windows2019", and "Windows2022". - :vartype os_sku: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSSKU + :vartype os_sku: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSSKU :ivar max_count: The maximum number of nodes for auto-scaling. :vartype max_count: int :ivar min_count: The minimum number of nodes for auto-scaling. @@ -3223,14 +3275,14 @@ class ManagedClusterAgentPoolProfileProperties(_serialization.Model): # pylint: :ivar scale_down_mode: This also effects the cluster autoscaler behavior. If not specified, it defaults to Delete. Known values are: "Delete" and "Deallocate". :vartype scale_down_mode: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ScaleDownMode + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ScaleDownMode :ivar type: The type of Agent Pool. Known values are: "VirtualMachineScaleSets" and "AvailabilitySet". - :vartype type: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolType + :vartype type: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolType :ivar mode: A cluster must have at least one 'System' Agent Pool at all times. For additional information on agent pool restrictions and best practices, see: https://docs.microsoft.com/azure/aks/use-system-pools. Known values are: "System" and "User". - :vartype mode: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolMode + :vartype mode: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolMode :ivar orchestrator_version: Both patch version and are supported. When is specified, the latest supported patch version is chosen automatically. Updating the agent pool with the same once it has been created @@ -3249,14 +3301,14 @@ class ManagedClusterAgentPoolProfileProperties(_serialization.Model): # pylint: :vartype node_image_version: str :ivar upgrade_settings: Settings for upgrading the agentpool. :vartype upgrade_settings: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolUpgradeSettings + ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolUpgradeSettings :ivar provisioning_state: The current deployment or provisioning state. :vartype provisioning_state: str :ivar power_state: When an Agent Pool is first created it is initially Running. The Agent Pool can be stopped by setting this field to Stopped. A stopped Agent Pool stops all of its VMs and does not accrue billing charges. An Agent Pool can only be stopped if it is Running and provisioning state is Succeeded. - :vartype power_state: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PowerState + :vartype power_state: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PowerState :ivar availability_zones: The list of Availability zones to use for nodes. This can only be specified if the AgentPoolType property is 'VirtualMachineScaleSets'. :vartype availability_zones: list[str] @@ -3278,11 +3330,11 @@ class ManagedClusterAgentPoolProfileProperties(_serialization.Model): # pylint: :ivar scale_set_priority: The Virtual Machine Scale Set priority. If not specified, the default is 'Regular'. Known values are: "Spot" and "Regular". :vartype scale_set_priority: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ScaleSetPriority + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ScaleSetPriority :ivar scale_set_eviction_policy: This cannot be specified unless the scaleSetPriority is 'Spot'. If not specified, the default is 'Delete'. Known values are: "Delete" and "Deallocate". :vartype scale_set_eviction_policy: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ScaleSetEvictionPolicy + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ScaleSetEvictionPolicy :ivar spot_max_price: Possible values are any decimal value greater than zero or -1 which indicates the willingness to pay any on-demand price. For more details on spot pricing, see `spot VMs pricing `_. @@ -3297,9 +3349,9 @@ class ManagedClusterAgentPoolProfileProperties(_serialization.Model): # pylint: :ivar proximity_placement_group_id: The ID for Proximity Placement Group. :vartype proximity_placement_group_id: str :ivar kubelet_config: The Kubelet configuration on the agent pool nodes. - :vartype kubelet_config: ~azure.mgmt.containerservice.v2022_11_02_preview.models.KubeletConfig + :vartype kubelet_config: ~azure.mgmt.containerservice.v2023_01_02_preview.models.KubeletConfig :ivar linux_os_config: The OS configuration of Linux agent nodes. - :vartype linux_os_config: ~azure.mgmt.containerservice.v2022_11_02_preview.models.LinuxOSConfig + :vartype linux_os_config: ~azure.mgmt.containerservice.v2023_01_02_preview.models.LinuxOSConfig :ivar enable_encryption_at_host: This is only supported on certain VM sizes and in certain Azure regions. For more information, see: https://docs.microsoft.com/azure/aks/enable-host-encryption. @@ -3313,10 +3365,10 @@ class ManagedClusterAgentPoolProfileProperties(_serialization.Model): # pylint: :ivar gpu_instance_profile: GPUInstanceProfile to be used to specify GPU MIG instance profile for supported GPU VM SKU. Known values are: "MIG1g", "MIG2g", "MIG3g", "MIG4g", and "MIG7g". :vartype gpu_instance_profile: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.GPUInstanceProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.GPUInstanceProfile :ivar creation_data: CreationData to be used to specify the source Snapshot ID if the node pool will be created/upgraded using a snapshot. - :vartype creation_data: ~azure.mgmt.containerservice.v2022_11_02_preview.models.CreationData + :vartype creation_data: ~azure.mgmt.containerservice.v2023_01_02_preview.models.CreationData :ivar capacity_reservation_group_id: AKS will associate the specified agent pool with the Capacity Reservation Group. :vartype capacity_reservation_group_id: str @@ -3327,10 +3379,10 @@ class ManagedClusterAgentPoolProfileProperties(_serialization.Model): # pylint: :vartype host_group_id: str :ivar windows_profile: The Windows agent pool's specific profile. :vartype windows_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolWindowsProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolWindowsProfile :ivar network_profile: Network-related settings of an agent pool. :vartype network_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolNetworkProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolNetworkProfile """ _validation = { @@ -3435,8 +3487,8 @@ def __init__( # pylint: disable=too-many-locals host_group_id: Optional[str] = None, windows_profile: Optional["_models.AgentPoolWindowsProfile"] = None, network_profile: Optional["_models.AgentPoolNetworkProfile"] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword count: Number of agents (VMs) to host docker containers. Allowed values must be in the range of 0 to 1000 (inclusive) for user pools and in the range of 1 to 1000 (inclusive) for @@ -3456,15 +3508,15 @@ def __init__( # pylint: disable=too-many-locals `_. Known values are: "Managed" and "Ephemeral". :paramtype os_disk_type: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSDiskType + ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSDiskType :keyword kubelet_disk_type: Determines the placement of emptyDir volumes, container runtime data root, and Kubelet ephemeral storage. Known values are: "OS" and "Temporary". :paramtype kubelet_disk_type: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.KubeletDiskType + ~azure.mgmt.containerservice.v2023_01_02_preview.models.KubeletDiskType :keyword workload_runtime: Determines the type of workload a node can run. Known values are: "OCIContainer", "WasmWasi", and "KataMshvVmIsolation". :paramtype workload_runtime: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.WorkloadRuntime + ~azure.mgmt.containerservice.v2023_01_02_preview.models.WorkloadRuntime :keyword message_of_the_day: A base64-encoded string which will be written to /etc/motd after decoding. This allows customization of the message of the day for Linux nodes. It must not be specified for Windows nodes. It must be a static string (i.e., will be printed raw and not be @@ -3483,12 +3535,12 @@ def __init__( # pylint: disable=too-many-locals :paramtype max_pods: int :keyword os_type: The operating system type. The default is Linux. Known values are: "Linux" and "Windows". - :paramtype os_type: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSType + :paramtype os_type: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSType :keyword os_sku: Specifies the OS SKU used by the agent pool. If not specified, the default is Ubuntu if OSType=Linux or Windows2019 if OSType=Windows. And the default Windows OSSKU will be changed to Windows2022 after Windows2019 is deprecated. Known values are: "Ubuntu", "CBLMariner", "Mariner", "Windows2019", and "Windows2022". - :paramtype os_sku: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSSKU + :paramtype os_sku: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSSKU :keyword max_count: The maximum number of nodes for auto-scaling. :paramtype max_count: int :keyword min_count: The minimum number of nodes for auto-scaling. @@ -3498,14 +3550,14 @@ def __init__( # pylint: disable=too-many-locals :keyword scale_down_mode: This also effects the cluster autoscaler behavior. If not specified, it defaults to Delete. Known values are: "Delete" and "Deallocate". :paramtype scale_down_mode: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ScaleDownMode + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ScaleDownMode :keyword type: The type of Agent Pool. Known values are: "VirtualMachineScaleSets" and "AvailabilitySet". - :paramtype type: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolType + :paramtype type: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolType :keyword mode: A cluster must have at least one 'System' Agent Pool at all times. For additional information on agent pool restrictions and best practices, see: https://docs.microsoft.com/azure/aks/use-system-pools. Known values are: "System" and "User". - :paramtype mode: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolMode + :paramtype mode: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolMode :keyword orchestrator_version: Both patch version and are supported. When is specified, the latest supported patch version is chosen automatically. Updating the agent pool with the same once it has been created @@ -3518,12 +3570,12 @@ def __init__( # pylint: disable=too-many-locals :paramtype orchestrator_version: str :keyword upgrade_settings: Settings for upgrading the agentpool. :paramtype upgrade_settings: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolUpgradeSettings + ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolUpgradeSettings :keyword power_state: When an Agent Pool is first created it is initially Running. The Agent Pool can be stopped by setting this field to Stopped. A stopped Agent Pool stops all of its VMs and does not accrue billing charges. An Agent Pool can only be stopped if it is Running and provisioning state is Succeeded. - :paramtype power_state: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PowerState + :paramtype power_state: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PowerState :keyword availability_zones: The list of Availability zones to use for nodes. This can only be specified if the AgentPoolType property is 'VirtualMachineScaleSets'. :paramtype availability_zones: list[str] @@ -3545,11 +3597,11 @@ def __init__( # pylint: disable=too-many-locals :keyword scale_set_priority: The Virtual Machine Scale Set priority. If not specified, the default is 'Regular'. Known values are: "Spot" and "Regular". :paramtype scale_set_priority: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ScaleSetPriority + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ScaleSetPriority :keyword scale_set_eviction_policy: This cannot be specified unless the scaleSetPriority is 'Spot'. If not specified, the default is 'Delete'. Known values are: "Delete" and "Deallocate". :paramtype scale_set_eviction_policy: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ScaleSetEvictionPolicy + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ScaleSetEvictionPolicy :keyword spot_max_price: Possible values are any decimal value greater than zero or -1 which indicates the willingness to pay any on-demand price. For more details on spot pricing, see `spot VMs pricing `_. @@ -3565,10 +3617,10 @@ def __init__( # pylint: disable=too-many-locals :paramtype proximity_placement_group_id: str :keyword kubelet_config: The Kubelet configuration on the agent pool nodes. :paramtype kubelet_config: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.KubeletConfig + ~azure.mgmt.containerservice.v2023_01_02_preview.models.KubeletConfig :keyword linux_os_config: The OS configuration of Linux agent nodes. :paramtype linux_os_config: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.LinuxOSConfig + ~azure.mgmt.containerservice.v2023_01_02_preview.models.LinuxOSConfig :keyword enable_encryption_at_host: This is only supported on certain VM sizes and in certain Azure regions. For more information, see: https://docs.microsoft.com/azure/aks/enable-host-encryption. @@ -3583,10 +3635,10 @@ def __init__( # pylint: disable=too-many-locals profile for supported GPU VM SKU. Known values are: "MIG1g", "MIG2g", "MIG3g", "MIG4g", and "MIG7g". :paramtype gpu_instance_profile: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.GPUInstanceProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.GPUInstanceProfile :keyword creation_data: CreationData to be used to specify the source Snapshot ID if the node pool will be created/upgraded using a snapshot. - :paramtype creation_data: ~azure.mgmt.containerservice.v2022_11_02_preview.models.CreationData + :paramtype creation_data: ~azure.mgmt.containerservice.v2023_01_02_preview.models.CreationData :keyword capacity_reservation_group_id: AKS will associate the specified agent pool with the Capacity Reservation Group. :paramtype capacity_reservation_group_id: str @@ -3597,10 +3649,10 @@ def __init__( # pylint: disable=too-many-locals :paramtype host_group_id: str :keyword windows_profile: The Windows agent pool's specific profile. :paramtype windows_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolWindowsProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolWindowsProfile :keyword network_profile: Network-related settings of an agent pool. :paramtype network_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolNetworkProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolNetworkProfile """ super().__init__(**kwargs) self.count = count @@ -3678,15 +3730,15 @@ class ManagedClusterAgentPoolProfile( `_. Known values are: "Managed" and "Ephemeral". :vartype os_disk_type: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSDiskType + ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSDiskType :ivar kubelet_disk_type: Determines the placement of emptyDir volumes, container runtime data root, and Kubelet ephemeral storage. Known values are: "OS" and "Temporary". :vartype kubelet_disk_type: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.KubeletDiskType + ~azure.mgmt.containerservice.v2023_01_02_preview.models.KubeletDiskType :ivar workload_runtime: Determines the type of workload a node can run. Known values are: "OCIContainer", "WasmWasi", and "KataMshvVmIsolation". :vartype workload_runtime: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.WorkloadRuntime + ~azure.mgmt.containerservice.v2023_01_02_preview.models.WorkloadRuntime :ivar message_of_the_day: A base64-encoded string which will be written to /etc/motd after decoding. This allows customization of the message of the day for Linux nodes. It must not be specified for Windows nodes. It must be a static string (i.e., will be printed raw and not be @@ -3705,12 +3757,12 @@ class ManagedClusterAgentPoolProfile( :vartype max_pods: int :ivar os_type: The operating system type. The default is Linux. Known values are: "Linux" and "Windows". - :vartype os_type: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSType + :vartype os_type: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSType :ivar os_sku: Specifies the OS SKU used by the agent pool. If not specified, the default is Ubuntu if OSType=Linux or Windows2019 if OSType=Windows. And the default Windows OSSKU will be changed to Windows2022 after Windows2019 is deprecated. Known values are: "Ubuntu", "CBLMariner", "Mariner", "Windows2019", and "Windows2022". - :vartype os_sku: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSSKU + :vartype os_sku: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSSKU :ivar max_count: The maximum number of nodes for auto-scaling. :vartype max_count: int :ivar min_count: The minimum number of nodes for auto-scaling. @@ -3720,14 +3772,14 @@ class ManagedClusterAgentPoolProfile( :ivar scale_down_mode: This also effects the cluster autoscaler behavior. If not specified, it defaults to Delete. Known values are: "Delete" and "Deallocate". :vartype scale_down_mode: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ScaleDownMode + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ScaleDownMode :ivar type: The type of Agent Pool. Known values are: "VirtualMachineScaleSets" and "AvailabilitySet". - :vartype type: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolType + :vartype type: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolType :ivar mode: A cluster must have at least one 'System' Agent Pool at all times. For additional information on agent pool restrictions and best practices, see: https://docs.microsoft.com/azure/aks/use-system-pools. Known values are: "System" and "User". - :vartype mode: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolMode + :vartype mode: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolMode :ivar orchestrator_version: Both patch version and are supported. When is specified, the latest supported patch version is chosen automatically. Updating the agent pool with the same once it has been created @@ -3746,14 +3798,14 @@ class ManagedClusterAgentPoolProfile( :vartype node_image_version: str :ivar upgrade_settings: Settings for upgrading the agentpool. :vartype upgrade_settings: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolUpgradeSettings + ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolUpgradeSettings :ivar provisioning_state: The current deployment or provisioning state. :vartype provisioning_state: str :ivar power_state: When an Agent Pool is first created it is initially Running. The Agent Pool can be stopped by setting this field to Stopped. A stopped Agent Pool stops all of its VMs and does not accrue billing charges. An Agent Pool can only be stopped if it is Running and provisioning state is Succeeded. - :vartype power_state: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PowerState + :vartype power_state: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PowerState :ivar availability_zones: The list of Availability zones to use for nodes. This can only be specified if the AgentPoolType property is 'VirtualMachineScaleSets'. :vartype availability_zones: list[str] @@ -3775,11 +3827,11 @@ class ManagedClusterAgentPoolProfile( :ivar scale_set_priority: The Virtual Machine Scale Set priority. If not specified, the default is 'Regular'. Known values are: "Spot" and "Regular". :vartype scale_set_priority: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ScaleSetPriority + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ScaleSetPriority :ivar scale_set_eviction_policy: This cannot be specified unless the scaleSetPriority is 'Spot'. If not specified, the default is 'Delete'. Known values are: "Delete" and "Deallocate". :vartype scale_set_eviction_policy: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ScaleSetEvictionPolicy + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ScaleSetEvictionPolicy :ivar spot_max_price: Possible values are any decimal value greater than zero or -1 which indicates the willingness to pay any on-demand price. For more details on spot pricing, see `spot VMs pricing `_. @@ -3794,9 +3846,9 @@ class ManagedClusterAgentPoolProfile( :ivar proximity_placement_group_id: The ID for Proximity Placement Group. :vartype proximity_placement_group_id: str :ivar kubelet_config: The Kubelet configuration on the agent pool nodes. - :vartype kubelet_config: ~azure.mgmt.containerservice.v2022_11_02_preview.models.KubeletConfig + :vartype kubelet_config: ~azure.mgmt.containerservice.v2023_01_02_preview.models.KubeletConfig :ivar linux_os_config: The OS configuration of Linux agent nodes. - :vartype linux_os_config: ~azure.mgmt.containerservice.v2022_11_02_preview.models.LinuxOSConfig + :vartype linux_os_config: ~azure.mgmt.containerservice.v2023_01_02_preview.models.LinuxOSConfig :ivar enable_encryption_at_host: This is only supported on certain VM sizes and in certain Azure regions. For more information, see: https://docs.microsoft.com/azure/aks/enable-host-encryption. @@ -3810,10 +3862,10 @@ class ManagedClusterAgentPoolProfile( :ivar gpu_instance_profile: GPUInstanceProfile to be used to specify GPU MIG instance profile for supported GPU VM SKU. Known values are: "MIG1g", "MIG2g", "MIG3g", "MIG4g", and "MIG7g". :vartype gpu_instance_profile: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.GPUInstanceProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.GPUInstanceProfile :ivar creation_data: CreationData to be used to specify the source Snapshot ID if the node pool will be created/upgraded using a snapshot. - :vartype creation_data: ~azure.mgmt.containerservice.v2022_11_02_preview.models.CreationData + :vartype creation_data: ~azure.mgmt.containerservice.v2023_01_02_preview.models.CreationData :ivar capacity_reservation_group_id: AKS will associate the specified agent pool with the Capacity Reservation Group. :vartype capacity_reservation_group_id: str @@ -3824,10 +3876,10 @@ class ManagedClusterAgentPoolProfile( :vartype host_group_id: str :ivar windows_profile: The Windows agent pool's specific profile. :vartype windows_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolWindowsProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolWindowsProfile :ivar network_profile: Network-related settings of an agent pool. :vartype network_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolNetworkProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolNetworkProfile :ivar name: Windows agent pool names must be 6 characters or less. Required. :vartype name: str """ @@ -3937,8 +3989,8 @@ def __init__( # pylint: disable=too-many-locals host_group_id: Optional[str] = None, windows_profile: Optional["_models.AgentPoolWindowsProfile"] = None, network_profile: Optional["_models.AgentPoolNetworkProfile"] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword count: Number of agents (VMs) to host docker containers. Allowed values must be in the range of 0 to 1000 (inclusive) for user pools and in the range of 1 to 1000 (inclusive) for @@ -3958,15 +4010,15 @@ def __init__( # pylint: disable=too-many-locals `_. Known values are: "Managed" and "Ephemeral". :paramtype os_disk_type: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSDiskType + ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSDiskType :keyword kubelet_disk_type: Determines the placement of emptyDir volumes, container runtime data root, and Kubelet ephemeral storage. Known values are: "OS" and "Temporary". :paramtype kubelet_disk_type: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.KubeletDiskType + ~azure.mgmt.containerservice.v2023_01_02_preview.models.KubeletDiskType :keyword workload_runtime: Determines the type of workload a node can run. Known values are: "OCIContainer", "WasmWasi", and "KataMshvVmIsolation". :paramtype workload_runtime: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.WorkloadRuntime + ~azure.mgmt.containerservice.v2023_01_02_preview.models.WorkloadRuntime :keyword message_of_the_day: A base64-encoded string which will be written to /etc/motd after decoding. This allows customization of the message of the day for Linux nodes. It must not be specified for Windows nodes. It must be a static string (i.e., will be printed raw and not be @@ -3985,12 +4037,12 @@ def __init__( # pylint: disable=too-many-locals :paramtype max_pods: int :keyword os_type: The operating system type. The default is Linux. Known values are: "Linux" and "Windows". - :paramtype os_type: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSType + :paramtype os_type: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSType :keyword os_sku: Specifies the OS SKU used by the agent pool. If not specified, the default is Ubuntu if OSType=Linux or Windows2019 if OSType=Windows. And the default Windows OSSKU will be changed to Windows2022 after Windows2019 is deprecated. Known values are: "Ubuntu", "CBLMariner", "Mariner", "Windows2019", and "Windows2022". - :paramtype os_sku: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSSKU + :paramtype os_sku: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSSKU :keyword max_count: The maximum number of nodes for auto-scaling. :paramtype max_count: int :keyword min_count: The minimum number of nodes for auto-scaling. @@ -4000,14 +4052,14 @@ def __init__( # pylint: disable=too-many-locals :keyword scale_down_mode: This also effects the cluster autoscaler behavior. If not specified, it defaults to Delete. Known values are: "Delete" and "Deallocate". :paramtype scale_down_mode: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ScaleDownMode + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ScaleDownMode :keyword type: The type of Agent Pool. Known values are: "VirtualMachineScaleSets" and "AvailabilitySet". - :paramtype type: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolType + :paramtype type: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolType :keyword mode: A cluster must have at least one 'System' Agent Pool at all times. For additional information on agent pool restrictions and best practices, see: https://docs.microsoft.com/azure/aks/use-system-pools. Known values are: "System" and "User". - :paramtype mode: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolMode + :paramtype mode: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolMode :keyword orchestrator_version: Both patch version and are supported. When is specified, the latest supported patch version is chosen automatically. Updating the agent pool with the same once it has been created @@ -4020,12 +4072,12 @@ def __init__( # pylint: disable=too-many-locals :paramtype orchestrator_version: str :keyword upgrade_settings: Settings for upgrading the agentpool. :paramtype upgrade_settings: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolUpgradeSettings + ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolUpgradeSettings :keyword power_state: When an Agent Pool is first created it is initially Running. The Agent Pool can be stopped by setting this field to Stopped. A stopped Agent Pool stops all of its VMs and does not accrue billing charges. An Agent Pool can only be stopped if it is Running and provisioning state is Succeeded. - :paramtype power_state: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PowerState + :paramtype power_state: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PowerState :keyword availability_zones: The list of Availability zones to use for nodes. This can only be specified if the AgentPoolType property is 'VirtualMachineScaleSets'. :paramtype availability_zones: list[str] @@ -4047,11 +4099,11 @@ def __init__( # pylint: disable=too-many-locals :keyword scale_set_priority: The Virtual Machine Scale Set priority. If not specified, the default is 'Regular'. Known values are: "Spot" and "Regular". :paramtype scale_set_priority: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ScaleSetPriority + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ScaleSetPriority :keyword scale_set_eviction_policy: This cannot be specified unless the scaleSetPriority is 'Spot'. If not specified, the default is 'Delete'. Known values are: "Delete" and "Deallocate". :paramtype scale_set_eviction_policy: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ScaleSetEvictionPolicy + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ScaleSetEvictionPolicy :keyword spot_max_price: Possible values are any decimal value greater than zero or -1 which indicates the willingness to pay any on-demand price. For more details on spot pricing, see `spot VMs pricing `_. @@ -4067,10 +4119,10 @@ def __init__( # pylint: disable=too-many-locals :paramtype proximity_placement_group_id: str :keyword kubelet_config: The Kubelet configuration on the agent pool nodes. :paramtype kubelet_config: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.KubeletConfig + ~azure.mgmt.containerservice.v2023_01_02_preview.models.KubeletConfig :keyword linux_os_config: The OS configuration of Linux agent nodes. :paramtype linux_os_config: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.LinuxOSConfig + ~azure.mgmt.containerservice.v2023_01_02_preview.models.LinuxOSConfig :keyword enable_encryption_at_host: This is only supported on certain VM sizes and in certain Azure regions. For more information, see: https://docs.microsoft.com/azure/aks/enable-host-encryption. @@ -4085,10 +4137,10 @@ def __init__( # pylint: disable=too-many-locals profile for supported GPU VM SKU. Known values are: "MIG1g", "MIG2g", "MIG3g", "MIG4g", and "MIG7g". :paramtype gpu_instance_profile: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.GPUInstanceProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.GPUInstanceProfile :keyword creation_data: CreationData to be used to specify the source Snapshot ID if the node pool will be created/upgraded using a snapshot. - :paramtype creation_data: ~azure.mgmt.containerservice.v2022_11_02_preview.models.CreationData + :paramtype creation_data: ~azure.mgmt.containerservice.v2023_01_02_preview.models.CreationData :keyword capacity_reservation_group_id: AKS will associate the specified agent pool with the Capacity Reservation Group. :paramtype capacity_reservation_group_id: str @@ -4099,10 +4151,10 @@ def __init__( # pylint: disable=too-many-locals :paramtype host_group_id: str :keyword windows_profile: The Windows agent pool's specific profile. :paramtype windows_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolWindowsProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolWindowsProfile :keyword network_profile: Network-related settings of an agent pool. :paramtype network_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolNetworkProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolNetworkProfile :keyword name: Windows agent pool names must be 6 characters or less. Required. :paramtype name: str """ @@ -4203,8 +4255,8 @@ def __init__( disable_run_command: Optional[bool] = None, enable_vnet_integration: Optional[bool] = None, subnet_id: Optional[str] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword authorized_ip_ranges: IP ranges are specified in CIDR format, e.g. 137.117.106.88/29. This feature is not compatible with clusters that use Public IP Per Node, or clusters that are @@ -4247,11 +4299,11 @@ class ManagedClusterAutoUpgradeProfile(_serialization.Model): `_. Known values are: "rapid", "stable", "patch", "node-image", and "none". :vartype upgrade_channel: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.UpgradeChannel + ~azure.mgmt.containerservice.v2023_01_02_preview.models.UpgradeChannel :ivar node_os_upgrade_channel: The default is Unmanaged, but may change to either NodeImage or SecurityPatch at GA. Known values are: "None", "Unmanaged", "SecurityPatch", and "NodeImage". :vartype node_os_upgrade_channel: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.NodeOSUpgradeChannel + ~azure.mgmt.containerservice.v2023_01_02_preview.models.NodeOSUpgradeChannel """ _attribute_map = { @@ -4264,19 +4316,19 @@ def __init__( *, upgrade_channel: Optional[Union[str, "_models.UpgradeChannel"]] = None, node_os_upgrade_channel: Optional[Union[str, "_models.NodeOSUpgradeChannel"]] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword upgrade_channel: For more information see `setting the AKS cluster auto-upgrade channel `_. Known values are: "rapid", "stable", "patch", "node-image", and "none". :paramtype upgrade_channel: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.UpgradeChannel + ~azure.mgmt.containerservice.v2023_01_02_preview.models.UpgradeChannel :keyword node_os_upgrade_channel: The default is Unmanaged, but may change to either NodeImage or SecurityPatch at GA. Known values are: "None", "Unmanaged", "SecurityPatch", and "NodeImage". :paramtype node_os_upgrade_channel: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.NodeOSUpgradeChannel + ~azure.mgmt.containerservice.v2023_01_02_preview.models.NodeOSUpgradeChannel """ super().__init__(**kwargs) self.upgrade_channel = upgrade_channel @@ -4288,18 +4340,20 @@ class ManagedClusterAzureMonitorProfile(_serialization.Model): :ivar metrics: Metrics profile for the prometheus service addon. :vartype metrics: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAzureMonitorProfileMetrics + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAzureMonitorProfileMetrics """ _attribute_map = { "metrics": {"key": "metrics", "type": "ManagedClusterAzureMonitorProfileMetrics"}, } - def __init__(self, *, metrics: Optional["_models.ManagedClusterAzureMonitorProfileMetrics"] = None, **kwargs): + def __init__( + self, *, metrics: Optional["_models.ManagedClusterAzureMonitorProfileMetrics"] = None, **kwargs: Any + ) -> None: """ :keyword metrics: Metrics profile for the prometheus service addon. :paramtype metrics: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAzureMonitorProfileMetrics + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAzureMonitorProfileMetrics """ super().__init__(**kwargs) self.metrics = metrics @@ -4326,8 +4380,8 @@ def __init__( *, metric_labels_allowlist: Optional[str] = None, metric_annotations_allow_list: Optional[str] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword metric_labels_allowlist: Comma-separated list of Kubernetes annotations keys that will be used in the resource's labels metric. @@ -4351,7 +4405,7 @@ class ManagedClusterAzureMonitorProfileMetrics(_serialization.Model): :ivar kube_state_metrics: Kube State Metrics for prometheus addon profile for the container service cluster. :vartype kube_state_metrics: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAzureMonitorProfileKubeStateMetrics + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAzureMonitorProfileKubeStateMetrics """ _validation = { @@ -4368,15 +4422,15 @@ def __init__( *, enabled: bool, kube_state_metrics: Optional["_models.ManagedClusterAzureMonitorProfileKubeStateMetrics"] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword enabled: Whether to enable the Prometheus collector. Required. :paramtype enabled: bool :keyword kube_state_metrics: Kube State Metrics for prometheus addon profile for the container service cluster. :paramtype kube_state_metrics: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAzureMonitorProfileKubeStateMetrics + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAzureMonitorProfileKubeStateMetrics """ super().__init__(**kwargs) self.enabled = enabled @@ -4420,8 +4474,8 @@ def __init__( https_proxy: Optional[str] = None, no_proxy: Optional[List[str]] = None, trusted_ca: Optional[str] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword http_proxy: The HTTP proxy server endpoint to use. :paramtype http_proxy: str @@ -4455,11 +4509,11 @@ class ManagedClusterIdentity(_serialization.Model): `_. Known values are: "SystemAssigned", "UserAssigned", and "None". :vartype type: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ResourceIdentityType + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ResourceIdentityType :ivar user_assigned_identities: The keys must be ARM resource IDs in the form: '/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{identityName}'. :vartype user_assigned_identities: dict[str, - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedServiceIdentityUserAssignedIdentitiesValue] + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedServiceIdentityUserAssignedIdentitiesValue] """ _validation = { @@ -4484,18 +4538,18 @@ def __init__( user_assigned_identities: Optional[ Dict[str, "_models.ManagedServiceIdentityUserAssignedIdentitiesValue"] ] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword type: For more information see `use managed identities in AKS `_. Known values are: "SystemAssigned", "UserAssigned", and "None". :paramtype type: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ResourceIdentityType + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ResourceIdentityType :keyword user_assigned_identities: The keys must be ARM resource IDs in the form: '/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{identityName}'. :paramtype user_assigned_identities: dict[str, - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedServiceIdentityUserAssignedIdentitiesValue] + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedServiceIdentityUserAssignedIdentitiesValue] """ super().__init__(**kwargs) self.principal_id = None @@ -4509,7 +4563,7 @@ class ManagedClusterIngressProfile(_serialization.Model): :ivar web_app_routing: Web App Routing settings for the ingress profile. :vartype web_app_routing: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterIngressProfileWebAppRouting + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterIngressProfileWebAppRouting """ _attribute_map = { @@ -4517,12 +4571,12 @@ class ManagedClusterIngressProfile(_serialization.Model): } def __init__( - self, *, web_app_routing: Optional["_models.ManagedClusterIngressProfileWebAppRouting"] = None, **kwargs - ): + self, *, web_app_routing: Optional["_models.ManagedClusterIngressProfileWebAppRouting"] = None, **kwargs: Any + ) -> None: """ :keyword web_app_routing: Web App Routing settings for the ingress profile. :paramtype web_app_routing: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterIngressProfileWebAppRouting + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterIngressProfileWebAppRouting """ super().__init__(**kwargs) self.web_app_routing = web_app_routing @@ -4543,7 +4597,9 @@ class ManagedClusterIngressProfileWebAppRouting(_serialization.Model): "dns_zone_resource_id": {"key": "dnsZoneResourceId", "type": "str"}, } - def __init__(self, *, enabled: Optional[bool] = None, dns_zone_resource_id: Optional[str] = None, **kwargs): + def __init__( + self, *, enabled: Optional[bool] = None, dns_zone_resource_id: Optional[str] = None, **kwargs: Any + ) -> None: """ :keyword enabled: Whether to enable Web App Routing. :paramtype enabled: bool @@ -4562,7 +4618,7 @@ class ManagedClusterListResult(_serialization.Model): Variables are only populated by the server, and will be ignored when sending a request. :ivar value: The list of managed clusters. - :vartype value: list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster] + :vartype value: list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster] :ivar next_link: The URL to get the next set of managed cluster results. :vartype next_link: str """ @@ -4576,10 +4632,10 @@ class ManagedClusterListResult(_serialization.Model): "next_link": {"key": "nextLink", "type": "str"}, } - def __init__(self, *, value: Optional[List["_models.ManagedCluster"]] = None, **kwargs): + def __init__(self, *, value: Optional[List["_models.ManagedCluster"]] = None, **kwargs: Any) -> None: """ :keyword value: The list of managed clusters. - :paramtype value: list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster] + :paramtype value: list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster] """ super().__init__(**kwargs) self.value = value @@ -4591,17 +4647,17 @@ class ManagedClusterLoadBalancerProfile(_serialization.Model): :ivar managed_outbound_i_ps: Desired managed outbound IPs for the cluster load balancer. :vartype managed_outbound_i_ps: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterLoadBalancerProfileManagedOutboundIPs + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterLoadBalancerProfileManagedOutboundIPs :ivar outbound_ip_prefixes: Desired outbound IP Prefix resources for the cluster load balancer. :vartype outbound_ip_prefixes: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterLoadBalancerProfileOutboundIPPrefixes + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterLoadBalancerProfileOutboundIPPrefixes :ivar outbound_i_ps: Desired outbound IP resources for the cluster load balancer. :vartype outbound_i_ps: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterLoadBalancerProfileOutboundIPs + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterLoadBalancerProfileOutboundIPs :ivar effective_outbound_i_ps: The effective outbound IP resources of the cluster load balancer. :vartype effective_outbound_i_ps: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ResourceReference] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ResourceReference] :ivar allocated_outbound_ports: The desired number of allocated SNAT ports per VM. Allowed values are in the range of 0 to 64000 (inclusive). The default value is 0 which results in Azure dynamically allocating ports. @@ -4615,7 +4671,7 @@ class ManagedClusterLoadBalancerProfile(_serialization.Model): :ivar backend_pool_type: The type of the managed inbound Load Balancer BackendPool. Known values are: "NodeIPConfiguration" and "NodeIP". :vartype backend_pool_type: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.BackendPoolType + ~azure.mgmt.containerservice.v2023_01_02_preview.models.BackendPoolType """ _validation = { @@ -4651,23 +4707,23 @@ def __init__( idle_timeout_in_minutes: int = 30, enable_multiple_standard_load_balancers: Optional[bool] = None, backend_pool_type: Union[str, "_models.BackendPoolType"] = "NodeIPConfiguration", - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword managed_outbound_i_ps: Desired managed outbound IPs for the cluster load balancer. :paramtype managed_outbound_i_ps: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterLoadBalancerProfileManagedOutboundIPs + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterLoadBalancerProfileManagedOutboundIPs :keyword outbound_ip_prefixes: Desired outbound IP Prefix resources for the cluster load balancer. :paramtype outbound_ip_prefixes: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterLoadBalancerProfileOutboundIPPrefixes + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterLoadBalancerProfileOutboundIPPrefixes :keyword outbound_i_ps: Desired outbound IP resources for the cluster load balancer. :paramtype outbound_i_ps: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterLoadBalancerProfileOutboundIPs + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterLoadBalancerProfileOutboundIPs :keyword effective_outbound_i_ps: The effective outbound IP resources of the cluster load balancer. :paramtype effective_outbound_i_ps: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ResourceReference] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ResourceReference] :keyword allocated_outbound_ports: The desired number of allocated SNAT ports per VM. Allowed values are in the range of 0 to 64000 (inclusive). The default value is 0 which results in Azure dynamically allocating ports. @@ -4681,7 +4737,7 @@ def __init__( :keyword backend_pool_type: The type of the managed inbound Load Balancer BackendPool. Known values are: "NodeIPConfiguration" and "NodeIP". :paramtype backend_pool_type: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.BackendPoolType + ~azure.mgmt.containerservice.v2023_01_02_preview.models.BackendPoolType """ super().__init__(**kwargs) self.managed_outbound_i_ps = managed_outbound_i_ps @@ -4717,7 +4773,7 @@ class ManagedClusterLoadBalancerProfileManagedOutboundIPs(_serialization.Model): "count_ipv6": {"key": "countIPv6", "type": "int"}, } - def __init__(self, *, count: int = 1, count_ipv6: int = 0, **kwargs): + def __init__(self, *, count: int = 1, count_ipv6: int = 0, **kwargs: Any) -> None: """ :keyword count: The desired number of IPv4 outbound IPs created/managed by Azure for the cluster load balancer. Allowed values must be in the range of 1 to 100 (inclusive). The default @@ -4738,18 +4794,20 @@ class ManagedClusterLoadBalancerProfileOutboundIPPrefixes(_serialization.Model): :ivar public_ip_prefixes: A list of public IP prefix resources. :vartype public_ip_prefixes: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ResourceReference] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ResourceReference] """ _attribute_map = { "public_ip_prefixes": {"key": "publicIPPrefixes", "type": "[ResourceReference]"}, } - def __init__(self, *, public_ip_prefixes: Optional[List["_models.ResourceReference"]] = None, **kwargs): + def __init__( + self, *, public_ip_prefixes: Optional[List["_models.ResourceReference"]] = None, **kwargs: Any + ) -> None: """ :keyword public_ip_prefixes: A list of public IP prefix resources. :paramtype public_ip_prefixes: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ResourceReference] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ResourceReference] """ super().__init__(**kwargs) self.public_ip_prefixes = public_ip_prefixes @@ -4760,18 +4818,18 @@ class ManagedClusterLoadBalancerProfileOutboundIPs(_serialization.Model): :ivar public_i_ps: A list of public IP resources. :vartype public_i_ps: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ResourceReference] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ResourceReference] """ _attribute_map = { "public_i_ps": {"key": "publicIPs", "type": "[ResourceReference]"}, } - def __init__(self, *, public_i_ps: Optional[List["_models.ResourceReference"]] = None, **kwargs): + def __init__(self, *, public_i_ps: Optional[List["_models.ResourceReference"]] = None, **kwargs: Any) -> None: """ :keyword public_i_ps: A list of public IP resources. :paramtype public_i_ps: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ResourceReference] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ResourceReference] """ super().__init__(**kwargs) self.public_i_ps = public_i_ps @@ -4793,7 +4851,7 @@ class ManagedClusterManagedOutboundIPProfile(_serialization.Model): "count": {"key": "count", "type": "int"}, } - def __init__(self, *, count: int = 1, **kwargs): + def __init__(self, *, count: int = 1, **kwargs: Any) -> None: """ :keyword count: The desired number of outbound IPs created/managed by Azure. Allowed values must be in the range of 1 to 16 (inclusive). The default value is 1. @@ -4809,10 +4867,10 @@ class ManagedClusterNATGatewayProfile(_serialization.Model): :ivar managed_outbound_ip_profile: Profile of the managed outbound IP resources of the cluster NAT gateway. :vartype managed_outbound_ip_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterManagedOutboundIPProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterManagedOutboundIPProfile :ivar effective_outbound_i_ps: The effective outbound IP resources of the cluster NAT gateway. :vartype effective_outbound_i_ps: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ResourceReference] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ResourceReference] :ivar idle_timeout_in_minutes: Desired outbound flow idle timeout in minutes. Allowed values are in the range of 4 to 120 (inclusive). The default value is 4 minutes. :vartype idle_timeout_in_minutes: int @@ -4837,17 +4895,17 @@ def __init__( managed_outbound_ip_profile: Optional["_models.ManagedClusterManagedOutboundIPProfile"] = None, effective_outbound_i_ps: Optional[List["_models.ResourceReference"]] = None, idle_timeout_in_minutes: int = 4, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword managed_outbound_ip_profile: Profile of the managed outbound IP resources of the cluster NAT gateway. :paramtype managed_outbound_ip_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterManagedOutboundIPProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterManagedOutboundIPProfile :keyword effective_outbound_i_ps: The effective outbound IP resources of the cluster NAT gateway. :paramtype effective_outbound_i_ps: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ResourceReference] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ResourceReference] :keyword idle_timeout_in_minutes: Desired outbound flow idle timeout in minutes. Allowed values are in the range of 4 to 120 (inclusive). The default value is 4 minutes. :paramtype idle_timeout_in_minutes: int @@ -4864,19 +4922,21 @@ class ManagedClusterNodeResourceGroupProfile(_serialization.Model): :ivar restriction_level: The restriction level applied to the cluster's node resource group. Known values are: "Unrestricted" and "ReadOnly". :vartype restriction_level: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.RestrictionLevel + ~azure.mgmt.containerservice.v2023_01_02_preview.models.RestrictionLevel """ _attribute_map = { "restriction_level": {"key": "restrictionLevel", "type": "str"}, } - def __init__(self, *, restriction_level: Optional[Union[str, "_models.RestrictionLevel"]] = None, **kwargs): + def __init__( + self, *, restriction_level: Optional[Union[str, "_models.RestrictionLevel"]] = None, **kwargs: Any + ) -> None: """ :keyword restriction_level: The restriction level applied to the cluster's node resource group. Known values are: "Unrestricted" and "ReadOnly". :paramtype restriction_level: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.RestrictionLevel + ~azure.mgmt.containerservice.v2023_01_02_preview.models.RestrictionLevel """ super().__init__(**kwargs) self.restriction_level = restriction_level @@ -4902,7 +4962,7 @@ class ManagedClusterOIDCIssuerProfile(_serialization.Model): "enabled": {"key": "enabled", "type": "bool"}, } - def __init__(self, *, enabled: Optional[bool] = None, **kwargs): + def __init__(self, *, enabled: Optional[bool] = None, **kwargs: Any) -> None: """ :keyword enabled: Whether the OIDC issuer is enabled. :paramtype enabled: bool @@ -4926,14 +4986,14 @@ class ManagedClusterPodIdentity(_serialization.Model): :ivar binding_selector: The binding selector to use for the AzureIdentityBinding resource. :vartype binding_selector: str :ivar identity: The user assigned identity details. Required. - :vartype identity: ~azure.mgmt.containerservice.v2022_11_02_preview.models.UserAssignedIdentity + :vartype identity: ~azure.mgmt.containerservice.v2023_01_02_preview.models.UserAssignedIdentity :ivar provisioning_state: The current provisioning state of the pod identity. Known values are: "Assigned", "Canceled", "Deleting", "Failed", "Succeeded", and "Updating". :vartype provisioning_state: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPodIdentityProvisioningState + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPodIdentityProvisioningState :ivar provisioning_info: :vartype provisioning_info: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPodIdentityProvisioningInfo + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPodIdentityProvisioningInfo """ _validation = { @@ -4960,8 +5020,8 @@ def __init__( namespace: str, identity: "_models.UserAssignedIdentity", binding_selector: Optional[str] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword name: The name of the pod identity. Required. :paramtype name: str @@ -4971,7 +5031,7 @@ def __init__( :paramtype binding_selector: str :keyword identity: The user assigned identity details. Required. :paramtype identity: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.UserAssignedIdentity + ~azure.mgmt.containerservice.v2023_01_02_preview.models.UserAssignedIdentity """ super().__init__(**kwargs) self.name = name @@ -4983,7 +5043,9 @@ def __init__( class ManagedClusterPodIdentityException(_serialization.Model): - """See `disable AAD Pod Identity for a specific Pod/Application `_ for more details. + """See `disable AAD Pod Identity for a specific Pod/Application + `_ for more + details. All required parameters must be populated in order to send to Azure. @@ -5007,7 +5069,7 @@ class ManagedClusterPodIdentityException(_serialization.Model): "pod_labels": {"key": "podLabels", "type": "{str}"}, } - def __init__(self, *, name: str, namespace: str, pod_labels: Dict[str, str], **kwargs): + def __init__(self, *, name: str, namespace: str, pod_labels: Dict[str, str], **kwargs: Any) -> None: """ :keyword name: The name of the pod identity exception. Required. :paramtype name: str @@ -5023,7 +5085,8 @@ def __init__(self, *, name: str, namespace: str, pod_labels: Dict[str, str], **k class ManagedClusterPodIdentityProfile(_serialization.Model): - """See `use AAD pod identity `_ for more details on pod identity integration. + """See `use AAD pod identity `_ + for more details on pod identity integration. :ivar enabled: Whether the pod identity addon is enabled. :vartype enabled: bool @@ -5035,10 +5098,10 @@ class ManagedClusterPodIdentityProfile(_serialization.Model): :vartype allow_network_plugin_kubenet: bool :ivar user_assigned_identities: The pod identities to use in the cluster. :vartype user_assigned_identities: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPodIdentity] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPodIdentity] :ivar user_assigned_identity_exceptions: The pod identity exceptions to allow. :vartype user_assigned_identity_exceptions: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPodIdentityException] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPodIdentityException] """ _attribute_map = { @@ -5058,8 +5121,8 @@ def __init__( allow_network_plugin_kubenet: Optional[bool] = None, user_assigned_identities: Optional[List["_models.ManagedClusterPodIdentity"]] = None, user_assigned_identity_exceptions: Optional[List["_models.ManagedClusterPodIdentityException"]] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword enabled: Whether the pod identity addon is enabled. :paramtype enabled: bool @@ -5071,10 +5134,10 @@ def __init__( :paramtype allow_network_plugin_kubenet: bool :keyword user_assigned_identities: The pod identities to use in the cluster. :paramtype user_assigned_identities: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPodIdentity] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPodIdentity] :keyword user_assigned_identity_exceptions: The pod identity exceptions to allow. :paramtype user_assigned_identity_exceptions: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPodIdentityException] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPodIdentityException] """ super().__init__(**kwargs) self.enabled = enabled @@ -5088,18 +5151,20 @@ class ManagedClusterPodIdentityProvisioningError(_serialization.Model): :ivar error: Details about the error. :vartype error: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPodIdentityProvisioningErrorBody + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPodIdentityProvisioningErrorBody """ _attribute_map = { "error": {"key": "error", "type": "ManagedClusterPodIdentityProvisioningErrorBody"}, } - def __init__(self, *, error: Optional["_models.ManagedClusterPodIdentityProvisioningErrorBody"] = None, **kwargs): + def __init__( + self, *, error: Optional["_models.ManagedClusterPodIdentityProvisioningErrorBody"] = None, **kwargs: Any + ) -> None: """ :keyword error: Details about the error. :paramtype error: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPodIdentityProvisioningErrorBody + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPodIdentityProvisioningErrorBody """ super().__init__(**kwargs) self.error = error @@ -5119,7 +5184,7 @@ class ManagedClusterPodIdentityProvisioningErrorBody(_serialization.Model): :vartype target: str :ivar details: A list of additional details about the error. :vartype details: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPodIdentityProvisioningErrorBody] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPodIdentityProvisioningErrorBody] """ _attribute_map = { @@ -5136,8 +5201,8 @@ def __init__( message: Optional[str] = None, target: Optional[str] = None, details: Optional[List["_models.ManagedClusterPodIdentityProvisioningErrorBody"]] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword code: An identifier for the error. Codes are invariant and are intended to be consumed programmatically. @@ -5150,7 +5215,7 @@ def __init__( :paramtype target: str :keyword details: A list of additional details about the error. :paramtype details: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPodIdentityProvisioningErrorBody] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPodIdentityProvisioningErrorBody] """ super().__init__(**kwargs) self.code = code @@ -5164,18 +5229,20 @@ class ManagedClusterPodIdentityProvisioningInfo(_serialization.Model): :ivar error: Pod identity assignment error (if any). :vartype error: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPodIdentityProvisioningError + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPodIdentityProvisioningError """ _attribute_map = { "error": {"key": "error", "type": "ManagedClusterPodIdentityProvisioningError"}, } - def __init__(self, *, error: Optional["_models.ManagedClusterPodIdentityProvisioningError"] = None, **kwargs): + def __init__( + self, *, error: Optional["_models.ManagedClusterPodIdentityProvisioningError"] = None, **kwargs: Any + ) -> None: """ :keyword error: Pod identity assignment error (if any). :paramtype error: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPodIdentityProvisioningError + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPodIdentityProvisioningError """ super().__init__(**kwargs) self.error = error @@ -5192,10 +5259,10 @@ class ManagedClusterPoolUpgradeProfile(_serialization.Model): :vartype name: str :ivar os_type: The operating system type. The default is Linux. Known values are: "Linux" and "Windows". - :vartype os_type: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSType + :vartype os_type: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSType :ivar upgrades: List of orchestrator types and versions available for upgrade. :vartype upgrades: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPoolUpgradeProfileUpgradesItem] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPoolUpgradeProfileUpgradesItem] """ _validation = { @@ -5217,8 +5284,8 @@ def __init__( os_type: Union[str, "_models.OSType"] = "Linux", name: Optional[str] = None, upgrades: Optional[List["_models.ManagedClusterPoolUpgradeProfileUpgradesItem"]] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword kubernetes_version: The Kubernetes version (major.minor.patch). Required. :paramtype kubernetes_version: str @@ -5226,10 +5293,10 @@ def __init__( :paramtype name: str :keyword os_type: The operating system type. The default is Linux. Known values are: "Linux" and "Windows". - :paramtype os_type: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSType + :paramtype os_type: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSType :keyword upgrades: List of orchestrator types and versions available for upgrade. :paramtype upgrades: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPoolUpgradeProfileUpgradesItem] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPoolUpgradeProfileUpgradesItem] """ super().__init__(**kwargs) self.kubernetes_version = kubernetes_version @@ -5252,7 +5319,9 @@ class ManagedClusterPoolUpgradeProfileUpgradesItem(_serialization.Model): "is_preview": {"key": "isPreview", "type": "bool"}, } - def __init__(self, *, kubernetes_version: Optional[str] = None, is_preview: Optional[bool] = None, **kwargs): + def __init__( + self, *, kubernetes_version: Optional[str] = None, is_preview: Optional[bool] = None, **kwargs: Any + ) -> None: """ :keyword kubernetes_version: The Kubernetes version (major.minor.patch). :paramtype kubernetes_version: str @@ -5272,7 +5341,7 @@ class ManagedClusterPropertiesAutoScalerProfile(_serialization.Model): # pylint :ivar expander: If not specified, the default is 'random'. See `expanders `_ for more information. Known values are: "least-waste", "most-pods", "priority", and "random". - :vartype expander: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.Expander + :vartype expander: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.Expander :ivar max_empty_bulk_delete: The default is 10. :vartype max_empty_bulk_delete: str :ivar max_graceful_termination_sec: The default is 600. @@ -5354,15 +5423,15 @@ def __init__( scale_down_utilization_threshold: Optional[str] = None, skip_nodes_with_local_storage: Optional[str] = None, skip_nodes_with_system_pods: Optional[str] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword balance_similar_node_groups: Valid values are 'true' and 'false'. :paramtype balance_similar_node_groups: str :keyword expander: If not specified, the default is 'random'. See `expanders `_ for more information. Known values are: "least-waste", "most-pods", "priority", and "random". - :paramtype expander: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.Expander + :paramtype expander: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.Expander :keyword max_empty_bulk_delete: The default is 10. :paramtype max_empty_bulk_delete: str :keyword max_graceful_termination_sec: The default is 600. @@ -5432,12 +5501,12 @@ class ManagedClusterPropertiesForSnapshot(_serialization.Model): :ivar kubernetes_version: The current kubernetes version. :vartype kubernetes_version: str :ivar sku: The current managed cluster sku. - :vartype sku: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSKU + :vartype sku: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSKU :ivar enable_rbac: Whether the cluster has enabled Kubernetes Role-Based Access Control or not. :vartype enable_rbac: bool :ivar network_profile: The current network profile. :vartype network_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.NetworkProfileForSnapshot + ~azure.mgmt.containerservice.v2023_01_02_preview.models.NetworkProfileForSnapshot """ _validation = { @@ -5457,13 +5526,13 @@ def __init__( kubernetes_version: Optional[str] = None, sku: Optional["_models.ManagedClusterSKU"] = None, enable_rbac: Optional[bool] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword kubernetes_version: The current kubernetes version. :paramtype kubernetes_version: str :keyword sku: The current managed cluster sku. - :paramtype sku: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSKU + :paramtype sku: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSKU :keyword enable_rbac: Whether the cluster has enabled Kubernetes Role-Based Access Control or not. :paramtype enable_rbac: bool @@ -5480,24 +5549,24 @@ class ManagedClusterSecurityProfile(_serialization.Model): :ivar defender: Microsoft Defender settings for the security profile. :vartype defender: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSecurityProfileDefender + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSecurityProfileDefender :ivar azure_key_vault_kms: Azure Key Vault `key management service `_ settings for the security profile. :vartype azure_key_vault_kms: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.AzureKeyVaultKms + ~azure.mgmt.containerservice.v2023_01_02_preview.models.AzureKeyVaultKms :ivar workload_identity: `Workload Identity `_ settings for the security profile. :vartype workload_identity: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSecurityProfileWorkloadIdentity + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSecurityProfileWorkloadIdentity :ivar image_cleaner: ImageCleaner settings for the security profile. :vartype image_cleaner: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSecurityProfileImageCleaner + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSecurityProfileImageCleaner :ivar node_restriction: `Node Restriction `_ settings for the security profile. :vartype node_restriction: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSecurityProfileNodeRestriction + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSecurityProfileNodeRestriction :ivar custom_ca_trust_certificates: A list of up to 10 base64 encoded CAs that will be added to the trust store on nodes with the Custom CA Trust feature enabled. For more information see `Custom CA Trust Certificates @@ -5527,29 +5596,29 @@ def __init__( image_cleaner: Optional["_models.ManagedClusterSecurityProfileImageCleaner"] = None, node_restriction: Optional["_models.ManagedClusterSecurityProfileNodeRestriction"] = None, custom_ca_trust_certificates: Optional[List[bytes]] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword defender: Microsoft Defender settings for the security profile. :paramtype defender: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSecurityProfileDefender + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSecurityProfileDefender :keyword azure_key_vault_kms: Azure Key Vault `key management service `_ settings for the security profile. :paramtype azure_key_vault_kms: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.AzureKeyVaultKms + ~azure.mgmt.containerservice.v2023_01_02_preview.models.AzureKeyVaultKms :keyword workload_identity: `Workload Identity `_ settings for the security profile. :paramtype workload_identity: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSecurityProfileWorkloadIdentity + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSecurityProfileWorkloadIdentity :keyword image_cleaner: ImageCleaner settings for the security profile. :paramtype image_cleaner: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSecurityProfileImageCleaner + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSecurityProfileImageCleaner :keyword node_restriction: `Node Restriction `_ settings for the security profile. :paramtype node_restriction: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSecurityProfileNodeRestriction + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSecurityProfileNodeRestriction :keyword custom_ca_trust_certificates: A list of up to 10 base64 encoded CAs that will be added to the trust store on nodes with the Custom CA Trust feature enabled. For more information see `Custom CA Trust Certificates @@ -5576,7 +5645,7 @@ class ManagedClusterSecurityProfileDefender(_serialization.Model): :ivar security_monitoring: Microsoft Defender threat detection for Cloud settings for the security profile. :vartype security_monitoring: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSecurityProfileDefenderSecurityMonitoring + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSecurityProfileDefenderSecurityMonitoring """ _attribute_map = { @@ -5592,8 +5661,8 @@ def __init__( *, log_analytics_workspace_resource_id: Optional[str] = None, security_monitoring: Optional["_models.ManagedClusterSecurityProfileDefenderSecurityMonitoring"] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword log_analytics_workspace_resource_id: Resource ID of the Log Analytics workspace to be associated with Microsoft Defender. When Microsoft Defender is enabled, this field is required @@ -5603,7 +5672,7 @@ def __init__( :keyword security_monitoring: Microsoft Defender threat detection for Cloud settings for the security profile. :paramtype security_monitoring: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSecurityProfileDefenderSecurityMonitoring + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSecurityProfileDefenderSecurityMonitoring """ super().__init__(**kwargs) self.log_analytics_workspace_resource_id = log_analytics_workspace_resource_id @@ -5621,7 +5690,7 @@ class ManagedClusterSecurityProfileDefenderSecurityMonitoring(_serialization.Mod "enabled": {"key": "enabled", "type": "bool"}, } - def __init__(self, *, enabled: Optional[bool] = None, **kwargs): + def __init__(self, *, enabled: Optional[bool] = None, **kwargs: Any) -> None: """ :keyword enabled: Whether to enable Defender threat detection. :paramtype enabled: bool @@ -5631,7 +5700,8 @@ def __init__(self, *, enabled: Optional[bool] = None, **kwargs): class ManagedClusterSecurityProfileImageCleaner(_serialization.Model): - """ImageCleaner removes unused images from nodes, freeing up disk space and helping to reduce attack surface area. Here are settings for the security profile. + """ImageCleaner removes unused images from nodes, freeing up disk space and helping to reduce + attack surface area. Here are settings for the security profile. :ivar enabled: Whether to enable ImageCleaner on AKS cluster. :vartype enabled: bool @@ -5644,7 +5714,7 @@ class ManagedClusterSecurityProfileImageCleaner(_serialization.Model): "interval_hours": {"key": "intervalHours", "type": "int"}, } - def __init__(self, *, enabled: Optional[bool] = None, interval_hours: Optional[int] = None, **kwargs): + def __init__(self, *, enabled: Optional[bool] = None, interval_hours: Optional[int] = None, **kwargs: Any) -> None: """ :keyword enabled: Whether to enable ImageCleaner on AKS cluster. :paramtype enabled: bool @@ -5667,7 +5737,7 @@ class ManagedClusterSecurityProfileNodeRestriction(_serialization.Model): "enabled": {"key": "enabled", "type": "bool"}, } - def __init__(self, *, enabled: Optional[bool] = None, **kwargs): + def __init__(self, *, enabled: Optional[bool] = None, **kwargs: Any) -> None: """ :keyword enabled: Whether to enable Node Restriction. :paramtype enabled: bool @@ -5687,7 +5757,7 @@ class ManagedClusterSecurityProfileWorkloadIdentity(_serialization.Model): "enabled": {"key": "enabled", "type": "bool"}, } - def __init__(self, *, enabled: Optional[bool] = None, **kwargs): + def __init__(self, *, enabled: Optional[bool] = None, **kwargs: Any) -> None: """ :keyword enabled: Whether to enable Workload Identity. :paramtype enabled: bool @@ -5697,7 +5767,8 @@ def __init__(self, *, enabled: Optional[bool] = None, **kwargs): class ManagedClusterServicePrincipalProfile(_serialization.Model): - """Information about a service principal identity for the cluster to use for manipulating Azure APIs. + """Information about a service principal identity for the cluster to use for manipulating Azure + APIs. All required parameters must be populated in order to send to Azure. @@ -5716,7 +5787,7 @@ class ManagedClusterServicePrincipalProfile(_serialization.Model): "secret": {"key": "secret", "type": "str"}, } - def __init__(self, *, client_id: str, secret: Optional[str] = None, **kwargs): + def __init__(self, *, client_id: str, secret: Optional[str] = None, **kwargs: Any) -> None: """ :keyword client_id: The ID for the service principal. Required. :paramtype client_id: str @@ -5731,14 +5802,14 @@ def __init__(self, *, client_id: str, secret: Optional[str] = None, **kwargs): class ManagedClusterSKU(_serialization.Model): """The SKU of a Managed Cluster. - :ivar name: The name of a managed cluster SKU. "Basic" + :ivar name: The name of a managed cluster SKU. Known values are: "Basic" and "Base". :vartype name: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSKUName - :ivar tier: If not specified, the default is 'Free'. See `uptime SLA - `_ for more details. Known values are: "Paid" - and "Free". + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSKUName + :ivar tier: If not specified, the default is 'Free'. See `AKS Pricing Tier + `_ for more details. Known + values are: "Paid", "Standard", and "Free". :vartype tier: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSKUTier + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSKUTier """ _attribute_map = { @@ -5751,17 +5822,17 @@ def __init__( *, name: Optional[Union[str, "_models.ManagedClusterSKUName"]] = None, tier: Optional[Union[str, "_models.ManagedClusterSKUTier"]] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ - :keyword name: The name of a managed cluster SKU. "Basic" + :keyword name: The name of a managed cluster SKU. Known values are: "Basic" and "Base". :paramtype name: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSKUName - :keyword tier: If not specified, the default is 'Free'. See `uptime SLA - `_ for more details. Known values are: "Paid" - and "Free". + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSKUName + :keyword tier: If not specified, the default is 'Free'. See `AKS Pricing Tier + `_ for more details. Known + values are: "Paid", "Standard", and "Free". :paramtype tier: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSKUTier + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSKUTier """ super().__init__(**kwargs) self.name = name @@ -5785,22 +5856,22 @@ class ManagedClusterSnapshot(TrackedResource): :vartype type: str :ivar system_data: Azure Resource Manager metadata containing createdBy and modifiedBy information. - :vartype system_data: ~azure.mgmt.containerservice.v2022_11_02_preview.models.SystemData + :vartype system_data: ~azure.mgmt.containerservice.v2023_01_02_preview.models.SystemData :ivar tags: Resource tags. :vartype tags: dict[str, str] :ivar location: The geo-location where the resource lives. Required. :vartype location: str :ivar creation_data: CreationData to be used to specify the source resource ID to create this snapshot. - :vartype creation_data: ~azure.mgmt.containerservice.v2022_11_02_preview.models.CreationData + :vartype creation_data: ~azure.mgmt.containerservice.v2023_01_02_preview.models.CreationData :ivar snapshot_type: The type of a snapshot. The default is NodePool. Known values are: "NodePool" and "ManagedCluster". :vartype snapshot_type: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.SnapshotType + ~azure.mgmt.containerservice.v2023_01_02_preview.models.SnapshotType :ivar managed_cluster_properties_read_only: What the properties will be showed when getting managed cluster snapshot. Those properties are read-only. :vartype managed_cluster_properties_read_only: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPropertiesForSnapshot + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPropertiesForSnapshot """ _validation = { @@ -5834,8 +5905,8 @@ def __init__( tags: Optional[Dict[str, str]] = None, creation_data: Optional["_models.CreationData"] = None, snapshot_type: Union[str, "_models.SnapshotType"] = "NodePool", - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword tags: Resource tags. :paramtype tags: dict[str, str] @@ -5843,11 +5914,11 @@ def __init__( :paramtype location: str :keyword creation_data: CreationData to be used to specify the source resource ID to create this snapshot. - :paramtype creation_data: ~azure.mgmt.containerservice.v2022_11_02_preview.models.CreationData + :paramtype creation_data: ~azure.mgmt.containerservice.v2023_01_02_preview.models.CreationData :keyword snapshot_type: The type of a snapshot. The default is NodePool. Known values are: "NodePool" and "ManagedCluster". :paramtype snapshot_type: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.SnapshotType + ~azure.mgmt.containerservice.v2023_01_02_preview.models.SnapshotType """ super().__init__(tags=tags, location=location, **kwargs) self.creation_data = creation_data @@ -5862,7 +5933,7 @@ class ManagedClusterSnapshotListResult(_serialization.Model): :ivar value: The list of managed cluster snapshots. :vartype value: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot] :ivar next_link: The URL to get the next set of managed cluster snapshot results. :vartype next_link: str """ @@ -5876,11 +5947,11 @@ class ManagedClusterSnapshotListResult(_serialization.Model): "next_link": {"key": "nextLink", "type": "str"}, } - def __init__(self, *, value: Optional[List["_models.ManagedClusterSnapshot"]] = None, **kwargs): + def __init__(self, *, value: Optional[List["_models.ManagedClusterSnapshot"]] = None, **kwargs: Any) -> None: """ :keyword value: The list of managed cluster snapshots. :paramtype value: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot] """ super().__init__(**kwargs) self.value = value @@ -5892,16 +5963,16 @@ class ManagedClusterStorageProfile(_serialization.Model): :ivar disk_csi_driver: AzureDisk CSI Driver settings for the storage profile. :vartype disk_csi_driver: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterStorageProfileDiskCSIDriver + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterStorageProfileDiskCSIDriver :ivar file_csi_driver: AzureFile CSI Driver settings for the storage profile. :vartype file_csi_driver: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterStorageProfileFileCSIDriver + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterStorageProfileFileCSIDriver :ivar snapshot_controller: Snapshot Controller settings for the storage profile. :vartype snapshot_controller: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterStorageProfileSnapshotController + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterStorageProfileSnapshotController :ivar blob_csi_driver: AzureBlob CSI Driver settings for the storage profile. :vartype blob_csi_driver: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterStorageProfileBlobCSIDriver + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterStorageProfileBlobCSIDriver """ _attribute_map = { @@ -5918,21 +5989,21 @@ def __init__( file_csi_driver: Optional["_models.ManagedClusterStorageProfileFileCSIDriver"] = None, snapshot_controller: Optional["_models.ManagedClusterStorageProfileSnapshotController"] = None, blob_csi_driver: Optional["_models.ManagedClusterStorageProfileBlobCSIDriver"] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword disk_csi_driver: AzureDisk CSI Driver settings for the storage profile. :paramtype disk_csi_driver: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterStorageProfileDiskCSIDriver + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterStorageProfileDiskCSIDriver :keyword file_csi_driver: AzureFile CSI Driver settings for the storage profile. :paramtype file_csi_driver: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterStorageProfileFileCSIDriver + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterStorageProfileFileCSIDriver :keyword snapshot_controller: Snapshot Controller settings for the storage profile. :paramtype snapshot_controller: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterStorageProfileSnapshotController + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterStorageProfileSnapshotController :keyword blob_csi_driver: AzureBlob CSI Driver settings for the storage profile. :paramtype blob_csi_driver: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterStorageProfileBlobCSIDriver + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterStorageProfileBlobCSIDriver """ super().__init__(**kwargs) self.disk_csi_driver = disk_csi_driver @@ -5952,7 +6023,7 @@ class ManagedClusterStorageProfileBlobCSIDriver(_serialization.Model): "enabled": {"key": "enabled", "type": "bool"}, } - def __init__(self, *, enabled: Optional[bool] = None, **kwargs): + def __init__(self, *, enabled: Optional[bool] = None, **kwargs: Any) -> None: """ :keyword enabled: Whether to enable AzureBlob CSI Driver. The default value is false. :paramtype enabled: bool @@ -5975,7 +6046,7 @@ class ManagedClusterStorageProfileDiskCSIDriver(_serialization.Model): "version": {"key": "version", "type": "str"}, } - def __init__(self, *, enabled: Optional[bool] = None, version: Optional[str] = None, **kwargs): + def __init__(self, *, enabled: Optional[bool] = None, version: Optional[str] = None, **kwargs: Any) -> None: """ :keyword enabled: Whether to enable AzureDisk CSI Driver. The default value is true. :paramtype enabled: bool @@ -5998,7 +6069,7 @@ class ManagedClusterStorageProfileFileCSIDriver(_serialization.Model): "enabled": {"key": "enabled", "type": "bool"}, } - def __init__(self, *, enabled: Optional[bool] = None, **kwargs): + def __init__(self, *, enabled: Optional[bool] = None, **kwargs: Any) -> None: """ :keyword enabled: Whether to enable AzureFile CSI Driver. The default value is true. :paramtype enabled: bool @@ -6018,7 +6089,7 @@ class ManagedClusterStorageProfileSnapshotController(_serialization.Model): "enabled": {"key": "enabled", "type": "bool"}, } - def __init__(self, *, enabled: Optional[bool] = None, **kwargs): + def __init__(self, *, enabled: Optional[bool] = None, **kwargs: Any) -> None: """ :keyword enabled: Whether to enable Snapshot Controller. The default value is true. :paramtype enabled: bool @@ -6043,10 +6114,10 @@ class ManagedClusterUpgradeProfile(_serialization.Model): :ivar control_plane_profile: The list of available upgrade versions for the control plane. Required. :vartype control_plane_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPoolUpgradeProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPoolUpgradeProfile :ivar agent_pool_profiles: The list of available upgrade versions for agent pools. Required. :vartype agent_pool_profiles: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPoolUpgradeProfile] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPoolUpgradeProfile] """ _validation = { @@ -6070,16 +6141,16 @@ def __init__( *, control_plane_profile: "_models.ManagedClusterPoolUpgradeProfile", agent_pool_profiles: List["_models.ManagedClusterPoolUpgradeProfile"], - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword control_plane_profile: The list of available upgrade versions for the control plane. Required. :paramtype control_plane_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPoolUpgradeProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPoolUpgradeProfile :keyword agent_pool_profiles: The list of available upgrade versions for agent pools. Required. :paramtype agent_pool_profiles: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPoolUpgradeProfile] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPoolUpgradeProfile] """ super().__init__(**kwargs) self.id = None @@ -6114,13 +6185,13 @@ class ManagedClusterWindowsProfile(_serialization.Model): `_ for more details. Known values are: "None" and "Windows_Server". :vartype license_type: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.LicenseType + ~azure.mgmt.containerservice.v2023_01_02_preview.models.LicenseType :ivar enable_csi_proxy: For more details on CSI proxy, see the `CSI proxy GitHub repo `_. :vartype enable_csi_proxy: bool :ivar gmsa_profile: The Windows gMSA Profile in the Managed Cluster. :vartype gmsa_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.WindowsGmsaProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.WindowsGmsaProfile """ _validation = { @@ -6143,8 +6214,8 @@ def __init__( license_type: Optional[Union[str, "_models.LicenseType"]] = None, enable_csi_proxy: Optional[bool] = None, gmsa_profile: Optional["_models.WindowsGmsaProfile"] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword admin_username: Specifies the name of the administrator account. :code:`
`:code:`
` **Restriction:** Cannot end in "." :code:`
`:code:`
` @@ -6166,13 +6237,13 @@ def __init__( `_ for more details. Known values are: "None" and "Windows_Server". :paramtype license_type: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.LicenseType + ~azure.mgmt.containerservice.v2023_01_02_preview.models.LicenseType :keyword enable_csi_proxy: For more details on CSI proxy, see the `CSI proxy GitHub repo `_. :paramtype enable_csi_proxy: bool :keyword gmsa_profile: The Windows gMSA Profile in the Managed Cluster. :paramtype gmsa_profile: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.WindowsGmsaProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.WindowsGmsaProfile """ super().__init__(**kwargs) self.admin_username = admin_username @@ -6188,10 +6259,10 @@ class ManagedClusterWorkloadAutoScalerProfile(_serialization.Model): :ivar keda: KEDA (Kubernetes Event-driven Autoscaling) settings for the workload auto-scaler profile. :vartype keda: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterWorkloadAutoScalerProfileKeda + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterWorkloadAutoScalerProfileKeda :ivar vertical_pod_autoscaler: :vartype vertical_pod_autoscaler: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterWorkloadAutoScalerProfileVerticalPodAutoscaler + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterWorkloadAutoScalerProfileVerticalPodAutoscaler """ _attribute_map = { @@ -6209,16 +6280,16 @@ def __init__( vertical_pod_autoscaler: Optional[ "_models.ManagedClusterWorkloadAutoScalerProfileVerticalPodAutoscaler" ] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword keda: KEDA (Kubernetes Event-driven Autoscaling) settings for the workload auto-scaler profile. :paramtype keda: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterWorkloadAutoScalerProfileKeda + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterWorkloadAutoScalerProfileKeda :keyword vertical_pod_autoscaler: :paramtype vertical_pod_autoscaler: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterWorkloadAutoScalerProfileVerticalPodAutoscaler + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterWorkloadAutoScalerProfileVerticalPodAutoscaler """ super().__init__(**kwargs) self.keda = keda @@ -6242,7 +6313,7 @@ class ManagedClusterWorkloadAutoScalerProfileKeda(_serialization.Model): "enabled": {"key": "enabled", "type": "bool"}, } - def __init__(self, *, enabled: bool, **kwargs): + def __init__(self, *, enabled: bool, **kwargs: Any) -> None: """ :keyword enabled: Whether to enable KEDA. Required. :paramtype enabled: bool @@ -6261,13 +6332,13 @@ class ManagedClusterWorkloadAutoScalerProfileVerticalPodAutoscaler(_serializatio :ivar controlled_values: Controls which resource value autoscaler will change. Default value is RequestsAndLimits. Known values are: "RequestsAndLimits" and "RequestsOnly". :vartype controlled_values: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ControlledValues + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ControlledValues :ivar update_mode: Each update mode level is a superset of the lower levels. Off None: """ :keyword enabled: Whether to enable VPA. Default value is false. Required. :paramtype enabled: bool :keyword controlled_values: Controls which resource value autoscaler will change. Default value is RequestsAndLimits. Known values are: "RequestsAndLimits" and "RequestsOnly". :paramtype controlled_values: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ControlledValues + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ControlledValues :keyword update_mode: Each update mode level is a superset of the lower levels. Off None: """ """ super().__init__(**kwargs) self.principal_id = None @@ -6345,22 +6416,22 @@ class NetworkProfileForSnapshot(_serialization.Model): :ivar network_plugin: networkPlugin for managed cluster snapshot. Known values are: "azure", "kubenet", and "none". :vartype network_plugin: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.NetworkPlugin + ~azure.mgmt.containerservice.v2023_01_02_preview.models.NetworkPlugin :ivar network_plugin_mode: NetworkPluginMode for managed cluster snapshot. "Overlay" :vartype network_plugin_mode: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.NetworkPluginMode + ~azure.mgmt.containerservice.v2023_01_02_preview.models.NetworkPluginMode :ivar network_policy: networkPolicy for managed cluster snapshot. Known values are: "calico" and "azure". :vartype network_policy: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.NetworkPolicy + ~azure.mgmt.containerservice.v2023_01_02_preview.models.NetworkPolicy :ivar network_mode: networkMode for managed cluster snapshot. Known values are: "transparent" and "bridge". :vartype network_mode: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.NetworkMode + ~azure.mgmt.containerservice.v2023_01_02_preview.models.NetworkMode :ivar load_balancer_sku: loadBalancerSku for managed cluster snapshot. Known values are: "standard" and "basic". :vartype load_balancer_sku: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.LoadBalancerSku + ~azure.mgmt.containerservice.v2023_01_02_preview.models.LoadBalancerSku """ _attribute_map = { @@ -6379,28 +6450,28 @@ def __init__( network_policy: Optional[Union[str, "_models.NetworkPolicy"]] = None, network_mode: Optional[Union[str, "_models.NetworkMode"]] = None, load_balancer_sku: Optional[Union[str, "_models.LoadBalancerSku"]] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword network_plugin: networkPlugin for managed cluster snapshot. Known values are: "azure", "kubenet", and "none". :paramtype network_plugin: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.NetworkPlugin + ~azure.mgmt.containerservice.v2023_01_02_preview.models.NetworkPlugin :keyword network_plugin_mode: NetworkPluginMode for managed cluster snapshot. "Overlay" :paramtype network_plugin_mode: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.NetworkPluginMode + ~azure.mgmt.containerservice.v2023_01_02_preview.models.NetworkPluginMode :keyword network_policy: networkPolicy for managed cluster snapshot. Known values are: "calico" and "azure". :paramtype network_policy: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.NetworkPolicy + ~azure.mgmt.containerservice.v2023_01_02_preview.models.NetworkPolicy :keyword network_mode: networkMode for managed cluster snapshot. Known values are: "transparent" and "bridge". :paramtype network_mode: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.NetworkMode + ~azure.mgmt.containerservice.v2023_01_02_preview.models.NetworkMode :keyword load_balancer_sku: loadBalancerSku for managed cluster snapshot. Known values are: "standard" and "basic". :paramtype load_balancer_sku: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.LoadBalancerSku + ~azure.mgmt.containerservice.v2023_01_02_preview.models.LoadBalancerSku """ super().__init__(**kwargs) self.network_plugin = network_plugin @@ -6416,7 +6487,7 @@ class OperationListResult(_serialization.Model): Variables are only populated by the server, and will be ignored when sending a request. :ivar value: The list of operations. - :vartype value: list[~azure.mgmt.containerservice.v2022_11_02_preview.models.OperationValue] + :vartype value: list[~azure.mgmt.containerservice.v2023_01_02_preview.models.OperationValue] """ _validation = { @@ -6427,7 +6498,7 @@ class OperationListResult(_serialization.Model): "value": {"key": "value", "type": "[OperationValue]"}, } - def __init__(self, **kwargs): + def __init__(self, **kwargs: Any) -> None: """ """ super().__init__(**kwargs) self.value = None @@ -6470,7 +6541,7 @@ class OperationValue(_serialization.Model): "provider": {"key": "display.provider", "type": "str"}, } - def __init__(self, **kwargs): + def __init__(self, **kwargs: Any) -> None: """ """ super().__init__(**kwargs) self.origin = None @@ -6496,7 +6567,7 @@ class OSOptionProfile(_serialization.Model): :vartype type: str :ivar os_option_property_list: The list of OS options. Required. :vartype os_option_property_list: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.OSOptionProperty] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.OSOptionProperty] """ _validation = { @@ -6513,11 +6584,11 @@ class OSOptionProfile(_serialization.Model): "os_option_property_list": {"key": "properties.osOptionPropertyList", "type": "[OSOptionProperty]"}, } - def __init__(self, *, os_option_property_list: List["_models.OSOptionProperty"], **kwargs): + def __init__(self, *, os_option_property_list: List["_models.OSOptionProperty"], **kwargs: Any) -> None: """ :keyword os_option_property_list: The list of OS options. Required. :paramtype os_option_property_list: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.OSOptionProperty] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.OSOptionProperty] """ super().__init__(**kwargs) self.id = None @@ -6547,7 +6618,7 @@ class OSOptionProperty(_serialization.Model): "enable_fips_image": {"key": "enable-fips-image", "type": "bool"}, } - def __init__(self, *, os_type: str, enable_fips_image: bool, **kwargs): + def __init__(self, *, os_type: str, enable_fips_image: bool, **kwargs: Any) -> None: """ :keyword os_type: The OS type. Required. :paramtype os_type: str @@ -6567,7 +6638,7 @@ class OutboundEnvironmentEndpoint(_serialization.Model): :vartype category: str :ivar endpoints: The endpoints that AKS agent nodes connect to. :vartype endpoints: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.EndpointDependency] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.EndpointDependency] """ _attribute_map = { @@ -6580,15 +6651,15 @@ def __init__( *, category: Optional[str] = None, endpoints: Optional[List["_models.EndpointDependency"]] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword category: The category of endpoints accessed by the AKS agent node, e.g. azure-resource-management, apiserver, etc. :paramtype category: str :keyword endpoints: The endpoints that AKS agent nodes connect to. :paramtype endpoints: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.EndpointDependency] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.EndpointDependency] """ super().__init__(**kwargs) self.category = category @@ -6604,7 +6675,7 @@ class OutboundEnvironmentEndpointCollection(_serialization.Model): :ivar value: Collection of resources. Required. :vartype value: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.OutboundEnvironmentEndpoint] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.OutboundEnvironmentEndpoint] :ivar next_link: Link to next page of resources. :vartype next_link: str """ @@ -6619,11 +6690,11 @@ class OutboundEnvironmentEndpointCollection(_serialization.Model): "next_link": {"key": "nextLink", "type": "str"}, } - def __init__(self, *, value: List["_models.OutboundEnvironmentEndpoint"], **kwargs): + def __init__(self, *, value: List["_models.OutboundEnvironmentEndpoint"], **kwargs: Any) -> None: """ :keyword value: Collection of resources. Required. :paramtype value: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.OutboundEnvironmentEndpoint] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.OutboundEnvironmentEndpoint] """ super().__init__(**kwargs) self.value = value @@ -6640,7 +6711,7 @@ class PortRange(_serialization.Model): 65535, and be greater than or equal to portStart. :vartype port_end: int :ivar protocol: The network protocol of the port. Known values are: "TCP" and "UDP". - :vartype protocol: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.Protocol + :vartype protocol: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.Protocol """ _validation = { @@ -6660,8 +6731,8 @@ def __init__( port_start: Optional[int] = None, port_end: Optional[int] = None, protocol: Optional[Union[str, "_models.Protocol"]] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword port_start: The minimum port that is included in the range. It should be ranged from 1 to 65535, and be less than or equal to portEnd. @@ -6670,7 +6741,7 @@ def __init__( to 65535, and be greater than or equal to portStart. :paramtype port_end: int :keyword protocol: The network protocol of the port. Known values are: "TCP" and "UDP". - :paramtype protocol: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.Protocol + :paramtype protocol: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.Protocol """ super().__init__(**kwargs) self.port_start = port_start @@ -6683,18 +6754,18 @@ class PowerState(_serialization.Model): :ivar code: Tells whether the cluster is Running or Stopped. Known values are: "Running" and "Stopped". - :vartype code: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.Code + :vartype code: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.Code """ _attribute_map = { "code": {"key": "code", "type": "str"}, } - def __init__(self, *, code: Optional[Union[str, "_models.Code"]] = None, **kwargs): + def __init__(self, *, code: Optional[Union[str, "_models.Code"]] = None, **kwargs: Any) -> None: """ :keyword code: Tells whether the cluster is Running or Stopped. Known values are: "Running" and "Stopped". - :paramtype code: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.Code + :paramtype code: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.Code """ super().__init__(**kwargs) self.code = code @@ -6711,7 +6782,7 @@ class PrivateEndpoint(_serialization.Model): "id": {"key": "id", "type": "str"}, } - def __init__(self, *, id: Optional[str] = None, **kwargs): # pylint: disable=redefined-builtin + def __init__(self, *, id: Optional[str] = None, **kwargs: Any) -> None: # pylint: disable=redefined-builtin """ :keyword id: The resource ID of the private endpoint. :paramtype id: str @@ -6734,14 +6805,14 @@ class PrivateEndpointConnection(_serialization.Model): :ivar provisioning_state: The current provisioning state. Known values are: "Canceled", "Creating", "Deleting", "Failed", and "Succeeded". :vartype provisioning_state: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateEndpointConnectionProvisioningState + ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateEndpointConnectionProvisioningState :ivar private_endpoint: The resource of private endpoint. :vartype private_endpoint: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateEndpoint + ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateEndpoint :ivar private_link_service_connection_state: A collection of information about the state of the connection between service consumer and provider. :vartype private_link_service_connection_state: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateLinkServiceConnectionState + ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateLinkServiceConnectionState """ _validation = { @@ -6768,16 +6839,16 @@ def __init__( *, private_endpoint: Optional["_models.PrivateEndpoint"] = None, private_link_service_connection_state: Optional["_models.PrivateLinkServiceConnectionState"] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword private_endpoint: The resource of private endpoint. :paramtype private_endpoint: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateEndpoint + ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateEndpoint :keyword private_link_service_connection_state: A collection of information about the state of the connection between service consumer and provider. :paramtype private_link_service_connection_state: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateLinkServiceConnectionState + ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateLinkServiceConnectionState """ super().__init__(**kwargs) self.id = None @@ -6793,18 +6864,18 @@ class PrivateEndpointConnectionListResult(_serialization.Model): :ivar value: The collection value. :vartype value: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateEndpointConnection] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateEndpointConnection] """ _attribute_map = { "value": {"key": "value", "type": "[PrivateEndpointConnection]"}, } - def __init__(self, *, value: Optional[List["_models.PrivateEndpointConnection"]] = None, **kwargs): + def __init__(self, *, value: Optional[List["_models.PrivateEndpointConnection"]] = None, **kwargs: Any) -> None: """ :keyword value: The collection value. :paramtype value: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateEndpointConnection] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateEndpointConnection] """ super().__init__(**kwargs) self.value = value @@ -6851,8 +6922,8 @@ def __init__( type: Optional[str] = None, group_id: Optional[str] = None, required_members: Optional[List[str]] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword id: The ID of the private link resource. :paramtype id: str @@ -6879,18 +6950,18 @@ class PrivateLinkResourcesListResult(_serialization.Model): :ivar value: The collection value. :vartype value: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateLinkResource] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateLinkResource] """ _attribute_map = { "value": {"key": "value", "type": "[PrivateLinkResource]"}, } - def __init__(self, *, value: Optional[List["_models.PrivateLinkResource"]] = None, **kwargs): + def __init__(self, *, value: Optional[List["_models.PrivateLinkResource"]] = None, **kwargs: Any) -> None: """ :keyword value: The collection value. :paramtype value: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateLinkResource] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateLinkResource] """ super().__init__(**kwargs) self.value = value @@ -6902,7 +6973,7 @@ class PrivateLinkServiceConnectionState(_serialization.Model): :ivar status: The private link service connection status. Known values are: "Pending", "Approved", "Rejected", and "Disconnected". :vartype status: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ConnectionStatus + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ConnectionStatus :ivar description: The private link service connection description. :vartype description: str """ @@ -6917,13 +6988,13 @@ def __init__( *, status: Optional[Union[str, "_models.ConnectionStatus"]] = None, description: Optional[str] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword status: The private link service connection status. Known values are: "Pending", "Approved", "Rejected", and "Disconnected". :paramtype status: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ConnectionStatus + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ConnectionStatus :keyword description: The private link service connection description. :paramtype description: str """ @@ -6933,7 +7004,8 @@ def __init__( class RelativeMonthlySchedule(_serialization.Model): - """For schedules like: 'recur every month on the first Monday' or 'recur every 3 months on last Friday'. + """For schedules like: 'recur every month on the first Monday' or 'recur every 3 months on last + Friday'. All required parameters must be populated in order to send to Azure. @@ -6943,10 +7015,10 @@ class RelativeMonthlySchedule(_serialization.Model): :ivar week_index: Specifies on which instance of the allowed days specified in daysOfWeek the maintenance occurs. Required. Known values are: "First", "Second", "Third", "Fourth", and "Last". - :vartype week_index: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.Type + :vartype week_index: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.Type :ivar day_of_week: Specifies on which day of the week the maintenance occurs. Required. Known values are: "Sunday", "Monday", "Tuesday", "Wednesday", "Thursday", "Friday", and "Saturday". - :vartype day_of_week: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.WeekDay + :vartype day_of_week: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.WeekDay """ _validation = { @@ -6967,8 +7039,8 @@ def __init__( interval_months: int, week_index: Union[str, "_models.Type"], day_of_week: Union[str, "_models.WeekDay"], - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword interval_months: Specifies the number of months between each set of occurrences. Required. @@ -6976,11 +7048,11 @@ def __init__( :keyword week_index: Specifies on which instance of the allowed days specified in daysOfWeek the maintenance occurs. Required. Known values are: "First", "Second", "Third", "Fourth", and "Last". - :paramtype week_index: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.Type + :paramtype week_index: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.Type :keyword day_of_week: Specifies on which day of the week the maintenance occurs. Required. Known values are: "Sunday", "Monday", "Tuesday", "Wednesday", "Thursday", "Friday", and "Saturday". - :paramtype day_of_week: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.WeekDay + :paramtype day_of_week: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.WeekDay """ super().__init__(**kwargs) self.interval_months = interval_months @@ -6999,7 +7071,7 @@ class ResourceReference(_serialization.Model): "id": {"key": "id", "type": "str"}, } - def __init__(self, *, id: Optional[str] = None, **kwargs): # pylint: disable=redefined-builtin + def __init__(self, *, id: Optional[str] = None, **kwargs: Any) -> None: # pylint: disable=redefined-builtin """ :keyword id: The fully qualified Azure resource id. :paramtype id: str @@ -7031,7 +7103,9 @@ class RunCommandRequest(_serialization.Model): "cluster_token": {"key": "clusterToken", "type": "str"}, } - def __init__(self, *, command: str, context: Optional[str] = None, cluster_token: Optional[str] = None, **kwargs): + def __init__( + self, *, command: str, context: Optional[str] = None, cluster_token: Optional[str] = None, **kwargs: Any + ) -> None: """ :keyword command: The command to run. Required. :paramtype command: str @@ -7087,7 +7161,7 @@ class RunCommandResult(_serialization.Model): "reason": {"key": "properties.reason", "type": "str"}, } - def __init__(self, **kwargs): + def __init__(self, **kwargs: Any) -> None: """ """ super().__init__(**kwargs) self.id = None @@ -7100,20 +7174,21 @@ def __init__(self, **kwargs): class Schedule(_serialization.Model): - """One and only one of the schedule types should be specified. Choose either 'daily', 'weekly', 'absoluteMonthly' or 'relativeMonthly' for your maintenance schedule. + """One and only one of the schedule types should be specified. Choose either 'daily', 'weekly', + 'absoluteMonthly' or 'relativeMonthly' for your maintenance schedule. :ivar daily: For schedules like: 'recur every day' or 'recur every 3 days'. - :vartype daily: ~azure.mgmt.containerservice.v2022_11_02_preview.models.DailySchedule + :vartype daily: ~azure.mgmt.containerservice.v2023_01_02_preview.models.DailySchedule :ivar weekly: For schedules like: 'recur every Monday' or 'recur every 3 weeks on Wednesday'. - :vartype weekly: ~azure.mgmt.containerservice.v2022_11_02_preview.models.WeeklySchedule + :vartype weekly: ~azure.mgmt.containerservice.v2023_01_02_preview.models.WeeklySchedule :ivar absolute_monthly: For schedules like: 'recur every month on the 15th' or 'recur every 3 months on the 20th'. :vartype absolute_monthly: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.AbsoluteMonthlySchedule + ~azure.mgmt.containerservice.v2023_01_02_preview.models.AbsoluteMonthlySchedule :ivar relative_monthly: For schedules like: 'recur every month on the first Monday' or 'recur every 3 months on last Friday'. :vartype relative_monthly: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.RelativeMonthlySchedule + ~azure.mgmt.containerservice.v2023_01_02_preview.models.RelativeMonthlySchedule """ _attribute_map = { @@ -7130,22 +7205,22 @@ def __init__( weekly: Optional["_models.WeeklySchedule"] = None, absolute_monthly: Optional["_models.AbsoluteMonthlySchedule"] = None, relative_monthly: Optional["_models.RelativeMonthlySchedule"] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword daily: For schedules like: 'recur every day' or 'recur every 3 days'. - :paramtype daily: ~azure.mgmt.containerservice.v2022_11_02_preview.models.DailySchedule + :paramtype daily: ~azure.mgmt.containerservice.v2023_01_02_preview.models.DailySchedule :keyword weekly: For schedules like: 'recur every Monday' or 'recur every 3 weeks on Wednesday'. - :paramtype weekly: ~azure.mgmt.containerservice.v2022_11_02_preview.models.WeeklySchedule + :paramtype weekly: ~azure.mgmt.containerservice.v2023_01_02_preview.models.WeeklySchedule :keyword absolute_monthly: For schedules like: 'recur every month on the 15th' or 'recur every 3 months on the 20th'. :paramtype absolute_monthly: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.AbsoluteMonthlySchedule + ~azure.mgmt.containerservice.v2023_01_02_preview.models.AbsoluteMonthlySchedule :keyword relative_monthly: For schedules like: 'recur every month on the first Monday' or 'recur every 3 months on last Friday'. :paramtype relative_monthly: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.RelativeMonthlySchedule + ~azure.mgmt.containerservice.v2023_01_02_preview.models.RelativeMonthlySchedule """ super().__init__(**kwargs) self.daily = daily @@ -7171,30 +7246,30 @@ class Snapshot(TrackedResource): # pylint: disable=too-many-instance-attributes :vartype type: str :ivar system_data: Azure Resource Manager metadata containing createdBy and modifiedBy information. - :vartype system_data: ~azure.mgmt.containerservice.v2022_11_02_preview.models.SystemData + :vartype system_data: ~azure.mgmt.containerservice.v2023_01_02_preview.models.SystemData :ivar tags: Resource tags. :vartype tags: dict[str, str] :ivar location: The geo-location where the resource lives. Required. :vartype location: str :ivar creation_data: CreationData to be used to specify the source agent pool resource ID to create this snapshot. - :vartype creation_data: ~azure.mgmt.containerservice.v2022_11_02_preview.models.CreationData + :vartype creation_data: ~azure.mgmt.containerservice.v2023_01_02_preview.models.CreationData :ivar snapshot_type: The type of a snapshot. The default is NodePool. Known values are: "NodePool" and "ManagedCluster". :vartype snapshot_type: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.SnapshotType + ~azure.mgmt.containerservice.v2023_01_02_preview.models.SnapshotType :ivar kubernetes_version: The version of Kubernetes. :vartype kubernetes_version: str :ivar node_image_version: The version of node image. :vartype node_image_version: str :ivar os_type: The operating system type. The default is Linux. Known values are: "Linux" and "Windows". - :vartype os_type: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSType + :vartype os_type: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSType :ivar os_sku: Specifies the OS SKU used by the agent pool. If not specified, the default is Ubuntu if OSType=Linux or Windows2019 if OSType=Windows. And the default Windows OSSKU will be changed to Windows2022 after Windows2019 is deprecated. Known values are: "Ubuntu", "CBLMariner", "Mariner", "Windows2019", and "Windows2022". - :vartype os_sku: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSSKU + :vartype os_sku: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSSKU :ivar vm_size: The size of the VM. :vartype vm_size: str :ivar enable_fips: Whether to use a FIPS-enabled OS. @@ -7239,8 +7314,8 @@ def __init__( tags: Optional[Dict[str, str]] = None, creation_data: Optional["_models.CreationData"] = None, snapshot_type: Union[str, "_models.SnapshotType"] = "NodePool", - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword tags: Resource tags. :paramtype tags: dict[str, str] @@ -7248,11 +7323,11 @@ def __init__( :paramtype location: str :keyword creation_data: CreationData to be used to specify the source agent pool resource ID to create this snapshot. - :paramtype creation_data: ~azure.mgmt.containerservice.v2022_11_02_preview.models.CreationData + :paramtype creation_data: ~azure.mgmt.containerservice.v2023_01_02_preview.models.CreationData :keyword snapshot_type: The type of a snapshot. The default is NodePool. Known values are: "NodePool" and "ManagedCluster". :paramtype snapshot_type: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.SnapshotType + ~azure.mgmt.containerservice.v2023_01_02_preview.models.SnapshotType """ super().__init__(tags=tags, location=location, **kwargs) self.creation_data = creation_data @@ -7271,7 +7346,7 @@ class SnapshotListResult(_serialization.Model): Variables are only populated by the server, and will be ignored when sending a request. :ivar value: The list of snapshots. - :vartype value: list[~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot] + :vartype value: list[~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot] :ivar next_link: The URL to get the next set of snapshot results. :vartype next_link: str """ @@ -7285,10 +7360,10 @@ class SnapshotListResult(_serialization.Model): "next_link": {"key": "nextLink", "type": "str"}, } - def __init__(self, *, value: Optional[List["_models.Snapshot"]] = None, **kwargs): + def __init__(self, *, value: Optional[List["_models.Snapshot"]] = None, **kwargs: Any) -> None: """ :keyword value: The list of snapshots. - :paramtype value: list[~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot] + :paramtype value: list[~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot] """ super().__init__(**kwargs) self.value = value @@ -7418,8 +7493,8 @@ def __init__( # pylint: disable=too-many-locals vm_max_map_count: Optional[int] = None, vm_swappiness: Optional[int] = None, vm_vfs_cache_pressure: Optional[int] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword net_core_somaxconn: Sysctl setting net.core.somaxconn. :paramtype net_core_somaxconn: int @@ -7517,7 +7592,7 @@ class SystemData(_serialization.Model): :ivar created_by_type: The type of identity that created the resource. Known values are: "User", "Application", "ManagedIdentity", and "Key". :vartype created_by_type: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.CreatedByType + ~azure.mgmt.containerservice.v2023_01_02_preview.models.CreatedByType :ivar created_at: The timestamp of resource creation (UTC). :vartype created_at: ~datetime.datetime :ivar last_modified_by: The identity that last modified the resource. @@ -7525,7 +7600,7 @@ class SystemData(_serialization.Model): :ivar last_modified_by_type: The type of identity that last modified the resource. Known values are: "User", "Application", "ManagedIdentity", and "Key". :vartype last_modified_by_type: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.CreatedByType + ~azure.mgmt.containerservice.v2023_01_02_preview.models.CreatedByType :ivar last_modified_at: The timestamp of resource last modification (UTC). :vartype last_modified_at: ~datetime.datetime """ @@ -7548,15 +7623,15 @@ def __init__( last_modified_by: Optional[str] = None, last_modified_by_type: Optional[Union[str, "_models.CreatedByType"]] = None, last_modified_at: Optional[datetime.datetime] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword created_by: The identity that created the resource. :paramtype created_by: str :keyword created_by_type: The type of identity that created the resource. Known values are: "User", "Application", "ManagedIdentity", and "Key". :paramtype created_by_type: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.CreatedByType + ~azure.mgmt.containerservice.v2023_01_02_preview.models.CreatedByType :keyword created_at: The timestamp of resource creation (UTC). :paramtype created_at: ~datetime.datetime :keyword last_modified_by: The identity that last modified the resource. @@ -7564,7 +7639,7 @@ def __init__( :keyword last_modified_by_type: The type of identity that last modified the resource. Known values are: "User", "Application", "ManagedIdentity", and "Key". :paramtype last_modified_by_type: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.CreatedByType + ~azure.mgmt.containerservice.v2023_01_02_preview.models.CreatedByType :keyword last_modified_at: The timestamp of resource last modification (UTC). :paramtype last_modified_at: ~datetime.datetime """ @@ -7588,7 +7663,7 @@ class TagsObject(_serialization.Model): "tags": {"key": "tags", "type": "{str}"}, } - def __init__(self, *, tags: Optional[Dict[str, str]] = None, **kwargs): + def __init__(self, *, tags: Optional[Dict[str, str]] = None, **kwargs: Any) -> None: """ :keyword tags: Resource tags. :paramtype tags: dict[str, str] @@ -7602,7 +7677,7 @@ class TimeInWeek(_serialization.Model): :ivar day: The day of the week. Known values are: "Sunday", "Monday", "Tuesday", "Wednesday", "Thursday", "Friday", and "Saturday". - :vartype day: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.WeekDay + :vartype day: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.WeekDay :ivar hour_slots: Each integer hour represents a time range beginning at 0m after the hour ending at the next hour (non-inclusive). 0 corresponds to 00:00 UTC, 23 corresponds to 23:00 UTC. Specifying [0, 1] means the 00:00 - 02:00 UTC time range. @@ -7615,12 +7690,16 @@ class TimeInWeek(_serialization.Model): } def __init__( - self, *, day: Optional[Union[str, "_models.WeekDay"]] = None, hour_slots: Optional[List[int]] = None, **kwargs - ): + self, + *, + day: Optional[Union[str, "_models.WeekDay"]] = None, + hour_slots: Optional[List[int]] = None, + **kwargs: Any + ) -> None: """ :keyword day: The day of the week. Known values are: "Sunday", "Monday", "Tuesday", "Wednesday", "Thursday", "Friday", and "Saturday". - :paramtype day: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.WeekDay + :paramtype day: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.WeekDay :keyword hour_slots: Each integer hour represents a time range beginning at 0m after the hour ending at the next hour (non-inclusive). 0 corresponds to 00:00 UTC, 23 corresponds to 23:00 UTC. Specifying [0, 1] means the 00:00 - 02:00 UTC time range. @@ -7645,7 +7724,9 @@ class TimeSpan(_serialization.Model): "end": {"key": "end", "type": "iso-8601"}, } - def __init__(self, *, start: Optional[datetime.datetime] = None, end: Optional[datetime.datetime] = None, **kwargs): + def __init__( + self, *, start: Optional[datetime.datetime] = None, end: Optional[datetime.datetime] = None, **kwargs: Any + ) -> None: """ :keyword start: The start of a time span. :paramtype start: ~datetime.datetime @@ -7670,7 +7751,7 @@ class TrustedAccessRole(_serialization.Model): Role `_. :vartype rules: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRoleRule] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRoleRule] """ _validation = { @@ -7685,7 +7766,7 @@ class TrustedAccessRole(_serialization.Model): "rules": {"key": "rules", "type": "[TrustedAccessRoleRule]"}, } - def __init__(self, **kwargs): + def __init__(self, **kwargs: Any) -> None: """ """ super().__init__(**kwargs) self.source_resource_type = None @@ -7710,11 +7791,11 @@ class TrustedAccessRoleBinding(Resource): :vartype type: str :ivar system_data: Azure Resource Manager metadata containing createdBy and modifiedBy information. - :vartype system_data: ~azure.mgmt.containerservice.v2022_11_02_preview.models.SystemData + :vartype system_data: ~azure.mgmt.containerservice.v2023_01_02_preview.models.SystemData :ivar provisioning_state: The current provisioning state of trusted access role binding. Known values are: "Canceled", "Deleting", "Failed", "Succeeded", and "Updating". :vartype provisioning_state: str or - ~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRoleBindingProvisioningState + ~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRoleBindingProvisioningState :ivar source_resource_id: The ARM resource ID of source resource that trusted access is configured for. Required. :vartype source_resource_id: str @@ -7743,7 +7824,7 @@ class TrustedAccessRoleBinding(Resource): "roles": {"key": "properties.roles", "type": "[str]"}, } - def __init__(self, *, source_resource_id: str, roles: List[str], **kwargs): + def __init__(self, *, source_resource_id: str, roles: List[str], **kwargs: Any) -> None: """ :keyword source_resource_id: The ARM resource ID of source resource that trusted access is configured for. Required. @@ -7765,7 +7846,7 @@ class TrustedAccessRoleBindingListResult(_serialization.Model): :ivar value: Role binding list. :vartype value: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRoleBinding] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRoleBinding] :ivar next_link: Link to next page of resources. :vartype next_link: str """ @@ -7779,11 +7860,11 @@ class TrustedAccessRoleBindingListResult(_serialization.Model): "next_link": {"key": "nextLink", "type": "str"}, } - def __init__(self, *, value: Optional[List["_models.TrustedAccessRoleBinding"]] = None, **kwargs): + def __init__(self, *, value: Optional[List["_models.TrustedAccessRoleBinding"]] = None, **kwargs: Any) -> None: """ :keyword value: Role binding list. :paramtype value: - list[~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRoleBinding] + list[~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRoleBinding] """ super().__init__(**kwargs) self.value = value @@ -7796,7 +7877,7 @@ class TrustedAccessRoleListResult(_serialization.Model): Variables are only populated by the server, and will be ignored when sending a request. :ivar value: Role list. - :vartype value: list[~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRole] + :vartype value: list[~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRole] :ivar next_link: Link to next page of resources. :vartype next_link: str """ @@ -7811,7 +7892,7 @@ class TrustedAccessRoleListResult(_serialization.Model): "next_link": {"key": "nextLink", "type": "str"}, } - def __init__(self, **kwargs): + def __init__(self, **kwargs: Any) -> None: """ """ super().__init__(**kwargs) self.value = None @@ -7851,7 +7932,7 @@ class TrustedAccessRoleRule(_serialization.Model): "non_resource_ur_ls": {"key": "nonResourceURLs", "type": "[str]"}, } - def __init__(self, **kwargs): + def __init__(self, **kwargs: Any) -> None: """ """ super().__init__(**kwargs) self.verbs = None @@ -7861,6 +7942,48 @@ def __init__(self, **kwargs): self.non_resource_ur_ls = None +class UpgradeOverrideSettings(_serialization.Model): + """Settings for overrides when upgrading a cluster. + + :ivar control_plane_overrides: List of upgrade overrides when upgrading a cluster's control + plane. + :vartype control_plane_overrides: list[str or + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ControlPlaneUpgradeOverride] + :ivar until: Until when the overrides are effective. Note that this only matches the start time + of an upgrade, and the effectiveness won't change once an upgrade starts even if the ``until`` + expires as upgrade proceeds. This field is not set by default. It must be set for the overrides + to take effect. + :vartype until: ~datetime.datetime + """ + + _attribute_map = { + "control_plane_overrides": {"key": "controlPlaneOverrides", "type": "[str]"}, + "until": {"key": "until", "type": "iso-8601"}, + } + + def __init__( + self, + *, + control_plane_overrides: Optional[List[Union[str, "_models.ControlPlaneUpgradeOverride"]]] = None, + until: Optional[datetime.datetime] = None, + **kwargs: Any + ) -> None: + """ + :keyword control_plane_overrides: List of upgrade overrides when upgrading a cluster's control + plane. + :paramtype control_plane_overrides: list[str or + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ControlPlaneUpgradeOverride] + :keyword until: Until when the overrides are effective. Note that this only matches the start + time of an upgrade, and the effectiveness won't change once an upgrade starts even if the + ``until`` expires as upgrade proceeds. This field is not set by default. It must be set for the + overrides to take effect. + :paramtype until: ~datetime.datetime + """ + super().__init__(**kwargs) + self.control_plane_overrides = control_plane_overrides + self.until = until + + class WeeklySchedule(_serialization.Model): """For schedules like: 'recur every Monday' or 'recur every 3 weeks on Wednesday'. @@ -7870,7 +7993,7 @@ class WeeklySchedule(_serialization.Model): :vartype interval_weeks: int :ivar day_of_week: Specifies on which day of the week the maintenance occurs. Required. Known values are: "Sunday", "Monday", "Tuesday", "Wednesday", "Thursday", "Friday", and "Saturday". - :vartype day_of_week: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.WeekDay + :vartype day_of_week: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.WeekDay """ _validation = { @@ -7883,7 +8006,7 @@ class WeeklySchedule(_serialization.Model): "day_of_week": {"key": "dayOfWeek", "type": "str"}, } - def __init__(self, *, interval_weeks: int, day_of_week: Union[str, "_models.WeekDay"], **kwargs): + def __init__(self, *, interval_weeks: int, day_of_week: Union[str, "_models.WeekDay"], **kwargs: Any) -> None: """ :keyword interval_weeks: Specifies the number of weeks between each set of occurrences. Required. @@ -7891,7 +8014,7 @@ def __init__(self, *, interval_weeks: int, day_of_week: Union[str, "_models.Week :keyword day_of_week: Specifies on which day of the week the maintenance occurs. Required. Known values are: "Sunday", "Monday", "Tuesday", "Wednesday", "Thursday", "Friday", and "Saturday". - :paramtype day_of_week: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.WeekDay + :paramtype day_of_week: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.WeekDay """ super().__init__(**kwargs) self.interval_weeks = interval_weeks @@ -7925,8 +8048,8 @@ def __init__( enabled: Optional[bool] = None, dns_server: Optional[str] = None, root_domain_name: Optional[str] = None, - **kwargs - ): + **kwargs: Any + ) -> None: """ :keyword enabled: Specifies whether to enable Windows gMSA in the managed cluster. :paramtype enabled: bool diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/models/_patch.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/models/_patch.py similarity index 100% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/models/_patch.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/models/_patch.py diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/__init__.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/__init__.py similarity index 100% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/__init__.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/__init__.py diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_agent_pools_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_agent_pools_operations.py similarity index 94% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_agent_pools_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_agent_pools_operations.py index ca88d60c9c9..a918a930839 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_agent_pools_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_agent_pools_operations.py @@ -49,8 +49,8 @@ def build_abort_latest_operation_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -94,8 +94,8 @@ def build_list_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -136,8 +136,8 @@ def build_get_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -181,8 +181,8 @@ def build_create_or_update_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) accept = _headers.pop("Accept", "application/json") @@ -233,8 +233,8 @@ def build_delete_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -280,8 +280,8 @@ def build_get_upgrade_profile_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -325,8 +325,8 @@ def build_get_available_agent_pool_versions_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -367,8 +367,8 @@ def build_upgrade_node_image_version_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -412,7 +412,7 @@ class AgentPoolsOperations: **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2022_11_02_preview.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2023_01_02_preview.ContainerServiceClient`'s :attr:`agent_pools` attribute. """ @@ -439,8 +439,8 @@ def _abort_latest_operation_initial( # pylint: disable=inconsistent-return-stat _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) @@ -513,8 +513,8 @@ def begin_abort_latest_operation( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) polling: Union[bool, PollingMethod] = kwargs.pop("polling", True) @@ -572,14 +572,14 @@ def list(self, resource_group_name: str, resource_name: str, **kwargs: Any) -> I :keyword callable cls: A custom type or function that will be passed the direct response :return: An iterator like instance of either AgentPool or the result of cls(response) :rtype: - ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPool] + ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPool] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.AgentPoolListResult] = kwargs.pop("cls", None) @@ -668,7 +668,7 @@ def get( :type agent_pool_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: AgentPool or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPool + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPool :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -682,8 +682,8 @@ def get( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.AgentPool] = kwargs.pop("cls", None) @@ -740,8 +740,8 @@ def _create_or_update_initial( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.AgentPool] = kwargs.pop("cls", None) @@ -818,7 +818,7 @@ def begin_create_or_update( :param agent_pool_name: The name of the agent pool. Required. :type agent_pool_name: str :param parameters: The agent pool to create or update. Required. - :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPool + :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPool :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str @@ -832,7 +832,7 @@ def begin_create_or_update( Retry-After header is present. :return: An instance of LROPoller that returns either AgentPool or the result of cls(response) :rtype: - ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPool] + ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPool] :raises ~azure.core.exceptions.HttpResponseError: """ @@ -873,7 +873,7 @@ def begin_create_or_update( Retry-After header is present. :return: An instance of LROPoller that returns either AgentPool or the result of cls(response) :rtype: - ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPool] + ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPool] :raises ~azure.core.exceptions.HttpResponseError: """ @@ -897,9 +897,9 @@ def begin_create_or_update( :type resource_name: str :param agent_pool_name: The name of the agent pool. Required. :type agent_pool_name: str - :param parameters: The agent pool to create or update. Is either a model type or a IO type. + :param parameters: The agent pool to create or update. Is either a AgentPool type or a IO type. Required. - :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPool or IO + :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPool or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str @@ -913,14 +913,14 @@ def begin_create_or_update( Retry-After header is present. :return: An instance of LROPoller that returns either AgentPool or the result of cls(response) :rtype: - ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPool] + ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPool] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.AgentPool] = kwargs.pop("cls", None) @@ -986,8 +986,8 @@ def _delete_initial( # pylint: disable=inconsistent-return-statements _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) @@ -1064,8 +1064,8 @@ def begin_delete( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) polling: Union[bool, PollingMethod] = kwargs.pop("polling", True) @@ -1125,7 +1125,7 @@ def get_upgrade_profile( :type agent_pool_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: AgentPoolUpgradeProfile or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolUpgradeProfile + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolUpgradeProfile :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -1139,8 +1139,8 @@ def get_upgrade_profile( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.AgentPoolUpgradeProfile] = kwargs.pop("cls", None) @@ -1195,7 +1195,7 @@ def get_available_agent_pool_versions( :type resource_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: AgentPoolAvailableVersions or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolAvailableVersions + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolAvailableVersions :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -1209,8 +1209,8 @@ def get_available_agent_pool_versions( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.AgentPoolAvailableVersions] = kwargs.pop("cls", None) @@ -1261,8 +1261,8 @@ def _upgrade_node_image_version_initial( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[Optional[_models.AgentPool]] = kwargs.pop("cls", None) @@ -1310,7 +1310,7 @@ def _upgrade_node_image_version_initial( @distributed_trace def begin_upgrade_node_image_version( self, resource_group_name: str, resource_name: str, agent_pool_name: str, **kwargs: Any - ) -> LROPoller[None]: + ) -> LROPoller[_models.AgentPool]: """Upgrades the node image version of an agent pool to the latest. Upgrading the node image version of an agent pool applies the newest OS and runtime updates to @@ -1334,14 +1334,14 @@ def begin_upgrade_node_image_version( Retry-After header is present. :return: An instance of LROPoller that returns either AgentPool or the result of cls(response) :rtype: - ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPool] + ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPool] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) polling: Union[bool, PollingMethod] = kwargs.pop("polling", True) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_maintenance_configurations_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_maintenance_configurations_operations.py similarity index 94% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_maintenance_configurations_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_maintenance_configurations_operations.py index becba72e83b..42d2e5e4de1 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_maintenance_configurations_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_maintenance_configurations_operations.py @@ -47,8 +47,8 @@ def build_list_by_managed_cluster_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -89,8 +89,8 @@ def build_get_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -132,8 +132,8 @@ def build_create_or_update_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) accept = _headers.pop("Accept", "application/json") @@ -178,8 +178,8 @@ def build_delete_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -221,7 +221,7 @@ class MaintenanceConfigurationsOperations: **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2022_11_02_preview.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2023_01_02_preview.ContainerServiceClient`'s :attr:`maintenance_configurations` attribute. """ @@ -251,14 +251,14 @@ def list_by_managed_cluster( :return: An iterator like instance of either MaintenanceConfiguration or the result of cls(response) :rtype: - ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.MaintenanceConfiguration] + ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.MaintenanceConfiguration] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.MaintenanceConfigurationListResult] = kwargs.pop("cls", None) @@ -347,7 +347,7 @@ def get( :type config_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: MaintenanceConfiguration or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.MaintenanceConfiguration + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.MaintenanceConfiguration :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -361,8 +361,8 @@ def get( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.MaintenanceConfiguration] = kwargs.pop("cls", None) @@ -424,13 +424,13 @@ def create_or_update( :type config_name: str :param parameters: The maintenance configuration to create or update. Required. :type parameters: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.MaintenanceConfiguration + ~azure.mgmt.containerservice.v2023_01_02_preview.models.MaintenanceConfiguration :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: MaintenanceConfiguration or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.MaintenanceConfiguration + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.MaintenanceConfiguration :raises ~azure.core.exceptions.HttpResponseError: """ @@ -463,7 +463,7 @@ def create_or_update( :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: MaintenanceConfiguration or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.MaintenanceConfiguration + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.MaintenanceConfiguration :raises ~azure.core.exceptions.HttpResponseError: """ @@ -487,16 +487,16 @@ def create_or_update( :type resource_name: str :param config_name: The name of the maintenance configuration. Required. :type config_name: str - :param parameters: The maintenance configuration to create or update. Is either a model type or - a IO type. Required. + :param parameters: The maintenance configuration to create or update. Is either a + MaintenanceConfiguration type or a IO type. Required. :type parameters: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.MaintenanceConfiguration or IO + ~azure.mgmt.containerservice.v2023_01_02_preview.models.MaintenanceConfiguration or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: MaintenanceConfiguration or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.MaintenanceConfiguration + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.MaintenanceConfiguration :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -510,8 +510,8 @@ def create_or_update( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.MaintenanceConfiguration] = kwargs.pop("cls", None) @@ -592,8 +592,8 @@ def delete( # pylint: disable=inconsistent-return-statements _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_managed_cluster_snapshots_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_managed_cluster_snapshots_operations.py similarity index 93% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_managed_cluster_snapshots_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_managed_cluster_snapshots_operations.py index e03328f064c..65a1a2a6ff9 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_managed_cluster_snapshots_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_managed_cluster_snapshots_operations.py @@ -45,8 +45,8 @@ def build_list_request(subscription_id: str, **kwargs: Any) -> HttpRequest: _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -73,8 +73,8 @@ def build_list_by_resource_group_request(resource_group_name: str, subscription_ _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -105,8 +105,8 @@ def build_get_request(resource_group_name: str, resource_name: str, subscription _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -147,8 +147,8 @@ def build_create_or_update_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) accept = _headers.pop("Accept", "application/json") @@ -192,8 +192,8 @@ def build_update_tags_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) accept = _headers.pop("Accept", "application/json") @@ -237,8 +237,8 @@ def build_delete_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -279,7 +279,7 @@ class ManagedClusterSnapshotsOperations: **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2022_11_02_preview.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2023_01_02_preview.ContainerServiceClient`'s :attr:`managed_cluster_snapshots` attribute. """ @@ -302,14 +302,14 @@ def list(self, **kwargs: Any) -> Iterable["_models.ManagedClusterSnapshot"]: :return: An iterator like instance of either ManagedClusterSnapshot or the result of cls(response) :rtype: - ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot] + ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.ManagedClusterSnapshotListResult] = kwargs.pop("cls", None) @@ -394,14 +394,14 @@ def list_by_resource_group( :return: An iterator like instance of either ManagedClusterSnapshot or the result of cls(response) :rtype: - ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot] + ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.ManagedClusterSnapshotListResult] = kwargs.pop("cls", None) @@ -485,7 +485,7 @@ def get(self, resource_group_name: str, resource_name: str, **kwargs: Any) -> _m :type resource_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: ManagedClusterSnapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -499,8 +499,8 @@ def get(self, resource_group_name: str, resource_name: str, **kwargs: Any) -> _m _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.ManagedClusterSnapshot] = kwargs.pop("cls", None) @@ -558,13 +558,13 @@ def create_or_update( :type resource_name: str :param parameters: The managed cluster snapshot to create or update. Required. :type parameters: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: ManagedClusterSnapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot :raises ~azure.core.exceptions.HttpResponseError: """ @@ -594,7 +594,7 @@ def create_or_update( :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: ManagedClusterSnapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot :raises ~azure.core.exceptions.HttpResponseError: """ @@ -615,16 +615,16 @@ def create_or_update( :type resource_group_name: str :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str - :param parameters: The managed cluster snapshot to create or update. Is either a model type or - a IO type. Required. + :param parameters: The managed cluster snapshot to create or update. Is either a + ManagedClusterSnapshot type or a IO type. Required. :type parameters: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot or IO + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: ManagedClusterSnapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -638,8 +638,8 @@ def create_or_update( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.ManagedClusterSnapshot] = kwargs.pop("cls", None) @@ -713,13 +713,13 @@ def update_tags( :type resource_name: str :param parameters: Parameters supplied to the Update managed cluster snapshot Tags operation. Required. - :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.TagsObject + :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.TagsObject :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: ManagedClusterSnapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot :raises ~azure.core.exceptions.HttpResponseError: """ @@ -750,7 +750,7 @@ def update_tags( :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: ManagedClusterSnapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot :raises ~azure.core.exceptions.HttpResponseError: """ @@ -768,14 +768,14 @@ def update_tags( :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str :param parameters: Parameters supplied to the Update managed cluster snapshot Tags operation. - Is either a model type or a IO type. Required. - :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.TagsObject or IO + Is either a TagsObject type or a IO type. Required. + :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.TagsObject or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: ManagedClusterSnapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -789,8 +789,8 @@ def update_tags( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.ManagedClusterSnapshot] = kwargs.pop("cls", None) @@ -868,8 +868,8 @@ def delete( # pylint: disable=inconsistent-return-statements _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_managed_clusters_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_managed_clusters_operations.py similarity index 94% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_managed_clusters_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_managed_clusters_operations.py index 69f6be28693..221d438ba07 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_managed_clusters_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_managed_clusters_operations.py @@ -49,8 +49,8 @@ def build_get_os_options_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -81,8 +81,8 @@ def build_list_request(subscription_id: str, **kwargs: Any) -> HttpRequest: _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -109,8 +109,8 @@ def build_list_by_resource_group_request(resource_group_name: str, subscription_ _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -143,8 +143,8 @@ def build_get_upgrade_profile_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -185,8 +185,8 @@ def build_get_access_profile_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -233,8 +233,8 @@ def build_list_cluster_admin_credentials_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -283,8 +283,8 @@ def build_list_cluster_user_credentials_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -334,8 +334,8 @@ def build_list_cluster_monitoring_user_credentials_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -376,8 +376,8 @@ def build_get_request(resource_group_name: str, resource_name: str, subscription _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -418,8 +418,8 @@ def build_create_or_update_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) accept = _headers.pop("Accept", "application/json") @@ -463,8 +463,8 @@ def build_update_tags_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) accept = _headers.pop("Accept", "application/json") @@ -513,8 +513,8 @@ def build_delete_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -559,8 +559,8 @@ def build_reset_service_principal_profile_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) accept = _headers.pop("Accept", "application/json") @@ -604,8 +604,8 @@ def build_reset_aad_profile_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) accept = _headers.pop("Accept", "application/json") @@ -649,8 +649,8 @@ def build_abort_latest_operation_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -691,8 +691,8 @@ def build_rotate_cluster_certificates_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -733,8 +733,8 @@ def build_rotate_service_account_signing_keys_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -775,8 +775,8 @@ def build_stop_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -817,8 +817,8 @@ def build_start_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -859,8 +859,8 @@ def build_run_command_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) accept = _headers.pop("Accept", "application/json") @@ -904,8 +904,8 @@ def build_get_command_result_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -947,8 +947,8 @@ def build_list_outbound_network_dependencies_endpoints_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -989,7 +989,7 @@ class ManagedClustersOperations: # pylint: disable=too-many-public-methods **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2022_11_02_preview.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2023_01_02_preview.ContainerServiceClient`'s :attr:`managed_clusters` attribute. """ @@ -1017,7 +1017,7 @@ def get_os_options( :type resource_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: OSOptionProfile or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSOptionProfile + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSOptionProfile :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -1031,8 +1031,8 @@ def get_os_options( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.OSOptionProfile] = kwargs.pop("cls", None) @@ -1078,14 +1078,14 @@ def list(self, **kwargs: Any) -> Iterable["_models.ManagedCluster"]: :keyword callable cls: A custom type or function that will be passed the direct response :return: An iterator like instance of either ManagedCluster or the result of cls(response) :rtype: - ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster] + ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.ManagedClusterListResult] = kwargs.pop("cls", None) @@ -1165,14 +1165,14 @@ def list_by_resource_group(self, resource_group_name: str, **kwargs: Any) -> Ite :keyword callable cls: A custom type or function that will be passed the direct response :return: An iterator like instance of either ManagedCluster or the result of cls(response) :rtype: - ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster] + ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.ManagedClusterListResult] = kwargs.pop("cls", None) @@ -1258,7 +1258,7 @@ def get_upgrade_profile( :type resource_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: ManagedClusterUpgradeProfile or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterUpgradeProfile + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterUpgradeProfile :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -1272,8 +1272,8 @@ def get_upgrade_profile( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.ManagedClusterUpgradeProfile] = kwargs.pop("cls", None) @@ -1330,7 +1330,7 @@ def get_access_profile( :type role_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: ManagedClusterAccessProfile or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAccessProfile + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAccessProfile :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -1344,8 +1344,8 @@ def get_access_profile( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.ManagedClusterAccessProfile] = kwargs.pop("cls", None) @@ -1400,7 +1400,7 @@ def list_cluster_admin_credentials( :type server_fqdn: str :keyword callable cls: A custom type or function that will be passed the direct response :return: CredentialResults or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.CredentialResults + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.CredentialResults :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -1414,8 +1414,8 @@ def list_cluster_admin_credentials( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.CredentialResults] = kwargs.pop("cls", None) @@ -1477,10 +1477,10 @@ def list_cluster_user_credentials( 'azure' will return azure auth-provider kubeconfig; format 'exec' will return exec format kubeconfig, which requires kubelogin binary in the path. Known values are: "azure" and "exec". Default value is None. - :type format: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.Format + :type format: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.Format :keyword callable cls: A custom type or function that will be passed the direct response :return: CredentialResults or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.CredentialResults + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.CredentialResults :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -1494,8 +1494,8 @@ def list_cluster_user_credentials( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.CredentialResults] = kwargs.pop("cls", None) @@ -1551,7 +1551,7 @@ def list_cluster_monitoring_user_credentials( :type server_fqdn: str :keyword callable cls: A custom type or function that will be passed the direct response :return: CredentialResults or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.CredentialResults + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.CredentialResults :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -1565,8 +1565,8 @@ def list_cluster_monitoring_user_credentials( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.CredentialResults] = kwargs.pop("cls", None) @@ -1617,7 +1617,7 @@ def get(self, resource_group_name: str, resource_name: str, **kwargs: Any) -> _m :type resource_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: ManagedCluster or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -1631,8 +1631,8 @@ def get(self, resource_group_name: str, resource_name: str, **kwargs: Any) -> _m _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.ManagedCluster] = kwargs.pop("cls", None) @@ -1683,8 +1683,8 @@ def _create_or_update_initial( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.ManagedCluster] = kwargs.pop("cls", None) @@ -1757,7 +1757,7 @@ def begin_create_or_update( :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str :param parameters: The managed cluster to create or update. Required. - :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster + :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str @@ -1772,7 +1772,7 @@ def begin_create_or_update( :return: An instance of LROPoller that returns either ManagedCluster or the result of cls(response) :rtype: - ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster] + ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster] :raises ~azure.core.exceptions.HttpResponseError: """ @@ -1811,7 +1811,7 @@ def begin_create_or_update( :return: An instance of LROPoller that returns either ManagedCluster or the result of cls(response) :rtype: - ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster] + ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster] :raises ~azure.core.exceptions.HttpResponseError: """ @@ -1828,9 +1828,9 @@ def begin_create_or_update( :type resource_group_name: str :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str - :param parameters: The managed cluster to create or update. Is either a model type or a IO - type. Required. - :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster or IO + :param parameters: The managed cluster to create or update. Is either a ManagedCluster type or + a IO type. Required. + :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str @@ -1845,14 +1845,14 @@ def begin_create_or_update( :return: An instance of LROPoller that returns either ManagedCluster or the result of cls(response) :rtype: - ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster] + ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.ManagedCluster] = kwargs.pop("cls", None) @@ -1912,8 +1912,8 @@ def _update_tags_initial( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.ManagedCluster] = kwargs.pop("cls", None) @@ -1982,7 +1982,7 @@ def begin_update_tags( :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str :param parameters: Parameters supplied to the Update Managed Cluster Tags operation. Required. - :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.TagsObject + :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.TagsObject :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str @@ -1997,7 +1997,7 @@ def begin_update_tags( :return: An instance of LROPoller that returns either ManagedCluster or the result of cls(response) :rtype: - ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster] + ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster] :raises ~azure.core.exceptions.HttpResponseError: """ @@ -2036,7 +2036,7 @@ def begin_update_tags( :return: An instance of LROPoller that returns either ManagedCluster or the result of cls(response) :rtype: - ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster] + ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster] :raises ~azure.core.exceptions.HttpResponseError: """ @@ -2054,8 +2054,8 @@ def begin_update_tags( :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str :param parameters: Parameters supplied to the Update Managed Cluster Tags operation. Is either - a model type or a IO type. Required. - :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.TagsObject or IO + a TagsObject type or a IO type. Required. + :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.TagsObject or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str @@ -2070,14 +2070,14 @@ def begin_update_tags( :return: An instance of LROPoller that returns either ManagedCluster or the result of cls(response) :rtype: - ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster] + ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.ManagedCluster] = kwargs.pop("cls", None) @@ -2141,8 +2141,8 @@ def _delete_initial( # pylint: disable=inconsistent-return-statements _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) @@ -2215,8 +2215,8 @@ def begin_delete( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) polling: Union[bool, PollingMethod] = kwargs.pop("polling", True) @@ -2276,8 +2276,8 @@ def _reset_service_principal_profile_initial( # pylint: disable=inconsistent-re _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[None] = kwargs.pop("cls", None) @@ -2347,7 +2347,7 @@ def begin_reset_service_principal_profile( :type resource_name: str :param parameters: The service principal profile to set on the managed cluster. Required. :type parameters: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterServicePrincipalProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterServicePrincipalProfile :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str @@ -2419,9 +2419,9 @@ def begin_reset_service_principal_profile( :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str :param parameters: The service principal profile to set on the managed cluster. Is either a - model type or a IO type. Required. + ManagedClusterServicePrincipalProfile type or a IO type. Required. :type parameters: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterServicePrincipalProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterServicePrincipalProfile or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. @@ -2441,8 +2441,8 @@ def begin_reset_service_principal_profile( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[None] = kwargs.pop("cls", None) @@ -2506,8 +2506,8 @@ def _reset_aad_profile_initial( # pylint: disable=inconsistent-return-statement _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[None] = kwargs.pop("cls", None) @@ -2568,7 +2568,9 @@ def begin_reset_aad_profile( ) -> LROPoller[None]: """Reset the AAD Profile of a managed cluster. - Reset the AAD Profile of a managed cluster. + **WARNING**\ : This API will be deprecated. Please see `AKS-managed Azure Active Directory + integration `_ to update your cluster with AKS-managed Azure + AD. :param resource_group_name: The name of the resource group. The name is case insensitive. Required. @@ -2577,7 +2579,7 @@ def begin_reset_aad_profile( :type resource_name: str :param parameters: The AAD profile to set on the Managed Cluster. Required. :type parameters: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAADProfile + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAADProfile :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str @@ -2606,7 +2608,9 @@ def begin_reset_aad_profile( ) -> LROPoller[None]: """Reset the AAD Profile of a managed cluster. - Reset the AAD Profile of a managed cluster. + **WARNING**\ : This API will be deprecated. Please see `AKS-managed Azure Active Directory + integration `_ to update your cluster with AKS-managed Azure + AD. :param resource_group_name: The name of the resource group. The name is case insensitive. Required. @@ -2641,17 +2645,19 @@ def begin_reset_aad_profile( ) -> LROPoller[None]: """Reset the AAD Profile of a managed cluster. - Reset the AAD Profile of a managed cluster. + **WARNING**\ : This API will be deprecated. Please see `AKS-managed Azure Active Directory + integration `_ to update your cluster with AKS-managed Azure + AD. :param resource_group_name: The name of the resource group. The name is case insensitive. Required. :type resource_group_name: str :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str - :param parameters: The AAD profile to set on the Managed Cluster. Is either a model type or a - IO type. Required. + :param parameters: The AAD profile to set on the Managed Cluster. Is either a + ManagedClusterAADProfile type or a IO type. Required. :type parameters: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAADProfile or IO + ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAADProfile or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str @@ -2670,8 +2676,8 @@ def begin_reset_aad_profile( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[None] = kwargs.pop("cls", None) @@ -2731,8 +2737,8 @@ def _abort_latest_operation_initial( # pylint: disable=inconsistent-return-stat _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) @@ -2802,8 +2808,8 @@ def begin_abort_latest_operation( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) polling: Union[bool, PollingMethod] = kwargs.pop("polling", True) @@ -2860,8 +2866,8 @@ def _rotate_cluster_certificates_initial( # pylint: disable=inconsistent-return _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) @@ -2927,8 +2933,8 @@ def begin_rotate_cluster_certificates( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) polling: Union[bool, PollingMethod] = kwargs.pop("polling", True) @@ -2985,8 +2991,8 @@ def _rotate_service_account_signing_keys_initial( # pylint: disable=inconsisten _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) @@ -3051,8 +3057,8 @@ def begin_rotate_service_account_signing_keys( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) polling: Union[bool, PollingMethod] = kwargs.pop("polling", True) @@ -3109,8 +3115,8 @@ def _stop_initial( # pylint: disable=inconsistent-return-statements _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) @@ -3177,8 +3183,8 @@ def begin_stop(self, resource_group_name: str, resource_name: str, **kwargs: Any _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) polling: Union[bool, PollingMethod] = kwargs.pop("polling", True) @@ -3235,8 +3241,8 @@ def _start_initial( # pylint: disable=inconsistent-return-statements _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) @@ -3300,8 +3306,8 @@ def begin_start(self, resource_group_name: str, resource_name: str, **kwargs: An _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) polling: Union[bool, PollingMethod] = kwargs.pop("polling", True) @@ -3362,8 +3368,8 @@ def _run_command_initial( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[Optional[_models.RunCommandResult]] = kwargs.pop("cls", None) @@ -3441,7 +3447,7 @@ def begin_run_command( :type resource_name: str :param request_payload: The run command request. Required. :type request_payload: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.RunCommandRequest + ~azure.mgmt.containerservice.v2023_01_02_preview.models.RunCommandRequest :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str @@ -3456,7 +3462,7 @@ def begin_run_command( :return: An instance of LROPoller that returns either RunCommandResult or the result of cls(response) :rtype: - ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.RunCommandResult] + ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.RunCommandResult] :raises ~azure.core.exceptions.HttpResponseError: """ @@ -3497,7 +3503,7 @@ def begin_run_command( :return: An instance of LROPoller that returns either RunCommandResult or the result of cls(response) :rtype: - ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.RunCommandResult] + ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.RunCommandResult] :raises ~azure.core.exceptions.HttpResponseError: """ @@ -3520,9 +3526,10 @@ def begin_run_command( :type resource_group_name: str :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str - :param request_payload: The run command request. Is either a model type or a IO type. Required. + :param request_payload: The run command request. Is either a RunCommandRequest type or a IO + type. Required. :type request_payload: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.RunCommandRequest or IO + ~azure.mgmt.containerservice.v2023_01_02_preview.models.RunCommandRequest or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str @@ -3537,14 +3544,14 @@ def begin_run_command( :return: An instance of LROPoller that returns either RunCommandResult or the result of cls(response) :rtype: - ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.RunCommandResult] + ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.RunCommandResult] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.RunCommandResult] = kwargs.pop("cls", None) @@ -3609,7 +3616,7 @@ def get_command_result( :type command_id: str :keyword callable cls: A custom type or function that will be passed the direct response :return: RunCommandResult or None or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.RunCommandResult or None + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.RunCommandResult or None :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -3623,8 +3630,8 @@ def get_command_result( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[Optional[_models.RunCommandResult]] = kwargs.pop("cls", None) @@ -3687,14 +3694,14 @@ def list_outbound_network_dependencies_endpoints( :return: An iterator like instance of either OutboundEnvironmentEndpoint or the result of cls(response) :rtype: - ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.OutboundEnvironmentEndpoint] + ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.OutboundEnvironmentEndpoint] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.OutboundEnvironmentEndpointCollection] = kwargs.pop("cls", None) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_operations.py similarity index 94% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_operations.py index 5a4c65264cf..35bc83273f9 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_operations.py @@ -45,8 +45,8 @@ def build_list_request(**kwargs: Any) -> HttpRequest: _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -68,7 +68,7 @@ class Operations: **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2022_11_02_preview.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2023_01_02_preview.ContainerServiceClient`'s :attr:`operations` attribute. """ @@ -90,14 +90,14 @@ def list(self, **kwargs: Any) -> Iterable["_models.OperationValue"]: :keyword callable cls: A custom type or function that will be passed the direct response :return: An iterator like instance of either OperationValue or the result of cls(response) :rtype: - ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.OperationValue] + ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.OperationValue] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.OperationListResult] = kwargs.pop("cls", None) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_patch.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_patch.py similarity index 100% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_patch.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_patch.py diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_private_endpoint_connections_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_private_endpoint_connections_operations.py similarity index 94% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_private_endpoint_connections_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_private_endpoint_connections_operations.py index d8b2310ae03..255b50dcdf9 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_private_endpoint_connections_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_private_endpoint_connections_operations.py @@ -47,8 +47,8 @@ def build_list_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -93,8 +93,8 @@ def build_get_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -142,8 +142,8 @@ def build_update_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) accept = _headers.pop("Accept", "application/json") @@ -194,8 +194,8 @@ def build_delete_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -239,7 +239,7 @@ class PrivateEndpointConnectionsOperations: **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2022_11_02_preview.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2023_01_02_preview.ContainerServiceClient`'s :attr:`private_endpoint_connections` attribute. """ @@ -269,7 +269,7 @@ def list( :keyword callable cls: A custom type or function that will be passed the direct response :return: PrivateEndpointConnectionListResult or the result of cls(response) :rtype: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateEndpointConnectionListResult + ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateEndpointConnectionListResult :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -283,8 +283,8 @@ def list( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.PrivateEndpointConnectionListResult] = kwargs.pop("cls", None) @@ -339,7 +339,7 @@ def get( :type private_endpoint_connection_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: PrivateEndpointConnection or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateEndpointConnection + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateEndpointConnection :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -353,8 +353,8 @@ def get( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.PrivateEndpointConnection] = kwargs.pop("cls", None) @@ -416,13 +416,13 @@ def update( :type private_endpoint_connection_name: str :param parameters: The updated private endpoint connection. Required. :type parameters: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateEndpointConnection + ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateEndpointConnection :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: PrivateEndpointConnection or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateEndpointConnection + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateEndpointConnection :raises ~azure.core.exceptions.HttpResponseError: """ @@ -455,7 +455,7 @@ def update( :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: PrivateEndpointConnection or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateEndpointConnection + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateEndpointConnection :raises ~azure.core.exceptions.HttpResponseError: """ @@ -479,16 +479,16 @@ def update( :type resource_name: str :param private_endpoint_connection_name: The name of the private endpoint connection. Required. :type private_endpoint_connection_name: str - :param parameters: The updated private endpoint connection. Is either a model type or a IO - type. Required. + :param parameters: The updated private endpoint connection. Is either a + PrivateEndpointConnection type or a IO type. Required. :type parameters: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateEndpointConnection or IO + ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateEndpointConnection or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: PrivateEndpointConnection or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateEndpointConnection + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateEndpointConnection :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -502,8 +502,8 @@ def update( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.PrivateEndpointConnection] = kwargs.pop("cls", None) @@ -567,8 +567,8 @@ def _delete_initial( # pylint: disable=inconsistent-return-statements _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) @@ -632,8 +632,8 @@ def begin_delete( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) polling: Union[bool, PollingMethod] = kwargs.pop("polling", True) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_private_link_resources_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_private_link_resources_operations.py similarity index 94% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_private_link_resources_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_private_link_resources_operations.py index 2b255624fe9..a0e741a711c 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_private_link_resources_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_private_link_resources_operations.py @@ -45,8 +45,8 @@ def build_list_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -87,7 +87,7 @@ class PrivateLinkResourcesOperations: **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2022_11_02_preview.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2023_01_02_preview.ContainerServiceClient`'s :attr:`private_link_resources` attribute. """ @@ -116,7 +116,7 @@ def list( :type resource_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: PrivateLinkResourcesListResult or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateLinkResourcesListResult + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateLinkResourcesListResult :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -130,8 +130,8 @@ def list( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.PrivateLinkResourcesListResult] = kwargs.pop("cls", None) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_resolve_private_link_service_id_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_resolve_private_link_service_id_operations.py similarity index 93% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_resolve_private_link_service_id_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_resolve_private_link_service_id_operations.py index cca5d8daa90..55624232257 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_resolve_private_link_service_id_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_resolve_private_link_service_id_operations.py @@ -45,8 +45,8 @@ def build_post_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) accept = _headers.pop("Accept", "application/json") @@ -90,7 +90,7 @@ class ResolvePrivateLinkServiceIdOperations: **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2022_11_02_preview.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2023_01_02_preview.ContainerServiceClient`'s :attr:`resolve_private_link_service_id` attribute. """ @@ -123,13 +123,13 @@ def post( :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str :param parameters: Parameters required in order to resolve a private link service ID. Required. - :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateLinkResource + :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateLinkResource :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: PrivateLinkResource or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateLinkResource + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateLinkResource :raises ~azure.core.exceptions.HttpResponseError: """ @@ -159,7 +159,7 @@ def post( :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: PrivateLinkResource or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateLinkResource + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateLinkResource :raises ~azure.core.exceptions.HttpResponseError: """ @@ -181,15 +181,15 @@ def post( :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str :param parameters: Parameters required in order to resolve a private link service ID. Is either - a model type or a IO type. Required. - :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateLinkResource + a PrivateLinkResource type or a IO type. Required. + :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateLinkResource or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: PrivateLinkResource or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateLinkResource + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateLinkResource :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -203,8 +203,8 @@ def post( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.PrivateLinkResource] = kwargs.pop("cls", None) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_snapshots_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_snapshots_operations.py similarity index 93% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_snapshots_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_snapshots_operations.py index 7e2653065fc..afcb482efa7 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_snapshots_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_snapshots_operations.py @@ -45,8 +45,8 @@ def build_list_request(subscription_id: str, **kwargs: Any) -> HttpRequest: _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -71,8 +71,8 @@ def build_list_by_resource_group_request(resource_group_name: str, subscription_ _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -103,8 +103,8 @@ def build_get_request(resource_group_name: str, resource_name: str, subscription _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -145,8 +145,8 @@ def build_create_or_update_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) accept = _headers.pop("Accept", "application/json") @@ -190,8 +190,8 @@ def build_update_tags_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) accept = _headers.pop("Accept", "application/json") @@ -235,8 +235,8 @@ def build_delete_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -277,7 +277,7 @@ class SnapshotsOperations: **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2022_11_02_preview.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2023_01_02_preview.ContainerServiceClient`'s :attr:`snapshots` attribute. """ @@ -299,14 +299,14 @@ def list(self, **kwargs: Any) -> Iterable["_models.Snapshot"]: :keyword callable cls: A custom type or function that will be passed the direct response :return: An iterator like instance of either Snapshot or the result of cls(response) :rtype: - ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot] + ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.SnapshotListResult] = kwargs.pop("cls", None) @@ -386,14 +386,14 @@ def list_by_resource_group(self, resource_group_name: str, **kwargs: Any) -> Ite :keyword callable cls: A custom type or function that will be passed the direct response :return: An iterator like instance of either Snapshot or the result of cls(response) :rtype: - ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot] + ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.SnapshotListResult] = kwargs.pop("cls", None) @@ -477,7 +477,7 @@ def get(self, resource_group_name: str, resource_name: str, **kwargs: Any) -> _m :type resource_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: Snapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -491,8 +491,8 @@ def get(self, resource_group_name: str, resource_name: str, **kwargs: Any) -> _m _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.Snapshot] = kwargs.pop("cls", None) @@ -549,13 +549,13 @@ def create_or_update( :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str :param parameters: The snapshot to create or update. Required. - :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot + :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: Snapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot :raises ~azure.core.exceptions.HttpResponseError: """ @@ -585,7 +585,7 @@ def create_or_update( :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: Snapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot :raises ~azure.core.exceptions.HttpResponseError: """ @@ -602,15 +602,15 @@ def create_or_update( :type resource_group_name: str :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str - :param parameters: The snapshot to create or update. Is either a model type or a IO type. + :param parameters: The snapshot to create or update. Is either a Snapshot type or a IO type. Required. - :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot or IO + :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: Snapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -624,8 +624,8 @@ def create_or_update( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.Snapshot] = kwargs.pop("cls", None) @@ -698,13 +698,13 @@ def update_tags( :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str :param parameters: Parameters supplied to the Update snapshot Tags operation. Required. - :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.TagsObject + :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.TagsObject :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: Snapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot :raises ~azure.core.exceptions.HttpResponseError: """ @@ -734,7 +734,7 @@ def update_tags( :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: Snapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot :raises ~azure.core.exceptions.HttpResponseError: """ @@ -751,15 +751,15 @@ def update_tags( :type resource_group_name: str :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str - :param parameters: Parameters supplied to the Update snapshot Tags operation. Is either a model - type or a IO type. Required. - :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.TagsObject or IO + :param parameters: Parameters supplied to the Update snapshot Tags operation. Is either a + TagsObject type or a IO type. Required. + :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.TagsObject or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: Snapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -773,8 +773,8 @@ def update_tags( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.Snapshot] = kwargs.pop("cls", None) @@ -852,8 +852,8 @@ def delete( # pylint: disable=inconsistent-return-statements _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_trusted_access_role_bindings_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_trusted_access_role_bindings_operations.py similarity index 94% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_trusted_access_role_bindings_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_trusted_access_role_bindings_operations.py index fab74f366bf..5dd2a449d7e 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_trusted_access_role_bindings_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_trusted_access_role_bindings_operations.py @@ -47,8 +47,8 @@ def build_list_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -93,8 +93,8 @@ def build_get_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -147,8 +147,8 @@ def build_create_or_update_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) accept = _headers.pop("Accept", "application/json") @@ -204,8 +204,8 @@ def build_delete_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -254,7 +254,7 @@ class TrustedAccessRoleBindingsOperations: **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2022_11_02_preview.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2023_01_02_preview.ContainerServiceClient`'s :attr:`trusted_access_role_bindings` attribute. """ @@ -284,14 +284,14 @@ def list( :return: An iterator like instance of either TrustedAccessRoleBinding or the result of cls(response) :rtype: - ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRoleBinding] + ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRoleBinding] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.TrustedAccessRoleBindingListResult] = kwargs.pop("cls", None) @@ -380,7 +380,7 @@ def get( :type trusted_access_role_binding_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: TrustedAccessRoleBinding or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRoleBinding + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRoleBinding :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -394,8 +394,8 @@ def get( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.TrustedAccessRoleBinding] = kwargs.pop("cls", None) @@ -457,13 +457,13 @@ def create_or_update( :type trusted_access_role_binding_name: str :param trusted_access_role_binding: A trusted access role binding. Required. :type trusted_access_role_binding: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRoleBinding + ~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRoleBinding :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: TrustedAccessRoleBinding or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRoleBinding + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRoleBinding :raises ~azure.core.exceptions.HttpResponseError: """ @@ -496,7 +496,7 @@ def create_or_update( :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: TrustedAccessRoleBinding or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRoleBinding + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRoleBinding :raises ~azure.core.exceptions.HttpResponseError: """ @@ -520,16 +520,16 @@ def create_or_update( :type resource_name: str :param trusted_access_role_binding_name: The name of trusted access role binding. Required. :type trusted_access_role_binding_name: str - :param trusted_access_role_binding: A trusted access role binding. Is either a model type or a - IO type. Required. + :param trusted_access_role_binding: A trusted access role binding. Is either a + TrustedAccessRoleBinding type or a IO type. Required. :type trusted_access_role_binding: - ~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRoleBinding or IO + ~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRoleBinding or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: TrustedAccessRoleBinding or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRoleBinding + :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRoleBinding :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -543,8 +543,8 @@ def create_or_update( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.TrustedAccessRoleBinding] = kwargs.pop("cls", None) @@ -625,8 +625,8 @@ def delete( # pylint: disable=inconsistent-return-statements _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_trusted_access_roles_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_trusted_access_roles_operations.py similarity index 95% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_trusted_access_roles_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_trusted_access_roles_operations.py index 0662b59a476..13273c179ef 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_trusted_access_roles_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_trusted_access_roles_operations.py @@ -45,8 +45,8 @@ def build_list_request(location: str, subscription_id: str, **kwargs: Any) -> Ht _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -77,7 +77,7 @@ class TrustedAccessRolesOperations: **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2022_11_02_preview.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2023_01_02_preview.ContainerServiceClient`'s :attr:`trusted_access_roles` attribute. """ @@ -101,14 +101,14 @@ def list(self, location: str, **kwargs: Any) -> Iterable["_models.TrustedAccessR :keyword callable cls: A custom type or function that will be passed the direct response :return: An iterator like instance of either TrustedAccessRole or the result of cls(response) :rtype: - ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRole] + ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRole] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2022-11-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2022-11-02-preview") + api_version: Literal["2023-01-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2023-01-02-preview") ) cls: ClsType[_models.TrustedAccessRoleListResult] = kwargs.pop("cls", None) diff --git a/src/aks-preview/setup.py b/src/aks-preview/setup.py index 1acbb04ffc9..2b2349e86b6 100644 --- a/src/aks-preview/setup.py +++ b/src/aks-preview/setup.py @@ -9,7 +9,7 @@ from setuptools import setup, find_packages -VERSION = "0.5.128" +VERSION = "0.5.129" CLASSIFIERS = [ "Development Status :: 4 - Beta", diff --git a/src/amg/HISTORY.rst b/src/amg/HISTORY.rst index 4c179629036..e19fe1b4b67 100644 --- a/src/amg/HISTORY.rst +++ b/src/amg/HISTORY.rst @@ -23,3 +23,11 @@ Release History ++++++ * `az grafana service-account`: support service accounts +1.0 +++++++ +* Command module GA + +1.1 +++++++ +* `az grafana update`: support email through new SMTP configuration arguments + diff --git a/src/amg/setup.py b/src/amg/setup.py index 95ea2ea696e..4a6e9f39a44 100644 --- a/src/amg/setup.py +++ b/src/amg/setup.py @@ -16,7 +16,7 @@ # TODO: Confirm this is the right version number you want and it matches your # HISTORY.rst entry. -VERSION = '1.0.0' +VERSION = '1.1.0' # The full list of classifiers is available at # https://pypi.python.org/pypi?%3Aaction=list_classifiers diff --git a/src/authV2/HISTORY.rst b/src/authV2/HISTORY.rst index 8c34bccfff8..1f6515da6b8 100644 --- a/src/authV2/HISTORY.rst +++ b/src/authV2/HISTORY.rst @@ -3,6 +3,10 @@ Release History =============== +0.1.2 +++++++ +* Bug fix for '--unauthenticated-client-action' option in webapp auth, updated allowed values. + 0.1.0 ++++++ * Initial release. \ No newline at end of file diff --git a/src/authV2/azext_authV2/_params.py b/src/authV2/azext_authV2/_params.py index 39b7ca030f6..6b4bf95f500 100644 --- a/src/authV2/azext_authV2/_params.py +++ b/src/authV2/azext_authV2/_params.py @@ -12,7 +12,7 @@ from azure.cli.core.local_context import LocalContextAttribute, LocalContextAction from azure.cli.core.cloud import AZURE_PUBLIC_CLOUD, AZURE_CHINA_CLOUD, AZURE_US_GOV_CLOUD, AZURE_GERMAN_CLOUD -UNAUTHENTICATED_CLIENT_ACTION = ['RedirectToLoginPage', 'AllowAnonymous', 'RejectWith401', 'RejectWith404'] +UNAUTHENTICATED_CLIENT_ACTION = ['RedirectToLoginPage', 'AllowAnonymous', 'Return401', 'Return404', 'Return403'] FORWARD_PROXY_CONVENTION = ['NoProxy', 'Standard', 'Custom'] CLOUD_NAMES = [AZURE_PUBLIC_CLOUD.name, AZURE_CHINA_CLOUD.name, AZURE_US_GOV_CLOUD.name, AZURE_GERMAN_CLOUD.name] diff --git a/src/authV2/azext_authV2/tests/latest/recordings/test_authV2_auth.yaml b/src/authV2/azext_authV2/tests/latest/recordings/test_authV2_auth.yaml index 4613db3465f..bf03676877b 100644 --- a/src/authV2/azext_authV2/tests/latest/recordings/test_authV2_auth.yaml +++ b/src/authV2/azext_authV2/tests/latest/recordings/test_authV2_auth.yaml @@ -13,13 +13,12 @@ interactions: ParameterSetName: - -g -n --sku User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.8 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.31) - VSTS_7b238909-6802-4b65-b90d-184bca47f458_build_261_0 + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_authV2000001?api-version=2021-04-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_authV2000001","name":"cli_test_authV2000001","type":"Microsoft.Resources/resourceGroups","location":"westus","tags":{"product":"azurecli","cause":"automation","date":"2023-01-03T03:31:52Z"},"properties":{"provisioningState":"Succeeded"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_authV2000001","name":"cli_test_authV2000001","type":"Microsoft.Resources/resourceGroups","location":"westus","tags":{"product":"azurecli","cause":"automation","date":"2023-01-12T00:06:21Z"},"properties":{"provisioningState":"Succeeded"}}' headers: cache-control: - no-cache @@ -28,15 +27,13 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Tue, 03 Jan 2023 03:31:52 GMT + - Thu, 12 Jan 2023 00:06:55 GMT expires: - '-1' pragma: - no-cache strict-transport-security: - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding x-content-type-options: - nosniff status: @@ -62,14 +59,13 @@ interactions: ParameterSetName: - -g -n --sku User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-web/7.0.0 Python/3.10.8 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.31) - VSTS_7b238909-6802-4b65-b90d-184bca47f458_build_261_0 + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-web/7.0.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: PUT uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_authV2000001/providers/Microsoft.Web/serverfarms/webapp-authentication-plan000003?api-version=2022-03-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_authV2000001/providers/Microsoft.Web/serverfarms/webapp-authentication-plan000003","name":"webapp-authentication-plan000003","type":"Microsoft.Web/serverfarms","kind":"app","location":"westus","properties":{"serverFarmId":36707,"name":"webapp-authentication-plan000003","sku":{"name":"S1","tier":"Standard","size":"S1","family":"S","capacity":1},"workerSize":"Default","workerSizeId":0,"workerTierName":null,"numberOfWorkers":1,"currentWorkerSize":"Default","currentWorkerSizeId":0,"currentNumberOfWorkers":1,"status":"Ready","webSpace":"cli_test_authV2000001-WestUSwebspace","subscription":"0b1f6471-1bf0-4dda-aec3-cb9272f09590","adminSiteName":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"maximumNumberOfWorkers":0,"planName":"VirtualDedicatedPlan","adminRuntimeSiteName":null,"computeMode":"Dedicated","siteMode":null,"geoRegion":"West - US","perSiteScaling":false,"elasticScaleEnabled":false,"maximumElasticWorkerCount":1,"numberOfSites":0,"hostingEnvironmentId":null,"isSpot":false,"spotExpirationTime":null,"freeOfferExpirationTime":null,"tags":null,"kind":"app","resourceGroup":"cli_test_authV2000001","reserved":false,"isXenon":false,"hyperV":false,"mdmId":"waws-prod-bay-173_36707","targetWorkerCount":0,"targetWorkerSizeId":0,"provisioningState":"Succeeded","webSiteId":null,"existingServerFarmIds":null,"kubeEnvironmentProfile":null,"zoneRedundant":false},"sku":{"name":"S1","tier":"Standard","size":"S1","family":"S","capacity":1}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_authV2000001/providers/Microsoft.Web/serverfarms/webapp-authentication-plan000003","name":"webapp-authentication-plan000003","type":"Microsoft.Web/serverfarms","kind":"app","location":"westus","properties":{"serverFarmId":13355,"name":"webapp-authentication-plan000003","sku":{"name":"S1","tier":"Standard","size":"S1","family":"S","capacity":1},"workerSize":"Default","workerSizeId":0,"workerTierName":null,"numberOfWorkers":1,"currentWorkerSize":"Default","currentWorkerSizeId":0,"currentNumberOfWorkers":1,"status":"Ready","webSpace":"cli_test_authV2000001-WestUSwebspace","subscription":"0043ac27-403a-4a41-85b6-c4751acd3610","adminSiteName":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"maximumNumberOfWorkers":0,"planName":"VirtualDedicatedPlan","adminRuntimeSiteName":null,"computeMode":"Dedicated","siteMode":null,"geoRegion":"West + US","perSiteScaling":false,"elasticScaleEnabled":false,"maximumElasticWorkerCount":1,"numberOfSites":0,"hostingEnvironmentId":null,"isSpot":false,"spotExpirationTime":null,"freeOfferExpirationTime":null,"tags":null,"kind":"app","resourceGroup":"cli_test_authV2000001","reserved":false,"isXenon":false,"hyperV":false,"mdmId":"waws-prod-bay-231_13355","targetWorkerCount":0,"targetWorkerSizeId":0,"provisioningState":"Succeeded","webSiteId":null,"existingServerFarmIds":null,"kubeEnvironmentProfile":null,"zoneRedundant":false},"sku":{"name":"S1","tier":"Standard","size":"S1","family":"S","capacity":1}}' headers: cache-control: - no-cache @@ -78,9 +74,9 @@ interactions: content-type: - application/json date: - - Tue, 03 Jan 2023 03:31:59 GMT + - Thu, 12 Jan 2023 00:07:01 GMT etag: - - '"1D91F23EFB463B5"' + - '"1D92619CB4BFE55"' expires: - '-1' pragma: @@ -98,7 +94,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-writes: - - '1199' + - '1198' x-powered-by: - ASP.NET status: @@ -118,15 +114,14 @@ interactions: ParameterSetName: - -g -n --plan User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-web/7.0.0 Python/3.10.8 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.31) - VSTS_7b238909-6802-4b65-b90d-184bca47f458_build_261_0 + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-web/7.0.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_authV2000001/providers/Microsoft.Web/serverfarms/webapp-authentication-plan000003?api-version=2022-03-01 response: body: string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_authV2000001/providers/Microsoft.Web/serverfarms/webapp-authentication-plan000003","name":"webapp-authentication-plan000003","type":"Microsoft.Web/serverfarms","kind":"app","location":"West - US","properties":{"serverFarmId":36707,"name":"webapp-authentication-plan000003","workerSize":"Default","workerSizeId":0,"workerTierName":null,"numberOfWorkers":1,"currentWorkerSize":"Default","currentWorkerSizeId":0,"currentNumberOfWorkers":1,"status":"Ready","webSpace":"cli_test_authV2000001-WestUSwebspace","subscription":"0b1f6471-1bf0-4dda-aec3-cb9272f09590","adminSiteName":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"maximumNumberOfWorkers":10,"planName":"VirtualDedicatedPlan","adminRuntimeSiteName":null,"computeMode":"Dedicated","siteMode":null,"geoRegion":"West - US","perSiteScaling":false,"elasticScaleEnabled":false,"maximumElasticWorkerCount":1,"numberOfSites":0,"hostingEnvironmentId":null,"isSpot":false,"spotExpirationTime":null,"freeOfferExpirationTime":null,"tags":null,"kind":"app","resourceGroup":"cli_test_authV2000001","reserved":false,"isXenon":false,"hyperV":false,"mdmId":"waws-prod-bay-173_36707","targetWorkerCount":0,"targetWorkerSizeId":0,"provisioningState":"Succeeded","webSiteId":null,"existingServerFarmIds":null,"kubeEnvironmentProfile":null,"zoneRedundant":false},"sku":{"name":"S1","tier":"Standard","size":"S1","family":"S","capacity":1}}' + US","properties":{"serverFarmId":13355,"name":"webapp-authentication-plan000003","workerSize":"Default","workerSizeId":0,"workerTierName":null,"numberOfWorkers":1,"currentWorkerSize":"Default","currentWorkerSizeId":0,"currentNumberOfWorkers":1,"status":"Ready","webSpace":"cli_test_authV2000001-WestUSwebspace","subscription":"0043ac27-403a-4a41-85b6-c4751acd3610","adminSiteName":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"maximumNumberOfWorkers":10,"planName":"VirtualDedicatedPlan","adminRuntimeSiteName":null,"computeMode":"Dedicated","siteMode":null,"geoRegion":"West + US","perSiteScaling":false,"elasticScaleEnabled":false,"maximumElasticWorkerCount":1,"numberOfSites":0,"hostingEnvironmentId":null,"isSpot":false,"spotExpirationTime":null,"freeOfferExpirationTime":null,"tags":null,"kind":"app","resourceGroup":"cli_test_authV2000001","reserved":false,"isXenon":false,"hyperV":false,"mdmId":"waws-prod-bay-231_13355","targetWorkerCount":0,"targetWorkerSizeId":0,"provisioningState":"Succeeded","webSiteId":null,"existingServerFarmIds":null,"kubeEnvironmentProfile":null,"zoneRedundant":false},"sku":{"name":"S1","tier":"Standard","size":"S1","family":"S","capacity":1}}' headers: cache-control: - no-cache @@ -135,7 +130,7 @@ interactions: content-type: - application/json date: - - Tue, 03 Jan 2023 03:32:00 GMT + - Thu, 12 Jan 2023 00:07:03 GMT expires: - '-1' pragma: @@ -175,8 +170,7 @@ interactions: ParameterSetName: - -g -n --plan User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-web/7.0.0 Python/3.10.8 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.31) - VSTS_7b238909-6802-4b65-b90d-184bca47f458_build_261_0 + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-web/7.0.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: POST uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Web/checknameavailability?api-version=2022-03-01 response: @@ -190,7 +184,7 @@ interactions: content-type: - application/json date: - - Tue, 03 Jan 2023 03:32:01 GMT + - Thu, 12 Jan 2023 00:07:04 GMT expires: - '-1' pragma: @@ -226,8 +220,7 @@ interactions: ParameterSetName: - -g -n --plan User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-web/7.0.0 Python/3.10.8 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.31) - VSTS_7b238909-6802-4b65-b90d-184bca47f458_build_261_0 + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-web/7.0.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/providers/Microsoft.Web/webAppStacks?api-version=2022-03-01 response: @@ -464,7 +457,7 @@ interactions: content-type: - application/json date: - - Tue, 03 Jan 2023 03:32:01 GMT + - Thu, 12 Jan 2023 00:07:05 GMT expires: - '-1' pragma: @@ -473,10 +466,6 @@ interactions: - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding x-aspnet-version: - 4.0.30319 x-content-type-options: @@ -508,27 +497,26 @@ interactions: ParameterSetName: - -g -n --plan User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-web/7.0.0 Python/3.10.8 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.31) - VSTS_7b238909-6802-4b65-b90d-184bca47f458_build_261_0 + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-web/7.0.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: PUT uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_authV2000001/providers/Microsoft.Web/sites/webapp-authentication-test000002?api-version=2022-03-01 response: body: string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_authV2000001/providers/Microsoft.Web/sites/webapp-authentication-test000002","name":"webapp-authentication-test000002","type":"Microsoft.Web/sites","kind":"app","location":"West - US","properties":{"name":"webapp-authentication-test000002","state":"Running","hostNames":["webapp-authentication-test000002.azurewebsites.net"],"webSpace":"cli_test_authV2000001-WestUSwebspace","selfLink":"https://waws-prod-bay-173.api.azurewebsites.windows.net:454/subscriptions/00000000-0000-0000-0000-000000000000/webspaces/cli_test_authV2000001-WestUSwebspace/sites/webapp-authentication-test000002","repositorySiteName":"webapp-authentication-test000002","owner":null,"usageState":"Normal","enabled":true,"adminEnabled":true,"enabledHostNames":["webapp-authentication-test000002.azurewebsites.net","webapp-authentication-test000002.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":"webapp-authentication-test000002.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"thumbprint":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Standard"},{"name":"webapp-authentication-test000002.scm.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"thumbprint":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Repository"}],"computeMode":null,"serverFarm":null,"serverFarmId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_authV2000001/providers/Microsoft.Web/serverfarms/webapp-authentication-plan000003","reserved":false,"isXenon":false,"hyperV":false,"lastModifiedTimeUtc":"2023-01-03T03:32:05.8166667","storageRecoveryDefaultState":"Running","contentAvailabilityState":"Normal","runtimeAvailabilityState":"Normal","dnsConfiguration":{},"vnetRouteAllEnabled":false,"containerAllocationSubnet":null,"useContainerLocalhostBindings":null,"vnetImagePullEnabled":false,"vnetContentShareEnabled":false,"siteConfig":{"numberOfWorkers":1,"defaultDocuments":null,"netFrameworkVersion":null,"phpVersion":null,"pythonVersion":null,"nodeVersion":null,"powerShellVersion":null,"linuxFxVersion":"","windowsFxVersion":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 + US","properties":{"name":"webapp-authentication-test000002","state":"Running","hostNames":["webapp-authentication-test000002.azurewebsites.net"],"webSpace":"cli_test_authV2000001-WestUSwebspace","selfLink":"https://waws-prod-bay-231.api.azurewebsites.windows.net:454/subscriptions/00000000-0000-0000-0000-000000000000/webspaces/cli_test_authV2000001-WestUSwebspace/sites/webapp-authentication-test000002","repositorySiteName":"webapp-authentication-test000002","owner":null,"usageState":"Normal","enabled":true,"adminEnabled":true,"enabledHostNames":["webapp-authentication-test000002.azurewebsites.net","webapp-authentication-test000002.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":"webapp-authentication-test000002.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"thumbprint":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Standard"},{"name":"webapp-authentication-test000002.scm.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"thumbprint":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Repository"}],"computeMode":null,"serverFarm":null,"serverFarmId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_authV2000001/providers/Microsoft.Web/serverfarms/webapp-authentication-plan000003","reserved":false,"isXenon":false,"hyperV":false,"lastModifiedTimeUtc":"2023-01-12T00:07:10.23","storageRecoveryDefaultState":"Running","contentAvailabilityState":"Normal","runtimeAvailabilityState":"Normal","dnsConfiguration":{},"vnetRouteAllEnabled":false,"containerAllocationSubnet":null,"useContainerLocalhostBindings":null,"vnetImagePullEnabled":false,"vnetContentShareEnabled":false,"siteConfig":{"numberOfWorkers":1,"defaultDocuments":null,"netFrameworkVersion":null,"phpVersion":null,"pythonVersion":null,"nodeVersion":null,"powerShellVersion":null,"linuxFxVersion":"","windowsFxVersion":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,"supportedTlsCipherSuites":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},"deploymentId":"webapp-authentication-test000002","slotName":null,"trafficManagerHostNames":null,"sku":"Standard","scmSiteAlsoStopped":false,"targetSwapSlot":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"clientAffinityEnabled":true,"clientCertEnabled":false,"clientCertMode":"Required","clientCertExclusionPaths":null,"hostNamesDisabled":false,"domainVerificationIdentifiers":null,"customDomainVerificationId":"253001F2FCF5A7B1CD759EB861E9BB1596370BE27E47A991F72184277B3D12F2","kind":"app","inboundIpAddress":"40.112.243.54","possibleInboundIpAddresses":"40.112.243.54","ftpUsername":"webapp-authentication-test000002\\$webapp-authentication-test000002","ftpsHostName":"ftps://waws-prod-bay-173.ftp.azurewebsites.windows.net/site/wwwroot","outboundIpAddresses":"104.45.231.244,23.99.66.110,137.117.16.198,104.40.59.38,23.100.34.88,104.40.81.14,40.112.243.54","possibleOutboundIpAddresses":"104.45.231.244,23.99.66.110,137.117.16.198,104.40.59.38,23.100.34.88,104.40.81.14,104.40.48.42,104.40.63.71,104.40.92.138,104.40.53.9,23.101.205.4,104.40.89.194,23.100.44.42,104.40.77.1,23.101.202.141,23.99.69.83,104.40.84.253,104.40.82.141,23.100.36.113,23.101.203.68,137.117.13.177,104.40.57.193,104.40.49.42,23.100.42.180,104.40.49.141,104.40.49.176,104.45.232.236,137.117.21.10,104.40.48.210,104.40.48.219,40.112.243.54","containerSize":0,"dailyMemoryTimeQuota":0,"suspendedTill":null,"siteDisabledReason":0,"functionExecutionUnitsCache":null,"maxNumberOfWorkers":null,"homeStamp":"waws-prod-bay-173","cloningInfo":null,"hostingEnvironmentId":null,"tags":null,"resourceGroup":"cli_test_authV2000001","defaultHostName":"webapp-authentication-test000002.azurewebsites.net","slotSwapStatus":null,"httpsOnly":false,"redundancyMode":"None","inProgressOperationId":null,"geoDistributions":null,"privateEndpointConnections":null,"publicNetworkAccess":null,"buildVersion":null,"targetBuildVersion":null,"migrationState":null,"eligibleLogCategories":"AppServiceAppLogs,AppServiceAuditLogs,AppServiceConsoleLogs,AppServiceHTTPLogs,AppServiceIPSecAuditLogs,AppServicePlatformLogs,ScanLogs","storageAccountRequired":false,"virtualNetworkSubnetId":null,"keyVaultReferenceIdentity":"SystemAssigned","defaultHostNameScope":"Global","privateLinkIdentifiers":null}}' + all","description":"Allow all access"}],"scmIpSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictionsUseMain":null,"http20Enabled":false,"minTlsVersion":null,"minTlsCipherSuite":null,"supportedTlsCipherSuites":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},"deploymentId":"webapp-authentication-test000002","slotName":null,"trafficManagerHostNames":null,"sku":"Standard","scmSiteAlsoStopped":false,"targetSwapSlot":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"clientAffinityEnabled":true,"clientCertEnabled":false,"clientCertMode":"Required","clientCertExclusionPaths":null,"hostNamesDisabled":false,"domainVerificationIdentifiers":null,"customDomainVerificationId":"4258A33882AF3095031C5D864E4B0C79A6F92AB06F52E299B7E0AFE399706945","kind":"app","inboundIpAddress":"40.112.243.108","possibleInboundIpAddresses":"40.112.243.108","ftpUsername":"webapp-authentication-test000002\\$webapp-authentication-test000002","ftpsHostName":"ftps://waws-prod-bay-231.ftp.azurewebsites.windows.net/site/wwwroot","outboundIpAddresses":"20.245.176.70,20.228.95.95,20.228.95.96,20.228.95.227,20.237.175.247,20.66.45.207,40.112.243.108","possibleOutboundIpAddresses":"20.245.176.70,20.228.95.95,20.228.95.96,20.228.95.227,20.237.175.247,20.66.45.207,20.66.42.149,20.66.44.155,20.66.56.187,20.237.171.11,20.66.58.18,20.66.58.57,20.66.58.64,20.245.177.80,20.66.58.66,20.66.45.209,20.66.58.181,20.66.59.64,20.66.59.71,20.66.46.96,20.66.59.224,20.66.60.135,20.66.60.232,20.66.61.53,20.237.242.142,20.245.177.92,20.66.61.170,20.66.61.223,20.66.62.19,20.237.171.198,40.112.243.108","containerSize":0,"dailyMemoryTimeQuota":0,"suspendedTill":null,"siteDisabledReason":0,"functionExecutionUnitsCache":null,"maxNumberOfWorkers":null,"homeStamp":"waws-prod-bay-231","cloningInfo":null,"hostingEnvironmentId":null,"tags":null,"resourceGroup":"cli_test_authV2000001","defaultHostName":"webapp-authentication-test000002.azurewebsites.net","slotSwapStatus":null,"httpsOnly":false,"redundancyMode":"None","inProgressOperationId":null,"geoDistributions":null,"privateEndpointConnections":null,"publicNetworkAccess":null,"buildVersion":null,"targetBuildVersion":null,"migrationState":null,"eligibleLogCategories":"AppServiceAppLogs,AppServiceAuditLogs,AppServiceConsoleLogs,AppServiceHTTPLogs,AppServiceIPSecAuditLogs,AppServicePlatformLogs,ScanLogs","storageAccountRequired":false,"virtualNetworkSubnetId":null,"keyVaultReferenceIdentity":"SystemAssigned","defaultHostNameScope":"Global","privateLinkIdentifiers":null}}' headers: cache-control: - no-cache content-length: - - '7005' + - '6986' content-type: - application/json date: - - Tue, 03 Jan 2023 03:32:22 GMT + - Thu, 12 Jan 2023 00:07:27 GMT etag: - - '"1D91F23F419788B"' + - '"1D92619D11006EB"' expires: - '-1' pragma: @@ -570,8 +558,7 @@ interactions: ParameterSetName: - -g -n --plan User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-web/7.0.0 Python/3.10.8 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.31) - VSTS_7b238909-6802-4b65-b90d-184bca47f458_build_261_0 + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-web/7.0.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: POST uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_authV2000001/providers/Microsoft.Web/sites/webapp-authentication-test000002/publishxml?api-version=2022-03-01 response: @@ -579,18 +566,18 @@ interactions: string: = 1.0.0b1', ] try: diff --git a/src/confcom/.gitignore b/src/confcom/.gitignore new file mode 100644 index 00000000000..d60f4d0f18a --- /dev/null +++ b/src/confcom/.gitignore @@ -0,0 +1,32 @@ +.vscode/settings.json +.vscode/*.log + +# python cache files and directories +**/*.egg-info/ +**/*.egg-info/* +**/dist/ +**/dist/* +**/build/ +**/build/* +**/__pycache__/ +**/__pycache__/* +**/*.pyc + +# virtual environments +env/* +accdevops_env/* +acclibpy_env/* +ext_env/* + +# memeory leak check footage +**/memleak-check.log + +# temporary shared libraries +tests/outputs/** +azext_confcom/bin/ +azext_confcom/bin/* +**/dmverity-vhd.exe +**/dmverity-vhd +# metadata file for coverage reports +**/.coverage +**/htmlcov \ No newline at end of file diff --git a/src/confcom/HISTORY.rst b/src/confcom/HISTORY.rst new file mode 100644 index 00000000000..3146344bbd7 --- /dev/null +++ b/src/confcom/HISTORY.rst @@ -0,0 +1,67 @@ +.. :changelog: + +Release History +=============== +0.2.10 +* dmverity-vhd tool fixes +* changing startup checks to errors rather than warnings +* can specify image name in arm template by its SHA256 hash +* disabling stdio in pause container +* adding another README.md with omre descriptive information + +0.2.9 +* adding support for exec_processes for non-arm template input +* adding --disable-stdio flag to disable stdio for containers +* changing print behavior by not needing both --print-policy in conjunction with --outraw or --outraw-pretty-print +* adding flag for --print-existing-policy that decodes and pretty prints the base64 encoded policy in the ARM template + +0.2.8 +* adding secureValue as a valid input for environment variables + +0.2.7 +* adding default mounts field for sidecars + +0.2.6 +* updating secretSource mount source to "plan9://" and adding vkMetrics and scKubeProxy to sidecar list + +0.2.5 +* removing default mounts and updating mount type to "bind" + +0.2.4 +* updating sidecar package name and svn + +0.2.3 +* added ability to use tarball as input for layer hashes and container manifests +* added initContainers as container source in ARM Template +* update dealing with liveness and readiness probes +* update + +0.2.2 +* added pause container to customer container groups +* added caching for dm-verity calculation when using the same image multiple times in a container group +* added new rego variables +* made injecting security policies into ARM template the default behavior + +0.2.1 +* update rego format +* allow users to update the infrastructure fragment minimum svn value from command line arguments +* add check for arm64 architecture +* add policy diff feature +* add ability to generate policy based on image name +* add debug mode for rego policy +* add ability to inject policy into ARM template + +0.2.0 +* update to remove hardcoded side-cars +* update to create CCE Policy with ARM Template +* update to make rego the default output format + +0.1.2 +* update for enable restart field + +0.1.1 +* update for private preview + +0.1.0 +++++++ +* Initial release. \ No newline at end of file diff --git a/src/confcom/README.md b/src/confcom/README.md new file mode 100644 index 00000000000..f1eda302014 --- /dev/null +++ b/src/confcom/README.md @@ -0,0 +1,80 @@ +# Microsoft Azure CLI 'confcom' Extension + +- [Microsoft Azure CLI 'confcom' Extension](#microsoft-azure-cli-confcom-extension) + - [Repository](#repository) + - [Prerequisites](#prerequisites) + - [Installation Instructions (End User)](#installation-instructions-end-user) + - [Generating a confidential execution enforcement (cce) policy](#generating-a-confidential-execution-enforcement-cce-policy) + - [Setup and Instructions for Developers](#setup-and-instructions-for-developers) + - [Setup Development Environment](#setup-development-environment) + - [Build Extension Binary(Wheel) and Run Extension Tests](#build-extension-binarywheel-and-run-extension-tests) + - [Miscellaneous](#miscellaneous) + - [Azure Container Registration authentication](#azure-container-registration-authentication) + - [Authentication with service principals](#authentication-with-service-principals) + - [Authenticate with Azure managed identity](#authenticate-with-azure-managed-identity) + - [Trademarks](#trademarks) + +## Repository + +- + +## Prerequisites + +**MacOS** is **NOT** supported yet + +- **64-bit** `Python 3.6+` and `pip` + - **64-bit** **Windows 10** or later + - Install python3 version 3.6+ through [official download](https://www.python.org/downloads/) + - or chocolatey: `choco install python` + - Or **64-bit** Linux Distribution System, **Ubuntu 18.04** or later is recommended + - Ubuntu 18.04 or later comes with python 3.6+ by default +- Docker Daemon + - Linux(Ubuntu): + + ```bash + sudo apt install docker.io + ``` + + - Windows: [Docker Desktop](https://www.docker.com/products/docker-desktop) and [WSL2](https://docs.microsoft.com/en-us/windows/wsl/install) + +## Docker Standalone Instructions (End User) + +### TODO: change this image when it goes to a public registry + +1. Download the docker container: `fishersnpregistry.azurecr.io/confcom-cli:clean-room` +2. Run: + + ```bash + docker run -v "$(pwd):/temp" -v /var/run/docker.sock:/var/run/docker.sock fishersnpregistry.azurecr.io/confcom-cli:clean-room az confcom acipolicygen -a temp/template.json + ``` + +Notes: + +- The first `-v` flag can be changed to go wherever in the local machine that has the input files for generating policies. For example, the ARM Template that is going to be used. +- The second `-v` is for mounting the Docker socket into the container, so Docker must be running on the host machine in order to generate policies from images that are contained within the Docker daemon. This includes images that need to be pulled from a remote registry. +- The path to the input file in the `az confcom acipolicygen` snippet must line up with where the local folder is getting mounted in the first `-v` flag. For example, above we are mounting to `/temp` in the container so the CLI command will be `az confcom acipolicygen -a /temp/template.json` because `template.json` is in the current local directory. + +## Installation Instructions (End User) + +1. Install Azure CLI through following ways: + 1. Option 1: (Windows and Linux) use `PyPI/pip(comes with 64-bit python)` to install `azure-cli` + + ```bash + python3 -m pip install azure-cli + ``` + + - **Notes for Windows user ONLY**: even you have 64-bit python3 installed already, windows version **Azure CLI** installation package comes with a 32-bit python, which is not supported for now. So please use the `PyPI/pip` solution to install `azure-cli`. + + 2. Option 2:(Linux Only) [Install through Linux Package Tools](https://docs.microsoft.com/en-us/cli/azure/install-azure-cli-linux?pivots=apt). + +## Generating a confidential execution enforcement (cce) policy + +Please see [ACIConfidentialSecurityPolicySpec](https://microsoft-my.sharepoint.com/:w:/p/sewong/EV7PkPR5kWJMnmqm9TtWt0QBhmpYg1HqKwknw07DleugKQ?e=zLQZOl) + +## Trademarks + +This project may contain trademarks or logos for projects, products, or services. Authorized use of Microsoft +trademarks or logos is subject to and must follow +[Microsoft's Trademark & Brand Guidelines](https://www.microsoft.com/en-us/legal/intellectualproperty/trademarks/usage/general). +Use of Microsoft trademarks or logos in modified versions of this project must not cause confusion or imply Microsoft sponsorship. +Any use of third-party trademarks or logos are subject to those third-party's policies. diff --git a/src/confcom/azext_confcom/README.md b/src/confcom/azext_confcom/README.md new file mode 100644 index 00000000000..2b201bc9264 --- /dev/null +++ b/src/confcom/azext_confcom/README.md @@ -0,0 +1,480 @@ +# Microsoft Azure CLI 'confcom' Extension Examples and Security Policy Rules Documentation + +- [Microsoft Azure CLI 'confcom' Extension Examples and Security Policy Rules Documentation](#microsoft-azure-cli-confcom-Extension-examples-and-security-policy-rules-documentation) + - [Microsoft Azure CLI 'confcom' Extension Examples](#microsoft-azure-cli-confcom-extension-examples) + - [Security Policy Rules Documentation](#security-policy-rules-documentation) + - [mount_device](#mount_device) + - [unmount_device](#unmount_device) + - [mount_overlay](#mount_overlay) + - [unmount_overlay](#unmount_overlay) + - [create_container](#create_container) + - [exec_in_container](#exec_in_container) + - [exec_external](#exec_external) + - [shutdown_container](#shutdown_container) + - [signal_container_process](#signal_container_process) + - [plan9_mount](#plan9_mount) + - [plan9_unmount](#plan9_unmount) + - [scratch_mount](#scratch_mount) + - [scratch_unmount](#scratch_unmount) + - [load_fragment](#load_fragment) + - [fragments](#fragments) + - [reason](#reason) + - [A Sample Policy that Uses Framework](#a-sample-policy-that-uses-framework) + - [allow_properties_access](#a-sample-policy-that-uses-framework) + - [allow_dump_stack](#a-sample-policy-that-uses-framework) + - [allow_runtime_logging](#a-sample-policy-that-uses-framework) + - [allow_environment_variable_dropping](#allow_environment_variable_dropping) + - [allow_unencrypted_scratch](#allow_unencrypted_scratch) + + + + +## Microsoft Azure CLI 'confcom' Extension Examples + +Run `az confcom acipolicygen --help` to see a list of supported arguments along with explanations. The following commands demonstrate the usage of different arguments to generate confidential computing security policies. + +**Note:** The Azure Confidential Computing CLI extension is in public preview and is subject to change. Some arguments may be added or removed and the way `confcom acipolicygen` command is called to achieve specific functionality may change as well. This documentation will be updated as changes to the tooling are published. + +**Prerequisites:** +Install the Azure CLI and Confidential Computing extension. + +See the most recently released version of `confcom` extension. + + az extension list-available -o table | grep confcom + +To add the most recent confcom extension, run: + + az extension add --name confcom + +Use the `--version` argument to specify a version to add. + + +The `acipolicygen` command generates confidential computing security policies using an image, an input JSON file, or an ARM template. You can control the format of the generated policies using arguments. Note: It is recommended to use images with specific tags instead of the `latest` tag, as the `latest` tag can change at any time and images with different configurations may also have the latest tag. + +**Examples:** + +Example 1: The following command creates a CCE policy and outputs it to the command line:
+ + az confcom acipolicygen -a .\template.json --print-policy + +This command combines the information of images from the ARM template with other information such as mount, environment variables and commands from the ARM template to create a CCE policy. +The `--print-policy` argument is included to display the policy on the command line rather than injecting it into the input ARM template. + +Example 2: This command injects a CCE policy into [ARM-template](arm.template.md) based on input from [parameters-file](template.parameters.md) so that there is no need to change the ARM template to pass variables into the CCE policy:
+ + az confcom acipolicygen -a .\arm-template.json -p .\template.parameters.json + +This is mainly for decoupling purposes so that an ARM template can remain the same and evolving variables can go into a different file. + +Example 3: This command takes the input of an ARM template to create a human-readable CCE policy in pretty print JSON format and output the result to the console. +NOTE: Generating JSON policy is for use by the customer only, and is not used by ACI In most cases. The default REGO format security policy is required.
+ + az confcom acipolicygen -a ".\arm_template" --outraw-pretty-print --json + +The default output of `acipolicygen` command is base64 encoded REGO format. +This example uses the `--json` argument to generate output in JSON format, use `--outraw-pretty-print` to indicate decoding policy in clear text and in pretty print format and print result to console. + +Example 4: The following command takes the input of an ARM template to create a human-readable CCE policy in clear text and print to console:
+ + az confcom acipolicygen -a ".\arm-template.json" --outraw + +Use `--outraw` argument to output policy in clear text compact REGO format. + +Example 5: Input an ARM template to create a human-readable CCE policy in pretty print REGO format and save the result to a file named ".\output-file.rego":
+ + az confcom acipolicygen -a ".\arm-template" --outraw-pretty-print --save-to-file ".\output-file.rego" + +Example 6: Validate the policy present in the ARM template under "ccepolicy" and the containers within the ARM template are compatible. If they are incompatible, a list of reasons is given and the exit status code will be 2:
+ + az confcom acipolicygen -a ".\arm-template.json" --diff + +Example 7: Decode the existing CCE policy in ARM template and print to console in clear text. + + az confcom acipolicygen -a ".\arm-template.json" --print-existing-policy + +Example 8: Generate a CCE policy using `--disable-stdio` argument. +`--disable-stdio` argument disables container standard I/O access by setting `allow_stdio_access` to false. + + az confcom acipolicygen -a ".\arm-template.json" --disable-stdio + +Example 9: Inject a CCE policy into ARM template. +This command adds the `--debug-mode` argument to enable executing /bin/sh and /bin/bash in the container group:
+ + az confcom acipolicygen -a .\sample-arm-input.json --debug-mode + +In the above example, The `--debug-mode` modifies the following to allow users to shell into the container via portal or the command line: + +1. Adds the following to container rule so that users can access bash process. + +``` + "exec_processes": [ + { + "command": [ + "/bin/sh" + ], + "signals": [] + }, + { + "command": [ + "/bin/bash" + ], + "signals": [] + } + ] +``` +2. Changes the values of these three rules to true on the policy. +This is also for the purpose of allowing users to access logging, container properties and dump stack, all of which are part of loggings as well. +See [A Sample Policy that Uses Framework](#a-sample-policy-that-uses-framework) for details for the following rules: + + - allow_properties_access + - allow_dump_stacks + - allow_runtime_logging + + +Example 10: The confidential computing extension CLI is designed in such a way that generating policy does not necessarily have to depend on network calls as long as users have the layers of the images they want to generate policies for saved in a tar file locally. See the following example:
+ + docker save ImageTag -o file.tar + +Disconnect from network and delete the local image from the docker daemon. +Use the following command to generate CCE policy for the image. + + az confcom acipolicygen -a .\sample-template-input.json --tar .\file.tar + +Some users have unique scenarios such as cleanroom requirement. +In this case, users can still generate security policies witout relying on network calls. +Users just need to make a tar file by using the `docker save` command above, include the `--tar` argument when making the `acipolicygen` command and make sure the input JSON file contains the same image tag. + +When generating security policy without using `--tar` argument, the confcom extension CLI tool attemps to fetch the image remotely if it is not locally available. +However, the CLI tool does not attempt to fetch remotely if `--tar` argument is used. + +## Security Policy Rules Documentation + +Below is an example rego policy: + +``` +package policy + +import future.keywords.every +import future.keywords.in + +api_svn := "0.10.0" +framework_svn := "0.1.0" + +fragments := [...] + +containers := [...] + +allow_properties_access := false +allow_dump_stacks := false +allow_runtime_logging := false +allow_environment_variable_dropping := true +allow_unencrypted_scratch := false + + + +mount_device := data.framework.mount_device +unmount_device := data.framework.unmount_device +mount_overlay := data.framework.mount_overlay +unmount_overlay := data.framework.unmount_overlay +create_container := data.framework.create_container +exec_in_container := data.framework.exec_in_container +exec_external := data.framework.exec_external +shutdown_container := data.framework.shutdown_container +signal_container_process := data.framework.signal_container_process +plan9_mount := data.framework.plan9_mount +plan9_unmount := data.framework.plan9_unmount +get_properties := data.framework.get_properties +dump_stacks := data.framework.dump_stacks +runtime_logging := data.framework.runtime_logging +load_fragment := data.framework.load_fragment +scratch_mount := data.framework.scratch_mount +scratch_unmount := data.framework.scratch_unmount + +reason := {"errors": data.framework.errors} +``` + +Every valid policy contain rules with the following names in the policy namespace. +Each rule must return a Rego object with a member named allowed, which indicates whether the action is allowed by policy. +We document each rule as follow: + +## mount_device +Receives an input object with the following members: +``` +{ + "name": "mount_device", + "target": "", + "deviceHash": "" +} +``` + +## unmount_device +Receives an input object with the following members: +``` +{ + "name": "unmount_device", + "unmountTarget": "" +} +``` + +## mount_overlay +Describe the layers to mount: +``` +{ + "name": "mount_overlay", + "containerID": "", + "layerPaths": [ + "", + "", + "", + /*...*/ + ], + "target": "" +} +``` + +## unmount_overlay +Receives an input object with the following members: +``` +{ + "name": "unmount_overlay", + "unmountTarget": "" +} +``` + +## create_container +Indicates whether the UVM is allowed to create a specific container with the exact parameters provided to the method. +Provided in the following input object, the framework rule checks the exact parameters such as (command, environment variables, mounts etc.) +``` +{ + "name": "create_container", + "containerID": "", + "argList": [ + "", + "", + "", + /*...*/ + ], + "envList": [ + "=", + /*...*/ + ], + "workingDir": "", + "sandboxDir": "", + "hugePagesDir": "", + "mounts": [ + { + "destination": "", + "options": [ + "", + "", + /*...*/ + ], + "source": "", + "type": ""}, + ], + privileged: "" +} +``` + +## exec_in_container +Determines if a process should be executed in a container. +Receives an input object with the following elements: +``` +{ + "containerID": "", + "argList": [ + "", + "", + "", + /*...*/ + ], + "envList": [ + "=", + /*...*/ + ], + "workingDir": "" +} +``` + +## exec_external +Determines if a process should be executed in the UVM. +Receives an input object with the following elements: +``` +{ + "name": "exec_external", + "argList": [ + "", + "", + "", + /*...*/ + ], + "envList": [ + "=", + /*...*/ + ], + "workingDir": "" +} +``` + +## shutdown_container +Receives an input object with the following elements: +``` +{ + "name": "shutdown_container", + "containerID": "" +} +``` + +## signal_container_process +Describe the signal sent to the container. +Receives an input object with the following elements: +``` +{ + "name": "signal_container_process", + "containerID": "", + "signal": "", + "isInitProcess": "", + "argList": [ + "", + "", + "", + /*...*/ + ] +} +``` + +## plan9_mount +Controls what directories on the host are allowed to be mounted into the UVM so that they can later be used as mounts within containers. +Azure confidential computing evaluated the mount channel from host machine to guest machine and eventually to containers. +A serious attack consists of overwriting attested directories on the UVM and then subsequently gets loaded into containers. +This rule contains a target that designates destination mount so that the mentioned attack does not happen. +It receives an input with the following elements: +``` +{ + "name": "plan9_mount", + "target": "" +} +``` + +## plan9_unmount +Receives an input with the following elements: +``` +{ + "name": "plan9_unmount", + "unmountTarget": "" +} +``` + +## scratch_mount +Scratch is writable storage from the UVM to the container. +It receives an input with the following elements: +``` +{ + "name": "scratch_mount", + "target": "", + "encrypted": "true|false" +} +``` + +## scratch_unmount +Receives an input with the following elements: +``` +{ + "name": "scratch_unmount", + "unmountTarget": "", +} +``` + +## load_fragment +This rule is used to determine whether a fragment can be loaded. +See [fragments](#fragments) for detailed explanation. + +## fragments + +What is a fragment? + +Confidential Container provides the core primitives for allowing customers to build container based application solutions that leave Microsoft and Microsoft operators outside of TCB(Trusted Computing Base). +In order to achieve this, our environment has to implement enforcement policies that not only dictates which containers are allowed to run, but also the explicit versions of each container that are allowed to run. +The implication of this is that in the case of Confidential ACI, if the customer is allowing ACI provided sidecars into their TCB, the customer environment won't be able to be start if ACI updates any of their sidecars for regular maintenance. +Given that some customers will want to allow ACI sidecars into their trusted environment, we need to provide a way for customers to indicate a level of trust in ACI so that sidecars that ACI has indicated are theirs and that the customer has agreed to accept can be run. +In order to achieve this, We will allow additional constraints to be provided to a container environment. +And we call these additionally defined constraints "fragments". +Fragments can serve a number of use-cases. +For now, we will focus on the ACI sidecar use case. +See the following example and how it defines a fragment. +The following fragment states that my confidential computing environment should trust containers published by the DID `did:web:accdemo.github.io` on the feed named `accdemo/utilities`. + +``` +fragments := [ + { + "feed": "accdemo/utilities", + "iss": "did:web:accdemo.github.io", + "includes": [<"containers"|"fragments"|"external_processes"|"namespace">] + } +] + +default load_fragment := [] +load_fragment := includes { + some fragment in fragments + input.iss == fragment.iss + input.feed == fragment.feed + includes := fragment.includes +} +``` + +Every time a fragment is presented to the enclosing system (e.g. GCS), the enclosing system is provided with a COSE_Sign1 signed envelope. +The header in the envelope contains the feed and the issuer and these information are included in the `input` context. +The logic of load_fragment rule selects a fragment from the list of fragments which matches the issuer and feed. +The enclosing system loads the fragment and queries it for the `includes` e.g. `container` and inserts them into the data context for later use. + +## reason +A policy can optionally define this rule, which will be called when a policy issues a denial. +This is used to populate an informative error message. + +## A Sample Policy that Uses Framework + +A more detailed explanation is provided for the following rules that seem to appear more than once on the CCE policy: +`allow_properties_access`, `get_properties`, `allow_dump_stack`, `dump_stack`, `allow_runtime_logging` and `runtime_logging` + +Rego framework supports policy authors by both describing the form that user policies should take, and consequently the form that Microsoft-provided Rego modules will follow. +It also provides some pre-built policy components that can make policy authoring easier. +Microsoft provides a [Rego Framework](https://github.com/microsoft/hcsshim/blob/main/pkg/securitypolicy/framework.rego) to make writing policies easier. +It contains a collection of helper functions, which in turn provide default implementations of the required rules. +These functions operate on Rego data with expected formats. +We include a [sample policy](sample_policy.md) which uses this framework. + +The difference between `allow_properties_access` vs `get_properties`: + +There is an API that defines a rule called `get_properties`. +A custom user policy can implement this however it wants. +However, a policy that uses the framework indicates their desired behavior to the framework with a flag called `allow_get_properties`. If you look at the framework implementation for get_properties you will see that it returns data.policy.allow_get_properties. +The same logic applies to both dump_stack and runtime_logging. + +`allow_properties_access` VS `get_properties` +When set to true, this indicates that `get_properties` should be allowed. +It indicates whether the host can fetch properties from a container. + +`allow_dump_stack` VS `dump_stack` +When set to true, this indicates that `dump_stacks` should be allowed. + +`allow_runtime_logging` VS `runtime_logging` +When `allow_runtime_logging` is set to true, this indicates that `runtime_logging` should be allowed. +Runtime logging is logging done by the UVM, i.e. outside of containers and their processes. + +## allow_environment_variable_dropping +The allow_environment_variable_dropping flag allows the framework, if set, to try to drop environment variables if there are no matching containers/processes. +This is an important aspect of serviceability, as it allows customer policies to be robust to the addition of extraneous environment variables which are unused by their containers. +Note throughout this that the existing logic of required environment variables holds. +The logic of dropping env vars is a bit complex but in general the framework looks at the intersection of the set of provided variables and the environment variable rules of each container/process and finds the largest set, which happens to be the one that requires dropping the least number of env vars. +It then tests to see if that set satisfies any containers. + +## allow_unencrypted_scratch +This rule determines whether unencrypted writable storage from the UVM to the container is allowed. + + + + + + + + diff --git a/src/confcom/azext_confcom/__init__.py b/src/confcom/azext_confcom/__init__.py new file mode 100644 index 00000000000..3c6d0b5420c --- /dev/null +++ b/src/confcom/azext_confcom/__init__.py @@ -0,0 +1,30 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- + +from azure.cli.core import AzCommandsLoader + +from azext_confcom._help import helps # pylint: disable=unused-import + + +class ConfcomCommandsLoader(AzCommandsLoader): + def __init__(self, cli_ctx=None): + from azure.cli.core.commands import CliCommandType + + confcom_custom = CliCommandType(operations_tmpl="azext_confcom.custom#{}") + super().__init__(cli_ctx=cli_ctx, custom_command_type=confcom_custom) + + def load_command_table(self, args): + from azext_confcom.commands import load_command_table + + load_command_table(self, args) + return self.command_table + + def load_arguments(self, command): + from azext_confcom._params import load_arguments + + load_arguments(self, command) + + +COMMAND_LOADER_CLS = ConfcomCommandsLoader diff --git a/src/confcom/azext_confcom/_help.py b/src/confcom/azext_confcom/_help.py new file mode 100644 index 00000000000..5bf3035af01 --- /dev/null +++ b/src/confcom/azext_confcom/_help.py @@ -0,0 +1,91 @@ +# coding=utf-8 +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- + +from knack.help_files import helps # pylint: disable=unused-import + + +helps[ + "confcom" +] = """ + type: group + short-summary: Commands to generate security policies for confidential containers in Azure. +""" + +helps[ + "confcom acipolicygen" +] = """ + type: command + short-summary: Create a Confidential Container Security Policy. + + parameters: + - name: --input -i + type: string + short-summary: 'Input JSON config file' + + - name: --template-file -a + type: string + short-summary: 'Input ARM Template file' + + - name: --parameters -p + type: string + short-summary: 'Input parameters file to optionally accompany an ARM Template' + + - name: --image + type: string + short-summary: 'Input image name' + + - name: --tar + type: string + short-summary: 'Path to either a tarball containing image layers or a JSON file containing paths to tarballs of image layers' + + - name: --infrastructure-svn + type: string + short-summary: 'Minimum Allowed Software Version Number for Infrastructure Fragment' + + - name: --debug-mode + type: boolean + short-summary: 'When enabled, the generated security policy adds the ability to use /bin/sh or /bin/bash to debug the container. It also enabled stdio access, ability to dump stack traces, and enables runtime logging. It is recommended to only use this option for debugging purposes.' + + - name: --disable-stdio + type: boolean + short-summary: 'When enabled, the containers in the container group do not have access to stdio.' + + - name: --print-existing-policy + type: boolean + short-summary: 'When enabled, the existing security policy that is present in the ARM Template is printed to the command line, and no new security policy is generated.' + + - name: --diff -d + type: boolean + short-summary: 'When combined with an input ARM Template, verifies the policy present in the ARM Template under "ccePolicy" and the containers within the ARM Template are compatible. If they are incompatible, a list of reasons is given and the exit status code will be 2.' + + - name: --json -j + type: string + short-summary: 'Outputs in JSON format instead of Rego' + + - name: --outraw + type: boolean + short-summary: 'Output policy in clear text compact JSON instead of default base64 format' + + - name: --outraw-pretty-print + type: boolean + short-summary: 'Output policy in clear text and pretty print format' + + - name: --save-to-file -s + type: string + short-summary: 'Save output policy to given file path.' + + - name: --print-policy + type: boolean + short-summary: 'When enabled, the generated security policy is printed to the command line instead of injected into the input ARM Template' + + examples: + - name: Input a policy.json file to create a base64 encoded Confidential Container Security Policy + text: az confcom acipolicygen --input "./policy.json" + - name: Input a policy.json file to create a human-readable Confidential Container Security Policy + text: az confcom acipolicygen --input "./policy.json" --outraw-pretty-print + - name: Input a policy.json file to save a Confidential Container Security Policy to a file + text: az confcom acipolicygen --input "./policy.json" -s "./output-file.txt" +""" diff --git a/src/confcom/azext_confcom/_params.py b/src/confcom/azext_confcom/_params.py new file mode 100644 index 00000000000..3b9b9bc1c1e --- /dev/null +++ b/src/confcom/azext_confcom/_params.py @@ -0,0 +1,123 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- +# pylint: disable=line-too-long + +from knack.arguments import CLIArgumentType + + +def load_arguments(self, _): + + from azure.cli.core.commands.parameters import tags_type + + confcom_name_type = CLIArgumentType( + options_list="--confcom-name-name", + help="Name of the Confidential Container Security Policy Generator.", + id_part="name", + ) + + with self.argument_context("confcom") as c: + c.argument("tags", tags_type) + c.argument("confcom_name", confcom_name_type, options_list=["--name", "-n"]) + + with self.argument_context("confcom acipolicygen") as c: + c.argument( + "input_path", + options_list=("--input", "-i"), + required=False, + help="Input JSON config file", + ) + c.argument( + "arm_template", + options_list=("--template-file", "-a"), + required=False, + help="ARM template file", + ) + c.argument( + "arm_template_parameters", + options_list=("--parameters", "-p"), + required=False, + help="ARM template parameters", + ) + c.argument( + "image_name", + options_list=("--image",), + required=False, + help="Image Name", + ) + c.argument( + "tar_mapping_location", + options_list=("--tar",), + required=False, + help="Tar File locations in JSON format where the key is the name and tag of the image and the value is the path to the tar file", + ) + c.argument( + "infrastructure_svn", + options_list=("--infrastructure-svn",), + required=False, + help="Minimum Allowed Software Version Number for Infrastructure Fragment", + ) + c.argument( + "debug_mode", + options_list=("--debug-mode",), + required=False, + help="Debug mode will enable processes in a container group that are helpful for debugging", + ) + c.argument( + "disable_stdio", + options_list=("--disable-stdio",), + required=False, + help="Disabling container stdio will disable the ability to see the output of the container in the terminal for Confidential ACI", + ) + c.argument( + "use_json", + options_list=("--json", "-j"), + required=False, + help="Output in JSON format", + ) + c.argument( + "diff", + options_list=("--diff", "-d"), + required=False, + help="Compare the CCE Policy field in the ARM Template to the containers in the ARM Template and make sure they are compatible", + ) + c.argument( + "validate_sidecar", + options_list=("--validate-sidecar", "-v"), + required=False, + help="Validate that the image used to generate the CCE Policy for a sidecar container will be allowed by its generated policy", + ) + c.argument( + "print-existing-policy", + options_list=("--print-existing-policy"), + required=False, + action="store_true", + help="Pretty print the existing policy in the ARM Template", + ) + c.argument( + "outraw", + options_list=("--outraw"), + required=False, + action="store_true", + help="Output policy in clear text compact JSON instead of default base64 format", + ) + c.argument( + "outraw_pretty_print", + options_list=("--outraw-pretty-print"), + required=False, + action="store_true", + help="Output policy in clear text and pretty print format", + ) + c.argument( + "save_to_file", + options_list=("--save-to-file", "-s"), + required=False, + help="Save output policy to given file path", + ) + c.argument( + "print_policy_to_terminal", + options_list=("--print-policy"), + required=False, + help="Print the generated policy in the terminal", + ) diff --git a/src/confcom/azext_confcom/_validators.py b/src/confcom/azext_confcom/_validators.py new file mode 100644 index 00000000000..15d5f2ce4a8 --- /dev/null +++ b/src/confcom/azext_confcom/_validators.py @@ -0,0 +1,22 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- + + +def example_name_or_id_validator(cmd, namespace): + # Example of a storage account name or ID validator. + # pylint: disable=line-too-long + # See: https://github.com/Azure/azure-cli/blob/dev/doc/authoring_command_modules/authoring_commands.md#supporting-name-or-id-parameters + from azure.cli.core.commands.client_factory import get_subscription_id + from msrestazure.tools import is_valid_resource_id, resource_id + + if namespace.storage_account: + if not is_valid_resource_id(namespace.RESOURCE): + namespace.storage_account = resource_id( + subscription=get_subscription_id(cmd.cli_ctx), + resource_group=namespace.resource_group_name, + namespace="Microsoft.Storage", + type="storageAccounts", + name=namespace.storage_account, + ) diff --git a/src/confcom/azext_confcom/arm.template.md b/src/confcom/azext_confcom/arm.template.md new file mode 100644 index 00000000000..f467dc3e614 --- /dev/null +++ b/src/confcom/azext_confcom/arm.template.md @@ -0,0 +1,111 @@ +This file is a reference page for the [README](README.md) file. + +arm-template.json +``` +{ + "$schema": "https://schema.management.azure.com/schemas/2015-01-01/deploymentTemplate.json#", + "contentVersion": "1.0.0.0", + "variables": { + "container1name": "examplecontainer", + "containergroupname": "examplecontainergroup" + }, + "parameters": { + "share-name": { + "type": "string", + "metadata": { + "description": "Name for the container group" + } + }, + "storage-account-name": { + "type": "string", + "metadata": { + "description": "Name for the container" + } + }, + "image": { + "type": "string", + "metadata": { + "description": "Image for the container" + } + }, + "storage-account-key": { + "type": "string", + "metadata": { + "description": "Name for the gitRepo volume" + } + } + }, + "resources": [ + { + "name": "[variables('containergroupname')]", + "type": "Microsoft.ContainerInstance/containerGroups", + "apiVersion": "2022-10-01-preview", + "location": "[resourceGroup().location]", + "properties": { + "confidentialComputeProperties": { + "ccePolicy": "" + }, + "containers": [ + { + "name": "[variables('container1name')]", + "properties": { + "environmentVariables": [ + { + "name": "PORT", + "value": "80" + } + ], + "image": "[parameters('image')]", + "resources": { + "requests": { + "cpu": 1, + "memoryInGb": 1.5 + } + }, + "ports": [ + { + "port": 80 + } + ], + "volumeMounts": [ + { + "name": "filesharevolume", + "mountPath": "/aci/logs" + } + ] + } + } + ], + "sku": "Confidential", + "osType": "Linux", + "ipAddress": { + "type": "Public", + "ports": [ + { + "protocol": "tcp", + "port": "80" + } + ], + "dnsNameLabel": "dns-label-name" + }, + "volumes": [ + { + "name": "filesharevolume", + "azureFile": { + "shareName": "[parameters('share-name')]", + "storageAccountName": "[parameters('storage-account-name')]", + "storageAccountKey": "[parameters('storage-account-key')]" + } + } + ] + } + } + ], + "outputs": { + "containerIPv4Address": { + "type": "string", + "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', variables('containergroupname'))).ipAddress.ip]" + } + } +} +``` \ No newline at end of file diff --git a/src/confcom/azext_confcom/azext_metadata.json b/src/confcom/azext_confcom/azext_metadata.json new file mode 100644 index 00000000000..b44aea150b4 --- /dev/null +++ b/src/confcom/azext_confcom/azext_metadata.json @@ -0,0 +1,4 @@ +{ + "azext.isPreview": true, + "azext.minCliCoreVersion": "2.26.2" +} \ No newline at end of file diff --git a/src/confcom/azext_confcom/commands.py b/src/confcom/azext_confcom/commands.py new file mode 100644 index 00000000000..96e87d8526b --- /dev/null +++ b/src/confcom/azext_confcom/commands.py @@ -0,0 +1,13 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- + + +def load_command_table(self, _): + + with self.command_group("confcom") as g: + g.custom_command("acipolicygen", "acipolicygen_confcom") + + with self.command_group("confcom", is_preview=True): + pass diff --git a/src/confcom/azext_confcom/config.py b/src/confcom/azext_confcom/config.py new file mode 100644 index 00000000000..d9012f77c2c --- /dev/null +++ b/src/confcom/azext_confcom/config.py @@ -0,0 +1,134 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- + +import os +from azext_confcom import os_util + +# input json values +ACI_FIELD_VERSION = "version" +ACI_FIELD_RESOURCES = "resources" +ACI_FIELD_RESOURCES_NAME = "name" +ACI_FIELD_CONTAINERS = "containers" +ACI_FIELD_CONTAINERS_CONTAINERIMAGE = "containerImage" +ACI_FIELD_CONTAINERS_ENVS = "environmentVariables" +ACI_FIELD_CONTAINERS_ENVS_NAME = "name" +ACI_FIELD_CONTAINERS_ENVS_VALUE = "value" +ACI_FIELD_CONTAINERS_ENVS_STRATEGY = "strategy" +ACI_FIELD_CONTAINERS_ENVS_REQUIRED = "required" +ACI_FIELD_CONTAINERS_COMMAND = "command" +ACI_FIELD_CONTAINERS_WORKINGDIR = "workingDir" +ACI_FIELD_CONTAINERS_MOUNTS = "mounts" +ACI_FIELD_CONTAINERS_MOUNTS_TYPE = "mountType" +ACI_FIELD_CONTAINERS_MOUNTS_PATH = "mountPath" +ACI_FIELD_CONTAINERS_MOUNTS_READONLY = "readonly" +ACI_FIELD_CONTAINERS_WAIT_MOUNT_POINTS = "wait_mount_points" +ACI_FIELD_CONTAINERS_ALLOW_ELEVATED = "allow_elevated" +ACI_FIELD_CONTAINERS_REGO_FRAGMENTS = "fragments" +ACI_FIELD_CONTAINERS_REGO_FRAGMENTS_FEED = "feed" +ACI_FIELD_CONTAINERS_REGO_FRAGMENTS_ISS = "iss" +ACI_FIELD_CONTAINERS_REGO_FRAGMENTS_MINIMUM_SVN = "minimumSvn" +ACI_FIELD_CONTAINERS_REGO_FRAGMENTS_INCLUDES = "includes" +ACI_FIELD_CONTAINERS_ID = "id" + +ACI_FIELD_CONTAINERS_ARCHITECTURE_KEY = "Architecture" +ACI_FIELD_CONTAINERS_ARCHITECTURE_VALUE = "amd64" + + +ACI_FIELD_CONTAINERS_EXEC_PROCESSES = "execProcesses" +ACI_FIELD_CONTAINERS_ALLOW_STDIO_ACCESS = "allowStdioAccess" +ACI_FIELD_CONTAINERS_LIVENESS_PROBE = "livenessProbe" +ACI_FIELD_CONTAINERS_READINESS_PROBE = "readinessProbe" +ACI_FIELD_CONTAINERS_PROBE_ACTION = "exec" +ACI_FIELD_CONTAINERS_PROBE_COMMAND = "command" +ACI_FIELD_CONTAINERS_SIGNAL_CONTAINER_PROCESSES = "signals" + +ACI_FIELD_TEMPLATE_PROPERTIES = "properties" +ACI_FIELD_TEMPLATE_PARAMETERS = "parameters" +ACI_FIELD_TEMPLATE_CONTAINERS = "containers" +ACI_FIELD_TEMPLATE_INIT_CONTAINERS = "initContainers" +ACI_FIELD_TEMPLATE_VARIABLES = "variables" +ACI_FIELD_TEMPLATE_VOLUMES = "volumes" +ACI_FIELD_TEMPLATE_IMAGE = "image" +ACI_FIELD_TEMPLATE_RESOURCE_LABEL = "Microsoft.ContainerInstance/containerGroups" +ACI_FIELD_TEMPLATE_COMMAND = "command" +ACI_FIELD_TEMPLATE_ENVS = "environmentVariables" +ACI_FIELD_TEMPLATE_VOLUME_MOUNTS = "volumeMounts" +ACI_FIELD_TEMPLATE_MOUNTS_TYPE = "mountType" +ACI_FIELD_TEMPLATE_MOUNTS_PATH = "mountPath" +ACI_FIELD_TEMPLATE_MOUNTS_READONLY = "readOnly" +ACI_FIELD_TEMPLATE_CONFCOM_PROPERTIES = "confidentialComputeProperties" +ACI_FIELD_TEMPLATE_CCE_POLICY = "ccePolicy" + + +# output json values +POLICY_FIELD_CONTAINERS = "containers" +POLICY_FIELD_CONTAINERS_ID = "id" +POLICY_FIELD_CONTAINERS_ELEMENTS = "elements" +POLICY_FIELD_CONTAINERS_LENGTH = "length" +POLICY_FIELD_CONTAINERS_ELEMENTS_COMMANDS = "command" +POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS = "env_rules" +POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_STRATEGY = "strategy" +POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_RULE = "pattern" +POLICY_FIELD_CONTAINERS_ELEMENTS_REQUIRED = "required" +POLICY_FIELD_CONTAINERS_ELEMENTS_LAYERS = "layers" +POLICY_FIELD_CONTAINERS_ELEMENTS_WORKINGDIR = "working_dir" +POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS = "mounts" +POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS_SOURCE = "source" +POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS_DESTINATION = "destination" +POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS_TYPE = "type" +POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS_TYPE_BIND = "bind" +POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS_OPTIONS = "options" +POLICY_FIELD_CONTAINERS_ELEMENTS_WAIT_MOUNT_POINTS = "wait_mount_points" +POLICY_FIELD_CONTAINERS_ELEMENTS_ALLOW_ELEVATED = "allow_elevated" +POLICY_FIELD_CONTAINER_EXEC_PROCESSES = "exec_processes" +POLICY_FIELD_CONTAINER_SIGNAL_CONTAINER_PROCESSES = "signals" +POLICY_FIELD_CONTAINERS_ALLOW_STDIO_ACCESS = "allow_stdio_access" +POLICY_FIELD_CONTAINERS_ELEMENTS_REGO_FRAGMENTS = "fragments" +POLICY_FIELD_CONTAINERS_ELEMENTS_REGO_FRAGMENTS_FEED = "feed" +POLICY_FIELD_CONTAINERS_ELEMENTS_REGO_FRAGMENTS_ISS = "iss" +POLICY_FIELD_CONTAINERS_ELEMENTS_REGO_FRAGMENTS_MINIMUM_SVN = "minimum_svn" +POLICY_FIELD_CONTAINERS_ELEMENTS_REGO_FRAGMENTS_INCLUDES = "includes" + +CONFIG_FILE = "./data/internal_config.json" + +script_directory = os.path.dirname(os.path.realpath(__file__)) +CONFIG_FILE_PATH = f"{script_directory}/{CONFIG_FILE}" + +_config = os_util.load_json_from_file(CONFIG_FILE_PATH) +DEFAULT_WORKING_DIR = _config["containerd"]["defaultWorkingDir"] + +MOUNT_SOURCE_TABLE = {} +for entry in _config["mount"]["source_table"]: + mount_type, mount_source = entry.get("mountType"), entry.get("source") + MOUNT_SOURCE_TABLE[mount_type] = mount_source + +BASELINE_SIDECAR_CONTAINERS = _config["sidecar_base_names"] +# OPENGCS environment variables for customer containers +OPENGCS_ENV_RULES = _config["openGCS"]["environmentVariables"] +# Fabric environment variables for customer containers +FABRIC_ENV_RULES = _config["fabric"]["environmentVariables"] +# Managed Identity environment variables for customer containers +MANAGED_IDENTITY_ENV_RULES = _config["managedIdentity"]["environmentVariables"] +# Enable container restart environment variable for all containers +ENABLE_RESTART_ENV_RULE = _config["enableRestart"]["environmentVariables"] +# default mounts image for customer containers +DEFAULT_MOUNTS_USER = _config["mount"]["default_mounts_user"] +# default mounts policy options for all containers +DEFAULT_MOUNT_POLICY = _config["mount"]["default_policy"] +# default rego policy to be added to all user containers +DEFAULT_REGO_FRAGMENTS = _config["default_rego_fragments"] +# things that need to be set for debug mode +DEBUG_MODE_SETTINGS = _config["debugMode"] +# customer rego file for data to be injected +REGO_FILE = "./data/customer_rego_policy.txt" +script_directory = os.path.dirname(os.path.realpath(__file__)) +REGO_FILE_PATH = f"{script_directory}/{REGO_FILE}" +CUSTOMER_REGO_POLICY = os_util.load_str_from_file(REGO_FILE_PATH) +# sidecar rego file +SIDECAR_REGO_FILE = "./data/sidecar_rego_policy.txt" +SIDECAR_REGO_FILE_PATH = f"{script_directory}/{SIDECAR_REGO_FILE}" +SIDECAR_REGO_POLICY = os_util.load_str_from_file(SIDECAR_REGO_FILE_PATH) +# default containers to be added to all container groups +DEFAULT_CONTAINERS = _config["default_containers"] diff --git a/src/confcom/azext_confcom/container.py b/src/confcom/azext_confcom/container.py new file mode 100644 index 00000000000..8819ff65d6d --- /dev/null +++ b/src/confcom/azext_confcom/container.py @@ -0,0 +1,499 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- + +import copy +import json +import os +from typing import Any, List, Dict +from azext_confcom.template_util import case_insensitive_dict_get +from azext_confcom import config +from azext_confcom.errors import eprint + + +_DEFAULT_MOUNTS = config.DEFAULT_MOUNTS_USER + +_INJECTED_CUSTOMER_ENV_RULES = ( + config.OPENGCS_ENV_RULES + + config.FABRIC_ENV_RULES + + config.MANAGED_IDENTITY_ENV_RULES + + config.ENABLE_RESTART_ENV_RULE +) + + +def extract_container_image(container_json: Any) -> str: + containerImage = case_insensitive_dict_get( + container_json, config.ACI_FIELD_CONTAINERS_CONTAINERIMAGE + ) + if not containerImage: + eprint( + f'Field ["{config.ACI_FIELD_CONTAINERS}"]' + + f'["{config.ACI_FIELD_CONTAINERS_CONTAINERIMAGE}"] is empty or can not be found.' + ) + return containerImage + + +def extract_env_rules(container_json: Any) -> List[Dict]: + environmentRules = [] + env_rules = case_insensitive_dict_get( + container_json, config.ACI_FIELD_CONTAINERS_ENVS + ) + if env_rules is None: # empty(no envs) is acceptable + eprint( + f'Field ["{config.ACI_FIELD_CONTAINERS}"]' + + f'["{config.ACI_FIELD_CONTAINERS_ENVS}"] is null or can not be found.' + ) + + # parse each environment variable pair and add it to list + for rule in env_rules: + name, value, strategy, required = ( + case_insensitive_dict_get(rule, config.ACI_FIELD_CONTAINERS_ENVS_NAME), + case_insensitive_dict_get(rule, config.ACI_FIELD_CONTAINERS_ENVS_VALUE), + case_insensitive_dict_get(rule, config.ACI_FIELD_CONTAINERS_ENVS_STRATEGY), + case_insensitive_dict_get(rule, config.ACI_FIELD_CONTAINERS_ENVS_REQUIRED), + ) + if name is None or value is None or strategy is None: + eprint( + f'Field ["{config.ACI_FIELD_CONTAINERS}"]["{config.ACI_FIELD_CONTAINERS_ENVS}"] is incorrect.' + ) + + environmentRules.append( + { + config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_RULE: f"{name}={value}", + config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_STRATEGY: strategy, + # default value for "required" is False + config.POLICY_FIELD_CONTAINERS_ELEMENTS_REQUIRED: required + if required is not None + else False, + } + ) + return environmentRules + + +def extract_id(container_json: Any) -> str: + return case_insensitive_dict_get(container_json, config.ACI_FIELD_CONTAINERS_ID) + + +def extract_working_dir(container_json: Any) -> str: + # parse working directory + workingDir = case_insensitive_dict_get( + container_json, config.ACI_FIELD_CONTAINERS_WORKINGDIR + ) + # check workingDir is an absolute path if user specified + if workingDir: + if not isinstance(workingDir, str): + eprint( + f'Field ["{config.ACI_FIELD_CONTAINERS}"]' + + f'["{config.ACI_FIELD_CONTAINERS_WORKINGDIR}"] must be a String.' + ) + if not os.path.isabs(workingDir): + eprint( + f'Field ["{config.ACI_FIELD_CONTAINERS}"]' + + f'["{config.ACI_FIELD_CONTAINERS_WORKINGDIR}"] with value: {workingDir} is not absolute path.' + ) + return workingDir + + +def extract_command(container_json: Any) -> List[str]: + # parse command + command = case_insensitive_dict_get( + container_json, config.ACI_FIELD_CONTAINERS_COMMAND + ) + if not isinstance(command, list): + eprint( + f'Field ["{config.ACI_FIELD_CONTAINERS}"]' + + f'["{config.ACI_FIELD_CONTAINERS_COMMAND}"] must be list of Strings.' + ) + return command + + +def extract_mounts(container_json: Any) -> List: + # parse mounts + mounts = case_insensitive_dict_get( + container_json, config.ACI_FIELD_CONTAINERS_MOUNTS + ) + _mounts = [] + if mounts: + if not isinstance(mounts, list): + eprint( + f'Field ["{config.ACI_FIELD_CONTAINERS}"]' + + f'["{config.ACI_FIELD_CONTAINERS_MOUNTS}"] must be list of Mount configuration.' + ) + + for m in mounts: + mount_type = case_insensitive_dict_get( + m, config.ACI_FIELD_CONTAINERS_MOUNTS_TYPE + ) + if mount_type not in config.MOUNT_SOURCE_TABLE: + eprint( + f'Field ["{config.ACI_FIELD_CONTAINERS}"]' + + f'["{config.ACI_FIELD_CONTAINERS_MOUNTS}"]' + + f'["{config.ACI_FIELD_CONTAINERS_MOUNTS_TYPE}"]' + + "can only be following values:" + + f'{",".join(list(config.MOUNT_SOURCE_TABLE.keys()))} .' + ) + + mount_path = case_insensitive_dict_get( + m, config.ACI_FIELD_CONTAINERS_MOUNTS_PATH + ) + if not mount_path: + eprint( + f'Field ["{config.ACI_FIELD_CONTAINERS}"]' + + f'["{config.ACI_FIELD_CONTAINERS_MOUNTS}"]' + + f'["{config.ACI_FIELD_CONTAINERS_MOUNTS_PATH}"] is empty or can not be found.' + ) + + mount_readonly = case_insensitive_dict_get( + m, config.ACI_FIELD_CONTAINERS_MOUNTS_READONLY + ) + if mount_readonly is not None and not isinstance(mount_readonly, bool): + eprint( + f'Field ["{config.ACI_FIELD_CONTAINERS}"]' + + f'["{config.ACI_FIELD_CONTAINERS_MOUNTS}"]' + + f'["{config.ACI_FIELD_CONTAINERS_MOUNTS_READONLY}"] can only be boolean value.' + ) + + # readonly default to False if not specified + if mount_readonly is None: + mount_readonly = False + + _mounts.append(m) + return _mounts + + +def extract_exec_process(container_json: Any) -> List: + # get the exec_processes info used as a liveness probe + exec_processes = case_insensitive_dict_get( + container_json, config.ACI_FIELD_CONTAINERS_EXEC_PROCESSES + ) + exec_processes_output = [] + if exec_processes: + if not isinstance(exec_processes, list): + eprint( + f'Field ["{config.ACI_FIELD_CONTAINERS}"]' + + f'["{config.ACI_FIELD_CONTAINERS_EXEC_PROCESSES}"] can only be a list.' + ) + + for exec_processes_item in exec_processes: + + exec_command = case_insensitive_dict_get( + exec_processes_item, config.ACI_FIELD_CONTAINERS_COMMAND + ) + if not isinstance(exec_command, list) and all( + map(lambda x: isinstance(x, str), exec_command) + ): + eprint( + f'Field ["{config.ACI_FIELD_CONTAINERS}"]' + + f'["{config.ACI_FIELD_CONTAINERS_EXEC_PROCESSES}"]' + + f'["{config.ACI_FIELD_CONTAINERS_COMMAND}"]' + + "can only be a list of strings." + ) + + exec_signals = case_insensitive_dict_get( + exec_processes_item, + config.ACI_FIELD_CONTAINERS_SIGNAL_CONTAINER_PROCESSES, + ) + if not isinstance(exec_signals, list) and all( + map(lambda x: isinstance(x, int), exec_signals) + ): + eprint( + f'Field ["{config.ACI_FIELD_CONTAINERS}"]' + + f'["{config.ACI_FIELD_CONTAINERS_EXEC_PROCESSES}"]' + + f'["{config.ACI_FIELD_CONTAINERS_COMMAND}"]' + + "can only be a list of integers." + ) + + exec_processes_output.append( + { + config.POLICY_FIELD_CONTAINERS_ELEMENTS_COMMANDS: exec_command, + config.POLICY_FIELD_CONTAINER_SIGNAL_CONTAINER_PROCESSES: exec_signals, + } + ) + return exec_processes_output + + +def extract_allow_elevated(container_json: Any) -> bool: + _allow_elevated = case_insensitive_dict_get( + container_json, config.ACI_FIELD_CONTAINERS_ALLOW_ELEVATED + ) + if _allow_elevated: + if not isinstance(_allow_elevated, bool): + eprint( + f'Field ["{config.ACI_FIELD_CONTAINERS}"]' + + f'["{config.ACI_FIELD_CONTAINERS_ALLOW_ELEVATED}"] can only be boolean value.' + ) + else: + # default is allow_elevated should be true + _allow_elevated = True + return _allow_elevated + + +def extract_allow_stdio_access(container_json: Any) -> bool: + # get the field for Standard IO access, default to true + allow_stdio_value = case_insensitive_dict_get( + container_json, config.ACI_FIELD_CONTAINERS_ALLOW_STDIO_ACCESS + ) + allow_stdio_access = allow_stdio_value if allow_stdio_value is not None else True + return allow_stdio_access + + +def extract_get_signals(container_json: Any) -> List: + # get the signals info used as a liveness probe + signals = ( + case_insensitive_dict_get( + container_json, config.ACI_FIELD_CONTAINERS_SIGNAL_CONTAINER_PROCESSES + ) + or [] + ) + if signals: + if not isinstance(signals, list): + eprint( + f'Field ["{config.ACI_FIELD_CONTAINERS}"]' + + f'["{config.ACI_FIELD_CONTAINERS_SIGNAL_CONTAINER_PROCESSES}"]' + + "can only be a list." + ) + + for signals_item in signals: + if not isinstance(signals_item, int): + eprint( + f'Field ["{config.ACI_FIELD_CONTAINERS}"]' + + f'["{config.ACI_FIELD_CONTAINERS_SIGNAL_CONTAINER_PROCESSES}"]' + + "can only be an integer." + ) + return signals + + +class ContainerImage: + # pylint: disable=too-many-instance-attributes + + @classmethod + def from_json( + cls, container_json: Any + ) -> "ContainerImage": + + container_image = extract_container_image(container_json) + id_val = extract_id(container_json) + environment_rules = extract_env_rules(container_json=container_json) + command = extract_command(container_json) + working_dir = extract_working_dir(container_json) + mounts = extract_mounts(container_json) + allow_elevated = extract_allow_elevated(container_json) + exec_processes = extract_exec_process( + container_json + ) + signals = extract_get_signals(container_json) + allow_stdio_access = extract_allow_stdio_access(container_json) + return ContainerImage( + containerImage=container_image, + environmentRules=environment_rules, + command=command, + workingDir=working_dir, + mounts=mounts, + allow_elevated=allow_elevated, + extraEnvironmentRules=[], + execProcesses=exec_processes, + signals=signals, + allowStdioAccess=allow_stdio_access, + id_val=id_val, + ) + + def __init__( + self, + containerImage: str, + environmentRules: Dict, + command: List[str], + workingDir: str, + mounts: List, + allow_elevated: bool, + id_val: str, + extraEnvironmentRules: Dict, + allowStdioAccess: bool = False, + execProcesses: List = None, + signals: List = None, + ) -> None: + self.containerImage = containerImage + if ":" in containerImage: + self.base, self.tag = containerImage.split(":", 1) + else: + self.base, self.tag = containerImage, "latest" + self._environmentRules = environmentRules + self._command = command + self._workingDir = workingDir + self._layers = [] + self._mounts = mounts + self._allow_elevated = allow_elevated + self._allow_stdio_access = allowStdioAccess + self._policy_json = None + self._policy_json_str = None + self._policy_json_str_pp = None + self._identifier = id_val + self._exec_processes = execProcesses or [] + self._signals = signals or [] + self._extraEnvironmentRules = extraEnvironmentRules + + def get_policy_json(self) -> str: + if not self._policy_json: + self._policy_json_serialization() + + return self._policy_json + + def get_id(self) -> str: + return self._identifier + + def get_working_dir(self) -> str: + return self._workingDir + + def set_working_dir(self, workingDir: str) -> None: + self._workingDir = workingDir + + def get_command(self) -> List[str]: + return self._command + + def set_command(self, command: List[str]) -> None: + self._command = command + + def get_environment_rules(self) -> Dict: + return self._environmentRules + + def get_layers(self) -> List[str]: + return self._layers + + def set_layers(self, layers: List[str]) -> None: + self._layers = layers + + def get_mounts(self) -> List: + return self._mounts + + def set_extra_environment_rules(self, rules: Dict) -> None: + self._extraEnvironmentRules = rules + + def _get_environment_rules(self) -> List[Dict[str, Any]]: + out_rules = copy.deepcopy(self._environmentRules) + env_var_names = [ + var[config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_RULE].split("=")[0] + for var in out_rules + ] + for rule in self._extraEnvironmentRules: + if rule[config.ACI_FIELD_CONTAINERS_ENVS_NAME] not in env_var_names: + out_rules.append( + { + config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_RULE: + f"{rule[config.ACI_FIELD_CONTAINERS_ENVS_NAME]}=" + + f"{rule[config.ACI_FIELD_CONTAINERS_ENVS_VALUE]}", + config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_STRATEGY: rule[ + config.ACI_FIELD_CONTAINERS_ENVS_STRATEGY + ], + config.POLICY_FIELD_CONTAINERS_ELEMENTS_REQUIRED: rule[ + config.ACI_FIELD_CONTAINERS_ENVS_REQUIRED + ], + } + ) + + return out_rules + + def _get_mounts_json(self) -> Dict[str, Any]: + # if mount is empty, return [] + if not self._mounts: + return [] + + mounts = [] + + for m in self._mounts: + mount = copy.deepcopy(config.DEFAULT_MOUNT_POLICY) + mount[ + config.POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS_SOURCE + ] = config.MOUNT_SOURCE_TABLE[ + case_insensitive_dict_get(m, config.ACI_FIELD_TEMPLATE_MOUNTS_TYPE) + ] + mount[ + config.POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS_DESTINATION + ] = case_insensitive_dict_get(m, config.ACI_FIELD_TEMPLATE_MOUNTS_PATH) + if case_insensitive_dict_get( + m, "readonly" + ) is not None and case_insensitive_dict_get(m, "readonly"): + mount[config.POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS_OPTIONS][2] = "ro" + # specified options will overwrite default options in default mount policy + if case_insensitive_dict_get(m, "options"): + mount[ + config.POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS_OPTIONS + ] = case_insensitive_dict_get(m, "options") + # TODO: figure out what type of mount it is for secretsSource. For now, assume it is a bind mount + mount[ + config.POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS_TYPE + ] = config.POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS_TYPE_BIND + mounts.append(mount) + + return mounts + + def _populate_policy_json_elements(self) -> Dict[str, Any]: + elements = { + config.POLICY_FIELD_CONTAINERS_ID: self._identifier, + config.POLICY_FIELD_CONTAINERS_ELEMENTS_LAYERS: self._layers, + config.POLICY_FIELD_CONTAINERS_ELEMENTS_COMMANDS: self._command, + config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS: self._get_environment_rules(), + config.POLICY_FIELD_CONTAINERS_ELEMENTS_WORKINGDIR: self._workingDir, + config.POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS: self._get_mounts_json(), + config.POLICY_FIELD_CONTAINERS_ELEMENTS_ALLOW_ELEVATED: self._allow_elevated, + config.POLICY_FIELD_CONTAINER_EXEC_PROCESSES: self._exec_processes, + config.POLICY_FIELD_CONTAINER_SIGNAL_CONTAINER_PROCESSES: self._signals, + config.POLICY_FIELD_CONTAINERS_ALLOW_STDIO_ACCESS: self._allow_stdio_access, + } + + self._policy_json = elements + return self._policy_json + + def _policy_json_serialization(self): + policy = self._populate_policy_json_elements() + # serialize json policy to object, compact string and pretty print string + self._policy_json_str, self._policy_json_str_pp = ( + json.dumps(policy, separators=(",", ":"), sort_keys=True), + json.dumps(policy, indent=2, sort_keys=True), + ) + + +class UserContainerImage(ContainerImage): + @classmethod + def from_json( + cls, container_json: Any + ) -> "UserContainerImage": + image = super().from_json(container_json) + image.__class__ = UserContainerImage + # inject default mounts for user container + if image.base not in config.BASELINE_SIDECAR_CONTAINERS: + image.get_mounts().extend(_DEFAULT_MOUNTS) + + image.set_extra_environment_rules(_INJECTED_CUSTOMER_ENV_RULES) + return image + + def __init__( + self, + containerImage: str, + environmentRules: Dict, + command: List[str], + mounts: List[Dict], + workingDir: str, + allowElevated: bool, + id_val: str, + execProcesses: List = None, + signals: List = None, + extraEnvironmentRules: Dict = _INJECTED_CUSTOMER_ENV_RULES, + ) -> None: + super().__init__( + containerImage=containerImage, + environmentRules=environmentRules, + command=command, + mounts=mounts, + workingDir=workingDir, + allow_elevated=allowElevated, + id_val=id_val, + signals=signals or [], + extraEnvironmentRules=extraEnvironmentRules, + execProcesses=execProcesses or [], + ) + + def _populate_policy_json_elements(self) -> Dict[str, Any]: + elements = super()._populate_policy_json_elements() + self._policy_json = elements + + return self._policy_json diff --git a/src/confcom/azext_confcom/custom.py b/src/confcom/azext_confcom/custom.py new file mode 100644 index 00000000000..768a0cff405 --- /dev/null +++ b/src/confcom/azext_confcom/custom.py @@ -0,0 +1,220 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- + +import os +import sys + +from pkg_resources import parse_version +from knack.log import get_logger +from azext_confcom.config import DEFAULT_REGO_FRAGMENTS +from azext_confcom import os_util +from azext_confcom.template_util import pretty_print_func, print_func +from azext_confcom.init_checks import run_initial_docker_checks +from azext_confcom.template_util import inject_policy_into_template, print_existing_policy_from_arm_template +from azext_confcom import security_policy + + +logger = get_logger(__name__) + + +def acipolicygen_confcom( + input_path: str, + arm_template: str, + arm_template_parameters: str, + image_name: str, + infrastructure_svn: str, + tar_mapping_location: str, + use_json: bool = False, + outraw: bool = False, + outraw_pretty_print: bool = False, + diff: bool = False, + validate_sidecar: bool = False, + save_to_file: str = None, + debug_mode: bool = False, + print_policy_to_terminal: bool = False, + disable_stdio: bool = False, + print_existing_policy: bool = False, +): + + if sum(map(bool, [input_path, arm_template, image_name])) != 1: + logger.error("Can only generate CCE policy from one source at a time") + sys.exit(1) + if sum(map(bool, [print_policy_to_terminal, outraw, outraw_pretty_print])) > 1: + logger.error("Can only print in one format at a time") + sys.exit(1) + elif (diff and input_path) or (diff and image_name): + logger.error("Can only diff CCE policy from ARM Template") + sys.exit(1) + elif arm_template_parameters and not arm_template: + logger.error( + "Can only use ARM Template Parameters if ARM Template is also present" + ) + sys.exit(1) + + if print_existing_policy: + if not arm_template: + logger.error("Can only print existing policy from ARM Template") + sys.exit(1) + else: + print_existing_policy_from_arm_template(arm_template, arm_template_parameters) + sys.exit(0) + + tar_mapping = tar_mapping_validation(tar_mapping_location) + + output_type = get_output_type(outraw, outraw_pretty_print) + + container_group_policies = None + + # warn user that input infrastructure_svn is less than the configured default value + if infrastructure_svn and parse_version(infrastructure_svn) < parse_version( + DEFAULT_REGO_FRAGMENTS[0]["minimum_svn"] + ): + logger.warning( + "Input Infrastructure Fragment Software Version Number is less than the default Infrastructure SVN: %s", + DEFAULT_REGO_FRAGMENTS[0]["minimum_svn"], + ) + + # telling the user what operation we're doing + logger.warning( + "Generating security policy for %s: %s in %s", + "ARM Template" if arm_template else "Image" if image_name else "Input File", + input_path or arm_template or image_name, + "base64" + if output_type == security_policy.OutputType.DEFAULT + else "clear text", + ) + # error checking for making sure an input is provided is above + if input_path: + container_group_policies = security_policy.load_policy_from_file( + input_path, debug_mode=debug_mode, + ) + elif arm_template: + container_group_policies = security_policy.load_policy_from_arm_template_file( + infrastructure_svn, + arm_template, + arm_template_parameters, + debug_mode=debug_mode, + disable_stdio=disable_stdio, + ) + elif image_name: + container_group_policies = security_policy.load_policy_from_image_name( + image_name, debug_mode=debug_mode, disable_stdio=disable_stdio + ) + + exit_code = 0 + + # standardize the output so we're only operating on arrays + # this makes more sense than making the "from_file" and "from_image" outputting arrays + # since they can only ever output a single image's policy + if not isinstance(container_group_policies, list): + container_group_policies = [container_group_policies] + + for count, policy in enumerate(container_group_policies): + policy.populate_policy_content_for_all_images( + individual_image=bool(image_name), tar_mapping=tar_mapping + ) + + if validate_sidecar: + exit_code = validate_sidecar_in_policy(policy, output_type == security_policy.OutputType.PRETTY_PRINT) + elif diff: + exit_code = get_diff_outputs(policy, output_type == security_policy.OutputType.PRETTY_PRINT) + elif arm_template and (not print_policy_to_terminal and not outraw and not outraw_pretty_print): + result = inject_policy_into_template(arm_template, arm_template_parameters, + policy.get_serialized_output(output_type, use_json), count) + if result: + print("CCE Policy successfully injected into ARM Template") + else: + # output to terminal + print(f"{policy.get_serialized_output(output_type, use_json)}\n\n") + # output to file + if save_to_file: + policy.save_to_file(save_to_file, output_type, use_json) + + sys.exit(exit_code) + + +def update_confcom(cmd, instance, tags=None): + with cmd.update_context(instance) as c: + c.set_param("tags", tags) + return instance + + +def validate_sidecar_in_policy(policy: security_policy.AciPolicy, outraw_pretty_print: bool): + is_valid, output = policy.validate_sidecars() + + if outraw_pretty_print: + formatted_output = pretty_print_func(output) + else: + formatted_output = print_func(output) + + if is_valid: + print("Sidecar containers will pass with its generated policy") + return 0 + + print( + f"Sidecar containers will not pass with its generated policy: {formatted_output}" + ) + return 2 + + +def get_diff_outputs(policy: security_policy.AciPolicy, outraw_pretty_print: bool): + exit_code = 0 + is_valid, output = policy.validate_cce_policy() + + if outraw_pretty_print: + formatted_output = pretty_print_func(output) + else: + formatted_output = print_func(output) + + print( + "Existing policy and ARM Template match" + if is_valid + else formatted_output + ) + fragment_diff = policy.compare_fragments() + + if fragment_diff != {}: + logger.warning( + "Fragments in the existing policy are not the defaults. If this is expected, ignore this warning." + ) + if not is_valid: + logger.warning( + "Existing Policy and ARM Template differ. Consider recreating the base64-encoded policy." + ) + exit_code = 2 + return exit_code + + +def tar_mapping_validation(tar_mapping_location: str): + tar_mapping = None + if tar_mapping_location: + if not os.path.isfile(tar_mapping_location): + print( + "--tar input must either be a path to a json file with " + + "image to tar location mappings or the location to a single tar file." + ) + sys.exit(2) + # file is mapping images to tar file locations + elif tar_mapping_location.endswith(".json"): + tar_mapping = os_util.load_tar_mapping_from_file(tar_mapping_location) + # passing in a single tar location for a single image policy + else: + tar_mapping = tar_mapping_location + else: + # only need to do the docker checks if we're not grabbing image info from tar files + error_msg = run_initial_docker_checks() + if error_msg: + logger.warning(error_msg) + sys.exit(1) + return tar_mapping + + +def get_output_type(outraw, outraw_pretty_print): + output_type = security_policy.OutputType.DEFAULT + if outraw: + output_type = security_policy.OutputType.RAW + elif outraw_pretty_print: + output_type = security_policy.OutputType.PRETTY_PRINT + return output_type diff --git a/src/confcom/azext_confcom/data/customer_rego_policy.txt b/src/confcom/azext_confcom/data/customer_rego_policy.txt new file mode 100644 index 00000000000..0268a8ea999 --- /dev/null +++ b/src/confcom/azext_confcom/data/customer_rego_policy.txt @@ -0,0 +1,39 @@ +package policy + +import future.keywords.every +import future.keywords.in + +api_svn := "0.10.0" +framework_svn := "0.1.0" + +fragments := %s + +containers := %s + +allow_properties_access := %s +allow_dump_stacks := %s +allow_runtime_logging := %s +allow_environment_variable_dropping := %s +allow_unencrypted_scratch := %s + + + +mount_device := data.framework.mount_device +unmount_device := data.framework.unmount_device +mount_overlay := data.framework.mount_overlay +unmount_overlay := data.framework.unmount_overlay +create_container := data.framework.create_container +exec_in_container := data.framework.exec_in_container +exec_external := data.framework.exec_external +shutdown_container := data.framework.shutdown_container +signal_container_process := data.framework.signal_container_process +plan9_mount := data.framework.plan9_mount +plan9_unmount := data.framework.plan9_unmount +get_properties := data.framework.get_properties +dump_stacks := data.framework.dump_stacks +runtime_logging := data.framework.runtime_logging +load_fragment := data.framework.load_fragment +scratch_mount := data.framework.scratch_mount +scratch_unmount := data.framework.scratch_unmount + +reason := {"errors": data.framework.errors} \ No newline at end of file diff --git a/src/confcom/azext_confcom/data/internal_config.json b/src/confcom/azext_confcom/data/internal_config.json new file mode 100644 index 00000000000..51ea730f898 --- /dev/null +++ b/src/confcom/azext_confcom/data/internal_config.json @@ -0,0 +1,210 @@ +{ + "version": "0.2.10", + "hcsshim_config": { + "maxVersion": "1.0.0", + "minVersion": "0.0.1" + }, + "openGCS": { + "environmentVariables": [ + { + "name": "TERM", + "value": "xterm", + "strategy": "string", + "required": false + } + ] + }, + "fabric": { + "environmentVariables": [ + { + "name": "((?i)FABRIC)_.+", + "value": ".+", + "strategy": "re2", + "required": false + }, + { + "name": "HOSTNAME", + "value": ".+", + "strategy": "re2", + "required": false + }, + { + "name": "T(E)?MP", + "value": ".+", + "strategy": "re2", + "required": false + }, + { + "name": "FabricPackageFileName", + "value": ".+", + "strategy": "re2", + "required": false + }, + { + "name": "HostedServiceName", + "value": ".+", + "strategy": "re2", + "required": false + } + ] + }, + "managedIdentity": { + "environmentVariables": [ + { + "name": "IDENTITY_API_VERSION", + "value": ".+", + "strategy": "re2", + "required": false + }, + { + "name": "IDENTITY_HEADER", + "value": ".+", + "strategy": "re2", + "required": false + }, + { + "name": "IDENTITY_SERVER_THUMBPRINT", + "value": ".+", + "strategy": "re2", + "required": false + } + ] + }, + "enableRestart": { + "environmentVariables": [ + { + "name": "azurecontainerinstance_restarted_by", + "value": ".+", + "strategy": "re2", + "required": false + } + ] + }, + "debugMode": { + "environmentVariables": [ + { + "name": ".+", + "value": ".+", + "strategy": "re2", + "required": false + } + ], + "execProcesses": [ + { + "command": [ + "/bin/sh" + ], + "signals": [], + "allow_stdio_access": true + }, + { + "command": [ + "/bin/bash" + ], + "signals": [], + "allow_stdio_access": true + } + ], + "allowPropertiesAccess": true, + "allowDumpStacks": true, + "allowRuntimeLogging": true, + "allowEnvironmentVariableDropping": true, + "allowUnencryptedScratch": false + }, + "containerd": { + "defaultWorkingDir": "/" + }, + "mount": { + "source_table": [ + { + "mountType": "azureFile", + "source": "sandbox:///tmp/atlas/azureFileVolume/.+" + }, + { + "mountType": "secret", + "source": "sandbox:///tmp/atlas/secretsVolume/.+" + }, + { + "mountType": "secretsSource", + "source": "plan9://" + }, + { + "mountType": "emptyDir", + "source": "sandbox:///tmp/atlas/emptydir/.+" + }, + { + "mountType": "resolvconf", + "source": "sandbox:///tmp/atlas/resolvconf/.+" + }, + { + "mountType": "gitRepo", + "source": "sandbox:///tmp/atlas/gitRepoVolume/.+" + } + ], + "default_policy": { + "type": "bind", + "options": [ + "rbind", + "rshared", + "rw" + ] + }, + "default_mounts_user": [ + { + "name": "dns_resolve", + "mountType": "resolvconf", + "mountPath": "/etc/resolv.conf", + "readonly": false + } + ] + }, + "sidecar_base_names": [ + "mcr.microsoft.com/aci/msi-atlas-adapter", + "mcr.microsoft.com/aci/atlas-mount-azure-file-volume", + "mcr.microsoft.com/aci/atlas-mount-secrets-volume", + "mcr.microsoft.com/aci/atlas-netstats", + "mcr.microsoft.com/aci/atlas-mount-resolv-conf", + "mcr.microsoft.com/aci/atlas-mount-gitrepo-volume", + "k8s.gcr.io/pause", + "mcr.microsoft.com/aci/sc-proxy", + "mcr.microsoft.com/aci/vk-metrics-sidecar" + ], + "default_rego_fragments": [ + { + "issuer": "did:x509:0:sha256:I__iuL25oXEVFdTP_aBLx_eT1RPHbCQ_ECBQfYZpt9s::eku:1.3.6.1.4.1.311.76.59.1.3", + "feed": "mcr.microsoft.com/aci/aci-cc-infra-fragment", + "minimum_svn": "1.0.0", + "includes": [ + "containers" + ] + } + ], + "default_containers": [ + { + "command": [ + "/pause" + ], + "env_rules": [ + { + "pattern": "PATH=/usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin", + "strategy": "string", + "required": true + }, + { + "pattern": "TERM=xterm", + "strategy": "string", + "required": false + } + ], + "layers": [ + "16b514057a06ad665f92c02863aca074fd5976c755d26bff16365299169e8415" + ], + "mounts": [], + "exec_processes": [], + "signals": [], + "allow_elevated": false, + "allow_stdio_access": true, + "working_dir": "/" + } + ] +} \ No newline at end of file diff --git a/src/confcom/azext_confcom/data/sidecar_rego_policy.txt b/src/confcom/azext_confcom/data/sidecar_rego_policy.txt new file mode 100644 index 00000000000..fe79034b5da --- /dev/null +++ b/src/confcom/azext_confcom/data/sidecar_rego_policy.txt @@ -0,0 +1,7 @@ +package microsoftcontainerinstance + +svn := "1.0.0" +api_svn := "0.10.0" +framework_svn := "0.1.0" + +containers := %s \ No newline at end of file diff --git a/src/confcom/azext_confcom/errors.py b/src/confcom/azext_confcom/errors.py new file mode 100644 index 00000000000..a3f8cec89e1 --- /dev/null +++ b/src/confcom/azext_confcom/errors.py @@ -0,0 +1,18 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- +import sys +from knack.log import get_logger + +logger = get_logger(__name__) + + +class AccContainerError(Exception): + """Generic ACC Container errors""" + + +def eprint(*args, **kwargs): + # print to stderr with formatting to be noticeable in the terminal + logger.error(*args, **kwargs) + sys.exit(1) diff --git a/src/confcom/azext_confcom/init_checks.py b/src/confcom/azext_confcom/init_checks.py new file mode 100644 index 00000000000..24fae3a04a6 --- /dev/null +++ b/src/confcom/azext_confcom/init_checks.py @@ -0,0 +1,75 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- + +import ctypes +import os +import sys +import getpass + +import docker +from knack.log import get_logger + +logger = get_logger(__name__) + + +def is_linux(): + return sys.platform in ("linux", "linux2") + + +if is_linux(): + import grp # pylint: disable=import-error + + +def is_admin() -> bool: + admin = False + try: + admin = os.getuid() == 0 + except AttributeError: + admin = ctypes.windll.shell32.IsUserAnAdmin() != 0 + return admin + + +def is_docker_running() -> bool: + # check to see if docker is running + client = None + out = True + try: + client = docker.from_env() + # need any command that will show the docker daemon is not running + client.containers.list() + except docker.errors.DockerException: + out = False + finally: + if client: + client.close() + return out + + +def docker_permissions() -> str: + docker_group = None + # check if the user is in the docker group and if not an admin + if is_linux() and not is_admin(): + try: + docker_group = grp.getgrnam("docker") + except KeyError: + return "The docker group was not found" + + if getpass.getuser() not in docker_group.gr_mem: + return """The current user does not have permission to run Docker. + Run 'sudo usermod -aG docker' to add them to the docker group.""" + return "" + + +def run_initial_docker_checks() -> str: + """Utility function: call the rest of the checks to make sure the environment has prerequisites i.e. + docker is running and the user is allowed to use it""" + result = is_docker_running() + if not result: + return "The docker process was not found. Please start Docker." + + error_msg = docker_permissions() + if error_msg: + return error_msg + return "" diff --git a/src/confcom/azext_confcom/os_util.py b/src/confcom/azext_confcom/os_util.py new file mode 100644 index 00000000000..325af174d99 --- /dev/null +++ b/src/confcom/azext_confcom/os_util.py @@ -0,0 +1,135 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- + +import base64 +import binascii +import json +import os +from tarfile import TarFile +from azext_confcom.errors import ( + eprint, +) + + +def bytes_to_base64(data: bytes) -> str: + return base64.b64encode(data).decode("ascii") + + +def str_to_base64(data: str) -> str: + data_bytes = data.encode("ascii") + return bytes_to_base64(data_bytes) + + +def base64_to_str(data: str) -> str: + try: + data_bytes = base64.b64decode(data) + data_str = data_bytes.decode("ascii") + except binascii.Error: + eprint(f"Invalid base64 string: {data}") + return data_str + + +def load_json_from_str(data: str) -> dict: + if data: + try: + return json.loads(data) + except json.decoder.JSONDecodeError: + eprint(f"Invalid json formatting for data: {data}") + return {} + + +def load_json_from_file(path: str) -> dict: + raw_data = load_str_from_file(path) + return load_json_from_str(raw_data) + + +def load_str_from_file(path: str) -> str: + if path: + try: + with open(path, "r", encoding="utf-8") as file: + return file.read() + except (FileNotFoundError, IsADirectoryError, PermissionError, OSError): + eprint(f"File not found at path: {path}") + return "" + + +def write_json_to_file(path: str, content: dict) -> None: + write_str_to_file( + path, + json.dumps( + content, + indent=2, + ), + ) + + +def write_str_to_file(path: str, content: str) -> None: + with open(path, "w", encoding="utf-8") as f: + f.write(content) + + +def load_tar_mapping_from_file(path: str) -> dict: + raw_json = load_json_from_file(path) + json_path = os.path.dirname(path) + + # we want relative paths to be relative to where the mapping file is, not where the executing terminal is + # so check if we have an absolute path and if not, append the relative path to the path of the mapping file + for key, value in raw_json.items(): + if value != os.path.abspath(value): + path = os.path.join(json_path, value) + # error check that wherever the path leads, there is a tarball + if not os.path.isfile(path): + eprint(f"Tarball does not exist at path: {path}") + raw_json[key] = path + + return raw_json + + +def map_image_from_tar(image_name: str, tar: TarFile, tar_location: str): + tar_dir = os.path.dirname(tar_location) + # grab all files in the folder and only take the one that's named with hex values and a json extension + members = tar.getmembers() + info_file_name = [ + file + for file in members + if file.name.endswith(".json") and not file.name.startswith("manifest") + ] + info_file = None + # if there's more than one image in the tarball, we need to do some more logic + if len(info_file_name) > 1: + # extract just the manifest file and see if any of the RepoTags match the image_name we're searching for + # the manifest.json should have a list of all the image tags + # and what json files they map to to get env vars, startup cmd, etc. + tar.extract("manifest.json", path=tar_dir) + manifest_path = os.path.join(tar_dir, "manifest.json") + manifest = load_json_from_file(manifest_path) + # if we match a RepoTag to the image, stop searching + for image in manifest: + if image_name in image.get("RepoTags"): + info_file = [ + item for item in info_file_name if item.name == image.get("Config") + ][0] + break + # remove the extracted manifest file to clean up + os.remove(manifest_path) + elif len(info_file_name) == 0: + eprint(f"Tarball at {tar_location} contains no images") + else: + info_file = info_file_name[0] + + if not info_file: + eprint(f"Image {image_name} is not found in tarball at {tar_location}") + tar.extract(info_file.name, path=tar_dir) + + # get the path of the json file and read it in + image_info_file_path = os.path.join(tar_dir, info_file.name) + image_info_raw = load_json_from_file(image_info_file_path) + # delete the extracted json file to clean up + os.remove(image_info_file_path) + image_info = image_info_raw.get("config") + # importing the constant from config.py gives a circular dependency error + image_info["Architecture"] = image_info_raw.get("architecture") + + return image_info diff --git a/src/confcom/azext_confcom/rootfs_proxy.py b/src/confcom/azext_confcom/rootfs_proxy.py new file mode 100644 index 00000000000..5033368d41b --- /dev/null +++ b/src/confcom/azext_confcom/rootfs_proxy.py @@ -0,0 +1,90 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- + +import subprocess +from typing import List +import os +from pathlib import Path +import platform +from azext_confcom.errors import eprint + + +host_os = platform.system() +arch = platform.architecture()[0] + + +class SecurityPolicyProxy: # pylint: disable=too-few-public-methods + def __init__(self): + script_directory = os.path.dirname(os.path.realpath(__file__)) + DEFAULT_LIB = "./bin/dmverity-vhd" + + if host_os == "Linux": + pass + elif host_os == "Windows": + if arch == "64bit": + DEFAULT_LIB += ".exe" + else: + raise NotImplementedError( + f"The current architecture {arch} for windows is not supported." + ) + elif host_os == "Darwin": + eprint("The extension for MacOS has not been implemented.") + else: + eprint( + "Unknown target platform. The extension only works with Windows, Linux and MacOS" + ) + + self.policy_bin = Path(os.path.join(f"{script_directory}", f"{DEFAULT_LIB}")) + + if not os.path.exists(self.policy_bin): + raise RuntimeError("The extension binary file cannot be located.") + + def get_policy_image_layers( + self, image: str, tag: str, tar_location: str = "" + ) -> List[str]: + policy_bin_str = str(self.policy_bin) + + img = image + ":" + tag + + arg_list = [ + f"{policy_bin_str}", + ] + + # decide if we're reading from a tarball or not + if tar_location: + arg_list += ["--tarball", tar_location] + else: + arg_list += ["-d"] + + # add the image to the end of the parameter list + arg_list += ["roothash", "-i", f"{img}"] + + outputlines = None + err = None + + with subprocess.Popen( + arg_list, + executable=policy_bin_str, + stdout=subprocess.PIPE, + stderr=subprocess.PIPE, + ) as layers: + outputlines, err = layers.communicate() + + output = [] + if outputlines is None: + eprint("Null pointer detected.") + elif len(outputlines) > 0: + output = outputlines.decode("utf8").rstrip("\n").split("\n") + output = [output[j * 2 + 1] for j in range(len(output) // 2)] + output = [i.rstrip("\n").split(": ", 1)[1] for i in output] + else: + eprint( + "Cannot get layer hashes. Please check whether the image exists in local repository/daemon." + ) + + if err.decode("utf8") != "": + eprint(err.decode("utf8")) + + return output diff --git a/src/confcom/azext_confcom/sample_policy.md b/src/confcom/azext_confcom/sample_policy.md new file mode 100644 index 00000000000..9f8ab74f655 --- /dev/null +++ b/src/confcom/azext_confcom/sample_policy.md @@ -0,0 +1,89 @@ +This file is a reference page for the [README](README.md) file. + +Sample Policy Rego + +``` +package policy + +import future.keywords.every +import future.keywords.in + +api_svn := "0.10.0" +framework_svn := "0.1.0" + +fragments := [ + { + "iss": "", + "feed": "", + "minimum_svn": "", + "includes": [] + } +] + +containers := [ + { + "command": ["", "", "", /*...*/], + "allow_stdio_access": true, + "signals": [/*...*/], + "env_rules": [ + { + "pattern": "", + "strategy": "", + "required": + }, + /*...*/ + ], + "layers": [ + "", + /*...*/ + ], + "mounts": [ + { + "destination": "", + "options": ["", "", /*...*/], + "source": "", + "type": "" + }, + /*...*/ + ], + "allow_elevated": , + "working_dir": "", + "exec_processes": [ + { + "command": ["", "", "", /*...*/], + "signals": [/*...*/] + }, + /*...*/ + ], + } +] + +allow_properties_access := false +allow_dump_stacks := false +allow_runtime_logging := false +allow_environment_variable_dropping := true +allow_unencrypted_scratch := false + + + +mount_device := data.framework.mount_device +unmount_device := data.framework.unmount_device +mount_overlay := data.framework.mount_overlay +unmount_overlay := data.framework.unmount_overlay +create_container := data.framework.create_container +exec_in_container := data.framework.exec_in_container +exec_external := data.framework.exec_external +shutdown_container := data.framework.shutdown_container +signal_container_process := data.framework.signal_container_process +plan9_mount := data.framework.plan9_mount +plan9_unmount := data.framework.plan9_unmount +get_properties := data.framework.get_properties +dump_stacks := data.framework.dump_stacks +runtime_logging := data.framework.runtime_logging +load_fragment := data.framework.load_fragment +scratch_mount := data.framework.scratch_mount +scratch_unmount := data.framework.scratch_unmount + +reason := {"errors": data.framework.errors} + +``` \ No newline at end of file diff --git a/src/confcom/azext_confcom/security_policy.py b/src/confcom/azext_confcom/security_policy.py new file mode 100644 index 00000000000..98c2687410d --- /dev/null +++ b/src/confcom/azext_confcom/security_policy.py @@ -0,0 +1,802 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- + +import json +import warnings +import copy +from typing import Any, List, Dict, Tuple +from enum import Enum, auto +import docker +import deepdiff +from knack.log import get_logger +from tqdm import tqdm +from azext_confcom import os_util +from azext_confcom import config +from azext_confcom.container import UserContainerImage, ContainerImage + +from azext_confcom.errors import eprint +from azext_confcom.template_util import ( + extract_confidential_properties, + is_sidecar, + parse_template, + pretty_print_func, + print_func, + readable_diff, + case_insensitive_dict_get, + compare_env_vars, + compare_containers, + get_values_for_params, + process_mounts, + extract_probe, + process_env_vars_from_template, + get_image_info +) +from azext_confcom.rootfs_proxy import SecurityPolicyProxy + +logger = get_logger() + + +class OutputType(Enum): + DEFAULT = auto() + RAW = auto() + PRETTY_PRINT = auto() + + +class AciPolicy: # pylint: disable=too-many-instance-attributes + def __init__( + self, + deserialized_config: Any, + rego_fragments: Any = config.DEFAULT_REGO_FRAGMENTS, + existing_rego_fragments: Any = None, + debug_mode: bool = False, + disable_stdio: bool = False, + ) -> None: + self._docker_client = None + self._rootfs_proxy = None + self._policy_str = None + self._policy_str_pp = None + self._disable_stdio = disable_stdio + self._fragments = rego_fragments + self._existing_fragments = existing_rego_fragments + if debug_mode: + self._allow_properties_access = config.DEBUG_MODE_SETTINGS.get( + "allowPropertiesAccess" + ) + self._allow_dump_stacks = config.DEBUG_MODE_SETTINGS.get( + "allowDumpStacks" + ) + self._allow_runtime_logging = config.DEBUG_MODE_SETTINGS.get( + "allowRuntimeLogging" + ) + self._allow_environment_variable_dropping = config.DEBUG_MODE_SETTINGS.get( + "allowEnvironmentVariableDropping" + ) + self._allow_unencrypted_scratch = config.DEBUG_MODE_SETTINGS.get( + "allowUnencryptedScratch" + ) + else: + self._allow_properties_access = False + self._allow_dump_stacks = False + self._allow_runtime_logging = False + self._allow_environment_variable_dropping = True + self._allow_unencrypted_scratch = False + + self.version = case_insensitive_dict_get( + deserialized_config, config.ACI_FIELD_VERSION + ) + if not self.version: + eprint( + f'Field ["{config.ACI_FIELD_VERSION}"] is empty or can not be found.' + ) + + # parse cce policy if it exists + cce_policy = case_insensitive_dict_get( + deserialized_config, config.ACI_FIELD_TEMPLATE_CCE_POLICY + ) + + self._existing_cce_policy = cce_policy + + containers = case_insensitive_dict_get( + deserialized_config, config.ACI_FIELD_CONTAINERS + ) + if not containers: + eprint( + f'Field ["{config.ACI_FIELD_CONTAINERS}"] is empty or can not be found.' + ) + + container_results = [] + + # parse and generate each container, either user or sidecar + for c in containers: + if not is_sidecar(c[config.POLICY_FIELD_CONTAINERS_ID]): + container_image = UserContainerImage.from_json(c) + else: + container_image = ContainerImage.from_json(c) + container_results.append(container_image) + + self._images = container_results + + def __enter__(self) -> None: + return self + + def __exit__(self, exception_type, exception_value, exception_traceback) -> None: + self.close() + + def _get_docker_client(self) -> docker.client.DockerClient: + if not self._docker_client: + self._docker_client = docker.from_env() + + return self._docker_client + + def _get_rootfs_proxy(self) -> SecurityPolicyProxy: + if not self._rootfs_proxy: + self._rootfs_proxy = SecurityPolicyProxy() + + return self._rootfs_proxy + + def _close_docker_client(self) -> None: + if self._docker_client: + self._get_docker_client().close() + else: + docker.from_env().close() + + def close(self) -> None: + self._close_docker_client() + + def get_serialized_output( + self, + output_type: OutputType = OutputType.DEFAULT, + use_json=False, + rego_boilerplate=True, + ) -> str: + # error check the output type + if not isinstance(output_type, Enum) or output_type.value not in [item.value for item in OutputType]: + eprint("Unknown output type for serialization.") + + policy_str = self._policy_serialization( + use_json, output_type == OutputType.PRETTY_PRINT + ) + + if not use_json and rego_boilerplate: + policy_str = self._add_rego_boilerplate(policy_str) + elif use_json and output_type == OutputType.PRETTY_PRINT: + policy_str = json.dumps(json.loads(policy_str), indent=2, sort_keys=True) + + # if we're not outputting base64 + if output_type in (OutputType.RAW, OutputType.PRETTY_PRINT): + return policy_str + # encode to base64 + return os_util.str_to_base64(policy_str) + + def _add_rego_boilerplate(self, output: str) -> str: + + # determine if we're outputting for a sidecar or not + if self._images[0].get_id() and is_sidecar(self._images[0].get_id()): + return config.SIDECAR_REGO_POLICY % (output) + return config.CUSTOMER_REGO_POLICY % ( + pretty_print_func(self._fragments), + output, + pretty_print_func(self._allow_properties_access), + pretty_print_func(self._allow_dump_stacks), + pretty_print_func(self._allow_runtime_logging), + pretty_print_func(self._allow_environment_variable_dropping), + pretty_print_func(self._allow_unencrypted_scratch), + ) + + def _add_elements(self, dictionary) -> Dict: + """Recursive function to convert CCE policy rego into a json policy + - adds 'length' keys to dicts that were arrays + - expands 'elements' dicts from an array + """ + + if isinstance(dictionary, (str, int)): + return None + if isinstance(dictionary, list): + for item in dictionary: + self._add_elements(item) + if isinstance(dictionary, dict): + for key in dictionary.keys(): + if isinstance(dictionary[key], list): + elements_list = {} + for i, item in enumerate(dictionary[key]): + elements_list[str(i)] = item + dictionary[key] = { + "elements": elements_list, + "length": len(dictionary[key]), + } + + for i in range(len(dictionary[key]["elements"].keys())): + self._add_elements(dictionary[key]["elements"][str(i)]) + else: + self._add_elements(dictionary[key]) + + return dictionary + + def _convert_to_json(self, dictionary) -> Dict: + # need to make a deep copy so we can change the underlying config data + # dicts + editable = copy.deepcopy(dictionary) + out = {"length": len(editable), "elements": {}} + + for i, container in enumerate(editable): + out["elements"][str(i)] = container + + self._add_elements(out) + + return {config.POLICY_FIELD_CONTAINERS: out} + + def validate_cce_policy(self) -> Tuple[bool, Dict]: + """Utility method: check to see if the existing policy + that instantiates this function would allow the policy created by the input ARM Template""" + # this implying the "allow all" policy + if self._existing_cce_policy is None: + return True, {} + # we're comparing the CCE Policy so extract it and pass it in + policy = self._existing_cce_policy + return self.validate(policy) + + def validate_sidecars(self) -> Tuple[bool, Dict]: + """Utility method: check to see if the sidecar images present will pass the given the current ACI Policy""" + policy_str = self.get_serialized_output( + OutputType.PRETTY_PRINT, rego_boilerplate=False + ) + arm_containers = json.loads(policy_str) + # filter out None from the list of images in case one doesn't have an + # ID + policy_ids = list( + filter( + lambda item: item is not None, + [i.get(config.POLICY_FIELD_CONTAINERS_ID) for i in arm_containers], + ) + ) + + # filter out any non-sidecar images + for policy_id in policy_ids: + if not policy_id or not is_sidecar(policy_id): + policy_ids.remove(policy_id) + + # if there are no sidecars, then error out + if len(policy_ids) == 0: + eprint("No sidecar images found in the policy.") + + policy = load_policy_from_image_name(policy_ids) + + policy.populate_policy_content_for_all_images(individual_image=True) + policy_str = self.get_serialized_output( + OutputType.PRETTY_PRINT, rego_boilerplate=False + ) + policy_content = json.loads(policy_str) + # done this way instead of self.validate() because the input.json is + # the source of truth + return policy.validate(policy_content, sidecar_validation=True) + + def validate(self, policy, sidecar_validation=False) -> Tuple[bool, Dict]: + """Utility method: general method to compare two policies. + One being the current object and the other is passed in as a parameter""" + if not policy: + eprint("Policy is not in the expected form to validate against") + + policy_str = self.get_serialized_output( + OutputType.PRETTY_PRINT, rego_boilerplate=False + ) + arm_containers = json.loads(policy_str) + + reason_list = {} + + policy_ids = [ + case_insensitive_dict_get(i, config.POLICY_FIELD_CONTAINERS_ID) + for i in policy + ] + + for container in arm_containers: + # see if the IDs match with any container in the policy + + id_val = case_insensitive_dict_get(container, config.ACI_FIELD_CONTAINERS_ID) + + idx = policy_ids.index(id_val) if id_val in policy_ids else None + + if idx is None: + reason_list[id_val] = f"{id_val} not found in policy" + continue + matching_policy_container = policy[idx] + + # copy so we can delete fields and not affect the original data + # structure + container1 = copy.deepcopy(matching_policy_container) + container2 = copy.deepcopy(container) + + # the ID does not matter so delete them from comparison + container1.pop(config.POLICY_FIELD_CONTAINERS_ID, None) + container2.pop(config.POLICY_FIELD_CONTAINERS_ID, None) + # env vars will be compared later so delete them from this + # comparison + container1.pop(config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS, None) + container2.pop(config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS, None) + + container_diff = compare_containers(container1, container2) + + # for sidecar validation, it's fine if the policy has + # more things defined than the image, so we can take + # those out of the diff because it would not hinder deployment + if sidecar_validation: + for k in list(container_diff.keys()): + if "removed" in k: + container_diff.pop(k) + if container_diff != {}: + reason_list[id_val] = container_diff + + env_reason_list = compare_env_vars( + id_val, + case_insensitive_dict_get( + matching_policy_container, + config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS, + ), + case_insensitive_dict_get( + container, config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS + ), + ) + + # merge the output of checking env vars with the original reason + # list + for key, value in env_reason_list.items(): + if key not in reason_list: + reason_list[key] = {} + reason_list[key].update(value) + is_valid = not bool(reason_list) + return is_valid, reason_list + + def compare_fragments(self) -> Dict[str, Any]: + """Utility method: see if the fragments in the policy are the defaults""" + diff = deepdiff.DeepDiff( + self._existing_fragments, config.DEFAULT_REGO_FRAGMENTS, ignore_order=True + ) + return readable_diff(diff) + + def save_to_file( + self, + file_path: str, + output_type: OutputType = OutputType.DEFAULT, + use_json=False, + ) -> None: + output = self.get_serialized_output(output_type, use_json=use_json) + os_util.write_str_to_file(file_path, output) + + def _policy_serialization(self, use_json, pretty_print=False) -> str: + policy = [] + regular_container_images = self.get_images() + + is_sidecars = True + for image in regular_container_images: + is_sidecars = is_sidecars and is_sidecar(image.containerImage) + image_dict = image.get_policy_json() + policy.append(image_dict) + + if not is_sidecars: + # add in the default containers that have their hashes pre-computed + policy += config.DEFAULT_CONTAINERS + if self._disable_stdio: + for container in policy: + container[config.POLICY_FIELD_CONTAINERS_ALLOW_STDIO_ACCESS] = False + + # default output is rego policy + if use_json: + policy = self._convert_to_json(policy) + if pretty_print: + return pretty_print_func(policy) + return print_func(policy) + + def populate_policy_content_for_all_images( + self, individual_image=False, tar_mapping=None + ) -> None: + # suppress warning which will break the progress bar + warnings.filterwarnings( + action="ignore", message="unclosed", category=ResourceWarning + ) + + client = None + tar_location = "" + layer_cache = {} + if not tar_mapping: + client = self._get_docker_client() + elif isinstance(tar_mapping, str): + tar_location = tar_mapping + proxy = self._get_rootfs_proxy() + container_images = self.get_images() + + # total tasks to complete is number of images to pull and get layers + # (i.e. total images * 2 tasks) + _TOTAL = 2 * len(container_images) + + with tqdm( + total=_TOTAL, + desc="Pulling and hashing images...", + unit="percent", + colour="green", + leave=True, + ) as progress: + # make a message queue so we don't interrupt the printing of the + # progress bar + message_queue = [] + # populate regular container images(s) + for image in container_images: + + image_name = f"{image.base}:{image.tag}" + image_info = get_image_info(progress, message_queue, client, tar_mapping, image) + + # verify and populate the working directory property + if not image.get_working_dir() and image_info: + workingDir = image_info.get("WorkingDir") + image.set_working_dir( + workingDir if workingDir else config.DEFAULT_WORKING_DIR + ) + + if ( + isinstance(image, UserContainerImage) or individual_image + ) and image_info: + # verify and populate the startup command + if not image.get_command(): + # precondition: image_info exists. this is shown by the + # "and image_info" earlier + command = image_info.get("Cmd") + + # since we don't have an entrypoint field, + # it needs to be added to the front of the command + # array + entrypoint = image_info.get("Entrypoint") + if entrypoint and command: + command = entrypoint + command + elif entrypoint and not command: + command = entrypoint + image.set_command(command) + + # merge envs for user container image + envs = image_info.get("Env") + env_names = [ + env_var[ + config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_RULE + ].split("=")[0] + for env_var in image.get_environment_rules() + ] + + for env in envs: + name, value = env.split("=", 1) + # when user set environment variables conflict with the ones read from image, always + # keep user set environment variables + if name not in env_names: + image.get_environment_rules().append( + { + config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_RULE: f"{name}={value}", + config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_STRATEGY: "string", + config.POLICY_FIELD_CONTAINERS_ELEMENTS_REQUIRED: False, + } + ) + + # populate layer info + if layer_cache.get(image_name): + image.set_layers(layer_cache.get(image_name)) + else: + image.set_layers(proxy.get_policy_image_layers( + image.base, image.tag, tar_location=tar_location + )) + layer_cache[image_name] = image.get_layers() + progress.update() + progress.close() + self.close() + + # unload the message queue + for message in message_queue: + logger.warning(message) + + def get_images(self) -> List[Any]: + return self._images + + def pull_image(self, image: ContainerImage) -> Any: + client = self._get_docker_client() + return client.images.pull(image.base, image.tag) + + +def load_policy_from_arm_template_str( + template_data: str, + parameter_data: str, + infrastructure_svn: str = None, + debug_mode: bool = False, + disable_stdio: bool = False, +) -> List[AciPolicy]: + """Function that converts ARM template string to an ACI Policy""" + input_arm_json = os_util.load_json_from_str(template_data) + + input_parameter_json = {} + if parameter_data: + input_parameter_json = os_util.load_json_from_str(parameter_data) + + # find the image names and extract them from the template + arm_resources = case_insensitive_dict_get( + input_arm_json, config.ACI_FIELD_RESOURCES + ) + + if not arm_resources: + eprint(f"Field [{config.ACI_FIELD_RESOURCES}] is empty or cannot be found") + + aci_list = [ + item + for item in arm_resources + if item["type"] == config.ACI_FIELD_TEMPLATE_RESOURCE_LABEL + ] + + if not aci_list: + eprint( + f'Field ["type"] must contain value of ["{config.ACI_FIELD_TEMPLATE_RESOURCE_LABEL}"]' + ) + + # extract variables and parameters in case we need to do substitutions + # while searching for image names + all_params = ( + case_insensitive_dict_get(input_arm_json, config.ACI_FIELD_TEMPLATE_PARAMETERS) + or {} + ) + + get_values_for_params(input_parameter_json, all_params) + + input_arm_json = parse_template(all_params, + case_insensitive_dict_get(input_arm_json, config.ACI_FIELD_TEMPLATE_VARIABLES) + or {}, input_arm_json) + + container_groups = [] + + for resource in aci_list: + # initialize the list of containers we need to generate policies for + containers = [] + existing_containers = None + fragments = None + + container_group_properties = case_insensitive_dict_get( + resource, config.ACI_FIELD_TEMPLATE_PROPERTIES + ) + container_list = case_insensitive_dict_get( + container_group_properties, config.ACI_FIELD_TEMPLATE_CONTAINERS + ) + + if not container_list: + eprint( + f'Field ["{config.POLICY_FIELD_CONTAINERS}"] must be a list of {config.POLICY_FIELD_CONTAINERS}' + ) + + init_container_list = case_insensitive_dict_get( + container_group_properties, config.ACI_FIELD_TEMPLATE_INIT_CONTAINERS + ) + # add init containers to the list of other containers since they aren't treated differently + # in the security policy + if init_container_list: + container_list = container_list + init_container_list + + existing_containers, fragments = extract_confidential_properties( + container_group_properties + ) + + rego_fragments = copy.deepcopy(config.DEFAULT_REGO_FRAGMENTS) + if infrastructure_svn: + # assumes the first DEFAULT_REGO_FRAGMENT is always the + # infrastructure fragment + rego_fragments[0][ + config.POLICY_FIELD_CONTAINERS_ELEMENTS_REGO_FRAGMENTS_MINIMUM_SVN + ] = infrastructure_svn + + volumes = ( + case_insensitive_dict_get( + container_group_properties, config.ACI_FIELD_TEMPLATE_VOLUMES + ) + or [] + ) + if volumes and not isinstance(volumes, list): + # parameter definition is in parameter file but not arm template + eprint(f'Parameter ["{config.ACI_FIELD_TEMPLATE_VOLUMES}"] must be a list') + + for container in container_list: + image_properties = case_insensitive_dict_get( + container, config.ACI_FIELD_TEMPLATE_PROPERTIES + ) + image_name = case_insensitive_dict_get( + image_properties, config.ACI_FIELD_TEMPLATE_IMAGE + ) + + if not image_name: + eprint( + f'Field ["{config.ACI_FIELD_TEMPLATE_PARAMETERS}"] is empty or cannot be found' + ) + + exec_processes = [] + extract_probe(exec_processes, image_properties, config.ACI_FIELD_CONTAINERS_READINESS_PROBE) + extract_probe(exec_processes, image_properties, config.ACI_FIELD_CONTAINERS_LIVENESS_PROBE) + + containers.append( + { + config.ACI_FIELD_CONTAINERS_ID: image_name, + config.ACI_FIELD_CONTAINERS_CONTAINERIMAGE: image_name, + config.ACI_FIELD_CONTAINERS_ENVS: process_env_vars_from_template(image_properties), + config.ACI_FIELD_CONTAINERS_COMMAND: case_insensitive_dict_get( + image_properties, config.ACI_FIELD_TEMPLATE_COMMAND + ) + or [], + config.ACI_FIELD_CONTAINERS_MOUNTS: process_mounts(image_properties, volumes), + config.ACI_FIELD_CONTAINERS_ALLOW_ELEVATED: False, + config.ACI_FIELD_CONTAINERS_EXEC_PROCESSES: exec_processes + + config.DEBUG_MODE_SETTINGS.get("execProcesses") + if debug_mode + else exec_processes, + config.ACI_FIELD_CONTAINERS_SIGNAL_CONTAINER_PROCESSES: [], + config.ACI_FIELD_CONTAINERS_ALLOW_STDIO_ACCESS: not disable_stdio, + } + ) + + container_groups.append( + AciPolicy( + { + config.ACI_FIELD_VERSION: "1.0", + config.ACI_FIELD_CONTAINERS: containers, + config.ACI_FIELD_TEMPLATE_CCE_POLICY: existing_containers, + }, + disable_stdio=disable_stdio, + rego_fragments=rego_fragments, + # fallback to default fragments if the policy is not present + existing_rego_fragments=fragments, + debug_mode=debug_mode, + ) + ) + return container_groups + + +def load_policy_from_arm_template_file( + infrastructure_svn: str, + template_path: str, + parameter_path: str, + debug_mode: bool = False, + disable_stdio: bool = False, +) -> List[AciPolicy]: + """Utility function: generate policy object from given arm template and parameter file paths""" + input_arm_json = os_util.load_str_from_file(template_path) + input_parameter_json = None + if parameter_path: + input_parameter_json = os_util.load_str_from_file(parameter_path) + return load_policy_from_arm_template_str( + input_arm_json, input_parameter_json, infrastructure_svn, + debug_mode=debug_mode, disable_stdio=disable_stdio + ) + + +def load_policy_from_file(path: str, debug_mode: bool = False) -> AciPolicy: + """Utility function: generate policy object from given json file path""" + policy_input_json = os_util.load_str_from_file(path) + + return load_policy_from_str(policy_input_json, debug_mode=debug_mode, ) + + +def load_policy_from_image_name( + image_names: List[str] or str, debug_mode: bool = False, disable_stdio: bool = False +) -> AciPolicy: + # can either take a list of image names or a single image name + if isinstance(image_names, str): + image_names = [image_names] + + client = docker.from_env() + containers = [] + for image_name in image_names: + container = {} + # assign just the fields that are expected + # the values will come when calling + # populate_policy_content_for_all_images later on + container[config.ACI_FIELD_TEMPLATE_COMMAND] = [] + container[config.ACI_FIELD_CONTAINERS_ENVS] = [] + + # assign image name to ID field + container[config.ACI_FIELD_CONTAINERS_ID] = image_name + + container[config.ACI_FIELD_CONTAINERS_CONTAINERIMAGE] = image_name + container[config.ACI_FIELD_CONTAINERS_ALLOW_STDIO_ACCESS] = not disable_stdio + + containers.append(container) + client.close() + + return AciPolicy( + { + config.ACI_FIELD_VERSION: "1.0", + config.ACI_FIELD_CONTAINERS: containers, + # fallback to default fragments if the policy is not present + config.POLICY_FIELD_CONTAINERS_ELEMENTS_REGO_FRAGMENTS: config.DEFAULT_REGO_FRAGMENTS, + }, + debug_mode=debug_mode, + ) + + +def load_policy_from_str(data: str, debug_mode: bool = False) -> AciPolicy: + """Utility function: generate policy object from given json string""" + policy_input_json = os_util.load_json_from_str(data) + containers = case_insensitive_dict_get( + policy_input_json, config.ACI_FIELD_CONTAINERS + ) + + rego_fragments = case_insensitive_dict_get( + policy_input_json, config.ACI_FIELD_CONTAINERS_REGO_FRAGMENTS + ) + + if rego_fragments: + if not isinstance(rego_fragments, list): + eprint( + f'Field ["{config.ACI_FIELD_CONTAINERS}"]' + + f'["{config.POLICY_FIELD_CONTAINERS_ELEMENTS_REGO_FRAGMENTS}"]' + + "can only be a list." + ) + + for fragment in rego_fragments: + feed = case_insensitive_dict_get( + fragment, config.ACI_FIELD_CONTAINERS_REGO_FRAGMENTS_FEED + ) + if not isinstance(feed, str): + eprint( + f'Field ["{config.ACI_FIELD_CONTAINERS}"]' + + f'["{config.POLICY_FIELD_CONTAINERS_ELEMENTS_REGO_FRAGMENTS}"]' + + f'["{config.POLICY_FIELD_CONTAINERS_ELEMENTS_REGO_FRAGMENTS}"]' + + "can only be a string value." + ) + + iss = case_insensitive_dict_get( + fragment, config.ACI_FIELD_CONTAINERS_REGO_FRAGMENTS_ISS + ) + if not isinstance(iss, str): + eprint( + f'Field ["{config.ACI_FIELD_CONTAINERS}"]' + + f'["{config.POLICY_FIELD_CONTAINERS_ELEMENTS_REGO_FRAGMENTS}"]' + + f'["{config.ACI_FIELD_CONTAINERS_REGO_FRAGMENTS_ISS}"]' + + "can only be a string value." + ) + + minimum_svn = case_insensitive_dict_get( + fragment, config.ACI_FIELD_CONTAINERS_REGO_FRAGMENTS_MINIMUM_SVN + ) + if not isinstance(minimum_svn, str): + eprint( + f'Field ["{config.ACI_FIELD_CONTAINERS}"]' + + f'["{config.POLICY_FIELD_CONTAINERS_ELEMENTS_REGO_FRAGMENTS}"]' + + f'["{config.ACI_FIELD_CONTAINERS_REGO_FRAGMENTS_MINIMUM_SVN}"]' + + "can only be a string value." + ) + + includes = case_insensitive_dict_get( + fragment, config.ACI_FIELD_CONTAINERS_REGO_FRAGMENTS_INCLUDES + ) + if not isinstance(includes, list): + eprint( + f'Field ["{config.ACI_FIELD_CONTAINERS}"]' + + f'["{config.POLICY_FIELD_CONTAINERS_ELEMENTS_REGO_FRAGMENTS}"]' + + f'["{config.ACI_FIELD_CONTAINERS_REGO_FRAGMENTS_INCLUDES}"]' + + "can only be a list." + ) + + if not containers: + eprint(f'Field ["{config.ACI_FIELD_CONTAINERS}"] is empty or can not be found.') + + for container in containers: + image_name = case_insensitive_dict_get( + container, config.ACI_FIELD_CONTAINERS_CONTAINERIMAGE + ) + + if not image_name: + eprint( + f'Field ["{config.ACI_FIELD_CONTAINERS_CONTAINERIMAGE}"] is empty or can not be found.' + ) + container[config.ACI_FIELD_CONTAINERS_ID] = image_name + + # set the fields that are present in the container but not in the + # config + container[config.ACI_FIELD_CONTAINERS_EXEC_PROCESSES] = container.get( + config.ACI_FIELD_CONTAINERS_EXEC_PROCESSES, []) + ( + config.DEBUG_MODE_SETTINGS.get("execProcesses") if debug_mode else [] + ) + container[config.ACI_FIELD_CONTAINERS_SIGNAL_CONTAINER_PROCESSES] = [] + + return AciPolicy( + policy_input_json, + rego_fragments=rego_fragments or config.DEFAULT_REGO_FRAGMENTS, + debug_mode=debug_mode, + ) diff --git a/src/confcom/azext_confcom/template.parameters.md b/src/confcom/azext_confcom/template.parameters.md new file mode 100644 index 00000000000..76f197b64a2 --- /dev/null +++ b/src/confcom/azext_confcom/template.parameters.md @@ -0,0 +1,24 @@ +This file is a reference page for the [README](README.md) file. + +template.parameters.json + +``` +{ + "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentParameters.json#", + "contentVersion": "1.0.0.0", + "parameters": { + "share-name": { + "value": "" + }, + "storage-account-name": { + "value": "" + }, + "storage-account-key": { + "value": "" + }, + "image": { + "value": "acicc.azurecr.io/aci/cc-hello-world:latest" + } + } +} +``` \ No newline at end of file diff --git a/src/confcom/azext_confcom/template_util.py b/src/confcom/azext_confcom/template_util.py new file mode 100644 index 00000000000..66ea51218b8 --- /dev/null +++ b/src/confcom/azext_confcom/template_util.py @@ -0,0 +1,738 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- + +import re +import json +import copy +import tarfile +from typing import Any, Tuple, Dict, List +import deepdiff +import yaml +import docker +from azext_confcom.errors import ( + eprint, +) +from azext_confcom import os_util +from azext_confcom import config + + +def case_insensitive_dict_get(dictionary, search_key) -> Any: + if not isinstance(dictionary, dict): + return None + # if the cases happen to match, immediately return .get() result + possible_match = dictionary.get(search_key) + if possible_match: + return possible_match + # case insensitive get and return reference instead of just value + for key in dictionary.keys(): + if key.lower() == search_key.lower(): + return dictionary[key] + return None + + +def get_image_info(progress, message_queue, client, tar_mapping, image): + image_info = None + raw_image = None + image_name = f"{image.base}:{image.tag}" + if len(image.tag.split(":")) > 1: + eprint( + f"The image name: {image.tag} cannot have the digest present to use a tarball as the image source" + ) + # only try to grab the info locally if that's absolutely what + # we want to do + if tar_mapping: + tar_location = get_tar_location_from_mapping(tar_mapping, image_name) + with tarfile.open(tar_location) as tar: + # get all the info out of the tarfile + image_info = os_util.map_image_from_tar( + image_name, tar, tar_location + ) + message_queue.append("read from local tar file") + else: + # see if we have the image locally so we can have a + # 'clean-room' + if not image_info: + try: + raw_image = client.images.get(image_name) + image_info = raw_image.attrs.get("Config") + message_queue.append( + f"Using local version of {image_name}. It may differ from the remote image" + ) + except docker.errors.ImageNotFound: + message_queue.append( + f"{image_name} is not found locally. Attempting to pull from remote..." + ) + + if not image_info: + try: + # pull image to local daemon (if not in local + # daemon) + if not raw_image: + raw_image = client.images.pull(image.base, image.tag) + image_info = raw_image.attrs.get("Config") + except (docker.errors.ImageNotFound, docker.errors.NotFound): + progress.close() + eprint( + f"{image_name} is not found remotely. " + + "Please check to make sure the image and repository exist" + ) + # warn if the image is the "latest" + if image.tag == "latest": + message_queue.append( + 'Using image tag "latest" is not recommended' + ) + + progress.update() + + # error out if we're attempting to build for an unsupported + # architecture + if ( + raw_image and + raw_image.attrs.get( + config.ACI_FIELD_CONTAINERS_ARCHITECTURE_KEY + ) != + config.ACI_FIELD_CONTAINERS_ARCHITECTURE_VALUE + ) or ( + not raw_image and image_info.get(config.ACI_FIELD_CONTAINERS_ARCHITECTURE_KEY) != + config.ACI_FIELD_CONTAINERS_ARCHITECTURE_VALUE + ): + progress.close() + eprint( + f"{image_name} is attempting to build for unsupported architecture: " + + f"{raw_image.attrs.get(config.ACI_FIELD_CONTAINERS_ARCHITECTURE_KEY)}. " + + f"Only {config.ACI_FIELD_CONTAINERS_ARCHITECTURE_VALUE} is supported by Confidential ACI" + ) + + return image_info + + +def get_tar_location_from_mapping(tar_mapping: Any, image_name: str) -> str: + # tar location can either be a dict mapping images to paths to tarfiles or a string to the tarfile + tar_location = None + if isinstance(tar_mapping, dict): + # make it so the user can either put "latest" or infer it + if image_name.endswith(":latest"): + alternate_key = image_name.split(":")[0] + else: + alternate_key = None + tar_location = tar_mapping.get(image_name) or tar_mapping.get( + alternate_key + ) + else: + tar_location = tar_mapping + # this needs to exist to continue + if not tar_location: + eprint( + f"The image {image_name} is not present in the tarball mapping file" + ) + return tar_location + + +def process_env_vars_from_template(image_properties: dict) -> List[Dict[str, str]]: + env_vars = [] + # add in the env vars from the template + template_env_vars = case_insensitive_dict_get( + image_properties, config.ACI_FIELD_TEMPLATE_ENVS + ) + + if template_env_vars: + env_vars = [ + { + config.ACI_FIELD_CONTAINERS_ENVS_NAME: case_insensitive_dict_get( + x, "name" + ), + config.ACI_FIELD_CONTAINERS_ENVS_VALUE: case_insensitive_dict_get( + x, "value" + ) or + case_insensitive_dict_get( + x, "secureValue" + ), + config.ACI_FIELD_CONTAINERS_ENVS_STRATEGY: "string", + } + for x in template_env_vars + ] + return env_vars + + +def process_mounts(image_properties: dict, volumes: List[dict]) -> List[Dict[str, str]]: + mount_source_table_keys = config.MOUNT_SOURCE_TABLE.keys() + # initialize empty array of mounts + mounts = [] + # get the mount types from the mounts section of the ARM template + volume_mounts = ( + case_insensitive_dict_get( + image_properties, config.ACI_FIELD_TEMPLATE_VOLUME_MOUNTS + ) + or [] + ) + + if volume_mounts and not isinstance(volume_mounts, list): + # parameter definition is in parameter file but not arm + # template + eprint( + f'Parameter ["{config.ACI_FIELD_TEMPLATE_VOLUME_MOUNTS}"] must be a list' + ) + + # get list of mount information based on mount name + for mount in volume_mounts: + mount_name = case_insensitive_dict_get(mount, "name") + + filtered_volume = [ + x + for x in volumes + if case_insensitive_dict_get(x, "name") == mount_name + ] + + if not filtered_volume: + eprint(f'Volume ["{mount_name}"] not found in volume declarations') + else: + filtered_volume = filtered_volume[0] + + # figure out mount type + mount_type_value = "" + for i in filtered_volume.keys(): + if i in mount_source_table_keys: + mount_type_value = i + + mounts.append( + { + config.ACI_FIELD_CONTAINERS_MOUNTS_TYPE: mount_type_value, + config.ACI_FIELD_CONTAINERS_MOUNTS_PATH: case_insensitive_dict_get( + mount, config.ACI_FIELD_TEMPLATE_MOUNTS_PATH + ), + config.ACI_FIELD_CONTAINERS_MOUNTS_READONLY: case_insensitive_dict_get( + mount, config.ACI_FIELD_TEMPLATE_MOUNTS_READONLY + ), + } + ) + return mounts + + +def get_values_for_params(input_parameter_json: dict, all_params: dict) -> Dict[str, Any]: + # combine the parameter file into a single dictionary with the template + # parameters + if not input_parameter_json: + return + + input_parameter_values_json = case_insensitive_dict_get( + input_parameter_json, config.ACI_FIELD_TEMPLATE_PARAMETERS + ) + + # parameter file is missing field "parameters" + if input_parameter_json and not input_parameter_values_json: + eprint( + f'Field ["{config.ACI_FIELD_TEMPLATE_PARAMETERS}"] is empty or cannot be found in Parameter file' + ) + + for key in input_parameter_values_json.keys(): + if case_insensitive_dict_get(all_params, key): + all_params[key]["value"] = case_insensitive_dict_get( + case_insensitive_dict_get(input_parameter_values_json, key), "value" + ) or case_insensitive_dict_get( + case_insensitive_dict_get(input_parameter_values_json, key), "secureValue" + ) + else: + # parameter definition is in parameter file but not arm + # template + eprint( + f'Parameter ["{key}"] is empty or cannot be found in ARM template' + ) + + +def extract_probe(exec_processes: List[dict], image_properties: dict, probe: str): + + # get the readiness probe if it exists and is an exec command + probe = case_insensitive_dict_get( + image_properties, probe + ) + + if probe: + probe_exec = case_insensitive_dict_get( + probe, config.ACI_FIELD_CONTAINERS_PROBE_ACTION + ) + if probe_exec: + probe_command = case_insensitive_dict_get( + probe_exec, + config.ACI_FIELD_CONTAINERS_PROBE_COMMAND, + ) + if not probe_command: + eprint("Probes must have a 'command' declaration") + exec_processes.append({ + config.ACI_FIELD_CONTAINERS_PROBE_COMMAND: probe_command, + config.ACI_FIELD_CONTAINERS_SIGNAL_CONTAINER_PROCESSES: [], + }) + + +def readable_diff(diff_dict) -> Dict[str, Any]: + # need to rename fields in the deep diff to be more accessible to customers + name_translation = { + "values_changed": "values_changed", + "iterable_item_removed": "values_removed", + "iterable_item_added": "values_added", + } + + human_readable_diff = {} + # iterate through the possible types of changes i.e. "iterable_item_removed" + for category in diff_dict: + new_name = case_insensitive_dict_get(name_translation, category) or category + if case_insensitive_dict_get(human_readable_diff, category) is None: + human_readable_diff[new_name] = {} + # sometimes the output will be an array, this next chunk doesn't work for that case in its current state + if isinstance(diff_dict[category], dict): + # search for the area of the ARM Template with the change i.e. "mounts" or "env_rules" + for key in diff_dict[category]: + key = str(key) + key_name = re.search(r"'(.*?)'", key).group(1) + human_readable_diff[new_name].setdefault(key_name, []).append( + diff_dict[category][key] + ) + + return change_key_names(human_readable_diff) + + +def compare_containers(container1, container2) -> Dict[str, Any]: + """Utility method: see if the container in test_policy + would be allowed to run under the rules of the 'self' policy""" + + diff = deepdiff.DeepDiff( + container1, + container2, + ) + # cast to json using built-in function in deepdiff so there's safe translation + # e.g. a type will successfully cast to string + return readable_diff(json.loads(diff.to_json())) + + +def change_key_names(dictionary) -> Dict: + """Recursive function to rename keys wherever they are in the output diff dictionary""" + # need to rename fields in the deep diff to be more accessible to customers + name_translation = { + "old_value": "policy_value", + "new_value": "tested_value", + } + + if isinstance(dictionary, (str, int)): + return None + if isinstance(dictionary, list): + for item in dictionary: + change_key_names(item) + if isinstance(dictionary, dict): + keys = list(dictionary.keys()) + for key in keys: + if key in name_translation: + dictionary[name_translation[key]] = dictionary.pop(key) + key = name_translation[key] + # go through the rest of the keys in case the objects are nested + change_key_names(dictionary[key]) + return dictionary + + +def find_value_in_params_and_vars(params: dict, vars_dict: dict, search: str) -> str: + """Utility function: either returns the input search value, + or replaces it with the defined value in either params or vars of the ARM template""" + # this pattern might need to be updated for more naming options in the future + # pattern = "(parameters|variables)\('([\w\-\_0-9]+)'\)" + pattern = r"(?:parameters|variables)\(\s*'([^\.\/]+?)'\s*\)" + param_name = re.findall(pattern, search) + + if not param_name: + return search + + # this could be updated in the future if more than one variable/parameter is used in one value + param_name = param_name[0] + + # figure out if we need to search in variables or parameters + + match = "" + if config.ACI_FIELD_TEMPLATE_PARAMETERS in search: + + param_value = case_insensitive_dict_get(params, param_name) + + if not param_value: + eprint( + f"""Field ["{param_name}"] not found in ["{config.ACI_FIELD_TEMPLATE_PARAMETERS}"] + or ["{config.ACI_FIELD_TEMPLATE_VARIABLES}"]""" + ) + # fallback to default value + match = case_insensitive_dict_get( + param_value, "value" + ) or case_insensitive_dict_get(param_value, "defaultValue") + else: + match = case_insensitive_dict_get(vars_dict, param_name) + + if not match: + eprint( + f"""Field ["{param_name}"] not found in ["{config.ACI_FIELD_TEMPLATE_PARAMETERS}"] + or ["{config.ACI_FIELD_TEMPLATE_VARIABLES}"]""" + ) + + return match + + +def parse_template(params: dict, vars_dict: dict, template) -> Any: + """Utility function: replace all instances of variable and parameter references in an ARM template + current limitations: + - object values for parameters and variables + - template functions + - complex values for parameters and variables + - parameter and variables names might not be recognized all the time + """ + if isinstance(template, dict): + for key, value in template.items(): + if isinstance(value, str): + template[key] = find_value_in_params_and_vars(params, vars_dict, value) + elif isinstance(value, dict): + parse_template(params, vars_dict, value) + elif isinstance(value, list): + for i, _ in enumerate(value): + template[key][i] = parse_template(params, vars_dict, value[i]) + return template + + +def extract_containers_from_text(text, start) -> str: + """Utility function: extract the container and fragment + information from the string version of a rego file. + The contained information is assumed to be an array between square brackets""" + start_index = text.find(start) + ending = text[start_index + len(start):] + + count = bracket_count = 0 + character = ending[count] + flag = True + # kind of an FSM to get everything between starting square bracket and end + while bracket_count > 0 or flag: + count += 1 + # make sure we're ending on the correct end bracket + if character == "[": + bracket_count += 1 + flag = False + elif character == "]": + bracket_count -= 1 + + if count == len(ending): + # throw error, invalid rego file + break + character = ending[count] + # get everything between the square brackets + return ending[:count] + + +def extract_confidential_properties( + container_group_properties, +) -> Tuple[List[Dict], List[Dict]]: + container_start = "containers := " + fragment_start = "fragments := " + # extract the existing cce policy if that's what was being asked + confidential_compute_properties = case_insensitive_dict_get( + container_group_properties, config.ACI_FIELD_TEMPLATE_CONFCOM_PROPERTIES + ) + + if confidential_compute_properties is None: + eprint( + f"""Field ["{config.ACI_FIELD_TEMPLATE_CONFCOM_PROPERTIES}"] + not found in ["{config.ACI_FIELD_TEMPLATE_PROPERTIES}"]""" + ) + + cce_policy = case_insensitive_dict_get( + confidential_compute_properties, config.ACI_FIELD_TEMPLATE_CCE_POLICY + ) + # special case when "ccePolicy" field is blank, indicating the use of the "allow all" policy + if not cce_policy: + return ([], config.DEFAULT_REGO_FRAGMENTS) + + cce_policy = os_util.base64_to_str(cce_policy) + # error check that the decoded policy existing in the template is not in JSON format + try: + json.loads(cce_policy) + eprint( + """The existing security policy within the ARM Template + is not in the expected Rego format when decoded from base64""" + ) + except json.decoder.JSONDecodeError: + # this is expected, we do not want json + pass + + try: + container_text = extract_containers_from_text(cce_policy, container_start) + # replace tabs with 4 spaces, YAML parser can take in JSON with trailing commas but not tabs + # so we need to get rid of the tabs + container_text = container_text.replace("\t", " ") + + containers = yaml.load(container_text, Loader=yaml.FullLoader) + + fragment_text = extract_containers_from_text( + cce_policy, fragment_start + ).replace("\t", " ") + + fragments = yaml.load( + fragment_text, + Loader=yaml.FullLoader, + ) + except yaml.YAMLError: + # reading the rego file failed, so we'll just return the default outputs + containers = [] + fragments = [] + + return (containers, fragments) + + +# making these lambda print functions looks cleaner than having "json.dumps" 6 times +def print_func(x: dict) -> str: + return json.dumps(x, separators=(",", ":"), sort_keys=True) + + +def pretty_print_func(x: dict) -> str: + return json.dumps(x, indent=2, sort_keys=True) + + +def is_sidecar(image_name: str) -> bool: + return image_name.split(":")[0] in config.BASELINE_SIDECAR_CONTAINERS + + +def compare_env_vars( + id_val, env_list1: List[Dict[str, Any]], env_list2: List[Dict[str, Any]] +) -> Dict[str, List[str]]: + reason_list = {} + policy_env_rules_regex = [ + case_insensitive_dict_get(i, config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_RULE) + for i in env_list1 + if case_insensitive_dict_get( + i, config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_STRATEGY + ) + == "re2" + ] + + policy_env_rules_str = [ + case_insensitive_dict_get(i, config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_RULE) + for i in env_list1 + if case_insensitive_dict_get( + i, config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_STRATEGY + ) + == "string" + ] + + # check that all env vars in the container match rules that are present in the policy + for env_rule in env_list2: + # case where rule with strategy string is not in the policy's list of string rules + # we need to check if it fits one of the patterns in the regex list + if ( + case_insensitive_dict_get( + env_rule, config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_STRATEGY + ) + == "string" + and case_insensitive_dict_get( + env_rule, config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_RULE + ) + not in policy_env_rules_str + ): + # check if the env var matches any of the regex rules + matching = False + for pattern in policy_env_rules_regex: + matching = matching or re.search( + pattern, + case_insensitive_dict_get( + env_rule, config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_RULE + ), + ) + if matching: + break + + if not matching: + # create the env_rules entry in the diff output if it doesn't exist + reason_list.setdefault(id_val, {}) + # add this to the list of rules violating policy + reason_list[id_val].setdefault( + config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS, [] + ).append( + "environment variable with rule " + + f"'{case_insensitive_dict_get(env_rule, config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_RULE)}' " + + "does not match strings or regex in policy rules" + ) + # make sure all the regex patterns are included in the policy too + elif ( + case_insensitive_dict_get( + env_rule, config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_STRATEGY + ) + == "re2" + and case_insensitive_dict_get( + env_rule, config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_RULE + ) + not in policy_env_rules_regex + ): + # create the env_rules entry in the diff output if it doesn't exist + reason_list.setdefault(id_val, {}) + # add this to the list of rules violating policy + reason_list[id_val].setdefault( + config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS, [] + ).append( + "environment variable with rule " + + f"'{case_insensitive_dict_get(env_rule, config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_RULE)}' " + + "is not in the policy" + ) + return reason_list + + +def inject_policy_into_template( + arm_template_path: str, parameter_data_path: str, policy: str, count: int +) -> bool: + write_flag = False + parameter_data = None + input_arm_json = os_util.load_json_from_file(arm_template_path) + if parameter_data_path: + parameter_data = os_util.load_json_from_file(arm_template_path) + # find the image names and extract them from the template + arm_resources = case_insensitive_dict_get( + input_arm_json, config.ACI_FIELD_RESOURCES + ) + + if not arm_resources: + eprint(f"Field [{config.ACI_FIELD_RESOURCES}] is empty or cannot be found") + + aci_list = [ + item + for item in arm_resources + if item["type"] == config.ACI_FIELD_TEMPLATE_RESOURCE_LABEL + ] + + if not aci_list: + eprint( + f'Field ["type"] must contain value of ["{config.ACI_FIELD_TEMPLATE_RESOURCE_LABEL}"]' + ) + + resource = aci_list[count] + + container_group_properties = case_insensitive_dict_get( + resource, config.ACI_FIELD_TEMPLATE_PROPERTIES + ) + + # extract the existing cce policy if that's what was being asked + confidential_compute_properties = case_insensitive_dict_get( + container_group_properties, config.ACI_FIELD_TEMPLATE_CONFCOM_PROPERTIES + ) + + if confidential_compute_properties is None: + eprint( + f'Field ["{config.ACI_FIELD_TEMPLATE_CONFCOM_PROPERTIES}"] ' + + f'not found in ["{config.ACI_FIELD_TEMPLATE_PROPERTIES}"]' + ) + + cce_policy = case_insensitive_dict_get( + confidential_compute_properties, config.ACI_FIELD_TEMPLATE_CCE_POLICY + ) + # special case when "ccePolicy" field is blank, indicating the use of the "allow all" policy + if not cce_policy: + confidential_compute_properties[config.ACI_FIELD_TEMPLATE_CCE_POLICY] = policy + write_flag = True + else: + container_group_name = get_container_group_name( + input_arm_json, parameter_data, count + ) + user_input = input( + "Do you want to overwrite the CCE Policy currently in container group " + + f'"{container_group_name}" in the ARM Template? (y/n) ' + ) + if user_input.lower() == "y": + confidential_compute_properties[ + config.ACI_FIELD_TEMPLATE_CCE_POLICY + ] = policy + write_flag = True + if write_flag: + os_util.write_json_to_file(arm_template_path, input_arm_json) + return True + return False + + +def get_container_group_name( + input_arm_json: dict, input_parameter_json: dict, count: int +) -> bool: + arm_json = copy.deepcopy(input_arm_json) + # extract variables and parameters in case we need to do substitutions + # while searching for image names + all_vars = case_insensitive_dict_get(arm_json, config.ACI_FIELD_TEMPLATE_VARIABLES) or {} + all_params = ( + case_insensitive_dict_get(arm_json, config.ACI_FIELD_TEMPLATE_PARAMETERS) or {} + ) + + if input_parameter_json: + # combine the parameter file into a single dictionary with the template parameters + input_parameter_values_json = case_insensitive_dict_get( + input_parameter_json, config.ACI_FIELD_TEMPLATE_PARAMETERS + ) + for key in input_parameter_values_json.keys(): + if case_insensitive_dict_get(all_params, key): + all_params[key]["value"] = case_insensitive_dict_get( + case_insensitive_dict_get(input_parameter_values_json, key), "value" + ) or case_insensitive_dict_get( + case_insensitive_dict_get(input_parameter_values_json, key), + "secureValue", + ) + else: + # parameter definition is in parameter file but not arm template + eprint( + f'Parameter ["{key}"] is empty or cannot be found in ARM template' + ) + # parameter file is missing field "parameters" + elif input_parameter_json and not input_parameter_values_json: + eprint( + f'Field ["{config.ACI_FIELD_TEMPLATE_PARAMETERS}"] is empty or cannot be found in Parameter file' + ) + + arm_json = parse_template(all_params, all_vars, arm_json) + # find the image names and extract them from the template + arm_resources = case_insensitive_dict_get(arm_json, config.ACI_FIELD_RESOURCES) + + if not arm_resources: + eprint(f"Field [{config.ACI_FIELD_RESOURCES}] is empty or cannot be found") + + aci_list = [ + item + for item in arm_resources + if item["type"] == config.ACI_FIELD_TEMPLATE_RESOURCE_LABEL + ] + + if not aci_list: + eprint( + f'Field ["type"] must contain value of ["{config.ACI_FIELD_TEMPLATE_RESOURCE_LABEL}"]' + ) + + resource = aci_list[count] + container_group_name = case_insensitive_dict_get(resource, config.ACI_FIELD_RESOURCES_NAME) + return container_group_name + + +def print_existing_policy_from_arm_template(arm_template_path, parameter_data_path): + input_arm_json = os_util.load_json_from_file(arm_template_path) + parameter_data = None + if parameter_data_path: + parameter_data = os_util.load_json_from_file(arm_template_path) + # find the image names and extract them from the template + arm_resources = case_insensitive_dict_get( + input_arm_json, config.ACI_FIELD_RESOURCES + ) + + if not arm_resources: + eprint(f"Field [{config.ACI_FIELD_RESOURCES}] is empty or cannot be found") + + aci_list = [ + item + for item in arm_resources + if item["type"] == config.ACI_FIELD_TEMPLATE_RESOURCE_LABEL + ] + + if not aci_list: + eprint( + f'Field ["type"] must contain value of ["{config.ACI_FIELD_TEMPLATE_RESOURCE_LABEL}"]' + ) + for i, resource in enumerate(aci_list): + container_group_properties = case_insensitive_dict_get( + resource, config.ACI_FIELD_TEMPLATE_PROPERTIES + ) + container_group_name = get_container_group_name(input_arm_json, parameter_data, i) + + (containers, _) = extract_confidential_properties(container_group_properties) + if not containers: + eprint("CCE Policy is either in an supported format or not present") + print(f"CCE Policy for Container Group: {container_group_name}\n") + print(pretty_print_func(containers)) diff --git a/src/confcom/azext_confcom/tests/__init__.py b/src/confcom/azext_confcom/tests/__init__.py new file mode 100644 index 00000000000..99c0f28cd71 --- /dev/null +++ b/src/confcom/azext_confcom/tests/__init__.py @@ -0,0 +1,5 @@ +# ----------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for +# license information. +# ----------------------------------------------------------------------------- diff --git a/src/confcom/azext_confcom/tests/latest/README.md b/src/confcom/azext_confcom/tests/latest/README.md new file mode 100644 index 00000000000..f82de30f465 --- /dev/null +++ b/src/confcom/azext_confcom/tests/latest/README.md @@ -0,0 +1,105 @@ +# Testing + +This file is used to organize what test cases are present and what they are specifically testing. +It could be replaced by having more descriptions inside each testing file. +The tests are split up into separate files depending on their input type: + +## Coverage Report + +To get line coverage from the tests run the following commands after installing `coverage` with `pip install coverage`. +`coverage run -m pytest ` +then run +`coverage html` +to generate a report in html that can then be navigated using a browser by opening the file `htmlcov/index.html` in a browser tab. + +## ARM Template [test file](test_confcom_arm.py) + +This is arguably the easiest way to generate a CCE Policy. +It uses the ARM template used to deploy a ACI Container Group while taking into account environment variables and mounts that are present in the ARM template. + +Test Name | Image Used | Purpose +---|---|--- +test_arm_template_policy | python:3.6.14-slim-buster | Generate an ARM Template policy and policy.json policy and see if their outputs match +test_default_infrastructure_svn | python:3.6.14-slim-buster | See the default value of the minimum SVN for the infrastructure fragment +test_arm_template_missing_image_name | N/A | Error condition if an image isn't specified +test_arm_template_missing_resources | N/A | Error condition where no resources are specified to deploy +test_arm_template_missing_aci | N/A | Error condition where ACI is not specified in resources +test_arm_template_missing_containers | N/A | Error condition where there are no containers in the ACI resource +test_arm_template_missing_default_value | N/A | Error condition where there aren't default values or defined values for parameters in the ARM Template +test_arm_template_missing_definition | python:3.6.14-slim-buster | Error condition where image is specified in template.parameters.json but not in template.json +test_arm_template_with_parameter_file | mcr.microsoft.com/azure-functions/python:4-python3.8 | Condition where image in template.parameters.json overwrites image name in template.json +test_arm_template_with_parameter_file_injected_env_vars | mcr.microsoft.com/azure-functions/python:4-python3.8 | See if env vars from the image are injected into the policy. Also make sure the `concat` function in ARM template won't break the CLI if it's not in a required spot like image name +test_arm_template_with_parameter_file_arm_config | mcr.microsoft.com/azure-functions/python:4-python3.8 | Test valid case of using a parameter file with JSON output instead of Rego +test_arm_template_with_parameter_file_clean_room | mcr.microsoft.com/azure-functions/node:4 | Test clean room case where image specified does not exist remotely but does locally +test_policy_diff | rust:1.52.1 | See if the diff functionality outputs `True` when diffs match completely +test_incorrect_policy_diff | rust:1.52.1 | Check output formatting and functionality of diff command +test_update_infrastructure_svn | python:3.6.14-slim-buster | Change the minimum SVN for the insfrastructure fragment +test_multiple_policies | python:3.6.14-slim-buster & rust:1.52.1 | See if two unique policies are generated from a single ARM Template container multiple container groups. Also have an extra resource that is untouched. Also has a secureValue for an environment variable. +test_arm_template_with_init_container | python:3.6.14-slim-buster & rust:1.52.1 | See if having an initContainer is picked up and added to the list of valid containers +test_arm_template_without_stdio_access | rust:1.52.1 | See if disabling container stdio access gets passed down to individual containers + +## policy.json [test file](test_confcom_scenario.py) + +This was the initial way to input policy information into the confcom extension. +It is still used for generating sidecar CCE Policies. + +Test Name | Image Used | Purpose +---|---|--- +test_user_container_customized_mounts | rust:1.52.1 | See if mounts are translated correctly to the appropriate source and destination locations +test_user_container_mount_injected_dns | python:3.6.14-slim-buster | See if the resolvconf mount works properly +test_injected_sidecar_container_msi | mcr.microsoft.com/aci/msi-atlas-adapter:master_20201203.1 | Make sure User mounts and env vars aren't added to sidecar containers, using JSON output format +test_logging_enabled | python:3.6.14-slim-buster | Enable logging via debug_mode +test_sidecar | mcr.microsoft.com/aci/msi-atlas-adapter:master_20201210.1 | See if sidecar validation would pass policy created by given policy.json +test_sidecar_stdio_access_default | Check that sidecar containers have std I/O access by default +test_incorrect_sidecar | mcr.microsoft.com/aci/msi-atlas-adapter:master_20201210.1 | See what output format for failing sidecar validation would be +test_customized_workingdir | python:3.6.14-slim-buster | Using different working dir than specified in image metadata +test_allow_elevated | python:3.6.14-slim-buster | Using allow_elevated in container +test_image_layers_python | python:3.6.14-slim-buster | Make sure image layers are as expected +test_image_layers_rust | rust:1.52.1 | Make sure image layers are as expected with different image +test_docker_pull | rust:1.52.1 | Test pulling an image from docker client +test_stdio_access_default | python:3.6.14-slim-buster | Checking the default value for std I/O access +test_stdio_access_updated | python:3.6.14-slim-buster | Checking the value for std I/O when it's set +test_environment_variables_parsing | mcr.microsoft.com/azuredocs/aci-dataprocessing-cc:v1 | Make sure env vars are output in the right format +test_get_layers_from_not_exists_image | notexists:1.0.0 | Fail out grabbing layers if image doesn't exist +test_incorrect_allow_elevated_data_type | rust:1.52.1 | Making allow_elevated fail out if it's not a boolean +test_incorrect_workingdir_path | rust:1.52.1 | Fail if working dir isn't an absolute path string +test_incorrect_workingdir_data_type | rust:1.52.1 | Fail if working dir is an array +test_incorrect_command_data_type | rust:1.52.1 | Fail if command is not array of strings +test_json_missing_containers | N/A | Fail if containers are not specified +test_json_missing_version | mcr.microsoft.com/azuredocs/aci-dataprocessing-cc:v1 | Fail if version is not included in policy.json +test_json_missing_containerImage | N/A | Fail if container doesn't have an image specified +test_json_missing_environmentVariables | mcr.microsoft.com/azuredocs/aci-dataprocessing-cc:v1 | Fail if there are no env vars defined +test_json_missing_command | mcr.microsoft.com/azuredocs/aci-dataprocessing-cc:v1 | Fail if there is no command specified + +## Image [test file](test_confcom_image.py) + +This is a convenient way of generating a CCE Policy with no external files. +It accepts a string of the image name and tag and outputs a CCE Policy using the image's metadata. + +Test Name | Image Used | Purpose +---|---|--- +test_image_policy | python:3.6.14-slim-buster | Create a policy based on only an image name +test_sidecar_image_policy |mcr.microsoft.com/aci/atlas-mount-azure-file-volume:master_20201210.2| Create a policy based on a sidecar so no env vars are injected +test_invalid_image_policy | mcr.microsoft.com/aci/fake-image:master_20201210.2 | Fail out if the image doesn't exist locally or remotely +test_clean_room_policy | mcr.microsoft.com/aci/atlas-mount-azure-file-volume:master_20201210.2 | create a new tag of a sidecar locally and make sure it matches the original + +## Startup Checks [test file](test_confcom_startup.py) + +This does a series of checks to make sure the flag configuration that is attempted is valid + +Test Name | Purpose +---|--- +test_invalid_output_flags | Makes sure that the policy fails if we specify more than one output format at a time +test_invalid_many_input_types | Makes sure we're only getting input from one source i.e. ARM Template, policy.json, or image name +test_diff_wrong_input_type | Makes sure we're only doing the diff command if we're using a ARM Template as the input type +test_parameters_without_template | Makes sure we error out if a parameter file is getting passed in without an ARM Template + +## Tar File (test_confcom_tar.py) + +This is a way to generate a CCE policy without the use of the docker daemon. The tar file that gets passed in is either from the `docker save` command or doing `image.save(named=True)` with the Docker python SDK. It accepts either a path to a tar file or the path to a JSON file with keys being the name of the image and value being the path to that file relative to the JSON file. + +Test Name | Image Used | Purpose +---|---|--- +test_arm_template_with_parameter_file_clean_room_tar | nginx:1.23 | Create a policy from a tar file and compare it to a policy generated from an ARM template +test_arm_template_with_parameter_file_clean_room_tar_invalid | N/A | Fail out if searching for an image in a tar file that does not include it +test_clean_room_fake_tar_invalid | N/A | Fail out if the path to the tar file doesn't exist diff --git a/src/confcom/azext_confcom/tests/latest/__init__.py b/src/confcom/azext_confcom/tests/latest/__init__.py new file mode 100644 index 00000000000..99c0f28cd71 --- /dev/null +++ b/src/confcom/azext_confcom/tests/latest/__init__.py @@ -0,0 +1,5 @@ +# ----------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for +# license information. +# ----------------------------------------------------------------------------- diff --git a/src/confcom/azext_confcom/tests/latest/test_confcom_arm.py b/src/confcom/azext_confcom/tests/latest/test_confcom_arm.py new file mode 100644 index 00000000000..5a10b004d3e --- /dev/null +++ b/src/confcom/azext_confcom/tests/latest/test_confcom_arm.py @@ -0,0 +1,2761 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- + +import os +import unittest +import pytest +import json +import deepdiff +import docker + +from azext_confcom.security_policy import ( + OutputType, + load_policy_from_str, + load_policy_from_arm_template_str, +) +import azext_confcom.config as config +from azext_confcom.custom import acipolicygen_confcom +from azext_confcom.template_util import case_insensitive_dict_get + +TEST_DIR = os.path.abspath(os.path.join(os.path.abspath(__file__), "..")) + + +# @unittest.skip("not in use") +@pytest.mark.run(order=1) +class PolicyGeneratingArm(unittest.TestCase): + custom_json = """ + { + "version": "1.0", + "containers": [ + { + "containerImage": "python:3.6.14-slim-buster", + "environmentVariables": [ + { + "name":"PATH", + "value":"/usr/local/bin:/usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin", + "strategy":"string" + }, + { + "name":"LANG", + "value":"C.UTF-8", + "strategy":"string" + }, + { + "name":"GPG_KEY", + "value":"0D96DF4D4110E5C43FBFB17F2D347EA6AA65421D", + "strategy":"string" + }, + { + "name":"PYTHON_VERSION", + "value":"3.6.14", + "strategy":"string" + }, + { + "name":"PYTHON_PIP_VERSION", + "value":"21.2.4", + "strategy":"string" + }, + { + "name":"PYTHON_GET_PIP_URL", + "value":"https://github.com/pypa/get-pip/raw/c20b0cfd643cd4a19246ccf204e2997af70f6b21/public/get-pip.py", + "strategy":"string" + }, + { + "name":"PYTHON_GET_PIP_SHA256", + "value":"fa6f3fb93cce234cd4e8dd2beb54a51ab9c247653b52855a48dd44e6b21ff28b", + "strategy":"string" + } + ], + "command": ["python3"], + "workingDir": "", + "mounts": [ + { + "mountType": "azureFile", + "mountPath": "/aci/logs", + "readonly": false + }, + { + "mountType": "secret", + "mountPath": "/aci/secret", + "readonly": true + } + ] + } + ] + } + """ + + custom_arm_json = """ + { + "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", + "contentVersion": "1.0.0.0", + "variables": { + "image": "python:3.6.14-slim-buster" + }, + + + "parameters": { + "containergroupname": { + "type": "string", + "metadata": { + "description": "Name for the container group" + }, + "defaultValue":"simple-container-group" + }, + + "containername": { + "type": "string", + "metadata": { + "description": "Name for the container" + }, + "defaultValue":"simple-container" + }, + "port": { + "type": "string", + "metadata": { + "description": "Port to open on the container and the public IP address." + }, + "defaultValue": "8080" + }, + "cpuCores": { + "type": "string", + "metadata": { + "description": "The number of CPU cores to allocate to the container." + }, + "defaultValue": "1.0" + }, + "memoryInGb": { + "type": "string", + "metadata": { + "description": "The amount of memory to allocate to the container in gigabytes." + }, + "defaultValue": "1.5" + }, + "location": { + "type": "string", + "defaultValue": "[resourceGroup().location]", + "metadata": { + "description": "Location for all resources." + } + } + }, + "resources": [ + { + "name": "[parameters('containergroupname')]", + "type": "Microsoft.ContainerInstance/containerGroups", + "apiVersion": "2022-04-01-preview", + "location": "[parameters('location')]", + "properties": { + "containers": [ + { + "name": "[parameters('containername')]", + + "properties": { + "image": "[variables('image')]", + "command": [ + "python3" + ], + "ports": [ + { + "port": "[parameters('port')]" + } + ], + "resources": { + "requests": { + "cpu": "[parameters('cpuCores')]", + "memoryInGb": "[parameters('memoryInGb')]" + } + }, + "volumeMounts": [ + { + "name": "filesharevolume", + "mountPath": "/aci/logs", + "readOnly": false + }, + { + "name": "secretvolume", + "mountPath": "/aci/secret", + "readOnly": true + } + ] + } + } + ], + "volumes": [ + { + "name": "filesharevolume", + "azureFile": { + "shareName": "shareName1", + "storageAccountName": "storage-account-name", + "storageAccountKey": "storage-account-key" + } + }, + { + + "name": "secretvolume", + "secret": { + "mysecret1": "secret1", + "mysecret2": "secret2" + } + } + + ], + "osType": "Linux", + "restartPolicy": "OnFailure", + "confidentialComputeProperties": { + "IsolationType": "SevSnp" + }, + "ipAddress": { + "type": "Public", + "ports": [ + { + "protocol": "Tcp", + "port": "[parameters( 'port' )]" + } + ] + } + } + } + ], + "outputs": { + "containerIPv4Address": { + "type": "string", + "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', parameters('containergroupname'))).ipAddress.ip]" + } + } + } + """ + aci_policy = None + + @classmethod + def setUpClass(cls): + with load_policy_from_str(cls.custom_json) as aci_policy: + aci_policy.populate_policy_content_for_all_images() + cls.aci_policy = aci_policy + + cls.aci_arm_policy = load_policy_from_arm_template_str(cls.custom_arm_json, "")[ + 0 + ] + cls.aci_arm_policy.populate_policy_content_for_all_images() + + def test_arm_template_policy(self): + # deep diff the output policies from the regular policy.json and the ARM template + normalized_aci_policy = json.loads( + self.aci_policy.get_serialized_output(output_type=OutputType.RAW, use_json=True) + ) + + normalized_aci_arm_policy = json.loads( + self.aci_arm_policy.get_serialized_output( + output_type=OutputType.RAW, use_json=True + ) + ) + + normalized_aci_policy[config.POLICY_FIELD_CONTAINERS][ + config.POLICY_FIELD_CONTAINERS_ELEMENTS + ]["0"].pop(config.POLICY_FIELD_CONTAINERS_ID) + normalized_aci_arm_policy[config.POLICY_FIELD_CONTAINERS][ + config.POLICY_FIELD_CONTAINERS_ELEMENTS + ]["0"].pop(config.POLICY_FIELD_CONTAINERS_ID) + + self.assertEqual( + deepdiff.DeepDiff( + normalized_aci_policy, normalized_aci_arm_policy, ignore_order=True + ), + {}, + ) + + def test_default_infrastructure_svn(self): + self.assertEqual( + config.DEFAULT_REGO_FRAGMENTS[0][ + config.POLICY_FIELD_CONTAINERS_ELEMENTS_REGO_FRAGMENTS_MINIMUM_SVN + ], + self.aci_arm_policy._fragments[0][ + config.POLICY_FIELD_CONTAINERS_ELEMENTS_REGO_FRAGMENTS_MINIMUM_SVN + ], + ) + + +# @unittest.skip("not in use") +@pytest.mark.run(order=2) +class PolicyGeneratingArmIncorrect(unittest.TestCase): + def test_arm_template_missing_image_name(self): + custom_arm_json_missing_image_name = """ + { + "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", + "contentVersion": "1.0.0.0", + + + "parameters": { + "containergroupname": { + "type": "string", + "metadata": { + "description": "Name for the container group" + } + }, + + "containername": { + "type": "string", + "metadata": { + "description": "Name for the container" + } + }, + "port": { + "type": "string", + "metadata": { + "description": "Port to open on the container and the public IP address." + }, + "defaultValue": "8080" + }, + "cpuCores": { + "type": "string", + "metadata": { + "description": "The number of CPU cores to allocate to the container." + }, + "defaultValue": "1.0" + }, + "memoryInGb": { + "type": "string", + "metadata": { + "description": "The amount of memory to allocate to the container in gigabytes." + }, + "defaultValue": "1.5" + }, + "location": { + "type": "string", + "defaultValue": "[resourceGroup().location]", + "metadata": { + "description": "Location for all resources." + } + } + }, + "resources": [ + { + "name": "[parameters('containergroupname')]", + "type": "Microsoft.ContainerInstance/containerGroups", + "apiVersion": "2022-04-01-preview", + "location": "[parameters('location')]", + + "properties": { + "containers": [ + { + "name": "[parameters('containername')]", + "properties": { + "image": "[variables('image')]", + "ports": [ + { + "port": "[parameters('port')]" + } + ], + "resources": { + "requests": { + "cpu": "[parameters('cpuCores')]", + "memoryInGb": "[parameters('memoryInGb')]" + } + } + } + } + ], + + "osType": "Linux", + "restartPolicy": "OnFailure", + "confidentialComputeProperties": { + "IsolationType": "SevSnp" + }, + "ipAddress": { + "type": "Public", + "ports": [ + { + "protocol": "Tcp", + "port": "[parameters( 'port' )]" + } + ] + } + } + } + ], + "outputs": { + "containerIPv4Address": { + "type": "string", + "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', parameters('containergroupname'))).ipAddress.ip]" + } + } + } + """ + + with self.assertRaises(SystemExit) as exc_info: + load_policy_from_arm_template_str(custom_arm_json_missing_image_name, "") + self.assertEqual(exc_info.exception.code, 1) + + def test_arm_template_missing_resources(self): + custom_arm_json_missing_resources = """ + { + "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", + "contentVersion": "1.0.0.0", + + + "parameters": { + "containergroupname": { + "type": "string", + "metadata": { + "description": "Name for the container group" + } + }, + + "containername": { + "type": "string", + "metadata": { + "description": "Name for the container" + } + }, + "port": { + "type": "string", + "metadata": { + "description": "Port to open on the container and the public IP address." + }, + "defaultValue": "8080" + }, + "cpuCores": { + "type": "string", + "metadata": { + "description": "The number of CPU cores to allocate to the container." + }, + "defaultValue": "1.0" + }, + "memoryInGb": { + "type": "string", + "metadata": { + "description": "The amount of memory to allocate to the container in gigabytes." + }, + "defaultValue": "1.5" + }, + "location": { + "type": "string", + "defaultValue": "[resourceGroup().location]", + "metadata": { + "description": "Location for all resources." + } + } + }, + "outputs": { + "containerIPv4Address": { + "type": "string", + "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', parameters('containergroupname'))).ipAddress.ip]" + } + } + } + """ + with self.assertRaises(SystemExit) as exc_info: + load_policy_from_arm_template_str(custom_arm_json_missing_resources, "") + self.assertEqual(exc_info.exception.code, 1) + + def test_arm_template_missing_aci(self): + custom_arm_json_missing_aci = """ + { + "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", + "contentVersion": "1.0.0.0", + + + "parameters": { + "containergroupname": { + "type": "string", + "metadata": { + "description": "Name for the container group" + } + }, + + "containername": { + "type": "string", + "metadata": { + "description": "Name for the container" + } + }, + "port": { + "type": "string", + "metadata": { + "description": "Port to open on the container and the public IP address." + }, + "defaultValue": "8080" + }, + "cpuCores": { + "type": "string", + "metadata": { + "description": "The number of CPU cores to allocate to the container." + }, + "defaultValue": "1.0" + }, + "memoryInGb": { + "type": "string", + "metadata": { + "description": "The amount of memory to allocate to the container in gigabytes." + }, + "defaultValue": "1.5" + }, + "location": { + "type": "string", + "defaultValue": "[resourceGroup().location]", + "metadata": { + "description": "Location for all resources." + } + } + }, + "resources": [ + + ], + "outputs": { + "containerIPv4Address": { + "type": "string", + "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', parameters('containergroupname'))).ipAddress.ip]" + } + } + } + """ + with self.assertRaises(SystemExit) as exc_info: + load_policy_from_arm_template_str(custom_arm_json_missing_aci, "") + self.assertEqual(exc_info.exception.code, 1) + + def test_arm_template_missing_containers(self): + custom_arm_json_missing_containers = """ + { + "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", + "contentVersion": "1.0.0.0", + + + "parameters": { + "containergroupname": { + "type": "string", + "metadata": { + "description": "Name for the container group" + } + }, + + "containername": { + "type": "string", + "metadata": { + "description": "Name for the container" + } + }, + "port": { + "type": "string", + "metadata": { + "description": "Port to open on the container and the public IP address." + }, + "defaultValue": "8080" + }, + "cpuCores": { + "type": "string", + "metadata": { + "description": "The number of CPU cores to allocate to the container." + }, + "defaultValue": "1.0" + }, + "memoryInGb": { + "type": "string", + "metadata": { + "description": "The amount of memory to allocate to the container in gigabytes." + }, + "defaultValue": "1.5" + }, + "location": { + "type": "string", + "defaultValue": "[resourceGroup().location]", + "metadata": { + "description": "Location for all resources." + } + } + }, + "resources": [ + { + "name": "[parameters('containergroupname')]", + "type": "Microsoft.ContainerInstance/containerGroups", + "apiVersion": "2022-04-01-preview", + "location": "[parameters('location')]", + "properties": { + "containers": [ + + ], + + "osType": "Linux", + "restartPolicy": "OnFailure", + "confidentialComputeProperties": { + "IsolationType": "SevSnp" + }, + "ipAddress": { + "type": "Public", + "ports": [ + { + "protocol": "Tcp", + "port": "[parameters( 'port' )]" + } + ] + } + } + } + ], + "outputs": { + "containerIPv4Address": { + "type": "string", + "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', parameters('containergroupname'))).ipAddress.ip]" + } + } + } + """ + with self.assertRaises(SystemExit) as exc_info: + load_policy_from_arm_template_str(custom_arm_json_missing_containers, "") + self.assertEqual(exc_info.exception.code, 1) + + +# @unittest.skip("not in use") +@pytest.mark.run(order=3) +class PolicyGeneratingArmParametersIncorrect(unittest.TestCase): + def test_arm_template_missing_default_value(self): + custom_arm_json_missing_default_value = """ + { + "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", + "contentVersion": "1.0.0.0", + + + "parameters": { + "containergroupname": { + "type": "string", + "metadata": { + "description": "Name for the container group" + } + }, + + "containername": { + "type": "string", + "metadata": { + "description": "Name for the container" + } + }, + "image": { + "type": "string", + "metadata": { + "description": "Name for the image" + } + }, + + "port": { + "type": "string", + "metadata": { + "description": "Port to open on the container and the public IP address." + }, + "defaultValue": "8080" + }, + "cpuCores": { + "type": "string", + "metadata": { + "description": "The number of CPU cores to allocate to the container." + }, + "defaultValue": "1.0" + }, + "memoryInGb": { + "type": "string", + "metadata": { + "description": "The amount of memory to allocate to the container in gigabytes." + }, + "defaultValue": "1.5" + }, + "location": { + "type": "string", + "defaultValue": "[resourceGroup().location]", + "metadata": { + "description": "Location for all resources." + } + } + }, + "resources": [ + { + "name": "[parameters('containergroupname')]", + "type": "Microsoft.ContainerInstance/containerGroups", + "apiVersion": "2022-04-01-preview", + "location": "[parameters('location')]", + + "properties": { + "containers": [ + { + "name": "[parameters('containername')]", + "properties": { + "image": "[parameters('image')]", + "ports": [ + { + "port": "[parameters('port')]" + } + ], + "resources": { + "requests": { + "cpu": "[parameters('cpuCores')]", + "memoryInGb": "[parameters('memoryInGb')]" + } + } + } + } + ], + + "osType": "Linux", + "restartPolicy": "OnFailure", + "confidentialComputeProperties": { + "IsolationType": "SevSnp" + }, + "ipAddress": { + "type": "Public", + "ports": [ + { + "protocol": "Tcp", + "port": "[parameters( 'port' )]" + } + ] + } + } + } + ], + "outputs": { + "containerIPv4Address": { + "type": "string", + "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', parameters('containergroupname'))).ipAddress.ip]" + } + } + } + """ + + with self.assertRaises(SystemExit) as exc_info: + load_policy_from_arm_template_str(custom_arm_json_missing_default_value, "") + self.assertEqual(exc_info.exception.code, 1) + + def test_arm_template_missing_definition(self): + custom_arm_json_missing_definition = """ + { + "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", + "contentVersion": "1.0.0.0", + + + "parameters": { + "containergroupname": { + "type": "string", + "metadata": { + "description": "Name for the container group" + } + }, + + "containername": { + "type": "string", + "metadata": { + "description": "Name for the container" + } + }, + + "port": { + "type": "string", + "metadata": { + "description": "Port to open on the container and the public IP address." + }, + "defaultValue": "8080" + }, + "cpuCores": { + "type": "string", + "metadata": { + "description": "The number of CPU cores to allocate to the container." + }, + "defaultValue": "1.0" + }, + "memoryInGb": { + "type": "string", + "metadata": { + "description": "The amount of memory to allocate to the container in gigabytes." + }, + "defaultValue": "1.5" + }, + "location": { + "type": "string", + "defaultValue": "[resourceGroup().location]", + "metadata": { + "description": "Location for all resources." + } + } + }, + "resources": [ + { + "name": "[parameters('containergroupname')]", + "type": "Microsoft.ContainerInstance/containerGroups", + "apiVersion": "2022-04-01-preview", + "location": "[parameters('location')]", + + "properties": { + "containers": [ + { + "name": "[parameters('containername')]", + "properties": { + "image": "[parameters('image')]", + "ports": [ + { + "port": "[parameters('port')]" + } + ], + "resources": { + "requests": { + "cpu": "[parameters('cpuCores')]", + "memoryInGb": "[parameters('memoryInGb')]" + } + } + } + } + ], + + "osType": "Linux", + "restartPolicy": "OnFailure", + "confidentialComputeProperties": { + "IsolationType": "SevSnp" + }, + "ipAddress": { + "type": "Public", + "ports": [ + { + "protocol": "Tcp", + "port": "[parameters( 'port' )]" + } + ] + } + } + } + ], + "outputs": { + "containerIPv4Address": { + "type": "string", + "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', parameters('containergroupname'))).ipAddress.ip]" + } + } + } + """ + custom_arm_json_missing_definition_parameters = """ + { + "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentParameters.json#", + "contentVersion": "1.0.0.0", + "parameters": { + "image": { + "value": "python:3.6.14-slim-buster" + }, + "containername": { + "value": "simple-container" + } + } + }""" + + with self.assertRaises(SystemExit) as exc_info: + load_policy_from_arm_template_str( + custom_arm_json_missing_definition, + custom_arm_json_missing_definition_parameters, + ) + self.assertEqual(exc_info.exception.code, 1) + + +# @unittest.skip("not in use") +@pytest.mark.run(order=4) +class PolicyGeneratingArmParameters(unittest.TestCase): + + parameter_file = """ + { + "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentParameters.json#", + "contentVersion": "1.0.0.0", + "parameters": { + "image": { + "value": "mcr.microsoft.com/azure-functions/python:4-python3.8" + }, + "containername": { + "value": "simple-container" + }, + "containergroupname": { + "value": "simple-container-group" + } + } + }""" + + def test_arm_template_with_parameter_file(self): + custom_arm_json_default_value = """ + { + "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", + "contentVersion": "1.0.0.0", + + + "parameters": { + "containergroupname": { + "type": "string", + "metadata": { + "description": "Name for the container group" + } + }, + + "containername": { + "type": "string", + "metadata": { + "description": "Name for the container" + } + }, + "image": { + "type": "string", + "metadata": { + "description": "Name for the image" + }, + "defaultValue": "mcr.microsoft.com/azure-functions/node:4" + }, + + "port": { + "type": "string", + "metadata": { + "description": "Port to open on the container and the public IP address." + }, + "defaultValue": "8080" + }, + "cpuCores": { + "type": "string", + "metadata": { + "description": "The number of CPU cores to allocate to the container." + }, + "defaultValue": "1.0" + }, + "memoryInGb": { + "type": "string", + "metadata": { + "description": "The amount of memory to allocate to the container in gigabytes." + }, + "defaultValue": "1.5" + }, + "location": { + "type": "string", + "defaultValue": "[resourceGroup().location]", + "metadata": { + "description": "Location for all resources." + } + } + }, + "resources": [ + { + "name": "[parameters('containergroupname')]", + "type": "Microsoft.ContainerInstance/containerGroups", + "apiVersion": "2022-04-01-preview", + "location": "[parameters('location')]", + + "properties": { + "containers": [ + { + "name": "[parameters('containername')]", + "properties": { + "image": "[parameters('image')]", + "ports": [ + { + "port": "[parameters('port')]" + } + ], + "resources": { + "requests": { + "cpu": "[parameters('cpuCores')]", + "memoryInGb": "[parameters('memoryInGb')]" + } + } + } + } + ], + + "osType": "Linux", + "restartPolicy": "OnFailure", + "confidentialComputeProperties": { + "isolationType": "SevSnp" + }, + "ipAddress": { + "type": "Public", + "ports": [ + { + "protocol": "Tcp", + "port": "[parameters( 'port' )]" + } + ] + } + } + } + ], + "outputs": { + "containerIPv4Address": { + "type": "string", + "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', parameters('containergroupname'))).ipAddress.ip]" + } + } + } + """ + + output = load_policy_from_arm_template_str( + custom_arm_json_default_value, self.parameter_file + ) + output[0].populate_policy_content_for_all_images() + # use the rego output + output_json = json.loads( + output[0].get_serialized_output(output_type=OutputType.RAW, rego_boilerplate=False) + ) + # see if we have environment variables specific to the python image in the parameter file + python_flag = False + for rules in output_json[0][config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS]: + if "PYTHON" in rules[config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_RULE]: + python_flag = True + self.assertTrue(python_flag) + + +# @unittest.skip("not in use") +@pytest.mark.run(order=5) +class PolicyGeneratingArmParameters2(unittest.TestCase): + + parameter_file = """ + { + "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentParameters.json#", + "contentVersion": "1.0.0.0", + "parameters": { + "image": { + "value": "mcr.microsoft.com/azure-functions/python:4-python3.8" + }, + "containername": { + "value": "simple-container" + }, + "containergroupname": { + "value": "simple-container-group" + } + } + }""" + + def test_arm_template_with_parameter_file_injected_env_vars(self): + custom_arm_json_default_value = """ + { + "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", + "contentVersion": "1.0.0.0", + + + "parameters": { + "containergroupname": { + "type": "string", + "metadata": { + "description": "Name for the container group" + } + }, + "image": { + "type": "string", + "metadata": { + "description": "Name for the container group" + }, + "defaultValue":"mcr.microsoft.com/azure-functions/node:4" + }, + "imagebase": { + "type": "string", + "metadata": { + "description": "Name for the container group" + }, + "defaultValue":"mcr.microsoft.com" + }, + "imagespecific": { + "type": "string", + "metadata": { + "description": "Name for the container group" + }, + "defaultValue":"/azure-functions/node:4" + }, + "containername": { + "type": "string", + "metadata": { + "description": "Name for the container" + } + }, + "testvalue": { + "type": "string", + "metadata": { + "description": "value to see if concat function doesn't break inside template" + }, + "defaultValue": "[concat(parameters('imagebase'), parameters('imagespecific'))]" + }, + + "port": { + "type": "string", + "metadata": { + "description": "Port to open on the container and the public IP address." + }, + "defaultValue": "8080" + }, + "cpuCores": { + "type": "string", + "metadata": { + "description": "The number of CPU cores to allocate to the container." + }, + "defaultValue": "1.0" + }, + "memoryInGb": { + "type": "string", + "metadata": { + "description": "The amount of memory to allocate to the container in gigabytes." + }, + "defaultValue": "1.5" + }, + "location": { + "type": "string", + "defaultValue": "[resourceGroup().location]", + "metadata": { + "description": "Location for all resources." + } + } + }, + "resources": [ + { + "name": "[parameters('containergroupname')]", + "type": "Microsoft.ContainerInstance/containerGroups", + "apiVersion": "2022-04-01-preview", + "location": "[parameters('location')]", + + "properties": { + "containers": [ + { + "name": "[parameters('containername')]", + "properties": { + "image": "[parameters('image')]", + "ports": [ + { + "port": "[parameters('port')]" + } + ], + "resources": { + "requests": { + "cpu": "[parameters('cpuCores')]", + "memoryInGb": "[parameters('memoryInGb')]" + } + } + } + } + ], + + "osType": "Linux", + "restartPolicy": "OnFailure", + "confidentialComputeProperties": { + "IsolationType": "SevSnp" + }, + "ipAddress": { + "type": "Public", + "ports": [ + { + "protocol": "Tcp", + "port": "[parameters( 'port' )]" + } + ] + } + } + } + ], + "outputs": { + "containerIPv4Address": { + "type": "string", + "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', parameters('containergroupname'))).ipAddress.ip]" + } + } + } + """ + + # this test adds in a parameter that uses the concat function to make sure it doesn't break with partially parsing the template's json file + + output = load_policy_from_arm_template_str( + custom_arm_json_default_value, self.parameter_file + ) + output[0].populate_policy_content_for_all_images() + output_json = json.loads( + output[0].get_serialized_output(output_type=OutputType.RAW, use_json=True) + ) + + # see if we have environment variables specific to the python image in the parameter file + python_flag = False + for _, value in output_json[config.POLICY_FIELD_CONTAINERS][ + config.POLICY_FIELD_CONTAINERS_ELEMENTS + ]["0"][config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS][ + config.POLICY_FIELD_CONTAINERS_ELEMENTS + ].items(): + if "PYTHON" in value[config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_RULE]: + python_flag = True + self.assertTrue(python_flag) + + +# @unittest.skip("not in use") +@pytest.mark.run(order=6) +class PolicyGeneratingArmContainerConfig(unittest.TestCase): + + parameter_file = """ + { + "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentParameters.json#", + "contentVersion": "1.0.0.0", + "parameters": { + "image": { + "value": "mcr.microsoft.com/azure-functions/python:4-python3.8" + }, + "containername": { + "value": "simple-container" + }, + "containergroupname": { + "value": "simple-container-group" + } + } + }""" + + def test_arm_template_with_parameter_file_arm_config(self): + custom_arm_json_default_value = """ + { + "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", + "contentVersion": "1.0.0.0", + + + "parameters": { + "containergroupname": { + "type": "string", + "metadata": { + "description": "Name for the container group" + } + }, + "image": { + "type": "string", + "metadata": { + "description": "Name for the container group" + }, + "defaultValue":"mcr.microsoft.com/azure-functions/node:4" + }, + "imagebase": { + "type": "string", + "metadata": { + "description": "Name for the container group" + }, + "defaultValue":"mcr.microsoft.com" + }, + "imagespecific": { + "type": "string", + "metadata": { + "description": "Name for the container group" + }, + "defaultValue":"/azure-functions/node:4" + }, + "containername": { + "type": "string", + "metadata": { + "description": "Name for the container" + } + }, + "testvalue": { + "type": "string", + "metadata": { + "description": "value to see if concat function doesn't break inside template" + }, + "defaultValue": "[concat(parameters('imagebase'), parameters('imagespecific'))]" + }, + + "port": { + "type": "string", + "metadata": { + "description": "Port to open on the container and the public IP address." + }, + "defaultValue": "8080" + }, + "cpuCores": { + "type": "string", + "metadata": { + "description": "The number of CPU cores to allocate to the container." + }, + "defaultValue": "1.0" + }, + "memoryInGb": { + "type": "string", + "metadata": { + "description": "The amount of memory to allocate to the container in gigabytes." + }, + "defaultValue": "1.5" + }, + "location": { + "type": "string", + "defaultValue": "[resourceGroup().location]", + "metadata": { + "description": "Location for all resources." + } + } + }, + "resources": [ + { + "name": "[parameters('containergroupname')]", + "type": "Microsoft.ContainerInstance/containerGroups", + "apiVersion": "2022-04-01-preview", + "location": "[parameters('location')]", + + "properties": { + "containers": [ + { + "name": "[parameters('containername')]", + "properties": { + "image": "[parameters('image')]", + "environmentVariables": [ + { + "name": "PORT", + "value": "80" + } + ], + + "ports": [ + { + "port": "[parameters('port')]" + } + ], + "command": [ + "/bin/bash", + "-c", + "while sleep 5; do cat /mnt/input/access.log; done" + ], + "resources": { + "requests": { + "cpu": "[parameters('cpuCores')]", + "memoryInGb": "[parameters('memoryInGb')]" + } + } + } + } + ], + + "osType": "Linux", + "restartPolicy": "OnFailure", + "confidentialComputeProperties": { + "IsolationType": "SevSnp" + }, + "ipAddress": { + "type": "Public", + "ports": [ + { + "protocol": "Tcp", + "port": "[parameters( 'port' )]" + } + ] + } + } + } + ], + "outputs": { + "containerIPv4Address": { + "type": "string", + "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', parameters('containergroupname'))).ipAddress.ip]" + } + } + } + """ + + # this test adds in a parameter that uses the concat function to make sure it doesn't break with partially parsing the template's json file + + output = load_policy_from_arm_template_str( + custom_arm_json_default_value, self.parameter_file + ) + output[0].populate_policy_content_for_all_images() + # see if we have environment variables that are in the template + output_json = json.loads( + output[0].get_serialized_output(output_type=OutputType.RAW, use_json=True) + ) + + for _, value in output_json[config.POLICY_FIELD_CONTAINERS][ + config.POLICY_FIELD_CONTAINERS_ELEMENTS + ]["0"][config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS][ + config.POLICY_FIELD_CONTAINERS_ELEMENTS + ].items(): + if case_insensitive_dict_get( + value, config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_RULE + ).startswith("PORT"): + self.assertTrue( + case_insensitive_dict_get( + value, config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_RULE + ).endswith("80") + ) + + # check for custom startup command + expected = [ + "/bin/bash", + "-c", + "while sleep 5; do cat /mnt/input/access.log; done", + ] + for _, value in output_json[config.POLICY_FIELD_CONTAINERS][ + config.POLICY_FIELD_CONTAINERS_ELEMENTS + ]["0"][config.POLICY_FIELD_CONTAINERS_ELEMENTS_COMMANDS][ + config.POLICY_FIELD_CONTAINERS_ELEMENTS + ].items(): + self.assertTrue(value in expected) + + +# @unittest.skip("not in use") +@pytest.mark.run(order=7) +class PolicyGeneratingArmParametersCleanRoom(unittest.TestCase): + + parameter_file = """ + { + "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentParameters.json#", + "contentVersion": "1.0.0.0", + "parameters": { + "image": { + "value": "fakerepo.microsoft.com/azure-functions:fake-tag" + } + } + }""" + + def test_arm_template_with_parameter_file_clean_room(self): + custom_arm_json_default_value = """ + { + "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", + "contentVersion": "1.0.0.0", + + + "parameters": { + "containergroupname": { + "type": "string", + "metadata": { + "description": "Name for the container group" + }, + "defaultValue":"simple-container-group" + }, + "image": { + "type": "string", + "metadata": { + "description": "Name for the container group" + }, + "defaultValue":"mcr.microsoft.com/azure-functions/node:4" + }, + "containername": { + "type": "string", + "metadata": { + "description": "Name for the container" + }, + "defaultValue":"simple-container" + }, + + "port": { + "type": "string", + "metadata": { + "description": "Port to open on the container and the public IP address." + }, + "defaultValue": "8080" + }, + "cpuCores": { + "type": "string", + "metadata": { + "description": "The number of CPU cores to allocate to the container." + }, + "defaultValue": "1.0" + }, + "memoryInGb": { + "type": "string", + "metadata": { + "description": "The amount of memory to allocate to the container in gigabytes." + }, + "defaultValue": "1.5" + }, + "location": { + "type": "string", + "defaultValue": "[resourceGroup().location]", + "metadata": { + "description": "Location for all resources." + } + } + }, + "resources": [ + { + "name": "[parameters('containergroupname')]", + "type": "Microsoft.ContainerInstance/containerGroups", + "apiVersion": "2022-04-01-preview", + "location": "[parameters('location')]", + + "properties": { + "containers": [ + { + "name": "[parameters('containername')]", + "properties": { + "image": "[parameters('image')]", + "environmentVariables": [ + { + "name": "PORT", + "value": "80" + } + ], + + "ports": [ + { + "port": "[parameters('port')]" + } + ], + "command": [ + "/bin/bash", + "-c", + "while sleep 5; do cat /mnt/input/access.log; done" + ], + "resources": { + "requests": { + "cpu": "[parameters('cpuCores')]", + "memoryInGb": "[parameters('memoryInGb')]" + } + } + } + } + ], + + "osType": "Linux", + "restartPolicy": "OnFailure", + "confidentialComputeProperties": { + "IsolationType": "SevSnp" + }, + "ipAddress": { + "type": "Public", + "ports": [ + { + "protocol": "Tcp", + "port": "[parameters( 'port' )]" + } + ] + } + } + } + ], + "outputs": { + "containerIPv4Address": { + "type": "string", + "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', parameters('containergroupname'))).ipAddress.ip]" + } + } + } + """ + client = docker.from_env() + original_image = "mcr.microsoft.com/azure-functions/node:4" + try: + client.images.remove(original_image) + except: + # do nothing + pass + regular_image = load_policy_from_arm_template_str( + custom_arm_json_default_value, "" + ) + regular_image[0].populate_policy_content_for_all_images() + # create and tag same image to the new name to see if docker will error out that the image is not in a remote repo + new_repo = "fakerepo.microsoft.com" + new_image_name = "azure-functions" + new_tag = "fake-tag" + + image = client.images.get(original_image) + try: + client.images.remove(new_repo + "/" + new_image_name + ":" + new_tag) + except: + # do nothing + pass + image.tag(new_repo + "/" + new_image_name, tag=new_tag) + + client.close() + + clean_room = load_policy_from_arm_template_str( + custom_arm_json_default_value, self.parameter_file + ) + clean_room[0].populate_policy_content_for_all_images() + + regular_image_json = json.loads( + regular_image[0].get_serialized_output(output_type=OutputType.RAW, use_json=True) + ) + + clean_room_json = json.loads( + clean_room[0].get_serialized_output(output_type=OutputType.RAW, use_json=True) + ) + + regular_image_json[config.POLICY_FIELD_CONTAINERS][ + config.POLICY_FIELD_CONTAINERS_ELEMENTS + ]["0"].pop(config.POLICY_FIELD_CONTAINERS_ID) + clean_room_json[config.POLICY_FIELD_CONTAINERS][ + config.POLICY_FIELD_CONTAINERS_ELEMENTS + ]["0"].pop(config.POLICY_FIELD_CONTAINERS_ID) + + # see if the remote image and the local one produce the same output + self.assertEqual( + deepdiff.DeepDiff(regular_image_json, clean_room_json, ignore_order=True), + {}, + ) + + +# @unittest.skip("not in use") +@pytest.mark.run(order=8) +class PolicyDiff(unittest.TestCase): + custom_json = """ + { + "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", + "contentVersion": "1.0.0.0", + "variables": { + "container1name": "aci-test", + "container1image": "rust:1.52.1" + }, + "resources": [ + { + "type": "Microsoft.ContainerInstance/containerGroups", + "apiVersion": "2022-04-01-preview", + "name": "secret-volume-demo", + "location": "[resourceGroup().location]", + "properties": { + "confidentialComputeProperties": { + "isolationType": "SevSnp", + "ccePolicy": "cGFja2FnZSBwb2xpY3kKCmltcG9ydCBmdXR1cmUua2V5d29yZHMuZXZlcnkKaW1wb3J0IGZ1dHVyZS5rZXl3b3Jkcy5pbgoKYXBpX3N2biA6PSAiMC4xMC4wIgpmcmFtZXdvcmtfc3ZuIDo9ICIwLjEuMCIKCmZyYWdtZW50cyA6PSBbCiAgewogICAgImZlZWQiOiAibWNyLm1pY3Jvc29mdC5jb20vYWNpL2FjaS1jYy1pbmZyYS1mcmFnbWVudCIsCiAgICAiaW5jbHVkZXMiOiBbCiAgICAgICJjb250YWluZXJzIgogICAgXSwKICAgICJpc3N1ZXIiOiAiZGlkOng1MDk6MDpzaGEyNTY6SV9faXVMMjVvWEVWRmRUUF9hQkx4X2VUMVJQSGJDUV9FQ0JRZllacHQ5czo6ZWt1OjEuMy42LjEuNC4xLjMxMS43Ni41OS4xLjMiLAogICAgIm1pbmltdW1fc3ZuIjogIjEuMC4wIgogIH0KXQoKY29udGFpbmVycyA6PSBbeyJhbGxvd19lbGV2YXRlZCI6dHJ1ZSwiYWxsb3dfc3RkaW9fYWNjZXNzIjp0cnVlLCJjb21tYW5kIjpbImJhc2giXSwiZW52X3J1bGVzIjpbeyJwYXR0ZXJuIjoiUEFUSD0vY3VzdG9taXplZC9wYXRoL3ZhbHVlIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9LHsicGF0dGVybiI6IlRFU1RfUkVHRVhQX0VOVj10ZXN0X3JlZ2V4cF9lbnYiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiUlVTVFVQX0hPTUU9L3Vzci9sb2NhbC9ydXN0dXAiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiQ0FSR09fSE9NRT0vdXNyL2xvY2FsL2NhcmdvIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9LHsicGF0dGVybiI6IlJVU1RfVkVSU0lPTj0xLjUyLjEiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiVEVSTT14dGVybSIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiIoKD9pKUZBQlJJQylfLis9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiSE9TVE5BTUU9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiVChFKT9NUD0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJGYWJyaWNQYWNrYWdlRmlsZU5hbWU9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiSG9zdGVkU2VydmljZU5hbWU9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiSURFTlRJVFlfQVBJX1ZFUlNJT049LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiSURFTlRJVFlfSEVBREVSPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LHsicGF0dGVybiI6IklERU5USVRZX1NFUlZFUl9USFVNQlBSSU5UPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LHsicGF0dGVybiI6ImF6dXJlY29udGFpbmVyaW5zdGFuY2VfcmVzdGFydGVkX2J5PS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9XSwiZXhlY19wcm9jZXNzZXMiOltdLCJpZCI6InJ1c3Q6MS41Mi4xIiwibGF5ZXJzIjpbImZlODRjOWQ1YmZkZGQwN2EyNjI0ZDAwMzMzY2YxM2MxYTljOTQxZjNhMjYxZjEzZWFkNDRmYzZhOTNiYzBlN2EiLCI0ZGVkYWU0Mjg0N2M3MDRkYTg5MWEyOGMyNWQzMjIwMWExYWU0NDBiY2UyYWVjY2NmYThlNmYwM2I5N2E2YTZjIiwiNDFkNjRjZGViMzQ3YmYyMzZiNGMxM2I3NDAzYjYzM2ZmMTFmMWNmOTRkYmM3Y2Y4ODFhNDRkNmRhODhjNTE1NiIsImViMzY5MjFlMWY4MmFmNDZkZmUyNDhlZjhmMWIzYWZiNmE1MjMwYTY0MTgxZDk2MGQxMDIzN2EwOGNkNzNjNzkiLCJlNzY5ZDc0ODdjYzMxNGQzZWU3NDhhNDQ0MDgwNTMxN2MxOTI2MmM3YWNkMmZkYmRiMGQ0N2QyZTQ2MTNhMTVjIiwiMWI4MGYxMjBkYmQ4OGU0MzU1ZDYyNDFiNTE5YzNlMjUyOTAyMTVjNDY5NTE2YjQ5ZGVjZTljZjA3MTc1YTc2NiJdLCJtb3VudHMiOlt7ImRlc3RpbmF0aW9uIjoiL21vdW50L2F6dXJlZmlsZSIsIm9wdGlvbnMiOlsicmJpbmQiLCJyc2hhcmVkIiwicnciXSwic291cmNlIjoic2FuZGJveDovLy90bXAvYXRsYXMvYXp1cmVGaWxlVm9sdW1lLy4rIiwidHlwZSI6ImJpbmQifSx7ImRlc3RpbmF0aW9uIjoiL2V0Yy9yZXNvbHYuY29uZiIsIm9wdGlvbnMiOlsicmJpbmQiLCJyc2hhcmVkIiwicnciXSwic291cmNlIjoic2FuZGJveDovLy90bXAvYXRsYXMvcmVzb2x2Y29uZi8uKyIsInR5cGUiOiJiaW5kIn1dLCJzaWduYWxzIjpbXSwid29ya2luZ19kaXIiOiIvIn0seyJhbGxvd19lbGV2YXRlZCI6ZmFsc2UsImFsbG93X3N0ZGlvX2FjY2VzcyI6dHJ1ZSwiY29tbWFuZCI6WyIvcGF1c2UiXSwiZW52X3J1bGVzIjpbeyJwYXR0ZXJuIjoiUEFUSD0vdXNyL2xvY2FsL3NiaW46L3Vzci9sb2NhbC9iaW46L3Vzci9zYmluOi91c3IvYmluOi9zYmluOi9iaW4iLCJyZXF1aXJlZCI6dHJ1ZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiJURVJNPXh0ZXJtIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9XSwiZXhlY19wcm9jZXNzZXMiOltdLCJsYXllcnMiOlsiMTZiNTE0MDU3YTA2YWQ2NjVmOTJjMDI4NjNhY2EwNzRmZDU5NzZjNzU1ZDI2YmZmMTYzNjUyOTkxNjllODQxNSJdLCJtb3VudHMiOltdLCJzaWduYWxzIjpbXSwid29ya2luZ19kaXIiOiIvIn1dCgphbGxvd19wcm9wZXJ0aWVzX2FjY2VzcyA6PSBmYWxzZQphbGxvd19kdW1wX3N0YWNrcyA6PSBmYWxzZQphbGxvd19ydW50aW1lX2xvZ2dpbmcgOj0gZmFsc2UKYWxsb3dfZW52aXJvbm1lbnRfdmFyaWFibGVfZHJvcHBpbmcgOj0gdHJ1ZQphbGxvd191bmVuY3J5cHRlZF9zY3JhdGNoIDo9IGZhbHNlCgoKCm1vdW50X2RldmljZSA6PSBkYXRhLmZyYW1ld29yay5tb3VudF9kZXZpY2UKdW5tb3VudF9kZXZpY2UgOj0gZGF0YS5mcmFtZXdvcmsudW5tb3VudF9kZXZpY2UKbW91bnRfb3ZlcmxheSA6PSBkYXRhLmZyYW1ld29yay5tb3VudF9vdmVybGF5CnVubW91bnRfb3ZlcmxheSA6PSBkYXRhLmZyYW1ld29yay51bm1vdW50X292ZXJsYXkKY3JlYXRlX2NvbnRhaW5lciA6PSBkYXRhLmZyYW1ld29yay5jcmVhdGVfY29udGFpbmVyCmV4ZWNfaW5fY29udGFpbmVyIDo9IGRhdGEuZnJhbWV3b3JrLmV4ZWNfaW5fY29udGFpbmVyCmV4ZWNfZXh0ZXJuYWwgOj0gZGF0YS5mcmFtZXdvcmsuZXhlY19leHRlcm5hbApzaHV0ZG93bl9jb250YWluZXIgOj0gZGF0YS5mcmFtZXdvcmsuc2h1dGRvd25fY29udGFpbmVyCnNpZ25hbF9jb250YWluZXJfcHJvY2VzcyA6PSBkYXRhLmZyYW1ld29yay5zaWduYWxfY29udGFpbmVyX3Byb2Nlc3MKcGxhbjlfbW91bnQgOj0gZGF0YS5mcmFtZXdvcmsucGxhbjlfbW91bnQKcGxhbjlfdW5tb3VudCA6PSBkYXRhLmZyYW1ld29yay5wbGFuOV91bm1vdW50CmdldF9wcm9wZXJ0aWVzIDo9IGRhdGEuZnJhbWV3b3JrLmdldF9wcm9wZXJ0aWVzCmR1bXBfc3RhY2tzIDo9IGRhdGEuZnJhbWV3b3JrLmR1bXBfc3RhY2tzCnJ1bnRpbWVfbG9nZ2luZyA6PSBkYXRhLmZyYW1ld29yay5ydW50aW1lX2xvZ2dpbmcKbG9hZF9mcmFnbWVudCA6PSBkYXRhLmZyYW1ld29yay5sb2FkX2ZyYWdtZW50CnNjcmF0Y2hfbW91bnQgOj0gZGF0YS5mcmFtZXdvcmsuc2NyYXRjaF9tb3VudApzY3JhdGNoX3VubW91bnQgOj0gZGF0YS5mcmFtZXdvcmsuc2NyYXRjaF91bm1vdW50CgpyZWFzb24gOj0geyJlcnJvcnMiOiBkYXRhLmZyYW1ld29yay5lcnJvcnN9" + }, + "containers": [ + { + "name": "[variables('container1name')]", + "properties": { + "image": "[variables('container1image')]", + "resources": { + "requests": { + "cpu": 1, + "memoryInGb": 1.5 + } + }, + "ports": [ + { + "port": 80 + } + ], + "volumeMounts": [ + { + "name": "azurefile", + "mountPath": "/mount/azurefile" + } + ], + "environmentVariables": [ + { + "name": "PATH", + "value": "/customized/path/value" + }, + { + "name": "TEST_REGEXP_ENV", + "value": "test_regexp_env" + } + ] + } + } + ], + "osType": "Linux", + "ipAddress": { + "type": "Public", + "ports": [ + { + "protocol": "tcp", + "port": "80" + } + ] + }, + "volumes": [ + { + "name": "azurefile", + "azureFile": { + "key1": "key-1", + "key2": "key-2" + } + } + ] + } + } + ] +} + """ + + custom_json2 = """ + { + "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", + "contentVersion": "1.0.0.0", + "variables": { + "container1name": "aci-test", + "container1image": "rust:1.52.1" + }, + "resources": [ + { + "type": "Microsoft.ContainerInstance/containerGroups", + "apiVersion": "2022-04-01-preview", + "name": "secret-volume-demo", + "location": "[resourceGroup().location]", + "properties": { + "confidentialComputeProperties": { + "isolationType": "SevSnp", + "ccePolicy": "cGFja2FnZSBwb2xpY3kKCmltcG9ydCBmdXR1cmUua2V5d29yZHMuZXZlcnkKaW1wb3J0IGZ1dHVyZS5rZXl3b3Jkcy5pbgoKYXBpX3N2biA6PSAiMC4xMC4wIgpmcmFtZXdvcmtfc3ZuIDo9ICIwLjEuMCIKCmZyYWdtZW50cyA6PSBbCiAgewogICAgImZlZWQiOiAibWNyLm1pY3Jvc29mdC5jb20vYWNpL2FjaS1jYy1pbmZyYS1mcmFnbWVudCIsCiAgICAiaW5jbHVkZXMiOiBbCiAgICAgICJjb250YWluZXJzIgogICAgXSwKICAgICJpc3N1ZXIiOiAiZGlkOng1MDk6MDpzaGEyNTY6SV9faXVMMjVvWEVWRmRUUF9hQkx4X2VUMVJQSGJDUV9FQ0JRZllacHQ5czo6ZWt1OjEuMy42LjEuNC4xLjMxMS43Ni41OS4xLjMiLAogICAgIm1pbmltdW1fc3ZuIjogIjEuMC4wIgogIH0KXQoKY29udGFpbmVycyA6PSBbeyJhbGxvd19lbGV2YXRlZCI6dHJ1ZSwiYWxsb3dfc3RkaW9fYWNjZXNzIjp0cnVlLCJjb21tYW5kIjpbImJhc2giXSwiZW52X3J1bGVzIjpbeyJwYXR0ZXJuIjoiUEFUSD0vY3VzdG9taXplZC9wYXRoL3ZhbHVlIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9LHsicGF0dGVybiI6IlRFU1RfUkVHRVhQX0VOVj10ZXN0X3JlZ2V4cF9lbnYiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiUlVTVFVQX0hPTUU9L3Vzci9sb2NhbC9ydXN0dXAiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiQ0FSR09fSE9NRT0vdXNyL2xvY2FsL2NhcmdvIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9LHsicGF0dGVybiI6IlJVU1RfVkVSU0lPTj0xLjUyLjEiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiVEVSTT14dGVybSIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiIoKD9pKUZBQlJJQylfLis9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiSE9TVE5BTUU9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiVChFKT9NUD0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJGYWJyaWNQYWNrYWdlRmlsZU5hbWU9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiSG9zdGVkU2VydmljZU5hbWU9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiSURFTlRJVFlfQVBJX1ZFUlNJT049LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiSURFTlRJVFlfSEVBREVSPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LHsicGF0dGVybiI6IklERU5USVRZX1NFUlZFUl9USFVNQlBSSU5UPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LHsicGF0dGVybiI6ImF6dXJlY29udGFpbmVyaW5zdGFuY2VfcmVzdGFydGVkX2J5PS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9XSwiZXhlY19wcm9jZXNzZXMiOltdLCJpZCI6InJ1c3Q6MS41Mi4xIiwibGF5ZXJzIjpbImZlODRjOWQ1YmZkZGQwN2EyNjI0ZDAwMzMzY2YxM2MxYTljOTQxZjNhMjYxZjEzZWFkNDRmYzZhOTNiYzBlN2EiLCI0ZGVkYWU0Mjg0N2M3MDRkYTg5MWEyOGMyNWQzMjIwMWExYWU0NDBiY2UyYWVjY2NmYThlNmYwM2I5N2E2YTZjIiwiNDFkNjRjZGViMzQ3YmYyMzZiNGMxM2I3NDAzYjYzM2ZmMTFmMWNmOTRkYmM3Y2Y4ODFhNDRkNmRhODhjNTE1NiIsImViMzY5MjFlMWY4MmFmNDZkZmUyNDhlZjhmMWIzYWZiNmE1MjMwYTY0MTgxZDk2MGQxMDIzN2EwOGNkNzNjNzkiLCJlNzY5ZDc0ODdjYzMxNGQzZWU3NDhhNDQ0MDgwNTMxN2MxOTI2MmM3YWNkMmZkYmRiMGQ0N2QyZTQ2MTNhMTVjIiwiMWI4MGYxMjBkYmQ4OGU0MzU1ZDYyNDFiNTE5YzNlMjUyOTAyMTVjNDY5NTE2YjQ5ZGVjZTljZjA3MTc1YTc2NiJdLCJtb3VudHMiOlt7ImRlc3RpbmF0aW9uIjoiL21vdW50L2F6dXJlZmlsZSIsIm9wdGlvbnMiOlsicmJpbmQiLCJyc2hhcmVkIiwicnciXSwic291cmNlIjoic2FuZGJveDovLy90bXAvYXRsYXMvYXp1cmVGaWxlVm9sdW1lLy4rIiwidHlwZSI6ImJpbmQifSx7ImRlc3RpbmF0aW9uIjoiL2V0Yy9yZXNvbHYuY29uZiIsIm9wdGlvbnMiOlsicmJpbmQiLCJyc2hhcmVkIiwicnciXSwic291cmNlIjoic2FuZGJveDovLy90bXAvYXRsYXMvcmVzb2x2Y29uZi8uKyIsInR5cGUiOiJiaW5kIn1dLCJzaWduYWxzIjpbXSwid29ya2luZ19kaXIiOiIvIn0seyJhbGxvd19lbGV2YXRlZCI6ZmFsc2UsImFsbG93X3N0ZGlvX2FjY2VzcyI6dHJ1ZSwiY29tbWFuZCI6WyIvcGF1c2UiXSwiZW52X3J1bGVzIjpbeyJwYXR0ZXJuIjoiUEFUSD0vdXNyL2xvY2FsL3NiaW46L3Vzci9sb2NhbC9iaW46L3Vzci9zYmluOi91c3IvYmluOi9zYmluOi9iaW4iLCJyZXF1aXJlZCI6dHJ1ZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiJURVJNPXh0ZXJtIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9XSwiZXhlY19wcm9jZXNzZXMiOltdLCJsYXllcnMiOlsiMTZiNTE0MDU3YTA2YWQ2NjVmOTJjMDI4NjNhY2EwNzRmZDU5NzZjNzU1ZDI2YmZmMTYzNjUyOTkxNjllODQxNSJdLCJtb3VudHMiOltdLCJzaWduYWxzIjpbXSwid29ya2luZ19kaXIiOiIvIn1dCgphbGxvd19wcm9wZXJ0aWVzX2FjY2VzcyA6PSBmYWxzZQphbGxvd19kdW1wX3N0YWNrcyA6PSBmYWxzZQphbGxvd19ydW50aW1lX2xvZ2dpbmcgOj0gZmFsc2UKYWxsb3dfZW52aXJvbm1lbnRfdmFyaWFibGVfZHJvcHBpbmcgOj0gdHJ1ZQphbGxvd191bmVuY3J5cHRlZF9zY3JhdGNoIDo9IGZhbHNlCgoKCm1vdW50X2RldmljZSA6PSBkYXRhLmZyYW1ld29yay5tb3VudF9kZXZpY2UKdW5tb3VudF9kZXZpY2UgOj0gZGF0YS5mcmFtZXdvcmsudW5tb3VudF9kZXZpY2UKbW91bnRfb3ZlcmxheSA6PSBkYXRhLmZyYW1ld29yay5tb3VudF9vdmVybGF5CnVubW91bnRfb3ZlcmxheSA6PSBkYXRhLmZyYW1ld29yay51bm1vdW50X292ZXJsYXkKY3JlYXRlX2NvbnRhaW5lciA6PSBkYXRhLmZyYW1ld29yay5jcmVhdGVfY29udGFpbmVyCmV4ZWNfaW5fY29udGFpbmVyIDo9IGRhdGEuZnJhbWV3b3JrLmV4ZWNfaW5fY29udGFpbmVyCmV4ZWNfZXh0ZXJuYWwgOj0gZGF0YS5mcmFtZXdvcmsuZXhlY19leHRlcm5hbApzaHV0ZG93bl9jb250YWluZXIgOj0gZGF0YS5mcmFtZXdvcmsuc2h1dGRvd25fY29udGFpbmVyCnNpZ25hbF9jb250YWluZXJfcHJvY2VzcyA6PSBkYXRhLmZyYW1ld29yay5zaWduYWxfY29udGFpbmVyX3Byb2Nlc3MKcGxhbjlfbW91bnQgOj0gZGF0YS5mcmFtZXdvcmsucGxhbjlfbW91bnQKcGxhbjlfdW5tb3VudCA6PSBkYXRhLmZyYW1ld29yay5wbGFuOV91bm1vdW50CmdldF9wcm9wZXJ0aWVzIDo9IGRhdGEuZnJhbWV3b3JrLmdldF9wcm9wZXJ0aWVzCmR1bXBfc3RhY2tzIDo9IGRhdGEuZnJhbWV3b3JrLmR1bXBfc3RhY2tzCnJ1bnRpbWVfbG9nZ2luZyA6PSBkYXRhLmZyYW1ld29yay5ydW50aW1lX2xvZ2dpbmcKbG9hZF9mcmFnbWVudCA6PSBkYXRhLmZyYW1ld29yay5sb2FkX2ZyYWdtZW50CnNjcmF0Y2hfbW91bnQgOj0gZGF0YS5mcmFtZXdvcmsuc2NyYXRjaF9tb3VudApzY3JhdGNoX3VubW91bnQgOj0gZGF0YS5mcmFtZXdvcmsuc2NyYXRjaF91bm1vdW50CgpyZWFzb24gOj0geyJlcnJvcnMiOiBkYXRhLmZyYW1ld29yay5lcnJvcnN9" + }, + "containers": [ + { + "name": "[variables('container1name')]", + "properties": { + "image": "[variables('container1image')]", + "resources": { + "requests": { + "cpu": 1, + "memoryInGb": 1.5 + } + }, + "ports": [ + { + "port": 80 + } + ], + "volumeMounts": [ + { + "name": "azurefile", + "mountPath": "/mount/azure" + } + ], + "environmentVariables": [ + { + "name": "PATH", + "value": "/customized/path/value" + }, + { + "name": "TEST_REGEXP_ENV", + "value": "test_regexp_en" + }, + { + "name": "ENV_VALUE", + "value": "input_value" + } + ] + } + } + ], + "osType": "Linux", + "ipAddress": { + "type": "Public", + "ports": [ + { + "protocol": "tcp", + "port": "80" + } + ] + }, + "volumes": [ + { + "name": "azurefile", + "azureFile": { + "key1": "key-1", + "key2": "key-2" + } + } + ] + } + } + ] +} + """ + + aci_policy = None + existing_policy = None + aci_policy2 = None + existing_policy2 = None + + @classmethod + def setUpClass(cls): + cls.aci_policy = load_policy_from_arm_template_str(cls.custom_json, "")[0] + cls.aci_policy.populate_policy_content_for_all_images() + cls.aci_policy2 = load_policy_from_arm_template_str(cls.custom_json2, "")[0] + cls.aci_policy2.populate_policy_content_for_all_images() + + def test_policy_diff(self): + + is_valid, diff = self.aci_policy.validate_cce_policy() + self.assertTrue(is_valid) + self.assertTrue(not diff) + + def test_incorrect_policy_diff(self): + + is_valid, diff = self.aci_policy2.validate_cce_policy() + self.assertFalse(is_valid) + expected_diff = { + "rust:1.52.1": { + "values_changed": { + "mounts": [ + { + "tested_value": "/mount/azure", + "policy_value": "/mount/azurefile", + } + ] + }, + "env_rules": [ + "environment variable with rule 'TEST_REGEXP_ENV=test_regexp_en' does not match strings or regex in policy rules", + "environment variable with rule 'ENV_VALUE=input_value' does not match strings or regex in policy rules", + ], + } + } + + self.assertEqual(diff, expected_diff) + + +# @unittest.skip("not in use") +@pytest.mark.run(order=9) +class PolicyGeneratingArmInfrastructureSvn(unittest.TestCase): + custom_arm_json = """ + { + "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", + "contentVersion": "1.0.0.0", + "variables": { + "image": "python:3.6.14-slim-buster" + }, + + + "parameters": { + "containergroupname": { + "type": "string", + "metadata": { + "description": "Name for the container group" + }, + "defaultValue":"simple-container-group" + }, + + "containername": { + "type": "string", + "metadata": { + "description": "Name for the container" + }, + "defaultValue":"simple-container" + }, + "port": { + "type": "string", + "metadata": { + "description": "Port to open on the container and the public IP address." + }, + "defaultValue": "8080" + }, + "cpuCores": { + "type": "string", + "metadata": { + "description": "The number of CPU cores to allocate to the container." + }, + "defaultValue": "1.0" + }, + "memoryInGb": { + "type": "string", + "metadata": { + "description": "The amount of memory to allocate to the container in gigabytes." + }, + "defaultValue": "1.5" + }, + "location": { + "type": "string", + "defaultValue": "[resourceGroup().location]", + "metadata": { + "description": "Location for all resources." + } + } + }, + "resources": [ + { + "name": "[parameters('containergroupname')]", + "type": "Microsoft.ContainerInstance/containerGroups", + "apiVersion": "2022-04-01-preview", + "location": "[parameters('location')]", + "properties": { + "containers": [ + { + "name": "[parameters('containername')]", + + "properties": { + "image": "[variables('image')]", + "command": [ + "python3" + ], + "ports": [ + { + "port": "[parameters('port')]" + } + ], + "resources": { + "requests": { + "cpu": "[parameters('cpuCores')]", + "memoryInGb": "[parameters('memoryInGb')]" + } + }, + "volumeMounts": [ + { + "name": "filesharevolume", + "mountPath": "/aci/logs", + "readOnly": false + }, + { + "name": "secretvolume", + "mountPath": "/aci/secret", + "readOnly": true + } + ] + } + } + ], + "volumes": [ + { + "name": "filesharevolume", + "azureFile": { + "shareName": "shareName1", + "storageAccountName": "storage-account-name", + "storageAccountKey": "storage-account-key" + } + }, + { + + "name": "secretvolume", + "secret": { + "mysecret1": "secret1", + "mysecret2": "secret2" + } + } + + ], + "osType": "Linux", + "restartPolicy": "OnFailure", + "confidentialComputeProperties": { + "IsolationType": "SevSnp" + }, + "ipAddress": { + "type": "Public", + "ports": [ + { + "protocol": "Tcp", + "port": "[parameters( 'port' )]" + } + ] + } + } + } + ], + "outputs": { + "containerIPv4Address": { + "type": "string", + "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', parameters('containergroupname'))).ipAddress.ip]" + } + } + } + """ + aci_policy = None + + @classmethod + def setUpClass(cls): + cls.aci_arm_policy = load_policy_from_arm_template_str( + cls.custom_arm_json, "", infrastructure_svn="2.0.0" + )[0] + cls.aci_arm_policy.populate_policy_content_for_all_images() + + def test_update_infrastructure_svn(self): + expected_policy = "cGFja2FnZSBwb2xpY3kKCmltcG9ydCBmdXR1cmUua2V5d29yZHMuZXZlcnkKaW1wb3J0IGZ1dHVyZS5rZXl3b3Jkcy5pbgoKYXBpX3N2biA6PSAiMC4xMC4wIgpmcmFtZXdvcmtfc3ZuIDo9ICIwLjEuMCIKCmZyYWdtZW50cyA6PSBbCiAgewogICAgImZlZWQiOiAibWNyLm1pY3Jvc29mdC5jb20vYWNpL2FjaS1jYy1pbmZyYS1mcmFnbWVudCIsCiAgICAiaW5jbHVkZXMiOiBbCiAgICAgICJjb250YWluZXJzIgogICAgXSwKICAgICJpc3N1ZXIiOiAiZGlkOng1MDk6MDpzaGEyNTY6SV9faXVMMjVvWEVWRmRUUF9hQkx4X2VUMVJQSGJDUV9FQ0JRZllacHQ5czo6ZWt1OjEuMy42LjEuNC4xLjMxMS43Ni41OS4xLjMiLAogICAgIm1pbmltdW1fc3ZuIjogIjIuMC4wIgogIH0KXQoKY29udGFpbmVycyA6PSBbeyJhbGxvd19lbGV2YXRlZCI6dHJ1ZSwiYWxsb3dfc3RkaW9fYWNjZXNzIjp0cnVlLCJjb21tYW5kIjpbInB5dGhvbjMiXSwiZW52X3J1bGVzIjpbeyJwYXR0ZXJuIjoiUEFUSD0vdXNyL2xvY2FsL2JpbjovdXNyL2xvY2FsL3NiaW46L3Vzci9sb2NhbC9iaW46L3Vzci9zYmluOi91c3IvYmluOi9zYmluOi9iaW4iLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiTEFORz1DLlVURi04IiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9LHsicGF0dGVybiI6IkdQR19LRVk9MEQ5NkRGNEQ0MTEwRTVDNDNGQkZCMTdGMkQzNDdFQTZBQTY1NDIxRCIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiJQWVRIT05fVkVSU0lPTj0zLjYuMTQiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiUFlUSE9OX1BJUF9WRVJTSU9OPTIxLjIuNCIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiJQWVRIT05fR0VUX1BJUF9VUkw9aHR0cHM6Ly9naXRodWIuY29tL3B5cGEvZ2V0LXBpcC9yYXcvYzIwYjBjZmQ2NDNjZDRhMTkyNDZjY2YyMDRlMjk5N2FmNzBmNmIyMS9wdWJsaWMvZ2V0LXBpcC5weSIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiJQWVRIT05fR0VUX1BJUF9TSEEyNTY9ZmE2ZjNmYjkzY2NlMjM0Y2Q0ZThkZDJiZWI1NGE1MWFiOWMyNDc2NTNiNTI4NTVhNDhkZDQ0ZTZiMjFmZjI4YiIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiJURVJNPXh0ZXJtIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9LHsicGF0dGVybiI6IigoP2kpRkFCUklDKV8uKz0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJIT1NUTkFNRT0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJUKEUpP01QPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LHsicGF0dGVybiI6IkZhYnJpY1BhY2thZ2VGaWxlTmFtZT0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJIb3N0ZWRTZXJ2aWNlTmFtZT0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJJREVOVElUWV9BUElfVkVSU0lPTj0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJJREVOVElUWV9IRUFERVI9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiSURFTlRJVFlfU0VSVkVSX1RIVU1CUFJJTlQ9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiYXp1cmVjb250YWluZXJpbnN0YW5jZV9yZXN0YXJ0ZWRfYnk9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn1dLCJleGVjX3Byb2Nlc3NlcyI6W10sImlkIjoicHl0aG9uOjMuNi4xNC1zbGltLWJ1c3RlciIsImxheWVycyI6WyIyNTRjYzg1M2RhNjA4MTkwNWM5MTA5YzhiOWQ5OWM5ZmIwOTg3YmExZDg4ZjcyOTA4ODkwM2NmZmI4MGY1NWYxIiwiYTU2OGYxOTAwYmVkNjBhMDY0MWI3NmI5OTFhZDQzMTQ0NmQ5YzNhMzQ0ZDdiMjYxZjEwZGU4ZDhlNzM3NjNhYyIsImM3MGM1MzBlODQyZjY2MjE1YjBiZDk1NTg3NzE1N2JhMjRjMzc5OTMwMzU2N2MzZjU2NzNjNDU2NjNlYTRkMTUiLCIzZTg2YzNjY2YxNjQyYmY1ODRkZTMzYjQ5YzcyNDhmODdlZWNkMGY2ZDhjMDgzNTNkYWEzNmNjN2FkMGE3YjZhIiwiMWU0Njg0ZDhjN2NhYTc0YzY1MjQxNzJiNGQ1YTE1OWExMDg4NzYxM2VkNzBmMThkMGE1NWQwNWIyYWY2MWFjZCJdLCJtb3VudHMiOlt7ImRlc3RpbmF0aW9uIjoiL2FjaS9sb2dzIiwib3B0aW9ucyI6WyJyYmluZCIsInJzaGFyZWQiLCJydyJdLCJzb3VyY2UiOiJzYW5kYm94Oi8vL3RtcC9hdGxhcy9henVyZUZpbGVWb2x1bWUvLisiLCJ0eXBlIjoiYmluZCJ9LHsiZGVzdGluYXRpb24iOiIvYWNpL3NlY3JldCIsIm9wdGlvbnMiOlsicmJpbmQiLCJyc2hhcmVkIiwicm8iXSwic291cmNlIjoic2FuZGJveDovLy90bXAvYXRsYXMvc2VjcmV0c1ZvbHVtZS8uKyIsInR5cGUiOiJiaW5kIn0seyJkZXN0aW5hdGlvbiI6Ii9ldGMvcmVzb2x2LmNvbmYiLCJvcHRpb25zIjpbInJiaW5kIiwicnNoYXJlZCIsInJ3Il0sInNvdXJjZSI6InNhbmRib3g6Ly8vdG1wL2F0bGFzL3Jlc29sdmNvbmYvLisiLCJ0eXBlIjoiYmluZCJ9XSwic2lnbmFscyI6W10sIndvcmtpbmdfZGlyIjoiLyJ9LHsiYWxsb3dfZWxldmF0ZWQiOmZhbHNlLCJhbGxvd19zdGRpb19hY2Nlc3MiOnRydWUsImNvbW1hbmQiOlsiL3BhdXNlIl0sImVudl9ydWxlcyI6W3sicGF0dGVybiI6IlBBVEg9L3Vzci9sb2NhbC9zYmluOi91c3IvbG9jYWwvYmluOi91c3Ivc2JpbjovdXNyL2Jpbjovc2JpbjovYmluIiwicmVxdWlyZWQiOnRydWUsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiVEVSTT14dGVybSIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifV0sImV4ZWNfcHJvY2Vzc2VzIjpbXSwibGF5ZXJzIjpbIjE2YjUxNDA1N2EwNmFkNjY1ZjkyYzAyODYzYWNhMDc0ZmQ1OTc2Yzc1NWQyNmJmZjE2MzY1Mjk5MTY5ZTg0MTUiXSwibW91bnRzIjpbXSwic2lnbmFscyI6W10sIndvcmtpbmdfZGlyIjoiLyJ9XQoKYWxsb3dfcHJvcGVydGllc19hY2Nlc3MgOj0gZmFsc2UKYWxsb3dfZHVtcF9zdGFja3MgOj0gZmFsc2UKYWxsb3dfcnVudGltZV9sb2dnaW5nIDo9IGZhbHNlCmFsbG93X2Vudmlyb25tZW50X3ZhcmlhYmxlX2Ryb3BwaW5nIDo9IHRydWUKYWxsb3dfdW5lbmNyeXB0ZWRfc2NyYXRjaCA6PSBmYWxzZQoKCgptb3VudF9kZXZpY2UgOj0gZGF0YS5mcmFtZXdvcmsubW91bnRfZGV2aWNlCnVubW91bnRfZGV2aWNlIDo9IGRhdGEuZnJhbWV3b3JrLnVubW91bnRfZGV2aWNlCm1vdW50X292ZXJsYXkgOj0gZGF0YS5mcmFtZXdvcmsubW91bnRfb3ZlcmxheQp1bm1vdW50X292ZXJsYXkgOj0gZGF0YS5mcmFtZXdvcmsudW5tb3VudF9vdmVybGF5CmNyZWF0ZV9jb250YWluZXIgOj0gZGF0YS5mcmFtZXdvcmsuY3JlYXRlX2NvbnRhaW5lcgpleGVjX2luX2NvbnRhaW5lciA6PSBkYXRhLmZyYW1ld29yay5leGVjX2luX2NvbnRhaW5lcgpleGVjX2V4dGVybmFsIDo9IGRhdGEuZnJhbWV3b3JrLmV4ZWNfZXh0ZXJuYWwKc2h1dGRvd25fY29udGFpbmVyIDo9IGRhdGEuZnJhbWV3b3JrLnNodXRkb3duX2NvbnRhaW5lcgpzaWduYWxfY29udGFpbmVyX3Byb2Nlc3MgOj0gZGF0YS5mcmFtZXdvcmsuc2lnbmFsX2NvbnRhaW5lcl9wcm9jZXNzCnBsYW45X21vdW50IDo9IGRhdGEuZnJhbWV3b3JrLnBsYW45X21vdW50CnBsYW45X3VubW91bnQgOj0gZGF0YS5mcmFtZXdvcmsucGxhbjlfdW5tb3VudApnZXRfcHJvcGVydGllcyA6PSBkYXRhLmZyYW1ld29yay5nZXRfcHJvcGVydGllcwpkdW1wX3N0YWNrcyA6PSBkYXRhLmZyYW1ld29yay5kdW1wX3N0YWNrcwpydW50aW1lX2xvZ2dpbmcgOj0gZGF0YS5mcmFtZXdvcmsucnVudGltZV9sb2dnaW5nCmxvYWRfZnJhZ21lbnQgOj0gZGF0YS5mcmFtZXdvcmsubG9hZF9mcmFnbWVudApzY3JhdGNoX21vdW50IDo9IGRhdGEuZnJhbWV3b3JrLnNjcmF0Y2hfbW91bnQKc2NyYXRjaF91bm1vdW50IDo9IGRhdGEuZnJhbWV3b3JrLnNjcmF0Y2hfdW5tb3VudAoKcmVhc29uIDo9IHsiZXJyb3JzIjogZGF0YS5mcmFtZXdvcmsuZXJyb3JzfQ==" + + self.assertEqual(expected_policy, self.aci_arm_policy.get_serialized_output()) + + self.assertEqual( + "2.0.0", + self.aci_arm_policy._fragments[0][ + config.POLICY_FIELD_CONTAINERS_ELEMENTS_REGO_FRAGMENTS_MINIMUM_SVN + ], + ) + + +# @unittest.skip("not in use") +@pytest.mark.run(order=8) +class MultiplePolicyTemplate(unittest.TestCase): + custom_json = """ +{ + "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", + "contentVersion": "1.0.0.0", + "variables": { + "container1name": "aci-test", + "container1image": "rust:1.52.1", + "container2name": "aci-test2", + "container2image": "python:3.6.14-slim-buster" + }, + "resources": [ + { + "type": "Microsoft.ContainerInstance/containerGroups", + "apiVersion": "2022-04-01-preview", + "name": "secret-volume-demo", + "location": "[resourceGroup().location]", + "properties": { + "confidentialComputeProperties": { + "isolationType": "SevSnp", + "ccePolicy": "" + }, + "containers": [ + { + "name": "[variables('container1name')]", + "properties": { + "image": "[variables('container1image')]", + "resources": { + "requests": { + "cpu": 1, + "memoryInGb": 1.5 + } + }, + "ports": [ + { + "port": 80 + } + ], + "volumeMounts": [ + { + "name": "azurefile", + "mountPath": "/mount/azurefile" + } + ], + "environmentVariables": [ + { + "name": "PATH", + "value": "/customized/path/value" + }, + { + "name": "TEST_REGEXP_ENV", + "secureValue": "test_regexp_env" + } + ] + } + } + ], + "osType": "Linux", + "ipAddress": { + "type": "Public", + "ports": [ + { + "protocol": "tcp", + "port": "80" + } + ] + }, + "volumes": [ + { + "name": "azurefile", + "azureFile": { + "key1": "key-1", + "key2": "key-2" + } + } + ] + } + }, + { + "type": "Microsoft.ContainerInstance/containerGroups", + "apiVersion": "2022-04-01-preview", + "name": "secret-volume-demo", + "location": "[resourceGroup().location]", + "properties": { + "confidentialComputeProperties": { + "isolationType": "SevSnp", + "ccePolicy": "" + }, + "containers": [ + { + "name": "[variables('container2name')]", + "properties": { + "image": "[variables('container2image')]", + "resources": { + "requests": { + "cpu": 1, + "memoryInGb": 1.5 + } + }, + "volumeMounts": [ + { + "name": "azurefile", + "mountPath": "/mount/file" + } + ], + "environmentVariables": [ + { + "name": "PATH", + "secureValue": "/customized/different/path/value" + } + ] + } + } + ], + "osType": "Linux", + "ipAddress": { + "type": "Public", + "ports": [ + { + "protocol": "tcp", + "port": "80" + } + ] + }, + "volumes": [ + { + "name": "azurefile", + "azureFile": { + "key1": "key-3", + "key2": "key-4" + } + } + ] + } + }, + { + "type": "Microsoft.Compute/disks", + "apiVersion": "2018-06-01", + "name": "my-vm-datadisk1", + "location": "[resourceGroup().location]", + "sku": { + "name": "Standard_LRS" + }, + "properties": { + "creationData": { + "createOption": "Empty" + }, + "diskSizeGB": 1023 + } + } + + ] +} + """ + + aci_policy = None + aci_policy2 = None + + @classmethod + def setUpClass(cls): + temp_policies = load_policy_from_arm_template_str(cls.custom_json, "") + cls.aci_policy = temp_policies[0] + cls.aci_policy2 = temp_policies[1] + cls.aci_policy.populate_policy_content_for_all_images() + cls.aci_policy2.populate_policy_content_for_all_images() + + def test_multiple_policies(self): + output1 = self.aci_policy.get_serialized_output() + output2 = self.aci_policy2.get_serialized_output() + self.assertTrue(output1 != output2) + + expected_output1 = "cGFja2FnZSBwb2xpY3kKCmltcG9ydCBmdXR1cmUua2V5d29yZHMuZXZlcnkKaW1wb3J0IGZ1dHVyZS5rZXl3b3Jkcy5pbgoKYXBpX3N2biA6PSAiMC4xMC4wIgpmcmFtZXdvcmtfc3ZuIDo9ICIwLjEuMCIKCmZyYWdtZW50cyA6PSBbCiAgewogICAgImZlZWQiOiAibWNyLm1pY3Jvc29mdC5jb20vYWNpL2FjaS1jYy1pbmZyYS1mcmFnbWVudCIsCiAgICAiaW5jbHVkZXMiOiBbCiAgICAgICJjb250YWluZXJzIgogICAgXSwKICAgICJpc3N1ZXIiOiAiZGlkOng1MDk6MDpzaGEyNTY6SV9faXVMMjVvWEVWRmRUUF9hQkx4X2VUMVJQSGJDUV9FQ0JRZllacHQ5czo6ZWt1OjEuMy42LjEuNC4xLjMxMS43Ni41OS4xLjMiLAogICAgIm1pbmltdW1fc3ZuIjogIjEuMC4wIgogIH0KXQoKY29udGFpbmVycyA6PSBbeyJhbGxvd19lbGV2YXRlZCI6dHJ1ZSwiYWxsb3dfc3RkaW9fYWNjZXNzIjp0cnVlLCJjb21tYW5kIjpbImJhc2giXSwiZW52X3J1bGVzIjpbeyJwYXR0ZXJuIjoiUEFUSD0vY3VzdG9taXplZC9wYXRoL3ZhbHVlIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9LHsicGF0dGVybiI6IlRFU1RfUkVHRVhQX0VOVj10ZXN0X3JlZ2V4cF9lbnYiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiUlVTVFVQX0hPTUU9L3Vzci9sb2NhbC9ydXN0dXAiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiQ0FSR09fSE9NRT0vdXNyL2xvY2FsL2NhcmdvIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9LHsicGF0dGVybiI6IlJVU1RfVkVSU0lPTj0xLjUyLjEiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiVEVSTT14dGVybSIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiIoKD9pKUZBQlJJQylfLis9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiSE9TVE5BTUU9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiVChFKT9NUD0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJGYWJyaWNQYWNrYWdlRmlsZU5hbWU9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiSG9zdGVkU2VydmljZU5hbWU9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiSURFTlRJVFlfQVBJX1ZFUlNJT049LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiSURFTlRJVFlfSEVBREVSPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LHsicGF0dGVybiI6IklERU5USVRZX1NFUlZFUl9USFVNQlBSSU5UPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LHsicGF0dGVybiI6ImF6dXJlY29udGFpbmVyaW5zdGFuY2VfcmVzdGFydGVkX2J5PS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9XSwiZXhlY19wcm9jZXNzZXMiOltdLCJpZCI6InJ1c3Q6MS41Mi4xIiwibGF5ZXJzIjpbImZlODRjOWQ1YmZkZGQwN2EyNjI0ZDAwMzMzY2YxM2MxYTljOTQxZjNhMjYxZjEzZWFkNDRmYzZhOTNiYzBlN2EiLCI0ZGVkYWU0Mjg0N2M3MDRkYTg5MWEyOGMyNWQzMjIwMWExYWU0NDBiY2UyYWVjY2NmYThlNmYwM2I5N2E2YTZjIiwiNDFkNjRjZGViMzQ3YmYyMzZiNGMxM2I3NDAzYjYzM2ZmMTFmMWNmOTRkYmM3Y2Y4ODFhNDRkNmRhODhjNTE1NiIsImViMzY5MjFlMWY4MmFmNDZkZmUyNDhlZjhmMWIzYWZiNmE1MjMwYTY0MTgxZDk2MGQxMDIzN2EwOGNkNzNjNzkiLCJlNzY5ZDc0ODdjYzMxNGQzZWU3NDhhNDQ0MDgwNTMxN2MxOTI2MmM3YWNkMmZkYmRiMGQ0N2QyZTQ2MTNhMTVjIiwiMWI4MGYxMjBkYmQ4OGU0MzU1ZDYyNDFiNTE5YzNlMjUyOTAyMTVjNDY5NTE2YjQ5ZGVjZTljZjA3MTc1YTc2NiJdLCJtb3VudHMiOlt7ImRlc3RpbmF0aW9uIjoiL21vdW50L2F6dXJlZmlsZSIsIm9wdGlvbnMiOlsicmJpbmQiLCJyc2hhcmVkIiwicnciXSwic291cmNlIjoic2FuZGJveDovLy90bXAvYXRsYXMvYXp1cmVGaWxlVm9sdW1lLy4rIiwidHlwZSI6ImJpbmQifSx7ImRlc3RpbmF0aW9uIjoiL2V0Yy9yZXNvbHYuY29uZiIsIm9wdGlvbnMiOlsicmJpbmQiLCJyc2hhcmVkIiwicnciXSwic291cmNlIjoic2FuZGJveDovLy90bXAvYXRsYXMvcmVzb2x2Y29uZi8uKyIsInR5cGUiOiJiaW5kIn1dLCJzaWduYWxzIjpbXSwid29ya2luZ19kaXIiOiIvIn0seyJhbGxvd19lbGV2YXRlZCI6ZmFsc2UsImFsbG93X3N0ZGlvX2FjY2VzcyI6dHJ1ZSwiY29tbWFuZCI6WyIvcGF1c2UiXSwiZW52X3J1bGVzIjpbeyJwYXR0ZXJuIjoiUEFUSD0vdXNyL2xvY2FsL3NiaW46L3Vzci9sb2NhbC9iaW46L3Vzci9zYmluOi91c3IvYmluOi9zYmluOi9iaW4iLCJyZXF1aXJlZCI6dHJ1ZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiJURVJNPXh0ZXJtIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9XSwiZXhlY19wcm9jZXNzZXMiOltdLCJsYXllcnMiOlsiMTZiNTE0MDU3YTA2YWQ2NjVmOTJjMDI4NjNhY2EwNzRmZDU5NzZjNzU1ZDI2YmZmMTYzNjUyOTkxNjllODQxNSJdLCJtb3VudHMiOltdLCJzaWduYWxzIjpbXSwid29ya2luZ19kaXIiOiIvIn1dCgphbGxvd19wcm9wZXJ0aWVzX2FjY2VzcyA6PSBmYWxzZQphbGxvd19kdW1wX3N0YWNrcyA6PSBmYWxzZQphbGxvd19ydW50aW1lX2xvZ2dpbmcgOj0gZmFsc2UKYWxsb3dfZW52aXJvbm1lbnRfdmFyaWFibGVfZHJvcHBpbmcgOj0gdHJ1ZQphbGxvd191bmVuY3J5cHRlZF9zY3JhdGNoIDo9IGZhbHNlCgoKCm1vdW50X2RldmljZSA6PSBkYXRhLmZyYW1ld29yay5tb3VudF9kZXZpY2UKdW5tb3VudF9kZXZpY2UgOj0gZGF0YS5mcmFtZXdvcmsudW5tb3VudF9kZXZpY2UKbW91bnRfb3ZlcmxheSA6PSBkYXRhLmZyYW1ld29yay5tb3VudF9vdmVybGF5CnVubW91bnRfb3ZlcmxheSA6PSBkYXRhLmZyYW1ld29yay51bm1vdW50X292ZXJsYXkKY3JlYXRlX2NvbnRhaW5lciA6PSBkYXRhLmZyYW1ld29yay5jcmVhdGVfY29udGFpbmVyCmV4ZWNfaW5fY29udGFpbmVyIDo9IGRhdGEuZnJhbWV3b3JrLmV4ZWNfaW5fY29udGFpbmVyCmV4ZWNfZXh0ZXJuYWwgOj0gZGF0YS5mcmFtZXdvcmsuZXhlY19leHRlcm5hbApzaHV0ZG93bl9jb250YWluZXIgOj0gZGF0YS5mcmFtZXdvcmsuc2h1dGRvd25fY29udGFpbmVyCnNpZ25hbF9jb250YWluZXJfcHJvY2VzcyA6PSBkYXRhLmZyYW1ld29yay5zaWduYWxfY29udGFpbmVyX3Byb2Nlc3MKcGxhbjlfbW91bnQgOj0gZGF0YS5mcmFtZXdvcmsucGxhbjlfbW91bnQKcGxhbjlfdW5tb3VudCA6PSBkYXRhLmZyYW1ld29yay5wbGFuOV91bm1vdW50CmdldF9wcm9wZXJ0aWVzIDo9IGRhdGEuZnJhbWV3b3JrLmdldF9wcm9wZXJ0aWVzCmR1bXBfc3RhY2tzIDo9IGRhdGEuZnJhbWV3b3JrLmR1bXBfc3RhY2tzCnJ1bnRpbWVfbG9nZ2luZyA6PSBkYXRhLmZyYW1ld29yay5ydW50aW1lX2xvZ2dpbmcKbG9hZF9mcmFnbWVudCA6PSBkYXRhLmZyYW1ld29yay5sb2FkX2ZyYWdtZW50CnNjcmF0Y2hfbW91bnQgOj0gZGF0YS5mcmFtZXdvcmsuc2NyYXRjaF9tb3VudApzY3JhdGNoX3VubW91bnQgOj0gZGF0YS5mcmFtZXdvcmsuc2NyYXRjaF91bm1vdW50CgpyZWFzb24gOj0geyJlcnJvcnMiOiBkYXRhLmZyYW1ld29yay5lcnJvcnN9" + expected_output2 = "cGFja2FnZSBwb2xpY3kKCmltcG9ydCBmdXR1cmUua2V5d29yZHMuZXZlcnkKaW1wb3J0IGZ1dHVyZS5rZXl3b3Jkcy5pbgoKYXBpX3N2biA6PSAiMC4xMC4wIgpmcmFtZXdvcmtfc3ZuIDo9ICIwLjEuMCIKCmZyYWdtZW50cyA6PSBbCiAgewogICAgImZlZWQiOiAibWNyLm1pY3Jvc29mdC5jb20vYWNpL2FjaS1jYy1pbmZyYS1mcmFnbWVudCIsCiAgICAiaW5jbHVkZXMiOiBbCiAgICAgICJjb250YWluZXJzIgogICAgXSwKICAgICJpc3N1ZXIiOiAiZGlkOng1MDk6MDpzaGEyNTY6SV9faXVMMjVvWEVWRmRUUF9hQkx4X2VUMVJQSGJDUV9FQ0JRZllacHQ5czo6ZWt1OjEuMy42LjEuNC4xLjMxMS43Ni41OS4xLjMiLAogICAgIm1pbmltdW1fc3ZuIjogIjEuMC4wIgogIH0KXQoKY29udGFpbmVycyA6PSBbeyJhbGxvd19lbGV2YXRlZCI6dHJ1ZSwiYWxsb3dfc3RkaW9fYWNjZXNzIjp0cnVlLCJjb21tYW5kIjpbInB5dGhvbjMiXSwiZW52X3J1bGVzIjpbeyJwYXR0ZXJuIjoiUEFUSD0vY3VzdG9taXplZC9kaWZmZXJlbnQvcGF0aC92YWx1ZSIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiJMQU5HPUMuVVRGLTgiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiR1BHX0tFWT0wRDk2REY0RDQxMTBFNUM0M0ZCRkIxN0YyRDM0N0VBNkFBNjU0MjFEIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9LHsicGF0dGVybiI6IlBZVEhPTl9WRVJTSU9OPTMuNi4xNCIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiJQWVRIT05fUElQX1ZFUlNJT049MjEuMi40IiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9LHsicGF0dGVybiI6IlBZVEhPTl9HRVRfUElQX1VSTD1odHRwczovL2dpdGh1Yi5jb20vcHlwYS9nZXQtcGlwL3Jhdy9jMjBiMGNmZDY0M2NkNGExOTI0NmNjZjIwNGUyOTk3YWY3MGY2YjIxL3B1YmxpYy9nZXQtcGlwLnB5IiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9LHsicGF0dGVybiI6IlBZVEhPTl9HRVRfUElQX1NIQTI1Nj1mYTZmM2ZiOTNjY2UyMzRjZDRlOGRkMmJlYjU0YTUxYWI5YzI0NzY1M2I1Mjg1NWE0OGRkNDRlNmIyMWZmMjhiIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9LHsicGF0dGVybiI6IlRFUk09eHRlcm0iLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiKCg/aSlGQUJSSUMpXy4rPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LHsicGF0dGVybiI6IkhPU1ROQU1FPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LHsicGF0dGVybiI6IlQoRSk/TVA9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiRmFicmljUGFja2FnZUZpbGVOYW1lPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LHsicGF0dGVybiI6Ikhvc3RlZFNlcnZpY2VOYW1lPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LHsicGF0dGVybiI6IklERU5USVRZX0FQSV9WRVJTSU9OPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LHsicGF0dGVybiI6IklERU5USVRZX0hFQURFUj0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJJREVOVElUWV9TRVJWRVJfVEhVTUJQUklOVD0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJhenVyZWNvbnRhaW5lcmluc3RhbmNlX3Jlc3RhcnRlZF9ieT0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifV0sImV4ZWNfcHJvY2Vzc2VzIjpbXSwiaWQiOiJweXRob246My42LjE0LXNsaW0tYnVzdGVyIiwibGF5ZXJzIjpbIjI1NGNjODUzZGE2MDgxOTA1YzkxMDljOGI5ZDk5YzlmYjA5ODdiYTFkODhmNzI5MDg4OTAzY2ZmYjgwZjU1ZjEiLCJhNTY4ZjE5MDBiZWQ2MGEwNjQxYjc2Yjk5MWFkNDMxNDQ2ZDljM2EzNDRkN2IyNjFmMTBkZThkOGU3Mzc2M2FjIiwiYzcwYzUzMGU4NDJmNjYyMTViMGJkOTU1ODc3MTU3YmEyNGMzNzk5MzAzNTY3YzNmNTY3M2M0NTY2M2VhNGQxNSIsIjNlODZjM2NjZjE2NDJiZjU4NGRlMzNiNDljNzI0OGY4N2VlY2QwZjZkOGMwODM1M2RhYTM2Y2M3YWQwYTdiNmEiLCIxZTQ2ODRkOGM3Y2FhNzRjNjUyNDE3MmI0ZDVhMTU5YTEwODg3NjEzZWQ3MGYxOGQwYTU1ZDA1YjJhZjYxYWNkIl0sIm1vdW50cyI6W3siZGVzdGluYXRpb24iOiIvbW91bnQvZmlsZSIsIm9wdGlvbnMiOlsicmJpbmQiLCJyc2hhcmVkIiwicnciXSwic291cmNlIjoic2FuZGJveDovLy90bXAvYXRsYXMvYXp1cmVGaWxlVm9sdW1lLy4rIiwidHlwZSI6ImJpbmQifSx7ImRlc3RpbmF0aW9uIjoiL2V0Yy9yZXNvbHYuY29uZiIsIm9wdGlvbnMiOlsicmJpbmQiLCJyc2hhcmVkIiwicnciXSwic291cmNlIjoic2FuZGJveDovLy90bXAvYXRsYXMvcmVzb2x2Y29uZi8uKyIsInR5cGUiOiJiaW5kIn1dLCJzaWduYWxzIjpbXSwid29ya2luZ19kaXIiOiIvIn0seyJhbGxvd19lbGV2YXRlZCI6ZmFsc2UsImFsbG93X3N0ZGlvX2FjY2VzcyI6dHJ1ZSwiY29tbWFuZCI6WyIvcGF1c2UiXSwiZW52X3J1bGVzIjpbeyJwYXR0ZXJuIjoiUEFUSD0vdXNyL2xvY2FsL3NiaW46L3Vzci9sb2NhbC9iaW46L3Vzci9zYmluOi91c3IvYmluOi9zYmluOi9iaW4iLCJyZXF1aXJlZCI6dHJ1ZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiJURVJNPXh0ZXJtIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9XSwiZXhlY19wcm9jZXNzZXMiOltdLCJsYXllcnMiOlsiMTZiNTE0MDU3YTA2YWQ2NjVmOTJjMDI4NjNhY2EwNzRmZDU5NzZjNzU1ZDI2YmZmMTYzNjUyOTkxNjllODQxNSJdLCJtb3VudHMiOltdLCJzaWduYWxzIjpbXSwid29ya2luZ19kaXIiOiIvIn1dCgphbGxvd19wcm9wZXJ0aWVzX2FjY2VzcyA6PSBmYWxzZQphbGxvd19kdW1wX3N0YWNrcyA6PSBmYWxzZQphbGxvd19ydW50aW1lX2xvZ2dpbmcgOj0gZmFsc2UKYWxsb3dfZW52aXJvbm1lbnRfdmFyaWFibGVfZHJvcHBpbmcgOj0gdHJ1ZQphbGxvd191bmVuY3J5cHRlZF9zY3JhdGNoIDo9IGZhbHNlCgoKCm1vdW50X2RldmljZSA6PSBkYXRhLmZyYW1ld29yay5tb3VudF9kZXZpY2UKdW5tb3VudF9kZXZpY2UgOj0gZGF0YS5mcmFtZXdvcmsudW5tb3VudF9kZXZpY2UKbW91bnRfb3ZlcmxheSA6PSBkYXRhLmZyYW1ld29yay5tb3VudF9vdmVybGF5CnVubW91bnRfb3ZlcmxheSA6PSBkYXRhLmZyYW1ld29yay51bm1vdW50X292ZXJsYXkKY3JlYXRlX2NvbnRhaW5lciA6PSBkYXRhLmZyYW1ld29yay5jcmVhdGVfY29udGFpbmVyCmV4ZWNfaW5fY29udGFpbmVyIDo9IGRhdGEuZnJhbWV3b3JrLmV4ZWNfaW5fY29udGFpbmVyCmV4ZWNfZXh0ZXJuYWwgOj0gZGF0YS5mcmFtZXdvcmsuZXhlY19leHRlcm5hbApzaHV0ZG93bl9jb250YWluZXIgOj0gZGF0YS5mcmFtZXdvcmsuc2h1dGRvd25fY29udGFpbmVyCnNpZ25hbF9jb250YWluZXJfcHJvY2VzcyA6PSBkYXRhLmZyYW1ld29yay5zaWduYWxfY29udGFpbmVyX3Byb2Nlc3MKcGxhbjlfbW91bnQgOj0gZGF0YS5mcmFtZXdvcmsucGxhbjlfbW91bnQKcGxhbjlfdW5tb3VudCA6PSBkYXRhLmZyYW1ld29yay5wbGFuOV91bm1vdW50CmdldF9wcm9wZXJ0aWVzIDo9IGRhdGEuZnJhbWV3b3JrLmdldF9wcm9wZXJ0aWVzCmR1bXBfc3RhY2tzIDo9IGRhdGEuZnJhbWV3b3JrLmR1bXBfc3RhY2tzCnJ1bnRpbWVfbG9nZ2luZyA6PSBkYXRhLmZyYW1ld29yay5ydW50aW1lX2xvZ2dpbmcKbG9hZF9mcmFnbWVudCA6PSBkYXRhLmZyYW1ld29yay5sb2FkX2ZyYWdtZW50CnNjcmF0Y2hfbW91bnQgOj0gZGF0YS5mcmFtZXdvcmsuc2NyYXRjaF9tb3VudApzY3JhdGNoX3VubW91bnQgOj0gZGF0YS5mcmFtZXdvcmsuc2NyYXRjaF91bm1vdW50CgpyZWFzb24gOj0geyJlcnJvcnMiOiBkYXRhLmZyYW1ld29yay5lcnJvcnN9" + + self.assertEqual(output1, expected_output1) + self.assertEqual(output2, expected_output2) + + +# @unittest.skip("not in use") +@pytest.mark.run(order=10) +class PolicyGeneratingArmInitContainer(unittest.TestCase): + + custom_arm_json_default_value = """ + { + "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", + "contentVersion": "1.0.0.0", + + + "parameters": { + "containergroupname": { + "type": "string", + "metadata": { + "description": "Name for the container group" + }, + "defaultValue":"simple-container-group" + }, + "image": { + "type": "string", + "metadata": { + "description": "Name for the container group" + }, + "defaultValue":"rust:1.52.1" + }, + "containername": { + "type": "string", + "metadata": { + "description": "Name for the container" + }, + "defaultValue":"simple-container" + }, + + "port": { + "type": "string", + "metadata": { + "description": "Port to open on the container and the public IP address." + }, + "defaultValue": "8080" + }, + "cpuCores": { + "type": "string", + "metadata": { + "description": "The number of CPU cores to allocate to the container." + }, + "defaultValue": "1.0" + }, + "memoryInGb": { + "type": "string", + "metadata": { + "description": "The amount of memory to allocate to the container in gigabytes." + }, + "defaultValue": "1.5" + }, + "location": { + "type": "string", + "defaultValue": "[resourceGroup().location]", + "metadata": { + "description": "Location for all resources." + } + } + }, + "resources": [ + { + "name": "[parameters('containergroupname')]", + "type": "Microsoft.ContainerInstance/containerGroups", + "apiVersion": "2022-04-01-preview", + "location": "[parameters('location')]", + + "properties": { + "containers": [ + { + "name": "[parameters('containername')]", + "properties": { + "image": "[parameters('image')]", + "environmentVariables": [ + { + "name": "PORT", + "value": "80" + } + ], + + "ports": [ + { + "port": "[parameters('port')]" + } + ], + "command": [ + "/bin/bash", + "-c", + "while sleep 5; do cat /mnt/input/access.log; done" + ], + "resources": { + "requests": { + "cpu": "[parameters('cpuCores')]", + "memoryInGb": "[parameters('memoryInGb')]" + } + } + } + } + ], + "initContainers": [ + { + "name": "init-container", + "properties": { + "image": "python:3.6.14-slim-buster", + "environmentVariables": [ + { + "name":"PATH", + "value":"/usr/local/bin:/usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin" + }, + { + "name":"LANG", + "value":"C.UTF-8" + }, + { + "name":"GPG_KEY", + "value":"0D96DF4D4110E5C43FBFB17F2D347EA6AA65421D" + }, + { + "name":"PYTHON_VERSION", + "value":"3.6.14" + }, + { + "name":"PYTHON_PIP_VERSION", + "value":"21.2.4" + }, + { + "name":"PYTHON_GET_PIP_URL", + "value":"https://github.com/pypa/get-pip/raw/c20b0cfd643cd4a19246ccf204e2997af70f6b21/public/get-pip.py" + }, + { + "name":"PYTHON_GET_PIP_SHA256", + "value":"fa6f3fb93cce234cd4e8dd2beb54a51ab9c247653b52855a48dd44e6b21ff28b" + } + ], + "command": ["python3"] + } + } + ], + + "osType": "Linux", + "restartPolicy": "OnFailure", + "confidentialComputeProperties": { + "IsolationType": "SevSnp" + }, + "ipAddress": { + "type": "Public", + "ports": [ + { + "protocol": "Tcp", + "port": "[parameters( 'port' )]" + } + ] + } + } + } + ], + "outputs": { + "containerIPv4Address": { + "type": "string", + "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', parameters('containergroupname'))).ipAddress.ip]" + } + } + } + """ + + @classmethod + def setUpClass(cls): + cls.aci_arm_policy = load_policy_from_arm_template_str( + cls.custom_arm_json_default_value, "" + )[0] + cls.aci_arm_policy.populate_policy_content_for_all_images() + + def test_arm_template_with_init_container(self): + regular_image_json = json.loads( + self.aci_arm_policy.get_serialized_output( + output_type=OutputType.RAW, use_json=True + ) + ) + + python_image_name = regular_image_json[config.POLICY_FIELD_CONTAINERS][ + config.POLICY_FIELD_CONTAINERS_ELEMENTS + ]["1"].pop(config.POLICY_FIELD_CONTAINERS_ID) + + # see if the remote image and the local one produce the same output + self.assertTrue("python" in python_image_name) + + +# @unittest.skip("not in use") +@pytest.mark.run(order=11) +class PolicyGeneratingDisableStdioAccess(unittest.TestCase): + + custom_arm_json_default_value = """ + { + "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", + "contentVersion": "1.0.0.0", + + + "parameters": { + "containergroupname": { + "type": "string", + "metadata": { + "description": "Name for the container group" + }, + "defaultValue":"simple-container-group" + }, + "image": { + "type": "string", + "metadata": { + "description": "Name for the container group" + }, + "defaultValue":"rust:1.52.1" + }, + "containername": { + "type": "string", + "metadata": { + "description": "Name for the container" + }, + "defaultValue":"simple-container" + }, + + "port": { + "type": "string", + "metadata": { + "description": "Port to open on the container and the public IP address." + }, + "defaultValue": "8080" + }, + "cpuCores": { + "type": "string", + "metadata": { + "description": "The number of CPU cores to allocate to the container." + }, + "defaultValue": "1.0" + }, + "memoryInGb": { + "type": "string", + "metadata": { + "description": "The amount of memory to allocate to the container in gigabytes." + }, + "defaultValue": "1.5" + }, + "location": { + "type": "string", + "defaultValue": "[resourceGroup().location]", + "metadata": { + "description": "Location for all resources." + } + } + }, + "resources": [ + { + "name": "[parameters('containergroupname')]", + "type": "Microsoft.ContainerInstance/containerGroups", + "apiVersion": "2022-04-01-preview", + "location": "[parameters('location')]", + + "properties": { + "containers": [ + { + "name": "[parameters('containername')]", + "properties": { + "image": "[parameters('image')]", + "environmentVariables": [ + { + "name": "PORT", + "value": "80" + } + ], + + "ports": [ + { + "port": "[parameters('port')]" + } + ], + "command": [ + "/bin/bash", + "-c", + "while sleep 5; do cat /mnt/input/access.log; done" + ], + "resources": { + "requests": { + "cpu": "[parameters('cpuCores')]", + "memoryInGb": "[parameters('memoryInGb')]" + } + } + } + } + ], + + "osType": "Linux", + "restartPolicy": "OnFailure", + "confidentialComputeProperties": { + "IsolationType": "SevSnp" + }, + "ipAddress": { + "type": "Public", + "ports": [ + { + "protocol": "Tcp", + "port": "[parameters( 'port' )]" + } + ] + } + } + } + ], + "outputs": { + "containerIPv4Address": { + "type": "string", + "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', parameters('containergroupname'))).ipAddress.ip]" + } + } + } + """ + + @classmethod + def setUpClass(cls): + cls.aci_arm_policy = load_policy_from_arm_template_str( + cls.custom_arm_json_default_value, "", disable_stdio=True + )[0] + cls.aci_arm_policy.populate_policy_content_for_all_images() + + def test_arm_template_without_stdio_access(self): + regular_image_json = json.loads( + self.aci_arm_policy.get_serialized_output( + output_type=OutputType.RAW, rego_boilerplate=False + ) + ) + + stdio_access = regular_image_json[0][config.POLICY_FIELD_CONTAINERS_ALLOW_STDIO_ACCESS] + + # see if the remote image and the local one produce the same output + self.assertFalse(stdio_access) + + +# @unittest.skip("not in use") +@pytest.mark.run(order=11) +class PrintExistingPolicy(unittest.TestCase): + + def test_printing_existing_policy(self): + template = """ + { + "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", + "contentVersion": "1.0.0.0", + "variables": { + "image": "python:3.6.14-slim-buster" + }, + + + "parameters": { + "containergroupname": { + "type": "string", + "metadata": { + "description": "Name for the container group" + }, + "defaultValue":"simple-container-group" + }, + + "containername": { + "type": "string", + "metadata": { + "description": "Name for the container" + }, + "defaultValue":"simple-container" + }, + "port": { + "type": "string", + "metadata": { + "description": "Port to open on the container and the public IP address." + }, + "defaultValue": "8080" + }, + "cpuCores": { + "type": "string", + "metadata": { + "description": "The number of CPU cores to allocate to the container." + }, + "defaultValue": "1.0" + }, + "memoryInGb": { + "type": "string", + "metadata": { + "description": "The amount of memory to allocate to the container in gigabytes." + }, + "defaultValue": "1.5" + }, + "location": { + "type": "string", + "defaultValue": "[resourceGroup().location]", + "metadata": { + "description": "Location for all resources." + } + } + }, + "resources": [ + { + "name": "[parameters('containergroupname')]", + "type": "Microsoft.ContainerInstance/containerGroups", + "apiVersion": "2022-04-01-preview", + "location": "[parameters('location')]", + "properties": { + "containers": [ + { + "name": "[parameters('containername')]", + + "properties": { + "image": "[variables('image')]", + "command": [ + "python3" + ], + "ports": [ + { + "port": "[parameters('port')]" + } + ], + "resources": { + "requests": { + "cpu": "[parameters('cpuCores')]", + "memoryInGb": "[parameters('memoryInGb')]" + } + }, + "volumeMounts": [ + { + "name": "filesharevolume", + "mountPath": "/aci/logs", + "readOnly": false + }, + { + "name": "secretvolume", + "mountPath": "/aci/secret", + "readOnly": true + } + ] + } + } + ], + "volumes": [ + { + "name": "filesharevolume", + "azureFile": { + "shareName": "shareName1", + "storageAccountName": "storage-account-name", + "storageAccountKey": "storage-account-key" + } + }, + { + + "name": "secretvolume", + "secret": { + "mysecret1": "secret1", + "mysecret2": "secret2" + } + } + + ], + "osType": "Linux", + "restartPolicy": "OnFailure", + "confidentialComputeProperties": { + "IsolationType": "SevSnp" + }, + "ipAddress": { + "type": "Public", + "ports": [ + { + "protocol": "Tcp", + "port": "[parameters( 'port' )]" + } + ] + } + } + } + ], + "outputs": { + "containerIPv4Address": { + "type": "string", + "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', parameters('containergroupname'))).ipAddress.ip]" + } + } + } + """ + template2 = """ + { + "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", + "contentVersion": "1.0.0.0", + "variables": { + "image": "python:3.6.14-slim-buster" + }, + "parameters": { + "containergroupname": { + "type": "string", + "metadata": { + "description": "Name for the container group" + }, + "defaultValue": "simple-container-group" + }, + "containername": { + "type": "string", + "metadata": { + "description": "Name for the container" + }, + "defaultValue": "simple-container" + }, + "port": { + "type": "string", + "metadata": { + "description": "Port to open on the container and the public IP address." + }, + "defaultValue": "8080" + }, + "cpuCores": { + "type": "string", + "metadata": { + "description": "The number of CPU cores to allocate to the container." + }, + "defaultValue": "1.0" + }, + "memoryInGb": { + "type": "string", + "metadata": { + "description": "The amount of memory to allocate to the container in gigabytes." + }, + "defaultValue": "1.5" + }, + "location": { + "type": "string", + "defaultValue": "[resourceGroup().location]", + "metadata": { + "description": "Location for all resources." + } + } + }, + "resources": [ + { + "name": "[parameters('containergroupname')]", + "type": "Microsoft.ContainerInstance/containerGroups", + "apiVersion": "2022-04-01-preview", + "location": "[parameters('location')]", + "properties": { + "containers": [ + { + "name": "[parameters('containername')]", + "properties": { + "image": "[variables('image')]", + "command": [ + "python3" + ], + "ports": [ + { + "port": "[parameters('port')]" + } + ], + "resources": { + "requests": { + "cpu": "[parameters('cpuCores')]", + "memoryInGb": "[parameters('memoryInGb')]" + } + }, + "volumeMounts": [ + { + "name": "filesharevolume", + "mountPath": "/aci/logs", + "readOnly": false + }, + { + "name": "secretvolume", + "mountPath": "/aci/secret", + "readOnly": true + } + ] + } + } + ], + "volumes": [ + { + "name": "filesharevolume", + "azureFile": { + "shareName": "shareName1", + "storageAccountName": "storage-account-name", + "storageAccountKey": "storage-account-key" + } + }, + { + "name": "secretvolume", + "secret": { + "mysecret1": "secret1", + "mysecret2": "secret2" + } + } + ], + "osType": "Linux", + "restartPolicy": "OnFailure", + "confidentialComputeProperties": { + "IsolationType": "SevSnp", + "ccePolicy": "cGFja2FnZSBwb2xpY3kKCmltcG9ydCBmdXR1cmUua2V5d29yZHMuZXZlcnkKaW1wb3J0IGZ1dHVyZS5rZXl3b3Jkcy5pbgoKYXBpX3N2biA6PSAiMC4xMC4wIgpmcmFtZXdvcmtfc3ZuIDo9ICIwLjEuMCIKCmZyYWdtZW50cyA6PSBbCiAgewogICAgImZlZWQiOiAibWNyLm1pY3Jvc29mdC5jb20vYWNpL2FjaS1jYy1pbmZyYS1mcmFnbWVudCIsCiAgICAiaW5jbHVkZXMiOiBbCiAgICAgICJjb250YWluZXJzIgogICAgXSwKICAgICJpc3N1ZXIiOiAiZGlkOng1MDk6MDpzaGEyNTY6SV9faXVMMjVvWEVWRmRUUF9hQkx4X2VUMVJQSGJDUV9FQ0JRZllacHQ5czo6ZWt1OjEuMy42LjEuNC4xLjMxMS43Ni41OS4xLjMiLAogICAgIm1pbmltdW1fc3ZuIjogIjEuMC4wIgogIH0KXQoKY29udGFpbmVycyA6PSBbeyJhbGxvd19lbGV2YXRlZCI6dHJ1ZSwiYWxsb3dfc3RkaW9fYWNjZXNzIjp0cnVlLCJjb21tYW5kIjpbInB5dGhvbjMiXSwiZW52X3J1bGVzIjpbeyJwYXR0ZXJuIjoiUEFUSD0vdXNyL2xvY2FsL2JpbjovdXNyL2xvY2FsL3NiaW46L3Vzci9sb2NhbC9iaW46L3Vzci9zYmluOi91c3IvYmluOi9zYmluOi9iaW4iLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiTEFORz1DLlVURi04IiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9LHsicGF0dGVybiI6IkdQR19LRVk9MEQ5NkRGNEQ0MTEwRTVDNDNGQkZCMTdGMkQzNDdFQTZBQTY1NDIxRCIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiJQWVRIT05fVkVSU0lPTj0zLjYuMTQiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiUFlUSE9OX1BJUF9WRVJTSU9OPTIxLjIuNCIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiJQWVRIT05fR0VUX1BJUF9VUkw9aHR0cHM6Ly9naXRodWIuY29tL3B5cGEvZ2V0LXBpcC9yYXcvYzIwYjBjZmQ2NDNjZDRhMTkyNDZjY2YyMDRlMjk5N2FmNzBmNmIyMS9wdWJsaWMvZ2V0LXBpcC5weSIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiJQWVRIT05fR0VUX1BJUF9TSEEyNTY9ZmE2ZjNmYjkzY2NlMjM0Y2Q0ZThkZDJiZWI1NGE1MWFiOWMyNDc2NTNiNTI4NTVhNDhkZDQ0ZTZiMjFmZjI4YiIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiJURVJNPXh0ZXJtIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9LHsicGF0dGVybiI6IigoP2kpRkFCUklDKV8uKz0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJIT1NUTkFNRT0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJUKEUpP01QPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LHsicGF0dGVybiI6IkZhYnJpY1BhY2thZ2VGaWxlTmFtZT0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJIb3N0ZWRTZXJ2aWNlTmFtZT0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJJREVOVElUWV9BUElfVkVSU0lPTj0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJJREVOVElUWV9IRUFERVI9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiSURFTlRJVFlfU0VSVkVSX1RIVU1CUFJJTlQ9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiYXp1cmVjb250YWluZXJpbnN0YW5jZV9yZXN0YXJ0ZWRfYnk9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn1dLCJleGVjX3Byb2Nlc3NlcyI6W10sImlkIjoicHl0aG9uOjMuNi4xNC1zbGltLWJ1c3RlciIsImxheWVycyI6WyIyNTRjYzg1M2RhNjA4MTkwNWM5MTA5YzhiOWQ5OWM5ZmIwOTg3YmExZDg4ZjcyOTA4ODkwM2NmZmI4MGY1NWYxIiwiYTU2OGYxOTAwYmVkNjBhMDY0MWI3NmI5OTFhZDQzMTQ0NmQ5YzNhMzQ0ZDdiMjYxZjEwZGU4ZDhlNzM3NjNhYyIsImM3MGM1MzBlODQyZjY2MjE1YjBiZDk1NTg3NzE1N2JhMjRjMzc5OTMwMzU2N2MzZjU2NzNjNDU2NjNlYTRkMTUiLCIzZTg2YzNjY2YxNjQyYmY1ODRkZTMzYjQ5YzcyNDhmODdlZWNkMGY2ZDhjMDgzNTNkYWEzNmNjN2FkMGE3YjZhIiwiMWU0Njg0ZDhjN2NhYTc0YzY1MjQxNzJiNGQ1YTE1OWExMDg4NzYxM2VkNzBmMThkMGE1NWQwNWIyYWY2MWFjZCJdLCJtb3VudHMiOlt7ImRlc3RpbmF0aW9uIjoiL2FjaS9sb2dzIiwib3B0aW9ucyI6WyJyYmluZCIsInJzaGFyZWQiLCJydyJdLCJzb3VyY2UiOiJzYW5kYm94Oi8vL3RtcC9hdGxhcy9henVyZUZpbGVWb2x1bWUvLisiLCJ0eXBlIjoiYmluZCJ9LHsiZGVzdGluYXRpb24iOiIvYWNpL3NlY3JldCIsIm9wdGlvbnMiOlsicmJpbmQiLCJyc2hhcmVkIiwicm8iXSwic291cmNlIjoic2FuZGJveDovLy90bXAvYXRsYXMvc2VjcmV0c1ZvbHVtZS8uKyIsInR5cGUiOiJiaW5kIn0seyJkZXN0aW5hdGlvbiI6Ii9ldGMvcmVzb2x2LmNvbmYiLCJvcHRpb25zIjpbInJiaW5kIiwicnNoYXJlZCIsInJ3Il0sInNvdXJjZSI6InNhbmRib3g6Ly8vdG1wL2F0bGFzL3Jlc29sdmNvbmYvLisiLCJ0eXBlIjoiYmluZCJ9XSwic2lnbmFscyI6W10sIndvcmtpbmdfZGlyIjoiLyJ9LHsiYWxsb3dfZWxldmF0ZWQiOmZhbHNlLCJhbGxvd19zdGRpb19hY2Nlc3MiOnRydWUsImNvbW1hbmQiOlsiL3BhdXNlIl0sImVudl9ydWxlcyI6W3sicGF0dGVybiI6IlBBVEg9L3Vzci9sb2NhbC9zYmluOi91c3IvbG9jYWwvYmluOi91c3Ivc2JpbjovdXNyL2Jpbjovc2JpbjovYmluIiwicmVxdWlyZWQiOnRydWUsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiVEVSTT14dGVybSIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifV0sImV4ZWNfcHJvY2Vzc2VzIjpbXSwibGF5ZXJzIjpbIjE2YjUxNDA1N2EwNmFkNjY1ZjkyYzAyODYzYWNhMDc0ZmQ1OTc2Yzc1NWQyNmJmZjE2MzY1Mjk5MTY5ZTg0MTUiXSwibW91bnRzIjpbXSwic2lnbmFscyI6W10sIndvcmtpbmdfZGlyIjoiLyJ9XQoKYWxsb3dfcHJvcGVydGllc19hY2Nlc3MgOj0gZmFsc2UKYWxsb3dfZHVtcF9zdGFja3MgOj0gZmFsc2UKYWxsb3dfcnVudGltZV9sb2dnaW5nIDo9IGZhbHNlCmFsbG93X2Vudmlyb25tZW50X3ZhcmlhYmxlX2Ryb3BwaW5nIDo9IHRydWUKYWxsb3dfdW5lbmNyeXB0ZWRfc2NyYXRjaCA6PSBmYWxzZQoKCgptb3VudF9kZXZpY2UgOj0gZGF0YS5mcmFtZXdvcmsubW91bnRfZGV2aWNlCnVubW91bnRfZGV2aWNlIDo9IGRhdGEuZnJhbWV3b3JrLnVubW91bnRfZGV2aWNlCm1vdW50X292ZXJsYXkgOj0gZGF0YS5mcmFtZXdvcmsubW91bnRfb3ZlcmxheQp1bm1vdW50X292ZXJsYXkgOj0gZGF0YS5mcmFtZXdvcmsudW5tb3VudF9vdmVybGF5CmNyZWF0ZV9jb250YWluZXIgOj0gZGF0YS5mcmFtZXdvcmsuY3JlYXRlX2NvbnRhaW5lcgpleGVjX2luX2NvbnRhaW5lciA6PSBkYXRhLmZyYW1ld29yay5leGVjX2luX2NvbnRhaW5lcgpleGVjX2V4dGVybmFsIDo9IGRhdGEuZnJhbWV3b3JrLmV4ZWNfZXh0ZXJuYWwKc2h1dGRvd25fY29udGFpbmVyIDo9IGRhdGEuZnJhbWV3b3JrLnNodXRkb3duX2NvbnRhaW5lcgpzaWduYWxfY29udGFpbmVyX3Byb2Nlc3MgOj0gZGF0YS5mcmFtZXdvcmsuc2lnbmFsX2NvbnRhaW5lcl9wcm9jZXNzCnBsYW45X21vdW50IDo9IGRhdGEuZnJhbWV3b3JrLnBsYW45X21vdW50CnBsYW45X3VubW91bnQgOj0gZGF0YS5mcmFtZXdvcmsucGxhbjlfdW5tb3VudApnZXRfcHJvcGVydGllcyA6PSBkYXRhLmZyYW1ld29yay5nZXRfcHJvcGVydGllcwpkdW1wX3N0YWNrcyA6PSBkYXRhLmZyYW1ld29yay5kdW1wX3N0YWNrcwpydW50aW1lX2xvZ2dpbmcgOj0gZGF0YS5mcmFtZXdvcmsucnVudGltZV9sb2dnaW5nCmxvYWRfZnJhZ21lbnQgOj0gZGF0YS5mcmFtZXdvcmsubG9hZF9mcmFnbWVudApzY3JhdGNoX21vdW50IDo9IGRhdGEuZnJhbWV3b3JrLnNjcmF0Y2hfbW91bnQKc2NyYXRjaF91bm1vdW50IDo9IGRhdGEuZnJhbWV3b3JrLnNjcmF0Y2hfdW5tb3VudAoKcmVhc29uIDo9IHsiZXJyb3JzIjogZGF0YS5mcmFtZXdvcmsuZXJyb3JzfQ==" + }, + "ipAddress": { + "type": "Public", + "ports": [ + { + "protocol": "Tcp", + "port": "[parameters( 'port' )]" + } + ] + } + } + } + ], + "outputs": { + "containerIPv4Address": { + "type": "string", + "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', parameters('containergroupname'))).ipAddress.ip]" + } + } +} +""" + # write template to file for testing + with open("test_template.json", "w") as f: + f.write(template) + + with open("test_template2.json", "w") as f: + f.write(template2) + try: + with self.assertRaises(SystemExit) as exc_info: + acipolicygen_confcom(None, "test_template.json", None, None, None, None, print_existing_policy=True) + + self.assertEqual(exc_info.exception.code, 1) + + with self.assertRaises(SystemExit) as exc_info: + acipolicygen_confcom(None, "test_template2.json", None, None, None, None, print_existing_policy=True) + + self.assertEqual(exc_info.exception.code, 0) + finally: + # delete test file + os.remove("test_template.json") + os.remove("test_template2.json") diff --git a/src/confcom/azext_confcom/tests/latest/test_confcom_image.py b/src/confcom/azext_confcom/tests/latest/test_confcom_image.py new file mode 100644 index 00000000000..700bc156827 --- /dev/null +++ b/src/confcom/azext_confcom/tests/latest/test_confcom_image.py @@ -0,0 +1,128 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- + +import os +import unittest +import pytest +import json +import deepdiff +import docker + +from azext_confcom.security_policy import ( + OutputType, + load_policy_from_image_name, +) +import azext_confcom.config as config + +TEST_DIR = os.path.abspath(os.path.join(os.path.abspath(__file__), "..")) + + +# @unittest.skip("not in use") +@pytest.mark.run(order=1) +class PolicyGeneratingImage(unittest.TestCase): + @classmethod + def setUpClass(cls): + with load_policy_from_image_name("python:3.6.14-slim-buster") as aci_policy: + aci_policy.populate_policy_content_for_all_images(individual_image=True) + cls.aci_policy = aci_policy + + def test_image_policy(self): + expected_policy = "cGFja2FnZSBwb2xpY3kKCmltcG9ydCBmdXR1cmUua2V5d29yZHMuZXZlcnkKaW1wb3J0IGZ1dHVyZS5rZXl3b3Jkcy5pbgoKYXBpX3N2biA6PSAiMC4xMC4wIgpmcmFtZXdvcmtfc3ZuIDo9ICIwLjEuMCIKCmZyYWdtZW50cyA6PSBbCiAgewogICAgImZlZWQiOiAibWNyLm1pY3Jvc29mdC5jb20vYWNpL2FjaS1jYy1pbmZyYS1mcmFnbWVudCIsCiAgICAiaW5jbHVkZXMiOiBbCiAgICAgICJjb250YWluZXJzIgogICAgXSwKICAgICJpc3N1ZXIiOiAiZGlkOng1MDk6MDpzaGEyNTY6SV9faXVMMjVvWEVWRmRUUF9hQkx4X2VUMVJQSGJDUV9FQ0JRZllacHQ5czo6ZWt1OjEuMy42LjEuNC4xLjMxMS43Ni41OS4xLjMiLAogICAgIm1pbmltdW1fc3ZuIjogIjEuMC4wIgogIH0KXQoKY29udGFpbmVycyA6PSBbeyJhbGxvd19lbGV2YXRlZCI6dHJ1ZSwiYWxsb3dfc3RkaW9fYWNjZXNzIjp0cnVlLCJjb21tYW5kIjpbInB5dGhvbjMiXSwiZW52X3J1bGVzIjpbeyJwYXR0ZXJuIjoiUEFUSD0vdXNyL2xvY2FsL2JpbjovdXNyL2xvY2FsL3NiaW46L3Vzci9sb2NhbC9iaW46L3Vzci9zYmluOi91c3IvYmluOi9zYmluOi9iaW4iLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiTEFORz1DLlVURi04IiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9LHsicGF0dGVybiI6IkdQR19LRVk9MEQ5NkRGNEQ0MTEwRTVDNDNGQkZCMTdGMkQzNDdFQTZBQTY1NDIxRCIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiJQWVRIT05fVkVSU0lPTj0zLjYuMTQiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiUFlUSE9OX1BJUF9WRVJTSU9OPTIxLjIuNCIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiJQWVRIT05fR0VUX1BJUF9VUkw9aHR0cHM6Ly9naXRodWIuY29tL3B5cGEvZ2V0LXBpcC9yYXcvYzIwYjBjZmQ2NDNjZDRhMTkyNDZjY2YyMDRlMjk5N2FmNzBmNmIyMS9wdWJsaWMvZ2V0LXBpcC5weSIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiJQWVRIT05fR0VUX1BJUF9TSEEyNTY9ZmE2ZjNmYjkzY2NlMjM0Y2Q0ZThkZDJiZWI1NGE1MWFiOWMyNDc2NTNiNTI4NTVhNDhkZDQ0ZTZiMjFmZjI4YiIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiJURVJNPXh0ZXJtIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9LHsicGF0dGVybiI6IigoP2kpRkFCUklDKV8uKz0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJIT1NUTkFNRT0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJUKEUpP01QPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LHsicGF0dGVybiI6IkZhYnJpY1BhY2thZ2VGaWxlTmFtZT0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJIb3N0ZWRTZXJ2aWNlTmFtZT0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJJREVOVElUWV9BUElfVkVSU0lPTj0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJJREVOVElUWV9IRUFERVI9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiSURFTlRJVFlfU0VSVkVSX1RIVU1CUFJJTlQ9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiYXp1cmVjb250YWluZXJpbnN0YW5jZV9yZXN0YXJ0ZWRfYnk9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn1dLCJleGVjX3Byb2Nlc3NlcyI6W10sImlkIjoicHl0aG9uOjMuNi4xNC1zbGltLWJ1c3RlciIsImxheWVycyI6WyIyNTRjYzg1M2RhNjA4MTkwNWM5MTA5YzhiOWQ5OWM5ZmIwOTg3YmExZDg4ZjcyOTA4ODkwM2NmZmI4MGY1NWYxIiwiYTU2OGYxOTAwYmVkNjBhMDY0MWI3NmI5OTFhZDQzMTQ0NmQ5YzNhMzQ0ZDdiMjYxZjEwZGU4ZDhlNzM3NjNhYyIsImM3MGM1MzBlODQyZjY2MjE1YjBiZDk1NTg3NzE1N2JhMjRjMzc5OTMwMzU2N2MzZjU2NzNjNDU2NjNlYTRkMTUiLCIzZTg2YzNjY2YxNjQyYmY1ODRkZTMzYjQ5YzcyNDhmODdlZWNkMGY2ZDhjMDgzNTNkYWEzNmNjN2FkMGE3YjZhIiwiMWU0Njg0ZDhjN2NhYTc0YzY1MjQxNzJiNGQ1YTE1OWExMDg4NzYxM2VkNzBmMThkMGE1NWQwNWIyYWY2MWFjZCJdLCJtb3VudHMiOlt7ImRlc3RpbmF0aW9uIjoiL2V0Yy9yZXNvbHYuY29uZiIsIm9wdGlvbnMiOlsicmJpbmQiLCJyc2hhcmVkIiwicnciXSwic291cmNlIjoic2FuZGJveDovLy90bXAvYXRsYXMvcmVzb2x2Y29uZi8uKyIsInR5cGUiOiJiaW5kIn1dLCJzaWduYWxzIjpbXSwid29ya2luZ19kaXIiOiIvIn0seyJhbGxvd19lbGV2YXRlZCI6ZmFsc2UsImFsbG93X3N0ZGlvX2FjY2VzcyI6ZmFsc2UsImNvbW1hbmQiOlsiL3BhdXNlIl0sImVudl9ydWxlcyI6W3sicGF0dGVybiI6IlBBVEg9L3Vzci9sb2NhbC9zYmluOi91c3IvbG9jYWwvYmluOi91c3Ivc2JpbjovdXNyL2Jpbjovc2JpbjovYmluIiwicmVxdWlyZWQiOnRydWUsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiVEVSTT14dGVybSIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifV0sImV4ZWNfcHJvY2Vzc2VzIjpbXSwibGF5ZXJzIjpbIjE2YjUxNDA1N2EwNmFkNjY1ZjkyYzAyODYzYWNhMDc0ZmQ1OTc2Yzc1NWQyNmJmZjE2MzY1Mjk5MTY5ZTg0MTUiXSwibW91bnRzIjpbXSwic2lnbmFscyI6W10sIndvcmtpbmdfZGlyIjoiLyJ9XQoKYWxsb3dfcHJvcGVydGllc19hY2Nlc3MgOj0gZmFsc2UKYWxsb3dfZHVtcF9zdGFja3MgOj0gZmFsc2UKYWxsb3dfcnVudGltZV9sb2dnaW5nIDo9IGZhbHNlCmFsbG93X2Vudmlyb25tZW50X3ZhcmlhYmxlX2Ryb3BwaW5nIDo9IHRydWUKYWxsb3dfdW5lbmNyeXB0ZWRfc2NyYXRjaCA6PSBmYWxzZQoKCgptb3VudF9kZXZpY2UgOj0gZGF0YS5mcmFtZXdvcmsubW91bnRfZGV2aWNlCnVubW91bnRfZGV2aWNlIDo9IGRhdGEuZnJhbWV3b3JrLnVubW91bnRfZGV2aWNlCm1vdW50X292ZXJsYXkgOj0gZGF0YS5mcmFtZXdvcmsubW91bnRfb3ZlcmxheQp1bm1vdW50X292ZXJsYXkgOj0gZGF0YS5mcmFtZXdvcmsudW5tb3VudF9vdmVybGF5CmNyZWF0ZV9jb250YWluZXIgOj0gZGF0YS5mcmFtZXdvcmsuY3JlYXRlX2NvbnRhaW5lcgpleGVjX2luX2NvbnRhaW5lciA6PSBkYXRhLmZyYW1ld29yay5leGVjX2luX2NvbnRhaW5lcgpleGVjX2V4dGVybmFsIDo9IGRhdGEuZnJhbWV3b3JrLmV4ZWNfZXh0ZXJuYWwKc2h1dGRvd25fY29udGFpbmVyIDo9IGRhdGEuZnJhbWV3b3JrLnNodXRkb3duX2NvbnRhaW5lcgpzaWduYWxfY29udGFpbmVyX3Byb2Nlc3MgOj0gZGF0YS5mcmFtZXdvcmsuc2lnbmFsX2NvbnRhaW5lcl9wcm9jZXNzCnBsYW45X21vdW50IDo9IGRhdGEuZnJhbWV3b3JrLnBsYW45X21vdW50CnBsYW45X3VubW91bnQgOj0gZGF0YS5mcmFtZXdvcmsucGxhbjlfdW5tb3VudApnZXRfcHJvcGVydGllcyA6PSBkYXRhLmZyYW1ld29yay5nZXRfcHJvcGVydGllcwpkdW1wX3N0YWNrcyA6PSBkYXRhLmZyYW1ld29yay5kdW1wX3N0YWNrcwpydW50aW1lX2xvZ2dpbmcgOj0gZGF0YS5mcmFtZXdvcmsucnVudGltZV9sb2dnaW5nCmxvYWRfZnJhZ21lbnQgOj0gZGF0YS5mcmFtZXdvcmsubG9hZF9mcmFnbWVudApzY3JhdGNoX21vdW50IDo9IGRhdGEuZnJhbWV3b3JrLnNjcmF0Y2hfbW91bnQKc2NyYXRjaF91bm1vdW50IDo9IGRhdGEuZnJhbWV3b3JrLnNjcmF0Y2hfdW5tb3VudAoKcmVhc29uIDo9IHsiZXJyb3JzIjogZGF0YS5mcmFtZXdvcmsuZXJyb3JzfQ==" + + # deep diff the output policies from the regular policy.json and the ARM template + aci_policy_str = self.aci_policy.get_serialized_output() + self.assertEqual(aci_policy_str, expected_policy) + + +# @unittest.skip("not in use") +@pytest.mark.run(order=2) +class PolicyGeneratingImageSidecar(unittest.TestCase): + @classmethod + def setUpClass(cls): + with load_policy_from_image_name( + "mcr.microsoft.com/aci/atlas-mount-azure-file-volume:master_20201210.2" + ) as aci_policy: + aci_policy.populate_policy_content_for_all_images(individual_image=True) + cls.aci_policy = aci_policy + + def test_sidecar_image_policy(self): + expected_policy = "cGFja2FnZSBtaWNyb3NvZnRjb250YWluZXJpbnN0YW5jZQoKc3ZuIDo9ICIxLjAuMCIKYXBpX3N2biA6PSAiMC4xMC4wIgpmcmFtZXdvcmtfc3ZuIDo9ICIwLjEuMCIKCmNvbnRhaW5lcnMgOj0gW3siYWxsb3dfZWxldmF0ZWQiOnRydWUsImFsbG93X3N0ZGlvX2FjY2VzcyI6dHJ1ZSwiY29tbWFuZCI6WyIvbW91bnRfYXp1cmVfZmlsZS5zaCJdLCJlbnZfcnVsZXMiOlt7InBhdHRlcm4iOiJQQVRIPS91c3IvbG9jYWwvc2JpbjovdXNyL2xvY2FsL2JpbjovdXNyL3NiaW46L3Vzci9iaW46L3NiaW46L2JpbiIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifV0sImV4ZWNfcHJvY2Vzc2VzIjpbXSwiaWQiOiJtY3IubWljcm9zb2Z0LmNvbS9hY2kvYXRsYXMtbW91bnQtYXp1cmUtZmlsZS12b2x1bWU6bWFzdGVyXzIwMjAxMjEwLjIiLCJsYXllcnMiOlsiNjA2ZmQ2YmFmNWViMWE3MWZkMjg2YWVhMjk2NzJhMDZiZmU1NWYwMDA3ZGVkOTJlZTczMTQyYTM3NTkwZWQxOSIsIjNhZDFhMmZmNGE0NGJjODYwYjNjZDAyN2NjODZjZTQ1YTM5OWM0Yzk5NWMzNmU5ODAwYzUzNjhjYjcyN2E3ZTEiLCJiMWNmYzMwZjM3ZjA4ZTYwNjY4ZGIzZjcxNjA2OTdiMTlkMmFkNDViMTJmMDc1MTg4NTI5OTM3MzYxNmE2ZTBhIiwiZWYzNjQ4NDZjOGYxZjQzZDE0ZDJlM2U3OTE5YTA2NGIwYzgyNTUzYzA4YjM1NDIyZjVkMWYwN2MzNDM1YjQ2MiIsIjU4MmZlMzliZDM1OTA5YmFmNmM0MDM2NzM0ZTIwZjc2NjM5MWJhODM3MjdmYjFkNjgzYmUwNDVmZTQ1M2I1YWYiLCJhYWM5ZmI0MDQyNThjMDY5YWU4NTM4MjM2NGY1ZDJiYTFkNDA1MThjNmIxZjU2YWRlNmJjMjJmMzAyOGVhZmYwIl0sIm1vdW50cyI6W10sInNpZ25hbHMiOltdLCJ3b3JraW5nX2RpciI6Ii8ifV0=" + aci_policy_str = self.aci_policy.get_serialized_output() + + self.assertEqual(aci_policy_str, expected_policy) + + +# @unittest.skip("not in use") +@pytest.mark.run(order=3) +class PolicyGeneratingImageInvalid(unittest.TestCase): + def test_invalid_image_policy(self): + + policy = load_policy_from_image_name( + "mcr.microsoft.com/aci/fake-image:master_20201210.2" + ) + with self.assertRaises(SystemExit) as exc_info: + policy.populate_policy_content_for_all_images(individual_image=True) + self.assertEqual(exc_info.exception.code, 1) + + +# @unittest.skip("not in use") +@pytest.mark.run(order=4) +class PolicyGeneratingImageCleanRoom(unittest.TestCase): + def test_clean_room_policy(self): + client = docker.from_env() + original_image = ( + "mcr.microsoft.com/aci/atlas-mount-azure-file-volume:master_20201210.2" + ) + try: + client.images.remove(original_image) + except: + # do nothing + pass + regular_image = load_policy_from_image_name(original_image) + regular_image.populate_policy_content_for_all_images(individual_image=True) + # create and tag same image to the new name to see if docker will error out that the image is not in a remote repo + new_repo = "mcr.microsoft.com" + new_image_name = "aci/atlas-mount-azure-file-volume" + new_tag = "fake-tag" + + image = client.images.get(original_image) + try: + client.images.remove(new_repo + "/" + new_image_name + ":" + new_tag) + except: + # do nothing + pass + image.tag(new_repo + "/" + new_image_name, tag=new_tag) + try: + client.images.remove(original_image) + except: + # do nothing + pass + client.close() + + policy = load_policy_from_image_name( + new_repo + "/" + new_image_name + ":" + new_tag + ) + policy.populate_policy_content_for_all_images(individual_image=True) + + regular_image_json = json.loads( + regular_image.get_serialized_output(output_type=OutputType.RAW, use_json=True) + ) + + clean_room_json = json.loads( + policy.get_serialized_output(output_type=OutputType.RAW, use_json=True) + ) + + regular_image_json[config.POLICY_FIELD_CONTAINERS][ + config.POLICY_FIELD_CONTAINERS_ELEMENTS + ]["0"].pop(config.POLICY_FIELD_CONTAINERS_ID) + clean_room_json[config.POLICY_FIELD_CONTAINERS][ + config.POLICY_FIELD_CONTAINERS_ELEMENTS + ]["0"].pop(config.POLICY_FIELD_CONTAINERS_ID) + + # see if the remote image and the local one produce the same output + self.assertEqual( + deepdiff.DeepDiff(regular_image_json, clean_room_json, ignore_order=True), + {}, + ) diff --git a/src/confcom/azext_confcom/tests/latest/test_confcom_scenario.py b/src/confcom/azext_confcom/tests/latest/test_confcom_scenario.py new file mode 100644 index 00000000000..28b2462922c --- /dev/null +++ b/src/confcom/azext_confcom/tests/latest/test_confcom_scenario.py @@ -0,0 +1,874 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- + +import os +import unittest +import pytest +import json + +from azext_confcom.security_policy import ( + UserContainerImage, + OutputType, + load_policy_from_str, +) + +import azext_confcom.config as config +from azext_confcom.template_util import case_insensitive_dict_get + +TEST_DIR = os.path.abspath(os.path.join(os.path.abspath(__file__), "..")) + + +# @unittest.skip("not in use") +@pytest.mark.run(order=1) +class MountEnforcement(unittest.TestCase): + custom_json = """ + { + "version": "1.0", + "containers": [ + { + "containerImage": "rust:1.52.1", + "environmentVariables": [ + { + "name": "PATH", + "value": "/customized/path/value", + "strategy": "string" + }, + { + "name": "TEST_REGEXP_ENV", + "value": "test_regexp_env_[[:alpha:]]*", + "strategy": "re2" + } + ], + "command": ["rustc", "--help"], + "mounts": [ + { + "mountType": "azureFile", + "mountPath": "/custom/azurefile/mount", + "readonly": true + } + ] + }, + { + "containerImage": "python:3.6.14-slim-buster", + "environmentVariables": [], + "command": ["echo", "hello"], + "workingDir": "/customized/absolute/path", + "wait_mount_points": [ + "/path/to/container/mount-1", + "/path/to/container/mount-2" + ] + } + ] + } + """ + aci_policy = None + + @classmethod + def setUpClass(cls): + with load_policy_from_str(cls.custom_json) as aci_policy: + aci_policy.populate_policy_content_for_all_images() + cls.aci_policy = aci_policy + + def test_user_container_customized_mounts(self): + image = next( + ( + img + for img in self.aci_policy.get_images() + if isinstance(img, UserContainerImage) and img.base == "rust" + ), + None, + ) + + self.assertIsNotNone(image) + data = image.get_policy_json() + + self.assertEqual( + len( + case_insensitive_dict_get( + data, config.POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS + ) + ), + 2, + ) + mount = case_insensitive_dict_get( + data, config.POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS + )[0] + self.assertIsNotNone(mount) + self.assertEqual( + case_insensitive_dict_get(mount, "source"), + "sandbox:///tmp/atlas/azureFileVolume/.+", + ) + self.assertEqual( + case_insensitive_dict_get( + mount, config.POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS_DESTINATION + ), + "/custom/azurefile/mount", + ) + self.assertEqual( + mount[config.POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS_OPTIONS][2], "ro" + ) + + def test_user_container_mount_injected_dns(self): + image = next( + ( + img + for img in self.aci_policy.get_images() + if isinstance(img, UserContainerImage) and img.base == "python" + ), + None, + ) + + self.assertIsNotNone(image) + data = image.get_policy_json() + self.assertEqual( + len( + case_insensitive_dict_get( + data, config.POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS + ) + ), + 1, + ) + mount = case_insensitive_dict_get( + data, config.POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS + )[0] + self.assertIsNotNone(mount) + self.assertEqual( + case_insensitive_dict_get( + mount, config.POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS_SOURCE + ), + "sandbox:///tmp/atlas/resolvconf/.+", + ) + self.assertEqual( + case_insensitive_dict_get( + mount, config.POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS_DESTINATION + ), + "/etc/resolv.conf", + ) + self.assertEqual( + mount[config.POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS_OPTIONS][2], "rw" + ) + + +# @unittest.skip("not in use") +@pytest.mark.run(order=2) +class PolicyGenerating2(unittest.TestCase): + custom_json = """ + { + "version": "1.0", + "containers": [ + { + "containerImage": "mcr.microsoft.com/aci/msi-atlas-adapter:master_20201203.1", + "environmentVariables": [ + { + "name": "IDENTITY_API_VERSION", + "value": ".+", + "strategy": "re2" + }, + { + "name": "IDENTITY_HEADER", + "value": ".+", + "strategy": "re2" + }, + { + "name": "IDENTITY_SERVER_THUMBPRINT", + "value": ".+", + "strategy": "re2" + }, + { + "name": "ACI_MI_CLIENT_ID_.+", + "value": ".+", + "strategy": "re2" + }, + { + "name": "ACI_MI_RES_ID_.+", + "value": ".+", + "strategy": "re2" + }, + { + "name": "HOSTNAME", + "value": ".+", + "strategy": "re2" + }, + { + "name": "TERM", + "value": "xterm", + "strategy": "string" + }, + { + "name": "PATH", + "value": "/usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin", + "strategy": "string" + }, + { + "name": "((?i)FABRIC)_.+", + "value": ".+", + "strategy": "re2" + }, + { + "name": "Fabric_Id+", + "value": ".+", + "strategy": "re2" + }, + { + "name": "Fabric_ServiceName", + "value": ".+", + "strategy": "re2" + }, + { + "name": "Fabric_ApplicationName", + "value": ".+", + "strategy": "re2" + }, + { + "name": "Fabric_CodePackageName", + "value": ".+", + "strategy": "re2" + }, + { + "name": "Fabric_ServiceDnsName", + "value": ".+", + "strategy": "re2" + }, + { + "name": "ACI_MI_DEFAULT", + "value": ".+", + "strategy": "re2" + }, + { + "name": "TokenProxyIpAddressEnvKeyName", + "value": "[ContainerToHostAddress|Fabric_NodelPOrFQDN]", + "strategy": "re2" + }, + { + "name": "ContainerToHostAddress", + "value": "", + "strategy": "string" + }, + { + "name": "Fabric_NetworkingMode", + "value": ".+", + "strategy": "re2" + }, + { + "name": "azurecontainerinstance_restarted_by", + "value": ".+", + "strategy": "re2" + } + ], + "command": ["/bin/sh","-c","until ./msiAtlasAdapter; do echo $? restarting; done"], + "mounts": null + } + ] + } + """ + aci_policy = None + + @classmethod + def setUpClass(cls): + with load_policy_from_str(cls.custom_json) as aci_policy: + aci_policy.populate_policy_content_for_all_images() + cls.aci_policy = aci_policy + + def test_injected_sidecar_container_msi(self): + expected_sidecar_container_ser = "eyJjb250YWluZXJzIjp7ImVsZW1lbnRzIjp7IjAiOnsiYWxsb3dfZWxldmF0ZWQiOnRydWUsImFsbG93X3N0ZGlvX2FjY2VzcyI6dHJ1ZSwiY29tbWFuZCI6eyJlbGVtZW50cyI6eyIwIjoiL2Jpbi9zaCIsIjEiOiItYyIsIjIiOiJ1bnRpbCAuL21zaUF0bGFzQWRhcHRlcjsgZG8gZWNobyAkPyByZXN0YXJ0aW5nOyBkb25lIn0sImxlbmd0aCI6M30sImVudl9ydWxlcyI6eyJlbGVtZW50cyI6eyIwIjp7InBhdHRlcm4iOiJJREVOVElUWV9BUElfVkVSU0lPTj0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSwiMSI6eyJwYXR0ZXJuIjoiSURFTlRJVFlfSEVBREVSPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LCIxMCI6eyJwYXR0ZXJuIjoiRmFicmljX1NlcnZpY2VOYW1lPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LCIxMSI6eyJwYXR0ZXJuIjoiRmFicmljX0FwcGxpY2F0aW9uTmFtZT0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSwiMTIiOnsicGF0dGVybiI6IkZhYnJpY19Db2RlUGFja2FnZU5hbWU9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0sIjEzIjp7InBhdHRlcm4iOiJGYWJyaWNfU2VydmljZURuc05hbWU9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0sIjE0Ijp7InBhdHRlcm4iOiJBQ0lfTUlfREVGQVVMVD0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSwiMTUiOnsicGF0dGVybiI6IlRva2VuUHJveHlJcEFkZHJlc3NFbnZLZXlOYW1lPVtDb250YWluZXJUb0hvc3RBZGRyZXNzfEZhYnJpY19Ob2RlbFBPckZRRE5dIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LCIxNiI6eyJwYXR0ZXJuIjoiQ29udGFpbmVyVG9Ib3N0QWRkcmVzcz0iLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0sIjE3Ijp7InBhdHRlcm4iOiJGYWJyaWNfTmV0d29ya2luZ01vZGU9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0sIjE4Ijp7InBhdHRlcm4iOiJhenVyZWNvbnRhaW5lcmluc3RhbmNlX3Jlc3RhcnRlZF9ieT0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSwiMiI6eyJwYXR0ZXJuIjoiSURFTlRJVFlfU0VSVkVSX1RIVU1CUFJJTlQ9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0sIjMiOnsicGF0dGVybiI6IkFDSV9NSV9DTElFTlRfSURfLis9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0sIjQiOnsicGF0dGVybiI6IkFDSV9NSV9SRVNfSURfLis9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0sIjUiOnsicGF0dGVybiI6IkhPU1ROQU1FPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LCI2Ijp7InBhdHRlcm4iOiJURVJNPXh0ZXJtIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9LCI3Ijp7InBhdHRlcm4iOiJQQVRIPS91c3IvbG9jYWwvc2JpbjovdXNyL2xvY2FsL2JpbjovdXNyL3NiaW46L3Vzci9iaW46L3NiaW46L2JpbiIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifSwiOCI6eyJwYXR0ZXJuIjoiKCg/aSlGQUJSSUMpXy4rPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LCI5Ijp7InBhdHRlcm4iOiJGYWJyaWNfSWQrPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9fSwibGVuZ3RoIjoxOX0sImV4ZWNfcHJvY2Vzc2VzIjp7ImVsZW1lbnRzIjp7fSwibGVuZ3RoIjowfSwiaWQiOiJtY3IubWljcm9zb2Z0LmNvbS9hY2kvbXNpLWF0bGFzLWFkYXB0ZXI6bWFzdGVyXzIwMjAxMjAzLjEiLCJsYXllcnMiOnsiZWxlbWVudHMiOnsiMCI6IjYwNmZkNmJhZjVlYjFhNzFmZDI4NmFlYTI5NjcyYTA2YmZlNTVmMDAwN2RlZDkyZWU3MzE0MmEzNzU5MGVkMTkiLCIxIjoiOTBhZDJmNWIyYzQyNWE3YzQ1OGY5ZjVkMjFjZjA2NGMyMTVmMTRlNDA2ODAwOTY4ZjY0NGQyYWIwYjRkMDRkZiIsIjIiOiIxYzRiNjM2NWE3YjkzODM4N2RmZDgyMjg2MmNhNDFhZTU0OTBiNTQ5MGU0YzI2ZWI0YjVkYTk2YzY0MDk2MGNmIn0sImxlbmd0aCI6M30sIm1vdW50cyI6eyJlbGVtZW50cyI6e30sImxlbmd0aCI6MH0sInNpZ25hbHMiOnsiZWxlbWVudHMiOnt9LCJsZW5ndGgiOjB9LCJ3b3JraW5nX2RpciI6Ii9yb290LyJ9fSwibGVuZ3RoIjoxfX0=" + image = self.aci_policy.get_images()[0] + self.assertEqual(image.base, "mcr.microsoft.com/aci/msi-atlas-adapter") + self.assertIsNotNone(image) + + self.maxDiff = None + expected_workingdir = "/root/" + self.assertEqual(image._workingDir, expected_workingdir) + self.assertEqual( + self.aci_policy.get_serialized_output(use_json=True), + expected_sidecar_container_ser, + ) + + +# @unittest.skip("not in use") +@pytest.mark.run(order=12) +class PolicyGeneratingDebugMode(unittest.TestCase): + custom_json = """ + { + "version": "1.0", + "containers": [ + { + "containerImage": "python:3.6.14-slim-buster", + "environmentVariables": [ + + ], + "command": ["python3"], + "mounts": null + } + ] + } + """ + aci_policy = None + + @classmethod + def setUpClass(cls): + with load_policy_from_str(cls.custom_json, debug_mode=True) as aci_policy: + aci_policy.populate_policy_content_for_all_images() + cls.aci_policy = aci_policy + + def test_logging_enabled(self): + + policy = self.aci_policy.get_serialized_output( + output_type=OutputType.RAW, rego_boilerplate=True + ) + self.assertIsNotNone(policy) + + expected_logging_string = "allow_runtime_logging := true" + expected_properties_access = "allow_properties_access := true" + expected_dump_stacks = "allow_dump_stacks := true" + + # make sure all these are included in the policy + self.assertTrue(expected_logging_string in policy) + self.assertTrue(expected_properties_access in policy) + self.assertTrue(expected_dump_stacks in policy) + + +# @unittest.skip("not in use") +@pytest.mark.run(order=11) +class SidecarValidation(unittest.TestCase): + custom_json = """ + { + "version": "1.0", + "containers": [ + { + "containerImage": "mcr.microsoft.com/aci/msi-atlas-adapter:master_20201210.1", + "environmentVariables": [ + { + "name": "PATH", + "value": ".+", + "strategy": "re2" + } + ], + "command": [ + "/bin/sh", + "-c", + "until ./msiAtlasAdapter; do echo $? restarting; done" + ], + "workingDir": "/root/", + "mounts": null + } + ] +} + """ + custom_json2 = """ + { + "version": "1.0", + "containers": [ + { + "containerImage": "mcr.microsoft.com/aci/msi-atlas-adapter:master_20201210.1", + "environmentVariables": [ + {"name": "PATH", + "value":"/", + "strategy":"string"} + ], + "command": [ + "/bin/sh", + "-c", + "until ./msiAtlasAdapter; do echo $? restarting; done" + ], + "workingDir": "/root/", + "mounts": null + } + ] +} + """ + + aci_policy = None + existing_policy = None + + @classmethod + def setUpClass(cls): + with load_policy_from_str(cls.custom_json) as aci_policy: + aci_policy.populate_policy_content_for_all_images() + cls.aci_policy = aci_policy + with load_policy_from_str(cls.custom_json2) as aci_policy2: + aci_policy2.populate_policy_content_for_all_images() + cls.aci_policy2 = aci_policy2 + + def test_sidecar(self): + is_valid, diff = self.aci_policy.validate_sidecars() + self.assertTrue(is_valid) + self.assertTrue(not diff) + + def test_sidecar_stdio_access_default(self): + self.assertTrue( + json.loads( + self.aci_policy.get_serialized_output( + use_json=True, output_type=OutputType.RAW + ) + )[config.POLICY_FIELD_CONTAINERS][config.POLICY_FIELD_CONTAINERS_ELEMENTS][ + "0" + ][ + config.POLICY_FIELD_CONTAINERS_ALLOW_STDIO_ACCESS + ] + ) + + def test_incorrect_sidecar(self): + + is_valid, diff = self.aci_policy2.validate_sidecars() + + self.assertFalse(is_valid) + expected_diff = { + "mcr.microsoft.com/aci/msi-atlas-adapter:master_20201210.1": { + "env_rules": [ + "environment variable with rule " + + "'PATH=/usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin'" + + " does not match strings or regex in policy rules" + ] + } + } + + self.assertEqual(diff, expected_diff) + + +# @unittest.skip("not in use") +@pytest.mark.run(order=4) +class CustomJsonParsing(unittest.TestCase): + def test_customized_workingdir(self): + custom_json = """ + { + "version": "1.0", + "containers": [ + { + "containerImage": "python:3.6.14-slim-buster", + "environmentVariables": [], + "command": ["echo", "hello"], + "workingDir": "/customized/absolute/path" + } + ] + } + """ + with load_policy_from_str(custom_json) as aci_policy: + # pull actual image to local for next step + image = next( + ( + img + for img in aci_policy.get_images() + if isinstance(img, UserContainerImage) + ), + None, + ) + + expected_working_dir = "/customized/absolute/path" + self.assertEqual(image._workingDir, expected_working_dir) + + def test_allow_elevated(self): + custom_json = """ + { + "version": "1.0", + "containers": [ + { + "containerImage": "python:3.6.14-slim-buster", + "environmentVariables": [], + "command": ["echo", "hello"], + "workingDir": "/customized/absolute/path", + "allow_elevated": true + } + ] + } + """ + with load_policy_from_str(custom_json) as aci_policy: + # pull actual image to local for next step + image = next( + ( + img + for img in aci_policy.get_images() + if isinstance(img, UserContainerImage) + ), + None, + ) + + expected_allow_elevated = True + self.assertEqual(image._allow_elevated, expected_allow_elevated) + + def test_image_layers_python(self): + custom_json = """ + { + "version": "1.0", + "containers": [ + { + "containerImage": "python:3.6.14-slim-buster", + "environmentVariables": [], + "command": ["echo", "hello"] + } + ] + } + """ + with load_policy_from_str(custom_json) as aci_policy: + # pull actual image to local for next step + aci_policy.pull_image(aci_policy.get_images()[0]) + aci_policy.populate_policy_content_for_all_images() + layers = aci_policy.get_images()[0]._layers + expected_layers = [ + "254cc853da6081905c9109c8b9d99c9fb0987ba1d88f729088903cffb80f55f1", + "a568f1900bed60a0641b76b991ad431446d9c3a344d7b261f10de8d8e73763ac", + "c70c530e842f66215b0bd955877157ba24c3799303567c3f5673c45663ea4d15", + "3e86c3ccf1642bf584de33b49c7248f87eecd0f6d8c08353daa36cc7ad0a7b6a", + "1e4684d8c7caa74c6524172b4d5a159a10887613ed70f18d0a55d05b2af61acd", + ] + self.assertEqual(len(layers), len(expected_layers)) + for i in range(len(expected_layers)): + self.assertEqual(layers[i], expected_layers[i]) + + def test_image_layers_rust(self): + custom_json = """ + { + "version": "1.0", + "containers": [ + { + "containerImage": "rust:1.52.1", + "environmentVariables": [], + "command": ["echo", "hello"] + } + ] + } + """ + with load_policy_from_str(custom_json) as aci_policy: + # pull actual image to local for next step + aci_policy.pull_image(aci_policy.get_images()[0]) + aci_policy.populate_policy_content_for_all_images() + layers = aci_policy.get_images()[0]._layers + + expected_layers = [ + "fe84c9d5bfddd07a2624d00333cf13c1a9c941f3a261f13ead44fc6a93bc0e7a", + "4dedae42847c704da891a28c25d32201a1ae440bce2aecccfa8e6f03b97a6a6c", + "41d64cdeb347bf236b4c13b7403b633ff11f1cf94dbc7cf881a44d6da88c5156", + "eb36921e1f82af46dfe248ef8f1b3afb6a5230a64181d960d10237a08cd73c79", + "e769d7487cc314d3ee748a4440805317c19262c7acd2fdbdb0d47d2e4613a15c", + "1b80f120dbd88e4355d6241b519c3e25290215c469516b49dece9cf07175a766", + ] + self.assertEqual(len(layers), len(expected_layers)) + for i in range(len(expected_layers)): + self.assertEqual(layers[i], expected_layers[i]) + + def test_docker_pull(self): + custom_json = """ + { + "version": "1.0", + "containers": [ + { + "containerImage": "rust:1.52.1", + "environmentVariables": [], + "command": ["echo", "hello"] + } + ] + } + """ + with load_policy_from_str(custom_json) as aci_policy: + image = aci_policy.pull_image(aci_policy.get_images()[0]) + self.assertIsNotNone(image) + self.assertEqual( + image.id, + "sha256:83ac22b6cf50c51a1d11b3220316be73271e59d30a65f33f4391dc4cfabdc856", + ) + + def test_environment_variables_parsing(self): + custom_json = """ + { + "version": "1.0", + "containers": [ + { + "containerImage": "mcr.microsoft.com/azuredocs/aci-dataprocessing-cc:v1", + "environmentVariables": [ + { + "name": "env-name1", + "value": "env-val1", + "strategy": "string" + }, + { + "name": "env-name2", + "value": "env-val2", + "strategy": "string" + } + ], + "command": ["python", "app.py"] + } + ] + } + """ + containers = load_policy_from_str(custom_json).get_images() + self.assertEqual(len(containers), 1) + envs = containers[0]._environmentRules + self.assertIsNotNone(envs) + + self.assertEqual( + len( + [ + x + for x in envs + if case_insensitive_dict_get( + x, config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_RULE + ) + == "env-name1=env-val1" + ] + ), + 1, + ) + + self.assertEqual( + len( + [ + x + for x in envs + if case_insensitive_dict_get( + x, config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_RULE + ) + == "env-name2=env-val2" + ] + ), + 1, + ) + + def test_stdio_access_default(self): + custom_json = """ + { + "version": "1.0", + "containers": [ + { + "containerImage": "python:3.6.14-slim-buster", + "environmentVariables": [], + "command": ["echo", "hello"] + } + ] + } + """ + with load_policy_from_str(custom_json) as aci_policy: + aci_policy.populate_policy_content_for_all_images() + self.assertTrue( + json.loads( + aci_policy.get_serialized_output(use_json=True, output_type=OutputType.RAW) + )[config.POLICY_FIELD_CONTAINERS][ + config.POLICY_FIELD_CONTAINERS_ELEMENTS + ][ + "0" + ][ + config.POLICY_FIELD_CONTAINERS_ALLOW_STDIO_ACCESS + ] + ) + + def test_stdio_access_updated(self): + custom_json = """ + { + "version": "1.0", + "containers": [ + { + "containerImage": "python:3.6.14-slim-buster", + "environmentVariables": [], + "command": ["echo", "hello"], + "allowStdioAccess": false + } + ] + } + """ + with load_policy_from_str(custom_json) as aci_policy: + aci_policy.populate_policy_content_for_all_images() + + self.assertFalse( + json.loads( + aci_policy.get_serialized_output(use_json=True, output_type=OutputType.RAW) + )[config.POLICY_FIELD_CONTAINERS][ + config.POLICY_FIELD_CONTAINERS_ELEMENTS + ][ + "0" + ][ + config.POLICY_FIELD_CONTAINERS_ALLOW_STDIO_ACCESS + ] + ) + + +# @unittest.skip("not in use") +@pytest.mark.run(order=5) +class CustomJsonParsingIncorrect(unittest.TestCase): + def test_get_layers_from_not_exists_image(self): + # if an image does not exists in local container repo/daemon, an + # Exception will be raised + custom_json = """ + { + "version": "1.0", + "containers": [ + { + "containerImage": "notexists:1.0.0", + "environmentVariables": [], + "command": ["echo", "hello"] + } + ] + } + """ + with load_policy_from_str(custom_json) as aci_policy: + with self.assertRaises(SystemExit) as exc_info: + aci_policy.populate_policy_content_for_all_images() + self.assertEqual(exc_info.exception.code, 1) + + def test_incorrect_allow_elevated_data_type(self): + custom_json = """ + { + "version": "1.0", + "containers": [ + { + "containerImage": "rust:1.52.1", + "environmentVariables": [], + "command": "echo hello", + "workingDir": "relative/string/path", + "allow_elevated": "true" + } + ] + } + """ + # allow_elevated can only be a boolean + with self.assertRaises(SystemExit) as exc_info: + load_policy_from_str(custom_json) + self.assertEqual(exc_info.exception.code, 1) + + def test_incorrect_workingdir_path(self): + custom_json = """ + { + "version": "1.0", + "containers": [ + { + "containerImage": "rust:1.52.1", + "environmentVariables": [], + "command": "echo hello", + "workingDir": "relative/string/path" + } + ] + } + """ + # workingDir can only be absolute path string + with self.assertRaises(SystemExit) as exc_info: + load_policy_from_str(custom_json) + self.assertEqual(exc_info.exception.code, 1) + + def test_incorrect_workingdir_data_type(self): + custom_json = """ + { + "version": "1.0", + "containers": [ + { + "containerImage": "rust:1.52.1", + "environmentVariables": [], + "command": "echo hello", + "workingDir": ["hello"] + } + ] + } + """ + # workingDir can only be single string + with self.assertRaises(SystemExit) as exc_info: + load_policy_from_str(custom_json) + self.assertEqual(exc_info.exception.code, 1) + + def test_incorrect_command_data_type(self): + custom_json = """ + { + "version": "1.0", + "containers": [ + { + "containerImage": "rust:1.52.1", + "environmentVariables": [], + "command": "echo hello" + } + ] + } + """ + # command can only be list of strings + with self.assertRaises(SystemExit) as exc_info: + load_policy_from_str(custom_json) + self.assertEqual(exc_info.exception.code, 1) + + def test_json_missing_containers(self): + custom_json = """ + { + "version": "1.0" + } + """ + with self.assertRaises(SystemExit) as exc_info: + load_policy_from_str(custom_json) + self.assertEqual(exc_info.exception.code, 1) + + def test_json_missing_version(self): + custom_json = """ + { + "containers": [ + { + "containerImage": "mcr.microsoft.com/azuredocs/aci-dataprocessing-cc:v1", + "environmentVariables": [ + { + "name": "port", + "value": "80", + "strategy": "string" + } + ], + "command": ["python", "app.py"] + } + ] + } + """ + with self.assertRaises(SystemExit) as exc_info: + load_policy_from_str(custom_json) + self.assertEqual(exc_info.exception.code, 1) + + def test_json_missing_containerImage(self): + custom_json = """ + { + "version": "1.0", + "containers": [ + { + "environmentVariables": [ + { + "name": "port", + "value": "80", + "strategy": "string" + } + ], + "command": ["python", "app.py"] + } + ] + } + """ + with self.assertRaises(SystemExit) as exc_info: + load_policy_from_str(custom_json) + self.assertEqual(exc_info.exception.code, 1) + + def test_json_missing_environmentVariables(self): + custom_json = """ + { + "version": "1.0", + "containers": [ + { + "containerImage": "mcr.microsoft.com/azuredocs/aci-dataprocessing-cc:v1", + "command": ["python", "app.py"] + } + ] + } + """ + with self.assertRaises(SystemExit) as exc_info: + load_policy_from_str(custom_json) + self.assertEqual(exc_info.exception.code, 1) + + def test_json_missing_command(self): + custom_json = """ + { + "version": "1.0", + "containers": [ + { + "containerImage": "mcr.microsoft.com/azuredocs/aci-dataprocessing-cc:v1", + "environmentVariables": [ + { + "name": "port", + "value": "80", + "strategy": "string" + } + ] + } + ] + } + """ + with self.assertRaises(SystemExit) as exc_info: + load_policy_from_str(custom_json) + self.assertEqual(exc_info.exception.code, 1) diff --git a/src/confcom/azext_confcom/tests/latest/test_confcom_startup.py b/src/confcom/azext_confcom/tests/latest/test_confcom_startup.py new file mode 100644 index 00000000000..2b131b5a74d --- /dev/null +++ b/src/confcom/azext_confcom/tests/latest/test_confcom_startup.py @@ -0,0 +1,69 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- + +import os +import unittest +import pytest + +from azext_confcom.custom import acipolicygen_confcom + +import pytest + +TEST_DIR = os.path.abspath(os.path.join(os.path.abspath(__file__), "..")) + + +# @unittest.skip("not in use") +@pytest.mark.run(order=1) +class InitialErrors(unittest.TestCase): + def test_invalid_output_flags(self): + with self.assertRaises(SystemExit) as wrapped_exit: + acipolicygen_confcom( + "fakepath/input.json", + None, + None, + None, + None, + None, + outraw=True, + outraw_pretty_print=True, + ) + self.assertEqual(wrapped_exit.exception.code, 1) + + with self.assertRaises(SystemExit) as wrapped_exit: + acipolicygen_confcom( + "fakepath/input.json", None, None, None, None, None, outraw=True, print_policy_to_terminal=True + ) + self.assertEqual(wrapped_exit.exception.code, 1) + + with self.assertRaises(SystemExit) as wrapped_exit: + acipolicygen_confcom( + "fakepath/input.json", None, None, None, None, None, print_policy_to_terminal=True, outraw_pretty_print=True + ) + self.assertEqual(wrapped_exit.exception.code, 1) + + def test_invalid_many_input_types(self): + with self.assertRaises(SystemExit) as wrapped_exit: + acipolicygen_confcom( + "fakepath/input.json", "fakepath2/template.json", None, None, None, None + ) + self.assertEqual(wrapped_exit.exception.code, 1) + + def test_diff_wrong_input_type(self): + with self.assertRaises(SystemExit) as wrapped_exit: + acipolicygen_confcom( + "fakepath/input.json", None, None, None, None, None, diff=True + ) + self.assertEqual(wrapped_exit.exception.code, 1) + + with self.assertRaises(SystemExit) as wrapped_exit: + acipolicygen_confcom(None, None, None, "alpine", None, None, diff=True) + self.assertEqual(wrapped_exit.exception.code, 1) + + def test_parameters_without_template(self): + with self.assertRaises(SystemExit) as wrapped_exit: + acipolicygen_confcom( + None, None, "fakepath/parameters.json", None, None, None + ) + self.assertEqual(wrapped_exit.exception.code, 1) diff --git a/src/confcom/azext_confcom/tests/latest/test_confcom_tar.py b/src/confcom/azext_confcom/tests/latest/test_confcom_tar.py new file mode 100644 index 00000000000..6aa7524a586 --- /dev/null +++ b/src/confcom/azext_confcom/tests/latest/test_confcom_tar.py @@ -0,0 +1,502 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- + +import os +import unittest +import pytest +import deepdiff +import json +import docker + +from azext_confcom.security_policy import ( + OutputType, + load_policy_from_arm_template_str, +) +from azext_confcom.errors import ( + AccContainerError, +) +import azext_confcom.config as config + + +# @unittest.skip("not in use") +@pytest.mark.run(order=11) +class PolicyGeneratingArmParametersCleanRoomTarFile(unittest.TestCase): + @classmethod + def setUpClass(cls) -> None: + # this is simulating the output of the "load_tar_mapping_from_file" output + path = os.path.dirname(__file__) + image_path = os.path.join(path, "./nginx.tar") + + tar_mapping_file = {"nginx:1.22": image_path} + + cls.path = path + cls.tar_mapping_file = tar_mapping_file + cls.image_path = image_path + + def test_arm_template_with_parameter_file_clean_room_tar(self): + custom_arm_json_default_value = """ + { + "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", + "contentVersion": "1.0.0.0", + + + "parameters": { + "containergroupname": { + "type": "string", + "metadata": { + "description": "Name for the container group" + }, + "defaultValue":"simple-container-group" + }, + "image": { + "type": "string", + "metadata": { + "description": "Name for the container group" + }, + "defaultValue":"nginx:1.22" + }, + "containername": { + "type": "string", + "metadata": { + "description": "Name for the container" + }, + "defaultValue":"simple-container" + }, + + "port": { + "type": "string", + "metadata": { + "description": "Port to open on the container and the public IP address." + }, + "defaultValue": "8080" + }, + "cpuCores": { + "type": "string", + "metadata": { + "description": "The number of CPU cores to allocate to the container." + }, + "defaultValue": "1.0" + }, + "memoryInGb": { + "type": "string", + "metadata": { + "description": "The amount of memory to allocate to the container in gigabytes." + }, + "defaultValue": "1.5" + }, + "location": { + "type": "string", + "defaultValue": "[resourceGroup().location]", + "metadata": { + "description": "Location for all resources." + } + } + }, + "resources": [ + { + "name": "[parameters('containergroupname')]", + "type": "Microsoft.ContainerInstance/containerGroups", + "apiVersion": "2022-04-01-preview", + "location": "[parameters('location')]", + + "properties": { + "containers": [ + { + "name": "[parameters('containername')]", + "properties": { + "image": "[parameters('image')]", + "environmentVariables": [ + { + "name": "PORT", + "value": "80" + } + ], + + "ports": [ + { + "port": "[parameters('port')]" + } + ], + "command": [ + "/bin/bash", + "-c", + "while sleep 5; do cat /mnt/input/access.log; done" + ], + "resources": { + "requests": { + "cpu": "[parameters('cpuCores')]", + "memoryInGb": "[parameters('memoryInGb')]" + } + } + } + } + ], + + "osType": "Linux", + "restartPolicy": "OnFailure", + "confidentialComputeProperties": { + "IsolationType": "SevSnp" + }, + "ipAddress": { + "type": "Public", + "ports": [ + { + "protocol": "Tcp", + "port": "[parameters( 'port' )]" + } + ] + } + } + } + ], + "outputs": { + "containerIPv4Address": { + "type": "string", + "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', parameters('containergroupname'))).ipAddress.ip]" + } + } + } + """ + + regular_image = load_policy_from_arm_template_str( + custom_arm_json_default_value, "" + )[0] + + regular_image.populate_policy_content_for_all_images() + + clean_room_image = load_policy_from_arm_template_str( + custom_arm_json_default_value, "" + )[0] + + # save the tar file for the image in the testing directory + client = docker.from_env() + image = client.images.get("nginx:1.22") + + # Note: Class setup and teardown shouldn't have side effects, and reading from the tar file fails when all the tests are running in parallel, so we want to save and delete this tar file as a part of the test. Not as a part of the testing class. + f = open(self.image_path, "wb") + for chunk in image.save(named=True): + f.write(chunk) + f.close() + client.close() + + try: + clean_room_image.populate_policy_content_for_all_images( + tar_mapping=self.tar_mapping_file + ) + except: + raise AccContainerError("Could not get image from tar file") + finally: + # delete the tar file + if os.path.isfile(self.image_path): + os.remove(self.image_path) + + regular_image_json = json.loads( + regular_image.get_serialized_output(output_type=OutputType.RAW, use_json=True) + ) + + clean_room_json = json.loads( + clean_room_image.get_serialized_output(output_type=OutputType.RAW, use_json=True) + ) + + regular_image_json[config.POLICY_FIELD_CONTAINERS][ + config.POLICY_FIELD_CONTAINERS_ELEMENTS + ]["0"].pop(config.POLICY_FIELD_CONTAINERS_ID) + clean_room_json[config.POLICY_FIELD_CONTAINERS][ + config.POLICY_FIELD_CONTAINERS_ELEMENTS + ]["0"].pop(config.POLICY_FIELD_CONTAINERS_ID) + + # see if the remote image and the local one produce the same output + self.assertEqual( + deepdiff.DeepDiff(regular_image_json, clean_room_json, ignore_order=True), + {}, + ) + + def test_arm_template_with_parameter_file_clean_room_tar_invalid(self): + custom_arm_json_default_value = """ + { + "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", + "contentVersion": "1.0.0.0", + + + "parameters": { + "containergroupname": { + "type": "string", + "metadata": { + "description": "Name for the container group" + }, + "defaultValue":"simple-container-group" + }, + "image": { + "type": "string", + "metadata": { + "description": "Name for the container group" + }, + "defaultValue":"rust:latest" + }, + "containername": { + "type": "string", + "metadata": { + "description": "Name for the container" + }, + "defaultValue":"simple-container" + }, + + "port": { + "type": "string", + "metadata": { + "description": "Port to open on the container and the public IP address." + }, + "defaultValue": "8080" + }, + "cpuCores": { + "type": "string", + "metadata": { + "description": "The number of CPU cores to allocate to the container." + }, + "defaultValue": "1.0" + }, + "memoryInGb": { + "type": "string", + "metadata": { + "description": "The amount of memory to allocate to the container in gigabytes." + }, + "defaultValue": "1.5" + }, + "location": { + "type": "string", + "defaultValue": "[resourceGroup().location]", + "metadata": { + "description": "Location for all resources." + } + } + }, + "resources": [ + { + "name": "[parameters('containergroupname')]", + "type": "Microsoft.ContainerInstance/containerGroups", + "apiVersion": "2022-04-01-preview", + "location": "[parameters('location')]", + + "properties": { + "containers": [ + { + "name": "[parameters('containername')]", + "properties": { + "image": "[parameters('image')]", + "environmentVariables": [ + { + "name": "PORT", + "value": "80" + } + ], + + "ports": [ + { + "port": "[parameters('port')]" + } + ], + "command": [ + "/bin/bash", + "-c", + "while sleep 5; do cat /mnt/input/access.log; done" + ], + "resources": { + "requests": { + "cpu": "[parameters('cpuCores')]", + "memoryInGb": "[parameters('memoryInGb')]" + } + } + } + } + ], + + "osType": "Linux", + "restartPolicy": "OnFailure", + "confidentialComputeProperties": { + "IsolationType": "SevSnp" + }, + "ipAddress": { + "type": "Public", + "ports": [ + { + "protocol": "Tcp", + "port": "[parameters( 'port' )]" + } + ] + } + } + } + ], + "outputs": { + "containerIPv4Address": { + "type": "string", + "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', parameters('containergroupname'))).ipAddress.ip]" + } + } + } + """ + + clean_room_image = load_policy_from_arm_template_str( + custom_arm_json_default_value, "" + )[0] + # save the tar file for the image in the testing directory + client = docker.from_env() + image = client.images.pull("nginx:1.23") + image = client.images.get("nginx:1.23") + + # Note: Class setup and teardown shouldn't have side effects, and reading from the tar file fails when all the tests are running in parallel, so we want to save and delete this tar file as a part of the test. Not as a part of the testing class. + f = open(self.image_path, "wb") + for chunk in image.save(named=True): + f.write(chunk) + f.close() + client.close() + + try: + clean_room_image.populate_policy_content_for_all_images( + tar_mapping=self.tar_mapping_file + ) + raise AccContainerError("getting image should fail") + except: + pass + finally: + # delete the tar file + if os.path.isfile(self.image_path): + os.remove(self.image_path) + + def test_clean_room_fake_tar_invalid(self): + custom_arm_json_default_value = """ + { + "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", + "contentVersion": "1.0.0.0", + + + "parameters": { + "containergroupname": { + "type": "string", + "metadata": { + "description": "Name for the container group" + }, + "defaultValue":"simple-container-group" + }, + "image": { + "type": "string", + "metadata": { + "description": "Name for the container group" + }, + "defaultValue":"rust:latest" + }, + "containername": { + "type": "string", + "metadata": { + "description": "Name for the container" + }, + "defaultValue":"simple-container" + }, + + "port": { + "type": "string", + "metadata": { + "description": "Port to open on the container and the public IP address." + }, + "defaultValue": "8080" + }, + "cpuCores": { + "type": "string", + "metadata": { + "description": "The number of CPU cores to allocate to the container." + }, + "defaultValue": "1.0" + }, + "memoryInGb": { + "type": "string", + "metadata": { + "description": "The amount of memory to allocate to the container in gigabytes." + }, + "defaultValue": "1.5" + }, + "location": { + "type": "string", + "defaultValue": "[resourceGroup().location]", + "metadata": { + "description": "Location for all resources." + } + } + }, + "resources": [ + { + "name": "[parameters('containergroupname')]", + "type": "Microsoft.ContainerInstance/containerGroups", + "apiVersion": "2022-04-01-preview", + "location": "[parameters('location')]", + + "properties": { + "containers": [ + { + "name": "[parameters('containername')]", + "properties": { + "image": "[parameters('image')]", + "environmentVariables": [ + { + "name": "PORT", + "value": "80" + } + ], + + "ports": [ + { + "port": "[parameters('port')]" + } + ], + "command": [ + "/bin/bash", + "-c", + "while sleep 5; do cat /mnt/input/access.log; done" + ], + "resources": { + "requests": { + "cpu": "[parameters('cpuCores')]", + "memoryInGb": "[parameters('memoryInGb')]" + } + } + } + } + ], + + "osType": "Linux", + "restartPolicy": "OnFailure", + "confidentialComputeProperties": { + "IsolationType": "SevSnp" + }, + "ipAddress": { + "type": "Public", + "ports": [ + { + "protocol": "Tcp", + "port": "[parameters( 'port' )]" + } + ] + } + } + } + ], + "outputs": { + "containerIPv4Address": { + "type": "string", + "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', parameters('containergroupname'))).ipAddress.ip]" + } + } + } + """ + + clean_room_image = load_policy_from_arm_template_str( + custom_arm_json_default_value, "" + )[0] + try: + clean_room_image.populate_policy_content_for_all_images( + tar_mapping=os.path.join(self.path, "fake-file.tar") + ) + raise AccContainerError("getting image should fail") + except FileNotFoundError: + pass diff --git a/src/confcom/azext_confcom/tests/latest/test_confcom_template_util.py b/src/confcom/azext_confcom/tests/latest/test_confcom_template_util.py new file mode 100644 index 00000000000..18a93b9eb80 --- /dev/null +++ b/src/confcom/azext_confcom/tests/latest/test_confcom_template_util.py @@ -0,0 +1,531 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- + +import os +import unittest +import pytest +from azext_confcom.custom import acipolicygen_confcom +import azext_confcom.config as config +from azext_confcom.template_util import ( + case_insensitive_dict_get, + extract_confidential_properties, +) +from azext_confcom.os_util import load_json_from_str +import pytest + +TEST_DIR = os.path.abspath(os.path.join(os.path.abspath(__file__), "..")) + + +# @unittest.skip("not in use") +@pytest.mark.run(order=1) +class TemplateUtil(unittest.TestCase): + def test_case_insensitive_dict_get(self): + test_dict = {"key1": "value1", "key2": "value2", "KEY3": "value3"} + self.assertEqual(case_insensitive_dict_get(test_dict, "key1"), "value1") + self.assertEqual(case_insensitive_dict_get(test_dict, "key3"), "value3") + self.assertEqual(case_insensitive_dict_get(test_dict, "KEY1"), "value1") + self.assertEqual(case_insensitive_dict_get(test_dict, "KEY3"), "value3") + self.assertEqual(case_insensitive_dict_get(test_dict, "key4"), None) + self.assertEqual(case_insensitive_dict_get(test_dict, "KEY4"), None) + + def test_extract_confidential_properties(self): + """decoded policy: + package policy + + import future.keywords.every + import future.keywords.in + + fragments := [{ + "feed": "mcr.microsoft.com/aci/aci-cc-infra-fragment", + "includes": [], + "issuer": "did:x509:0:sha256:I__iuL25oXEVFdTP_aBLx_eT1RPHbCQ_ECBQfYZpt9s::eku:1.3.6.1.4.1.311.76.59.1.3", + "minimum_svn": "1.0.0", + }] + + containers := [ + { + "allow_elevated": true, + "allow_stdio_access": true, + "command": ["bash"], + "env_rules": [ + { + "pattern": "PATH=/customized/path/value", + "required": false, + "strategy": "string", + }, + { + "pattern": "TEST_REGEXP_ENV=test_regexp_env", + "required": false, + "strategy": "string", + }, + { + "pattern": "RUSTUP_HOME=/usr/local/rustup", + "required": false, + "strategy": "string", + }, + { + "pattern": "CARGO_HOME=/usr/local/cargo", + "required": false, + "strategy": "string", + }, + { + "pattern": "RUST_VERSION=1.52.1", + "required": false, + "strategy": "string", + }, + { + "pattern": "TERM=xterm", + "required": false, + "strategy": "string", + }, + { + "pattern": "((?i)FABRIC)_.+=.+", + "required": false, + "strategy": "re2", + }, + { + "pattern": "HOSTNAME=.+", + "required": false, + "strategy": "re2", + }, + { + "pattern": "T(E)?MP=.+", + "required": false, + "strategy": "re2", + }, + { + "pattern": "FabricPackageFileName=.+", + "required": false, + "strategy": "re2", + }, + { + "pattern": "HostedServiceName=.+", + "required": false, + "strategy": "re2", + }, + { + "pattern": "IDENTITY_API_VERSION=.+", + "required": false, + "strategy": "re2", + }, + { + "pattern": "IDENTITY_HEADER=.+", + "required": false, + "strategy": "re2", + }, + { + "pattern": "IDENTITY_SERVER_THUMBPRINT=.+", + "required": false, + "strategy": "re2", + }, + { + "pattern": "azurecontainerinstance_restarted_by=.+", + "required": false, + "strategy": "re2", + }, + ], + "exec_processes": [], + "id": "rust:1.52.1", + "layers": [ + "fe84c9d5bfddd07a2624d00333cf13c1a9c941f3a261f13ead44fc6a93bc0e7a", + "4dedae42847c704da891a28c25d32201a1ae440bce2aecccfa8e6f03b97a6a6c", + "41d64cdeb347bf236b4c13b7403b633ff11f1cf94dbc7cf881a44d6da88c5156", + "eb36921e1f82af46dfe248ef8f1b3afb6a5230a64181d960d10237a08cd73c79", + "e769d7487cc314d3ee748a4440805317c19262c7acd2fdbdb0d47d2e4613a15c", + "1b80f120dbd88e4355d6241b519c3e25290215c469516b49dece9cf07175a766", + ], + "mounts": [ + { + "destination": "/sys", + "options": [ + "nosuid", + "noexec", + "nodev", + "rw", + ], + "source": "sysfs", + "type": "sysfs", + }, + { + "destination": "/sys/fs/cgroup", + "options": [ + "nosuid", + "noexec", + "nodev", + "relatime", + "rw", + ], + "source": "cgroup", + "type": "cgroup", + }, + { + "destination": "/mount/azurefile", + "options": [ + "rbind", + "rshared", + "rw", + ], + "source": "sandbox:///tmp/atlas/azureFileVolume/.+", + "type": "azureFile", + }, + { + "destination": "/etc/resolv.conf", + "options": [ + "rbind", + "rshared", + "rw", + ], + "source": "sandbox:///tmp/atlas/resolvconf/.+", + "type": "resolvconf", + }, + ], + "signals": [], + "working_dir": "/", + }, + { + "allow_elevated": false, + "command": ["/pause"], + "env_rules": [ + { + "pattern": "PATH=/usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin", + "required": true, + "strategy": "string", + }, + { + "pattern": "TERM=xterm", + "required": false, + "strategy": "string", + }, + ], + "execProcesses": [], + "layers": ["16b514057a06ad665f92c02863aca074fd5976c755d26bff16365299169e8415"], + "mounts": [], + "signals": [], + "working_dir": "/", + } + ] + + allow_properties_access := false + + allow_dump_stacks := false + + allow_runtime_logging := false + + allow_environment_variable_dropping := true + + allow_unencrypted_scratch := false + + mount_device := data.framework.mount_device + + unmount_device := data.framework.unmount_device + + mount_overlay := data.framework.mount_overlay + + unmount_overlay := data.framework.unmount_overlay + + create_container := data.framework.create_container + + exec_in_container := data.framework.exec_in_container + + exec_external := data.framework.exec_external + + shutdown_container := data.framework.shutdown_container + + signal_container_process := data.framework.signal_container_process + + plan9_mount := data.framework.plan9_mount + + plan9_unmount := data.framework.plan9_unmount + + get_properties := data.framework.get_properties + + dump_stacks := data.framework.dump_stacks + + runtime_logging := data.framework.runtime_logging + + load_fragment := data.framework.load_fragment + + scratch_mount := data.framework.scratch_mount + + scratch_unmount := data.framework.scratch_unmount + + reason := {"errors": data.framework.errors}""" + policy = { + config.ACI_FIELD_TEMPLATE_CONFCOM_PROPERTIES: { + config.ACI_FIELD_TEMPLATE_CCE_POLICY: """cGFja2FnZSBwb2xpY3kKCmltcG9ydCBmdXR1cmUua2V5d29yZHMuZXZlcnkKaW1wb3J0IGZ1dHVy +ZS5rZXl3b3Jkcy5pbgoKZnJhZ21lbnRzIDo9IFt7CgkiZmVlZCI6ICJtY3IubWljcm9zb2Z0LmNv +bS9hY2kvYWNpLWNjLWluZnJhLWZyYWdtZW50IiwKCSJpbmNsdWRlcyI6IFtdLAoJImlzc3VlciI6 +ICJkaWQ6eDUwOTowOnNoYTI1NjpJX19pdUwyNW9YRVZGZFRQX2FCTHhfZVQxUlBIYkNRX0VDQlFm +WVpwdDlzOjpla3U6MS4zLjYuMS40LjEuMzExLjc2LjU5LjEuMyIsCgkibWluaW11bV9zdm4iOiAi +MS4wLjAiLAp9XQoKY29udGFpbmVycyA6PSBbCgl7CgkJImFsbG93X2VsZXZhdGVkIjogdHJ1ZSwK +CQkiYWxsb3dfc3RkaW9fYWNjZXNzIjogdHJ1ZSwKCQkiY29tbWFuZCI6IFsiYmFzaCJdLAoJCSJl +bnZfcnVsZXMiOiBbCgkJCXsKCQkJCSJwYXR0ZXJuIjogIlBBVEg9L2N1c3RvbWl6ZWQvcGF0aC92 +YWx1ZSIsCgkJCQkicmVxdWlyZWQiOiBmYWxzZSwKCQkJCSJzdHJhdGVneSI6ICJzdHJpbmciLAoJ +CQl9LAoJCQl7CgkJCQkicGF0dGVybiI6ICJURVNUX1JFR0VYUF9FTlY9dGVzdF9yZWdleHBfZW52 +IiwKCQkJCSJyZXF1aXJlZCI6IGZhbHNlLAoJCQkJInN0cmF0ZWd5IjogInN0cmluZyIsCgkJCX0s +CgkJCXsKCQkJCSJwYXR0ZXJuIjogIlJVU1RVUF9IT01FPS91c3IvbG9jYWwvcnVzdHVwIiwKCQkJ +CSJyZXF1aXJlZCI6IGZhbHNlLAoJCQkJInN0cmF0ZWd5IjogInN0cmluZyIsCgkJCX0sCgkJCXsK +CQkJCSJwYXR0ZXJuIjogIkNBUkdPX0hPTUU9L3Vzci9sb2NhbC9jYXJnbyIsCgkJCQkicmVxdWly +ZWQiOiBmYWxzZSwKCQkJCSJzdHJhdGVneSI6ICJzdHJpbmciLAoJCQl9LAoJCQl7CgkJCQkicGF0 +dGVybiI6ICJSVVNUX1ZFUlNJT049MS41Mi4xIiwKCQkJCSJyZXF1aXJlZCI6IGZhbHNlLAoJCQkJ +InN0cmF0ZWd5IjogInN0cmluZyIsCgkJCX0sCgkJCXsKCQkJCSJwYXR0ZXJuIjogIlRFUk09eHRl +cm0iLAoJCQkJInJlcXVpcmVkIjogZmFsc2UsCgkJCQkic3RyYXRlZ3kiOiAic3RyaW5nIiwKCQkJ +fSwKCQkJewoJCQkJInBhdHRlcm4iOiAiKCg/aSlGQUJSSUMpXy4rPS4rIiwKCQkJCSJyZXF1aXJl +ZCI6IGZhbHNlLAoJCQkJInN0cmF0ZWd5IjogInJlMiIsCgkJCX0sCgkJCXsKCQkJCSJwYXR0ZXJu +IjogIkhPU1ROQU1FPS4rIiwKCQkJCSJyZXF1aXJlZCI6IGZhbHNlLAoJCQkJInN0cmF0ZWd5Ijog +InJlMiIsCgkJCX0sCgkJCXsKCQkJCSJwYXR0ZXJuIjogIlQoRSk/TVA9LisiLAoJCQkJInJlcXVp +cmVkIjogZmFsc2UsCgkJCQkic3RyYXRlZ3kiOiAicmUyIiwKCQkJfSwKCQkJewoJCQkJInBhdHRl +cm4iOiAiRmFicmljUGFja2FnZUZpbGVOYW1lPS4rIiwKCQkJCSJyZXF1aXJlZCI6IGZhbHNlLAoJ +CQkJInN0cmF0ZWd5IjogInJlMiIsCgkJCX0sCgkJCXsKCQkJCSJwYXR0ZXJuIjogIkhvc3RlZFNl +cnZpY2VOYW1lPS4rIiwKCQkJCSJyZXF1aXJlZCI6IGZhbHNlLAoJCQkJInN0cmF0ZWd5IjogInJl +MiIsCgkJCX0sCgkJCXsKCQkJCSJwYXR0ZXJuIjogIklERU5USVRZX0FQSV9WRVJTSU9OPS4rIiwK +CQkJCSJyZXF1aXJlZCI6IGZhbHNlLAoJCQkJInN0cmF0ZWd5IjogInJlMiIsCgkJCX0sCgkJCXsK +CQkJCSJwYXR0ZXJuIjogIklERU5USVRZX0hFQURFUj0uKyIsCgkJCQkicmVxdWlyZWQiOiBmYWxz +ZSwKCQkJCSJzdHJhdGVneSI6ICJyZTIiLAoJCQl9LAoJCQl7CgkJCQkicGF0dGVybiI6ICJJREVO +VElUWV9TRVJWRVJfVEhVTUJQUklOVD0uKyIsCgkJCQkicmVxdWlyZWQiOiBmYWxzZSwKCQkJCSJz +dHJhdGVneSI6ICJyZTIiLAoJCQl9LAoJCQl7CgkJCQkicGF0dGVybiI6ICJhenVyZWNvbnRhaW5l +cmluc3RhbmNlX3Jlc3RhcnRlZF9ieT0uKyIsCgkJCQkicmVxdWlyZWQiOiBmYWxzZSwKCQkJCSJz +dHJhdGVneSI6ICJyZTIiLAoJCQl9LAoJCV0sCgkJImV4ZWNfcHJvY2Vzc2VzIjogW10sCgkJImlk +IjogInJ1c3Q6MS41Mi4xIiwKCQkibGF5ZXJzIjogWwoJCQkiZmU4NGM5ZDViZmRkZDA3YTI2MjRk +MDAzMzNjZjEzYzFhOWM5NDFmM2EyNjFmMTNlYWQ0NGZjNmE5M2JjMGU3YSIsCgkJCSI0ZGVkYWU0 +Mjg0N2M3MDRkYTg5MWEyOGMyNWQzMjIwMWExYWU0NDBiY2UyYWVjY2NmYThlNmYwM2I5N2E2YTZj +IiwKCQkJIjQxZDY0Y2RlYjM0N2JmMjM2YjRjMTNiNzQwM2I2MzNmZjExZjFjZjk0ZGJjN2NmODgx +YTQ0ZDZkYTg4YzUxNTYiLAoJCQkiZWIzNjkyMWUxZjgyYWY0NmRmZTI0OGVmOGYxYjNhZmI2YTUy +MzBhNjQxODFkOTYwZDEwMjM3YTA4Y2Q3M2M3OSIsCgkJCSJlNzY5ZDc0ODdjYzMxNGQzZWU3NDhh +NDQ0MDgwNTMxN2MxOTI2MmM3YWNkMmZkYmRiMGQ0N2QyZTQ2MTNhMTVjIiwKCQkJIjFiODBmMTIw +ZGJkODhlNDM1NWQ2MjQxYjUxOWMzZTI1MjkwMjE1YzQ2OTUxNmI0OWRlY2U5Y2YwNzE3NWE3NjYi +LAoJCV0sCgkJIm1vdW50cyI6IFsKCQkJewoJCQkJImRlc3RpbmF0aW9uIjogIi9zeXMiLAoJCQkJ +Im9wdGlvbnMiOiBbCgkJCQkJIm5vc3VpZCIsCgkJCQkJIm5vZXhlYyIsCgkJCQkJIm5vZGV2IiwK +CQkJCQkicnciLAoJCQkJXSwKCQkJCSJzb3VyY2UiOiAic3lzZnMiLAoJCQkJInR5cGUiOiAic3lz +ZnMiLAoJCQl9LAoJCQl7CgkJCQkiZGVzdGluYXRpb24iOiAiL3N5cy9mcy9jZ3JvdXAiLAoJCQkJ +Im9wdGlvbnMiOiBbCgkJCQkJIm5vc3VpZCIsCgkJCQkJIm5vZXhlYyIsCgkJCQkJIm5vZGV2IiwK +CQkJCQkicmVsYXRpbWUiLAoJCQkJCSJydyIsCgkJCQldLAoJCQkJInNvdXJjZSI6ICJjZ3JvdXAi +LAoJCQkJInR5cGUiOiAiY2dyb3VwIiwKCQkJfSwKCQkJewoJCQkJImRlc3RpbmF0aW9uIjogIi9t +b3VudC9henVyZWZpbGUiLAoJCQkJIm9wdGlvbnMiOiBbCgkJCQkJInJiaW5kIiwKCQkJCQkicnNo +YXJlZCIsCgkJCQkJInJ3IiwKCQkJCV0sCgkJCQkic291cmNlIjogInNhbmRib3g6Ly8vdG1wL2F0 +bGFzL2F6dXJlRmlsZVZvbHVtZS8uKyIsCgkJCQkidHlwZSI6ICJhenVyZUZpbGUiLAoJCQl9LAoJ +CQl7CgkJCQkiZGVzdGluYXRpb24iOiAiL2V0Yy9yZXNvbHYuY29uZiIsCgkJCQkib3B0aW9ucyI6 +IFsKCQkJCQkicmJpbmQiLAoJCQkJCSJyc2hhcmVkIiwKCQkJCQkicnciLAoJCQkJXSwKCQkJCSJz +b3VyY2UiOiAic2FuZGJveDovLy90bXAvYXRsYXMvcmVzb2x2Y29uZi8uKyIsCgkJCQkidHlwZSI6 +ICJyZXNvbHZjb25mIiwKCQkJfSwKCQldLAoJCSJzaWduYWxzIjogW10sCgkJIndvcmtpbmdfZGly +IjogIi8iLAoJfSwKCXsKCQkiYWxsb3dfZWxldmF0ZWQiOiBmYWxzZSwKCQkiY29tbWFuZCI6IFsi +L3BhdXNlIl0sCgkJImVudl9ydWxlcyI6IFsKCQkJewoJCQkJInBhdHRlcm4iOiAiUEFUSD0vdXNy +L2xvY2FsL3NiaW46L3Vzci9sb2NhbC9iaW46L3Vzci9zYmluOi91c3IvYmluOi9zYmluOi9iaW4i +LAoJCQkJInJlcXVpcmVkIjogdHJ1ZSwKCQkJCSJzdHJhdGVneSI6ICJzdHJpbmciLAoJCQl9LAoJ +CQl7CgkJCQkicGF0dGVybiI6ICJURVJNPXh0ZXJtIiwKCQkJCSJyZXF1aXJlZCI6IGZhbHNlLAoJ +CQkJInN0cmF0ZWd5IjogInN0cmluZyIsCgkJCX0sCgkJXSwKCQkiZXhlY1Byb2Nlc3NlcyI6IFtd +LAoJCSJsYXllcnMiOiBbIjE2YjUxNDA1N2EwNmFkNjY1ZjkyYzAyODYzYWNhMDc0ZmQ1OTc2Yzc1 +NWQyNmJmZjE2MzY1Mjk5MTY5ZTg0MTUiXSwKCQkibW91bnRzIjogW10sCgkJInNpZ25hbHMiOiBb +XSwKCQkid29ya2luZ19kaXIiOiAiLyIsCgl9LApdCgphbGxvd19wcm9wZXJ0aWVzX2FjY2VzcyA6 +PSBmYWxzZQoKYWxsb3dfZHVtcF9zdGFja3MgOj0gZmFsc2UKCmFsbG93X3J1bnRpbWVfbG9nZ2lu +ZyA6PSBmYWxzZQoKYWxsb3dfZW52aXJvbm1lbnRfdmFyaWFibGVfZHJvcHBpbmcgOj0gdHJ1ZQoK +YWxsb3dfdW5lbmNyeXB0ZWRfc2NyYXRjaCA6PSBmYWxzZQoKbW91bnRfZGV2aWNlIDo9IGRhdGEu +ZnJhbWV3b3JrLm1vdW50X2RldmljZQoKdW5tb3VudF9kZXZpY2UgOj0gZGF0YS5mcmFtZXdvcmsu +dW5tb3VudF9kZXZpY2UKCm1vdW50X292ZXJsYXkgOj0gZGF0YS5mcmFtZXdvcmsubW91bnRfb3Zl +cmxheQoKdW5tb3VudF9vdmVybGF5IDo9IGRhdGEuZnJhbWV3b3JrLnVubW91bnRfb3ZlcmxheQoK +Y3JlYXRlX2NvbnRhaW5lciA6PSBkYXRhLmZyYW1ld29yay5jcmVhdGVfY29udGFpbmVyCgpleGVj +X2luX2NvbnRhaW5lciA6PSBkYXRhLmZyYW1ld29yay5leGVjX2luX2NvbnRhaW5lcgoKZXhlY19l +eHRlcm5hbCA6PSBkYXRhLmZyYW1ld29yay5leGVjX2V4dGVybmFsCgpzaHV0ZG93bl9jb250YWlu +ZXIgOj0gZGF0YS5mcmFtZXdvcmsuc2h1dGRvd25fY29udGFpbmVyCgpzaWduYWxfY29udGFpbmVy +X3Byb2Nlc3MgOj0gZGF0YS5mcmFtZXdvcmsuc2lnbmFsX2NvbnRhaW5lcl9wcm9jZXNzCgpwbGFu +OV9tb3VudCA6PSBkYXRhLmZyYW1ld29yay5wbGFuOV9tb3VudAoKcGxhbjlfdW5tb3VudCA6PSBk +YXRhLmZyYW1ld29yay5wbGFuOV91bm1vdW50CgpnZXRfcHJvcGVydGllcyA6PSBkYXRhLmZyYW1l +d29yay5nZXRfcHJvcGVydGllcwoKZHVtcF9zdGFja3MgOj0gZGF0YS5mcmFtZXdvcmsuZHVtcF9z +dGFja3MKCnJ1bnRpbWVfbG9nZ2luZyA6PSBkYXRhLmZyYW1ld29yay5ydW50aW1lX2xvZ2dpbmcK +CmxvYWRfZnJhZ21lbnQgOj0gZGF0YS5mcmFtZXdvcmsubG9hZF9mcmFnbWVudAoKc2NyYXRjaF9t +b3VudCA6PSBkYXRhLmZyYW1ld29yay5zY3JhdGNoX21vdW50CgpzY3JhdGNoX3VubW91bnQgOj0g +ZGF0YS5mcmFtZXdvcmsuc2NyYXRjaF91bm1vdW50CgpyZWFzb24gOj0geyJlcnJvcnMiOiBkYXRh +LmZyYW1ld29yay5lcnJvcnN9Cg==""" + } + } + + (containers, fragments) = extract_confidential_properties(policy) + + self.assertEqual(containers[0]["id"], "rust:1.52.1") + self.assertEqual( + fragments[0]["feed"], "mcr.microsoft.com/aci/aci-cc-infra-fragment" + ) + + def test_inject_policy_into_template(self): + template = """ + { + "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", + "contentVersion": "1.0.0.0", + "variables": { + "image": "python:3.6.14-slim-buster" + }, + + + "parameters": { + "containergroupname": { + "type": "string", + "metadata": { + "description": "Name for the container group" + }, + "defaultValue":"simple-container-group" + }, + + "containername": { + "type": "string", + "metadata": { + "description": "Name for the container" + }, + "defaultValue":"simple-container" + }, + "port": { + "type": "string", + "metadata": { + "description": "Port to open on the container and the public IP address." + }, + "defaultValue": "8080" + }, + "cpuCores": { + "type": "string", + "metadata": { + "description": "The number of CPU cores to allocate to the container." + }, + "defaultValue": "1.0" + }, + "memoryInGb": { + "type": "string", + "metadata": { + "description": "The amount of memory to allocate to the container in gigabytes." + }, + "defaultValue": "1.5" + }, + "location": { + "type": "string", + "defaultValue": "[resourceGroup().location]", + "metadata": { + "description": "Location for all resources." + } + } + }, + "resources": [ + { + "name": "[parameters('containergroupname')]", + "type": "Microsoft.ContainerInstance/containerGroups", + "apiVersion": "2022-04-01-preview", + "location": "[parameters('location')]", + "properties": { + "containers": [ + { + "name": "[parameters('containername')]", + + "properties": { + "image": "[variables('image')]", + "command": [ + "python3" + ], + "ports": [ + { + "port": "[parameters('port')]" + } + ], + "resources": { + "requests": { + "cpu": "[parameters('cpuCores')]", + "memoryInGb": "[parameters('memoryInGb')]" + } + }, + "volumeMounts": [ + { + "name": "filesharevolume", + "mountPath": "/aci/logs", + "readOnly": false + }, + { + "name": "secretvolume", + "mountPath": "/aci/secret", + "readOnly": true + } + ] + } + } + ], + "volumes": [ + { + "name": "filesharevolume", + "azureFile": { + "shareName": "shareName1", + "storageAccountName": "storage-account-name", + "storageAccountKey": "storage-account-key" + } + }, + { + + "name": "secretvolume", + "secret": { + "mysecret1": "secret1", + "mysecret2": "secret2" + } + } + + ], + "osType": "Linux", + "restartPolicy": "OnFailure", + "confidentialComputeProperties": { + "IsolationType": "SevSnp" + }, + "ipAddress": { + "type": "Public", + "ports": [ + { + "protocol": "Tcp", + "port": "[parameters( 'port' )]" + } + ] + } + } + } + ], + "outputs": { + "containerIPv4Address": { + "type": "string", + "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', parameters('containergroupname'))).ipAddress.ip]" + } + } + } + """ + # write template to file for testing + with open("test_template.json", "w") as f: + f.write(template) + + with self.assertRaises(SystemExit) as exc_info: + acipolicygen_confcom(None, "test_template.json", None, None, None, None) + + self.assertEqual(exc_info.exception.code, 0) + + with open("test_template.json", "r") as f: + template_with_policy = load_json_from_str(f.read()) + + # check if template contains confidential compute policy + + self.assertIn( + config.ACI_FIELD_TEMPLATE_CONFCOM_PROPERTIES, + template_with_policy[config.ACI_FIELD_RESOURCES][0][ + config.ACI_FIELD_TEMPLATE_PROPERTIES + ], + ) + self.assertTrue( + isinstance( + template_with_policy[config.ACI_FIELD_RESOURCES][0][ + config.ACI_FIELD_TEMPLATE_PROPERTIES + ][config.ACI_FIELD_TEMPLATE_CONFCOM_PROPERTIES][ + config.ACI_FIELD_TEMPLATE_CCE_POLICY + ], + str, + ) + ) + self.assertTrue( + len( + template_with_policy[config.ACI_FIELD_RESOURCES][0][ + config.ACI_FIELD_TEMPLATE_PROPERTIES + ][config.ACI_FIELD_TEMPLATE_CONFCOM_PROPERTIES] + ) + > 0 + ) + # delete test file + os.remove("test_template.json") diff --git a/src/confcom/requirements.txt b/src/confcom/requirements.txt new file mode 100644 index 00000000000..b7c00f45c15 --- /dev/null +++ b/src/confcom/requirements.txt @@ -0,0 +1,4 @@ +docker +tqdm +azure-devtools +deepdiff \ No newline at end of file diff --git a/src/confcom/samples/README.md b/src/confcom/samples/README.md new file mode 100644 index 00000000000..a6048a1e386 --- /dev/null +++ b/src/confcom/samples/README.md @@ -0,0 +1,148 @@ +# Microsoft Azure CLI 'confcom' Extension Samples + +## Example Input Configuration + +```json +{ + "version": "1.0", + "containers": [ + { + "containerImage": "rust:1.52.1", + "environmentVariables": [ + { + "name": "PATH", + "value": "/customized/path/value", + "strategy": "string" + }, + { + "name": "TEST_REGEXP_ENV", + "value": "test_regexp_env_[[:alpha:]]*", + "strategy": "re2" + } + ], + "command": ["rustc", "--help"], + "workingDir": ["/"], + "mounts": [ + { + "mountType": "azureFile", + "mountPath": "path/to/something/in/container", + "readonly": false + }, + { + "mountType": "secret", + "mountPath": "path/to/something/in/container", + "readonly": false + }, + { + "mountType": "emptyDir", + "mountPath": "path/to/something/in/container", + "readonly": false + } + ], + "wait_mount_points": [ + "path/to/something/in/container/blob0", + "path/to/something/in/container/blob1" + ], + "allow_elevated": true + } + ] +} +``` + +## version + +This specified the version of the input configuration file format. + +## containers + +This is a list of containers that will be deployed as part of a confidential container group. + +For each container the following items can be configured: + +### _containerImage_ + +The uri of the container image and container tag. + +### _environmentVariables_ + +The allowed environment variables for the container. There are 2 ways to specify the environment variables: + +1. Exact 'string' matching. With the _string_ strategy the value in the environment variable must exactly match the configured value. + +```json +{ + "name": "", + "value": "", + "strategy": "string" +}, +``` + +2. Regular expression "re2" matching. For more information see the [re2 guide.](https://github.com/google/re2/wiki/Syntax)
+ +```json +{ + "name": "", + "value": "", + "strategy": "re2" +} +``` + +With re2 matching any value that matches the re2 expression will be allowed. + +```json + "=" +``` + +### _command_ + +The command item configures the allowed start-up command to launch inside the container. It is a list of strings that make up the final command to run. + +### **[Optional]** _workingDir_ + +The working directory item configures where the working directory where the command is executed. This is an optional field. If one is not specified the value is defaulted to the first value found in the following list: + +- The _working_dir_ field in the container image. +- Defaults to "/" + +### **[Optional]** _mounts_ + +Specifies the mounts that are allowed inside the container. + +```json + “mounts”: [ + { + "mountType": "azureFile | secret | emptyDir", + "mountPath": "path/to/something/in/container", + "readonly": "true | false" # Optional + } + ] +``` + +- _mountType_ - Specifies the type of the Azure mount. There are 3 types of Azure mounts that are supported. These mount should match with the mounts that are configured when deploying the container group. + 1. **azureFile** - This mount type corresponds to an [Azure file volume](https://docs.microsoft.com/en-us/azure/container-instances/container-instances-volume-azure-files) mount. + 2. **secret** - This mount type corresponds to an [Azure secret volume](https://docs.microsoft.com/en-us/azure/container-instances/container-instances-volume-secret). + 3. **emptyDir** - This mount type corresponds to an [Azure emptyDir volume](https://docs.microsoft.com/en-us/azure/container-instances/container-instances-volume-emptydir) + +- _mountPath_ - Specifies the container path for the corresponding mount. +- _readonly_ - Specifies whether the volume is read-only or writable. Defaults to false. + +### _wait_mount_points_ + +This configuration item list of container paths for different mounts that should exists before the command execution starts. If a mount does not exist, the container will not start to run. + +```json + "wait_mount_points": [ + "path/to/something/in/container/blob0", + "path/to/something/in/container/blob1" + ] +``` + +### **[Optional]** _allow_elevated_ + +By default, “/sys” and “/sys/fs/cgroup” mounts are added as “ro”, by setting "allow_elevated" to true, those mounts are added as “rw”. This is an optional field. If one is not specified the value is defaulted to false. + +--- + +## sample-template-output.json + +This file shows the changes that are made to an input ARM Template when the `--inject-policy` argument is supplied. diff --git a/src/confcom/samples/sample-policy-output.rego b/src/confcom/samples/sample-policy-output.rego new file mode 100644 index 00000000000..a4ab429abef --- /dev/null +++ b/src/confcom/samples/sample-policy-output.rego @@ -0,0 +1,192 @@ +package policy + +import future.keywords.every +import future.keywords.in + +api_svn := "0.10.0" +framework_svn := "0.1.0" + +fragments := [ + { + "feed": "mcr.microsoft.com/aci/aci-cc-infra-fragment", + "includes": [ + "containers" + ], + "issuer": "did:x509:0:sha256:I__iuL25oXEVFdTP_aBLx_eT1RPHbCQ_ECBQfYZpt9s::eku:1.3.6.1.4.1.311.76.59.1.3", + "minimum_svn": "1.0.0" + } +] + +containers := [ + { + "allow_elevated":true, + "allow_stdio_access":true, + "command":[ + "bash" + ], + "env_rules":[ + { + "pattern":"PATH=/customized/path/value", + "required":false, + "strategy":"string" + }, + { + "pattern":"TEST_REGEXP_ENV=test_regexp_env", + "required":false, + "strategy":"string" + }, + { + "pattern":"RUSTUP_HOME=/usr/local/rustup", + "required":false, + "strategy":"string" + }, + { + "pattern":"CARGO_HOME=/usr/local/cargo", + "required":false, + "strategy":"string" + }, + { + "pattern":"RUST_VERSION=1.52.1", + "required":false, + "strategy":"string" + }, + { + "pattern":"TERM=xterm", + "required":false, + "strategy":"string" + }, + { + "pattern":"((?i)FABRIC)_.+=.+", + "required":false, + "strategy":"re2" + }, + { + "pattern":"HOSTNAME=.+", + "required":false, + "strategy":"re2" + }, + { + "pattern":"T(E)?MP=.+", + "required":false, + "strategy":"re2" + }, + { + "pattern":"FabricPackageFileName=.+", + "required":false, + "strategy":"re2" + }, + { + "pattern":"HostedServiceName=.+", + "required":false, + "strategy":"re2" + }, + { + "pattern":"IDENTITY_API_VERSION=.+", + "required":false, + "strategy":"re2" + }, + { + "pattern":"IDENTITY_HEADER=.+", + "required":false, + "strategy":"re2" + }, + { + "pattern":"IDENTITY_SERVER_THUMBPRINT=.+", + "required":false, + "strategy":"re2" + }, + { + "pattern":"azurecontainerinstance_restarted_by=.+", + "required":false, + "strategy":"re2" + } + ], + "exec_processes":[], + "id":"rust:1.52.1", + "layers":[ + "fe84c9d5bfddd07a2624d00333cf13c1a9c941f3a261f13ead44fc6a93bc0e7a", + "4dedae42847c704da891a28c25d32201a1ae440bce2aecccfa8e6f03b97a6a6c", + "41d64cdeb347bf236b4c13b7403b633ff11f1cf94dbc7cf881a44d6da88c5156", + "eb36921e1f82af46dfe248ef8f1b3afb6a5230a64181d960d10237a08cd73c79", + "e769d7487cc314d3ee748a4440805317c19262c7acd2fdbdb0d47d2e4613a15c", + "1b80f120dbd88e4355d6241b519c3e25290215c469516b49dece9cf07175a766" + ], + "mounts":[ + { + "destination":"/mount/azurefile", + "options":[ + "rbind", + "rshared", + "rw" + ], + "source":"sandbox:///tmp/atlas/azureFileVolume/.+", + "type":"bind" + }, + { + "destination":"/etc/resolv.conf", + "options":[ + "rbind", + "rshared", + "rw" + ], + "source":"sandbox:///tmp/atlas/resolvconf/.+", + "type":"bind" + } + ], + "signals":[], + "working_dir":"/" + }, + { + "allow_elevated":false, + "allow_stdio_access":true, + "command":[ + "/pause" + ], + "env_rules":[ + { + "pattern":"PATH=/usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin", + "required":true, + "strategy":"string" + }, + { + "pattern":"TERM=xterm", + "required":false, + "strategy":"string" + } + ], + "exec_processes":[], + "layers":[ + "16b514057a06ad665f92c02863aca074fd5976c755d26bff16365299169e8415" + ], + "mounts":[], + "signals":[], + "working_dir":"/" + } +] + +allow_properties_access := false +allow_dump_stacks := false +allow_runtime_logging := false +allow_environment_variable_dropping := true +allow_unencrypted_scratch := false + + + +mount_device := data.framework.mount_device +unmount_device := data.framework.unmount_device +mount_overlay := data.framework.mount_overlay +unmount_overlay := data.framework.unmount_overlay +create_container := data.framework.create_container +exec_in_container := data.framework.exec_in_container +exec_external := data.framework.exec_external +shutdown_container := data.framework.shutdown_container +signal_container_process := data.framework.signal_container_process +plan9_mount := data.framework.plan9_mount +plan9_unmount := data.framework.plan9_unmount +get_properties := data.framework.get_properties +dump_stacks := data.framework.dump_stacks +runtime_logging := data.framework.runtime_logging +load_fragment := data.framework.load_fragment +scratch_mount := data.framework.scratch_mount +scratch_unmount := data.framework.scratch_unmount +reason := {"errors": data.framework.errors} diff --git a/src/confcom/samples/sample-template-input.json b/src/confcom/samples/sample-template-input.json new file mode 100644 index 00000000000..130fdb19f20 --- /dev/null +++ b/src/confcom/samples/sample-template-input.json @@ -0,0 +1,76 @@ +{ + "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", + "contentVersion": "1.0.0.0", + "variables": { + "container1name": "aci-test", + "container1image": "rust:1.52.1" + }, + "resources": [ + { + "type": "Microsoft.ContainerInstance/containerGroups", + "apiVersion": "2022-10-01-preview", + "name": "secret-volume-demo", + "location": "[resourceGroup().location]", + "properties": { + "confidentialComputeProperties": { + "ccePolicy": "" + }, + "containers": [ + { + "name": "[variables('container1name')]", + "properties": { + "image": "[variables('container1image')]", + "resources": { + "requests": { + "cpu": 1, + "memoryInGb": 1.5 + } + }, + "ports": [ + { + "port": 80 + } + ], + "volumeMounts": [ + { + "name": "azurefile", + "mountPath": "/mount/azurefile" + } + ], + "environmentVariables": [ + { + "name": "PATH", + "value": "/customized/path/value" + }, + { + "name": "TEST_REGEXP_ENV", + "value": "test_regexp_env" + } + ] + } + } + ], + "sku": "Confidential", + "osType": "Linux", + "ipAddress": { + "type": "Public", + "ports": [ + { + "protocol": "tcp", + "port": "80" + } + ] + }, + "volumes": [ + { + "name": "azurefile", + "azureFile": { + "key1": "key-1", + "key2": "key-2" + } + } + ] + } + } + ] +} \ No newline at end of file diff --git a/src/confcom/samples/sample-template-output.json b/src/confcom/samples/sample-template-output.json new file mode 100644 index 00000000000..4473d563fef --- /dev/null +++ b/src/confcom/samples/sample-template-output.json @@ -0,0 +1,76 @@ +{ + "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", + "contentVersion": "1.0.0.0", + "variables": { + "container1name": "aci-test", + "container1image": "rust:1.52.1" + }, + "resources": [ + { + "type": "Microsoft.ContainerInstance/containerGroups", + "apiVersion": "2022-10-01-preview", + "name": "secret-volume-demo", + "location": "[resourceGroup().location]", + "properties": { + "confidentialComputeProperties": { + "ccePolicy": "cGFja2FnZSBwb2xpY3kKCmltcG9ydCBmdXR1cmUua2V5d29yZHMuZXZlcnkKaW1wb3J0IGZ1dHVyZS5rZXl3b3Jkcy5pbgoKYXBpX3N2biA6PSAiMC4xMC4wIgpmcmFtZXdvcmtfc3ZuIDo9ICIwLjEuMCIKCmZyYWdtZW50cyA6PSBbCiAgewogICAgImZlZWQiOiAibWNyLm1pY3Jvc29mdC5jb20vYWNpL2FjaS1jYy1pbmZyYS1mcmFnbWVudCIsCiAgICAiaW5jbHVkZXMiOiBbCiAgICAgICJjb250YWluZXJzIgogICAgXSwKICAgICJpc3N1ZXIiOiAiZGlkOng1MDk6MDpzaGEyNTY6SV9faXVMMjVvWEVWRmRUUF9hQkx4X2VUMVJQSGJDUV9FQ0JRZllacHQ5czo6ZWt1OjEuMy42LjEuNC4xLjMxMS43Ni41OS4xLjMiLAogICAgIm1pbmltdW1fc3ZuIjogIjEuMC4wIgogIH0KXQoKY29udGFpbmVycyA6PSBbeyJhbGxvd19lbGV2YXRlZCI6dHJ1ZSwiYWxsb3dfc3RkaW9fYWNjZXNzIjp0cnVlLCJjb21tYW5kIjpbImJhc2giXSwiZW52X3J1bGVzIjpbeyJwYXR0ZXJuIjoiUEFUSD0vY3VzdG9taXplZC9wYXRoL3ZhbHVlIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9LHsicGF0dGVybiI6IlRFU1RfUkVHRVhQX0VOVj10ZXN0X3JlZ2V4cF9lbnYiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiUlVTVFVQX0hPTUU9L3Vzci9sb2NhbC9ydXN0dXAiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiQ0FSR09fSE9NRT0vdXNyL2xvY2FsL2NhcmdvIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9LHsicGF0dGVybiI6IlJVU1RfVkVSU0lPTj0xLjUyLjEiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiVEVSTT14dGVybSIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiIoKD9pKUZBQlJJQylfLis9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiSE9TVE5BTUU9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiVChFKT9NUD0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJGYWJyaWNQYWNrYWdlRmlsZU5hbWU9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiSG9zdGVkU2VydmljZU5hbWU9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiSURFTlRJVFlfQVBJX1ZFUlNJT049LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiSURFTlRJVFlfSEVBREVSPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LHsicGF0dGVybiI6IklERU5USVRZX1NFUlZFUl9USFVNQlBSSU5UPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LHsicGF0dGVybiI6ImF6dXJlY29udGFpbmVyaW5zdGFuY2VfcmVzdGFydGVkX2J5PS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9XSwiZXhlY19wcm9jZXNzZXMiOltdLCJpZCI6InJ1c3Q6MS41Mi4xIiwibGF5ZXJzIjpbImZlODRjOWQ1YmZkZGQwN2EyNjI0ZDAwMzMzY2YxM2MxYTljOTQxZjNhMjYxZjEzZWFkNDRmYzZhOTNiYzBlN2EiLCI0ZGVkYWU0Mjg0N2M3MDRkYTg5MWEyOGMyNWQzMjIwMWExYWU0NDBiY2UyYWVjY2NmYThlNmYwM2I5N2E2YTZjIiwiNDFkNjRjZGViMzQ3YmYyMzZiNGMxM2I3NDAzYjYzM2ZmMTFmMWNmOTRkYmM3Y2Y4ODFhNDRkNmRhODhjNTE1NiIsImViMzY5MjFlMWY4MmFmNDZkZmUyNDhlZjhmMWIzYWZiNmE1MjMwYTY0MTgxZDk2MGQxMDIzN2EwOGNkNzNjNzkiLCJlNzY5ZDc0ODdjYzMxNGQzZWU3NDhhNDQ0MDgwNTMxN2MxOTI2MmM3YWNkMmZkYmRiMGQ0N2QyZTQ2MTNhMTVjIiwiMWI4MGYxMjBkYmQ4OGU0MzU1ZDYyNDFiNTE5YzNlMjUyOTAyMTVjNDY5NTE2YjQ5ZGVjZTljZjA3MTc1YTc2NiJdLCJtb3VudHMiOlt7ImRlc3RpbmF0aW9uIjoiL21vdW50L2F6dXJlZmlsZSIsIm9wdGlvbnMiOlsicmJpbmQiLCJyc2hhcmVkIiwicnciXSwic291cmNlIjoic2FuZGJveDovLy90bXAvYXRsYXMvYXp1cmVGaWxlVm9sdW1lLy4rIiwidHlwZSI6ImJpbmQifSx7ImRlc3RpbmF0aW9uIjoiL2V0Yy9yZXNvbHYuY29uZiIsIm9wdGlvbnMiOlsicmJpbmQiLCJyc2hhcmVkIiwicnciXSwic291cmNlIjoic2FuZGJveDovLy90bXAvYXRsYXMvcmVzb2x2Y29uZi8uKyIsInR5cGUiOiJiaW5kIn1dLCJzaWduYWxzIjpbXSwid29ya2luZ19kaXIiOiIvIn0seyJhbGxvd19lbGV2YXRlZCI6ZmFsc2UsImFsbG93X3N0ZGlvX2FjY2VzcyI6dHJ1ZSwiY29tbWFuZCI6WyIvcGF1c2UiXSwiZW52X3J1bGVzIjpbeyJwYXR0ZXJuIjoiUEFUSD0vdXNyL2xvY2FsL3NiaW46L3Vzci9sb2NhbC9iaW46L3Vzci9zYmluOi91c3IvYmluOi9zYmluOi9iaW4iLCJyZXF1aXJlZCI6dHJ1ZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiJURVJNPXh0ZXJtIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9XSwiZXhlY19wcm9jZXNzZXMiOltdLCJsYXllcnMiOlsiMTZiNTE0MDU3YTA2YWQ2NjVmOTJjMDI4NjNhY2EwNzRmZDU5NzZjNzU1ZDI2YmZmMTYzNjUyOTkxNjllODQxNSJdLCJtb3VudHMiOltdLCJzaWduYWxzIjpbXSwid29ya2luZ19kaXIiOiIvIn1dCgphbGxvd19wcm9wZXJ0aWVzX2FjY2VzcyA6PSBmYWxzZQphbGxvd19kdW1wX3N0YWNrcyA6PSBmYWxzZQphbGxvd19ydW50aW1lX2xvZ2dpbmcgOj0gZmFsc2UKYWxsb3dfZW52aXJvbm1lbnRfdmFyaWFibGVfZHJvcHBpbmcgOj0gdHJ1ZQphbGxvd191bmVuY3J5cHRlZF9zY3JhdGNoIDo9IGZhbHNlCgoKCm1vdW50X2RldmljZSA6PSBkYXRhLmZyYW1ld29yay5tb3VudF9kZXZpY2UKdW5tb3VudF9kZXZpY2UgOj0gZGF0YS5mcmFtZXdvcmsudW5tb3VudF9kZXZpY2UKbW91bnRfb3ZlcmxheSA6PSBkYXRhLmZyYW1ld29yay5tb3VudF9vdmVybGF5CnVubW91bnRfb3ZlcmxheSA6PSBkYXRhLmZyYW1ld29yay51bm1vdW50X292ZXJsYXkKY3JlYXRlX2NvbnRhaW5lciA6PSBkYXRhLmZyYW1ld29yay5jcmVhdGVfY29udGFpbmVyCmV4ZWNfaW5fY29udGFpbmVyIDo9IGRhdGEuZnJhbWV3b3JrLmV4ZWNfaW5fY29udGFpbmVyCmV4ZWNfZXh0ZXJuYWwgOj0gZGF0YS5mcmFtZXdvcmsuZXhlY19leHRlcm5hbApzaHV0ZG93bl9jb250YWluZXIgOj0gZGF0YS5mcmFtZXdvcmsuc2h1dGRvd25fY29udGFpbmVyCnNpZ25hbF9jb250YWluZXJfcHJvY2VzcyA6PSBkYXRhLmZyYW1ld29yay5zaWduYWxfY29udGFpbmVyX3Byb2Nlc3MKcGxhbjlfbW91bnQgOj0gZGF0YS5mcmFtZXdvcmsucGxhbjlfbW91bnQKcGxhbjlfdW5tb3VudCA6PSBkYXRhLmZyYW1ld29yay5wbGFuOV91bm1vdW50CmdldF9wcm9wZXJ0aWVzIDo9IGRhdGEuZnJhbWV3b3JrLmdldF9wcm9wZXJ0aWVzCmR1bXBfc3RhY2tzIDo9IGRhdGEuZnJhbWV3b3JrLmR1bXBfc3RhY2tzCnJ1bnRpbWVfbG9nZ2luZyA6PSBkYXRhLmZyYW1ld29yay5ydW50aW1lX2xvZ2dpbmcKbG9hZF9mcmFnbWVudCA6PSBkYXRhLmZyYW1ld29yay5sb2FkX2ZyYWdtZW50CnNjcmF0Y2hfbW91bnQgOj0gZGF0YS5mcmFtZXdvcmsuc2NyYXRjaF9tb3VudApzY3JhdGNoX3VubW91bnQgOj0gZGF0YS5mcmFtZXdvcmsuc2NyYXRjaF91bm1vdW50CgpyZWFzb24gOj0geyJlcnJvcnMiOiBkYXRhLmZyYW1ld29yay5lcnJvcnN9" + }, + "containers": [ + { + "name": "[variables('container1name')]", + "properties": { + "image": "[variables('container1image')]", + "resources": { + "requests": { + "cpu": 1, + "memoryInGb": 1.5 + } + }, + "ports": [ + { + "port": 80 + } + ], + "volumeMounts": [ + { + "name": "azurefile", + "mountPath": "/mount/azurefile" + } + ], + "environmentVariables": [ + { + "name": "PATH", + "value": "/customized/path/value" + }, + { + "name": "TEST_REGEXP_ENV", + "value": "test_regexp_env" + } + ] + } + } + ], + "sku": "Confidential", + "osType": "Linux", + "ipAddress": { + "type": "Public", + "ports": [ + { + "protocol": "tcp", + "port": "80" + } + ] + }, + "volumes": [ + { + "name": "azurefile", + "azureFile": { + "key1": "key-1", + "key2": "key-2" + } + } + ] + } + } + ] +} \ No newline at end of file diff --git a/src/confcom/setup.py b/src/confcom/setup.py new file mode 100644 index 00000000000..d8a6ff6cae8 --- /dev/null +++ b/src/confcom/setup.py @@ -0,0 +1,91 @@ +#!/usr/bin/env python + +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- + + +from codecs import open +from setuptools import setup, find_packages +import stat +import requests +import os +# TODO: do we need this? +try: + from azure_bdist_wheel import cmdclass +except ImportError: + from distutils import log as logger + + logger.warn("Wheel is not available, disabling bdist_wheel hook") + +# TODO: Confirm this is the right version number you want and it matches your +# HISTORY.rst entry. +VERSION = "0.2.10" + +# The full list of classifiers is available at +# https://pypi.python.org/pypi?%3Aaction=list_classifiers +CLASSIFIERS = [ + "Development Status :: 4 - Beta", + "Intended Audience :: Developers", + "Intended Audience :: System Administrators", + "Programming Language :: Python", + "Programming Language :: Python :: 3", + "Programming Language :: Python :: 3.6", + "Programming Language :: Python :: 3.7", + "Programming Language :: Python :: 3.8", + "Programming Language :: Python :: 3.9", + "Programming Language :: Python :: 3.10", + "License :: OSI Approved :: MIT License", +] + +DEPENDENCIES = ["docker", "tqdm", "deepdiff"] + +dir_path = os.path.join(os.path.dirname(os.path.realpath(__file__)), "azext_confcom") + +bin_folder = dir_path + "/bin" +if not os.path.exists(bin_folder): + os.makedirs(bin_folder) + +exe_path = dir_path + "/bin/dmverity-vhd.exe" +if not os.path.exists(exe_path): + r = requests.get("https://github.com/microsoft/hcsshim/releases/download/v0.10.0-rc.6/dmverity-vhd.exe") + with open(exe_path, "wb") as f: + f.write(r.content) + +bin_path = dir_path + "/bin/dmverity-vhd" +if not os.path.exists(bin_path): + r = requests.get("https://github.com/microsoft/hcsshim/releases/download/v0.10.0-rc.6/dmverity-vhd") + with open(bin_path, "wb") as f: + f.write(r.content) + # add executable permissions for the current user + st = os.stat(bin_path) + os.chmod(bin_path, st.st_mode | stat.S_IEXEC) + +with open("README.md", "r", encoding="utf-8") as f: + README = f.read() +with open("HISTORY.rst", "r", encoding="utf-8") as f: + HISTORY = f.read() + +setup( + name="confcom", + version=VERSION, + description="Microsoft Azure Command-Line Tools Confidential Container Security Policy Generator Extension", + author="Microsoft Corporation", + author_email="acccli@microsoft.com", + url="https://github.com/Azure/azure-cli-extensions/tree/main/src/confcom", + long_description=README + "\n\n" + HISTORY, + license="MIT", + classifiers=CLASSIFIERS, + # TODO: should we be using the find_packages functionality or not? Most of the extensions do + packages=["azext_confcom"], + install_requires=DEPENDENCIES, + package_data={ + "azext_confcom": [ + "azext_metadata.json", + "bin/dmverity-vhd.exe", # windows + "bin/dmverity-vhd", # linux + "data/*", + ] + }, +) diff --git a/src/connectedk8s/HISTORY.rst b/src/connectedk8s/HISTORY.rst index fbec032acd8..c15b2af79b5 100644 --- a/src/connectedk8s/HISTORY.rst +++ b/src/connectedk8s/HISTORY.rst @@ -2,6 +2,34 @@ Release History =============== +1.3.13 +++++++ + +* Bumping up the cluster diagnostic checks helm chart version - Nodeselector addition + +1.3.12 +++++++ + +* Added retries for helm chart pull and config DP POST call +* Fix parameterizing for kid in csp method +* Bug fix in delete_arc_agents for arm64 parameter +* Added specific exception messages for pre-checks + +1.3.11 +++++++ + +* Added support for custom AAD token +* Removed ARM64 unsupported warning +* Increased helm delete timeout for ARM64 clusters +* Added multi-architectural images for troubleshoot* Delete azure-arc-release NS if exists as part of delete command + +1.3.10 +++++++ + +* Added CLI heuristics change +* Added AKS IOT infra support +* Bug Fix in precheckutils + 1.3.9 ++++++ diff --git a/src/connectedk8s/azext_connectedk8s/_client_factory.py b/src/connectedk8s/azext_connectedk8s/_client_factory.py index 8dade95060b..e18c5c73506 100644 --- a/src/connectedk8s/azext_connectedk8s/_client_factory.py +++ b/src/connectedk8s/azext_connectedk8s/_client_factory.py @@ -2,16 +2,30 @@ # Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. See License.txt in the project root for license information. # -------------------------------------------------------------------------------------------- + from azure.cli.core.commands.client_factory import get_mgmt_service_client from azure.cli.core.profiles import ResourceType from azure.cli.core._profile import Profile +from azure.cli.core import telemetry +from azure.cli.core.azclierror import ValidationError from azure.cli.core.commands.client_factory import configure_common_settings from azure.cli.core.commands.client_factory import get_subscription_id from azure.graphrbac import GraphRbacManagementClient +import os +import requests +import azext_connectedk8s._constants as consts +from collections import namedtuple + +AccessToken = namedtuple("AccessToken", ["token", "expires_on"]) + def cf_connectedk8s(cli_ctx, *_): from azext_connectedk8s.vendored_sdks import ConnectedKubernetesClient + if os.getenv('AZURE_ACCESS_TOKEN'): + validate_custom_token() + credential = AccessTokenCredential(access_token=os.getenv('AZURE_ACCESS_TOKEN')) + return get_mgmt_service_client(cli_ctx, ConnectedKubernetesClient, subscription_id=os.getenv('AZURE_SUBSCRIPTION_ID'), credential=credential) return get_mgmt_service_client(cli_ctx, ConnectedKubernetesClient) @@ -21,6 +35,10 @@ def cf_connected_cluster(cli_ctx, _): def cf_connectedk8s_prev_2022_10_01(cli_ctx, *_): from azext_connectedk8s.vendored_sdks.preview_2022_10_01 import ConnectedKubernetesClient + if os.getenv('AZURE_ACCESS_TOKEN'): + validate_custom_token() + credential = AccessTokenCredential(access_token=os.getenv('AZURE_ACCESS_TOKEN')) + return get_mgmt_service_client(cli_ctx, ConnectedKubernetesClient, subscription_id=os.getenv('AZURE_SUBSCRIPTION_ID'), credential=credential) return get_mgmt_service_client(cli_ctx, ConnectedKubernetesClient) @@ -30,21 +48,26 @@ def cf_connected_cluster_prev_2022_10_01(cli_ctx, _): def cf_connectedmachine(cli_ctx, subscription_id): from azure.mgmt.hybridcompute import HybridComputeManagementClient + if os.getenv('AZURE_ACCESS_TOKEN'): + credential = AccessTokenCredential(access_token=os.getenv('AZURE_ACCESS_TOKEN')) + return get_mgmt_service_client(cli_ctx, HybridComputeManagementClient, subscription_id=subscription_id, credential=credential).private_link_scopes return get_mgmt_service_client(cli_ctx, HybridComputeManagementClient, subscription_id=subscription_id).private_link_scopes def cf_resource_groups(cli_ctx, subscription_id=None): - return get_mgmt_service_client(cli_ctx, ResourceType.MGMT_RESOURCE_RESOURCES, - subscription_id=subscription_id).resource_groups + return _resource_client_factory(cli_ctx, subscription_id).resource_groups def _resource_client_factory(cli_ctx, subscription_id=None): + from azure.mgmt.resource import ResourceManagementClient + if os.getenv('AZURE_ACCESS_TOKEN'): + credential = AccessTokenCredential(access_token=os.getenv('AZURE_ACCESS_TOKEN')) + return get_mgmt_service_client(cli_ctx, ResourceType.MGMT_RESOURCE_RESOURCES, subscription_id=subscription_id, credential=credential) return get_mgmt_service_client(cli_ctx, ResourceType.MGMT_RESOURCE_RESOURCES, subscription_id=subscription_id) -def _resource_providers_client(cli_ctx): - from azure.mgmt.resource import ResourceManagementClient - return get_mgmt_service_client(cli_ctx, ResourceManagementClient).providers +def resource_providers_client(cli_ctx, subscription_id=None): + return _resource_client_factory(cli_ctx, subscription_id).providers # Alternate: This should also work # subscription_id = get_subscription_id(cli_ctx) @@ -52,14 +75,45 @@ def _resource_providers_client(cli_ctx): def _graph_client_factory(cli_ctx, **_): - profile = Profile(cli_ctx=cli_ctx) - cred, _, tenant_id = profile.get_login_credentials( - resource=cli_ctx.cloud.endpoints.active_directory_graph_resource_id) - client = GraphRbacManagementClient(cred, tenant_id, - base_url=cli_ctx.cloud.endpoints.active_directory_graph_resource_id) + if os.getenv('AZURE_ACCESS_TOKEN'): + credential = AccessTokenCredential(access_token=os.getenv('AZURE_ACCESS_TOKEN')) + client = GraphRbacManagementClient(credential, os.getenv('AZURE_TENANT_ID'), + base_url=cli_ctx.cloud.endpoints.active_directory_graph_resource_id) + else: + profile = Profile(cli_ctx=cli_ctx) + cred, _, tenant_id = profile.get_login_credentials( + resource=cli_ctx.cloud.endpoints.active_directory_graph_resource_id) + client = GraphRbacManagementClient(cred, tenant_id, + base_url=cli_ctx.cloud.endpoints.active_directory_graph_resource_id) configure_common_settings(cli_ctx, client) return client def get_graph_client_service_principals(cli_ctx): return _graph_client_factory(cli_ctx).service_principals + + +class AccessTokenCredential: + """Simple access token Authentication. Returns the access token as-is. + """ + + def __init__(self, access_token): + self.access_token = access_token + + def get_token(self, *arg, **kwargs): + import time + # Assume the access token expires in 60 minutes + return AccessToken(self.access_token, int(time.time()) + 3600) + + def signed_session(self, session=None): + session = session or requests.Session() + header = "{} {}".format('Bearer', self.access_token) + session.headers['Authorization'] = header + return session + + +def validate_custom_token(): + if os.getenv('AZURE_SUBSCRIPTION_ID') is None: + telemetry.set_exception(exception='Required environment variables and parameters are not set', fault_type=consts.Custom_Token_Environments_Fault_Type, + summary='Required environment variables and parameters are not set') + raise ValidationError("Environment variable 'AZURE_SUBSCRIPTION_ID' should be set when custom access token is enabled.") diff --git a/src/connectedk8s/azext_connectedk8s/_constants.py b/src/connectedk8s/azext_connectedk8s/_constants.py index 03f327f262d..6318c5bc3b1 100644 --- a/src/connectedk8s/azext_connectedk8s/_constants.py +++ b/src/connectedk8s/azext_connectedk8s/_constants.py @@ -6,8 +6,8 @@ # pylint: disable=line-too-long -Distribution_Enum_Values = ["auto", "generic", "openshift", "rancher_rke", "kind", "k3s", "minikube", "gke", "eks", "aks", "aks_management", "aks_workload", "capz", "aks_engine", "tkg", "canonical", "karbon"] -Infrastructure_Enum_Values = ["auto", "generic", "azure", "aws", "gcp", "azure_stack_hci", "azure_stack_hub", "azure_stack_edge", "vsphere", "windows_server"] +Distribution_Enum_Values = ["generic", "openshift", "rancher_rke", "kind", "k3s", "minikube", "gke", "eks", "aks", "aks_management", "aks_workload", "capz", "aks_engine", "tkg", "canonical", "karbon", "aks_edge_k3s", "aks_edge_k8s"] +Infrastructure_Enum_Values = ["generic", "azure", "aws", "gcp", "azure_stack_hci", "azure_stack_hub", "azure_stack_edge", "vsphere", "windows_server", "Windows 11 Enterprise", "Windows 11 Enterprise N", "Windows 11 IoT Enterprise", "Windows 11 Pro", "Windows 10 Enterprise", "Windows 10 Enterprise N", "Windows 10 Enterprise LTSC 2021", "Windows 10 Enterprise N LTSC 2021", "Windows 10 IoT Enterprise", "Windows 10 IoT Enterprise LTSC 2021", "Windows 10 Pro", "Windows 10 Enterprise LTSC 2019", "Windows 10 Enterprise N LTSC 2019", "Windows 10 IoT Enterprise LTSC 2019", "Windows Server 2022", "Windows Server 2022 Datacenter", "Windows Server 2022 Standard", "Windows Server 2019", "Windows Server 2019 Datacenter", "Windows Server 2019 Standard"] AHB_Enum_Values = ["True", "False", "NotApplicable"] Feature_Values = ["cluster-connect", "azure-rbac", "custom-locations"] CRD_FOR_FORCE_DELETE = ["arccertificates.clusterconfig.azure.com", "azureclusteridentityrequests.clusterconfig.azure.com", "azureextensionidentities.clusterconfig.azure.com", "connectedclusters.arc.azure.com", "customlocationsettings.clusterconfig.azure.com", "extensionconfigs.clusterconfig.azure.com", "gitconfigs.clusterconfig.azure.com"] @@ -26,10 +26,13 @@ Dogfood_RMEndpoint = 'https://api-dogfood.resources.windows-int.net/' Client_Request_Id_Header = 'x-ms-client-request-id' Default_Onboarding_Source_Tracking_Guid = "77ade16b-0f55-403b-b7d2-739554a897f2" +Custom_Token_Environments_Fault_Type = 'custom-token-environment-error' Release_Install_Namespace = "azure-arc-release" Helm_Environment_File_Fault_Type = 'helm-environment-file-error' Invalid_Location_Fault_Type = 'location-validation-error' +Location_Fetch_Fault_Type = 'location-fetch-error' Pls_Location_Mismatch_Fault_Type = 'pls-location-mismatch-error' +Pls_Resource_Not_Found = 'pls-resource-not-found' Invalid_Argument_Fault_Type = 'argument-validation-error' Load_Kubeconfig_Fault_Type = 'kubeconfig-load-error' Read_ConfigMap_Fault_Type = 'configmap-read-error' @@ -61,6 +64,8 @@ Export_HelmChart_Fault_Type = 'helm-chart-export-error' Get_Kubernetes_Distro_Fault_Type = 'kubernetes-get-distribution-error' Get_Kubernetes_Namespace_Fault_Type = 'kubernetes-get-namespace-error' +Get_Kubernetes_Helm_Release_Namespace_Fault_Type = 'kubernetes-get-helm-release-namespace-error' +Delete_Kubernetes_Helm_Release_Namespace_Fault_Type = 'kubernetes-delete-helm-release-namespace-error' Update_Agent_Success = 'Agents for Connected Cluster {} have been updated successfully' Update_Agent_Failure = 'Error while updating agents. Please run \"kubectl get pods -n azure-arc\" to check the pods in case of timeout error. Error: {}' Get_Credentials_Failed_Fault_Type = 'failed-to-get-list-cluster-user-credentials' @@ -106,8 +111,9 @@ Error_Flattening_User_Supplied_Value_Dict = 'Error while flattening the user supplied helm values dict' Upgrade_RG_Cluster_Name_Conflict = 'The provided cluster name and rg correspond to different cluster' Corresponding_CC_Resource_Deleted_Fault = 'CC resource corresponding to this cluster has been deleted by the customer' -Kubernetes_Node_Type_Fetch_Fault = 'Error while trying to find a linux/amd64 node for scheduling pods' -Linux_Amd64_Node_Not_Exists = 'Kubernetes cluster doesnt have amd64/linux node' +Kubernetes_Node_Type_Fetch_Fault_OS = 'Error while trying to find a linux node for scheduling pods' +Kubernetes_Node_Type_Fetch_Fault_Arch = 'Error while trying to find an arm64 node for scheduling pods' +Linux_Node_Not_Exists = 'Kubernetes cluster doesnt have linux node' Operate_RG_Cluster_Name_Conflict = 'The provided cluster name and rg correspond to different cluster being operated on' Custom_Locations_Registration_Check_Fault_Type = "Error while checking resource provider registration of custom locations." Custom_Locations_OID_Fetch_Fault_Type = "Error while fetching oid for custom locations." @@ -182,13 +188,17 @@ Outbound_Network_Connectivity_Check = "outbound_network_connectivity_check.txt" Events_of_Incomplete_Diagnoser_Job = "diagnoser_failure_events.txt" # Connect Precheck Diagnoser constants -Cluster_Diagnostic_Checks_Job_Registry_Path = "mcr.microsoft.com/azurearck8s/helmchart/stable/clusterdiagnosticchecks:0.1.0" +Cluster_Diagnostic_Checks_Job_Registry_Path = "mcr.microsoft.com/azurearck8s/helmchart/stable/clusterdiagnosticchecks:0.1.1" Cluster_Diagnostic_Checks_Helm_Install_Failed_Fault_Type = "Error while installing cluster diagnostic checks helm release" Cluster_Diagnostic_Checks_Execution_Failed_Fault_Type = "Error occured while executing cluster diagnostic checks" Cluster_Diagnostic_Checks_Release_Cleanup_Failed = "Error occured while cleaning up the cluster diagnostic checks helm release" Cluster_Diagnostic_Checks_Job_Not_Scheduled = 'Unable to schedule cluster-diagnostic-checks job' Cluster_Diagnostic_Checks_Job_Not_Complete = 'Unable to complete cluster-diagnostic-checks job after scheduling' Pre_Onboarding_Diagnostic_Checks_Execution_Failed = 'Exception occured while trying to execute pre-onboarding diagnostic checks' +Outbound_Connectivity_Check_Failed = "Outbound network connectivity check failed" +DNS_Check_Failed = "DNS Resolution failed" +Cluster_Diagnostic_Prechecks_Failed = "Cluster diagnostic prechecks failed" +Cluster_Diagnostic_Prechecks_Incomplete = "Cluster diagnostic prechecks failed to complete" # Diagnostic Results Name Outbound_Connectivity_Check_Result_String = "Outbound Network Connectivity Result:" DNS_Check_Result_String = "DNS Result:" diff --git a/src/connectedk8s/azext_connectedk8s/_params.py b/src/connectedk8s/azext_connectedk8s/_params.py index c1dd552fa30..042b4d2081b 100644 --- a/src/connectedk8s/azext_connectedk8s/_params.py +++ b/src/connectedk8s/azext_connectedk8s/_params.py @@ -26,7 +26,10 @@ def load_arguments(self, _): with self.argument_context('connectedk8s connect') as c: c.argument('tags', tags_type) - c.argument('location', arg_type=get_location_type(self.cli_ctx), validator=get_default_location_from_resource_group) + if os.getenv('AZURE_ACCESS_TOKEN'): + c.argument('location', arg_type=get_location_type(self.cli_ctx)) + else: + c.argument('location', arg_type=get_location_type(self.cli_ctx), validator=get_default_location_from_resource_group) c.argument('cluster_name', options_list=['--name', '-n'], help='The name of the connected cluster.') c.argument('kube_config', options_list=['--kube-config'], help='Path to the kube config file.') c.argument('kube_context', options_list=['--kube-context'], help='Kubconfig context from current machine.') diff --git a/src/connectedk8s/azext_connectedk8s/_precheckutils.py b/src/connectedk8s/azext_connectedk8s/_precheckutils.py index a44a03fe836..7552dc35ab9 100644 --- a/src/connectedk8s/azext_connectedk8s/_precheckutils.py +++ b/src/connectedk8s/azext_connectedk8s/_precheckutils.py @@ -23,9 +23,9 @@ from msrest.exceptions import AuthenticationError, HttpOperationError, TokenExpiredError from msrest.exceptions import ValidationError as MSRestValidationError from kubernetes.client.rest import ApiException -from azext_connectedk8s._client_factory import _resource_client_factory, _resource_providers_client import azext_connectedk8s._constants as consts import azext_connectedk8s._utils as azext_utils +import azext_connectedk8s.custom as custom from kubernetes import client as kube_client from azure.cli.core import get_default_cli from azure.cli.core.azclierror import CLIInternalError, ClientRequestError, ArgumentUsageError, ManualInterrupt, AzureResponseError, AzureInternalError, ValidationError @@ -96,8 +96,8 @@ def executing_cluster_diagnostic_checks_job(corev1_api_instance, batchv1_api_ins job_name = "cluster-diagnostic-checks-job" # Setting the log output as Empty cluster_diagnostic_checks_container_log = "" - - cmd_helm_delete = [helm_client_location, "uninstall", "cluster-diagnostic-checks", "-n", "azure-arc-release"] + release_namespace = azext_utils.get_release_namespace(kube_config, kube_context, helm_client_location, "cluster-diagnostic-checks") + cmd_helm_delete = [helm_client_location, "delete", "cluster-diagnostic-checks", "-n", "azure-arc-release"] if kube_config: cmd_helm_delete.extend(["--kubeconfig", kube_config]) if kube_context: @@ -107,28 +107,30 @@ def executing_cluster_diagnostic_checks_job(corev1_api_instance, batchv1_api_ins try: # Executing the cluster diagnostic checks job yaml config.load_kube_config(kube_config, kube_context) - # Attempting deletion of cluster diagnostic checks resources to handle the scenario if any stale resources are present - response_kubectl_delete_helm = Popen(cmd_helm_delete, stdout=PIPE, stderr=PIPE) - output_kubectl_delete_helm, error_kubectl_delete_helm = response_kubectl_delete_helm.communicate() - # If any error occured while execution of delete command - if (response_kubectl_delete_helm != 0): - # Converting the string of multiple errors to list - error_msg_list = error_kubectl_delete_helm.decode("ascii").split("\n") - error_msg_list.pop(-1) - valid_exception_list = [] - # Checking if any exception occured or not - exception_occured_counter = 0 - for ind_errors in error_msg_list: - if('not found' in ind_errors or 'deleted' in ind_errors): - pass - else: - valid_exception_list.append(ind_errors) - exception_occured_counter = 1 - # If any exception occured we will print the exception and return - if exception_occured_counter == 1: - logger.warning("Cleanup of previous diagnostic checks helm release failed and hence couldn't install the new helm release. Please cleanup older release using \"helm delete cluster-diagnostic-checks -n azuer-arc-release\" and try onboarding again") - telemetry.set_exception(exception=error_kubectl_delete_helm.decode("ascii"), fault_type=consts.Cluster_Diagnostic_Checks_Release_Cleanup_Failed, summary="Error while executing cluster diagnostic checks Job") - return + # checking existence of the release and if present we delete the stale release + if release_namespace is not None: + # Attempting deletion of cluster diagnostic checks resources to handle the scenario if any stale resources are present + response_kubectl_delete_helm = Popen(cmd_helm_delete, stdout=PIPE, stderr=PIPE) + output_kubectl_delete_helm, error_kubectl_delete_helm = response_kubectl_delete_helm.communicate() + # If any error occured while execution of delete command + if (response_kubectl_delete_helm.returncode != 0): + # Converting the string of multiple errors to list + error_msg_list = error_kubectl_delete_helm.decode("ascii").split("\n") + error_msg_list.pop(-1) + valid_exception_list = [] + # Checking if any exception occured or not + exception_occured_counter = 0 + for ind_errors in error_msg_list: + if('not found' in ind_errors or 'deleted' in ind_errors): + pass + else: + valid_exception_list.append(ind_errors) + exception_occured_counter = 1 + # If any exception occured we will print the exception and return + if exception_occured_counter == 1: + logger.warning("Cleanup of previous diagnostic checks helm release failed and hence couldn't install the new helm release. Please cleanup older release using \"helm delete cluster-diagnostic-checks -n azure-arc-release\" and try onboarding again") + telemetry.set_exception(exception=error_kubectl_delete_helm.decode("ascii"), fault_type=consts.Cluster_Diagnostic_Checks_Release_Cleanup_Failed, summary="Error while executing cluster diagnostic checks Job") + return chart_path = azext_utils.get_chart_path(consts.Cluster_Diagnostic_Checks_Job_Registry_Path, kube_config, kube_context, helm_client_location, consts.Pre_Onboarding_Helm_Charts_Folder_Name, consts.Pre_Onboarding_Helm_Charts_Release_Name) diff --git a/src/connectedk8s/azext_connectedk8s/_utils.py b/src/connectedk8s/azext_connectedk8s/_utils.py index 6efe15b118c..5ff4e5ebf07 100644 --- a/src/connectedk8s/azext_connectedk8s/_utils.py +++ b/src/connectedk8s/azext_connectedk8s/_utils.py @@ -23,7 +23,7 @@ from msrest.exceptions import AuthenticationError, HttpOperationError, TokenExpiredError from msrest.exceptions import ValidationError as MSRestValidationError from kubernetes.client.rest import ApiException -from azext_connectedk8s._client_factory import _resource_client_factory, _resource_providers_client +from azext_connectedk8s._client_factory import resource_providers_client, cf_resource_groups import azext_connectedk8s._constants as consts import azext_connectedk8s._precheckutils as precheckutils import azext_connectedk8s._troubleshootutils as troubleshootutils @@ -53,11 +53,11 @@ def send(self, request, **kwargs): def validate_location(cmd, location): - subscription_id = get_subscription_id(cmd.cli_ctx) + subscription_id = os.getenv('AZURE_SUBSCRIPTION_ID') if os.getenv('AZURE_ACCESS_TOKEN') else get_subscription_id(cmd.cli_ctx) rp_locations = [] - resourceClient = _resource_client_factory(cmd.cli_ctx, subscription_id=subscription_id) + resourceClient = resource_providers_client(cmd.cli_ctx, subscription_id=subscription_id) try: - providerDetails = resourceClient.providers.get('Microsoft.Kubernetes') + providerDetails = resourceClient.get('Microsoft.Kubernetes') except Exception as e: # pylint: disable=broad-except arm_exception_handler(e, consts.Get_ResourceProvider_Fault_Type, 'Failed to fetch resource provider details') for resourceTypes in providerDetails.resource_types: @@ -71,6 +71,29 @@ def validate_location(cmd, location): break +def validate_custom_token(cmd, resource_group_name, location): + if os.getenv('AZURE_ACCESS_TOKEN'): + if os.getenv('AZURE_SUBSCRIPTION_ID') is None: + telemetry.set_exception(exception='Required environment variables and parameters are not set', fault_type=consts.Custom_Token_Environments_Fault_Type, + summary='Required environment variables and parameters are not set') + raise ValidationError("Environment variable 'AZURE_SUBSCRIPTION_ID' should be set when custom access token is enabled.") + if os.getenv('AZURE_TENANT_ID') is None: + telemetry.set_exception(exception='Required environment variables and parameters are not set', fault_type=consts.Custom_Token_Environments_Fault_Type, + summary='Required environment variables and parameters are not set') + raise ValidationError("Environment variable 'AZURE_TENANT_ID' should be set when custom access token is enabled.") + if location is None: + try: + resource_client = cf_resource_groups(cmd.cli_ctx, os.getenv('AZURE_SUBSCRIPTION_ID')) + rg = resource_client.get(resource_group_name) + location = rg.location + except Exception as ex: + telemetry.set_exception(exception=ex, fault_type=consts.Location_Fetch_Fault_Type, + summary='Unable to fetch location from resource group') + raise ValidationError("Unable to fetch location from resource group: ".format(str(ex))) + return True, location + return False, location + + def get_chart_path(registry_path, kube_config, kube_context, helm_client_location, chart_folder_name='AzureArcCharts', chart_name='azure-arc-k8sagents'): # Pulling helm chart from registry os.environ['HELM_EXPERIMENTAL_OCI'] = '1' @@ -96,18 +119,23 @@ def get_chart_path(registry_path, kube_config, kube_context, helm_client_locatio return chart_path -def pull_helm_chart(registry_path, kube_config, kube_context, helm_client_location, chart_name='azure-arc-k8sagents'): +def pull_helm_chart(registry_path, kube_config, kube_context, helm_client_location, chart_name='azure-arc-k8sagents', retry_count=5, retry_delay=3): cmd_helm_chart_pull = [helm_client_location, "chart", "pull", registry_path] if kube_config: cmd_helm_chart_pull.extend(["--kubeconfig", kube_config]) if kube_context: cmd_helm_chart_pull.extend(["--kube-context", kube_context]) - response_helm_chart_pull = subprocess.Popen(cmd_helm_chart_pull, stdout=PIPE, stderr=PIPE) - _, error_helm_chart_pull = response_helm_chart_pull.communicate() - if response_helm_chart_pull.returncode != 0: - telemetry.set_exception(exception=error_helm_chart_pull.decode("ascii"), fault_type=consts.Pull_HelmChart_Fault_Type, - summary="Unable to pull {} helm charts from the registry".format(chart_name)) - raise CLIInternalError("Unable to pull {} helm chart from the registry '{}': ".format(chart_name, registry_path) + error_helm_chart_pull.decode("ascii")) + for i in range(retry_count): + response_helm_chart_pull = subprocess.Popen(cmd_helm_chart_pull, stdout=PIPE, stderr=PIPE) + _, error_helm_chart_pull = response_helm_chart_pull.communicate() + if response_helm_chart_pull.returncode != 0: + if i == retry_count - 1: + telemetry.set_exception(exception=error_helm_chart_pull.decode("ascii"), fault_type=consts.Pull_HelmChart_Fault_Type, + summary="Unable to pull {} helm charts from the registry".format(chart_name)) + raise CLIInternalError("Unable to pull {} helm chart from the registry '{}': ".format(chart_name, registry_path) + error_helm_chart_pull.decode("ascii")) + time.sleep(retry_delay) + else: + break def export_helm_chart(registry_path, chart_export_path, kube_config, kube_context, helm_client_location, chart_name='azure-arc-k8sagents'): @@ -138,6 +166,7 @@ def check_cluster_DNS(dns_check_log, filepath_with_timestamp, storage_space_avai dns_check_path = os.path.join(filepath_with_timestamp, consts.DNS_Check) with open(dns_check_path, 'w+') as dns: dns.write(formatted_dns_log + "\nWe found an issue with the DNS resolution on your cluster.") + telemetry.set_exception(exception='DNS resolution check failed in the cluster', fault_type=consts.DNS_Check_Failed, summary="DNS check failed in the cluster") return consts.Diagnostic_Check_Failed, storage_space_available else: if storage_space_available: @@ -181,12 +210,13 @@ def check_cluster_outbound_connectivity(outbound_connectivity_check_log, filepat outbound.write("Response code " + outbound_connectivity_response + "\nOutbound network connectivity check passed successfully.") return consts.Diagnostic_Check_Passed, storage_space_available else: - logger.warning("Error: We found an issue with outbound network connectivity from the cluster.\nIf your cluster is behind an outbound proxy server, please ensure that you have passed proxy parameters during the onboarding of your cluster.\nFor more details visit 'https://docs.microsoft.com/en-us/azure/azure-arc/kubernetes/quickstart-connect-cluster?tabs=azure-cli#connect-using-an-outbound-proxy-server'.\nPlease ensure to meet the following network requirements 'https://docs.microsoft.com/en-us/azure/azure-arc/kubernetes/quickstart-connect-cluster?tabs=azure-cli#meet-network-requirements' \n") - diagnoser_output.append("Error: We found an issue with outbound network connectivity from the cluster.\nIf your cluster is behind an outbound proxy server, please ensure that you have passed proxy parameters during the onboarding of your cluster.\nFor more details visit 'https://docs.microsoft.com/en-us/azure/azure-arc/kubernetes/quickstart-connect-cluster?tabs=azure-cli#connect-using-an-outbound-proxy-server'.\nPlease ensure to meet the following network requirements 'https://docs.microsoft.com/en-us/azure/azure-arc/kubernetes/quickstart-connect-cluster?tabs=azure-cli#meet-network-requirements' \n") + logger.warning("Error: We found an issue with outbound network connectivity from the cluster.\nPlease ensure to meet the following network requirements 'https://docs.microsoft.com/en-us/azure/azure-arc/kubernetes/quickstart-connect-cluster?tabs=azure-cli#meet-network-requirements' \nIf your cluster is behind an outbound proxy server, please ensure that you have passed proxy parameters during the onboarding of your cluster.\nFor more details visit 'https://docs.microsoft.com/en-us/azure/azure-arc/kubernetes/quickstart-connect-cluster?tabs=azure-cli#connect-using-an-outbound-proxy-server' \n") + diagnoser_output.append("Error: We found an issue with outbound network connectivity from the cluster.\nPlease ensure to meet the following network requirements 'https://docs.microsoft.com/en-us/azure/azure-arc/kubernetes/quickstart-connect-cluster?tabs=azure-cli#meet-network-requirements' \nIf your cluster is behind an outbound proxy server, please ensure that you have passed proxy parameters during the onboarding of your cluster.\nFor more details visit 'https://docs.microsoft.com/en-us/azure/azure-arc/kubernetes/quickstart-connect-cluster?tabs=azure-cli#connect-using-an-outbound-proxy-server' \n") if storage_space_available: outbound_connectivity_check_path = os.path.join(filepath_with_timestamp, consts.Outbound_Network_Connectivity_Check) with open(outbound_connectivity_check_path, 'w+') as outbound: outbound.write("Response code " + outbound_connectivity_response + "\nWe found an issue with Outbound network connectivity from the cluster.") + telemetry.set_exception(exception='Outbound network connectivity check failed', fault_type=consts.Outbound_Connectivity_Check_Failed, summary="Outbound network connectivity check failed in the cluster") return consts.Diagnostic_Check_Failed, storage_space_available # For handling storage or OS exception that may occur during the execution @@ -323,13 +353,11 @@ def get_helm_registry(cmd, config_dp_endpoint, dp_endpoint_dogfood=None, release release_train = release_train_dogfood uri_parameters = ["releaseTrain={}".format(release_train)] resource = cmd.cli_ctx.cloud.endpoints.active_directory_resource_id - # Sending request - try: - r = send_raw_request(cmd.cli_ctx, 'post', get_chart_location_url, uri_parameters=uri_parameters, resource=resource) - except Exception as e: - telemetry.set_exception(exception=e, fault_type=consts.Get_HelmRegistery_Path_Fault_Type, - summary='Error while fetching helm chart registry path') - raise CLIInternalError("Error while fetching helm chart registry path: " + str(e)) + headers = None + if os.getenv('AZURE_ACCESS_TOKEN'): + headers = ["Authorization=Bearer {}".format(os.getenv('AZURE_ACCESS_TOKEN'))] + # Sending request with retries + r = send_request_with_retries(cmd.cli_ctx, 'post', get_chart_location_url, headers=headers, fault_type=consts.Get_HelmRegistery_Path_Fault_Type, summary='Error while fetching helm chart registry path', uri_parameters=uri_parameters, resource=resource) if r.content: try: return r.json().get('repositoryPath') @@ -343,6 +371,18 @@ def get_helm_registry(cmd, config_dp_endpoint, dp_endpoint_dogfood=None, release raise CLIInternalError("No content was found in helm registry path response.") +def send_request_with_retries(cli_ctx, method, url, headers, fault_type, summary, uri_parameters=None, resource=None, retry_count=5, retry_delay=3): + for i in range(retry_count): + try: + response = send_raw_request(cli_ctx, method, url, headers=headers, uri_parameters=uri_parameters, resource=resource) + return response + except Exception as e: + if i == retry_count - 1: + telemetry.set_exception(exception=e, fault_type=fault_type, summary=summary) + raise CLIInternalError("Error while fetching helm chart registry path: " + str(e)) + time.sleep(retry_delay) + + def arm_exception_handler(ex, fault_type, summary, return_if_not_found=False): if isinstance(ex, AuthenticationError): telemetry.set_exception(exception=ex, fault_type=fault_type, summary=summary) @@ -449,11 +489,13 @@ def ensure_namespace_cleanup(): raise_error=False) -def delete_arc_agents(release_namespace, kube_config, kube_context, helm_client_location, no_hooks=False): +def delete_arc_agents(release_namespace, kube_config, kube_context, helm_client_location, is_arm64_cluster=False, no_hooks=False): if(no_hooks): cmd_helm_delete = [helm_client_location, "delete", "azure-arc", "--namespace", release_namespace, "--no-hooks"] else: cmd_helm_delete = [helm_client_location, "delete", "azure-arc", "--namespace", release_namespace] + if is_arm64_cluster: + cmd_helm_delete.extend(["--timeout", "15m"]) if kube_config: cmd_helm_delete.extend(["--kubeconfig", kube_config]) if kube_context: @@ -467,8 +509,28 @@ def delete_arc_agents(release_namespace, kube_config, kube_context, helm_client_ summary='Unable to delete helm release') raise CLIInternalError("Error occured while cleaning up arc agents. " + "Helm release deletion failed: " + error_helm_delete.decode("ascii") + - " Please run 'helm delete azure-arc' to ensure that the release is deleted.") + " Please run 'helm delete azure-arc --namespace {}' to ensure that the release is deleted.".format(release_namespace)) ensure_namespace_cleanup() + # Cleanup azure-arc-release NS if present (created during helm installation) + cleanup_release_install_namespace_if_exists() + + +def cleanup_release_install_namespace_if_exists(): + api_instance = kube_client.CoreV1Api() + try: + api_instance.read_namespace(consts.Release_Install_Namespace) + except Exception as ex: + if ex.status == 404: + # Nothing to delete, exiting here + return + else: + kubernetes_exception_handler(ex, consts.Get_Kubernetes_Helm_Release_Namespace_Fault_Type, error_message='Unable to fetch details about existense of kubernetes namespace: {}'.format(consts.Release_Install_Namespace), summary='Unable to fetch kubernetes namespace: {}'.format(consts.Release_Install_Namespace)) + + # If namespace exists, delete it + try: + api_instance.delete_namespace(consts.Release_Install_Namespace) + except Exception as ex: + kubernetes_exception_handler(ex, consts.Delete_Kubernetes_Helm_Release_Namespace_Fault_Type, error_message='Unable to clean-up kubernetes namespace: {}'.format(consts.Release_Install_Namespace), summary='Unable to delete kubernetes namespace: {}'.format(consts.Release_Install_Namespace)) # DO NOT use this method for re-put scenarios. This method involves new NS creation for helm release. For re-put scenarios, brownfield scenario needs to be handled where helm release still stays in default NS @@ -536,6 +598,31 @@ def helm_install_release(chart_path, subscription_id, kubernetes_distro, kuberne raise CLIInternalError("Unable to install helm release: " + error_helm_install.decode("ascii")) +def get_release_namespace(kube_config, kube_context, helm_client_location, release_name='azure-arc'): + cmd_helm_release = [helm_client_location, "list", "-a", "--all-namespaces", "--output", "json"] + if kube_config: + cmd_helm_release.extend(["--kubeconfig", kube_config]) + if kube_context: + cmd_helm_release.extend(["--kube-context", kube_context]) + response_helm_release = Popen(cmd_helm_release, stdout=PIPE, stderr=PIPE) + output_helm_release, error_helm_release = response_helm_release.communicate() + if response_helm_release.returncode != 0: + if 'forbidden' in error_helm_release.decode("ascii"): + telemetry.set_user_fault() + telemetry.set_exception(exception=error_helm_release.decode("ascii"), fault_type=consts.List_HelmRelease_Fault_Type, + summary='Unable to list helm release') + raise CLIInternalError("Helm list release failed: " + error_helm_release.decode("ascii")) + output_helm_release = output_helm_release.decode("ascii") + try: + output_helm_release = json.loads(output_helm_release) + except json.decoder.JSONDecodeError: + return None + for release in output_helm_release: + if release['name'] == release_name: + return release['namespace'] + return None + + def flatten(dd, separator='.', prefix=''): try: if isinstance(dd, dict): @@ -591,9 +678,9 @@ def names(self, names): logger.debug("Error while trying to monkey patch the fix for list_node(): {}".format(str(ex))) -def check_provider_registrations(cli_ctx): +def check_provider_registrations(cli_ctx, subscription_id): try: - rp_client = _resource_providers_client(cli_ctx) + rp_client = resource_providers_client(cli_ctx, subscription_id) cc_registration_state = rp_client.get(consts.Connected_Cluster_Provider_Namespace).registration_state if cc_registration_state != "Registered": telemetry.set_exception(exception="{} provider is not registered".format(consts.Connected_Cluster_Provider_Namespace), fault_type=consts.CC_Provider_Namespace_Not_Registered_Fault_Type, diff --git a/src/connectedk8s/azext_connectedk8s/custom.py b/src/connectedk8s/azext_connectedk8s/custom.py index 69fffe4387a..e9856fc7ee5 100644 --- a/src/connectedk8s/azext_connectedk8s/custom.py +++ b/src/connectedk8s/azext_connectedk8s/custom.py @@ -33,14 +33,14 @@ from azure.cli.core.util import sdk_no_wait from azure.cli.core import telemetry from azure.cli.core.azclierror import ManualInterrupt, InvalidArgumentValueError, UnclassifiedUserFault, CLIInternalError, FileOperationError, ClientRequestError, DeploymentError, ValidationError, ArgumentUsageError, MutuallyExclusiveArgumentError, RequiredArgumentMissingError, ResourceNotFoundError +from azure.core.exceptions import HttpResponseError from kubernetes import client as kube_client, config from Crypto.IO import PEM from Crypto.PublicKey import RSA from Crypto.Util import asn1 from azext_connectedk8s._client_factory import _graph_client_factory from azext_connectedk8s._client_factory import cf_resource_groups -from azext_connectedk8s._client_factory import _resource_client_factory -from azext_connectedk8s._client_factory import _resource_providers_client +from azext_connectedk8s._client_factory import resource_providers_client from azext_connectedk8s._client_factory import get_graph_client_service_principals from azext_connectedk8s._client_factory import cf_connected_cluster_prev_2022_10_01 from azext_connectedk8s._client_factory import cf_connectedmachine @@ -66,11 +66,14 @@ def create_connectedk8s(cmd, client, resource_group_name, cluster_name, correlation_id=None, https_proxy="", http_proxy="", no_proxy="", proxy_cert="", location=None, - kube_config=None, kube_context=None, no_wait=False, tags=None, distribution='auto', infrastructure='auto', + kube_config=None, kube_context=None, no_wait=False, tags=None, distribution='generic', infrastructure='generic', disable_auto_upgrade=False, cl_oid=None, onboarding_timeout="600", enable_private_link=None, private_link_scope_resource_id=None, distribution_version=None, azure_hybrid_benefit=None, yes=False, container_log_path=None): logger.warning("This operation might take a while...\n") + # Validate custom token operation + custom_token_passed, location = utils.validate_custom_token(cmd, resource_group_name, location) + # Prompt for confirmation for few parameters if enable_private_link is True: confirmation_message = "The Cluster Connect and Custom Location features are not supported by Private Link at this time. Enabling Private Link will disable these features. Are you sure you want to continue?" @@ -82,15 +85,18 @@ def create_connectedk8s(cmd, client, resource_group_name, cluster_name, correlat utils.user_confirmation(confirmation_message, yes) # Setting subscription id and tenant Id - subscription_id = get_subscription_id(cmd.cli_ctx) - account = Profile().get_subscription(subscription_id) - onboarding_tenant_id = account['homeTenantId'] + subscription_id = os.getenv('AZURE_SUBSCRIPTION_ID') if custom_token_passed is True else get_subscription_id(cmd.cli_ctx) + if custom_token_passed is True: + onboarding_tenant_id = os.getenv('AZURE_TENANT_ID') + else: + account = Profile().get_subscription(subscription_id) + onboarding_tenant_id = account['homeTenantId'] # Send cloud information to telemetry azure_cloud = send_cloud_telemetry(cmd) # Checking provider registration status - utils.check_provider_registrations(cmd.cli_ctx) + utils.check_provider_registrations(cmd.cli_ctx, subscription_id) # Setting kubeconfig kube_config = set_kube_config(kube_config) @@ -137,7 +143,9 @@ def create_connectedk8s(cmd, client, resource_group_name, cluster_name, correlat utils.try_list_node_fix() api_instance = kube_client.CoreV1Api() node_api_response = utils.validate_node_api_response(api_instance, None) + is_arm64_cluster = check_arm64_node(node_api_response) + required_node_exists = check_linux_node(node_api_response) # Pre onboarding checks try: kubectl_client_location = install_kubectl_client() @@ -185,14 +193,18 @@ def create_connectedk8s(cmd, client, resource_group_name, cluster_name, correlat if diagnostic_checks != consts.Diagnostic_Check_Passed: if storage_space_available: logger.warning("The pre-check result logs logs have been saved at this path:" + filepath_with_timestamp + " .\nThese logs can be attached while filing a support ticket for further assistance.\n") - raise ValidationError("One or more pre-onboarding diagnostic checks failed and hence not proceeding with cluster onboarding. Please resolve them and try onboarding again.") + if(diagnostic_checks == consts.Diagnostic_Check_Incomplete): + telemetry.set_exception(exception='Cluster Diagnostic Prechecks Incomplete', fault_type=consts.Cluster_Diagnostic_Prechecks_Incomplete, summary="Cluster Diagnostic Prechecks didnt complete in the cluster") + raise ValidationError("Execution of pre-onboarding checks failed and hence not proceeding with cluster onboarding. Please meet the prerequisites - 'https://learn.microsoft.com/en-us/azure/azure-arc/kubernetes/quickstart-connect-cluster?tabs=azure-cli%2Cazure-cloud#prerequisites' and try onboarding again.") + else: + telemetry.set_exception(exception='Cluster Diagnostic Prechecks Failed', fault_type=consts.Cluster_Diagnostic_Prechecks_Failed, summary="Cluster Diagnostic Prechecks Failed in the cluster") + raise ValidationError("One or more pre-onboarding diagnostic checks failed and hence not proceeding with cluster onboarding. Please resolve them and try onboarding again.") - required_node_exists = check_linux_amd64_node(node_api_response) if not required_node_exists: telemetry.set_user_fault() - telemetry.set_exception(exception="Couldn't find any node on the kubernetes cluster with the architecture type 'amd64' and OS 'linux'", fault_type=consts.Linux_Amd64_Node_Not_Exists, - summary="Couldn't find any node on the kubernetes cluster with the architecture type 'amd64' and OS 'linux'") - logger.warning("Please ensure that this Kubernetes cluster have any nodes with OS 'linux' and architecture 'amd64', for scheduling the Arc-Agents onto and connecting to Azure. Learn more at {}".format("https://aka.ms/ArcK8sSupportedOSArchitecture")) + telemetry.set_exception(exception="Couldn't find any node on the kubernetes cluster with the OS 'linux'", fault_type=consts.Linux_Node_Not_Exists, + summary="Couldn't find any node on the kubernetes cluster with the OS 'linux'") + logger.warning("Please ensure that this Kubernetes cluster have any nodes with OS 'linux', for scheduling the Arc-Agents onto and connecting to Azure. Learn more at {}".format("https://aka.ms/ArcK8sSupportedOSArchitecture")) crb_permission = utils.can_create_clusterrolebindings() if not crb_permission: @@ -201,14 +213,8 @@ def create_connectedk8s(cmd, client, resource_group_name, cluster_name, correlat raise ValidationError("Your credentials doesn't have permission to create clusterrolebindings on this kubernetes cluster. Please check your permissions.") # Get kubernetes cluster info - if distribution == 'auto': - kubernetes_distro = get_kubernetes_distro(node_api_response) # (cluster heuristics) - else: - kubernetes_distro = distribution - if infrastructure == 'auto': - kubernetes_infra = get_kubernetes_infra(node_api_response) # (cluster heuristics) - else: - kubernetes_infra = infrastructure + kubernetes_distro = distribution + kubernetes_infra = infrastructure kubernetes_properties = { 'Context.Default.AzureCLI.KubernetesVersion': kubernetes_version, @@ -227,7 +233,7 @@ def create_connectedk8s(cmd, client, resource_group_name, cluster_name, correlat # Validate location utils.validate_location(cmd, location) - resourceClient = _resource_client_factory(cmd.cli_ctx, subscription_id=subscription_id) + resourceClient = cf_resource_groups(cmd.cli_ctx, subscription_id=subscription_id) # Validate location of private link scope resource. Throws error only if there is a location mismatch if enable_private_link is True: @@ -243,10 +249,16 @@ def create_connectedk8s(cmd, client, resource_group_name, cluster_name, correlat except ArgumentUsageError as argex: raise(argex) except Exception as ex: + if isinstance(ex, HttpResponseError): + status_code = ex.response.status_code + if status_code == 404: + telemetry.set_exception(exception='Private link scope resource does not exist', + fault_type=consts.Pls_Resource_Not_Found, summary='Pls resource does not exist') + raise ArgumentUsageError("The private link scope resource '{}' does not exist. Please ensure that you pass a valid ARM Resource Id.".format(private_link_scope_resource_id)) logger.warning("Error occured while checking the private link scope resource location: %s\n", ex) # Check Release Existance - release_namespace = get_release_namespace(kube_config, kube_context, helm_client_location) + release_namespace = utils.get_release_namespace(kube_config, kube_context, helm_client_location) if release_namespace: # Loading config map @@ -282,7 +294,7 @@ def create_connectedk8s(cmd, client, resource_group_name, cluster_name, correlat " '{}' with resource name '{}'.".format(configmap_rg_name, configmap_cluster_name)) else: # Cleanup agents and continue with put - utils.delete_arc_agents(release_namespace, kube_config, kube_context, helm_client_location) + utils.delete_arc_agents(release_namespace, kube_config, kube_context, helm_client_location, is_arm64_cluster) else: if connected_cluster_exists(client, resource_group_name, cluster_name): telemetry.set_exception(exception='The connected cluster resource already exists', fault_type=consts.Resource_Already_Exists_Fault_Type, @@ -298,7 +310,7 @@ def create_connectedk8s(cmd, client, resource_group_name, cluster_name, correlat ResourceGroup = cmd.get_models('ResourceGroup', resource_type=ResourceType.MGMT_RESOURCE_RESOURCES) parameters = ResourceGroup(location=location) try: - resourceClient.resource_groups.create_or_update(resource_group_name, parameters) + resourceClient.create_or_update(resource_group_name, parameters) except Exception as e: # pylint: disable=broad-except utils.arm_exception_handler(e, consts.Create_ResourceGroup_Fault_Type, 'Failed to create the resource group') @@ -345,7 +357,7 @@ def create_connectedk8s(cmd, client, resource_group_name, cluster_name, correlat put_cc_response = create_cc_resource(client, resource_group_name, cluster_name, cc, no_wait).result() # Checking if custom locations rp is registered and fetching oid if it is registered - enable_custom_locations, custom_locations_oid = check_cl_registration_and_get_oid(cmd, cl_oid) + enable_custom_locations, custom_locations_oid = check_cl_registration_and_get_oid(cmd, cl_oid, subscription_id) # Install azure-arc agents utils.helm_install_release(chart_path, subscription_id, kubernetes_distro, kubernetes_infra, resource_group_name, cluster_name, @@ -543,74 +555,28 @@ def get_private_key(key_pair): return PEM.encode(privKey_DER, "RSA PRIVATE KEY") -def get_kubernetes_distro(api_response): # Heuristic - if api_response is None: - return "generic" +def check_linux_node(api_response): try: - for node in api_response.items: - labels = node.metadata.labels - provider_id = str(node.spec.provider_id) - annotations = node.metadata.annotations - if labels.get("node.openshift.io/os_id"): - return "openshift" - if labels.get("kubernetes.azure.com/node-image-version"): - return "aks" - if labels.get("cloud.google.com/gke-nodepool") or labels.get("cloud.google.com/gke-os-distribution"): - return "gke" - if labels.get("eks.amazonaws.com/nodegroup"): - return "eks" - if labels.get("minikube.k8s.io/version"): - return "minikube" - if provider_id.startswith("kind://"): - return "kind" - if provider_id.startswith("k3s://"): - return "k3s" - if annotations.get("rke.cattle.io/external-ip") or annotations.get("rke.cattle.io/internal-ip"): - return "rancher_rke" - return "generic" - except Exception as e: # pylint: disable=broad-except - logger.debug("Error occured while trying to fetch kubernetes distribution: " + str(e)) - utils.kubernetes_exception_handler(e, consts.Get_Kubernetes_Distro_Fault_Type, 'Unable to fetch kubernetes distribution', - raise_error=False) - return "generic" - - -def get_kubernetes_infra(api_response): # Heuristic - if api_response is None: - return "generic" - try: - for node in api_response.items: - provider_id = str(node.spec.provider_id) - infra = provider_id.split(':')[0] - if infra == "k3s" or infra == "kind": - return "generic" - if infra == "azure": - return "azure" - if infra == "gce": - return "gcp" - if infra == "aws": - return "aws" - k8s_infra = utils.validate_infrastructure_type(infra) - if k8s_infra is not None: - return k8s_infra - return "generic" + for item in api_response.items: + node_os = item.metadata.labels.get("kubernetes.io/os") + if node_os == "linux": + return True except Exception as e: # pylint: disable=broad-except - logger.debug("Error occured while trying to fetch kubernetes infrastructure: " + str(e)) - utils.kubernetes_exception_handler(e, consts.Get_Kubernetes_Infra_Fault_Type, 'Unable to fetch kubernetes infrastructure', + logger.debug("Error occured while trying to find a linux node: " + str(e)) + utils.kubernetes_exception_handler(e, consts.Kubernetes_Node_Type_Fetch_Fault_OS, 'Unable to find a linux node', raise_error=False) - return "generic" + return False -def check_linux_amd64_node(api_response): +def check_arm64_node(api_response): try: for item in api_response.items: node_arch = item.metadata.labels.get("kubernetes.io/arch") - node_os = item.metadata.labels.get("kubernetes.io/os") - if node_arch == "amd64" and node_os == "linux": + if node_arch == "arm64": return True except Exception as e: # pylint: disable=broad-except - logger.debug("Error occured while trying to find a linux/amd64 node: " + str(e)) - utils.kubernetes_exception_handler(e, consts.Kubernetes_Node_Type_Fetch_Fault, 'Unable to find a linux/amd64 node', + logger.debug("Error occured while trying to find an arm64 node: " + str(e)) + utils.kubernetes_exception_handler(e, consts.Kubernetes_Node_Type_Fetch_Fault_Arch, 'Unable to find an arm64 node', raise_error=False) return False @@ -767,7 +733,12 @@ def delete_connectedk8s(cmd, client, resource_group_name, cluster_name, helm_client_location = install_helm_client() # Check Release Existance - release_namespace = get_release_namespace(kube_config, kube_context, helm_client_location) + release_namespace = utils.get_release_namespace(kube_config, kube_context, helm_client_location) + + utils.try_list_node_fix() + api_instance = kube_client.CoreV1Api() + node_api_response = utils.validate_node_api_response(api_instance, None) + is_arm64_cluster = check_arm64_node(node_api_response) # Check forced delete flag if(force_delete): @@ -821,7 +792,7 @@ def delete_connectedk8s(cmd, client, resource_group_name, cluster_name, _, error_helm_delete = output_patch_cmd.communicate() if(release_namespace): - utils.delete_arc_agents(release_namespace, kube_config, kube_context, helm_client_location, True) + utils.delete_arc_agents(release_namespace, kube_config, kube_context, helm_client_location, is_arm64_cluster, True) return @@ -830,7 +801,6 @@ def delete_connectedk8s(cmd, client, resource_group_name, cluster_name, return # Loading config map - api_instance = kube_client.CoreV1Api() try: configmap = api_instance.read_namespaced_config_map('azure-clusterconfig', 'azure-arc') except Exception as e: # pylint: disable=broad-except @@ -838,7 +808,7 @@ def delete_connectedk8s(cmd, client, resource_group_name, cluster_name, error_message="Unable to read ConfigMap 'azure-clusterconfig' in 'azure-arc' namespace: ", message_for_not_found="The helm release 'azure-arc' is present but the azure-arc namespace/configmap is missing. Please run 'helm delete azure-arc --namepace {} --no-hooks' to cleanup the release before onboarding the cluster again.".format(release_namespace)) - subscription_id = get_subscription_id(cmd.cli_ctx) + subscription_id = os.getenv('AZURE_SUBSCRIPTION_ID') if os.getenv('AZURE_ACCESS_TOKEN') else get_subscription_id(cmd.cli_ctx) if (configmap.data["AZURE_RESOURCE_GROUP"].lower() == resource_group_name.lower() and configmap.data["AZURE_RESOURCE_NAME"].lower() == cluster_name.lower() and configmap.data["AZURE_SUBSCRIPTION_ID"].lower() == subscription_id.lower()): @@ -861,32 +831,7 @@ def delete_connectedk8s(cmd, client, resource_group_name, cluster_name, "and resource name '{}'.".format(configmap.data["AZURE_RESOURCE_NAME"])) # Deleting the azure-arc agents - utils.delete_arc_agents(release_namespace, kube_config, kube_context, helm_client_location) - - -def get_release_namespace(kube_config, kube_context, helm_client_location): - cmd_helm_release = [helm_client_location, "list", "-a", "--all-namespaces", "--output", "json"] - if kube_config: - cmd_helm_release.extend(["--kubeconfig", kube_config]) - if kube_context: - cmd_helm_release.extend(["--kube-context", kube_context]) - response_helm_release = Popen(cmd_helm_release, stdout=PIPE, stderr=PIPE) - output_helm_release, error_helm_release = response_helm_release.communicate() - if response_helm_release.returncode != 0: - if 'forbidden' in error_helm_release.decode("ascii"): - telemetry.set_user_fault() - telemetry.set_exception(exception=error_helm_release.decode("ascii"), fault_type=consts.List_HelmRelease_Fault_Type, - summary='Unable to list helm release') - raise CLIInternalError("Helm list release failed: " + error_helm_release.decode("ascii")) - output_helm_release = output_helm_release.decode("ascii") - try: - output_helm_release = json.loads(output_helm_release) - except json.decoder.JSONDecodeError: - return None - for release in output_helm_release: - if release['name'] == 'azure-arc': - return release['namespace'] - return None + utils.delete_arc_agents(release_namespace, kube_config, kube_context, helm_client_location, is_arm64_cluster) def create_cc_resource(client, resource_group_name, cluster_name, cc, no_wait): @@ -1005,26 +950,17 @@ def update_connected_cluster(cmd, client, resource_group_name, cluster_name, htt # Fetch Connected Cluster for agent version connected_cluster = get_connectedk8s(cmd, client, resource_group_name, cluster_name) - api_instance = kube_client.CoreV1Api() - node_api_response = None + + kubernetes_properties = {'Context.Default.AzureCLI.KubernetesVersion': kubernetes_version} if hasattr(connected_cluster, 'distribution') and (connected_cluster.distribution is not None): kubernetes_distro = connected_cluster.distribution - else: - node_api_response = utils.validate_node_api_response(api_instance, node_api_response) - kubernetes_distro = get_kubernetes_distro(node_api_response) + kubernetes_properties['Context.Default.AzureCLI.KubernetesDistro'] = kubernetes_distro if hasattr(connected_cluster, 'infrastructure') and (connected_cluster.infrastructure is not None): kubernetes_infra = connected_cluster.infrastructure - else: - node_api_response = utils.validate_node_api_response(api_instance, node_api_response) - kubernetes_infra = get_kubernetes_infra(node_api_response) + kubernetes_properties['Context.Default.AzureCLI.KubernetesInfra'] = kubernetes_infra - kubernetes_properties = { - 'Context.Default.AzureCLI.KubernetesVersion': kubernetes_version, - 'Context.Default.AzureCLI.KubernetesDistro': kubernetes_distro, - 'Context.Default.AzureCLI.KubernetesInfra': kubernetes_infra - } telemetry.add_extension_event('connectedk8s', kubernetes_properties) # Adding helm repo @@ -1143,13 +1079,12 @@ def upgrade_agents(cmd, client, resource_group_name, cluster_name, kube_config=N utils.try_list_node_fix() api_instance = kube_client.CoreV1Api() - node_api_response = None # Install helm client helm_client_location = install_helm_client() # Check Release Existance - release_namespace = get_release_namespace(kube_config, kube_context, helm_client_location) + release_namespace = utils.get_release_namespace(kube_config, kube_context, helm_client_location) if release_namespace: # Loading config map api_instance = kube_client.CoreV1Api() @@ -1191,23 +1126,16 @@ def upgrade_agents(cmd, client, resource_group_name, cluster_name, kube_config=N # Fetch Connected Cluster for agent version connected_cluster = get_connectedk8s(cmd, client, resource_group_name, cluster_name) + kubernetes_properties = {'Context.Default.AzureCLI.KubernetesVersion': kubernetes_version} + if hasattr(connected_cluster, 'distribution') and (connected_cluster.distribution is not None): kubernetes_distro = connected_cluster.distribution - else: - node_api_response = utils.validate_node_api_response(api_instance, node_api_response) - kubernetes_distro = get_kubernetes_distro(node_api_response) + kubernetes_properties['Context.Default.AzureCLI.KubernetesDistro'] = kubernetes_distro if hasattr(connected_cluster, 'infrastructure') and (connected_cluster.infrastructure is not None): kubernetes_infra = connected_cluster.infrastructure - else: - node_api_response = utils.validate_node_api_response(api_instance, node_api_response) - kubernetes_infra = get_kubernetes_infra(node_api_response) + kubernetes_properties['Context.Default.AzureCLI.KubernetesInfra'] = kubernetes_infra - kubernetes_properties = { - 'Context.Default.AzureCLI.KubernetesVersion': kubernetes_version, - 'Context.Default.AzureCLI.KubernetesDistro': kubernetes_distro, - 'Context.Default.AzureCLI.KubernetesInfra': kubernetes_infra - } telemetry.add_extension_event('connectedk8s', kubernetes_properties) # Adding helm repo @@ -1305,7 +1233,7 @@ def upgrade_agents(cmd, client, resource_group_name, cluster_name, kube_config=N def validate_release_namespace(client, cluster_name, resource_group_name, kube_config, kube_context, helm_client_location): # Check Release Existance - release_namespace = get_release_namespace(kube_config, kube_context, helm_client_location) + release_namespace = utils.get_release_namespace(kube_config, kube_context, helm_client_location) if release_namespace: # Loading config map api_instance = kube_client.CoreV1Api() @@ -1370,6 +1298,9 @@ def enable_features(cmd, client, resource_group_name, cluster_name, features, ku azrbac_client_id=None, azrbac_client_secret=None, azrbac_skip_authz_check=None, cl_oid=None): logger.warning("This operation might take a while...\n") + # Validate custom token operation + custom_token_passed, _ = utils.validate_custom_token(cmd, resource_group_name, "dummyLocation") + features = [x.lower() for x in features] enable_cluster_connect, enable_azure_rbac, enable_cl = utils.check_features_to_update(features) @@ -1390,7 +1321,8 @@ def enable_features(cmd, client, resource_group_name, cluster_name, features, ku azrbac_skip_authz_check = escape_proxy_settings(azrbac_skip_authz_check) if enable_cl: - enable_cl, custom_locations_oid = check_cl_registration_and_get_oid(cmd, cl_oid) + subscription_id = os.getenv('AZURE_SUBSCRIPTION_ID') if custom_token_passed is True else get_subscription_id(cmd.cli_ctx) + enable_cl, custom_locations_oid = check_cl_registration_and_get_oid(cmd, cl_oid, subscription_id) if not enable_cluster_connect and enable_cl: enable_cluster_connect = True logger.warning("Enabling 'custom-locations' feature will enable 'cluster-connect' feature too.") @@ -1423,8 +1355,6 @@ def enable_features(cmd, client, resource_group_name, cluster_name, features, ku kubernetes_version = check_kube_connection() utils.try_list_node_fix() - api_instance = kube_client.CoreV1Api() - node_api_response = None # Install helm client helm_client_location = install_helm_client() @@ -1434,23 +1364,16 @@ def enable_features(cmd, client, resource_group_name, cluster_name, features, ku # Fetch Connected Cluster for agent version connected_cluster = get_connectedk8s(cmd, client, resource_group_name, cluster_name) + kubernetes_properties = {'Context.Default.AzureCLI.KubernetesVersion': kubernetes_version} + if hasattr(connected_cluster, 'distribution') and (connected_cluster.distribution is not None): kubernetes_distro = connected_cluster.distribution - else: - node_api_response = utils.validate_node_api_response(api_instance, node_api_response) - kubernetes_distro = get_kubernetes_distro(node_api_response) + kubernetes_properties['Context.Default.AzureCLI.KubernetesDistro'] = kubernetes_distro if hasattr(connected_cluster, 'infrastructure') and (connected_cluster.infrastructure is not None): kubernetes_infra = connected_cluster.infrastructure - else: - node_api_response = utils.validate_node_api_response(api_instance, node_api_response) - kubernetes_infra = get_kubernetes_infra(node_api_response) + kubernetes_properties['Context.Default.AzureCLI.KubernetesInfra'] = kubernetes_infra - kubernetes_properties = { - 'Context.Default.AzureCLI.KubernetesVersion': kubernetes_version, - 'Context.Default.AzureCLI.KubernetesDistro': kubernetes_distro, - 'Context.Default.AzureCLI.KubernetesInfra': kubernetes_infra - } telemetry.add_extension_event('connectedk8s', kubernetes_properties) # Adding helm repo @@ -1510,6 +1433,7 @@ def enable_features(cmd, client, resource_group_name, cluster_name, features, ku def disable_features(cmd, client, resource_group_name, cluster_name, features, kube_config=None, kube_context=None, yes=False): + features = [x.lower() for x in features] confirmation_message = "Disabling few of the features may adversely impact dependent resources. Learn more about this at https://aka.ms/ArcK8sDependentResources. \n" + "Are you sure you want to disable these features: {}".format(features) utils.user_confirmation(confirmation_message, yes) @@ -1542,8 +1466,6 @@ def disable_features(cmd, client, resource_group_name, cluster_name, features, k kubernetes_version = check_kube_connection() utils.try_list_node_fix() - api_instance = kube_client.CoreV1Api() - node_api_response = None # Install helm client helm_client_location = install_helm_client() @@ -1553,23 +1475,16 @@ def disable_features(cmd, client, resource_group_name, cluster_name, features, k # Fetch Connected Cluster for agent version connected_cluster = get_connectedk8s(cmd, client, resource_group_name, cluster_name) + kubernetes_properties = {'Context.Default.AzureCLI.KubernetesVersion': kubernetes_version} + if hasattr(connected_cluster, 'distribution') and (connected_cluster.distribution is not None): kubernetes_distro = connected_cluster.distribution - else: - node_api_response = utils.validate_node_api_response(api_instance, node_api_response) - kubernetes_distro = get_kubernetes_distro(node_api_response) + kubernetes_properties['Context.Default.AzureCLI.KubernetesDistro'] = kubernetes_distro if hasattr(connected_cluster, 'infrastructure') and (connected_cluster.infrastructure is not None): kubernetes_infra = connected_cluster.infrastructure - else: - node_api_response = utils.validate_node_api_response(api_instance, node_api_response) - kubernetes_infra = get_kubernetes_infra(node_api_response) + kubernetes_properties['Context.Default.AzureCLI.KubernetesInfra'] = kubernetes_infra - kubernetes_properties = { - 'Context.Default.AzureCLI.KubernetesVersion': kubernetes_version, - 'Context.Default.AzureCLI.KubernetesDistro': kubernetes_distro, - 'Context.Default.AzureCLI.KubernetesInfra': kubernetes_infra - } telemetry.add_extension_event('connectedk8s', kubernetes_properties) if disable_cluster_connect: @@ -2125,7 +2040,7 @@ def client_side_proxy(cmd, if token is None: if utils.is_cli_using_msal_auth(): # jwt token approach if cli is using MSAL. This is for cli >= 2.30.0 kid = clientproxyutils.fetch_pop_publickey_kid(api_server_port, clientproxy_process) - post_at_response = clientproxyutils.fetch_and_post_at_to_csp(cmd, api_server_port, tenantId, "gTYVsmkQfNwajR0w-v6A3ekPkiI7Wcz2T5ZCb7hwHTU", clientproxy_process) + post_at_response = clientproxyutils.fetch_and_post_at_to_csp(cmd, api_server_port, tenantId, kid, clientproxy_process) if post_at_response.status_code != 200: if post_at_response.status_code == 500 and "public key expired" in post_at_response.text: # pop public key must have been rotated @@ -2183,11 +2098,11 @@ def client_side_proxy(cmd, return expiry, clientproxy_process -def check_cl_registration_and_get_oid(cmd, cl_oid): +def check_cl_registration_and_get_oid(cmd, cl_oid, subscription_id): enable_custom_locations = True custom_locations_oid = "" try: - rp_client = _resource_providers_client(cmd.cli_ctx) + rp_client = resource_providers_client(cmd.cli_ctx, subscription_id) cl_registration_state = rp_client.get(consts.Custom_Locations_Provider_Namespace).registration_state if cl_registration_state != "Registered": enable_custom_locations = False diff --git a/src/connectedk8s/azext_connectedk8s/tests/latest/recordings/test_connectedk8s.yaml b/src/connectedk8s/azext_connectedk8s/tests/latest/recordings/test_connectedk8s.yaml deleted file mode 100644 index 9df8582ddd3..00000000000 --- a/src/connectedk8s/azext_connectedk8s/tests/latest/recordings/test_connectedk8s.yaml +++ /dev/null @@ -1,5262 +0,0 @@ -interactions: -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - aks create - Connection: - - keep-alive - ParameterSetName: - - -g -n -s -l -c --generate-ssh-keys - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/akkeshar?api-version=2021-04-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar","name":"akkeshar","type":"Microsoft.Resources/resourceGroups","location":"eastus","tags":{"Created":"20210721"},"properties":{"provisioningState":"Succeeded"}}' - headers: - cache-control: - - no-cache - content-length: - - '243' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 11:32:11 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: '{"location": "westeurope", "identity": {"type": "SystemAssigned"}, "properties": - {"kubernetesVersion": "", "dnsPrefix": "cli-test-a-akkeshar-1bfbb5", "agentPoolProfiles": - [{"count": 1, "vmSize": "Standard_B4ms", "osType": "Linux", "type": "VirtualMachineScaleSets", - "mode": "System", "enableNodePublicIP": false, "scaleSetPriority": "Regular", - "scaleSetEvictionPolicy": "Delete", "spotMaxPrice": -1.0, "enableEncryptionAtHost": - false, "enableUltraSSD": false, "enableFIPS": false, "name": "nodepool1"}], - "linuxProfile": {"adminUsername": "azureuser", "ssh": {"publicKeys": [{"keyData": - "ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABgQDknmXRBGa/GuPCkpyydwCNedhfwINfrO674LWcBih2UjjJc5yULl9cD9LsYMWOzHVqM7H7RFxaONyq46h9vgxB/1XAeJUGc2jS8GS+vsS83bXX6vVrwa8wVeD380SJcF87oH3xf7/v2hlKv3drXi7xPE2JBjTHIOJJ6OxX+bAFXBqd1dPvnX1X7kEyX6vvjvuQrp7rFDbLq/eRpmng7kykodASQkUFZlt5+gH/U/z/a/DRoTocgzNqGl9RmesNtslQJs17Vn/JIJMM55qcRCEKoJ3Fq/Osnx3tHNA3G/vTs/+sVgh0tZmM6oIMRfTKzJskSZkMZOd8KtK/7ROCZO72izRmzwTFwFvRe/I7iHQ4PrjeKAqKDvgHJ/0LlaHmIYysZI21OTo6HcoX4HmA4RsIybNAM5SWeMMGiGe94/LYPk9sgB3o8aMv/nI/hr6vA28c2nso7itOuNcH1GZalAnbCObNv7QqVZ23FPlCjV9GXWCDCnQeCoIispJCrf68N5s= - fareast\\akkeshar@AkashLaptop\n"}]}}, "addonProfiles": {}, "enableRBAC": true, - "enablePodSecurityPolicy": false, "networkProfile": {"networkPlugin": "kubenet", - "podCidr": "10.244.0.0/16", "serviceCidr": "10.0.0.0/16", "dnsServiceIP": "10.0.0.10", - "dockerBridgeCidr": "172.17.0.1/16", "outboundType": "loadBalancer", "loadBalancerSku": - "standard"}, "disableLocalAccounts": false}}' - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - aks create - Connection: - - keep-alive - Content-Length: - - '1519' - Content-Type: - - application/json - ParameterSetName: - - -g -n -s -l -c --generate-ssh-keys - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.ContainerService/managedClusters/cli-test-aks-000001?api-version=2021-08-01 - response: - body: - string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/akkeshar/providers/Microsoft.ContainerService/managedClusters/cli-test-aks-000001\",\n - \ \"location\": \"westeurope\",\n \"name\": \"cli-test-aks-000001\",\n \"type\": - \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": - \"Creating\",\n \"powerState\": {\n \"code\": \"Running\"\n },\n \"kubernetesVersion\": - \"1.23.12\",\n \"dnsPrefix\": \"cli-test-a-akkeshar-1bfbb5\",\n \"fqdn\": - \"cli-test-a-akkeshar-1bfbb5-52714f14.hcp.westeurope.azmk8s.io\",\n \"azurePortalFQDN\": - \"cli-test-a-akkeshar-1bfbb5-52714f14.portal.hcp.westeurope.azmk8s.io\",\n - \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \"count\": - 1,\n \"vmSize\": \"Standard_B4ms\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": - \"Managed\",\n \"kubeletDiskType\": \"OS\",\n \"maxPods\": 110,\n - \ \"type\": \"VirtualMachineScaleSets\",\n \"provisioningState\": \"Creating\",\n - \ \"powerState\": {\n \"code\": \"Running\"\n },\n \"orchestratorVersion\": - \"1.23.12\",\n \"enableNodePublicIP\": false,\n \"mode\": \"System\",\n - \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n - \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": - \"AKSUbuntu-1804gen2containerd-2022.10.24\",\n \"enableFIPS\": false\n - \ }\n ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n - \ \"ssh\": {\n \"publicKeys\": [\n {\n \"keyData\": \"ssh-rsa - AAAAB3NzaC1yc2EAAAADAQABAAABgQDknmXRBGa/GuPCkpyydwCNedhfwINfrO674LWcBih2UjjJc5yULl9cD9LsYMWOzHVqM7H7RFxaONyq46h9vgxB/1XAeJUGc2jS8GS+vsS83bXX6vVrwa8wVeD380SJcF87oH3xf7/v2hlKv3drXi7xPE2JBjTHIOJJ6OxX+bAFXBqd1dPvnX1X7kEyX6vvjvuQrp7rFDbLq/eRpmng7kykodASQkUFZlt5+gH/U/z/a/DRoTocgzNqGl9RmesNtslQJs17Vn/JIJMM55qcRCEKoJ3Fq/Osnx3tHNA3G/vTs/+sVgh0tZmM6oIMRfTKzJskSZkMZOd8KtK/7ROCZO72izRmzwTFwFvRe/I7iHQ4PrjeKAqKDvgHJ/0LlaHmIYysZI21OTo6HcoX4HmA4RsIybNAM5SWeMMGiGe94/LYPk9sgB3o8aMv/nI/hr6vA28c2nso7itOuNcH1GZalAnbCObNv7QqVZ23FPlCjV9GXWCDCnQeCoIispJCrf68N5s= - fareast\\\\akkeshar@AkashLaptop\\n\"\n }\n ]\n }\n },\n \"servicePrincipalProfile\": - {\n \"clientId\": \"msi\"\n },\n \"nodeResourceGroup\": \"MC_akkeshar_cli-test-aks-000001_westeurope\",\n - \ \"enableRBAC\": true,\n \"enablePodSecurityPolicy\": false,\n \"networkProfile\": - {\n \"networkPlugin\": \"kubenet\",\n \"loadBalancerSku\": \"standard\",\n - \ \"loadBalancerProfile\": {\n \"managedOutboundIPs\": {\n \"count\": - 1\n }\n },\n \"podCidr\": \"10.244.0.0/16\",\n \"serviceCidr\": - \"10.0.0.0/16\",\n \"dnsServiceIP\": \"10.0.0.10\",\n \"dockerBridgeCidr\": - \"172.17.0.1/16\",\n \"outboundType\": \"loadBalancer\"\n },\n \"maxAgentPools\": - 100,\n \"disableLocalAccounts\": false,\n \"securityProfile\": {}\n },\n - \ \"identity\": {\n \"type\": \"SystemAssigned\",\n \"principalId\": \"3be4dbdc-5fc8-4f92-b5cc-cdb57e4ff02a\",\n - \ \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\"\n },\n \"sku\": - {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n }" - headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/b3446a92-fad3-48fa-80d2-a907d7aa829f?api-version=2017-08-31 - cache-control: - - no-cache - content-length: - - '2876' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:32:27 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1199' - status: - code: 201 - message: Created -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - aks create - Connection: - - keep-alive - ParameterSetName: - - -g -n -s -l -c --generate-ssh-keys - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/b3446a92-fad3-48fa-80d2-a907d7aa829f?api-version=2017-08-31 - response: - body: - string: "{\n \"name\": \"926a44b3-d3fa-fa48-80d2-a907d7aa829f\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:32:26.6836066Z\"\n }" - headers: - cache-control: - - no-cache - content-length: - - '126' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:32:28 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - aks create - Connection: - - keep-alive - ParameterSetName: - - -g -n -s -l -c --generate-ssh-keys - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/b3446a92-fad3-48fa-80d2-a907d7aa829f?api-version=2017-08-31 - response: - body: - string: "{\n \"name\": \"926a44b3-d3fa-fa48-80d2-a907d7aa829f\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:32:26.6836066Z\"\n }" - headers: - cache-control: - - no-cache - content-length: - - '126' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:32:59 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - aks create - Connection: - - keep-alive - ParameterSetName: - - -g -n -s -l -c --generate-ssh-keys - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/b3446a92-fad3-48fa-80d2-a907d7aa829f?api-version=2017-08-31 - response: - body: - string: "{\n \"name\": \"926a44b3-d3fa-fa48-80d2-a907d7aa829f\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:32:26.6836066Z\"\n }" - headers: - cache-control: - - no-cache - content-length: - - '126' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:33:29 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - aks create - Connection: - - keep-alive - ParameterSetName: - - -g -n -s -l -c --generate-ssh-keys - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/b3446a92-fad3-48fa-80d2-a907d7aa829f?api-version=2017-08-31 - response: - body: - string: "{\n \"name\": \"926a44b3-d3fa-fa48-80d2-a907d7aa829f\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:32:26.6836066Z\"\n }" - headers: - cache-control: - - no-cache - content-length: - - '126' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:33:59 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - aks create - Connection: - - keep-alive - ParameterSetName: - - -g -n -s -l -c --generate-ssh-keys - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/b3446a92-fad3-48fa-80d2-a907d7aa829f?api-version=2017-08-31 - response: - body: - string: "{\n \"name\": \"926a44b3-d3fa-fa48-80d2-a907d7aa829f\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:32:26.6836066Z\"\n }" - headers: - cache-control: - - no-cache - content-length: - - '126' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:34:29 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - aks create - Connection: - - keep-alive - ParameterSetName: - - -g -n -s -l -c --generate-ssh-keys - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/b3446a92-fad3-48fa-80d2-a907d7aa829f?api-version=2017-08-31 - response: - body: - string: "{\n \"name\": \"926a44b3-d3fa-fa48-80d2-a907d7aa829f\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:32:26.6836066Z\"\n }" - headers: - cache-control: - - no-cache - content-length: - - '126' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:35:00 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - aks create - Connection: - - keep-alive - ParameterSetName: - - -g -n -s -l -c --generate-ssh-keys - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/b3446a92-fad3-48fa-80d2-a907d7aa829f?api-version=2017-08-31 - response: - body: - string: "{\n \"name\": \"926a44b3-d3fa-fa48-80d2-a907d7aa829f\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:32:26.6836066Z\"\n }" - headers: - cache-control: - - no-cache - content-length: - - '126' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:35:31 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - aks create - Connection: - - keep-alive - ParameterSetName: - - -g -n -s -l -c --generate-ssh-keys - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/b3446a92-fad3-48fa-80d2-a907d7aa829f?api-version=2017-08-31 - response: - body: - string: "{\n \"name\": \"926a44b3-d3fa-fa48-80d2-a907d7aa829f\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:32:26.6836066Z\"\n }" - headers: - cache-control: - - no-cache - content-length: - - '126' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:36:01 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - aks create - Connection: - - keep-alive - ParameterSetName: - - -g -n -s -l -c --generate-ssh-keys - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/b3446a92-fad3-48fa-80d2-a907d7aa829f?api-version=2017-08-31 - response: - body: - string: "{\n \"name\": \"926a44b3-d3fa-fa48-80d2-a907d7aa829f\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:32:26.6836066Z\"\n }" - headers: - cache-control: - - no-cache - content-length: - - '126' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:36:31 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - aks create - Connection: - - keep-alive - ParameterSetName: - - -g -n -s -l -c --generate-ssh-keys - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/b3446a92-fad3-48fa-80d2-a907d7aa829f?api-version=2017-08-31 - response: - body: - string: "{\n \"name\": \"926a44b3-d3fa-fa48-80d2-a907d7aa829f\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:32:26.6836066Z\"\n }" - headers: - cache-control: - - no-cache - content-length: - - '126' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:37:02 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - aks create - Connection: - - keep-alive - ParameterSetName: - - -g -n -s -l -c --generate-ssh-keys - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/b3446a92-fad3-48fa-80d2-a907d7aa829f?api-version=2017-08-31 - response: - body: - string: "{\n \"name\": \"926a44b3-d3fa-fa48-80d2-a907d7aa829f\",\n \"status\": - \"Succeeded\",\n \"startTime\": \"2022-11-15T11:32:26.6836066Z\",\n \"endTime\": - \"2022-11-15T11:37:27.3166965Z\"\n }" - headers: - cache-control: - - no-cache - content-length: - - '170' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:37:32 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - aks create - Connection: - - keep-alive - ParameterSetName: - - -g -n -s -l -c --generate-ssh-keys - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.ContainerService/managedClusters/cli-test-aks-000001?api-version=2021-08-01 - response: - body: - string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/akkeshar/providers/Microsoft.ContainerService/managedClusters/cli-test-aks-000001\",\n - \ \"location\": \"westeurope\",\n \"name\": \"cli-test-aks-000001\",\n \"type\": - \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": - \"Succeeded\",\n \"powerState\": {\n \"code\": \"Running\"\n },\n \"kubernetesVersion\": - \"1.23.12\",\n \"dnsPrefix\": \"cli-test-a-akkeshar-1bfbb5\",\n \"fqdn\": - \"cli-test-a-akkeshar-1bfbb5-52714f14.hcp.westeurope.azmk8s.io\",\n \"azurePortalFQDN\": - \"cli-test-a-akkeshar-1bfbb5-52714f14.portal.hcp.westeurope.azmk8s.io\",\n - \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \"count\": - 1,\n \"vmSize\": \"Standard_B4ms\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": - \"Managed\",\n \"kubeletDiskType\": \"OS\",\n \"maxPods\": 110,\n - \ \"type\": \"VirtualMachineScaleSets\",\n \"provisioningState\": \"Succeeded\",\n - \ \"powerState\": {\n \"code\": \"Running\"\n },\n \"orchestratorVersion\": - \"1.23.12\",\n \"enableNodePublicIP\": false,\n \"mode\": \"System\",\n - \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n - \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": - \"AKSUbuntu-1804gen2containerd-2022.10.24\",\n \"enableFIPS\": false\n - \ }\n ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n - \ \"ssh\": {\n \"publicKeys\": [\n {\n \"keyData\": \"ssh-rsa - AAAAB3NzaC1yc2EAAAADAQABAAABgQDknmXRBGa/GuPCkpyydwCNedhfwINfrO674LWcBih2UjjJc5yULl9cD9LsYMWOzHVqM7H7RFxaONyq46h9vgxB/1XAeJUGc2jS8GS+vsS83bXX6vVrwa8wVeD380SJcF87oH3xf7/v2hlKv3drXi7xPE2JBjTHIOJJ6OxX+bAFXBqd1dPvnX1X7kEyX6vvjvuQrp7rFDbLq/eRpmng7kykodASQkUFZlt5+gH/U/z/a/DRoTocgzNqGl9RmesNtslQJs17Vn/JIJMM55qcRCEKoJ3Fq/Osnx3tHNA3G/vTs/+sVgh0tZmM6oIMRfTKzJskSZkMZOd8KtK/7ROCZO72izRmzwTFwFvRe/I7iHQ4PrjeKAqKDvgHJ/0LlaHmIYysZI21OTo6HcoX4HmA4RsIybNAM5SWeMMGiGe94/LYPk9sgB3o8aMv/nI/hr6vA28c2nso7itOuNcH1GZalAnbCObNv7QqVZ23FPlCjV9GXWCDCnQeCoIispJCrf68N5s= - fareast\\\\akkeshar@AkashLaptop\\n\"\n }\n ]\n }\n },\n \"servicePrincipalProfile\": - {\n \"clientId\": \"msi\"\n },\n \"nodeResourceGroup\": \"MC_akkeshar_cli-test-aks-000001_westeurope\",\n - \ \"enableRBAC\": true,\n \"enablePodSecurityPolicy\": false,\n \"networkProfile\": - {\n \"networkPlugin\": \"kubenet\",\n \"loadBalancerSku\": \"Standard\",\n - \ \"loadBalancerProfile\": {\n \"managedOutboundIPs\": {\n \"count\": - 1\n },\n \"effectiveOutboundIPs\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_akkeshar_cli-test-aks-000001_westeurope/providers/Microsoft.Network/publicIPAddresses/6e2f0794-e0b8-4616-8134-50c116471a1b\"\n - \ }\n ]\n },\n \"podCidr\": \"10.244.0.0/16\",\n \"serviceCidr\": - \"10.0.0.0/16\",\n \"dnsServiceIP\": \"10.0.0.10\",\n \"dockerBridgeCidr\": - \"172.17.0.1/16\",\n \"outboundType\": \"loadBalancer\"\n },\n \"maxAgentPools\": - 100,\n \"identityProfile\": {\n \"kubeletidentity\": {\n \"resourceId\": - \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/MC_akkeshar_cli-test-aks-000001_westeurope/providers/Microsoft.ManagedIdentity/userAssignedIdentities/cli-test-aks-000001-agentpool\",\n - \ \"clientId\": \"f7bc696b-0f88-445e-aed7-d11a045621ef\",\n \"objectId\": - \"07cfdbf8-ee7b-4a34-b5bf-64a7f2ff23f6\"\n }\n },\n \"disableLocalAccounts\": - false,\n \"securityProfile\": {}\n },\n \"identity\": {\n \"type\": - \"SystemAssigned\",\n \"principalId\": \"3be4dbdc-5fc8-4f92-b5cc-cdb57e4ff02a\",\n - \ \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\"\n },\n \"sku\": - {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n }" - headers: - cache-control: - - no-cache - content-length: - - '3536' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:37:34 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - aks get-credentials - Connection: - - keep-alive - Content-Length: - - '0' - ParameterSetName: - - -g -n -f - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) - method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.ContainerService/managedClusters/cli-test-aks-000001/listClusterUserCredential?api-version=2021-08-01 - response: - body: - string: "{\n \"kubeconfigs\": [\n {\n \"name\": \"clusterUser\",\n \"value\": - \"YXBpVmVyc2lvbjogdjEKY2x1c3RlcnM6Ci0gY2x1c3RlcjoKICAgIGNlcnRpZmljYXRlLWF1dGhvcml0eS1kYXRhOiBMUzB0TFMxQ1JVZEpUaUJEUlZKVVNVWkpRMEZVUlMwdExTMHRDazFKU1VVMlJFTkRRWFJEWjBGM1NVSkJaMGxSVEhoWEwybE1TV2RpYmtoM1FXazVjMUp0U1d3MWVrRk9RbWRyY1docmFVYzVkekJDUVZGelJrRkVRVTRLVFZGemQwTlJXVVJXVVZGRVJYZEthbGxVUVdkR2R6QjVUV3BGZUUxVVZYaE5WRWw2VFVST1lVZEJPSGxOUkZWNVRWUkZlRTVVUlhoTmVrMTNUVEZ2ZHdwRVZFVk1UVUZyUjBFeFZVVkJlRTFEV1RKRmQyZG5TV2xOUVRCSFExTnhSMU5KWWpORVVVVkNRVkZWUVVFMFNVTkVkMEYzWjJkSlMwRnZTVU5CVVVNeUNrWXpSVlF4YjJabGMySmhUbFZxY1dwQlRXVmxSbmhKZG1sNlQzRkhTVXhrVm5GRmFYSnlXa0ZTTnlzd2NHdHRhVGsxVFVwVEwxZ3ZVbTVNWWtaa09YVUtkRTlGYlcxaVNreDFWa0ZUU1hScFUzcHJkVnBvVUVneVVFdzBjVVJQVkVadGVuaElkM2xSZEdGb2FWaFRhSGx0T0ZCeE1IRTVaMFYzVGtzM2VHMTJMd3AwYW05QlVFWmxSVGRtTlVFMUwzQm1SMko1UVZCWFZucHBhMEkxYUVkTVlsWnBURFZ3Y1hkT1VqaFNialZCYnpOdFRUZGFUME5FWldrNWJETTVRMjVLQ205VE9YcERSeTh6WkhoSVozTm1SMDVJWVc5MVl6TmtkbEozZGpGaU9XTlJjR2xRWWxoTWJuVXJlSFp1VDNka1FqZzNTRVZoUmpKcGMxQlVTall5UW5nS2RqQk9OVkJoV0cxVWNEbGxjMDF6Ukc1eWEwVmpabWh3VkZSNFkycFZkbTk2VW5KamVuRnVkSE00YjJKYVdqZ3paelkxVEhwRlFuVmpMelozZGpjMGVBbzJVeTlJYm5WMGNtbHpZbEEyWVVwWGMzRk5Obm8yUjNWRmJETllibE5DV1hSNGFUZDRkV2MyVkhoMFRHOTZhRXhuVjBKNlVFVnplbVJFUmpWelRVWnRDa3MwTnpGSlNVeFhRMEpZYlZkWlNEVXdWeXRwTUVaaVUwaHNhREZQY25Ga2MyaGxjVWhVYVRGVFYydDJiblY2WXpWTFJGTm5lVE5EUkRVNE1XZGtSWFVLYWtsVGRHWjZTSGM1VUZWUkx6RlRXRTl0U0RKeVFrbzRhbVJKTkRCSGFVMUlVSE5IVmsxNGNHWllkRkZuU1ZGMlZFRldVVTFFYzBkU1RTczRSRXBOTWdwaWVpdGpXR3d4VHpWeFRuUmlURTVtVG1rek1rUm5kV2gyZUdobWJtODVibWxVVmtsVmRrY3JVMmx6VmxONmRrUnFRMFZzWTBOUWJWVmFUVUZNYW5weENqSnJSbUl4UWk5WE1rRnFWVlprUzFNdmEySTFWMGxJV2xWeFNtODRhbTlWTjBGYVZrRldVbFZ4UVVORk5WRklhbVJ3U0hwdFUxZHZMMFJEWVdNNGVESUtSMGR1VkVSb1RHbERUVUZ2Y2pGclJIQjZOekI2ZEZaTFdtdGxSRGRpWmtKUk0zRmhSR1o0Y3pSM1NVUkJVVUZDYnpCSmQxRkVRVTlDWjA1V1NGRTRRZ3BCWmpoRlFrRk5RMEZ4VVhkRWQxbEVWbEl3VkVGUlNDOUNRVlYzUVhkRlFpOTZRV1JDWjA1V1NGRTBSVVpuVVZWWWFXTTRORnBtWkRVMlJWTkpVbUUzQ201Q1JHSkNVVEVyYW13MGQwUlJXVXBMYjFwSmFIWmpUa0ZSUlV4Q1VVRkVaMmRKUWtGRGRucDVVRlpHVVU1QmRDdEliRzlDZGpnMU1ESmxZM1V2VEVrS2JWVkNWemhEVGk5S1FWSTNOMHhwYkhvMFltbHhRVFZVTm5JNGFYcFlhRk5pTjI5SGVYWk1SVnBVUW05cVVsaEhjbkZxWmxCaGIwTmphMkYzWWtsRk13cFlkVGt3Y1VweVdHZERXWEJPUzJ4aVpIa3dWMlZPWVd4VGNHMVhUVTlOWm05NWNGVnpOVFp0UTFwb1ZtUkdNSGswV0VoSFVtVnNTVXBCZUROelMzTTBDbmwxYVdKTUsyWkhUa1pJYTFWRmNrMU9UR1I0TkZOSWF5OXhOalJpVW5KU1VrRk1RbWxpVWk5RlpIVlFlR0ZwTUN0TlpXdzJkMlUxY0hwQ01YZ3hTRkFLVTJwRlEwczVXVXgwTkVOeWRqQkRLek5DUTFnd1RYRTBjVFIxVG5VclVWZGtSSGhITVVwTk9XMUNSbGhYWkdoNVUwcEZla0pZWVZweE1GRmpZbkJuTkFwNllsZ3pVa2hNYlZacFdsaFVlSGwxYkRFNVpHTkxjbGRRUjBoelJDOXhRUzlDVVU5aE9VNVFkelJOZDFGa1IyOUZWR0ZXUzNCMFkzZHFjVU5VVEhkS0NscHRhamc0VUdWc0syNU5jekJOZDFwRGMxWXJhMWt6VDJSTFdtMVVjemhOTDNWdGVGSlVlVTl2TXpOcVNWSXhLMEprVWtNNFIxSnBUbkZTT1hOU1J6WUtSbGxMU2xsWmJtSnhXVGxUUjJRNGQxSkllWEZWU25oeVpuSmtaMUl4Tm1SSFZEaDRVMHhQTkhwd1UxSklXWEZMYVdOR1NuZDRPVUpGTWxsa05sZ3ZTZ3BQY1RKSWFFOVJjbU5IVjA5UmVpODRjV0ZvWkVGQlowSTRjRmN6YWxKV1Jtc3dLMGxITlhKUVp6QTFURWg1UWt3MlUxUkZXVEpPUlhWRVlqZHljMXBUQ2xsVGNFSm9lakpMYjNSVE1Ya3pabkF4U1daMlVHZE5kR05qTkdwdVZrcFVXRUpWUm1WcVZEUjNjSHBXVjJnd1NWZGlZV2RDT0ZsWVpXb3JXa3hNTUZVS1RFOVJRVGhSWW01M2VtNDRWRTR3VHpsTk1rWTNRV2R0TlZSS2RVUlhWemc0ZDJoRU9FaFRTa1pRVkN0VFpWUm9WMU0xYUc1MlRrcEpVM2hvYkVwdFRBb3paeXRaYzNoamRqUjZSMkkxY1dkeENpMHRMUzB0UlU1RUlFTkZVbFJKUmtsRFFWUkZMUzB0TFMwSwogICAgc2VydmVyOiBodHRwczovL2NsaS10ZXN0LWEtYWtrZXNoYXItMWJmYmI1LTUyNzE0ZjE0LmhjcC53ZXN0ZXVyb3BlLmF6bWs4cy5pbzo0NDMKICBuYW1lOiBjbGktdGVzdC1ha3MtdXF0Mmszb2FvdWkKY29udGV4dHM6Ci0gY29udGV4dDoKICAgIGNsdXN0ZXI6IGNsaS10ZXN0LWFrcy11cXQyazNvYW91aQogICAgdXNlcjogY2x1c3RlclVzZXJfYWtrZXNoYXJfY2xpLXRlc3QtYWtzLXVxdDJrM29hb3VpCiAgbmFtZTogY2xpLXRlc3QtYWtzLXVxdDJrM29hb3VpCmN1cnJlbnQtY29udGV4dDogY2xpLXRlc3QtYWtzLXVxdDJrM29hb3VpCmtpbmQ6IENvbmZpZwpwcmVmZXJlbmNlczoge30KdXNlcnM6Ci0gbmFtZTogY2x1c3RlclVzZXJfYWtrZXNoYXJfY2xpLXRlc3QtYWtzLXVxdDJrM29hb3VpCiAgdXNlcjoKICAgIGNsaWVudC1jZXJ0aWZpY2F0ZS1kYXRhOiBMUzB0TFMxQ1JVZEpUaUJEUlZKVVNVWkpRMEZVUlMwdExTMHRDazFKU1VaSVZFTkRRWGRYWjBGM1NVSkJaMGxSUmtacFdtVm9ObHBRYjJZemIwcExZbGRZV2tNclJFRk9RbWRyY1docmFVYzVkekJDUVZGelJrRkVRVTRLVFZGemQwTlJXVVJXVVZGRVJYZEthbGxVUVdWR2R6QjVUV3BGZUUxVVZYaE5WRWw2VFVST1lVWjNNSGxPUkVWNFRWUlZlRTFVVFhwTlJFNWhUVVJCZUFwR2VrRldRbWRPVmtKQmIxUkViazQxWXpOU2JHSlVjSFJaV0U0d1dsaEtlazFTVlhkRmQxbEVWbEZSUkVWM2VIUlpXRTR3V2xoS2FtSkhiR3hpYmxGM0NtZG5TV2xOUVRCSFExTnhSMU5KWWpORVVVVkNRVkZWUVVFMFNVTkVkMEYzWjJkSlMwRnZTVU5CVVVSVlRITnZTbEJYV1c5SFJWSklOVkV5Y3pseEsyMEtPRUkwS3k5cGJ6bDRjbXA2S3pCb1UxTXJlSHBLUkhsNGNXdHBlSFZPTmxGNGJUUTBlR2RMTWpkRk5rUm5TRWRGVkVwSVNFaE9SVVpCWkhWdVpWWjFZZ3BVVUVaME5tVTJSM2RqVUhwck0ydFRhRkZaUW5SaWRVUm1LMGhIWkhkTmRqaDRieXMyYzFsUVNtTlBSa2xFVUZkTFdEVkViRmxVV1VaTmIwWlZjMGxoQ25NM1VsTmFValZDVmpGR1NuUkRMMDV1VkZaaFVXODViRWhMZVUwMFIyOWFZbmhvTVhwVVpGWlVNaXRoZVVWc2JtMTNSVFJ3YjFacFFsRlRSazVGTXk4S1JXSlVTM0phTmxKRU9YYzBjMWszT0hOdWFrbFlaWGhMUkRSdFlubGpWM0JTTkRSRFdYbExiM2M0UTFwVFJXUTNLME52TXk5cVNuVkNRbXB3TUdwWlNRcHFiVzFQVVZwUlJEQnBWRWRCU0cxWVRVNXJMemg0TmxFMlkzUlNSSGgwZVRGalFUUlBhV1o0UVhNNVdUVXJPRVpVV1VkYVdtVkRNMnRYZW5GWldtaDJDbVZ0TTBOTlkyeERWMFJ6VlhkcWIwa3ZZaTlQZWpOblVWQTRaWE5wVGprdk4waDNlWE5TYlhwblYxZDFZbUZTY1dvM1lYVTRhRTlCVlZwS1EweHlaME1LV0ZSb2VsTTVlR3hWZDFWdGJYQkdPUzlIUlRkSFpqWlNVSFpOTm1kNlRHZExNU3RMUVUxRVEwMUNNRTEzZFRNcmVWVmtTQ3RJVFZSalpWWmlhRTl1V2dvNU1UbHNOa0ZZYjBWYVRVaDViRFJsVlVWclVuZ3pXV2hCYWtjNGQxVjZiV2xpU1VWWGJXeDFiR3g1VlhVdlZEUXpNVkpPZFV4eVRXUlJaSEZsYzFST0NrZ3ZjMFk1VWtZclRVTTFaRXB3V0ZoM2JsbHphM0ZKVjBkdGRrRTVWR1ZpYTNaemNVNXBOMlEzTURkVVkwVllkVTlFY1ZoWE1FeFliVU40Y1hGelprUUtaa3h1ZFZad2NrSldSMnR4YTFseEszZDFWRVJsWTNKWFFVVTBhMHBSWjNGMU0zVkVlRkZHU2tSUU0xWmpVV1o2UVdOcVNHNU1OSEl6Um01TkszTlBkQXBqVVdWRGRFdEVMemQ1YTFCVVprTnhVVU12YWk5M1NVUkJVVUZDYnpGWmQxWkVRVTlDWjA1V1NGRTRRa0ZtT0VWQ1FVMURRbUZCZDBWM1dVUldVakJzQ2tKQmQzZERaMWxKUzNkWlFrSlJWVWhCZDBsM1JFRlpSRlpTTUZSQlVVZ3ZRa0ZKZDBGRVFXWkNaMDVXU0ZOTlJVZEVRVmRuUWxKbFNucDZhR3c1TTI0S2IxSkphRVp5ZFdORlRuTkdSRmcyVDFocVFVNUNaMnR4YUd0cFJ6bDNNRUpCVVhOR1FVRlBRMEZuUlVGb1duVkJjMWh4Unk5cmFuWkZlbEF6TDB0MGF3cHJjbWRFV1hkTFduWkxka1ZaUlU1b1FrNW5aVWhXSzBKbVpVMUxPWE5tZDBsYVJtWnVlbTFyTVZkQmFWUXlOMWRvTW1FMFVHNVdWV0ZEWkhoU1ZTOWlDbVExV2tFeVNTczRWbW95UzBneVkydzJXRE4zU25CVlNrUmxRelEyZFZONE9XVTVjMHRVYUVndk9HeGtaR3BUZDNsb2RXaExTRWRpY0ROMFNHOUxNQzhLYzBvd1YzRmxhSFJuZGpaMlZ6UkdNbmxPUVVWbloyaDFVVmhGV25acWJtb3ZWblZWVm1kcWNGVk5jQzlZUlVSa1VEbFhabTFtUTJWVmVVOVFUREYzVFFwNFlqaHhOMGhvVVdGSlEydzJVV05FUmtsYVZVdDRabVpoVG1aQ1NqTnhlbFZ2YmxkNmFEVnNTVEJ2UW01TVEySnBNVWQxUlZkMmVubFNWMjFVTW1GVkNreHZWMGRpYlVwd1VGQlNlVTVtZUZFNVdXeEdabG93Y2tKc2IzTXpZMnBJUlVwcVdtczVWMFJRYURsNVZtbENjalZIWVVwbFYySmpWR3RyTWtncmFFOEtWV2g2VUZCc2RYRjVhVXBNVkRBMmVGbElXWEpJWTNvd1NWQjFNVmRFTDFsU1QyMDRRbTB2S3psRGJuSmtlVkJ0WWxNNGFtMUdTbk0wVVZsWE1GbEJTQXBOV0VOS1dubExNMnBTZVdKRGNXcG9iWGN6TDBoMmEwZGpXVTF6T1Zvd2JraHRjVTl5UzJSMVUzaDJhM013YkZoNWJXOTNUbmRhWmpKT2IzVlNRVVF2Q25OTFpFTTJibXBFVDIxVlNuTjNVV1owTDAxcmR6YzRiQzlvUkhKTlVWSjRjazFHUzI0MFRsSllOMFZhTHpKdGR6WndNVzlSZWxoU1dHeFNNVzlzTkZjS1RscG1WRUUzTjBKSU4wMUNTSFZhVFVWUFF6ZFVkVzlXTVVWVldFRnBXWE5wYVhaMmFuVndMell6UmxCQ1MyY3llVWxwYUdsaVYxUkhOak5TVmt4dk13cGlWVEoyTnpGclUxSktXbkpRWkdVNGQwUlFUMGhyUlZadFRISlNiV3RUSzBoRGFrbHdia1p5TXpCcVduWldNRWsyU0VSNFUyaHlkRlZVYlhoRlluTkpDamxrWWtwVlVGZEhRMEpKVUdkd05XVXpLMEp3TDA5alBRb3RMUzB0TFVWT1JDQkRSVkpVU1VaSlEwRlVSUzB0TFMwdENnPT0KICAgIGNsaWVudC1rZXktZGF0YTogTFMwdExTMUNSVWRKVGlCU1UwRWdVRkpKVmtGVVJTQkxSVmt0TFMwdExRcE5TVWxLUzJkSlFrRkJTME5CWjBWQk1VTTNTME5VTVcxTFFtaEZVaXRWVG5KUVlYWndka0ZsVUhZMGNWQmpZVFE0TDNSSlZXdDJjMk41VVRoellYQkpDbk5pYW1WclRWcDFUMDFaUTNSMWVFOW5ORUo0YUVWNVVuaDRlbEpDVVVoaWNETnNZbTB3ZW5oaVpXNTFhSE5JUkRnMVRqVkZiMVZIUVdKWE4yY3pMMmdLZUc1alJFd3ZUV0ZRZFhKSFJIbFlSR2hUUVhveGFXd3JVVFZYUlRKQ1ZFdENWa3hEUjNKUE1GVnRWV1ZSVm1SU1UySlJkbnBhTURGWGEwdFFXbEo1Y3dwcVQwSnhSMWM0V1dSak1ETldWVGwyYlhOb1NsbzFjMEpQUzJGR1dXZFZSV2hVVWs0dmVFY3dlWEV5Wld0UkwyTlBURWRQTDB4S05IbEdNM05UWnl0S0NtMDRia1p4VldWUFFXMU5hWEZOVUVGdFZXaElaUzluY1U0dk5IbGlaMUZaTm1SSk1rTkpOWEJxYTBkVlFUbEphM2huUWpWc2VrUmFVQzlOWld0UGJrd0tWVkU0WW1OMFdFRlBSRzl1T0ZGTVVGZFBablpDVlRKQ2JWZFlaM1ExUm5NMmJVZFpZak53ZEhkcVNFcFJiR2MzUmsxSk5rTlFNaTk2Y3prMFJVUXZTQXB5U1dwbVppdDRPRTF5UlZwek5FWnNjbTB5YTJGdkt6Snlka2xVWjBaSFUxRnBOalJCYkRBMFl6QjJZMXBXVFVaS2NIRlNabVo0YUU5NGJpdHJWRGQ2Q2s5dlRYazBRM1JtYVdkRVFYZHFRV1JFVFV4MEwzTnNTRkl2YUhwRk0waHNWelJVY0RKbVpHWmFaV2RHTmtKSFZFSTRjR1ZJYkVKS1JXTmtNa2xSU1hnS2RrMUdUVFZ2YlhsQ1JuQndZbkJhWTJ4TWRqQXJUamxWVkdKcE5ucElWVWhoYm5KRmVsSXZOMEptVlZKbWFrRjFXRk5oVmpFNFNqSk1Ta3RwUm1od2NncDNVRlV6YlRWTU4wdHFXWFV6WlRsUE1ETkNSamRxWnpac01YUkRNVFZuYzJGeGNraDNNM2sxTjJ4aFlYZFdVbkJMY0VkTGRuTk1hM2N6YmtzeFowSlBDa3BEVlVsTGNuUTNaemhWUWxOUmVqa3hXRVZJT0hkSVNYZzFlU3RMT1hoYWVsQnlSSEpZUlVobmNsTm5MeXM0Y0VRd00zZHhhMEYyTkM4NFEwRjNSVUVLUVZGTFEwRm5RWFpLYWt0SksxSmlVbEpCYzNkUGNYSmxVek5pWlhweE5qVTJjbkY1VUZreGREQmxTRkpRT0ZCTlJtcHdVMlJJWkhjemNHRXJZbmR0YUFwSVoyTlBXazVhVW1wSFNYUk9kVXRTTnpCd1dFcFpSMDAxYmlzdmN6aHdWMVpWZUVkeU5XNHJZbm92VWt0TVVXSXZlV3R4TkVkcWIwNUNkMGRPUzNkYUNsaFJkMm8wTkRGa09FeHFNRVozV2xOMVJTOXlkMFJ5WjBWbVRFZEJhbUpKZEVkWFZIVllXamQyVld3clJrUm1PVEZhY1U1eGJVTkNZMWxFUTBwQ2FUUUtXRXRETWtkVkwwRm5hemhzWTJGR1JUSkhVRGxWZDFsa1NETkdVbWMzY1RjMmRtRTBXREpFWkZSRU9YTXdZUzlpVUd4MU5saFdaVVIzWTA1c2FWWjJOZ3BHWkU1dE1IaEVhVkIwYURkeFRIRm5PVXRDTmtvdmFuUlNSMUI2V2sxdU5UZFpTMXByYzBoUVMyUXpZa0psVkZGMlFrdElkWGgzVGpaRFFpdFdVbVJCQ25BeFQyMTZObmRLYjI5b1VHdHNhVUpKVFRGa2JsUm5jRzlSVWtKSldYQnhjRXRZYTNsYWFDdHhZVXRwTkZGeGJYZGpkRTFRYW5rM00xUkhXaXRKTjIwS1JXUjZTR2xhVEcxdU1GVnNkME12UzNaMVMzVlJMMUZEVVRNck5VaFdXblp0UzFaWWVtMDNNbWxpU1RGeFpYWklSVGd3YVhSb2VIQm9OMFU1YldsU1ZncE1XVFpXWTNVd2VuSlRkRFJXVlRWaFZYZDBRMUJWVjBGNGJrMXdkMjgwUjBZd01sQm5OWFEzTkhKVVNEQnlVV1ZEZVdkVloycE1aMlJ0SzA1cWNHa3lDbEpOV2s1RGFEZHhWME13VWxOaVJGSkdXR1l2WTFsM01XMHZRbmRoVEVFNWJTOXZTVEpIVWxGSGFqZ3dlRk0zTUcxdFV6bDBOemRLWjI1UFJqUklUWElLVkRncmMySldUVWt6VGtaYVZ5OTVOVGRwVGxWakwyOU5aV2N2WkdSb2RteHlaVVl6U0cxbGNuQjBja05PVms5eGVVWXlOWGszYlhoeFYyNDFUVU5QTXdwS00wTmhRVlJvUjNSS1JIaG9XbkJNYkcxQk1VZEdaRWhOVGxCcFNHSXhXVWxMTUhGeGMxSkZWaTlrWVhNNUwxZDFVVXREUVZGRlFUSlVOVmRETUVKd0NqZHRiR0o0YXlzMlowRkdWVGcwZVZsdllXcFhka1pEYldOUE5YaEpiekZ1YzNoRlZsSjJaRVpOTnpCcVVWSmtlSHBFZUU1b05FRklNRmg2UmtremJVWUtTV3Q1VEhkWmNHRTJSM1prTjFwd1ZIaGxjbVI1TTFSSGNHZGxTR3BEUXl0VVpVODJWazF1UWxkWWNUUTNjRUkwVHl0MGF6UXlXRFJOZEhBcmMxWmxWQXBzTm5wa1VWRjRORll6ZUhadWIxQnRXV0pqTmxVclRUSkRibXhXUlRGd1VGVXplSHAxZDI5Q2VHbFhlWE00WVRJNVdqZG1LMWhEV1ZwalpGVkJSbU56Q2xOaU1ERnhWMmhYZDBSWGJURXljRVpUTVdkS1EyVTJWMkZoYVZZclNVTnZSa1ptTDFCaGRYSnZjRmhLWWpOV2JYaE9kREZXWlc1cldWQlZkbGQyUkdVS1YwUktRbTVuUWxOaWIzVlBUelZRYlc1VU9HdHRjVkYyYjFGSFpXWXZkVXhuUWxoNFZYbFlNVzkyVUVOeU9EaG1iWEZUYlVoWFJVWnZNelZ5VkZGRk5RcFRjMHAwUkhSYVJqYzNjbk0wZDB0RFFWRkZRU3RuYkZSak5FTjFXRGRVWVdscGFGcDVSVE5TUzJ0U09GVmpTWGhqUldSaGFYaG9LMnhtWjAxRWVEVkRDbEJSTjIxMVJuZENaRkpaVG0xSWJHOW9hRU15TlhONVdHNXplRTlNTURCbk4xWTNOREJRVlRWTVpUbE5RbWhEZFRab1RXWm9jVFZSTWl0TldXZDVSRElLSzNCT2VuZHNXa2hESzFkQlpIUlNRbXBZVmpKeWNqUndNMlI1U0hkRFZHTmlhazVwZVROaU1XUm5Zbk14Wm1KTlMycHVNbXRFZFdvMlkwbHNNa2x5VEFwRk5uSk1XV3htV21JNFpFTmtSMUlyZDI5MVowMDJNVEZVYVdoTWVHNWhhRlZXYTNZeU4xUm9Wa0Z5UTFocU9WbE5jMk5UWVhCTlEyTldhRWc0WVZvMUNrVnRRaXRQVkdGRlRucEhRbkJLYlN0blJsWkNOakZ0YnpRdlMwSk5iR1pxUWtvMksxQnpUMDk1WmtOREswaG9RVEEwY2xkU2FIWkNhRE5zT1V4b1Uzb0tXa0l6UW1wemNGQmtlVkpUUzBkM05YZHdaMUJyTnpjd2FIcEVRMmQ1YTJKS2FuZERTV1puVkU1UlMwTkJVVVZCYlZkR1VXOU5jMDkyTlhjeGFISk9PUW8yY1dsSFJWSnhRVWhSY3pJMlYyaE1lVEJ2WlV0S1dVd3hSSEpKWldZeFZrbzJNWFpQWVV4VE0zRTNiekJxVmt4Nk9WVXlNM1JCUzJSdFpua3JSMlV4Q25aWmJVTXZRMGhOTm1SNmExVmhVMWRMUmpCRGFqWlpRMnh5TW14TVpqTjNaa1IxVVZoRFl6Sk1TMEZMT0VJMWNtVlpVVmxzVWpsUEwyNVRNMFpvYXpJS01HaFllVkJOYmtadE9VbG5OVlk1ZWtwVWRqZElRbTVWUkdjMk9VdDROWEZ0UkhFdmFTOTRUaloxWTAxSVdFbHZkSGgwWm5KSmJtWndRVkp3TkdKNlp3cEhkamhIVml0eldrWTFVVVprWWxNeFJEZzFUMkpHUW5neU1FMTRNalZ1WTB0WlRqRTBSRXhWY0RCTFJ5dHRlVlJ4VURCVVVGUk1OREpQTlV0ek9FcHZDbU5PU1hCVWRHdHBjRzR3VWxjdmJESkJNR2hCV0hZek4zaFRaelExVlhKVmRtZE5Oblp4VVZCSVZVVkpXVFFyTDNsdGIxVlhhRGN5UlRGc2IxcEhVbGNLY0cxaGEyNTNTME5CVVVWQmQzbGxhMU4yUzFaS016UjRWazFTU25veE1YUmtSMEZtTmtoQ05YaG1hbkpaYzFkeWFEaEpha295YlcxeFlVZElNSG94T0Fwd1ltRm5lR1pHT0RnMllqUkhkM2d4UTNsNlRHMVlMMHAzTTNaMFIwdDBUMEprZUZGeGFYTTNWM1JsZVUwMWVUWXpLMVpSY2tsb0sxQlFXRFV4UTFWcUNreDBXR2xtZERCTmFsTjVlR2hhU2tobGVrMHhaMWhPUkRKWUsybEVUWGs0Y1ZoTFpWTkRTbkJIUlhoR1pHazBWM05qTUc1WVQzZ3pkRTVKUzBSTFoyc0tkbTF1TkVwSlEweHlObnB5VkZkeFJuUkpjMlpIWW1obFJWQkNZblZzUW1wNmQxUlhNRVpyUVhKcFJsTTNibloyTTBObVltWXpSUzgzYldkRFNGRllRUXBFU2xKSVlrRklWQzl5WVUxNlVGVmxURlY1UzB0d1JVOVVMM3BYTkVsWmFWaE9kWE5ZWlV3clRtZzJXRkZCUmtvdlJVOUhkMUZFU0ZFNE1ERXhaekY1Q2tkTWRuZHdSSGhWYlU0eU1ubHpjWGRqVWxKT2RtSklTSHAyTDI1aGFuZEhVVkZMUTBGUlJVRXhWSG92TUdOMFdsZEVlbGhWYkd0UlJrTldiVkZDV1dzS1dHOTVSVzlZWkV4VFQwSjJlVVJzZFZsR01UVlRiblp1Ym1kTmJuZDZMMjUzWjA1aFpFWlVkR0ZVWkZkNFltOXlUbFZVTVdkSFptc3hNVFZYZUVSYU5RcDJSM0ZuY2pac1ltVTBkV1ZoYWpNMWFtRkpUemQ1UlhOTEt6ZG9aemcyYUc0d01uRm1ablpEVlhGVlZVRnpRbTFWZVZaQ1YzYzFTbFpCWTJVekwycHlDazF0U1ZnMVNVUldTbGRwYVN0U1pEUlpiVzVrWTB0VFRWZHVia2gyWlZvMlZFdEtkMnh4TVVwU01GcHpaRzFhYUhwVVNEbHNNbXQyWjA1d05YQndiRElLWjFwMlpYVm5Vbk5vWjFaaVZVeEhkVGxzVjNSM016Sm9RbWN6U1ZsTmFsVlFSR3d6TnpWd0wzSXlXVTFHZFVWRWJHNVJPR1l6YjBwbUwxZ3djRzQzT1FwWU0zbDFlRGgzYUdST1NVWm9NbXRGVWxGaVVGWnROWE5FTTFCcVJuQkpWMkZqZWxOQksxcHBSbUZ6YVdoQ2NtbHVOSFpuWVRjelRXRlNVM2R2UVQwOUNpMHRMUzB0UlU1RUlGSlRRU0JRVWtsV1FWUkZJRXRGV1MwdExTMHRDZz09CiAgICB0b2tlbjogYWZhMTEzNDc2MzkzYjYzNWM0Zjc1NDczZTQ5MjMyMGQ1MTgzMzJiYmIyYmE5Mzk2Y2ZmZjQzNGNiZWU3MmRjNjQwZjQ2YjhkYWEyNWQyZWFhZjg3NmFhNmVmMTRkNWE0Y2RjYjNjNTdlOTM2M2M3ODRkODgzM2MzNDU2YTQyYTEK\"\n - \ }\n ]\n }" - headers: - cache-control: - - no-cache - content-length: - - '13140' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:37:36 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1198' - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s connect - Connection: - - keep-alive - ParameterSetName: - - -g -n -l --tags --kube-config - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Kubernetes?api-version=2021-04-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Kubernetes","namespace":"Microsoft.Kubernetes","authorizations":[{"applicationId":"64b12d6e-6549-484c-8cc6-6281839ba394","roleDefinitionId":"1d1d44cf-68a1-4def-a2b6-cd7efc3515af"},{"applicationId":"359431ad-ece5-496b-8768-be4bbfd82f36","roleDefinitionId":"1b5c71b7-9814-4b40-b62a-23018af874d8"},{"applicationId":"0000dab9-8b21-4ba2-807f-1743968cef00","roleDefinitionId":"1b5c71b7-9814-4b40-b62a-23018af874d8"},{"applicationId":"8edd93e1-2103-40b4-bd70-6e34e586362d","roleDefinitionId":"eb67887a-31e8-4e4e-bf5b-14ff79351a6f"}],"resourceTypes":[{"resourceType":"connectedClusters","locations":["West - Europe","East US","West Central US","South Central US","Southeast Asia","UK - South","East US 2","West US 2","Australia East","North Europe","France Central","Central - US","West US","North Central US","Korea Central","Japan East","West US 3","East - Asia","Canada Central","East US 2 EUAP","Canada East"],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"SystemAssignedResourceIdentity, - SupportsTags, SupportsLocation"},{"resourceType":"locations","locations":[],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/operationStatuses","locations":["East - US 2 EUAP","West Europe","East US","West Central US","South Central US","Southeast - Asia","UK South","East US 2","West US 2","Australia East","North Europe","France - Central","Central US","West US","North Central US","Korea Central","Japan - East","East Asia","West US 3","Canada East","Canada Central"],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"None"},{"resourceType":"registeredSubscriptions","locations":[],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"None"},{"resourceType":"Operations","locations":[],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview","2019-11-01-preview","2019-09-01-privatepreview"],"capabilities":"None"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' - headers: - cache-control: - - no-cache - content-length: - - '2416' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 11:37:39 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s connect - Connection: - - keep-alive - ParameterSetName: - - -g -n -l --tags --kube-config - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration?api-version=2021-04-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration","namespace":"Microsoft.KubernetesConfiguration","authorizations":[{"applicationId":"c699bf69-fb1d-4eaf-999b-99e6b2ae4d85","roleDefinitionId":"90155430-a360-410f-af5d-89dc284d85c6"},{"applicationId":"03db181c-e9d3-4868-9097-f0b728327182","roleDefinitionId":"DE2ADB97-42D8-49C8-8FCF-DBB53EF936AC"},{"applicationId":"a0f92522-89de-4c5e-9a75-0044ccf66efd","roleDefinitionId":"b3429810-7d5c-420e-8605-cf280f3099f2"},{"applicationId":"bd9b7cd5-dac1-495f-b013-ac871e98fa5f","roleDefinitionId":"0d44c8f0-08b9-44d4-9f59-e51c83f95200"},{"applicationId":"585fc3c3-9a59-4720-8319-53cce041a605","roleDefinitionId":"4a9ce2ee-6de2-43ba-a7bd-8f316de763a7"}],"resourceTypes":[{"resourceType":"sourceControlConfigurations","locations":["East - US","West Europe","West Central US","West US 2","West US 3","South Central - US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France - Central","Central US","North Central US","West US","Korea Central","East Asia","Japan - East","Canada East","Canada Central","Norway East","Germany West Central","Sweden - Central","Switzerland North","Australia Southeast","Central India","South - India","Japan West","Uk West","France South","Korea South","South Africa North","East - US 2 EUAP","Central US EUAP"],"apiVersions":["2022-07-01","2022-03-01","2021-03-01","2020-10-01-preview","2020-07-01-preview","2019-11-01-preview"],"defaultApiVersion":"2022-03-01","capabilities":"SupportsExtension"},{"resourceType":"extensions","locations":["East - US","West Europe","West Central US","West US 2","West US 3","South Central - US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France - Central","Central US","North Central US","West US","Korea Central","East Asia","Japan - East","Canada East","Canada Central","Norway East","Germany West Central","Sweden - Central","Switzerland North","Australia Southeast","Central India","South - India","Japan West","Uk West","France South","Korea South","South Africa North","East - US 2 EUAP","Central US EUAP"],"apiVersions":["2022-07-01","2022-04-02-preview","2022-03-01","2021-09-01","2021-05-01-preview","2020-07-01-preview"],"defaultApiVersion":"2022-07-01","capabilities":"SystemAssignedResourceIdentity, - SupportsExtension"},{"resourceType":"fluxConfigurations","locations":["East - US","West Europe","West Central US","West US 2","West US 3","South Central - US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France - Central","Central US","North Central US","West US","Korea Central","East Asia","Japan - East","Canada East","Canada Central","Norway East","Germany West Central","Sweden - Central","Switzerland North","Australia Southeast","Central India","South - India","Japan West","Uk West","Korea South","France South","South Africa North","East - US 2 EUAP","Central US EUAP"],"apiVersions":["2022-07-01","2022-03-01","2022-01-01-preview","2021-11-01-preview","2021-06-01-preview"],"defaultApiVersion":"2022-07-01","capabilities":"SupportsExtension"},{"resourceType":"operations","locations":[],"apiVersions":["2022-03-01","2022-01-01-preview","2021-12-01-preview","2021-11-01-preview","2021-09-01","2021-06-01-preview","2021-05-01-preview","2021-03-01","2020-10-01-preview","2020-07-01-preview","2019-11-01-preview"],"capabilities":"None"},{"resourceType":"privateLinkScopes","locations":["East - US","West Europe","West Central US","West US 2","West US 3","South Central - US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France - Central","Central US","North Central US","West US","Korea Central","East Asia","Japan - East","Canada East","Canada Central","Norway East","Germany West Central","Sweden - Central","Switzerland North","Australia Southeast","Central India","South - India","Japan West","Uk West","Korea South","France South","South Africa North","East - US 2 EUAP","Central US EUAP"],"apiVersions":["2022-04-02-preview"],"capabilities":"SupportsTags, - SupportsLocation"},{"resourceType":"privateLinkScopes/privateEndpointConnections","locations":["East - US","West Europe","West Central US","West US 2","West US 3","South Central - US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France - Central","Central US","North Central US","West US","Korea Central","East Asia","Japan - East","Canada East","Canada Central","Norway East","Germany West Central","Sweden - Central","Switzerland North","Australia Southeast","Central India","South - India","Japan West","Uk West","France South","Korea South","South Africa North","East - US 2 EUAP","Central US EUAP"],"apiVersions":["2022-04-02-preview"],"capabilities":"None"},{"resourceType":"privateLinkScopes/privateEndpointConnectionProxies","locations":["East - US","West Europe","West Central US","West US 2","West US 3","South Central - US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France - Central","Central US","North Central US","West US","Korea Central","East Asia","Japan - East","Canada East","Canada Central","Norway East","Germany West Central","Sweden - Central","Switzerland North","Australia Southeast","Central India","South - India","Japan West","Uk West","South Africa North","Korea South","France South","East - US 2 EUAP","Central US EUAP"],"apiVersions":["2022-04-02-preview"],"capabilities":"None"},{"resourceType":"namespaces","locations":["East - US 2 EUAP","West US 2","East US","West Europe","West Central US","West US - 3","South Central US","East US 2","North Europe","UK South","Southeast Asia","Australia - East","France Central","Central US","North Central US","West US","Korea Central","East - Asia","Japan East","Canada Central","Canada East","Norway East","Germany West - Central","Switzerland North","Sweden Central","Central India","South India","Australia - Southeast","Japan West","Uk West","France South","Korea South","South Africa - North"],"apiVersions":["2021-12-01-preview"],"defaultApiVersion":"2021-12-01-preview","capabilities":"SupportsExtension"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' - headers: - cache-control: - - no-cache - content-length: - - '6074' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 11:37:39 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Content-Type: - - application/json - User-Agent: - - OpenAPI-Generator/24.2.0/python - method: GET - uri: https://cli-test-a-akkeshar-1bfbb5-52714f14.hcp.westeurope.azmk8s.io/version/ - response: - body: - string: "{\n \"major\": \"1\",\n \"minor\": \"23\",\n \"gitVersion\": \"v1.23.12\",\n - \ \"gitCommit\": \"f941a31f4515c5ac03f5fc7ccf9a330e3510b80d\",\n \"gitTreeState\": - \"clean\",\n \"buildDate\": \"2022-11-09T17:12:33Z\",\n \"goVersion\": \"go1.17.13\",\n - \ \"compiler\": \"gc\",\n \"platform\": \"linux/amd64\"\n}" - headers: - audit-id: - - 56bdbb39-bcde-4d18-afe2-5870af4f026a - cache-control: - - no-cache, private - content-length: - - '265' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:37:40 GMT - x-kubernetes-pf-flowschema-uid: - - 2920afa3-e99e-4ce9-aad1-ae980c0c23f4 - x-kubernetes-pf-prioritylevel-uid: - - 9a1ba86f-7d0f-4aa9-baa2-6f999741c9e7 - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Content-Type: - - application/json - User-Agent: - - OpenAPI-Generator/24.2.0/python - method: GET - uri: https://cli-test-a-akkeshar-1bfbb5-52714f14.hcp.westeurope.azmk8s.io/api/v1/nodes - response: - body: - string: '{"kind":"NodeList","apiVersion":"v1","metadata":{"resourceVersion":"1557"},"items":[{"metadata":{"name":"aks-nodepool1-30157530-vmss000000","uid":"3afcee7e-70b5-4205-8c41-25c2da42116d","resourceVersion":"1235","creationTimestamp":"2022-11-15T11:35:31Z","labels":{"agentpool":"nodepool1","beta.kubernetes.io/arch":"amd64","beta.kubernetes.io/instance-type":"Standard_B4ms","beta.kubernetes.io/os":"linux","failure-domain.beta.kubernetes.io/region":"westeurope","failure-domain.beta.kubernetes.io/zone":"0","kubernetes.azure.com/agentpool":"nodepool1","kubernetes.azure.com/cluster":"MC_akkeshar_cli-test-aks-000001_westeurope","kubernetes.azure.com/kubelet-identity-client-id":"f7bc696b-0f88-445e-aed7-d11a045621ef","kubernetes.azure.com/mode":"system","kubernetes.azure.com/node-image-version":"AKSUbuntu-1804gen2containerd-2022.10.24","kubernetes.azure.com/os-sku":"Ubuntu","kubernetes.azure.com/role":"agent","kubernetes.azure.com/storageprofile":"managed","kubernetes.azure.com/storagetier":"Premium_LRS","kubernetes.io/arch":"amd64","kubernetes.io/hostname":"aks-nodepool1-30157530-vmss000000","kubernetes.io/os":"linux","kubernetes.io/role":"agent","node-role.kubernetes.io/agent":"","node.kubernetes.io/instance-type":"Standard_B4ms","storageprofile":"managed","storagetier":"Premium_LRS","topology.disk.csi.azure.com/zone":"","topology.kubernetes.io/region":"westeurope","topology.kubernetes.io/zone":"0"},"annotations":{"csi.volume.kubernetes.io/nodeid":"{\"disk.csi.azure.com\":\"aks-nodepool1-30157530-vmss000000\",\"file.csi.azure.com\":\"aks-nodepool1-30157530-vmss000000\"}","node.alpha.kubernetes.io/ttl":"0","volumes.kubernetes.io/controller-managed-attach-detach":"true"},"managedFields":[{"manager":"cloud-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:31Z","fieldsType":"FieldsV1","fieldsV1":{"f:spec":{"f:podCIDR":{},"f:podCIDRs":{".":{},"v:\"10.244.0.0/24\"":{}}}}},{"manager":"kubelet","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:31Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:volumes.kubernetes.io/controller-managed-attach-detach":{}},"f:labels":{".":{},"f:agentpool":{},"f:beta.kubernetes.io/arch":{},"f:beta.kubernetes.io/os":{},"f:kubernetes.azure.com/agentpool":{},"f:kubernetes.azure.com/kubelet-identity-client-id":{},"f:kubernetes.azure.com/mode":{},"f:kubernetes.azure.com/node-image-version":{},"f:kubernetes.io/arch":{},"f:kubernetes.io/hostname":{},"f:kubernetes.io/os":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:41Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{"f:node.alpha.kubernetes.io/ttl":{}}}}},{"manager":"cloud-node-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:47Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{"f:beta.kubernetes.io/instance-type":{},"f:failure-domain.beta.kubernetes.io/region":{},"f:failure-domain.beta.kubernetes.io/zone":{},"f:node.kubernetes.io/instance-type":{},"f:topology.kubernetes.io/region":{},"f:topology.kubernetes.io/zone":{}}},"f:spec":{"f:providerID":{}}}},{"manager":"cloud-node-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:47Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{"k:{\"type\":\"NetworkUnavailable\"}":{".":{},"f:type":{}}}}},"subresource":"status"},{"manager":"kubectl-label","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:54Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{"f:kubernetes.io/role":{},"f:node-role.kubernetes.io/agent":{}}}}},{"manager":"kubelet","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:54Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{"f:csi.volume.kubernetes.io/nodeid":{}},"f:labels":{"f:topology.disk.csi.azure.com/zone":{}}},"f:status":{"f:allocatable":{"f:ephemeral-storage":{}},"f:capacity":{"f:ephemeral-storage":{}},"f:conditions":{"k:{\"type\":\"DiskPressure\"}":{"f:lastHeartbeatTime":{}},"k:{\"type\":\"MemoryPressure\"}":{"f:lastHeartbeatTime":{}},"k:{\"type\":\"PIDPressure\"}":{"f:lastHeartbeatTime":{}},"k:{\"type\":\"Ready\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}}},"f:images":{}}},"subresource":"status"},{"manager":"cloud-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:36:38Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{"k:{\"type\":\"NetworkUnavailable\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}}}}},"subresource":"status"}]},"spec":{"podCIDR":"10.244.0.0/24","podCIDRs":["10.244.0.0/24"],"providerID":"azure:///subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/mc_akkeshar_cli-test-aks-000001_westeurope/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-30157530-vmss/virtualMachines/0"},"status":{"capacity":{"cpu":"4","ephemeral-storage":"129886128Ki","hugepages-1Gi":"0","hugepages-2Mi":"0","memory":"16393248Ki","pods":"110"},"allocatable":{"cpu":"3860m","ephemeral-storage":"119703055367","hugepages-1Gi":"0","hugepages-2Mi":"0","memory":"12899360Ki","pods":"110"},"conditions":[{"type":"NetworkUnavailable","status":"False","lastHeartbeatTime":"2022-11-15T11:36:37Z","lastTransitionTime":"2022-11-15T11:36:37Z","reason":"RouteCreated","message":"RouteController - created a route"},{"type":"MemoryPressure","status":"False","lastHeartbeatTime":"2022-11-15T11:35:41Z","lastTransitionTime":"2022-11-15T11:35:31Z","reason":"KubeletHasSufficientMemory","message":"kubelet - has sufficient memory available"},{"type":"DiskPressure","status":"False","lastHeartbeatTime":"2022-11-15T11:35:41Z","lastTransitionTime":"2022-11-15T11:35:31Z","reason":"KubeletHasNoDiskPressure","message":"kubelet - has no disk pressure"},{"type":"PIDPressure","status":"False","lastHeartbeatTime":"2022-11-15T11:35:41Z","lastTransitionTime":"2022-11-15T11:35:31Z","reason":"KubeletHasSufficientPID","message":"kubelet - has sufficient PID available"},{"type":"Ready","status":"True","lastHeartbeatTime":"2022-11-15T11:35:41Z","lastTransitionTime":"2022-11-15T11:35:41Z","reason":"KubeletReady","message":"kubelet - is posting ready status. AppArmor enabled"}],"addresses":[{"type":"InternalIP","address":"10.224.0.4"},{"type":"Hostname","address":"aks-nodepool1-30157530-vmss000000"}],"daemonEndpoints":{"kubeletEndpoint":{"Port":10250}},"nodeInfo":{"machineID":"c1cb98cda984494199e232aca1ead223","systemUUID":"d831d796-ee65-4822-8c76-3328b8985bfb","bootID":"58398ea8-03cb-40d8-b940-e9c458fa375a","kernelVersion":"5.4.0-1094-azure","osImage":"Ubuntu - 18.04.6 LTS","containerRuntimeVersion":"containerd://1.5.11+azure-2","kubeletVersion":"v1.23.12","kubeProxyVersion":"v1.23.12","operatingSystem":"linux","architecture":"amd64"},"images":[{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod:ciprod10042022-3c05dd1b"],"sizeBytes":398142568},{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod:ciprod08102022"],"sizeBytes":397844357},{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod/prometheus-collector/images:5.3.0-main-10-06-2022-c0c49872"],"sizeBytes":314952834},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:0.49.3"],"sizeBytes":287741913},{"names":["mcr.microsoft.com/oss/calico/cni:v3.23.1"],"sizeBytes":263014840},{"names":["mcr.microsoft.com/oss/calico/cni:v3.21.4"],"sizeBytes":236345866},{"names":["mcr.microsoft.com/oss/calico/cni:v3.21.6"],"sizeBytes":227829276},{"names":["mcr.microsoft.com/oss/calico/node:v3.23.1"],"sizeBytes":221560540},{"names":["mcr.microsoft.com/oss/calico/node:v3.21.4"],"sizeBytes":216363503},{"names":["mcr.microsoft.com/oss/calico/node:v3.21.6"],"sizeBytes":215379163},{"names":["mcr.microsoft.com/oss/cilium/cilium:1.12.2.2"],"sizeBytes":167729489},{"names":["mcr.microsoft.com/oss/cilium/cilium:1.12.2"],"sizeBytes":166611722},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:0.19.0"],"sizeBytes":166352383},{"names":["mcr.microsoft.com/aks/hcp/hcp-tunnel-front:master.220527.2"],"sizeBytes":146994488},{"names":null,"sizeBytes":138243950},{"names":["mcr.microsoft.com/oss/calico/kube-controllers:v3.23.1"],"sizeBytes":136078571},{"names":["mcr.microsoft.com/oss/calico/typha:v3.23.1"],"sizeBytes":131467121},{"names":["mcr.microsoft.com/oss/kubernetes/kube-proxy:v1.23.12-hotfix.20220922.1"],"sizeBytes":128992809},{"names":null,"sizeBytes":128984097},{"names":["mcr.microsoft.com/oss/tigera/operator:v1.24.2"],"sizeBytes":128711964},{"names":["mcr.microsoft.com/oss/calico/typha:v3.21.4"],"sizeBytes":128235133},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.2.2.5"],"sizeBytes":123925992},{"names":null,"sizeBytes":123550720},{"names":null,"sizeBytes":123549904},{"names":["mcr.microsoft.com/oss/calico/kube-controllers:v3.21.6"],"sizeBytes":123549280},{"names":null,"sizeBytes":123542588},{"names":null,"sizeBytes":123542274},{"names":["mcr.microsoft.com/oss/calico/typha:v3.21.6"],"sizeBytes":119713369},{"names":null,"sizeBytes":115909379},{"names":null,"sizeBytes":115897326},{"names":null,"sizeBytes":115893258},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:v1.2.1"],"sizeBytes":107169290},{"names":["mcr.microsoft.com/oss/calico/node:v3.8.9.5"],"sizeBytes":101794833},{"names":["mcr.microsoft.com/containernetworking/azure-cns:v1.4.35"],"sizeBytes":101298296},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.22.0.3"],"sizeBytes":99538753},{"names":["mcr.microsoft.com/aks/acc/sgx-attestation:3.1"],"sizeBytes":98058501},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.23.0"],"sizeBytes":95915873},{"names":["mcr.microsoft.com/oss/kubernetes/exechealthz:1.2_v0.0.5"],"sizeBytes":94348102},{"names":["mcr.microsoft.com/aks/hcp/tunnel-openvpn:master.220527.2"],"sizeBytes":92531564},{"names":["mcr.microsoft.com/containernetworking/azure-npm:v1.4.32"],"sizeBytes":90048618},{"names":["mcr.microsoft.com/containernetworking/azure-npm:v1.4.29"],"sizeBytes":89255513},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.2.2"],"sizeBytes":88551490},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.22.0"],"sizeBytes":83173887},{"names":["mcr.microsoft.com/aks/command/runtime:master.220211.1"],"sizeBytes":82792811},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.21.0"],"sizeBytes":75345915},{"names":["mcr.microsoft.com/oss/nvidia/k8s-device-plugin:v0.9.0"],"sizeBytes":67291599},{"names":["mcr.microsoft.com/containernetworking/cni-dropgz:v0.0.2"],"sizeBytes":67202663},{"names":["mcr.microsoft.com/oss/tigera/operator:v1.27.12"],"sizeBytes":64784076},{"names":["mcr.microsoft.com/oss/kubernetes-csi/secrets-store/driver:v1.2.2.3"],"sizeBytes":64781810},{"names":["mcr.microsoft.com/oss/calico/cni:v3.8.9.3"],"sizeBytes":63581323}]}}]} - - ' - headers: - audit-id: - - e6922f35-06da-4c33-8c2a-c40d5d8ddaaa - cache-control: - - no-cache, private - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:37:41 GMT - transfer-encoding: - - chunked - x-kubernetes-pf-flowschema-uid: - - 2920afa3-e99e-4ce9-aad1-ae980c0c23f4 - x-kubernetes-pf-prioritylevel-uid: - - 9a1ba86f-7d0f-4aa9-baa2-6f999741c9e7 - status: - code: 200 - message: OK -- request: - body: '{"spec": {"resourceAttributes": {"verb": "create", "resource": "clusterrolebindings", - "group": "rbac.authorization.k8s.io"}}}' - headers: - Accept: - - application/json - Content-Type: - - application/json - User-Agent: - - OpenAPI-Generator/24.2.0/python - method: POST - uri: https://cli-test-a-akkeshar-1bfbb5-52714f14.hcp.westeurope.azmk8s.io/apis/authorization.k8s.io/v1/selfsubjectaccessreviews - response: - body: - string: '{"kind":"SelfSubjectAccessReview","apiVersion":"authorization.k8s.io/v1","metadata":{"creationTimestamp":null,"managedFields":[{"manager":"OpenAPI-Generator","operation":"Update","apiVersion":"authorization.k8s.io/v1","time":"2022-11-15T11:37:42Z","fieldsType":"FieldsV1","fieldsV1":{"f:spec":{"f:resourceAttributes":{".":{},"f:group":{},"f:resource":{},"f:verb":{}}}}}]},"spec":{"resourceAttributes":{"verb":"create","group":"rbac.authorization.k8s.io","resource":"clusterrolebindings"}},"status":{"allowed":true}} - - ' - headers: - audit-id: - - 2104b4d0-1b42-4f26-9682-351b62ff65c6 - cache-control: - - no-cache, private - content-length: - - '516' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:37:42 GMT - x-kubernetes-pf-flowschema-uid: - - 2920afa3-e99e-4ce9-aad1-ae980c0c23f4 - x-kubernetes-pf-prioritylevel-uid: - - 9a1ba86f-7d0f-4aa9-baa2-6f999741c9e7 - status: - code: 201 - message: Created -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s connect - Connection: - - keep-alive - ParameterSetName: - - -g -n -l --tags --kube-config - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Kubernetes?api-version=2021-04-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Kubernetes","namespace":"Microsoft.Kubernetes","authorizations":[{"applicationId":"64b12d6e-6549-484c-8cc6-6281839ba394","roleDefinitionId":"1d1d44cf-68a1-4def-a2b6-cd7efc3515af"},{"applicationId":"359431ad-ece5-496b-8768-be4bbfd82f36","roleDefinitionId":"1b5c71b7-9814-4b40-b62a-23018af874d8"},{"applicationId":"0000dab9-8b21-4ba2-807f-1743968cef00","roleDefinitionId":"1b5c71b7-9814-4b40-b62a-23018af874d8"},{"applicationId":"8edd93e1-2103-40b4-bd70-6e34e586362d","roleDefinitionId":"eb67887a-31e8-4e4e-bf5b-14ff79351a6f"}],"resourceTypes":[{"resourceType":"connectedClusters","locations":["West - Europe","East US","West Central US","South Central US","Southeast Asia","UK - South","East US 2","West US 2","Australia East","North Europe","France Central","Central - US","West US","North Central US","Korea Central","Japan East","West US 3","East - Asia","Canada Central","East US 2 EUAP","Canada East"],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"SystemAssignedResourceIdentity, - SupportsTags, SupportsLocation"},{"resourceType":"locations","locations":[],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/operationStatuses","locations":["East - US 2 EUAP","West Europe","East US","West Central US","South Central US","Southeast - Asia","UK South","East US 2","West US 2","Australia East","North Europe","France - Central","Central US","West US","North Central US","Korea Central","Japan - East","East Asia","West US 3","Canada East","Canada Central"],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"None"},{"resourceType":"registeredSubscriptions","locations":[],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"None"},{"resourceType":"Operations","locations":[],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview","2019-11-01-preview","2019-09-01-privatepreview"],"capabilities":"None"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' - headers: - cache-control: - - no-cache - content-length: - - '2416' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 11:37:42 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s connect - Connection: - - keep-alive - ParameterSetName: - - -g -n -l --tags --kube-config - User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002?api-version=2021-10-01 - response: - body: - string: '{"error":{"code":"ResourceNotFound","message":"The Resource ''Microsoft.Kubernetes/connectedClusters/cc-000002'' - under resource group ''akkeshar'' was not found. For more details please go - to https://aka.ms/ARMResourceNotFoundFix"}}' - headers: - cache-control: - - no-cache - content-length: - - '228' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 11:37:43 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - x-ms-failure-cause: - - gateway - status: - code: 404 - message: Not Found -- request: - body: null - headers: - Accept: - - application/json - Content-Type: - - application/json - User-Agent: - - OpenAPI-Generator/24.2.0/python - method: GET - uri: https://cli-test-a-akkeshar-1bfbb5-52714f14.hcp.westeurope.azmk8s.io/api/v1/namespaces - response: - body: - string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"1573"},"items":[{"metadata":{"name":"default","uid":"cd58e606-5900-40ef-a998-71ad36530e9b","resourceVersion":"205","creationTimestamp":"2022-11-15T11:33:55Z","labels":{"kubernetes.io/metadata.name":"default"},"managedFields":[{"manager":"kube-apiserver","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:33:55Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{".":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Active"}},{"metadata":{"name":"kube-node-lease","uid":"6997ca5a-66e9-46b0-bf71-b2c228b4f8d3","resourceVersion":"47","creationTimestamp":"2022-11-15T11:33:53Z","labels":{"kubernetes.io/metadata.name":"kube-node-lease"},"managedFields":[{"manager":"kube-apiserver","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:33:53Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{".":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Active"}},{"metadata":{"name":"kube-public","uid":"96ce53d6-f62f-4ba8-aea5-19c0d37747bc","resourceVersion":"34","creationTimestamp":"2022-11-15T11:33:53Z","labels":{"kubernetes.io/metadata.name":"kube-public"},"managedFields":[{"manager":"kube-apiserver","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:33:53Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{".":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Active"}},{"metadata":{"name":"kube-system","uid":"9360d1b2-f574-4dc0-9dd7-527224f71af1","resourceVersion":"585","creationTimestamp":"2022-11-15T11:33:53Z","labels":{"addonmanager.kubernetes.io/mode":"Reconcile","control-plane":"true","kubernetes.io/cluster-service":"true","kubernetes.io/metadata.name":"kube-system"},"annotations":{"kubectl.kubernetes.io/last-applied-configuration":"{\"apiVersion\":\"v1\",\"kind\":\"Namespace\",\"metadata\":{\"annotations\":{},\"labels\":{\"addonmanager.kubernetes.io/mode\":\"Reconcile\",\"control-plane\":\"true\",\"kubernetes.io/cluster-service\":\"true\"},\"name\":\"kube-system\"}}\n"},"managedFields":[{"manager":"kube-apiserver","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:33:53Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{".":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kubectl-client-side-apply","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:34:14Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:kubectl.kubernetes.io/last-applied-configuration":{}},"f:labels":{"f:addonmanager.kubernetes.io/mode":{},"f:control-plane":{},"f:kubernetes.io/cluster-service":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Active"}}]} - - ' - headers: - audit-id: - - 31a8cf59-4696-40b2-b92f-f8477d415a55 - cache-control: - - no-cache, private - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:37:45 GMT - transfer-encoding: - - chunked - x-kubernetes-pf-flowschema-uid: - - 2920afa3-e99e-4ce9-aad1-ae980c0c23f4 - x-kubernetes-pf-prioritylevel-uid: - - 9a1ba86f-7d0f-4aa9-baa2-6f999741c9e7 - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s connect - Connection: - - keep-alive - ParameterSetName: - - -g -n -l --tags --kube-config - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/akkeshar?api-version=2021-04-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar","name":"akkeshar","type":"Microsoft.Resources/resourceGroups","location":"eastus","tags":{"Created":"20210721"},"properties":{"provisioningState":"Succeeded"}}' - headers: - cache-control: - - no-cache - content-length: - - '243' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 11:37:44 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s connect - Connection: - - keep-alive - Content-Length: - - '0' - ParameterSetName: - - -g -n -l --tags --kube-config - User-Agent: - - python/3.7.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.42.0 - method: POST - uri: https://eastus.dp.kubernetesconfiguration.azure.com/azure-arc-k8sagents/GetLatestHelmPackagePath?api-version=2019-11-01-preview&releaseTrain=stable - response: - body: - string: '{"repositoryPath":"mcr.microsoft.com/azurearck8s/batch1/stable/azure-arc-k8sagents:1.8.14"}' - headers: - api-supported-versions: - - 2019-11-01-Preview - connection: - - close - content-length: - - '91' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 11:37:46 GMT - strict-transport-security: - - max-age=15724800; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: '{"tags": {"foo": "doo"}, "location": "eastus", "identity": {"type": "SystemAssigned"}, - "properties": {"agentPublicKeyCertificate": "MIICCgKCAgEAjBo1OVNXOvebGiKczgWusikBojChNWAgVBQ+/TW1t8+cCFbtT9pOJWhX571G2thyHyHCLc5Du56ikMLhx9uUYOYpe3L73b0eDJRe+mECd4UmyYbbySWOALuv2c6gYpB+X2fOtImdrs7WTFMrKW9QQ6FR0n0j3SS7v8Y2oW72lZ02WbEEr1a1G3494ZIRjTdH7uAtf3GtqwXMV5RMFI8lLlkNaVb5qVdkjk6ie2bAv4dNAU+kJegfT4N8uKC6HxEuaKp/uDwJum8ab4pfyHqZzbG8g+FbRdb/DxkL1Qa59egVDaT4To8S1cit6Z3D8bP/IN1W4bA6Rb8WLfmj8N2lgit88zSncK3QVbNDt9Yih6gYbyDMYSMxOBmGNiFKi3P35C1NkBiH5sVz3DUQLcWkorkl9bxtYO26CNumcebL7lNd56hz1AEoC/u7SuoskgxE8Pnz26MOYh91gV8OnpfyTes/aGFk5HxWK6tW5mLh8Mb8I0+fe2xoxZSc/vUZ2xdcKrDiNLJWmGGrdD7AvCxEE+BDt46G52s6J/it5uyBJsNwF3eBHeA9zVPuTU2ShFNiLRKYdnveiH2JETa/MuZ/doZ28RrCD2KFVtYAsNmNsxreTfXSwFbki9CF2ULUd7bzn7u3JyrWMhlBx6/AJfKVTmww70rqYeKM6Kg6uqmkffUCAwEAAQ==", - "distribution": "aks", "infrastructure": "azure"}}' - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s connect - Connection: - - keep-alive - Content-Length: - - '889' - Content-Type: - - application/json - ParameterSetName: - - -g -n -l --tags --kube-config - User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002?api-version=2021-10-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","name":"cc-000002","type":"microsoft.kubernetes/connectedclusters","location":"eastus","tags":{"foo":"doo"},"systemData":{"createdBy":"akkeshar@microsoft.com","createdByType":"User","createdAt":"2022-11-15T11:38:18.8618915Z","lastModifiedBy":"akkeshar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-15T11:38:18.8618915Z"},"identity":{"principalId":"486fb978-d865-4c3d-bbd4-92dc998d3386","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned"},"properties":{"provisioningState":"Accepted","connectivityStatus":"Connecting","agentPublicKeyCertificate":"MIICCgKCAgEAjBo1OVNXOvebGiKczgWusikBojChNWAgVBQ+/TW1t8+cCFbtT9pOJWhX571G2thyHyHCLc5Du56ikMLhx9uUYOYpe3L73b0eDJRe+mECd4UmyYbbySWOALuv2c6gYpB+X2fOtImdrs7WTFMrKW9QQ6FR0n0j3SS7v8Y2oW72lZ02WbEEr1a1G3494ZIRjTdH7uAtf3GtqwXMV5RMFI8lLlkNaVb5qVdkjk6ie2bAv4dNAU+kJegfT4N8uKC6HxEuaKp/uDwJum8ab4pfyHqZzbG8g+FbRdb/DxkL1Qa59egVDaT4To8S1cit6Z3D8bP/IN1W4bA6Rb8WLfmj8N2lgit88zSncK3QVbNDt9Yih6gYbyDMYSMxOBmGNiFKi3P35C1NkBiH5sVz3DUQLcWkorkl9bxtYO26CNumcebL7lNd56hz1AEoC/u7SuoskgxE8Pnz26MOYh91gV8OnpfyTes/aGFk5HxWK6tW5mLh8Mb8I0+fe2xoxZSc/vUZ2xdcKrDiNLJWmGGrdD7AvCxEE+BDt46G52s6J/it5uyBJsNwF3eBHeA9zVPuTU2ShFNiLRKYdnveiH2JETa/MuZ/doZ28RrCD2KFVtYAsNmNsxreTfXSwFbki9CF2ULUd7bzn7u3JyrWMhlBx6/AJfKVTmww70rqYeKM6Kg6uqmkffUCAwEAAQ==","distribution":"aks","infrastructure":"azure"}}' - headers: - azure-asyncoperation: - - https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/f5219c92-8a50-40d1-bb6f-6f5a2f750873*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11?api-version=2021-10-01 - cache-control: - - no-cache - content-length: - - '1488' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 11:38:23 GMT - etag: - - '"7100e54d-0000-0100-0000-63737a2d0000"' - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - x-ms-providerhub-traffic: - - 'True' - x-ms-ratelimit-remaining-subscription-writes: - - '1199' - status: - code: 201 - message: Created -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s connect - Connection: - - keep-alive - ParameterSetName: - - -g -n -l --tags --kube-config - User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/f5219c92-8a50-40d1-bb6f-6f5a2f750873*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11?api-version=2021-10-01 - response: - body: - string: '{"id":"/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/f5219c92-8a50-40d1-bb6f-6f5a2f750873*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11","name":"f5219c92-8a50-40d1-bb6f-6f5a2f750873*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","status":"Accepted","startTime":"2022-11-15T11:38:20.81725Z"}' - headers: - cache-control: - - no-cache - content-length: - - '499' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 11:38:23 GMT - etag: - - '"1001835f-0000-0100-0000-63737a2c0000"' - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s connect - Connection: - - keep-alive - ParameterSetName: - - -g -n -l --tags --kube-config - User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/f5219c92-8a50-40d1-bb6f-6f5a2f750873*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11?api-version=2021-10-01 - response: - body: - string: '{"id":"/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/f5219c92-8a50-40d1-bb6f-6f5a2f750873*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11","name":"f5219c92-8a50-40d1-bb6f-6f5a2f750873*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","status":"Succeeded","startTime":"2022-11-15T11:38:20.81725Z","endTime":"2022-11-15T11:38:26.9628744Z","properties":null}' - headers: - cache-control: - - no-cache - content-length: - - '559' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 11:38:53 GMT - etag: - - '"10019c5f-0000-0100-0000-63737a320000"' - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s connect - Connection: - - keep-alive - ParameterSetName: - - -g -n -l --tags --kube-config - User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002?api-version=2021-10-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","name":"cc-000002","type":"microsoft.kubernetes/connectedclusters","location":"eastus","tags":{"foo":"doo"},"systemData":{"createdBy":"akkeshar@microsoft.com","createdByType":"User","createdAt":"2022-11-15T11:38:18.8618915Z","lastModifiedBy":"akkeshar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-15T11:38:18.8618915Z"},"identity":{"principalId":"486fb978-d865-4c3d-bbd4-92dc998d3386","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned"},"properties":{"provisioningState":"Succeeded","connectivityStatus":"Connecting","agentPublicKeyCertificate":"MIICCgKCAgEAjBo1OVNXOvebGiKczgWusikBojChNWAgVBQ+/TW1t8+cCFbtT9pOJWhX571G2thyHyHCLc5Du56ikMLhx9uUYOYpe3L73b0eDJRe+mECd4UmyYbbySWOALuv2c6gYpB+X2fOtImdrs7WTFMrKW9QQ6FR0n0j3SS7v8Y2oW72lZ02WbEEr1a1G3494ZIRjTdH7uAtf3GtqwXMV5RMFI8lLlkNaVb5qVdkjk6ie2bAv4dNAU+kJegfT4N8uKC6HxEuaKp/uDwJum8ab4pfyHqZzbG8g+FbRdb/DxkL1Qa59egVDaT4To8S1cit6Z3D8bP/IN1W4bA6Rb8WLfmj8N2lgit88zSncK3QVbNDt9Yih6gYbyDMYSMxOBmGNiFKi3P35C1NkBiH5sVz3DUQLcWkorkl9bxtYO26CNumcebL7lNd56hz1AEoC/u7SuoskgxE8Pnz26MOYh91gV8OnpfyTes/aGFk5HxWK6tW5mLh8Mb8I0+fe2xoxZSc/vUZ2xdcKrDiNLJWmGGrdD7AvCxEE+BDt46G52s6J/it5uyBJsNwF3eBHeA9zVPuTU2ShFNiLRKYdnveiH2JETa/MuZ/doZ28RrCD2KFVtYAsNmNsxreTfXSwFbki9CF2ULUd7bzn7u3JyrWMhlBx6/AJfKVTmww70rqYeKM6Kg6uqmkffUCAwEAAQ==","distribution":"AKS","infrastructure":"azure"}}' - headers: - cache-control: - - no-cache - content-length: - - '1489' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 11:38:54 GMT - etag: - - '"71003b4e-0000-0100-0000-63737a330000"' - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-providerhub-traffic: - - 'True' - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s connect - Connection: - - keep-alive - ParameterSetName: - - -g -n -l --tags --kube-config - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ExtendedLocation?api-version=2021-04-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ExtendedLocation","namespace":"Microsoft.ExtendedLocation","authorizations":[{"applicationId":"bc313c14-388c-4e7d-a58e-70017303ee3b","roleDefinitionId":"a775b938-2819-4dd0-8067-01f6e3b06392"},{"applicationId":"319f651f-7ddb-4fc6-9857-7aef9250bd05","roleDefinitionId":"0981f4e0-04a7-4e31-bd2b-b2ac2fc6ba4e"}],"resourceTypes":[{"resourceType":"locations","locations":[],"apiVersions":["2021-03-15-preview","2020-07-15-privatepreview"],"capabilities":"None"},{"resourceType":"customLocations","locations":["East - US","West Europe","North Europe","France Central","Southeast Asia","Australia - East","East US 2","West US 2","UK South","Central US","West Central US","West - US","North Central US","South Central US","Korea Central","Japan East","East - Asia","West US 3","Canada Central","Canada East","Switzerland North","Sweden - Central","East US 2 EUAP"],"apiVersions":["2021-08-31-preview","2021-08-15","2021-03-15-preview","2020-07-15-privatepreview"],"defaultApiVersion":"2021-08-15","capabilities":"SystemAssignedResourceIdentity, - SupportsTags, SupportsLocation"},{"resourceType":"customLocations/enabledResourceTypes","locations":["East - US","West Europe","North Europe","France Central","Southeast Asia","Australia - East","East US 2","West US 2","UK South","Central US","West Central US","West - US","North Central US","South Central US","Korea Central","Japan East","East - Asia","West US 3","Canada Central","Canada East","Switzerland North","Sweden - Central","East US 2 EUAP"],"apiVersions":["2021-08-31-preview","2021-08-15","2021-03-15-preview","2020-07-15-privatepreview"],"capabilities":"None"},{"resourceType":"customLocations/resourceSyncRules","locations":["East - US","West Europe","North Europe","France Central","Southeast Asia","Australia - East","East US 2","West US 2","UK South","Central US","West Central US","West - US","North Central US","South Central US","Korea Central","Japan East","East - Asia","West US 3","Canada Central","Canada East","Switzerland North","Sweden - Central","East US 2 EUAP"],"apiVersions":["2021-08-31-preview"],"defaultApiVersion":"2021-08-31-preview","capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"locations/operationsstatus","locations":["East - US","West Europe","North Europe","France Central","Southeast Asia","Australia - East","East US 2","West US 2","UK South","Central US","West Central US","West - US","North Central US","South Central US","Korea Central","Japan East","East - Asia","West US 3","Canada Central","Canada East","Switzerland North","Sweden - Central","East US 2 Euap"],"apiVersions":["2021-03-15-preview","2020-07-15-privatepreview"],"capabilities":"None"},{"resourceType":"locations/operationresults","locations":["East - US","West Europe","North Europe","France Central","Southeast Asia","Australia - East","East US 2","West US 2","UK South","Central US","West Central US","West - US","North Central US","South Central US","Korea Central","Japan East","East - Asia","West US 3","Canada Central","Canada East","Switzerland North","Sweden - Central","East US 2 Euap"],"apiVersions":["2021-03-15-preview","2020-07-15-privatepreview"],"capabilities":"None"},{"resourceType":"operations","locations":[],"apiVersions":["2021-08-31-preview","2021-08-15","2021-03-15-preview","2020-07-15-privatepreview"],"capabilities":"None"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' - headers: - cache-control: - - no-cache - content-length: - - '3491' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 11:38:55 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s connect - Connection: - - keep-alive - ParameterSetName: - - -g -n -l --tags --kube-config - User-Agent: - - python/3.7.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-graphrbac/0.60.0 - Azure-SDK-For-Python AZURECLI/2.42.0 - accept-language: - - en-US - method: GET - uri: https://graph.windows.net/00000000-0000-0000-0000-000000000000/servicePrincipals?$filter=displayName%20eq%20%27Custom%20Locations%20RP%27&api-version=1.6 - response: - body: - string: '{"odata.metadata":"https://graph.windows.net/00000000-0000-0000-0000-000000000000/$metadata#directoryObjects","value":[{"odata.type":"Microsoft.DirectoryServices.ServicePrincipal","objectType":"ServicePrincipal","objectId":"51dfe1e8-70c6-4de5-a08e-e18aff23d815","deletionTimestamp":null,"accountEnabled":true,"addIns":[],"alternativeNames":[],"appDisplayName":"Custom - Locations RP","appId":"bc313c14-388c-4e7d-a58e-70017303ee3b","applicationTemplateId":null,"appOwnerTenantId":"f8cdef31-a31e-4b4a-93e4-5f571e91255a","appRoleAssignmentRequired":false,"appRoles":[],"displayName":"Custom - Locations RP","errorUrl":null,"homepage":null,"informationalUrls":{"termsOfService":null,"support":null,"privacy":null,"marketing":null},"keyCredentials":[],"logoutUrl":null,"notificationEmailAddresses":[],"oauth2Permissions":[],"passwordCredentials":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyEndDateTime":null,"preferredTokenSigningKeyThumbprint":null,"publisherName":"Microsoft - Services","replyUrls":[],"samlMetadataUrl":null,"samlSingleSignOnSettings":null,"servicePrincipalNames":["bc313c14-388c-4e7d-a58e-70017303ee3b"],"servicePrincipalType":"Application","signInAudience":"AzureADMultipleOrgs","tags":[],"tokenEncryptionKeyId":null}]}' - headers: - access-control-allow-origin: - - '*' - cache-control: - - no-cache - content-length: - - '1246' - content-type: - - application/json; odata=minimalmetadata; streaming=true; charset=utf-8 - dataserviceversion: - - 3.0; - date: - - Tue, 15 Nov 2022 11:38:55 GMT - duration: - - '712978' - expires: - - '-1' - ocp-aad-diagnostics-server-name: - - OPelI7VrBtHnJkm7E0PsgwaZrjo2NsmSLt6qfy5nvUE= - ocp-aad-session-key: - - -LRuN2637PFTvLDTILUnYul8AoiysmIsdgoBW0aUGqjEJgkosJr2VnPrcSDHkCsGNImIvDhOZjMX48wUkQAXUNKAdwbtmwtHzI4szsrNgiXdEHjVIgsznxEaxLImlGHJ.1uwQgTnNzZLyxd3cnvKjvYXzY2Xzvk0H2s_CPyqgdgM - pragma: - - no-cache - request-id: - - 2dad9d41-f9c4-4a92-a39f-31140e19c41e - strict-transport-security: - - max-age=31536000; includeSubDomains - x-aspnet-version: - - 4.0.30319 - x-ms-dirapi-data-contract-version: - - '1.6' - x-ms-resource-unit: - - '1' - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s show - Connection: - - keep-alive - ParameterSetName: - - -g -n - User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002?api-version=2022-10-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","name":"cc-000002","type":"microsoft.kubernetes/connectedclusters","location":"eastus","tags":{"foo":"doo"},"systemData":{"createdBy":"akkeshar@microsoft.com","createdByType":"User","createdAt":"2022-11-15T11:38:18.8618915Z","lastModifiedBy":"64b12d6e-6549-484c-8cc6-6281839ba394","lastModifiedByType":"Application","lastModifiedAt":"2022-11-15T11:44:43.2131765Z"},"identity":{"principalId":"486fb978-d865-4c3d-bbd4-92dc998d3386","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned"},"properties":{"provisioningState":"Succeeded","connectivityStatus":"Connected","privateLinkState":"Disabled","azureHybridBenefit":"NotApplicable","agentPublicKeyCertificate":"MIICCgKCAgEAjBo1OVNXOvebGiKczgWusikBojChNWAgVBQ+/TW1t8+cCFbtT9pOJWhX571G2thyHyHCLc5Du56ikMLhx9uUYOYpe3L73b0eDJRe+mECd4UmyYbbySWOALuv2c6gYpB+X2fOtImdrs7WTFMrKW9QQ6FR0n0j3SS7v8Y2oW72lZ02WbEEr1a1G3494ZIRjTdH7uAtf3GtqwXMV5RMFI8lLlkNaVb5qVdkjk6ie2bAv4dNAU+kJegfT4N8uKC6HxEuaKp/uDwJum8ab4pfyHqZzbG8g+FbRdb/DxkL1Qa59egVDaT4To8S1cit6Z3D8bP/IN1W4bA6Rb8WLfmj8N2lgit88zSncK3QVbNDt9Yih6gYbyDMYSMxOBmGNiFKi3P35C1NkBiH5sVz3DUQLcWkorkl9bxtYO26CNumcebL7lNd56hz1AEoC/u7SuoskgxE8Pnz26MOYh91gV8OnpfyTes/aGFk5HxWK6tW5mLh8Mb8I0+fe2xoxZSc/vUZ2xdcKrDiNLJWmGGrdD7AvCxEE+BDt46G52s6J/it5uyBJsNwF3eBHeA9zVPuTU2ShFNiLRKYdnveiH2JETa/MuZ/doZ28RrCD2KFVtYAsNmNsxreTfXSwFbki9CF2ULUd7bzn7u3JyrWMhlBx6/AJfKVTmww70rqYeKM6Kg6uqmkffUCAwEAAQ==","distribution":"AKS","infrastructure":"azure","kubernetesVersion":"1.23.12","totalNodeCount":1,"agentVersion":"1.8.14","totalCoreCount":4,"lastConnectivityTime":"2022-11-15T11:44:30.844Z","managedIdentityCertificateExpirationTime":"2023-02-13T11:33:00Z"}}' - headers: - cache-control: - - no-cache - content-length: - - '1784' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 11:45:48 GMT - etag: - - '"7100a861-0000-0100-0000-63737bab0000"' - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-providerhub-traffic: - - 'True' - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Content-Type: - - application/json - User-Agent: - - OpenAPI-Generator/24.2.0/python - method: GET - uri: https://cli-test-a-akkeshar-1bfbb5-52714f14.hcp.westeurope.azmk8s.io/version/ - response: - body: - string: "{\n \"major\": \"1\",\n \"minor\": \"23\",\n \"gitVersion\": \"v1.23.12\",\n - \ \"gitCommit\": \"f941a31f4515c5ac03f5fc7ccf9a330e3510b80d\",\n \"gitTreeState\": - \"clean\",\n \"buildDate\": \"2022-11-09T17:12:33Z\",\n \"goVersion\": \"go1.17.13\",\n - \ \"compiler\": \"gc\",\n \"platform\": \"linux/amd64\"\n}" - headers: - audit-id: - - ec9c16f2-9e10-4bde-92c5-6af4842c7c55 - cache-control: - - no-cache, private - content-length: - - '265' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:45:50 GMT - x-kubernetes-pf-flowschema-uid: - - 2920afa3-e99e-4ce9-aad1-ae980c0c23f4 - x-kubernetes-pf-prioritylevel-uid: - - 9a1ba86f-7d0f-4aa9-baa2-6f999741c9e7 - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Content-Type: - - application/json - User-Agent: - - OpenAPI-Generator/24.2.0/python - method: GET - uri: https://cli-test-a-akkeshar-1bfbb5-52714f14.hcp.westeurope.azmk8s.io/api/v1/namespaces/azure-arc/configmaps/azure-clusterconfig - response: - body: - string: '{"kind":"ConfigMap","apiVersion":"v1","metadata":{"name":"azure-clusterconfig","namespace":"azure-arc","uid":"b6d9338f-9b89-4200-a71d-1254a4562083","resourceVersion":"1904","creationTimestamp":"2022-11-15T11:39:10Z","labels":{"app.kubernetes.io/managed-by":"Helm"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:39:10Z","fieldsType":"FieldsV1","fieldsV1":{"f:data":{".":{},"f:ARC_AGENT_HELM_CHART_NAME":{},"f:ARC_AGENT_RELEASE_TRAIN":{},"f:AZURE_ARC_AGENT_VERSION":{},"f:AZURE_ARC_AUTOUPDATE":{},"f:AZURE_ARC_HELM_NAMESPACE":{},"f:AZURE_ARC_RELEASE_NAME":{},"f:AZURE_ENVIRONMENT":{},"f:AZURE_REGION":{},"f:AZURE_RESOURCE_GROUP":{},"f:AZURE_RESOURCE_MANAGER_ENDPOINT":{},"f:AZURE_RESOURCE_NAME":{},"f:AZURE_SUBSCRIPTION_ID":{},"f:AZURE_TENANT_ID":{},"f:CLUSTER_CONNECT_AGENT_ENABLED":{},"f:CLUSTER_TYPE":{},"f:CUSTOM_IDENTITY_PROVIDER_ENABLED":{},"f:DEBUG_LOGGING":{},"f:EXTENSION_OPERATOR_ENABLED":{},"f:FLUX_CLIENT_DEFAULT_LOCATION":{},"f:FLUX_UPSTREAM_SERVICE_ENABLED":{},"f:GITOPS_ENABLED":{},"f:GUARD_PKI_HOSTPATH":{},"f:HELM_AUTO_UPDATE_CHECK_FREQUENCY_IN_MINUTES":{},"f:IS_CLIENT_SECRET_A_TOKEN":{},"f:KUBERNETES_DISTRO":{},"f:KUBERNETES_INFRA":{},"f:MANAGED_IDENTITY_AUTH":{},"f:MAX_ENTRIES_PER_STORE":{},"f:MAX_STORES":{},"f:MSI_ADAPTER_ARTIFACT_PATH":{},"f:NO_AUTH_HEADER_DATA_PLANE":{},"f:ONBOARDING_SECRET_NAME":{},"f:ONBOARDING_SECRET_NAMESPACE":{},"f:RESOURCE_SYNC_ENABLE_CHUNKED_SYNC":{},"f:RESOURCE_SYNC_LIST_CHUNK_SIZE":{},"f:RP_NAMESPACE":{},"f:TAGS":{}},"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:app.kubernetes.io/managed-by":{}}}}}]},"data":{"ARC_AGENT_HELM_CHART_NAME":"azure-arc-k8sagents","ARC_AGENT_RELEASE_TRAIN":"stable","AZURE_ARC_AGENT_VERSION":"1.8.14","AZURE_ARC_AUTOUPDATE":"true","AZURE_ARC_HELM_NAMESPACE":"default","AZURE_ARC_RELEASE_NAME":"azure-arc","AZURE_ENVIRONMENT":"AZUREPUBLICCLOUD","AZURE_REGION":"eastus","AZURE_RESOURCE_GROUP":"akkeshar","AZURE_RESOURCE_MANAGER_ENDPOINT":"","AZURE_RESOURCE_NAME":"cc-000002","AZURE_SUBSCRIPTION_ID":"1bfbb5d0-917e-4346-9026-1d3b344417f5","AZURE_TENANT_ID":"72f988bf-86f1-41af-91ab-2d7cd011db47","CLUSTER_CONNECT_AGENT_ENABLED":"true","CLUSTER_TYPE":"ConnectedClusters","CUSTOM_IDENTITY_PROVIDER_ENABLED":"false","DEBUG_LOGGING":"false","EXTENSION_OPERATOR_ENABLED":"true","FLUX_CLIENT_DEFAULT_LOCATION":"mcr.microsoft.com/azurearck8s/arc-preview/fluxctl:0.2.0","FLUX_UPSTREAM_SERVICE_ENABLED":"true","GITOPS_ENABLED":"true","GUARD_PKI_HOSTPATH":"","HELM_AUTO_UPDATE_CHECK_FREQUENCY_IN_MINUTES":"60","IS_CLIENT_SECRET_A_TOKEN":"false","KUBERNETES_DISTRO":"aks","KUBERNETES_INFRA":"azure","MANAGED_IDENTITY_AUTH":"true","MAX_ENTRIES_PER_STORE":"680","MAX_STORES":"30","MSI_ADAPTER_ARTIFACT_PATH":"mcr.microsoft.com/azurearck8s/msi-adapter:1.0.2","NO_AUTH_HEADER_DATA_PLANE":"false","ONBOARDING_SECRET_NAME":"azure-arc-connect-privatekey","ONBOARDING_SECRET_NAMESPACE":"azure-arc","RESOURCE_SYNC_ENABLE_CHUNKED_SYNC":"false","RESOURCE_SYNC_LIST_CHUNK_SIZE":"200","RP_NAMESPACE":"Microsoft.Kubernetes","TAGS":"map[]"}} - - ' - headers: - audit-id: - - fd8cd7c0-b1bb-4dd6-906a-8cdc6dd1040b - cache-control: - - no-cache, private - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:45:53 GMT - transfer-encoding: - - chunked - x-kubernetes-pf-flowschema-uid: - - 2920afa3-e99e-4ce9-aad1-ae980c0c23f4 - x-kubernetes-pf-prioritylevel-uid: - - 9a1ba86f-7d0f-4aa9-baa2-6f999741c9e7 - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s delete - Connection: - - keep-alive - Content-Length: - - '0' - ParameterSetName: - - -g -n --kube-config -y - User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002?api-version=2021-10-01 - response: - body: - string: 'null' - headers: - azure-asyncoperation: - - https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/c61b3b6c-d47d-4feb-b662-fa7f6d883b05*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11?api-version=2021-10-01 - cache-control: - - no-cache - content-length: - - '4' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 11:45:55 GMT - etag: - - '"71009d66-0000-0100-0000-63737bf30000"' - expires: - - '-1' - location: - - https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/c61b3b6c-d47d-4feb-b662-fa7f6d883b05*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11?api-version=2021-10-01 - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - x-ms-providerhub-traffic: - - 'True' - x-ms-ratelimit-remaining-subscription-deletes: - - '14999' - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s delete - Connection: - - keep-alive - ParameterSetName: - - -g -n --kube-config -y - User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/c61b3b6c-d47d-4feb-b662-fa7f6d883b05*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11?api-version=2021-10-01 - response: - body: - string: '{"id":"/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/c61b3b6c-d47d-4feb-b662-fa7f6d883b05*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11","name":"c61b3b6c-d47d-4feb-b662-fa7f6d883b05*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","status":"Deleting","startTime":"2022-11-15T11:45:54.7409117Z"}' - headers: - cache-control: - - no-cache - content-length: - - '501' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 11:45:56 GMT - etag: - - '"1001ee67-0000-0100-0000-63737bf20000"' - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s delete - Connection: - - keep-alive - ParameterSetName: - - -g -n --kube-config -y - User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/c61b3b6c-d47d-4feb-b662-fa7f6d883b05*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11?api-version=2021-10-01 - response: - body: - string: '{"id":"/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/c61b3b6c-d47d-4feb-b662-fa7f6d883b05*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11","name":"c61b3b6c-d47d-4feb-b662-fa7f6d883b05*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","status":"Succeeded","startTime":"2022-11-15T11:45:54.7409117Z","endTime":"2022-11-15T11:45:59.0515801Z","properties":null}' - headers: - cache-control: - - no-cache - content-length: - - '561' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 11:46:26 GMT - etag: - - '"1001f467-0000-0100-0000-63737bf70000"' - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s delete - Connection: - - keep-alive - ParameterSetName: - - -g -n --kube-config -y - User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/c61b3b6c-d47d-4feb-b662-fa7f6d883b05*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11?api-version=2021-10-01 - response: - body: - string: '{"id":"/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/c61b3b6c-d47d-4feb-b662-fa7f6d883b05*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11","name":"c61b3b6c-d47d-4feb-b662-fa7f6d883b05*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","status":"Succeeded","startTime":"2022-11-15T11:45:54.7409117Z","endTime":"2022-11-15T11:45:59.0515801Z","properties":null}' - headers: - cache-control: - - no-cache - content-length: - - '561' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 11:46:27 GMT - etag: - - '"1001f467-0000-0100-0000-63737bf70000"' - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Content-Type: - - application/json - User-Agent: - - OpenAPI-Generator/24.2.0/python - method: GET - uri: https://cli-test-a-akkeshar-1bfbb5-52714f14.hcp.westeurope.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc - response: - body: - string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"4318"},"items":[{"metadata":{"name":"azure-arc","uid":"0d7a44e2-3257-4f9b-b27a-7e8cb336d373","resourceVersion":"4309","creationTimestamp":"2022-11-15T11:39:09Z","deletionTimestamp":"2022-11-15T11:46:44Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:39:09Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating"}}]} - - ' - headers: - audit-id: - - caed4f08-f1c4-482b-a721-4dd86bd448a4 - cache-control: - - no-cache, private - content-length: - - '1014' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:46:47 GMT - x-kubernetes-pf-flowschema-uid: - - 2920afa3-e99e-4ce9-aad1-ae980c0c23f4 - x-kubernetes-pf-prioritylevel-uid: - - 9a1ba86f-7d0f-4aa9-baa2-6f999741c9e7 - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Content-Type: - - application/json - User-Agent: - - OpenAPI-Generator/24.2.0/python - method: GET - uri: https://cli-test-a-akkeshar-1bfbb5-52714f14.hcp.westeurope.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc - response: - body: - string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"4520"},"items":[{"metadata":{"name":"azure-arc","uid":"0d7a44e2-3257-4f9b-b27a-7e8cb336d373","resourceVersion":"4518","creationTimestamp":"2022-11-15T11:39:09Z","deletionTimestamp":"2022-11-15T11:46:44Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:39:09Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:46:52Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ResourcesDiscovered","message":"All - resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ParsedGroupVersions","message":"All - legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ContentDeleted","message":"All - content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"SomeResourcesRemain","message":"Some - resources are remaining: pods. has 10 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ContentHasNoFinalizers","message":"All - content-preserving finalizers finished"}]}}]} - - ' - headers: - audit-id: - - 301c7d66-12f0-4a2a-a6dd-ba2182326c2d - cache-control: - - no-cache, private - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:46:52 GMT - transfer-encoding: - - chunked - x-kubernetes-pf-flowschema-uid: - - 2920afa3-e99e-4ce9-aad1-ae980c0c23f4 - x-kubernetes-pf-prioritylevel-uid: - - 9a1ba86f-7d0f-4aa9-baa2-6f999741c9e7 - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Content-Type: - - application/json - User-Agent: - - OpenAPI-Generator/24.2.0/python - method: GET - uri: https://cli-test-a-akkeshar-1bfbb5-52714f14.hcp.westeurope.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc - response: - body: - string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"4549"},"items":[{"metadata":{"name":"azure-arc","uid":"0d7a44e2-3257-4f9b-b27a-7e8cb336d373","resourceVersion":"4548","creationTimestamp":"2022-11-15T11:39:09Z","deletionTimestamp":"2022-11-15T11:46:44Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:39:09Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:46:52Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ResourcesDiscovered","message":"All - resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ParsedGroupVersions","message":"All - legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ContentDeleted","message":"All - content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"SomeResourcesRemain","message":"Some - resources are remaining: pods. has 7 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ContentHasNoFinalizers","message":"All - content-preserving finalizers finished"}]}}]} - - ' - headers: - audit-id: - - 478d76a5-b876-4294-89fe-55b31e75d3f9 - cache-control: - - no-cache, private - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:46:57 GMT - transfer-encoding: - - chunked - x-kubernetes-pf-flowschema-uid: - - 2920afa3-e99e-4ce9-aad1-ae980c0c23f4 - x-kubernetes-pf-prioritylevel-uid: - - 9a1ba86f-7d0f-4aa9-baa2-6f999741c9e7 - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Content-Type: - - application/json - User-Agent: - - OpenAPI-Generator/24.2.0/python - method: GET - uri: https://cli-test-a-akkeshar-1bfbb5-52714f14.hcp.westeurope.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc - response: - body: - string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"4568"},"items":[{"metadata":{"name":"azure-arc","uid":"0d7a44e2-3257-4f9b-b27a-7e8cb336d373","resourceVersion":"4548","creationTimestamp":"2022-11-15T11:39:09Z","deletionTimestamp":"2022-11-15T11:46:44Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:39:09Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:46:52Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ResourcesDiscovered","message":"All - resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ParsedGroupVersions","message":"All - legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ContentDeleted","message":"All - content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"SomeResourcesRemain","message":"Some - resources are remaining: pods. has 7 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ContentHasNoFinalizers","message":"All - content-preserving finalizers finished"}]}}]} - - ' - headers: - audit-id: - - 1b9d3c00-ac1b-4b5e-988b-4246c26ca35e - cache-control: - - no-cache, private - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:47:02 GMT - transfer-encoding: - - chunked - x-kubernetes-pf-flowschema-uid: - - 2920afa3-e99e-4ce9-aad1-ae980c0c23f4 - x-kubernetes-pf-prioritylevel-uid: - - 9a1ba86f-7d0f-4aa9-baa2-6f999741c9e7 - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Content-Type: - - application/json - User-Agent: - - OpenAPI-Generator/24.2.0/python - method: GET - uri: https://cli-test-a-akkeshar-1bfbb5-52714f14.hcp.westeurope.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc - response: - body: - string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"4587"},"items":[{"metadata":{"name":"azure-arc","uid":"0d7a44e2-3257-4f9b-b27a-7e8cb336d373","resourceVersion":"4548","creationTimestamp":"2022-11-15T11:39:09Z","deletionTimestamp":"2022-11-15T11:46:44Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:39:09Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:46:52Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ResourcesDiscovered","message":"All - resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ParsedGroupVersions","message":"All - legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ContentDeleted","message":"All - content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"SomeResourcesRemain","message":"Some - resources are remaining: pods. has 7 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ContentHasNoFinalizers","message":"All - content-preserving finalizers finished"}]}}]} - - ' - headers: - audit-id: - - f36c82fe-4bba-4167-9a63-40333ee464e9 - cache-control: - - no-cache, private - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:47:08 GMT - transfer-encoding: - - chunked - x-kubernetes-pf-flowschema-uid: - - 2920afa3-e99e-4ce9-aad1-ae980c0c23f4 - x-kubernetes-pf-prioritylevel-uid: - - 9a1ba86f-7d0f-4aa9-baa2-6f999741c9e7 - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Content-Type: - - application/json - User-Agent: - - OpenAPI-Generator/24.2.0/python - method: GET - uri: https://cli-test-a-akkeshar-1bfbb5-52714f14.hcp.westeurope.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc - response: - body: - string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"4607"},"items":[{"metadata":{"name":"azure-arc","uid":"0d7a44e2-3257-4f9b-b27a-7e8cb336d373","resourceVersion":"4548","creationTimestamp":"2022-11-15T11:39:09Z","deletionTimestamp":"2022-11-15T11:46:44Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:39:09Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:46:52Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ResourcesDiscovered","message":"All - resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ParsedGroupVersions","message":"All - legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ContentDeleted","message":"All - content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"SomeResourcesRemain","message":"Some - resources are remaining: pods. has 7 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ContentHasNoFinalizers","message":"All - content-preserving finalizers finished"}]}}]} - - ' - headers: - audit-id: - - fba56f7e-ea9a-4baf-a873-bbbbae94a7da - cache-control: - - no-cache, private - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:47:13 GMT - transfer-encoding: - - chunked - x-kubernetes-pf-flowschema-uid: - - 2920afa3-e99e-4ce9-aad1-ae980c0c23f4 - x-kubernetes-pf-prioritylevel-uid: - - 9a1ba86f-7d0f-4aa9-baa2-6f999741c9e7 - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Content-Type: - - application/json - User-Agent: - - OpenAPI-Generator/24.2.0/python - method: GET - uri: https://cli-test-a-akkeshar-1bfbb5-52714f14.hcp.westeurope.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc - response: - body: - string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"4648"},"items":[{"metadata":{"name":"azure-arc","uid":"0d7a44e2-3257-4f9b-b27a-7e8cb336d373","resourceVersion":"4548","creationTimestamp":"2022-11-15T11:39:09Z","deletionTimestamp":"2022-11-15T11:46:44Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:39:09Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:46:52Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ResourcesDiscovered","message":"All - resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ParsedGroupVersions","message":"All - legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ContentDeleted","message":"All - content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"SomeResourcesRemain","message":"Some - resources are remaining: pods. has 7 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ContentHasNoFinalizers","message":"All - content-preserving finalizers finished"}]}}]} - - ' - headers: - audit-id: - - e2476aca-918c-4a6c-bc6e-3dd1a8c823ae - cache-control: - - no-cache, private - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:47:18 GMT - transfer-encoding: - - chunked - x-kubernetes-pf-flowschema-uid: - - 2920afa3-e99e-4ce9-aad1-ae980c0c23f4 - x-kubernetes-pf-prioritylevel-uid: - - 9a1ba86f-7d0f-4aa9-baa2-6f999741c9e7 - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Content-Type: - - application/json - User-Agent: - - OpenAPI-Generator/24.2.0/python - method: GET - uri: https://cli-test-a-akkeshar-1bfbb5-52714f14.hcp.westeurope.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc - response: - body: - string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"4667"},"items":[]} - - ' - headers: - audit-id: - - 061000d1-b396-4184-86c3-a9c501d6c4dc - cache-control: - - no-cache, private - content-length: - - '92' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:47:23 GMT - x-kubernetes-pf-flowschema-uid: - - 2920afa3-e99e-4ce9-aad1-ae980c0c23f4 - x-kubernetes-pf-prioritylevel-uid: - - 9a1ba86f-7d0f-4aa9-baa2-6f999741c9e7 - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s connect - Connection: - - keep-alive - ParameterSetName: - - -g -n -l --distribution --infrastructure --distribution-version --tags --kube-config - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Kubernetes?api-version=2021-04-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Kubernetes","namespace":"Microsoft.Kubernetes","authorizations":[{"applicationId":"64b12d6e-6549-484c-8cc6-6281839ba394","roleDefinitionId":"1d1d44cf-68a1-4def-a2b6-cd7efc3515af"},{"applicationId":"359431ad-ece5-496b-8768-be4bbfd82f36","roleDefinitionId":"1b5c71b7-9814-4b40-b62a-23018af874d8"},{"applicationId":"0000dab9-8b21-4ba2-807f-1743968cef00","roleDefinitionId":"1b5c71b7-9814-4b40-b62a-23018af874d8"},{"applicationId":"8edd93e1-2103-40b4-bd70-6e34e586362d","roleDefinitionId":"eb67887a-31e8-4e4e-bf5b-14ff79351a6f"}],"resourceTypes":[{"resourceType":"connectedClusters","locations":["West - Europe","East US","West Central US","South Central US","Southeast Asia","UK - South","East US 2","West US 2","Australia East","North Europe","France Central","Central - US","West US","North Central US","Korea Central","Japan East","West US 3","East - Asia","Canada Central","East US 2 EUAP","Canada East"],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"SystemAssignedResourceIdentity, - SupportsTags, SupportsLocation"},{"resourceType":"locations","locations":[],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/operationStatuses","locations":["East - US 2 EUAP","West Europe","East US","West Central US","South Central US","Southeast - Asia","UK South","East US 2","West US 2","Australia East","North Europe","France - Central","Central US","West US","North Central US","Korea Central","Japan - East","East Asia","West US 3","Canada East","Canada Central"],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"None"},{"resourceType":"registeredSubscriptions","locations":[],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"None"},{"resourceType":"Operations","locations":[],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview","2019-11-01-preview","2019-09-01-privatepreview"],"capabilities":"None"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' - headers: - cache-control: - - no-cache - content-length: - - '2416' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 11:47:23 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s connect - Connection: - - keep-alive - ParameterSetName: - - -g -n -l --distribution --infrastructure --distribution-version --tags --kube-config - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration?api-version=2021-04-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration","namespace":"Microsoft.KubernetesConfiguration","authorizations":[{"applicationId":"c699bf69-fb1d-4eaf-999b-99e6b2ae4d85","roleDefinitionId":"90155430-a360-410f-af5d-89dc284d85c6"},{"applicationId":"03db181c-e9d3-4868-9097-f0b728327182","roleDefinitionId":"DE2ADB97-42D8-49C8-8FCF-DBB53EF936AC"},{"applicationId":"a0f92522-89de-4c5e-9a75-0044ccf66efd","roleDefinitionId":"b3429810-7d5c-420e-8605-cf280f3099f2"},{"applicationId":"bd9b7cd5-dac1-495f-b013-ac871e98fa5f","roleDefinitionId":"0d44c8f0-08b9-44d4-9f59-e51c83f95200"},{"applicationId":"585fc3c3-9a59-4720-8319-53cce041a605","roleDefinitionId":"4a9ce2ee-6de2-43ba-a7bd-8f316de763a7"}],"resourceTypes":[{"resourceType":"sourceControlConfigurations","locations":["East - US","West Europe","West Central US","West US 2","West US 3","South Central - US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France - Central","Central US","North Central US","West US","Korea Central","East Asia","Japan - East","Canada East","Canada Central","Norway East","Germany West Central","Sweden - Central","Switzerland North","Australia Southeast","Central India","South - India","Japan West","Uk West","France South","Korea South","South Africa North","East - US 2 EUAP","Central US EUAP"],"apiVersions":["2022-07-01","2022-03-01","2021-03-01","2020-10-01-preview","2020-07-01-preview","2019-11-01-preview"],"defaultApiVersion":"2022-03-01","capabilities":"SupportsExtension"},{"resourceType":"extensions","locations":["East - US","West Europe","West Central US","West US 2","West US 3","South Central - US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France - Central","Central US","North Central US","West US","Korea Central","East Asia","Japan - East","Canada East","Canada Central","Norway East","Germany West Central","Sweden - Central","Switzerland North","Australia Southeast","Central India","South - India","Japan West","Uk West","France South","Korea South","South Africa North","East - US 2 EUAP","Central US EUAP"],"apiVersions":["2022-07-01","2022-04-02-preview","2022-03-01","2021-09-01","2021-05-01-preview","2020-07-01-preview"],"defaultApiVersion":"2022-07-01","capabilities":"SystemAssignedResourceIdentity, - SupportsExtension"},{"resourceType":"fluxConfigurations","locations":["East - US","West Europe","West Central US","West US 2","West US 3","South Central - US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France - Central","Central US","North Central US","West US","Korea Central","East Asia","Japan - East","Canada East","Canada Central","Norway East","Germany West Central","Sweden - Central","Switzerland North","Australia Southeast","Central India","South - India","Japan West","Uk West","Korea South","France South","South Africa North","East - US 2 EUAP","Central US EUAP"],"apiVersions":["2022-07-01","2022-03-01","2022-01-01-preview","2021-11-01-preview","2021-06-01-preview"],"defaultApiVersion":"2022-07-01","capabilities":"SupportsExtension"},{"resourceType":"operations","locations":[],"apiVersions":["2022-03-01","2022-01-01-preview","2021-12-01-preview","2021-11-01-preview","2021-09-01","2021-06-01-preview","2021-05-01-preview","2021-03-01","2020-10-01-preview","2020-07-01-preview","2019-11-01-preview"],"capabilities":"None"},{"resourceType":"privateLinkScopes","locations":["East - US","West Europe","West Central US","West US 2","West US 3","South Central - US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France - Central","Central US","North Central US","West US","Korea Central","East Asia","Japan - East","Canada East","Canada Central","Norway East","Germany West Central","Sweden - Central","Switzerland North","Australia Southeast","Central India","South - India","Japan West","Uk West","Korea South","France South","South Africa North","East - US 2 EUAP","Central US EUAP"],"apiVersions":["2022-04-02-preview"],"capabilities":"SupportsTags, - SupportsLocation"},{"resourceType":"privateLinkScopes/privateEndpointConnections","locations":["East - US","West Europe","West Central US","West US 2","West US 3","South Central - US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France - Central","Central US","North Central US","West US","Korea Central","East Asia","Japan - East","Canada East","Canada Central","Norway East","Germany West Central","Sweden - Central","Switzerland North","Australia Southeast","Central India","South - India","Japan West","Uk West","France South","Korea South","South Africa North","East - US 2 EUAP","Central US EUAP"],"apiVersions":["2022-04-02-preview"],"capabilities":"None"},{"resourceType":"privateLinkScopes/privateEndpointConnectionProxies","locations":["East - US","West Europe","West Central US","West US 2","West US 3","South Central - US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France - Central","Central US","North Central US","West US","Korea Central","East Asia","Japan - East","Canada East","Canada Central","Norway East","Germany West Central","Sweden - Central","Switzerland North","Australia Southeast","Central India","South - India","Japan West","Uk West","South Africa North","Korea South","France South","East - US 2 EUAP","Central US EUAP"],"apiVersions":["2022-04-02-preview"],"capabilities":"None"},{"resourceType":"namespaces","locations":["East - US 2 EUAP","West US 2","East US","West Europe","West Central US","West US - 3","South Central US","East US 2","North Europe","UK South","Southeast Asia","Australia - East","France Central","Central US","North Central US","West US","Korea Central","East - Asia","Japan East","Canada Central","Canada East","Norway East","Germany West - Central","Switzerland North","Sweden Central","Central India","South India","Australia - Southeast","Japan West","Uk West","France South","Korea South","South Africa - North"],"apiVersions":["2021-12-01-preview"],"defaultApiVersion":"2021-12-01-preview","capabilities":"SupportsExtension"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' - headers: - cache-control: - - no-cache - content-length: - - '6074' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 11:47:23 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Content-Type: - - application/json - User-Agent: - - OpenAPI-Generator/24.2.0/python - method: GET - uri: https://cli-test-a-akkeshar-1bfbb5-52714f14.hcp.westeurope.azmk8s.io/version/ - response: - body: - string: "{\n \"major\": \"1\",\n \"minor\": \"23\",\n \"gitVersion\": \"v1.23.12\",\n - \ \"gitCommit\": \"f941a31f4515c5ac03f5fc7ccf9a330e3510b80d\",\n \"gitTreeState\": - \"clean\",\n \"buildDate\": \"2022-11-09T17:12:33Z\",\n \"goVersion\": \"go1.17.13\",\n - \ \"compiler\": \"gc\",\n \"platform\": \"linux/amd64\"\n}" - headers: - audit-id: - - 33a7f04f-35ed-45fe-a91e-48d7cb87d45d - cache-control: - - no-cache, private - content-length: - - '265' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:47:25 GMT - x-kubernetes-pf-flowschema-uid: - - 2920afa3-e99e-4ce9-aad1-ae980c0c23f4 - x-kubernetes-pf-prioritylevel-uid: - - 9a1ba86f-7d0f-4aa9-baa2-6f999741c9e7 - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Content-Type: - - application/json - User-Agent: - - OpenAPI-Generator/24.2.0/python - method: GET - uri: https://cli-test-a-akkeshar-1bfbb5-52714f14.hcp.westeurope.azmk8s.io/api/v1/nodes - response: - body: - string: '{"kind":"NodeList","apiVersion":"v1","metadata":{"resourceVersion":"4677"},"items":[{"metadata":{"name":"aks-nodepool1-30157530-vmss000000","uid":"3afcee7e-70b5-4205-8c41-25c2da42116d","resourceVersion":"4207","creationTimestamp":"2022-11-15T11:35:31Z","labels":{"agentpool":"nodepool1","beta.kubernetes.io/arch":"amd64","beta.kubernetes.io/instance-type":"Standard_B4ms","beta.kubernetes.io/os":"linux","failure-domain.beta.kubernetes.io/region":"westeurope","failure-domain.beta.kubernetes.io/zone":"0","kubernetes.azure.com/agentpool":"nodepool1","kubernetes.azure.com/cluster":"MC_akkeshar_cli-test-aks-000001_westeurope","kubernetes.azure.com/kubelet-identity-client-id":"f7bc696b-0f88-445e-aed7-d11a045621ef","kubernetes.azure.com/mode":"system","kubernetes.azure.com/node-image-version":"AKSUbuntu-1804gen2containerd-2022.10.24","kubernetes.azure.com/os-sku":"Ubuntu","kubernetes.azure.com/role":"agent","kubernetes.azure.com/storageprofile":"managed","kubernetes.azure.com/storagetier":"Premium_LRS","kubernetes.io/arch":"amd64","kubernetes.io/hostname":"aks-nodepool1-30157530-vmss000000","kubernetes.io/os":"linux","kubernetes.io/role":"agent","node-role.kubernetes.io/agent":"","node.kubernetes.io/instance-type":"Standard_B4ms","storageprofile":"managed","storagetier":"Premium_LRS","topology.disk.csi.azure.com/zone":"","topology.kubernetes.io/region":"westeurope","topology.kubernetes.io/zone":"0"},"annotations":{"csi.volume.kubernetes.io/nodeid":"{\"disk.csi.azure.com\":\"aks-nodepool1-30157530-vmss000000\",\"file.csi.azure.com\":\"aks-nodepool1-30157530-vmss000000\"}","node.alpha.kubernetes.io/ttl":"0","volumes.kubernetes.io/controller-managed-attach-detach":"true"},"managedFields":[{"manager":"cloud-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:31Z","fieldsType":"FieldsV1","fieldsV1":{"f:spec":{"f:podCIDR":{},"f:podCIDRs":{".":{},"v:\"10.244.0.0/24\"":{}}}}},{"manager":"kubelet","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:31Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:volumes.kubernetes.io/controller-managed-attach-detach":{}},"f:labels":{".":{},"f:agentpool":{},"f:beta.kubernetes.io/arch":{},"f:beta.kubernetes.io/os":{},"f:kubernetes.azure.com/agentpool":{},"f:kubernetes.azure.com/kubelet-identity-client-id":{},"f:kubernetes.azure.com/mode":{},"f:kubernetes.azure.com/node-image-version":{},"f:kubernetes.io/arch":{},"f:kubernetes.io/hostname":{},"f:kubernetes.io/os":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:41Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{"f:node.alpha.kubernetes.io/ttl":{}}}}},{"manager":"cloud-node-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:47Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{"f:beta.kubernetes.io/instance-type":{},"f:failure-domain.beta.kubernetes.io/region":{},"f:failure-domain.beta.kubernetes.io/zone":{},"f:node.kubernetes.io/instance-type":{},"f:topology.kubernetes.io/region":{},"f:topology.kubernetes.io/zone":{}}},"f:spec":{"f:providerID":{}}}},{"manager":"cloud-node-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:47Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{"k:{\"type\":\"NetworkUnavailable\"}":{".":{},"f:type":{}}}}},"subresource":"status"},{"manager":"kubectl-label","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:54Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{"f:kubernetes.io/role":{},"f:node-role.kubernetes.io/agent":{}}}}},{"manager":"kubelet","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:54Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{"f:csi.volume.kubernetes.io/nodeid":{}},"f:labels":{"f:topology.disk.csi.azure.com/zone":{}}},"f:status":{"f:allocatable":{"f:ephemeral-storage":{}},"f:capacity":{"f:ephemeral-storage":{}},"f:conditions":{"k:{\"type\":\"DiskPressure\"}":{"f:lastHeartbeatTime":{}},"k:{\"type\":\"MemoryPressure\"}":{"f:lastHeartbeatTime":{}},"k:{\"type\":\"PIDPressure\"}":{"f:lastHeartbeatTime":{}},"k:{\"type\":\"Ready\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}}},"f:images":{}}},"subresource":"status"},{"manager":"cloud-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:36:38Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{"k:{\"type\":\"NetworkUnavailable\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}}}}},"subresource":"status"},{"manager":"node-problem-detector","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:41:16Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{"k:{\"type\":\"ContainerRuntimeProblem\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"FilesystemCorruptionProblem\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"FreezeScheduled\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"FrequentContainerdRestart\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"FrequentDockerRestart\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"FrequentKubeletRestart\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"FrequentUnregisterNetDevice\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"KernelDeadlock\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"KubeletProblem\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"PreemptScheduled\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"ReadonlyFilesystem\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"RebootScheduled\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"RedeployScheduled\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"TerminateScheduled\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"VMEventScheduled\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"podCIDR":"10.244.0.0/24","podCIDRs":["10.244.0.0/24"],"providerID":"azure:///subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/mc_akkeshar_cli-test-aks-000001_westeurope/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-30157530-vmss/virtualMachines/0"},"status":{"capacity":{"cpu":"4","ephemeral-storage":"129886128Ki","hugepages-1Gi":"0","hugepages-2Mi":"0","memory":"16393248Ki","pods":"110"},"allocatable":{"cpu":"3860m","ephemeral-storage":"119703055367","hugepages-1Gi":"0","hugepages-2Mi":"0","memory":"12899360Ki","pods":"110"},"conditions":[{"type":"FrequentUnregisterNetDevice","status":"False","lastHeartbeatTime":"2022-11-15T11:46:42Z","lastTransitionTime":"2022-11-15T11:41:15Z","reason":"NoFrequentUnregisterNetDevice","message":"node - is functioning properly"},{"type":"FrequentContainerdRestart","status":"False","lastHeartbeatTime":"2022-11-15T11:46:42Z","lastTransitionTime":"2022-11-15T11:41:15Z","reason":"NoFrequentContainerdRestart","message":"containerd - is functioning properly"},{"type":"ReadonlyFilesystem","status":"False","lastHeartbeatTime":"2022-11-15T11:46:42Z","lastTransitionTime":"2022-11-15T11:41:15Z","reason":"FilesystemIsNotReadOnly","message":"Filesystem - is not read-only"},{"type":"FrequentKubeletRestart","status":"False","lastHeartbeatTime":"2022-11-15T11:46:42Z","lastTransitionTime":"2022-11-15T11:41:15Z","reason":"NoFrequentKubeletRestart","message":"kubelet - is functioning properly"},{"type":"PreemptScheduled","status":"False","lastHeartbeatTime":"2022-11-15T11:46:42Z","lastTransitionTime":"2022-11-15T11:41:40Z","reason":"NoPreemptScheduled","message":"VM - has no scheduled Preempt event"},{"type":"FreezeScheduled","status":"False","lastHeartbeatTime":"2022-11-15T11:46:42Z","lastTransitionTime":"2022-11-15T11:41:15Z","reason":"NoFreezeScheduled","message":"VM - has no scheduled Freeze event"},{"type":"VMEventScheduled","status":"False","lastHeartbeatTime":"2022-11-15T11:46:42Z","lastTransitionTime":"2022-11-15T11:41:40Z","reason":"NoVMEventScheduled","message":"VM - has no scheduled event"},{"type":"ContainerRuntimeProblem","status":"False","lastHeartbeatTime":"2022-11-15T11:46:42Z","lastTransitionTime":"2022-11-15T11:41:15Z","reason":"ContainerRuntimeIsUp","message":"container - runtime service is up"},{"type":"TerminateScheduled","status":"False","lastHeartbeatTime":"2022-11-15T11:46:42Z","lastTransitionTime":"2022-11-15T11:41:15Z","reason":"NoTerminateScheduled","message":"VM - has no scheduled Terminate event"},{"type":"FilesystemCorruptionProblem","status":"False","lastHeartbeatTime":"2022-11-15T11:46:42Z","lastTransitionTime":"2022-11-15T11:41:15Z","reason":"FilesystemIsOK","message":"Filesystem - is healthy"},{"type":"KubeletProblem","status":"False","lastHeartbeatTime":"2022-11-15T11:46:42Z","lastTransitionTime":"2022-11-15T11:41:15Z","reason":"KubeletIsUp","message":"kubelet - service is up"},{"type":"RedeployScheduled","status":"False","lastHeartbeatTime":"2022-11-15T11:46:42Z","lastTransitionTime":"2022-11-15T11:41:15Z","reason":"NoRedeployScheduled","message":"VM - has no scheduled Redeploy event"},{"type":"KernelDeadlock","status":"False","lastHeartbeatTime":"2022-11-15T11:46:42Z","lastTransitionTime":"2022-11-15T11:41:15Z","reason":"KernelHasNoDeadlock","message":"kernel - has no deadlock"},{"type":"FrequentDockerRestart","status":"False","lastHeartbeatTime":"2022-11-15T11:46:42Z","lastTransitionTime":"2022-11-15T11:41:15Z","reason":"NoFrequentDockerRestart","message":"docker - is functioning properly"},{"type":"RebootScheduled","status":"False","lastHeartbeatTime":"2022-11-15T11:46:42Z","lastTransitionTime":"2022-11-15T11:41:15Z","reason":"NoRebootScheduled","message":"VM - has no scheduled Reboot event"},{"type":"NetworkUnavailable","status":"False","lastHeartbeatTime":"2022-11-15T11:36:37Z","lastTransitionTime":"2022-11-15T11:36:37Z","reason":"RouteCreated","message":"RouteController - created a route"},{"type":"MemoryPressure","status":"False","lastHeartbeatTime":"2022-11-15T11:45:55Z","lastTransitionTime":"2022-11-15T11:35:31Z","reason":"KubeletHasSufficientMemory","message":"kubelet - has sufficient memory available"},{"type":"DiskPressure","status":"False","lastHeartbeatTime":"2022-11-15T11:45:55Z","lastTransitionTime":"2022-11-15T11:35:31Z","reason":"KubeletHasNoDiskPressure","message":"kubelet - has no disk pressure"},{"type":"PIDPressure","status":"False","lastHeartbeatTime":"2022-11-15T11:45:55Z","lastTransitionTime":"2022-11-15T11:35:31Z","reason":"KubeletHasSufficientPID","message":"kubelet - has sufficient PID available"},{"type":"Ready","status":"True","lastHeartbeatTime":"2022-11-15T11:45:55Z","lastTransitionTime":"2022-11-15T11:35:41Z","reason":"KubeletReady","message":"kubelet - is posting ready status. AppArmor enabled"}],"addresses":[{"type":"InternalIP","address":"10.224.0.4"},{"type":"Hostname","address":"aks-nodepool1-30157530-vmss000000"}],"daemonEndpoints":{"kubeletEndpoint":{"Port":10250}},"nodeInfo":{"machineID":"c1cb98cda984494199e232aca1ead223","systemUUID":"d831d796-ee65-4822-8c76-3328b8985bfb","bootID":"58398ea8-03cb-40d8-b940-e9c458fa375a","kernelVersion":"5.4.0-1094-azure","osImage":"Ubuntu - 18.04.6 LTS","containerRuntimeVersion":"containerd://1.5.11+azure-2","kubeletVersion":"v1.23.12","kubeProxyVersion":"v1.23.12","operatingSystem":"linux","architecture":"amd64"},"images":[{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod:ciprod10042022-3c05dd1b"],"sizeBytes":398142568},{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod:ciprod08102022"],"sizeBytes":397844357},{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod/prometheus-collector/images:5.3.0-main-10-06-2022-c0c49872"],"sizeBytes":314952834},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:0.49.3"],"sizeBytes":287741913},{"names":["mcr.microsoft.com/oss/calico/cni:v3.23.1"],"sizeBytes":263014840},{"names":["mcr.microsoft.com/oss/calico/cni:v3.21.4"],"sizeBytes":236345866},{"names":["mcr.microsoft.com/oss/calico/cni:v3.21.6"],"sizeBytes":227829276},{"names":["mcr.microsoft.com/oss/calico/node:v3.23.1"],"sizeBytes":221560540},{"names":["mcr.microsoft.com/oss/calico/node:v3.21.4"],"sizeBytes":216363503},{"names":["mcr.microsoft.com/oss/calico/node:v3.21.6"],"sizeBytes":215379163},{"names":["mcr.microsoft.com/oss/cilium/cilium:1.12.2.2"],"sizeBytes":167729489},{"names":["mcr.microsoft.com/oss/cilium/cilium:1.12.2"],"sizeBytes":166611722},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:0.19.0"],"sizeBytes":166352383},{"names":["mcr.microsoft.com/aks/hcp/hcp-tunnel-front:master.220527.2"],"sizeBytes":146994488},{"names":null,"sizeBytes":138243950},{"names":["mcr.microsoft.com/oss/calico/kube-controllers:v3.23.1"],"sizeBytes":136078571},{"names":["mcr.microsoft.com/oss/calico/typha:v3.23.1"],"sizeBytes":131467121},{"names":["mcr.microsoft.com/oss/kubernetes/kube-proxy:v1.23.12-hotfix.20220922.1"],"sizeBytes":128992809},{"names":null,"sizeBytes":128984097},{"names":["mcr.microsoft.com/oss/tigera/operator:v1.24.2"],"sizeBytes":128711964},{"names":["mcr.microsoft.com/oss/calico/typha:v3.21.4"],"sizeBytes":128235133},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.2.2.5"],"sizeBytes":123925992},{"names":null,"sizeBytes":123550720},{"names":null,"sizeBytes":123549904},{"names":["mcr.microsoft.com/oss/calico/kube-controllers:v3.21.6"],"sizeBytes":123549280},{"names":null,"sizeBytes":123542588},{"names":null,"sizeBytes":123542274},{"names":["mcr.microsoft.com/oss/calico/typha:v3.21.6"],"sizeBytes":119713369},{"names":null,"sizeBytes":115909379},{"names":null,"sizeBytes":115897326},{"names":null,"sizeBytes":115893258},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:v1.2.1"],"sizeBytes":107169290},{"names":["mcr.microsoft.com/oss/calico/node:v3.8.9.5"],"sizeBytes":101794833},{"names":["mcr.microsoft.com/containernetworking/azure-cns:v1.4.35"],"sizeBytes":101298296},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.22.0.3"],"sizeBytes":99538753},{"names":["mcr.microsoft.com/aks/acc/sgx-attestation:3.1"],"sizeBytes":98058501},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.23.0"],"sizeBytes":95915873},{"names":["mcr.microsoft.com/oss/kubernetes/exechealthz:1.2_v0.0.5"],"sizeBytes":94348102},{"names":["mcr.microsoft.com/aks/hcp/tunnel-openvpn:master.220527.2"],"sizeBytes":92531564},{"names":["mcr.microsoft.com/containernetworking/azure-npm:v1.4.32"],"sizeBytes":90048618},{"names":["mcr.microsoft.com/containernetworking/azure-npm:v1.4.29"],"sizeBytes":89255513},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.2.2"],"sizeBytes":88551490},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.22.0"],"sizeBytes":83173887},{"names":["mcr.microsoft.com/aks/command/runtime:master.220211.1"],"sizeBytes":82792811},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.21.0"],"sizeBytes":75345915},{"names":["mcr.microsoft.com/oss/nvidia/k8s-device-plugin:v0.9.0"],"sizeBytes":67291599},{"names":["mcr.microsoft.com/containernetworking/cni-dropgz:v0.0.2"],"sizeBytes":67202663},{"names":["mcr.microsoft.com/oss/tigera/operator:v1.27.12"],"sizeBytes":64784076},{"names":["mcr.microsoft.com/oss/kubernetes-csi/secrets-store/driver:v1.2.2.3"],"sizeBytes":64781810},{"names":["mcr.microsoft.com/oss/calico/cni:v3.8.9.3"],"sizeBytes":63581323}]}}]} - - ' - headers: - audit-id: - - 37e00e94-9fc0-4145-82c3-500099f5e6e9 - cache-control: - - no-cache, private - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:47:26 GMT - transfer-encoding: - - chunked - x-kubernetes-pf-flowschema-uid: - - 2920afa3-e99e-4ce9-aad1-ae980c0c23f4 - x-kubernetes-pf-prioritylevel-uid: - - 9a1ba86f-7d0f-4aa9-baa2-6f999741c9e7 - status: - code: 200 - message: OK -- request: - body: '{"spec": {"resourceAttributes": {"verb": "create", "resource": "clusterrolebindings", - "group": "rbac.authorization.k8s.io"}}}' - headers: - Accept: - - application/json - Content-Type: - - application/json - User-Agent: - - OpenAPI-Generator/24.2.0/python - method: POST - uri: https://cli-test-a-akkeshar-1bfbb5-52714f14.hcp.westeurope.azmk8s.io/apis/authorization.k8s.io/v1/selfsubjectaccessreviews - response: - body: - string: '{"kind":"SelfSubjectAccessReview","apiVersion":"authorization.k8s.io/v1","metadata":{"creationTimestamp":null,"managedFields":[{"manager":"OpenAPI-Generator","operation":"Update","apiVersion":"authorization.k8s.io/v1","time":"2022-11-15T11:47:27Z","fieldsType":"FieldsV1","fieldsV1":{"f:spec":{"f:resourceAttributes":{".":{},"f:group":{},"f:resource":{},"f:verb":{}}}}}]},"spec":{"resourceAttributes":{"verb":"create","group":"rbac.authorization.k8s.io","resource":"clusterrolebindings"}},"status":{"allowed":true}} - - ' - headers: - audit-id: - - 70ac07ca-0d0f-4637-aab0-05f60362c1e7 - cache-control: - - no-cache, private - content-length: - - '516' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:47:27 GMT - x-kubernetes-pf-flowschema-uid: - - 2920afa3-e99e-4ce9-aad1-ae980c0c23f4 - x-kubernetes-pf-prioritylevel-uid: - - 9a1ba86f-7d0f-4aa9-baa2-6f999741c9e7 - status: - code: 201 - message: Created -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s connect - Connection: - - keep-alive - ParameterSetName: - - -g -n -l --distribution --infrastructure --distribution-version --tags --kube-config - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Kubernetes?api-version=2021-04-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Kubernetes","namespace":"Microsoft.Kubernetes","authorizations":[{"applicationId":"64b12d6e-6549-484c-8cc6-6281839ba394","roleDefinitionId":"1d1d44cf-68a1-4def-a2b6-cd7efc3515af"},{"applicationId":"359431ad-ece5-496b-8768-be4bbfd82f36","roleDefinitionId":"1b5c71b7-9814-4b40-b62a-23018af874d8"},{"applicationId":"0000dab9-8b21-4ba2-807f-1743968cef00","roleDefinitionId":"1b5c71b7-9814-4b40-b62a-23018af874d8"},{"applicationId":"8edd93e1-2103-40b4-bd70-6e34e586362d","roleDefinitionId":"eb67887a-31e8-4e4e-bf5b-14ff79351a6f"}],"resourceTypes":[{"resourceType":"connectedClusters","locations":["West - Europe","East US","West Central US","South Central US","Southeast Asia","UK - South","East US 2","West US 2","Australia East","North Europe","France Central","Central - US","West US","North Central US","Korea Central","Japan East","West US 3","East - Asia","Canada Central","East US 2 EUAP","Canada East"],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"SystemAssignedResourceIdentity, - SupportsTags, SupportsLocation"},{"resourceType":"locations","locations":[],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/operationStatuses","locations":["East - US 2 EUAP","West Europe","East US","West Central US","South Central US","Southeast - Asia","UK South","East US 2","West US 2","Australia East","North Europe","France - Central","Central US","West US","North Central US","Korea Central","Japan - East","East Asia","West US 3","Canada East","Canada Central"],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"None"},{"resourceType":"registeredSubscriptions","locations":[],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"None"},{"resourceType":"Operations","locations":[],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview","2019-11-01-preview","2019-09-01-privatepreview"],"capabilities":"None"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' - headers: - cache-control: - - no-cache - content-length: - - '2416' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 11:47:27 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s connect - Connection: - - keep-alive - ParameterSetName: - - -g -n -l --distribution --infrastructure --distribution-version --tags --kube-config - User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002?api-version=2022-10-01-preview - response: - body: - string: '{"error":{"code":"ResourceNotFound","message":"The Resource ''Microsoft.Kubernetes/connectedClusters/cc-000002'' - under resource group ''akkeshar'' was not found. For more details please go - to https://aka.ms/ARMResourceNotFoundFix"}}' - headers: - cache-control: - - no-cache - content-length: - - '228' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 11:47:29 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - x-ms-failure-cause: - - gateway - status: - code: 404 - message: Not Found -- request: - body: null - headers: - Accept: - - application/json - Content-Type: - - application/json - User-Agent: - - OpenAPI-Generator/24.2.0/python - method: GET - uri: https://cli-test-a-akkeshar-1bfbb5-52714f14.hcp.westeurope.azmk8s.io/api/v1/namespaces - response: - body: - string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"4693"},"items":[{"metadata":{"name":"default","uid":"cd58e606-5900-40ef-a998-71ad36530e9b","resourceVersion":"205","creationTimestamp":"2022-11-15T11:33:55Z","labels":{"kubernetes.io/metadata.name":"default"},"managedFields":[{"manager":"kube-apiserver","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:33:55Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{".":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Active"}},{"metadata":{"name":"gatekeeper-system","uid":"a0b5ca64-ac7a-4bcb-8c1a-c9db64329268","resourceVersion":"3510","creationTimestamp":"2022-11-15T11:44:27Z","labels":{"addonmanager.kubernetes.io/mode":"Reconcile","admission.gatekeeper.sh/ignore":"no-self-managing","control-plane":"controller-manager","gatekeeper.sh/system":"yes","kubernetes.io/metadata.name":"gatekeeper-system"},"annotations":{"kubectl.kubernetes.io/last-applied-configuration":"{\"apiVersion\":\"v1\",\"kind\":\"Namespace\",\"metadata\":{\"annotations\":{},\"labels\":{\"addonmanager.kubernetes.io/mode\":\"Reconcile\",\"admission.gatekeeper.sh/ignore\":\"no-self-managing\",\"control-plane\":\"controller-manager\",\"gatekeeper.sh/system\":\"yes\"},\"name\":\"gatekeeper-system\"}}\n"},"managedFields":[{"manager":"kubectl-client-side-apply","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:44:27Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:kubectl.kubernetes.io/last-applied-configuration":{}},"f:labels":{".":{},"f:addonmanager.kubernetes.io/mode":{},"f:admission.gatekeeper.sh/ignore":{},"f:control-plane":{},"f:gatekeeper.sh/system":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Active"}},{"metadata":{"name":"kube-node-lease","uid":"6997ca5a-66e9-46b0-bf71-b2c228b4f8d3","resourceVersion":"47","creationTimestamp":"2022-11-15T11:33:53Z","labels":{"kubernetes.io/metadata.name":"kube-node-lease"},"managedFields":[{"manager":"kube-apiserver","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:33:53Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{".":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Active"}},{"metadata":{"name":"kube-public","uid":"96ce53d6-f62f-4ba8-aea5-19c0d37747bc","resourceVersion":"34","creationTimestamp":"2022-11-15T11:33:53Z","labels":{"kubernetes.io/metadata.name":"kube-public"},"managedFields":[{"manager":"kube-apiserver","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:33:53Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{".":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Active"}},{"metadata":{"name":"kube-system","uid":"9360d1b2-f574-4dc0-9dd7-527224f71af1","resourceVersion":"585","creationTimestamp":"2022-11-15T11:33:53Z","labels":{"addonmanager.kubernetes.io/mode":"Reconcile","control-plane":"true","kubernetes.io/cluster-service":"true","kubernetes.io/metadata.name":"kube-system"},"annotations":{"kubectl.kubernetes.io/last-applied-configuration":"{\"apiVersion\":\"v1\",\"kind\":\"Namespace\",\"metadata\":{\"annotations\":{},\"labels\":{\"addonmanager.kubernetes.io/mode\":\"Reconcile\",\"control-plane\":\"true\",\"kubernetes.io/cluster-service\":\"true\"},\"name\":\"kube-system\"}}\n"},"managedFields":[{"manager":"kube-apiserver","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:33:53Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{".":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kubectl-client-side-apply","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:34:14Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:kubectl.kubernetes.io/last-applied-configuration":{}},"f:labels":{"f:addonmanager.kubernetes.io/mode":{},"f:control-plane":{},"f:kubernetes.io/cluster-service":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Active"}}]} - - ' - headers: - audit-id: - - 1218c495-0671-4fa5-aaef-bc915bbb56a8 - cache-control: - - no-cache, private - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:47:30 GMT - transfer-encoding: - - chunked - x-kubernetes-pf-flowschema-uid: - - 2920afa3-e99e-4ce9-aad1-ae980c0c23f4 - x-kubernetes-pf-prioritylevel-uid: - - 9a1ba86f-7d0f-4aa9-baa2-6f999741c9e7 - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s connect - Connection: - - keep-alive - ParameterSetName: - - -g -n -l --distribution --infrastructure --distribution-version --tags --kube-config - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/akkeshar?api-version=2021-04-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar","name":"akkeshar","type":"Microsoft.Resources/resourceGroups","location":"eastus","tags":{"Created":"20210721"},"properties":{"provisioningState":"Succeeded"}}' - headers: - cache-control: - - no-cache - content-length: - - '243' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 11:47:31 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s connect - Connection: - - keep-alive - Content-Length: - - '0' - ParameterSetName: - - -g -n -l --distribution --infrastructure --distribution-version --tags --kube-config - User-Agent: - - python/3.7.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.42.0 - method: POST - uri: https://eastus.dp.kubernetesconfiguration.azure.com/azure-arc-k8sagents/GetLatestHelmPackagePath?api-version=2019-11-01-preview&releaseTrain=stable - response: - body: - string: '{"repositoryPath":"mcr.microsoft.com/azurearck8s/batch1/stable/azure-arc-k8sagents:1.8.14"}' - headers: - api-supported-versions: - - 2019-11-01-Preview - connection: - - close - content-length: - - '91' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 11:47:32 GMT - strict-transport-security: - - max-age=15724800; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: '{"tags": {"foo": "doo"}, "location": "eastus", "identity": {"type": "SystemAssigned"}, - "properties": {"agentPublicKeyCertificate": "MIICCgKCAgEAwOy8KVNGdmNk9F2HubjjobGYHNhdQTTM+sZD2vYcquf/VnBZ5MxpRZ/bKFaDUcQ8FV7f3AwmCjGpPnDrq6n2FkS2OuEaI+3WqLjnPy57Tjtq+nJLzci6s8dZOODAsyW1/diEAplBSkg9cK6x56vFGw7fr4HL29iBi4jtnIl8TtmHyeStwBj3wYmuXcn+A058A2F3hZPsRDRRPppuf5gMBpetE1wuzKr/VzjWI+PzwEhQiZmJ82OtFpgdJwLSrKY6MO776Kk6t/KaioAEkLJvaxuFHgopom+Cey0S9mtqSj3NN55PWGNypQ40NJvjEsAIAGBpksD3VdiXPU+YphhdwospHp5qVXPP5/7a3diYYUZjL9OJEjtRXkvDGPSDJpweW8EIsGt4r36kYbrUghZDhpeM1YScjEFn/uACzbJNE58jQ/5AfsiYg/qXGefh13F03ELHGpOnXIxkm0l5uZCttsWD6YtiE2v52h3rEB/P6ZiZfSwBvrNQ7FehAJti5PLf7jSNuZqq+Nx9UKdEAkNIklV2Fq21Ajd7UcW6BLyZJvjAhS/D2yX4BKyLG2HIM4JhkIjevKrrOSOjVZLDe1fk37wO8lYg4UJK080bZkPZNh01DzsN8r/YFKFCBEmMv+E0nMkJkQGP7YrWApqr0U08D50hksCrEMTt2XjKdBIc2AkCAwEAAQ==", - "distribution": "aks_management", "distributionVersion": "1.0", "infrastructure": - "azure_stack_hci"}}' - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s connect - Connection: - - keep-alive - Content-Length: - - '940' - Content-Type: - - application/json - ParameterSetName: - - -g -n -l --distribution --infrastructure --distribution-version --tags --kube-config - User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002?api-version=2022-10-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","name":"cc-000002","type":"microsoft.kubernetes/connectedclusters","location":"eastus","tags":{"foo":"doo"},"systemData":{"createdBy":"akkeshar@microsoft.com","createdByType":"User","createdAt":"2022-11-15T11:48:03.4465079Z","lastModifiedBy":"akkeshar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-15T11:48:03.4465079Z"},"identity":{"principalId":"4ed63c1a-5e9a-47c1-89bf-ea17f5dddb8e","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned"},"properties":{"provisioningState":"Accepted","connectivityStatus":"Connecting","privateLinkState":"Disabled","azureHybridBenefit":"NotApplicable","agentPublicKeyCertificate":"MIICCgKCAgEAwOy8KVNGdmNk9F2HubjjobGYHNhdQTTM+sZD2vYcquf/VnBZ5MxpRZ/bKFaDUcQ8FV7f3AwmCjGpPnDrq6n2FkS2OuEaI+3WqLjnPy57Tjtq+nJLzci6s8dZOODAsyW1/diEAplBSkg9cK6x56vFGw7fr4HL29iBi4jtnIl8TtmHyeStwBj3wYmuXcn+A058A2F3hZPsRDRRPppuf5gMBpetE1wuzKr/VzjWI+PzwEhQiZmJ82OtFpgdJwLSrKY6MO776Kk6t/KaioAEkLJvaxuFHgopom+Cey0S9mtqSj3NN55PWGNypQ40NJvjEsAIAGBpksD3VdiXPU+YphhdwospHp5qVXPP5/7a3diYYUZjL9OJEjtRXkvDGPSDJpweW8EIsGt4r36kYbrUghZDhpeM1YScjEFn/uACzbJNE58jQ/5AfsiYg/qXGefh13F03ELHGpOnXIxkm0l5uZCttsWD6YtiE2v52h3rEB/P6ZiZfSwBvrNQ7FehAJti5PLf7jSNuZqq+Nx9UKdEAkNIklV2Fq21Ajd7UcW6BLyZJvjAhS/D2yX4BKyLG2HIM4JhkIjevKrrOSOjVZLDe1fk37wO8lYg4UJK080bZkPZNh01DzsN8r/YFKFCBEmMv+E0nMkJkQGP7YrWApqr0U08D50hksCrEMTt2XjKdBIc2AkCAwEAAQ==","distribution":"aks_management","distributionVersion":"1.0","infrastructure":"azure_stack_hci"}}' - headers: - azure-asyncoperation: - - https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/fe4c5184-3696-426f-8b20-c228cdba8605*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11?api-version=2022-10-01-preview - cache-control: - - no-cache - content-length: - - '1604' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 11:48:08 GMT - etag: - - '"7100ed6e-0000-0100-0000-63737c760000"' - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - x-ms-providerhub-traffic: - - 'True' - x-ms-ratelimit-remaining-subscription-writes: - - '1199' - status: - code: 201 - message: Created -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s connect - Connection: - - keep-alive - ParameterSetName: - - -g -n -l --distribution --infrastructure --distribution-version --tags --kube-config - User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/fe4c5184-3696-426f-8b20-c228cdba8605*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11?api-version=2022-10-01-preview - response: - body: - string: '{"id":"/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/fe4c5184-3696-426f-8b20-c228cdba8605*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11","name":"fe4c5184-3696-426f-8b20-c228cdba8605*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","status":"Accepted","startTime":"2022-11-15T11:48:05.9009028Z"}' - headers: - cache-control: - - no-cache - content-length: - - '501' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 11:48:08 GMT - etag: - - '"1001b16a-0000-0100-0000-63737c750000"' - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s connect - Connection: - - keep-alive - ParameterSetName: - - -g -n -l --distribution --infrastructure --distribution-version --tags --kube-config - User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/fe4c5184-3696-426f-8b20-c228cdba8605*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11?api-version=2022-10-01-preview - response: - body: - string: '{"id":"/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/fe4c5184-3696-426f-8b20-c228cdba8605*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11","name":"fe4c5184-3696-426f-8b20-c228cdba8605*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","status":"Succeeded","startTime":"2022-11-15T11:48:05.9009028Z","endTime":"2022-11-15T11:48:14.7827283Z","properties":null}' - headers: - cache-control: - - no-cache - content-length: - - '561' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 11:48:38 GMT - etag: - - '"1001d26a-0000-0100-0000-63737c7e0000"' - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s connect - Connection: - - keep-alive - ParameterSetName: - - -g -n -l --distribution --infrastructure --distribution-version --tags --kube-config - User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002?api-version=2022-10-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","name":"cc-000002","type":"microsoft.kubernetes/connectedclusters","location":"eastus","tags":{"foo":"doo"},"systemData":{"createdBy":"akkeshar@microsoft.com","createdByType":"User","createdAt":"2022-11-15T11:48:03.4465079Z","lastModifiedBy":"akkeshar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-15T11:48:03.4465079Z"},"identity":{"principalId":"4ed63c1a-5e9a-47c1-89bf-ea17f5dddb8e","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned"},"properties":{"provisioningState":"Succeeded","connectivityStatus":"Connecting","privateLinkState":"Disabled","azureHybridBenefit":"NotApplicable","agentPublicKeyCertificate":"MIICCgKCAgEAwOy8KVNGdmNk9F2HubjjobGYHNhdQTTM+sZD2vYcquf/VnBZ5MxpRZ/bKFaDUcQ8FV7f3AwmCjGpPnDrq6n2FkS2OuEaI+3WqLjnPy57Tjtq+nJLzci6s8dZOODAsyW1/diEAplBSkg9cK6x56vFGw7fr4HL29iBi4jtnIl8TtmHyeStwBj3wYmuXcn+A058A2F3hZPsRDRRPppuf5gMBpetE1wuzKr/VzjWI+PzwEhQiZmJ82OtFpgdJwLSrKY6MO776Kk6t/KaioAEkLJvaxuFHgopom+Cey0S9mtqSj3NN55PWGNypQ40NJvjEsAIAGBpksD3VdiXPU+YphhdwospHp5qVXPP5/7a3diYYUZjL9OJEjtRXkvDGPSDJpweW8EIsGt4r36kYbrUghZDhpeM1YScjEFn/uACzbJNE58jQ/5AfsiYg/qXGefh13F03ELHGpOnXIxkm0l5uZCttsWD6YtiE2v52h3rEB/P6ZiZfSwBvrNQ7FehAJti5PLf7jSNuZqq+Nx9UKdEAkNIklV2Fq21Ajd7UcW6BLyZJvjAhS/D2yX4BKyLG2HIM4JhkIjevKrrOSOjVZLDe1fk37wO8lYg4UJK080bZkPZNh01DzsN8r/YFKFCBEmMv+E0nMkJkQGP7YrWApqr0U08D50hksCrEMTt2XjKdBIc2AkCAwEAAQ==","distribution":"AKS_Management","distributionVersion":"1.0","infrastructure":"azure_stack_hci"}}' - headers: - cache-control: - - no-cache - content-length: - - '1605' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 11:48:39 GMT - etag: - - '"71000f6f-0000-0100-0000-63737c7e0000"' - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-providerhub-traffic: - - 'True' - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s connect - Connection: - - keep-alive - ParameterSetName: - - -g -n -l --distribution --infrastructure --distribution-version --tags --kube-config - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ExtendedLocation?api-version=2021-04-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ExtendedLocation","namespace":"Microsoft.ExtendedLocation","authorizations":[{"applicationId":"bc313c14-388c-4e7d-a58e-70017303ee3b","roleDefinitionId":"a775b938-2819-4dd0-8067-01f6e3b06392"},{"applicationId":"319f651f-7ddb-4fc6-9857-7aef9250bd05","roleDefinitionId":"0981f4e0-04a7-4e31-bd2b-b2ac2fc6ba4e"}],"resourceTypes":[{"resourceType":"locations","locations":[],"apiVersions":["2021-03-15-preview","2020-07-15-privatepreview"],"capabilities":"None"},{"resourceType":"customLocations","locations":["East - US","West Europe","North Europe","France Central","Southeast Asia","Australia - East","East US 2","West US 2","UK South","Central US","West Central US","West - US","North Central US","South Central US","Korea Central","Japan East","East - Asia","West US 3","Canada Central","Canada East","Switzerland North","Sweden - Central","East US 2 EUAP"],"apiVersions":["2021-08-31-preview","2021-08-15","2021-03-15-preview","2020-07-15-privatepreview"],"defaultApiVersion":"2021-08-15","capabilities":"SystemAssignedResourceIdentity, - SupportsTags, SupportsLocation"},{"resourceType":"customLocations/enabledResourceTypes","locations":["East - US","West Europe","North Europe","France Central","Southeast Asia","Australia - East","East US 2","West US 2","UK South","Central US","West Central US","West - US","North Central US","South Central US","Korea Central","Japan East","East - Asia","West US 3","Canada Central","Canada East","Switzerland North","Sweden - Central","East US 2 EUAP"],"apiVersions":["2021-08-31-preview","2021-08-15","2021-03-15-preview","2020-07-15-privatepreview"],"capabilities":"None"},{"resourceType":"customLocations/resourceSyncRules","locations":["East - US","West Europe","North Europe","France Central","Southeast Asia","Australia - East","East US 2","West US 2","UK South","Central US","West Central US","West - US","North Central US","South Central US","Korea Central","Japan East","East - Asia","West US 3","Canada Central","Canada East","Switzerland North","Sweden - Central","East US 2 EUAP"],"apiVersions":["2021-08-31-preview"],"defaultApiVersion":"2021-08-31-preview","capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"locations/operationsstatus","locations":["East - US","West Europe","North Europe","France Central","Southeast Asia","Australia - East","East US 2","West US 2","UK South","Central US","West Central US","West - US","North Central US","South Central US","Korea Central","Japan East","East - Asia","West US 3","Canada Central","Canada East","Switzerland North","Sweden - Central","East US 2 Euap"],"apiVersions":["2021-03-15-preview","2020-07-15-privatepreview"],"capabilities":"None"},{"resourceType":"locations/operationresults","locations":["East - US","West Europe","North Europe","France Central","Southeast Asia","Australia - East","East US 2","West US 2","UK South","Central US","West Central US","West - US","North Central US","South Central US","Korea Central","Japan East","East - Asia","West US 3","Canada Central","Canada East","Switzerland North","Sweden - Central","East US 2 Euap"],"apiVersions":["2021-03-15-preview","2020-07-15-privatepreview"],"capabilities":"None"},{"resourceType":"operations","locations":[],"apiVersions":["2021-08-31-preview","2021-08-15","2021-03-15-preview","2020-07-15-privatepreview"],"capabilities":"None"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' - headers: - cache-control: - - no-cache - content-length: - - '3491' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 11:48:39 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s connect - Connection: - - keep-alive - ParameterSetName: - - -g -n -l --distribution --infrastructure --distribution-version --tags --kube-config - User-Agent: - - python/3.7.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-graphrbac/0.60.0 - Azure-SDK-For-Python AZURECLI/2.42.0 - accept-language: - - en-US - method: GET - uri: https://graph.windows.net/00000000-0000-0000-0000-000000000000/servicePrincipals?$filter=displayName%20eq%20%27Custom%20Locations%20RP%27&api-version=1.6 - response: - body: - string: '{"odata.metadata":"https://graph.windows.net/00000000-0000-0000-0000-000000000000/$metadata#directoryObjects","value":[{"odata.type":"Microsoft.DirectoryServices.ServicePrincipal","objectType":"ServicePrincipal","objectId":"51dfe1e8-70c6-4de5-a08e-e18aff23d815","deletionTimestamp":null,"accountEnabled":true,"addIns":[],"alternativeNames":[],"appDisplayName":"Custom - Locations RP","appId":"bc313c14-388c-4e7d-a58e-70017303ee3b","applicationTemplateId":null,"appOwnerTenantId":"f8cdef31-a31e-4b4a-93e4-5f571e91255a","appRoleAssignmentRequired":false,"appRoles":[],"displayName":"Custom - Locations RP","errorUrl":null,"homepage":null,"informationalUrls":{"termsOfService":null,"support":null,"privacy":null,"marketing":null},"keyCredentials":[],"logoutUrl":null,"notificationEmailAddresses":[],"oauth2Permissions":[],"passwordCredentials":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyEndDateTime":null,"preferredTokenSigningKeyThumbprint":null,"publisherName":"Microsoft - Services","replyUrls":[],"samlMetadataUrl":null,"samlSingleSignOnSettings":null,"servicePrincipalNames":["bc313c14-388c-4e7d-a58e-70017303ee3b"],"servicePrincipalType":"Application","signInAudience":"AzureADMultipleOrgs","tags":[],"tokenEncryptionKeyId":null}]}' - headers: - access-control-allow-origin: - - '*' - cache-control: - - no-cache - content-length: - - '1246' - content-type: - - application/json; odata=minimalmetadata; streaming=true; charset=utf-8 - dataserviceversion: - - 3.0; - date: - - Tue, 15 Nov 2022 11:48:40 GMT - duration: - - '1074044' - expires: - - '-1' - ocp-aad-diagnostics-server-name: - - +7VrCoU1I3Br6ISJtUGZOCgxwLZ8y/siL9twI3naElE= - ocp-aad-session-key: - - VBz2XNrunxX1vqYJLrgRRu_2Ey12svdLc7Ocx7n8tcwCelZrqXYI6uIkeBYfGt1ZVUCx18r5GLewDhG3xKuj0xWsNqhBmunJv1SvIQb7dxYToon8dUHCORHEMu_hDK0z.l_wp1UW0Fzq4Dhnln_58Csacv8SuRZDVUJfheeYxZOA - pragma: - - no-cache - request-id: - - 0e24af4d-d141-46f9-89b7-a8f95eae2e26 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-aspnet-version: - - 4.0.30319 - x-ms-dirapi-data-contract-version: - - '1.6' - x-ms-resource-unit: - - '1' - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: '{"properties": {"azureHybridBenefit": "True"}}' - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s update - Connection: - - keep-alive - Content-Length: - - '46' - Content-Type: - - application/json - ParameterSetName: - - -g -n --azure-hybrid-benefit --kube-config --yes - User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002?api-version=2022-10-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","name":"cc-000002","type":"microsoft.kubernetes/connectedclusters","location":"eastus","tags":{"foo":"doo"},"systemData":{"createdBy":"akkeshar@microsoft.com","createdByType":"User","createdAt":"2022-11-15T11:48:03.4465079Z","lastModifiedBy":"akkeshar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-15T11:55:33.9263468Z"},"identity":{"principalId":"4ed63c1a-5e9a-47c1-89bf-ea17f5dddb8e","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned"},"properties":{"connectivityStatus":"Connected","privateLinkState":"Disabled","azureHybridBenefit":"True","agentPublicKeyCertificate":"MIICCgKCAgEAwOy8KVNGdmNk9F2HubjjobGYHNhdQTTM+sZD2vYcquf/VnBZ5MxpRZ/bKFaDUcQ8FV7f3AwmCjGpPnDrq6n2FkS2OuEaI+3WqLjnPy57Tjtq+nJLzci6s8dZOODAsyW1/diEAplBSkg9cK6x56vFGw7fr4HL29iBi4jtnIl8TtmHyeStwBj3wYmuXcn+A058A2F3hZPsRDRRPppuf5gMBpetE1wuzKr/VzjWI+PzwEhQiZmJ82OtFpgdJwLSrKY6MO776Kk6t/KaioAEkLJvaxuFHgopom+Cey0S9mtqSj3NN55PWGNypQ40NJvjEsAIAGBpksD3VdiXPU+YphhdwospHp5qVXPP5/7a3diYYUZjL9OJEjtRXkvDGPSDJpweW8EIsGt4r36kYbrUghZDhpeM1YScjEFn/uACzbJNE58jQ/5AfsiYg/qXGefh13F03ELHGpOnXIxkm0l5uZCttsWD6YtiE2v52h3rEB/P6ZiZfSwBvrNQ7FehAJti5PLf7jSNuZqq+Nx9UKdEAkNIklV2Fq21Ajd7UcW6BLyZJvjAhS/D2yX4BKyLG2HIM4JhkIjevKrrOSOjVZLDe1fk37wO8lYg4UJK080bZkPZNh01DzsN8r/YFKFCBEmMv+E0nMkJkQGP7YrWApqr0U08D50hksCrEMTt2XjKdBIc2AkCAwEAAQ==","kubernetesVersion":"1.23.12","totalNodeCount":1,"totalCoreCount":4,"agentVersion":"1.8.14","distribution":"AKS_Management","distributionVersion":"1.0","infrastructure":"azure_stack_hci","managedIdentityCertificateExpirationTime":"2023-02-13T11:43:00Z","lastConnectivityTime":"2022-11-15T11:54:01.673Z","provisioningState":"Succeeded"}}' - headers: - cache-control: - - no-cache - content-length: - - '1803' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 11:55:34 GMT - etag: - - '"71006b79-0000-0100-0000-63737e360000"' - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-providerhub-traffic: - - 'True' - x-ms-ratelimit-remaining-subscription-writes: - - '1199' - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - aks delete - Connection: - - keep-alive - Content-Length: - - '0' - ParameterSetName: - - -g -n -y - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) - method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.ContainerService/managedClusters/cli-test-aks-000001?api-version=2022-09-01 - response: - body: - string: '' - headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/c6161de8-d463-4994-89b9-768bc001e9b1?api-version=2017-08-31 - cache-control: - - no-cache - content-length: - - '0' - date: - - Tue, 15 Nov 2022 11:55:40 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operationresults/c6161de8-d463-4994-89b9-768bc001e9b1?api-version=2017-08-31 - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-deletes: - - '14999' - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - aks delete - Connection: - - keep-alive - ParameterSetName: - - -g -n -y - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/c6161de8-d463-4994-89b9-768bc001e9b1?api-version=2017-08-31 - response: - body: - string: "{\n \"name\": \"e81d16c6-63d4-9449-89b9-768bc001e9b1\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:55:40.7956822Z\"\n }" - headers: - cache-control: - - no-cache - content-length: - - '126' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:55:40 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - aks delete - Connection: - - keep-alive - ParameterSetName: - - -g -n -y - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/c6161de8-d463-4994-89b9-768bc001e9b1?api-version=2017-08-31 - response: - body: - string: "{\n \"name\": \"e81d16c6-63d4-9449-89b9-768bc001e9b1\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:55:40.7956822Z\"\n }" - headers: - cache-control: - - no-cache - content-length: - - '126' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:56:10 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - aks delete - Connection: - - keep-alive - ParameterSetName: - - -g -n -y - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/c6161de8-d463-4994-89b9-768bc001e9b1?api-version=2017-08-31 - response: - body: - string: "{\n \"name\": \"e81d16c6-63d4-9449-89b9-768bc001e9b1\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:55:40.7956822Z\"\n }" - headers: - cache-control: - - no-cache - content-length: - - '126' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:56:41 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - aks delete - Connection: - - keep-alive - ParameterSetName: - - -g -n -y - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/c6161de8-d463-4994-89b9-768bc001e9b1?api-version=2017-08-31 - response: - body: - string: "{\n \"name\": \"e81d16c6-63d4-9449-89b9-768bc001e9b1\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:55:40.7956822Z\"\n }" - headers: - cache-control: - - no-cache - content-length: - - '126' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:57:12 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - aks delete - Connection: - - keep-alive - ParameterSetName: - - -g -n -y - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/c6161de8-d463-4994-89b9-768bc001e9b1?api-version=2017-08-31 - response: - body: - string: "{\n \"name\": \"e81d16c6-63d4-9449-89b9-768bc001e9b1\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:55:40.7956822Z\"\n }" - headers: - cache-control: - - no-cache - content-length: - - '126' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:57:42 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - aks delete - Connection: - - keep-alive - ParameterSetName: - - -g -n -y - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/c6161de8-d463-4994-89b9-768bc001e9b1?api-version=2017-08-31 - response: - body: - string: "{\n \"name\": \"e81d16c6-63d4-9449-89b9-768bc001e9b1\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:55:40.7956822Z\"\n }" - headers: - cache-control: - - no-cache - content-length: - - '126' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:58:13 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - aks delete - Connection: - - keep-alive - ParameterSetName: - - -g -n -y - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/c6161de8-d463-4994-89b9-768bc001e9b1?api-version=2017-08-31 - response: - body: - string: "{\n \"name\": \"e81d16c6-63d4-9449-89b9-768bc001e9b1\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:55:40.7956822Z\"\n }" - headers: - cache-control: - - no-cache - content-length: - - '126' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:58:43 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - aks delete - Connection: - - keep-alive - ParameterSetName: - - -g -n -y - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/c6161de8-d463-4994-89b9-768bc001e9b1?api-version=2017-08-31 - response: - body: - string: "{\n \"name\": \"e81d16c6-63d4-9449-89b9-768bc001e9b1\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:55:40.7956822Z\"\n }" - headers: - cache-control: - - no-cache - content-length: - - '126' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:59:13 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - aks delete - Connection: - - keep-alive - ParameterSetName: - - -g -n -y - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/c6161de8-d463-4994-89b9-768bc001e9b1?api-version=2017-08-31 - response: - body: - string: "{\n \"name\": \"e81d16c6-63d4-9449-89b9-768bc001e9b1\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:55:40.7956822Z\"\n }" - headers: - cache-control: - - no-cache - content-length: - - '126' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:59:44 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - aks delete - Connection: - - keep-alive - ParameterSetName: - - -g -n -y - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/c6161de8-d463-4994-89b9-768bc001e9b1?api-version=2017-08-31 - response: - body: - string: "{\n \"name\": \"e81d16c6-63d4-9449-89b9-768bc001e9b1\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:55:40.7956822Z\"\n }" - headers: - cache-control: - - no-cache - content-length: - - '126' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 12:00:14 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - aks delete - Connection: - - keep-alive - ParameterSetName: - - -g -n -y - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/c6161de8-d463-4994-89b9-768bc001e9b1?api-version=2017-08-31 - response: - body: - string: "{\n \"name\": \"e81d16c6-63d4-9449-89b9-768bc001e9b1\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:55:40.7956822Z\"\n }" - headers: - cache-control: - - no-cache - content-length: - - '126' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 12:00:44 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - aks delete - Connection: - - keep-alive - ParameterSetName: - - -g -n -y - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/c6161de8-d463-4994-89b9-768bc001e9b1?api-version=2017-08-31 - response: - body: - string: "{\n \"name\": \"e81d16c6-63d4-9449-89b9-768bc001e9b1\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:55:40.7956822Z\"\n }" - headers: - cache-control: - - no-cache - content-length: - - '126' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 12:01:14 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - aks delete - Connection: - - keep-alive - ParameterSetName: - - -g -n -y - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/c6161de8-d463-4994-89b9-768bc001e9b1?api-version=2017-08-31 - response: - body: - string: "{\n \"name\": \"e81d16c6-63d4-9449-89b9-768bc001e9b1\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:55:40.7956822Z\"\n }" - headers: - cache-control: - - no-cache - content-length: - - '126' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 12:01:46 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - aks delete - Connection: - - keep-alive - ParameterSetName: - - -g -n -y - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/c6161de8-d463-4994-89b9-768bc001e9b1?api-version=2017-08-31 - response: - body: - string: "{\n \"name\": \"e81d16c6-63d4-9449-89b9-768bc001e9b1\",\n \"status\": - \"Succeeded\",\n \"startTime\": \"2022-11-15T11:55:40.7956822Z\",\n \"endTime\": - \"2022-11-15T12:02:05.3446812Z\"\n }" - headers: - cache-control: - - no-cache - content-length: - - '170' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 12:02:15 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - aks get-credentials - Connection: - - keep-alive - Content-Length: - - '0' - ParameterSetName: - - -g -n -f - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) - method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.ContainerService/managedClusters/tempaks/listClusterUserCredential?api-version=2021-08-01 - response: - body: - string: "{\n \"kubeconfigs\": [\n {\n \"name\": \"clusterUser\",\n \"value\": - \"YXBpVmVyc2lvbjogdjEKY2x1c3RlcnM6Ci0gY2x1c3RlcjoKICAgIGNlcnRpZmljYXRlLWF1dGhvcml0eS1kYXRhOiBMUzB0TFMxQ1JVZEpUaUJEUlZKVVNVWkpRMEZVUlMwdExTMHRDazFKU1VVMWVrTkRRWE1yWjBGM1NVSkJaMGxRUWtsMmRFWkxPVGcxVld0MU4zaHRPRkZ4SzJSTlFUQkhRMU54UjFOSllqTkVVVVZDUTNkVlFVMUJNSGdLUTNwQlNrSm5UbFpDUVUxVVFXMU9hRTFEUVZoRVZFbDVUVlJCZUUxRVFYcE9SR2Q2VG14dldVUjZTWGRPVkVsNFRVUkZkMDFFVFRGUFJFMHlWMnBCVGdwTlVYTjNRMUZaUkZaUlVVUkZkMHBxV1ZSRFEwRnBTWGRFVVZsS1MyOWFTV2gyWTA1QlVVVkNRbEZCUkdkblNWQkJSRU5EUVdkdlEyZG5TVUpCVURGMENtNWhlSE5DUlVzM1dUbE1hR1o2WTNaMVNtOTNURzVoY2tabE5VdHhkVmhYTUc5aFp6QlBLMGh6Y1N0NFExWjRiRm9yT1RNdk1IUmhka2xKYnpGNFRuQUtUa2QxVkdKcWVqSXJUSFZCVVdkQ00ydGliVmRuY25aR05rOUhaMGwzTUZWSVYyWjRUbGxyT0ZoT1MyVXdlRzF3Vnprd2NFUldNMFJKTVZkalFVWnJTUXBoYjBONmJ5dHJSRlJoYUZOeGVsSk5VVmRsV2s5blVGZEROemRXWW5wdUswbDZRaTlNZFROc1VVSkdSREJuWjBwNVZGaDRkakE0YWtSMFMzZDBhak5MQ20xNVFsSTRSMm93V0hvcmVqVTJWMDVhTUVGVldrOXliV2hJVFZFclkwZGxaemhOUW5ocVdtMWpMeTl5VTFCS1VsVlhWMjhyYlUxWmJrWjJjRUppUmtjS1JFUk5PVWwwZURobk9Ib3hZalZ4ZDJsSU1IbHFSSE5SVmpORVoyVnhUR1l5Y1hkdGFrZHBPRzh3VFM5TFZ6aFlVbEZZWlZSVVMyazFRMVJhWnpGRWRBcFdRMUpoVEd4Q1pGbDZaa1pHVGt0dlUzaEJXWEIxTkhNM1QwOHZha05ETmxaaFNsUm9jREl3VEdGR1MwNDNaamN4Y2tkd1EwNDNRVlpKYVVZMFZsWnhDa0ZpUmxSaFRUSkxSak5yY214dlVEQmtaRE51YmxGRFREZHBSVzB3YXpVMWRXSk5WU3RwWm1jeFVsYzBWbE5VYlVVM1VubE5kVzlEUTJOcGJFVkRWRVlLUTFaQmNUSkRXSFJzTmpacE1VeGpXbWd2UjFVeWNrWnpaekpDVlRsRllXbDJSek5YUkV0Q2JFeFVNV1U0VTBWaFRGUkJSblp1VEd4dmJDdDNkRTFKTmdwTWNUSkJiVmxXYkUxeE5tZ3lOVTVqWW5wWlJuQk5jM1Z3UzFsYVEwOU1TVk5uUkNzeFNIUTBTMnhNZHpJNVRtcFRWbUpRV1VsTU0wbENSMHR3Y2pJMENrVTFaSHBsYWpGV2JEUkVhM1F2ZUhKMFoxQXhiRkZCVnk5M1ZVdzFPR1JoZEVZNWNrNWpSRkY1YlhOc0wxZFVWazQxU1dGRFlreDBkRWw0ZFdwSmVWY0tOa2MxVGpaVWQwcDJTR0kyUlZaVk1XOXFNSHBUWlZOeFFtNXlPVWQ1ZEZGbE0zZE1MeTg1ZUVGblRVSkJRVWRxVVdwQ1FVMUJORWRCTVZWa1JIZEZRZ292ZDFGRlFYZEpRM0JFUVZCQ1owNVdTRkpOUWtGbU9FVkNWRUZFUVZGSUwwMUNNRWRCTVZWa1JHZFJWMEpDVVZCYWJVWTFaMDFLZG1FNWIybFFTbU0yQ2xGSmQxTXlaelpqUzJwQlRrSm5hM0ZvYTJsSE9YY3dRa0ZSYzBaQlFVOURRV2RGUVdzdmFHUmFWbkZWVlhCNGFHNTVTMlZFV1RCa09GSTNWSEJRVFVnS09FbE1SQ3RLYlc5WGRHTllNbU5DUWtkVVNHUlBjWEJsTkdRd01ucHBOVVJpV1dodFJrcGxZV2MwYm1ObFlrRnRWMU15UkdKcmMzZG5PRGxMVDJsT2FBcFRkbkYzUkhsbEswdDRhamhITHl0MFRITTRXbkJwZWtwcVVWRXdVMDlZTVZoRGEzbzFPR1prZEZRNFFqTkNXbGxQZUdaMWNWaENRMGwxYmpoTlVEWlhDaXRHY1c1NE5FcEZOVmsyTW0wNU5HVlljSE5PVWxoRU1WZEhhRGxaU1M5NlZGUmxiMVJuVTNaNlpqYzFVbTFKVEU1eGQwNU9lV2t6YjFnMWVtTnZSVEVLT0ZwNVdVVktURkZ0VUV0eGJrdGlOazl4UWxCWEwwUlpjbXhNVTJ3MFEwTmFVSFpzU0ZGa1VrWnJWMkYyYWs5aGFuVnJiazVWY2twSU5rdHJUblU1VUFwclVXUXJha3hoVEhNdk5WY3hVVkUxZUdSUlZXUlNTbE5oYkhaR05XOVdUWFpIU1RCSVNIZFdLeXQyZDI1Tk5ESkllRFl3UjBrNVV6Rk9jMHhoZW1aMkNsbzJjVGR0WkcxalJIZEROalZ3ZFZrMVMxQXhiVGN4YVVsTVFtTk9iMU13THk5SlRHVlBNRE5GWnk5NksydEtNbFJ4TWtGdE16UldVbll4TmpsSVEyb0tOMjlRU1RGNE1WZHhXazlIUjA1eFVESmtiRlZYT1RaM2ExQnBXVkpuZFdRek4yMTJUMVYwYmtwTk1IVnNaR05yUmxKSlV5dE5iRGxZY1hVM1JYWkxiQXBHWld0b1oyVXlNMkpRY201dlNXVXJTMVFyTTFGc2MySm9abEJqU1RSMFdqSkZMMGRWUVVsdEwzUmhXRUZwWlVKRmIyNHJlbnBTVkRCTFNrRkhZbXhGQ21wUWNFTnZSbkY1V0dOc2RqUlllSE5qU3pselpHbHpkRFZXV2tGemNrUXpkbGx4VFdvMmNYaGxVQzluV0ZGeGJrTkVZVzQwSzJsWlEwbDFMMjlyU1c4S2EyRkplRlpQYTBvNEsyaFNiMDlHUkZacFIyRnJVRXd6ZVdNMlFXRXpjVTV5T0c5V0x6TTBRV1JhWjJkb1NtZFZVSGx2ZWxkVUwxaHJPWFJRVUZZNVZncFphM05YVkZkSFRVUjJUREJpZDJjOUNpMHRMUzB0UlU1RUlFTkZVbFJKUmtsRFFWUkZMUzB0TFMwSwogICAgc2VydmVyOiBodHRwczovL3RlbXBha3MtZG5zLTBmOGM5NTM2LmhjcC5zb3V0aGNlbnRyYWx1cy5hem1rOHMuaW86NDQzCiAgbmFtZTogdGVtcGFrcwpjb250ZXh0czoKLSBjb250ZXh0OgogICAgY2x1c3RlcjogdGVtcGFrcwogICAgdXNlcjogY2x1c3RlclVzZXJfYWtrZXNoYXJfdGVtcGFrcwogIG5hbWU6IHRlbXBha3MKY3VycmVudC1jb250ZXh0OiB0ZW1wYWtzCmtpbmQ6IENvbmZpZwpwcmVmZXJlbmNlczoge30KdXNlcnM6Ci0gbmFtZTogY2x1c3RlclVzZXJfYWtrZXNoYXJfdGVtcGFrcwogIHVzZXI6CiAgICBjbGllbnQtY2VydGlmaWNhdGUtZGF0YTogTFMwdExTMUNSVWRKVGlCRFJWSlVTVVpKUTBGVVJTMHRMUzB0Q2sxSlNVWklha05EUVhkaFowRjNTVUpCWjBsU1FVazNVa3BKUkZRNVJqWnFNelZwWjNwdWEyNDBLMFYzUkZGWlNrdHZXa2xvZG1OT1FWRkZURUpSUVhjS1JGUkZURTFCYTBkQk1WVkZRWGhOUTFreVJYZElhR05PVFdwSmVFMUVSWGROUkUwd1QwUk5NbGRvWTA1TmFsRjRUVVJGZDAxRVRURlBSRTB5VjJwQmR3cE5VbU4zUmxGWlJGWlJVVXRGZHpWNlpWaE9NRnBYTURaaVYwWjZaRWRXZVdONlJWWk5RazFIUVRGVlJVRjRUVTFpVjBaNlpFZFdlVmt5ZUhCYVZ6VXdDazFKU1VOSmFrRk9RbWRyY1docmFVYzVkekJDUVZGRlJrRkJUME5CWnpoQlRVbEpRME5uUzBOQlowVkJiREZJVkhobVZVNW5jazkzVWxCM1RsSndkR2tLUjFCTGVXcEVPVkZ4UVdjd1VUSm5VRnBCYmxaUFdYZFdVMlUyYm10QlNsbEZSMDFhTkZCSlJuUlRVQ3RsZHpaWFZuVkVaMjkwY1U5cVEybHRaelZWZHdvclpXZzBaa1I1ZWxwd2MyeExhM1JGY1daTlRUbElNWEZaUW1OeUwyUm5Ubk5YVWpCSlVHdFVSV1ZoWm1OYVpGbDRWaTlyTTJ0YWNrNXlPVTFPZVhOSENtMDBWWE54WjJsNlFuZG5Zbk00V0VoV05sQkZNRE5TYlZsSVJETkpUM1IxSzJsYUt6aEhZaTlHVUZGbFJVbG9WMXBVYUZCR1Vtb3ZkM1VyTVVaTFFsb0tNWEEzTjNGdlVqazFhV1EwVTJkWFpVVkxVbVJMTlhoMFIyNUxUMUpTZVRST2JXcDVlazVKYzNsQlZYWkliemhMUVZRMFZ6RXlMM1pyVXpKTlZYRlhLd3BaTW00MGJUWlpaRlV3ZVhkSUwyMW9VbEpJUTFKbloza3JRa2hSUWxKak5rZE1UVTFLY0hWYU5FRnZaa1ZhZWpWd05HeFJjSEI0UVhScVlYSjFjRUp1Q2twR1NWYzNTMjVFV0V0YVJYcG9TV0pwWm10TGQzWnJVR2s1UTJoc2VreDZObXh2TkROQmFIUXhhREV2U1dSaWVYaFNOMHBITTBwTVkwNW1NWHB3Ykc4S2FVSnVkbkJDWjNsQlRGbE5RVWhyTlZOVmREa3ZXbE5vTkdOMVZHbENSako1T0hNek4wMXVSMlpXTjBGWVRHNWxSRmRWTlM5NldVbFlhall4WW1aVFFRcExTa2hCTDJSbWJGSmhjbk0yV1dzelpVNUxSbEo1UWtaNE1tZEtablZOV2psa1kwUjJORkZNYUN0UlJUUmhSMUp6Ym10UFUwZDZjbTQwZFZCS2FVaDBDbVF6WkhOQ1dVczVRV3REWVdaVmNWWkRRV2xVV2taNGRXOWpha2wxT1dSclVtNVpSR0YwZFdkT01uWTNSM2x0YkcxbVdqZHlUMVZoVUhWa2VrcElhRTBLVGpsT2N6UnJRVGsxY2pSQ2IwdElNVFF6VW1KTlJTdGxXR05tVXpCd1VtNXRSMjB5VkVscGRWaDFkMjVTV1RSRloxUllNM04xYVZoeFJUUlpUVEJQVGdwaVNHeFJWbTUzUVd4TlpHSnNaVmg2Yml0TVZEaEZUVU5CZDBWQlFXRk9WMDFHVVhkRVoxbEVWbEl3VUVGUlNDOUNRVkZFUVdkWFowMUNUVWRCTVZWa0NrcFJVVTFOUVc5SFEwTnpSMEZSVlVaQ2QwMURUVUYzUjBFeFZXUkZkMFZDTDNkUlEwMUJRWGRJZDFsRVZsSXdha0pDWjNkR2IwRlZSREphYUdWWlJFTUtZakoyWVVscWVWaFBhME5OUlhSdlQyNURiM2RFVVZsS1MyOWFTV2gyWTA1QlVVVk1RbEZCUkdkblNVSkJUMmxYTkdkc09IQkhRbXRYVlN0bFZrNWFTUW95ZDJFeFJXbGlUazEwTVZkMmNXczVhbWs1VkZOaVExWlZSRkJqY1VGMVdUaDRkWGdyWVZNNVVWa3ZkMlpaYTBNd01ubzNTWEJHZVhoWGVXVXhTVGcyQ25NclVFSTBRbXREYkdFd015OTNPSHBGVEV0UlJGWllhV1oyYlZGV1IyNUtibXBtTlhsdmExQTBSVk5QUmxkRlpuQnhOVlJaVVVkMmVDdDRUbmh1Tm5nS1ZEaG9PVTFuZDNOdFZXTk5UR2xxZGl0MWJsa3hSMnRPVVRGaGJrZFhWM2xNVm5Rd1RVNVNZVkZ3YUU5TFZGUTVZME50U2xGeWQyRXdVRGhSV1VKdk1RcEliRmR0Ym5kSFJHdEZWRXM1TXpsRVlWZHJVVWw2T0dNdlJ5dEJTaTlTUkhkNU5tbzRRekpzUlhCSVZXeEdSVTVzVTFSelEwdG9OR0ZLYVZvclYyVk1DbXhMZFhORGRXRTBTVzgyUldjcllUazJkMlV5V2pOUGVtbHpUbTF1TVVaalIxVlROekJOVXpkak5IaDBaRGsyTkVoVmFVUldPWFV3ZUV0WmNqUTVaMlFLTmt4eVFYRnFPVWN6Y0dOU1ExVnRVbWgwTlRnNVlreHBWM0ZLVkU1VlZqUnpRV3Q2VUV0bk9HVnlVR05sTVRGdVJGUkdiSFJGUW01ME0xaFNZazVSWmdwQlZsbG1UV2R0ZUVkS1NFUm1MM2M1WVRoUU5VRXZVVVpoT0hwRFZFUXJTRU5KY1hwYWJFRm9lRUZFTUZwNFIwMTBjak5ITW5rMGNYQXhaM0pDYUZaSENuazBSemhsVDNKTkwxaGhlRlEyTkV0UUx5dFJRMGxuUWtkaFpVb3ZhazFXTkdSWFZTdGhUekUzYlU0clJFVnJkbEZKYzJWd0wzRnlPVU01Y0V0bGEzQUtjM280ZFdGRGNGcFJiR1pCU0ZsSll6ZDVXRkowVVVsM2NVdEhZM0oyY0c5U1kyUnpSRUZvTTBkMVpraDBOMnBKTWpBeU5EVmhZWEI0T1ZGYVZ6TnhUd3A1T0hGb2FIbzFSVGx1WlZKSFpsSnNWa013VGpocWJuaHJVV2xpVUd4dFEwZG5RWGRWWVU1ME1UUkNVVGRJY2tWUUx6SkZUSE5YZEZCT09UVmhNbFJNQ2l0NGRsa3pNREJCTTBoNlp6UlhXRU5LV2pWUlRYbFRSZ290TFMwdExVVk9SQ0JEUlZKVVNVWkpRMEZVUlMwdExTMHRDZz09CiAgICBjbGllbnQta2V5LWRhdGE6IExTMHRMUzFDUlVkSlRpQlNVMEVnVUZKSlZrRlVSU0JMUlZrdExTMHRMUXBOU1VsS1MxRkpRa0ZCUzBOQlowVkJiREZJVkhobVZVNW5jazkzVWxCM1RsSndkR2xIVUV0NWFrUTVVWEZCWnpCUk1tZFFXa0Z1Vms5WmQxWlRaVFp1Q210QlNsbEZSMDFhTkZCSlJuUlRVQ3RsZHpaWFZuVkVaMjkwY1U5cVEybHRaelZWZHl0bGFEUm1SSGw2V25CemJFdHJkRVZ4WmsxTk9VZ3hjVmxDWTNJS0wyUm5Ubk5YVWpCSlVHdFVSV1ZoWm1OYVpGbDRWaTlyTTJ0YWNrNXlPVTFPZVhOSGJUUlZjM0ZuYVhwQ2QyZGljemhZU0ZZMlVFVXdNMUp0V1VoRU13cEpUM1IxSzJsYUt6aEhZaTlHVUZGbFJVbG9WMXBVYUZCR1Vtb3ZkM1VyTVVaTFFsb3hjRGMzY1c5U09UVnBaRFJUWjFkbFJVdFNaRXMxZUhSSGJrdFBDbEpTZVRST2JXcDVlazVKYzNsQlZYWkliemhMUVZRMFZ6RXlMM1pyVXpKTlZYRlhLMWt5YmpSdE5sbGtWVEI1ZDBndmJXaFNVa2hEVW1kbmVTdENTRkVLUWxKak5rZE1UVTFLY0hWYU5FRnZaa1ZhZWpWd05HeFJjSEI0UVhScVlYSjFjRUp1U2taSlZ6ZExia1JZUzFwRmVtaEpZbWxtYTB0M2RtdFFhVGxEYUFwc2VreDZObXh2TkROQmFIUXhhREV2U1dSaWVYaFNOMHBITTBwTVkwNW1NWHB3Ykc5cFFtNTJjRUpuZVVGTVdVMUJTR3MxVTFWME9TOWFVMmcwWTNWVUNtbENSako1T0hNek4wMXVSMlpXTjBGWVRHNWxSRmRWTlM5NldVbFlhall4WW1aVFFVdEtTRUV2Wkdac1VtRnljelpaYXpObFRrdEdVbmxDUm5neVowb0tablZOV2psa1kwUjJORkZNYUN0UlJUUmhSMUp6Ym10UFUwZDZjbTQwZFZCS2FVaDBaRE5rYzBKWlN6bEJhME5oWmxWeFZrTkJhVlJhUm5oMWIyTnFTUXAxT1dSclVtNVpSR0YwZFdkT01uWTNSM2x0YkcxbVdqZHlUMVZoVUhWa2VrcElhRTFPT1U1ek5HdEJPVFZ5TkVKdlMwZ3hORE5TWWsxRksyVllZMlpUQ2pCd1VtNXRSMjB5VkVscGRWaDFkMjVTV1RSRloxUllNM04xYVZoeFJUUlpUVEJQVG1KSWJGRldibmRCYkUxa1lteGxXSHB1SzB4VU9FVk5RMEYzUlVFS1FWRkxRMEZuUW5WWWJDdG9abTVvY0ZGYWFYRTJSa1JwYkVGcU55c3lSV2hxUkdwUVNuQlVRVXRhUlRSUVZHWktjbkJSUldoak5uWTJhRmhFWkdoVU1RcEVia2c1VTJoRFpWQjFhVWN5TmxSa1FUVTFMMDlzVFdodVJuSktia3hpYzI1MlYxaFFSV1pwVkd3ek5YVXlOVk5yV0hSaFRrOTVRVlJQY2tnelYxbGhDbVZ5Um1aSFEwSndiMHROT1RaNFEzRXdlQzh5U1Zwa09HdGhVbFJKVGt0UUwzRktaREphYzJwQ00yMDNVVnBqV2xORlp6TjRXVEZ4T1VjelVXaFBNa2dLWlZGb1MyaDZaVFpvVldKSGN6Qm9lazFtVjNsblJscExaMmcyYTNaUVkwRjVNM2h6ZERWTk1FbHNOMFU0Y1RKSFZuRlVOV0ZzTmpoeFFreDNiRXRIY2dwd1VYcEhielJzV0hRMmNuSmtlR0l2T0dkUlFteDNRa2hqT1RadE9HazVSR29yYWtwNmFVTlZXV1ZaZGpBMlJXOXdWMmhRY1dWYVdrbEVWR1YxVWtZckNuY3pWamRvVFZwbFpWZHNZWFZ1ZDFveVpGRldWVEZFTUZaamFqQkNUV0ZNY2xvNVRVMUpTbmRoV0VkNlpWRkdka1pHTTFwNlJFUkljMnQxZUdaSGVIVUtWR3BDWW10eU9UUXhhMmRLZG5GcE1HRk9ZWE5EUmtaVVltWnZiR3RFWTJ4d1VuSnBWblpaT1RrdlNIQmlaa3RGVTNKUFJrZDJUSHBLZUhaNmNIRTRhd293YlhCbk5sUTBWWEIwVlhOc1QyeHJLMVpCV25KV1dHMHdkVUl3YmtaQ1ZFcEpWRmN5ZFUwclNqVklUR0p2VjJGWU55OW1Oa1E1TDJkaE1rTk9VRE5aQ25oSFowUm1hVFUzZFdsNU5YTkdlVll6TVhSWE9GTlFZVE5vUVc5aldtcGhWRXRIVTBJM1JsZERWMHAyTjA5TU9IbHBkV0ZYVFhkaFlUSkJOakpKUTJRS2QxRlhVa2hRYTFOSGVIRnVZMEZaVjFnclpIRlRaRE5CZWxSblJDdDBWWE5FV0ZRMVJqRnlTVXA0Uml0dGNsZEhXa2M1ZG1rMFJGSk9RVlJ2Y1UxQmFncGliMlFyY2s1d1ZYQnBiWFZMUVZSNVdtZHlkM1JrTlZOTVVHZHVTVVJKU25wT1JVSkNUak5vVmtGWFdrTXlibEZoVVV0RFFWRkZRWGxIT1ZZM01sQmlDbFptYTBwcE4xZGtNbEYzTDFGdlVVNTZjVFpGWVZnNFdrbExWM1k0WWpBMFNqTndObXR1V0RaaVZHcGhlRzVSYVdOc1NHcG9lVVpLVkRSQk15OUlhMlFLYjJWVmJGaE9UMkptVkZCeVUyWkZjRlZ3TW5Wbk1ERllTVFpxV0hSMmJtMU9UMGx3V25CaGEzbEJhRFl6YUROUVNsTTNjREYyV1RkWlMwZGlOVFJ3Y3dwS01YTm5NMjFXTmpSRU5VMUZNWE5HTW0xcGNWaE1VRzloU2l0blNreDJXa0YxUkhnclkyTktObkUyUkU4dksyZFZMMjB3YzJvMVkyb3dla1pKWjJjckNtcENaR1JIU0RoQ1ZVUmtSWFUxVm0wM2VtbFBZV3h2U2xwSU5tUXJWamx6UlZRNVFuaEVRV3BFUmpCTFJqRllTVEZpYzJjNFRsaFpjemRDV2xSNFQzY0tNM0k1VVZGeWMwSlROWE16UmpGUlNTc3JWSEl5TjFWT2NqUldPV1JRTkRCM2QzaEJiVk52UzBaTFdtSldVa1V5Um5wWWRtbHNRalIxYzJkVldEY3JkQW81UzJaSGNXWklZeXMwVEdOcVVVdERRVkZGUVhkVlZGVnBPSFpOTm1Sa1dVWnFUREJTUm1VNGRuTm5NbGxKYTNkcWRGb3ZaMjAyWWtveE5YUlRURXBpQ21GaWVHcG1VbkZHWjAxbk0wUkJWRk50ZHpRNE9GQkJVVWwxVmxSTE9FZEJjeTg0TjBkbmFIaG9TRTV0YkhSV1VFaFZhR2hRVEM5TVNqQkJOMFk1ZERZS0wyeHZUamRoVDFvMlYyVkVjMHRyZWl0bVFtdE5kRU15WTBoeldEVlpNMGxrV25WcFNHMUdRM2h1WjA1cmR6QmtaR2R5ZURFMWFGRlNSbkJKVVhNNE1ncFRWSGsyUTNGQ1pVWk5NMlJrYzFwaE4xZHJVM2xtTjJaWFZrcFFXWGRoV1ZSUFpIVmpZMlZpUWs0NGRYUnJiMHRUVTA1eVUyTlFNbFExUjFCbE1sRlFDbXR0TkRVM1YzQXlabVowVmxBM01HSXdiVGtyWkhsT1ZWb3ZOVTgxUkZCMk0ySlFlRVpZTnpsTFFYSnRabTl2TUZFclNFTkVjVTVLYzFwWU5GQkJSbFVLTTI0NWFrc3ZTM0pvTlhRemVUYzRSUzh6ZDJrMFIwUmpObUpYUTA1YVQzSm1abWwxT0VOWlZVUjNTME5CVVVGbU5XZG5jRXA0TURkSE16QXpZazV2U1FwT2RtcERXSG96VEZST04zQTBlalZsWjJJdk1HMTNZV0V3WkZVNFFtVmhja0l3WkdGSGFGWTFWME55TnpCSlNsbFZja2RYVkhKbk1tdGlPVmRtU2pkakNsZERlakJCV25SMkswbFNWR2hVVmk5RFZtNDNWblEwWVZGSWQxTlNXblJJT0c5SFRGa3ZZMXBzWkZCR1ZVUTJNamRGUm1odmFHZEJWVE5LZUhOdWFsSUtkekZvWTBwRWNGVlFhVUZQZWs1elNpczBNa1JEZUhCSllWRkNXbTVwUjI0MVkyOW5MMFptU25oWk0wdGhSRFZYTWtGTWRtNWFlRWR6TVd0MmEzUmlhd3B4TUdOWVF6TnVjMVJJV0hReWVFcDJiV1U0VDFKMU9YUTVNRVpEVG1RM0swVnlhVTloYVhGcFUxUjFLekpIYlRabWVrSllZeko2VFhCdGJtaHNUakZ3Q2paUVVHeHNTWGQ0Wlc5a1J6Sm9UM0JuV0dOeU4xZEVPRkZpUkhWTU1VTllXa3h3V1ZkWWNtZFRjMk54Ym1jdk5IVmxjakJMWnpsSVVtOVNTbVUyUzA0S2Nra3ZjRUZ2U1VKQlVVTlVhWEZqZWk5aFdqSlZabGx0U2tWdlJISnVUV2gwYUdsR1FUbGFNVUpPTUdONGNrWmthMkZIWlVsTlRGZGhiMGxOTjBkV1JRcHNhRkZ1T0dKeFVuTnZTR3hqVnpkM1NrNHJhMmhNYkhKTlFYQXZZV3BwTWpRMU5VdDNXbUl2UWs1V2RXMW5RazRyTmxCb1NqWlhlV0pUT0RZemJURlBDa2RNT0ZrMk1rMUthVWhKUm5SUU0wSjVjMkpKWTB3ck5uZE9RVE51ZDNCeFJuaGFUbm96U2xKUWFrOHpOR05vVGtab2MyRklZbEZWYm5VMWNqRkdaR1VLVkVoaGIwTlBPRGRXVERaTFVrTTVabk5uTVRKNlNEaFRTRzg1WVM5M1YyZzFNM1I1Ymk4eFVVeHRSRzFXUm5CRFJHZzFZVVpXTkhBM1JXNHJja0Z4THdwVVJrdGtUVkpJTDFOVGVHcGhVelI2YjFwdE5tSnpaazFIVjFkUVoyNHhhWGd3WlVaRVNqWjJkamRZTUd4TlZtRmpLMGR2WkZZdlJEVTNNMlYyUVdkckNtOTRVVWRFT1V0U09EaE9kMUpoU1VGTVNtVXhjbEZFTjFSNFJFWjBiSGRVUVc5SlFrRlJRMWxUTVZkbVMxTXdhWFl4VkVOYWRITlFhM0p0U0hVdk1ETUtSalV2T0hGNWFGUm5WQ3MxU2sxa1UyaHpUSEpxYkZReFNXbFFUemRrVlRCWWRreFBjbTFPVGtWYVMyMW9VR2RuT1ZWdVVYVm5iME5PTUZWUk9WSnFZUW95VkRNeE5UQlBRa0ozVkc5ekwwUnhjbXN3V0Vzd2MzazBhRVJEYVRCQlJYUmhVVk5VYWxKQlkxVTRRV2wzU2xKQ1Z6Y3piMVJTYjB0SlJtVm5NbFl2Q2lzemIzcGFhVEF6ZFcxSVkxTkZVMkpKV0cxeE0yZG9aamR0TDBkNFNrRTBPR1ZOZFZGclpVcFdlakpNYzFka1JUUmxVV3hXTm5WQ1FrWk1aRTFVWjNvS016WkpSR1pLT1V4R1QxZEhPSGhCTlVobWVXcFVlUzh4YTJwdE0yODNlbmx0WWpGNmVuWnBWV3hDVkhSTGNFdHVRbEpHU1V0aFZEZFNhMFoxYkhFNWFBcHVWSEYxTnpoM1ZsUkJiV0p5WlZKNlRTdHdSWGhKVUU1TUszazBVSEp4VVVRNWEyZzBOMVJCU1ZCT1NGRlVhM2hRTm5jMlZrVnllRUZuWldRS0xTMHRMUzFGVGtRZ1VsTkJJRkJTU1ZaQlZFVWdTMFZaTFMwdExTMEsKICAgIHRva2VuOiBkNDFhNzBmMjQ2YWM3Y2U0NjAzOTk4MWVmYTdjZmNkZTYzZTQzMTk4YzcxYzkyN2I1ZjczZWRiOGNjNWYyNTBiYjg0ODk1ZjlkNTY3NDJmODljYTVkZmRhNTliYjAxODBmZTE2ODA5YTJiNWVlYjA3YTJmMWEyYzE3NTAwZjNlMgo=\"\n - \ }\n ]\n }" - headers: - cache-control: - - no-cache - content-length: - - '12980' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 12:02:18 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1199' - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s connect - Connection: - - keep-alive - ParameterSetName: - - -g -n -l --tags --kube-config --enable-private-link --pls-arm-id --yes - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Kubernetes?api-version=2021-04-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Kubernetes","namespace":"Microsoft.Kubernetes","authorizations":[{"applicationId":"64b12d6e-6549-484c-8cc6-6281839ba394","roleDefinitionId":"1d1d44cf-68a1-4def-a2b6-cd7efc3515af"},{"applicationId":"359431ad-ece5-496b-8768-be4bbfd82f36","roleDefinitionId":"1b5c71b7-9814-4b40-b62a-23018af874d8"},{"applicationId":"0000dab9-8b21-4ba2-807f-1743968cef00","roleDefinitionId":"1b5c71b7-9814-4b40-b62a-23018af874d8"},{"applicationId":"8edd93e1-2103-40b4-bd70-6e34e586362d","roleDefinitionId":"eb67887a-31e8-4e4e-bf5b-14ff79351a6f"}],"resourceTypes":[{"resourceType":"connectedClusters","locations":["West - Europe","East US","West Central US","South Central US","Southeast Asia","UK - South","East US 2","West US 2","Australia East","North Europe","France Central","Central - US","West US","North Central US","Korea Central","Japan East","West US 3","East - Asia","Canada Central","East US 2 EUAP","Canada East"],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"SystemAssignedResourceIdentity, - SupportsTags, SupportsLocation"},{"resourceType":"locations","locations":[],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/operationStatuses","locations":["East - US 2 EUAP","West Europe","East US","West Central US","South Central US","Southeast - Asia","UK South","East US 2","West US 2","Australia East","North Europe","France - Central","Central US","West US","North Central US","Korea Central","Japan - East","East Asia","West US 3","Canada East","Canada Central"],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"None"},{"resourceType":"registeredSubscriptions","locations":[],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"None"},{"resourceType":"Operations","locations":[],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview","2019-11-01-preview","2019-09-01-privatepreview"],"capabilities":"None"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' - headers: - cache-control: - - no-cache - content-length: - - '2416' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 12:02:19 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s connect - Connection: - - keep-alive - ParameterSetName: - - -g -n -l --tags --kube-config --enable-private-link --pls-arm-id --yes - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration?api-version=2021-04-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration","namespace":"Microsoft.KubernetesConfiguration","authorizations":[{"applicationId":"c699bf69-fb1d-4eaf-999b-99e6b2ae4d85","roleDefinitionId":"90155430-a360-410f-af5d-89dc284d85c6"},{"applicationId":"03db181c-e9d3-4868-9097-f0b728327182","roleDefinitionId":"DE2ADB97-42D8-49C8-8FCF-DBB53EF936AC"},{"applicationId":"a0f92522-89de-4c5e-9a75-0044ccf66efd","roleDefinitionId":"b3429810-7d5c-420e-8605-cf280f3099f2"},{"applicationId":"bd9b7cd5-dac1-495f-b013-ac871e98fa5f","roleDefinitionId":"0d44c8f0-08b9-44d4-9f59-e51c83f95200"},{"applicationId":"585fc3c3-9a59-4720-8319-53cce041a605","roleDefinitionId":"4a9ce2ee-6de2-43ba-a7bd-8f316de763a7"}],"resourceTypes":[{"resourceType":"sourceControlConfigurations","locations":["East - US","West Europe","West Central US","West US 2","West US 3","South Central - US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France - Central","Central US","North Central US","West US","Korea Central","East Asia","Japan - East","Canada East","Canada Central","Norway East","Germany West Central","Sweden - Central","Switzerland North","Australia Southeast","Central India","South - India","Japan West","Uk West","France South","Korea South","South Africa North","East - US 2 EUAP","Central US EUAP"],"apiVersions":["2022-07-01","2022-03-01","2021-03-01","2020-10-01-preview","2020-07-01-preview","2019-11-01-preview"],"defaultApiVersion":"2022-03-01","capabilities":"SupportsExtension"},{"resourceType":"extensions","locations":["East - US","West Europe","West Central US","West US 2","West US 3","South Central - US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France - Central","Central US","North Central US","West US","Korea Central","East Asia","Japan - East","Canada East","Canada Central","Norway East","Germany West Central","Sweden - Central","Switzerland North","Australia Southeast","Central India","South - India","Japan West","Uk West","France South","Korea South","South Africa North","East - US 2 EUAP","Central US EUAP"],"apiVersions":["2022-07-01","2022-04-02-preview","2022-03-01","2021-09-01","2021-05-01-preview","2020-07-01-preview"],"defaultApiVersion":"2022-07-01","capabilities":"SystemAssignedResourceIdentity, - SupportsExtension"},{"resourceType":"fluxConfigurations","locations":["East - US","West Europe","West Central US","West US 2","West US 3","South Central - US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France - Central","Central US","North Central US","West US","Korea Central","East Asia","Japan - East","Canada East","Canada Central","Norway East","Germany West Central","Sweden - Central","Switzerland North","Australia Southeast","Central India","South - India","Japan West","Uk West","Korea South","France South","South Africa North","East - US 2 EUAP","Central US EUAP"],"apiVersions":["2022-07-01","2022-03-01","2022-01-01-preview","2021-11-01-preview","2021-06-01-preview"],"defaultApiVersion":"2022-07-01","capabilities":"SupportsExtension"},{"resourceType":"operations","locations":[],"apiVersions":["2022-03-01","2022-01-01-preview","2021-12-01-preview","2021-11-01-preview","2021-09-01","2021-06-01-preview","2021-05-01-preview","2021-03-01","2020-10-01-preview","2020-07-01-preview","2019-11-01-preview"],"capabilities":"None"},{"resourceType":"privateLinkScopes","locations":["East - US","West Europe","West Central US","West US 2","West US 3","South Central - US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France - Central","Central US","North Central US","West US","Korea Central","East Asia","Japan - East","Canada East","Canada Central","Norway East","Germany West Central","Sweden - Central","Switzerland North","Australia Southeast","Central India","South - India","Japan West","Uk West","Korea South","France South","South Africa North","East - US 2 EUAP","Central US EUAP"],"apiVersions":["2022-04-02-preview"],"capabilities":"SupportsTags, - SupportsLocation"},{"resourceType":"privateLinkScopes/privateEndpointConnections","locations":["East - US","West Europe","West Central US","West US 2","West US 3","South Central - US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France - Central","Central US","North Central US","West US","Korea Central","East Asia","Japan - East","Canada East","Canada Central","Norway East","Germany West Central","Sweden - Central","Switzerland North","Australia Southeast","Central India","South - India","Japan West","Uk West","France South","Korea South","South Africa North","East - US 2 EUAP","Central US EUAP"],"apiVersions":["2022-04-02-preview"],"capabilities":"None"},{"resourceType":"privateLinkScopes/privateEndpointConnectionProxies","locations":["East - US","West Europe","West Central US","West US 2","West US 3","South Central - US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France - Central","Central US","North Central US","West US","Korea Central","East Asia","Japan - East","Canada East","Canada Central","Norway East","Germany West Central","Sweden - Central","Switzerland North","Australia Southeast","Central India","South - India","Japan West","Uk West","South Africa North","Korea South","France South","East - US 2 EUAP","Central US EUAP"],"apiVersions":["2022-04-02-preview"],"capabilities":"None"},{"resourceType":"namespaces","locations":["East - US 2 EUAP","West US 2","East US","West Europe","West Central US","West US - 3","South Central US","East US 2","North Europe","UK South","Southeast Asia","Australia - East","France Central","Central US","North Central US","West US","Korea Central","East - Asia","Japan East","Canada Central","Canada East","Norway East","Germany West - Central","Switzerland North","Sweden Central","Central India","South India","Australia - Southeast","Japan West","Uk West","France South","Korea South","South Africa - North"],"apiVersions":["2021-12-01-preview"],"defaultApiVersion":"2021-12-01-preview","capabilities":"SupportsExtension"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' - headers: - cache-control: - - no-cache - content-length: - - '6074' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 12:02:19 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Content-Type: - - application/json - User-Agent: - - OpenAPI-Generator/24.2.0/python - method: GET - uri: https://tempaks-dns-0f8c9536.hcp.southcentralus.azmk8s.io/version/ - response: - body: - string: "{\n \"major\": \"1\",\n \"minor\": \"24\",\n \"gitVersion\": \"v1.24.6\",\n - \ \"gitCommit\": \"6c23b67c202a4cfa7c76c3e1b370bd5f0e654f30\",\n \"gitTreeState\": - \"clean\",\n \"buildDate\": \"2022-11-09T17:13:23Z\",\n \"goVersion\": \"go1.18.6\",\n - \ \"compiler\": \"gc\",\n \"platform\": \"linux/amd64\"\n}" - headers: - audit-id: - - 69436ef1-1e82-4464-9fad-7f4d386ca936 - cache-control: - - no-cache, private - content-length: - - '263' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 12:02:21 GMT - x-kubernetes-pf-flowschema-uid: - - 9c9284bf-ac50-497c-86a8-5f4f7d857b28 - x-kubernetes-pf-prioritylevel-uid: - - f041de6f-3328-46ec-b36d-f51c7cd89b61 - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Content-Type: - - application/json - User-Agent: - - OpenAPI-Generator/24.2.0/python - method: GET - uri: https://tempaks-dns-0f8c9536.hcp.southcentralus.azmk8s.io/api/v1/nodes - response: - body: - string: '{"kind":"NodeList","apiVersion":"v1","metadata":{"resourceVersion":"12008511"},"items":[{"metadata":{"name":"aks-agentpool-35222091-vmss000000","uid":"ead90674-ebc8-4237-8b11-cba2c3f902c1","resourceVersion":"12007568","creationTimestamp":"2022-10-10T04:01:39Z","labels":{"agentpool":"agentpool","beta.kubernetes.io/arch":"amd64","beta.kubernetes.io/instance-type":"Standard_B4ms","beta.kubernetes.io/os":"linux","failure-domain.beta.kubernetes.io/region":"southcentralus","failure-domain.beta.kubernetes.io/zone":"0","kubernetes.azure.com/agentpool":"agentpool","kubernetes.azure.com/cluster":"MC_akkeshar_tempaks_southcentralus","kubernetes.azure.com/kubelet-identity-client-id":"a7082775-1b69-4810-99a4-7ddaeac55b5b","kubernetes.azure.com/mode":"system","kubernetes.azure.com/node-image-version":"AKSUbuntu-1804gen2containerd-2022.09.22","kubernetes.azure.com/os-sku":"Ubuntu","kubernetes.azure.com/role":"agent","kubernetes.azure.com/storageprofile":"managed","kubernetes.azure.com/storagetier":"Premium_LRS","kubernetes.io/arch":"amd64","kubernetes.io/hostname":"aks-agentpool-35222091-vmss000000","kubernetes.io/os":"linux","kubernetes.io/role":"agent","node-role.kubernetes.io/agent":"","node.kubernetes.io/instance-type":"Standard_B4ms","storageprofile":"managed","storagetier":"Premium_LRS","topology.disk.csi.azure.com/zone":"","topology.kubernetes.io/region":"southcentralus","topology.kubernetes.io/zone":"0"},"annotations":{"csi.volume.kubernetes.io/nodeid":"{\"disk.csi.azure.com\":\"aks-agentpool-35222091-vmss000000\",\"file.csi.azure.com\":\"aks-agentpool-35222091-vmss000000\"}","node.alpha.kubernetes.io/ttl":"0","volumes.kubernetes.io/controller-managed-attach-detach":"true"},"managedFields":[{"manager":"cloud-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-10-10T04:01:39Z","fieldsType":"FieldsV1","fieldsV1":{"f:spec":{"f:podCIDR":{},"f:podCIDRs":{".":{},"v:\"10.244.0.0/24\"":{}}}}},{"manager":"kubelet","operation":"Update","apiVersion":"v1","time":"2022-10-10T04:01:39Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:volumes.kubernetes.io/controller-managed-attach-detach":{}},"f:labels":{".":{},"f:agentpool":{},"f:beta.kubernetes.io/arch":{},"f:beta.kubernetes.io/os":{},"f:kubernetes.azure.com/agentpool":{},"f:kubernetes.azure.com/cluster":{},"f:kubernetes.azure.com/kubelet-identity-client-id":{},"f:kubernetes.azure.com/mode":{},"f:kubernetes.azure.com/node-image-version":{},"f:kubernetes.azure.com/os-sku":{},"f:kubernetes.azure.com/role":{},"f:kubernetes.azure.com/storageprofile":{},"f:kubernetes.azure.com/storagetier":{},"f:kubernetes.io/arch":{},"f:kubernetes.io/hostname":{},"f:kubernetes.io/os":{},"f:storageprofile":{},"f:storagetier":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-10-10T04:01:40Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{"f:node.alpha.kubernetes.io/ttl":{}}}}},{"manager":"cloud-node-manager","operation":"Update","apiVersion":"v1","time":"2022-10-10T04:02:02Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{"f:beta.kubernetes.io/instance-type":{},"f:failure-domain.beta.kubernetes.io/region":{},"f:failure-domain.beta.kubernetes.io/zone":{},"f:node.kubernetes.io/instance-type":{},"f:topology.kubernetes.io/region":{},"f:topology.kubernetes.io/zone":{}}},"f:spec":{"f:providerID":{}}}},{"manager":"cloud-node-manager","operation":"Update","apiVersion":"v1","time":"2022-10-10T04:02:02Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{"k:{\"type\":\"NetworkUnavailable\"}":{".":{},"f:type":{}}}}},"subresource":"status"},{"manager":"kubectl-label","operation":"Update","apiVersion":"v1","time":"2022-10-10T04:02:22Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{"f:kubernetes.io/role":{},"f:node-role.kubernetes.io/agent":{}}}}},{"manager":"cloud-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-10-10T04:02:35Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{"k:{\"type\":\"NetworkUnavailable\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}}}}},"subresource":"status"},{"manager":"node-problem-detector","operation":"Update","apiVersion":"v1","time":"2022-10-11T14:42:13Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{"k:{\"type\":\"ContainerRuntimeProblem\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"FilesystemCorruptionProblem\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"FreezeScheduled\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"FrequentContainerdRestart\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"FrequentDockerRestart\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"FrequentKubeletRestart\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"FrequentUnregisterNetDevice\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"KernelDeadlock\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"KubeletProblem\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"PreemptScheduled\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"ReadonlyFilesystem\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"RebootScheduled\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"RedeployScheduled\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"TerminateScheduled\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"VMEventScheduled\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"},{"manager":"kubelet","operation":"Update","apiVersion":"v1","time":"2022-11-14T01:42:51Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{"f:csi.volume.kubernetes.io/nodeid":{}},"f:labels":{"f:topology.disk.csi.azure.com/zone":{}}},"f:status":{"f:conditions":{"k:{\"type\":\"DiskPressure\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}},"k:{\"type\":\"MemoryPressure\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}},"k:{\"type\":\"PIDPressure\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}},"k:{\"type\":\"Ready\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}}},"f:images":{}}},"subresource":"status"}]},"spec":{"podCIDR":"10.244.0.0/24","podCIDRs":["10.244.0.0/24"],"providerID":"azure:///subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/mc_akkeshar_tempaks_southcentralus/providers/Microsoft.Compute/virtualMachineScaleSets/aks-agentpool-35222091-vmss/virtualMachines/0"},"status":{"capacity":{"cpu":"4","ephemeral-storage":"129886128Ki","hugepages-1Gi":"0","hugepages-2Mi":"0","memory":"16009Mi","pods":"110"},"allocatable":{"cpu":"3860m","ephemeral-storage":"119703055367","hugepages-1Gi":"0","hugepages-2Mi":"0","memory":"12597Mi","pods":"110"},"conditions":[{"type":"VMEventScheduled","status":"False","lastHeartbeatTime":"2022-11-15T11:58:06Z","lastTransitionTime":"2022-11-12T18:29:22Z","reason":"NoVMEventScheduled","message":"VM - has no scheduled event"},{"type":"FrequentKubeletRestart","status":"False","lastHeartbeatTime":"2022-11-15T11:58:06Z","lastTransitionTime":"2022-10-22T18:45:12Z","reason":"NoFrequentKubeletRestart","message":"kubelet - is functioning properly"},{"type":"FilesystemCorruptionProblem","status":"False","lastHeartbeatTime":"2022-11-15T11:58:06Z","lastTransitionTime":"2022-10-22T18:45:12Z","reason":"FilesystemIsOK","message":"Filesystem - is healthy"},{"type":"FrequentDockerRestart","status":"False","lastHeartbeatTime":"2022-11-15T11:58:06Z","lastTransitionTime":"2022-10-22T18:45:12Z","reason":"NoFrequentDockerRestart","message":"docker - is functioning properly"},{"type":"RedeployScheduled","status":"False","lastHeartbeatTime":"2022-11-15T11:58:06Z","lastTransitionTime":"2022-10-22T18:45:12Z","reason":"NoRedeployScheduled","message":"VM - has no scheduled Redeploy event"},{"type":"FreezeScheduled","status":"False","lastHeartbeatTime":"2022-11-15T11:58:06Z","lastTransitionTime":"2022-11-12T18:30:15Z","reason":"NoFreezeScheduled","message":"VM - has no scheduled Freeze event"},{"type":"KubeletProblem","status":"False","lastHeartbeatTime":"2022-11-15T11:58:06Z","lastTransitionTime":"2022-10-22T18:45:12Z","reason":"KubeletIsUp","message":"kubelet - service is up"},{"type":"FrequentContainerdRestart","status":"False","lastHeartbeatTime":"2022-11-15T11:58:06Z","lastTransitionTime":"2022-10-22T18:45:12Z","reason":"NoFrequentContainerdRestart","message":"containerd - is functioning properly"},{"type":"RebootScheduled","status":"False","lastHeartbeatTime":"2022-11-15T11:58:06Z","lastTransitionTime":"2022-10-22T18:45:12Z","reason":"NoRebootScheduled","message":"VM - has no scheduled Reboot event"},{"type":"KernelDeadlock","status":"False","lastHeartbeatTime":"2022-11-15T11:58:06Z","lastTransitionTime":"2022-10-22T18:45:12Z","reason":"KernelHasNoDeadlock","message":"kernel - has no deadlock"},{"type":"PreemptScheduled","status":"False","lastHeartbeatTime":"2022-11-15T11:58:06Z","lastTransitionTime":"2022-10-22T18:45:12Z","reason":"NoPreemptScheduled","message":"VM - has no scheduled Preempt event"},{"type":"TerminateScheduled","status":"False","lastHeartbeatTime":"2022-11-15T11:58:06Z","lastTransitionTime":"2022-10-22T18:45:12Z","reason":"NoTerminateScheduled","message":"VM - has no scheduled Terminate event"},{"type":"FrequentUnregisterNetDevice","status":"False","lastHeartbeatTime":"2022-11-15T11:58:06Z","lastTransitionTime":"2022-10-22T18:45:12Z","reason":"NoFrequentUnregisterNetDevice","message":"node - is functioning properly"},{"type":"ReadonlyFilesystem","status":"False","lastHeartbeatTime":"2022-11-15T11:58:06Z","lastTransitionTime":"2022-10-22T18:45:12Z","reason":"FilesystemIsNotReadOnly","message":"Filesystem - is not read-only"},{"type":"ContainerRuntimeProblem","status":"False","lastHeartbeatTime":"2022-11-15T11:58:06Z","lastTransitionTime":"2022-10-22T18:45:12Z","reason":"ContainerRuntimeIsUp","message":"container - runtime service is up"},{"type":"NetworkUnavailable","status":"False","lastHeartbeatTime":"2022-10-10T04:02:35Z","lastTransitionTime":"2022-10-10T04:02:35Z","reason":"RouteCreated","message":"RouteController - created a route"},{"type":"MemoryPressure","status":"False","lastHeartbeatTime":"2022-11-15T11:57:23Z","lastTransitionTime":"2022-11-14T01:42:51Z","reason":"KubeletHasSufficientMemory","message":"kubelet - has sufficient memory available"},{"type":"DiskPressure","status":"False","lastHeartbeatTime":"2022-11-15T11:57:23Z","lastTransitionTime":"2022-11-14T01:42:51Z","reason":"KubeletHasNoDiskPressure","message":"kubelet - has no disk pressure"},{"type":"PIDPressure","status":"False","lastHeartbeatTime":"2022-11-15T11:57:23Z","lastTransitionTime":"2022-11-14T01:42:51Z","reason":"KubeletHasSufficientPID","message":"kubelet - has sufficient PID available"},{"type":"Ready","status":"True","lastHeartbeatTime":"2022-11-15T11:57:23Z","lastTransitionTime":"2022-11-14T01:42:51Z","reason":"KubeletReady","message":"kubelet - is posting ready status. AppArmor enabled"}],"addresses":[{"type":"InternalIP","address":"10.224.0.4"},{"type":"Hostname","address":"aks-agentpool-35222091-vmss000000"}],"daemonEndpoints":{"kubeletEndpoint":{"Port":10250}},"nodeInfo":{"machineID":"a3c0f9b3c4c74d83ae50f188e237de01","systemUUID":"caabd586-3531-4e2e-9111-e258f1790065","bootID":"51adf7b5-ed98-4322-80b9-c937431968b1","kernelVersion":"5.4.0-1091-azure","osImage":"Ubuntu - 18.04.6 LTS","containerRuntimeVersion":"containerd://1.6.4+azure-4","kubeletVersion":"v1.24.6","kubeProxyVersion":"v1.24.6","operatingSystem":"linux","architecture":"amd64"},"images":[{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod:ciprod08102022"],"sizeBytes":397844357},{"names":["mcr.microsoft.com/azuredefender/stable/low-level-init@sha256:65b99ab432f3a164e3bea2e5d0350039e597176eda3179f2a59ef4696e9d65df","mcr.microsoft.com/azuredefender/stable/low-level-init:1.3.57"],"sizeBytes":374449658},{"names":["mcr.microsoft.com/azuredefender/stable/low-level-init@sha256:239a04dd583cd552d7a37941c96422d6c8acf243dd88538ba013d337c2925426","mcr.microsoft.com/azuredefender/stable/low-level-init:1.3.49"],"sizeBytes":374180034},{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod:ciprod06272022-hotfix"],"sizeBytes":357023149},{"names":["arck8sconformance.azurecr.io/samples/demo@sha256:d3e4626750d487861d95121319c15506a6a16fde5ed8212001464d0cdfe9d507","arck8sconformance.azurecr.io/samples/demo:v0.1.0"],"sizeBytes":347305950},{"names":["mcr.microsoft.com/azuredefender/stable/low-level-collector@sha256:07e6640452537dfb75f4f30f25178a9be4151ddc7578436a6ee8843d79889fe1","mcr.microsoft.com/azuredefender/stable/low-level-collector:1.3.57"],"sizeBytes":315495474},{"names":["mcr.microsoft.com/azuredefender/stable/low-level-collector@sha256:ec066564034f34578c930bef6734ff19c92b33462165e62538842cfeb9dbc3fb","mcr.microsoft.com/azuredefender/stable/low-level-collector:1.3.49"],"sizeBytes":315042580},{"names":["devconformance.azurecr.io/platformdev@sha256:575345eb42057a05ce229f795486430341b384c81c1f86a03475aa3be1b7ecd7","devconformance.azurecr.io/platformdev:v3"],"sizeBytes":304882193},{"names":["arck8sconformance.azurecr.io/arck8sconformance/clusterconnect@sha256:958543f1a0acfc8f64f97f819f7a4b0183619fa15a961fbeaba202378c861460","arck8sconformance.azurecr.io/arck8sconformance/clusterconnect:0.1.9"],"sizeBytes":290664641},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:0.49.3"],"sizeBytes":287741913},{"names":["mcr.microsoft.com/oss/calico/cni:v3.23.1"],"sizeBytes":263014840},{"names":["mcr.microsoft.com/oss/calico/cni:v3.21.4"],"sizeBytes":236345866},{"names":["mcr.microsoft.com/oss/calico/cni:v3.21.6"],"sizeBytes":227829276},{"names":["mcr.microsoft.com/oss/calico/node:v3.23.1"],"sizeBytes":221560540},{"names":["mcr.microsoft.com/oss/calico/node:v3.21.4"],"sizeBytes":216363503},{"names":["mcr.microsoft.com/oss/calico/node:v3.21.6"],"sizeBytes":215379163},{"names":["mcr.microsoft.com/oss/tigera/operator:v1.23.8"],"sizeBytes":184105789},{"names":["mcr.microsoft.com/azuredefender/stable/security-publisher@sha256:d5de5c8fa8213dc5c178d7a5c9c5c5d8c7ba14c65c5fbd2d661f7670af6cbdf5","mcr.microsoft.com/azuredefender/stable/security-publisher:1.0.56"],"sizeBytes":172024457},{"names":["mcr.microsoft.com/oss/cilium/cilium:1.12.1.1"],"sizeBytes":167528909},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:0.19.0"],"sizeBytes":166352383},{"names":["mcr.microsoft.com/aks/hcp/hcp-tunnel-front:master.220527.2"],"sizeBytes":146994488},{"names":null,"sizeBytes":138243950},{"names":["mcr.microsoft.com/oss/calico/kube-controllers:v3.23.1"],"sizeBytes":136078571},{"names":["mcr.microsoft.com/oss/calico/typha:v3.23.1"],"sizeBytes":131467121},{"names":null,"sizeBytes":129890505},{"names":null,"sizeBytes":128992809},{"names":["mcr.microsoft.com/oss/tigera/operator:v1.24.2"],"sizeBytes":128711964},{"names":["mcr.microsoft.com/oss/calico/typha:v3.21.4"],"sizeBytes":128235133},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.2.2.5"],"sizeBytes":123925992},{"names":["mcr.microsoft.com/oss/kubernetes/kube-proxy@sha256:07265b4c767ef6fdfe78d862a08d6392dfeea707e63930a8ecb8eafef848cf14","mcr.microsoft.com/oss/kubernetes/kube-proxy:v1.24.6-hotfix.20221006.1"],"sizeBytes":123550720},{"names":["mcr.microsoft.com/oss/kubernetes/kube-proxy:v1.24.6.1"],"sizeBytes":123549904},{"names":["mcr.microsoft.com/oss/calico/kube-controllers:v3.21.6"],"sizeBytes":123549280},{"names":["mcr.microsoft.com/oss/calico/typha:v3.21.6"],"sizeBytes":119713369},{"names":null,"sizeBytes":115909379},{"names":null,"sizeBytes":115897326},{"names":null,"sizeBytes":115677896},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:v1.2.1"],"sizeBytes":107169290},{"names":["mcr.microsoft.com/oss/calico/node:v3.8.9.5"],"sizeBytes":101794833},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi@sha256:a9d68708393eb3fbe09aa32db020c805bab952709fe6df552959c26ab2f92336","mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.22.0.3"],"sizeBytes":99538753},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.22.0.2"],"sizeBytes":99335832},{"names":["mcr.microsoft.com/aks/acc/sgx-attestation:3.1"],"sizeBytes":98058501},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi@sha256:492de0426ff8299b043ba6845ff517cf477b985c927b522e6b01a65e9537aa1e","mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.23.0"],"sizeBytes":95915873},{"names":["mcr.microsoft.com/oss/kubernetes/exechealthz:1.2_v0.0.5"],"sizeBytes":94348102},{"names":["mcr.microsoft.com/aks/hcp/tunnel-openvpn:master.220527.2"],"sizeBytes":92531564},{"names":["mcr.microsoft.com/containernetworking/azure-npm:v1.4.29"],"sizeBytes":89255513},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.2.2"],"sizeBytes":88551490},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.22.0.1"],"sizeBytes":88352750},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.21.0"],"sizeBytes":87550430},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi@sha256:d8802d555a169c34ce1ebbfb8d0228777250ab8fdd4af084e0ea98476eb60f90","mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.22.0"],"sizeBytes":83173887},{"names":["mcr.microsoft.com/aks/command/runtime:master.220211.1"],"sizeBytes":82792811}]}},{"metadata":{"name":"aks-agentpool-35222091-vmss000001","uid":"336238a8-144e-4068-a997-7963fa960709","resourceVersion":"12008336","creationTimestamp":"2022-10-10T04:02:15Z","labels":{"agentpool":"agentpool","beta.kubernetes.io/arch":"amd64","beta.kubernetes.io/instance-type":"Standard_B4ms","beta.kubernetes.io/os":"linux","failure-domain.beta.kubernetes.io/region":"southcentralus","failure-domain.beta.kubernetes.io/zone":"0","kubernetes.azure.com/agentpool":"agentpool","kubernetes.azure.com/cluster":"MC_akkeshar_tempaks_southcentralus","kubernetes.azure.com/kubelet-identity-client-id":"a7082775-1b69-4810-99a4-7ddaeac55b5b","kubernetes.azure.com/mode":"system","kubernetes.azure.com/node-image-version":"AKSUbuntu-1804gen2containerd-2022.09.22","kubernetes.azure.com/os-sku":"Ubuntu","kubernetes.azure.com/role":"agent","kubernetes.azure.com/storageprofile":"managed","kubernetes.azure.com/storagetier":"Premium_LRS","kubernetes.io/arch":"amd64","kubernetes.io/hostname":"aks-agentpool-35222091-vmss000001","kubernetes.io/os":"linux","kubernetes.io/role":"agent","node-role.kubernetes.io/agent":"","node.kubernetes.io/instance-type":"Standard_B4ms","storageprofile":"managed","storagetier":"Premium_LRS","topology.disk.csi.azure.com/zone":"","topology.kubernetes.io/region":"southcentralus","topology.kubernetes.io/zone":"0"},"annotations":{"csi.volume.kubernetes.io/nodeid":"{\"disk.csi.azure.com\":\"aks-agentpool-35222091-vmss000001\",\"file.csi.azure.com\":\"aks-agentpool-35222091-vmss000001\"}","node.alpha.kubernetes.io/ttl":"0","volumes.kubernetes.io/controller-managed-attach-detach":"true"},"managedFields":[{"manager":"cloud-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-10-10T04:02:15Z","fieldsType":"FieldsV1","fieldsV1":{"f:spec":{"f:podCIDR":{},"f:podCIDRs":{".":{},"v:\"10.244.1.0/24\"":{}}}}},{"manager":"kubelet","operation":"Update","apiVersion":"v1","time":"2022-10-10T04:02:15Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:volumes.kubernetes.io/controller-managed-attach-detach":{}},"f:labels":{".":{},"f:agentpool":{},"f:beta.kubernetes.io/arch":{},"f:beta.kubernetes.io/os":{},"f:kubernetes.azure.com/agentpool":{},"f:kubernetes.azure.com/cluster":{},"f:kubernetes.azure.com/kubelet-identity-client-id":{},"f:kubernetes.azure.com/mode":{},"f:kubernetes.azure.com/node-image-version":{},"f:kubernetes.azure.com/os-sku":{},"f:kubernetes.azure.com/role":{},"f:kubernetes.azure.com/storageprofile":{},"f:kubernetes.azure.com/storagetier":{},"f:kubernetes.io/arch":{},"f:kubernetes.io/hostname":{},"f:kubernetes.io/os":{},"f:storageprofile":{},"f:storagetier":{}}}}},{"manager":"kubectl-label","operation":"Update","apiVersion":"v1","time":"2022-10-10T04:02:22Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{"f:kubernetes.io/role":{},"f:node-role.kubernetes.io/agent":{}}}}},{"manager":"cloud-node-manager","operation":"Update","apiVersion":"v1","time":"2022-10-10T04:02:24Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{"f:beta.kubernetes.io/instance-type":{},"f:failure-domain.beta.kubernetes.io/region":{},"f:failure-domain.beta.kubernetes.io/zone":{},"f:node.kubernetes.io/instance-type":{},"f:topology.kubernetes.io/region":{},"f:topology.kubernetes.io/zone":{}}},"f:spec":{"f:providerID":{}}}},{"manager":"cloud-node-manager","operation":"Update","apiVersion":"v1","time":"2022-10-10T04:02:24Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{"k:{\"type\":\"NetworkUnavailable\"}":{".":{},"f:type":{}}}}},"subresource":"status"},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-10-10T04:02:25Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{"f:node.alpha.kubernetes.io/ttl":{}}}}},{"manager":"cloud-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-10-10T04:03:35Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{"k:{\"type\":\"NetworkUnavailable\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}}}}},"subresource":"status"},{"manager":"node-problem-detector","operation":"Update","apiVersion":"v1","time":"2022-10-11T14:42:15Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{"k:{\"type\":\"ContainerRuntimeProblem\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"FilesystemCorruptionProblem\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"FreezeScheduled\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"FrequentContainerdRestart\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"FrequentDockerRestart\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"FrequentKubeletRestart\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"FrequentUnregisterNetDevice\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"KernelDeadlock\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"KubeletProblem\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"PreemptScheduled\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"ReadonlyFilesystem\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"RebootScheduled\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"RedeployScheduled\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"TerminateScheduled\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"VMEventScheduled\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"},{"manager":"kubelet","operation":"Update","apiVersion":"v1","time":"2022-11-14T01:42:54Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{"f:csi.volume.kubernetes.io/nodeid":{}},"f:labels":{"f:topology.disk.csi.azure.com/zone":{}}},"f:status":{"f:allocatable":{"f:ephemeral-storage":{}},"f:capacity":{"f:ephemeral-storage":{}},"f:conditions":{"k:{\"type\":\"DiskPressure\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}},"k:{\"type\":\"MemoryPressure\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}},"k:{\"type\":\"PIDPressure\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}},"k:{\"type\":\"Ready\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}}},"f:images":{}}},"subresource":"status"}]},"spec":{"podCIDR":"10.244.1.0/24","podCIDRs":["10.244.1.0/24"],"providerID":"azure:///subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/mc_akkeshar_tempaks_southcentralus/providers/Microsoft.Compute/virtualMachineScaleSets/aks-agentpool-35222091-vmss/virtualMachines/1"},"status":{"capacity":{"cpu":"4","ephemeral-storage":"129886128Ki","hugepages-1Gi":"0","hugepages-2Mi":"0","memory":"16393220Ki","pods":"110"},"allocatable":{"cpu":"3860m","ephemeral-storage":"119703055367","hugepages-1Gi":"0","hugepages-2Mi":"0","memory":"12899332Ki","pods":"110"},"conditions":[{"type":"FrequentContainerdRestart","status":"False","lastHeartbeatTime":"2022-11-15T11:57:45Z","lastTransitionTime":"2022-10-22T18:45:17Z","reason":"NoFrequentContainerdRestart","message":"containerd - is functioning properly"},{"type":"FrequentUnregisterNetDevice","status":"False","lastHeartbeatTime":"2022-11-15T11:57:45Z","lastTransitionTime":"2022-10-22T18:45:17Z","reason":"NoFrequentUnregisterNetDevice","message":"node - is functioning properly"},{"type":"ContainerRuntimeProblem","status":"False","lastHeartbeatTime":"2022-11-15T11:57:45Z","lastTransitionTime":"2022-10-22T18:45:17Z","reason":"ContainerRuntimeIsUp","message":"container - runtime service is up"},{"type":"ReadonlyFilesystem","status":"False","lastHeartbeatTime":"2022-11-15T11:57:45Z","lastTransitionTime":"2022-10-22T18:45:17Z","reason":"FilesystemIsNotReadOnly","message":"Filesystem - is not read-only"},{"type":"FrequentDockerRestart","status":"False","lastHeartbeatTime":"2022-11-15T11:57:45Z","lastTransitionTime":"2022-10-22T18:45:17Z","reason":"NoFrequentDockerRestart","message":"docker - is functioning properly"},{"type":"RedeployScheduled","status":"False","lastHeartbeatTime":"2022-11-15T11:57:45Z","lastTransitionTime":"2022-10-22T18:45:17Z","reason":"NoRedeployScheduled","message":"VM - has no scheduled Redeploy event"},{"type":"KubeletProblem","status":"False","lastHeartbeatTime":"2022-11-15T11:57:45Z","lastTransitionTime":"2022-10-22T18:45:17Z","reason":"KubeletIsUp","message":"kubelet - service is up"},{"type":"FilesystemCorruptionProblem","status":"False","lastHeartbeatTime":"2022-11-15T11:57:45Z","lastTransitionTime":"2022-10-22T18:45:17Z","reason":"FilesystemIsOK","message":"Filesystem - is healthy"},{"type":"TerminateScheduled","status":"False","lastHeartbeatTime":"2022-11-15T11:57:45Z","lastTransitionTime":"2022-10-22T18:45:17Z","reason":"NoTerminateScheduled","message":"VM - has no scheduled Terminate event"},{"type":"KernelDeadlock","status":"False","lastHeartbeatTime":"2022-11-15T11:57:45Z","lastTransitionTime":"2022-10-22T18:45:17Z","reason":"KernelHasNoDeadlock","message":"kernel - has no deadlock"},{"type":"RebootScheduled","status":"False","lastHeartbeatTime":"2022-11-15T11:57:45Z","lastTransitionTime":"2022-10-22T18:45:17Z","reason":"NoRebootScheduled","message":"VM - has no scheduled Reboot event"},{"type":"FrequentKubeletRestart","status":"False","lastHeartbeatTime":"2022-11-15T11:57:45Z","lastTransitionTime":"2022-10-22T18:45:17Z","reason":"NoFrequentKubeletRestart","message":"kubelet - is functioning properly"},{"type":"VMEventScheduled","status":"False","lastHeartbeatTime":"2022-11-15T11:57:45Z","lastTransitionTime":"2022-11-12T17:50:15Z","reason":"NoVMEventScheduled","message":"VM - has no scheduled event"},{"type":"PreemptScheduled","status":"False","lastHeartbeatTime":"2022-11-15T11:57:45Z","lastTransitionTime":"2022-10-22T18:45:17Z","reason":"NoPreemptScheduled","message":"VM - has no scheduled Preempt event"},{"type":"FreezeScheduled","status":"False","lastHeartbeatTime":"2022-11-15T11:57:45Z","lastTransitionTime":"2022-11-12T17:50:21Z","reason":"NoFreezeScheduled","message":"VM - has no scheduled Freeze event"},{"type":"NetworkUnavailable","status":"False","lastHeartbeatTime":"2022-10-10T04:03:35Z","lastTransitionTime":"2022-10-10T04:03:35Z","reason":"RouteCreated","message":"RouteController - created a route"},{"type":"MemoryPressure","status":"False","lastHeartbeatTime":"2022-11-15T12:01:34Z","lastTransitionTime":"2022-11-14T01:42:54Z","reason":"KubeletHasSufficientMemory","message":"kubelet - has sufficient memory available"},{"type":"DiskPressure","status":"False","lastHeartbeatTime":"2022-11-15T12:01:34Z","lastTransitionTime":"2022-11-14T01:42:54Z","reason":"KubeletHasNoDiskPressure","message":"kubelet - has no disk pressure"},{"type":"PIDPressure","status":"False","lastHeartbeatTime":"2022-11-15T12:01:34Z","lastTransitionTime":"2022-11-14T01:42:54Z","reason":"KubeletHasSufficientPID","message":"kubelet - has sufficient PID available"},{"type":"Ready","status":"True","lastHeartbeatTime":"2022-11-15T12:01:34Z","lastTransitionTime":"2022-11-14T01:42:54Z","reason":"KubeletReady","message":"kubelet - is posting ready status. AppArmor enabled"}],"addresses":[{"type":"InternalIP","address":"10.224.0.5"},{"type":"Hostname","address":"aks-agentpool-35222091-vmss000001"}],"daemonEndpoints":{"kubeletEndpoint":{"Port":10250}},"nodeInfo":{"machineID":"51b2ad9a5c98406c914f404679bd58fa","systemUUID":"0ef5b1a0-7adb-4086-b8aa-0b11b5316e73","bootID":"4df3389b-ca13-43e7-b0d7-c304803b6e69","kernelVersion":"5.4.0-1091-azure","osImage":"Ubuntu - 18.04.6 LTS","containerRuntimeVersion":"containerd://1.6.4+azure-4","kubeletVersion":"v1.24.6","kubeProxyVersion":"v1.24.6","operatingSystem":"linux","architecture":"amd64"},"images":[{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod:ciprod08102022"],"sizeBytes":397844357},{"names":["mcr.microsoft.com/azuredefender/stable/low-level-init@sha256:65b99ab432f3a164e3bea2e5d0350039e597176eda3179f2a59ef4696e9d65df","mcr.microsoft.com/azuredefender/stable/low-level-init:1.3.57"],"sizeBytes":374449658},{"names":["mcr.microsoft.com/azuredefender/stable/low-level-init@sha256:239a04dd583cd552d7a37941c96422d6c8acf243dd88538ba013d337c2925426","mcr.microsoft.com/azuredefender/stable/low-level-init:1.3.49"],"sizeBytes":374180034},{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod:ciprod06272022-hotfix"],"sizeBytes":357023149},{"names":["devconformance.azurecr.io/ocdev@sha256:39d8d9ae4b6b1de87211b584b6374054e9c51c080cce825dd0b4ad56e8376a72","devconformance.azurecr.io/ocdev:v3"],"sizeBytes":330270905},{"names":["devconformance.azurecr.io/ocdev@sha256:db49de7ddae80473a3bfbf53c146f3df3908e1759e8cc44a6bf7d8e37d174e8e","devconformance.azurecr.io/ocdev:v2"],"sizeBytes":330270862},{"names":["devconformance.azurecr.io/cleanupdev@sha256:9265a7b663ce0260b1ff3528b5c2af0d0012cf941747ed40f8791b2fb5968e18","devconformance.azurecr.io/cleanupdev:v7"],"sizeBytes":328533417},{"names":["mcr.microsoft.com/azuredefender/stable/low-level-collector@sha256:07e6640452537dfb75f4f30f25178a9be4151ddc7578436a6ee8843d79889fe1","mcr.microsoft.com/azuredefender/stable/low-level-collector:1.3.57"],"sizeBytes":315495474},{"names":["mcr.microsoft.com/azuredefender/stable/low-level-collector@sha256:ec066564034f34578c930bef6734ff19c92b33462165e62538842cfeb9dbc3fb","mcr.microsoft.com/azuredefender/stable/low-level-collector:1.3.49"],"sizeBytes":315042580},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:0.49.3"],"sizeBytes":287741913},{"names":["mcr.microsoft.com/oss/calico/cni:v3.23.1"],"sizeBytes":263014840},{"names":["mcr.microsoft.com/oss/calico/cni:v3.21.4"],"sizeBytes":236345866},{"names":["mcr.microsoft.com/oss/calico/cni:v3.21.6"],"sizeBytes":227829276},{"names":["mcr.microsoft.com/oss/calico/node:v3.23.1"],"sizeBytes":221560540},{"names":["mcr.microsoft.com/oss/calico/node:v3.21.4"],"sizeBytes":216363503},{"names":["mcr.microsoft.com/oss/calico/node:v3.21.6"],"sizeBytes":215379163},{"names":["mcr.microsoft.com/oss/tigera/operator:v1.23.8"],"sizeBytes":184105789},{"names":["mcr.microsoft.com/azuredefender/stable/security-publisher@sha256:d5de5c8fa8213dc5c178d7a5c9c5c5d8c7ba14c65c5fbd2d661f7670af6cbdf5","mcr.microsoft.com/azuredefender/stable/security-publisher:1.0.56"],"sizeBytes":172024457},{"names":["mcr.microsoft.com/oss/cilium/cilium:1.12.1.1"],"sizeBytes":167528909},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:0.19.0"],"sizeBytes":166352383},{"names":["mcr.microsoft.com/aks/hcp/hcp-tunnel-front:master.220527.2"],"sizeBytes":146994488},{"names":null,"sizeBytes":138243950},{"names":["mcr.microsoft.com/oss/calico/kube-controllers:v3.23.1"],"sizeBytes":136078571},{"names":["mcr.microsoft.com/oss/calico/typha:v3.23.1"],"sizeBytes":131467121},{"names":null,"sizeBytes":129890505},{"names":null,"sizeBytes":128992809},{"names":["mcr.microsoft.com/oss/tigera/operator:v1.24.2"],"sizeBytes":128711964},{"names":["mcr.microsoft.com/oss/calico/typha:v3.21.4"],"sizeBytes":128235133},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.2.2.5"],"sizeBytes":123925992},{"names":["mcr.microsoft.com/oss/kubernetes/kube-proxy@sha256:07265b4c767ef6fdfe78d862a08d6392dfeea707e63930a8ecb8eafef848cf14","mcr.microsoft.com/oss/kubernetes/kube-proxy:v1.24.6-hotfix.20221006.1"],"sizeBytes":123550720},{"names":["mcr.microsoft.com/oss/kubernetes/kube-proxy:v1.24.6.1"],"sizeBytes":123549904},{"names":["mcr.microsoft.com/oss/calico/kube-controllers:v3.21.6"],"sizeBytes":123549280},{"names":["mcr.microsoft.com/oss/calico/typha:v3.21.6"],"sizeBytes":119713369},{"names":null,"sizeBytes":115909379},{"names":null,"sizeBytes":115897326},{"names":null,"sizeBytes":115677896},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:v1.2.1"],"sizeBytes":107169290},{"names":["mcr.microsoft.com/oss/calico/node:v3.8.9.5"],"sizeBytes":101794833},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi@sha256:a9d68708393eb3fbe09aa32db020c805bab952709fe6df552959c26ab2f92336","mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.22.0.3"],"sizeBytes":99538753},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.22.0.2"],"sizeBytes":99335832},{"names":["mcr.microsoft.com/oss/fluxcd/flux@sha256:eaeb1920dc666efb07cd2c7c046109dfa301760510992f61581500643820074b","mcr.microsoft.com/oss/fluxcd/flux:1.21.2"],"sizeBytes":98617286},{"names":["mcr.microsoft.com/aks/acc/sgx-attestation:3.1"],"sizeBytes":98058501},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi@sha256:492de0426ff8299b043ba6845ff517cf477b985c927b522e6b01a65e9537aa1e","mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.23.0"],"sizeBytes":95915873},{"names":["mcr.microsoft.com/oss/kubernetes/exechealthz:1.2_v0.0.5"],"sizeBytes":94348102},{"names":["mcr.microsoft.com/aks/hcp/tunnel-openvpn:master.220527.2"],"sizeBytes":92531564},{"names":["mcr.microsoft.com/containernetworking/azure-npm:v1.4.29"],"sizeBytes":89255513},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.2.2"],"sizeBytes":88551490},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.22.0.1"],"sizeBytes":88352750},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.21.0"],"sizeBytes":87550430},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi@sha256:d8802d555a169c34ce1ebbfb8d0228777250ab8fdd4af084e0ea98476eb60f90","mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.22.0"],"sizeBytes":83173887}]}}]} - - ' - headers: - audit-id: - - 17e58c22-f3c3-4114-8de2-baa6525926d3 - cache-control: - - no-cache, private - content-type: - - application/json - date: - - Tue, 15 Nov 2022 12:02:22 GMT - transfer-encoding: - - chunked - x-kubernetes-pf-flowschema-uid: - - 9c9284bf-ac50-497c-86a8-5f4f7d857b28 - x-kubernetes-pf-prioritylevel-uid: - - f041de6f-3328-46ec-b36d-f51c7cd89b61 - status: - code: 200 - message: OK -- request: - body: '{"spec": {"resourceAttributes": {"verb": "create", "resource": "clusterrolebindings", - "group": "rbac.authorization.k8s.io"}}}' - headers: - Accept: - - application/json - Content-Type: - - application/json - User-Agent: - - OpenAPI-Generator/24.2.0/python - method: POST - uri: https://tempaks-dns-0f8c9536.hcp.southcentralus.azmk8s.io/apis/authorization.k8s.io/v1/selfsubjectaccessreviews - response: - body: - string: '{"kind":"SelfSubjectAccessReview","apiVersion":"authorization.k8s.io/v1","metadata":{"creationTimestamp":null,"managedFields":[{"manager":"OpenAPI-Generator","operation":"Update","apiVersion":"authorization.k8s.io/v1","time":"2022-11-15T12:02:23Z","fieldsType":"FieldsV1","fieldsV1":{"f:spec":{"f:resourceAttributes":{".":{},"f:group":{},"f:resource":{},"f:verb":{}}}}}]},"spec":{"resourceAttributes":{"verb":"create","group":"rbac.authorization.k8s.io","resource":"clusterrolebindings"}},"status":{"allowed":true}} - - ' - headers: - audit-id: - - 4b8b2645-8963-4f36-9c49-c886662eae63 - cache-control: - - no-cache, private - content-length: - - '516' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 12:02:23 GMT - x-kubernetes-pf-flowschema-uid: - - 9c9284bf-ac50-497c-86a8-5f4f7d857b28 - x-kubernetes-pf-prioritylevel-uid: - - f041de6f-3328-46ec-b36d-f51c7cd89b61 - status: - code: 201 - message: Created -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s connect - Connection: - - keep-alive - ParameterSetName: - - -g -n -l --tags --kube-config --enable-private-link --pls-arm-id --yes - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Kubernetes?api-version=2021-04-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Kubernetes","namespace":"Microsoft.Kubernetes","authorizations":[{"applicationId":"64b12d6e-6549-484c-8cc6-6281839ba394","roleDefinitionId":"1d1d44cf-68a1-4def-a2b6-cd7efc3515af"},{"applicationId":"359431ad-ece5-496b-8768-be4bbfd82f36","roleDefinitionId":"1b5c71b7-9814-4b40-b62a-23018af874d8"},{"applicationId":"0000dab9-8b21-4ba2-807f-1743968cef00","roleDefinitionId":"1b5c71b7-9814-4b40-b62a-23018af874d8"},{"applicationId":"8edd93e1-2103-40b4-bd70-6e34e586362d","roleDefinitionId":"eb67887a-31e8-4e4e-bf5b-14ff79351a6f"}],"resourceTypes":[{"resourceType":"connectedClusters","locations":["West - Europe","East US","West Central US","South Central US","Southeast Asia","UK - South","East US 2","West US 2","Australia East","North Europe","France Central","Central - US","West US","North Central US","Korea Central","Japan East","West US 3","East - Asia","Canada Central","East US 2 EUAP","Canada East"],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"SystemAssignedResourceIdentity, - SupportsTags, SupportsLocation"},{"resourceType":"locations","locations":[],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/operationStatuses","locations":["East - US 2 EUAP","West Europe","East US","West Central US","South Central US","Southeast - Asia","UK South","East US 2","West US 2","Australia East","North Europe","France - Central","Central US","West US","North Central US","Korea Central","Japan - East","East Asia","West US 3","Canada East","Canada Central"],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"None"},{"resourceType":"registeredSubscriptions","locations":[],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"None"},{"resourceType":"Operations","locations":[],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview","2019-11-01-preview","2019-09-01-privatepreview"],"capabilities":"None"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' - headers: - cache-control: - - no-cache - content-length: - - '2416' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 12:02:23 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s connect - Connection: - - keep-alive - ParameterSetName: - - -g -n -l --tags --kube-config --enable-private-link --pls-arm-id --yes - User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridcompute/7.0.0 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.HybridCompute/privateLinkScopes/temppls?api-version=2021-03-25-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.HybridCompute/privateLinkScopes/temppls","name":"temppls","type":"Microsoft.HybridCompute/privateLinkScopes","location":"eastus2euap","properties":{"privateLinkScopeId":"22683d8c-0c2c-4516-b3fd-466e958437be","publicNetworkAccess":"Disabled","provisioningState":"Succeeded"},"tags":{}}' - headers: - cache-control: - - no-cache - content-length: - - '387' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 12:02:25 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Kestrel - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s connect - Connection: - - keep-alive - ParameterSetName: - - -g -n -l --tags --kube-config --enable-private-link --pls-arm-id --yes - User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cliplscc?api-version=2022-10-01-preview - response: - body: - string: '{"error":{"code":"ResourceNotFound","message":"The Resource ''Microsoft.Kubernetes/connectedClusters/cliplscc'' - under resource group ''akkeshar'' was not found. For more details please go - to https://aka.ms/ARMResourceNotFoundFix"}}' - headers: - cache-control: - - no-cache - content-length: - - '227' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 12:02:28 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - x-ms-failure-cause: - - gateway - status: - code: 404 - message: Not Found -- request: - body: null - headers: - Accept: - - application/json - Content-Type: - - application/json - User-Agent: - - OpenAPI-Generator/24.2.0/python - method: GET - uri: https://tempaks-dns-0f8c9536.hcp.southcentralus.azmk8s.io/api/v1/namespaces - response: - body: - string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"12008537"},"items":[{"metadata":{"name":"default","uid":"be0c79fc-159c-4921-8607-0f09c4b7eaca","resourceVersion":"197","creationTimestamp":"2022-10-10T03:59:23Z","labels":{"kubernetes.io/metadata.name":"default"},"managedFields":[{"manager":"kube-apiserver","operation":"Update","apiVersion":"v1","time":"2022-10-10T03:59:23Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{".":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Active"}},{"metadata":{"name":"gatekeeper-system","uid":"347409a6-22fe-40d7-9a84-519b89e0f4f3","resourceVersion":"3249","creationTimestamp":"2022-10-10T04:09:44Z","labels":{"addonmanager.kubernetes.io/mode":"Reconcile","admission.gatekeeper.sh/ignore":"no-self-managing","control-plane":"controller-manager","gatekeeper.sh/system":"yes","kubernetes.io/metadata.name":"gatekeeper-system"},"annotations":{"kubectl.kubernetes.io/last-applied-configuration":"{\"apiVersion\":\"v1\",\"kind\":\"Namespace\",\"metadata\":{\"annotations\":{},\"labels\":{\"addonmanager.kubernetes.io/mode\":\"Reconcile\",\"admission.gatekeeper.sh/ignore\":\"no-self-managing\",\"control-plane\":\"controller-manager\",\"gatekeeper.sh/system\":\"yes\"},\"name\":\"gatekeeper-system\"}}\n"},"managedFields":[{"manager":"kubectl-client-side-apply","operation":"Update","apiVersion":"v1","time":"2022-10-10T04:09:44Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:kubectl.kubernetes.io/last-applied-configuration":{}},"f:labels":{".":{},"f:addonmanager.kubernetes.io/mode":{},"f:admission.gatekeeper.sh/ignore":{},"f:control-plane":{},"f:gatekeeper.sh/system":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Active"}},{"metadata":{"name":"kube-node-lease","uid":"872cd4f1-0123-43c5-ba77-f497adca8a60","resourceVersion":"19","creationTimestamp":"2022-10-10T03:59:21Z","labels":{"kubernetes.io/metadata.name":"kube-node-lease"},"managedFields":[{"manager":"kube-apiserver","operation":"Update","apiVersion":"v1","time":"2022-10-10T03:59:21Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{".":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Active"}},{"metadata":{"name":"kube-public","uid":"2aa82866-8647-4b91-b72a-7bc969c090c7","resourceVersion":"5","creationTimestamp":"2022-10-10T03:59:21Z","labels":{"kubernetes.io/metadata.name":"kube-public"},"managedFields":[{"manager":"kube-apiserver","operation":"Update","apiVersion":"v1","time":"2022-10-10T03:59:21Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{".":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Active"}},{"metadata":{"name":"kube-system","uid":"853f3c4d-905a-480e-b679-2058626f72f2","resourceVersion":"481","creationTimestamp":"2022-10-10T03:59:21Z","labels":{"addonmanager.kubernetes.io/mode":"Reconcile","control-plane":"true","kubernetes.io/cluster-service":"true","kubernetes.io/metadata.name":"kube-system"},"annotations":{"kubectl.kubernetes.io/last-applied-configuration":"{\"apiVersion\":\"v1\",\"kind\":\"Namespace\",\"metadata\":{\"annotations\":{},\"labels\":{\"addonmanager.kubernetes.io/mode\":\"Reconcile\",\"control-plane\":\"true\",\"kubernetes.io/cluster-service\":\"true\"},\"name\":\"kube-system\"}}\n"},"managedFields":[{"manager":"kube-apiserver","operation":"Update","apiVersion":"v1","time":"2022-10-10T03:59:21Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{".":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kubectl-client-side-apply","operation":"Update","apiVersion":"v1","time":"2022-10-10T03:59:41Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:kubectl.kubernetes.io/last-applied-configuration":{}},"f:labels":{"f:addonmanager.kubernetes.io/mode":{},"f:control-plane":{},"f:kubernetes.io/cluster-service":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Active"}}]} - - ' - headers: - audit-id: - - 4657f356-da51-4ad6-8146-1ffa2ebc6f89 - cache-control: - - no-cache, private - content-type: - - application/json - date: - - Tue, 15 Nov 2022 12:02:29 GMT - transfer-encoding: - - chunked - x-kubernetes-pf-flowschema-uid: - - 9c9284bf-ac50-497c-86a8-5f4f7d857b28 - x-kubernetes-pf-prioritylevel-uid: - - f041de6f-3328-46ec-b36d-f51c7cd89b61 - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s connect - Connection: - - keep-alive - ParameterSetName: - - -g -n -l --tags --kube-config --enable-private-link --pls-arm-id --yes - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/akkeshar?api-version=2021-04-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar","name":"akkeshar","type":"Microsoft.Resources/resourceGroups","location":"eastus","tags":{"Created":"20210721"},"properties":{"provisioningState":"Succeeded"}}' - headers: - cache-control: - - no-cache - content-length: - - '243' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 12:02:29 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s connect - Connection: - - keep-alive - Content-Length: - - '0' - ParameterSetName: - - -g -n -l --tags --kube-config --enable-private-link --pls-arm-id --yes - User-Agent: - - python/3.7.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.42.0 - method: POST - uri: https://eastus2euap.dp.kubernetesconfiguration.azure.com/azure-arc-k8sagents/GetLatestHelmPackagePath?api-version=2019-11-01-preview&releaseTrain=stable - response: - body: - string: '{"repositoryPath":"mcr.microsoft.com/azurearck8s/canary/stable/azure-arc-k8sagents:1.8.14"}' - headers: - api-supported-versions: - - 2019-11-01-Preview - connection: - - close - content-length: - - '91' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 12:02:31 GMT - strict-transport-security: - - max-age=15724800; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: '{"tags": {"foo": "doo"}, "location": "eastus2euap", "identity": {"type": - "SystemAssigned"}, "properties": {"agentPublicKeyCertificate": "MIICCgKCAgEArIHsGUlPnOSKzZtxp+61Bn97SqLeievJ3QbPP9Yh0uE2WnaTrlfV32UTxfnKBmvV7Q0fUSfsUX4tIeSXcr8AkbpvEtAETE/L+fK53ndcklEbRrC1L8SBSRab9fsnVbAiOR4zwYolS4a+yk0LMIhduSyHklCdvihGgGEs/SeZHvWxiHoAChXsNarnkdc/N7EDhwn6ZjoAIIEiG9rFQ5ySVkEMPqxoWSqsw6pb9LLyF4anYHg2ZinjRQt0ICOQqk5ROmOH7os0Def5fdqJcjuG9BvsTCnBoTkcg25U75pHV9gTAsXc/MF4ALLbc2R1vB0r5id+ZxZo6jH0YA81nfNWIQc4/9+ZT+hTjb+e8iR4REYltuVGnpL+na7IcF38EVhatFdDm0GFoctrlnlW2X/TdRNYQu50bsc+kgTiZGTQAx6jlq1pvN+JbVSlJHK21G27p5cpjc00U0gTbXRERSx/8cPEceVrzf5FoNTnqZZi6eWtXvjUlqTDfCtR8ge0z1z0/sRxB3jr+Dn4dDk36TXmdEQ8vNzrGlQps2MOCjfgN5KswH99Os7f9n/cMMrGof3pnWGWvxX52iija0LcYJidjm2auUSxSHl5DKkAVX6dbZbXGGyTCjl4hYly3jOxK3anb7d7LI+yzciXO+xwgzH1xJzGfo+RzPF4RgqAtPuPdFkCAwEAAQ==", - "distribution": "aks", "infrastructure": "azure", "privateLinkState": "Enabled", - "privateLinkScopeResourceId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.HybridCompute/privateLinkScopes/temppls"}}' - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s connect - Connection: - - keep-alive - Content-Length: - - '1094' - Content-Type: - - application/json - ParameterSetName: - - -g -n -l --tags --kube-config --enable-private-link --pls-arm-id --yes - User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cliplscc?api-version=2022-10-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cliplscc","name":"cliplscc","type":"microsoft.kubernetes/connectedclusters","location":"eastus2euap","tags":{"foo":"doo"},"systemData":{"createdBy":"akkeshar@microsoft.com","createdByType":"User","createdAt":"2022-11-15T12:03:13.5939854Z","lastModifiedBy":"akkeshar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-15T12:03:13.5939854Z"},"identity":{"principalId":"bf59fccc-e752-4139-a4d0-132557e07c45","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned"},"properties":{"provisioningState":"Accepted","connectivityStatus":"Connecting","privateLinkState":"Enabled","azureHybridBenefit":"NotApplicable","agentPublicKeyCertificate":"MIICCgKCAgEArIHsGUlPnOSKzZtxp+61Bn97SqLeievJ3QbPP9Yh0uE2WnaTrlfV32UTxfnKBmvV7Q0fUSfsUX4tIeSXcr8AkbpvEtAETE/L+fK53ndcklEbRrC1L8SBSRab9fsnVbAiOR4zwYolS4a+yk0LMIhduSyHklCdvihGgGEs/SeZHvWxiHoAChXsNarnkdc/N7EDhwn6ZjoAIIEiG9rFQ5ySVkEMPqxoWSqsw6pb9LLyF4anYHg2ZinjRQt0ICOQqk5ROmOH7os0Def5fdqJcjuG9BvsTCnBoTkcg25U75pHV9gTAsXc/MF4ALLbc2R1vB0r5id+ZxZo6jH0YA81nfNWIQc4/9+ZT+hTjb+e8iR4REYltuVGnpL+na7IcF38EVhatFdDm0GFoctrlnlW2X/TdRNYQu50bsc+kgTiZGTQAx6jlq1pvN+JbVSlJHK21G27p5cpjc00U0gTbXRERSx/8cPEceVrzf5FoNTnqZZi6eWtXvjUlqTDfCtR8ge0z1z0/sRxB3jr+Dn4dDk36TXmdEQ8vNzrGlQps2MOCjfgN5KswH99Os7f9n/cMMrGof3pnWGWvxX52iija0LcYJidjm2auUSxSHl5DKkAVX6dbZbXGGyTCjl4hYly3jOxK3anb7d7LI+yzciXO+xwgzH1xJzGfo+RzPF4RgqAtPuPdFkCAwEAAQ==","distribution":"aks","infrastructure":"azure","privateLinkScopeResourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.HybridCompute/privateLinkScopes/temppls"}}' - headers: - azure-asyncoperation: - - https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS2EUAP/operationStatuses/ef816cdf-8b5a-4bab-9805-b8944ebf1321*8738D9B038F603442BFE6B89D055B1E438DA9BC8B386B2FE9015CECB2D2CC8DB?api-version=2022-10-01-preview - cache-control: - - no-cache - content-length: - - '1724' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 12:03:18 GMT - etag: - - '"27002b5c-0000-3400-0000-637380050000"' - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - x-ms-providerhub-traffic: - - 'True' - x-ms-ratelimit-remaining-subscription-writes: - - '1198' - status: - code: 201 - message: Created -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s connect - Connection: - - keep-alive - ParameterSetName: - - -g -n -l --tags --kube-config --enable-private-link --pls-arm-id --yes - User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS2EUAP/operationStatuses/ef816cdf-8b5a-4bab-9805-b8944ebf1321*8738D9B038F603442BFE6B89D055B1E438DA9BC8B386B2FE9015CECB2D2CC8DB?api-version=2022-10-01-preview - response: - body: - string: '{"id":"/providers/Microsoft.Kubernetes/locations/EASTUS2EUAP/operationStatuses/ef816cdf-8b5a-4bab-9805-b8944ebf1321*8738D9B038F603442BFE6B89D055B1E438DA9BC8B386B2FE9015CECB2D2CC8DB","name":"ef816cdf-8b5a-4bab-9805-b8944ebf1321*8738D9B038F603442BFE6B89D055B1E438DA9BC8B386B2FE9015CECB2D2CC8DB","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cliplscc","status":"Accepted","startTime":"2022-11-15T12:03:16.4071256Z"}' - headers: - cache-control: - - no-cache - content-length: - - '505' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 12:03:18 GMT - etag: - - '"2700265c-0000-3400-0000-637380040000"' - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s connect - Connection: - - keep-alive - ParameterSetName: - - -g -n -l --tags --kube-config --enable-private-link --pls-arm-id --yes - User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS2EUAP/operationStatuses/ef816cdf-8b5a-4bab-9805-b8944ebf1321*8738D9B038F603442BFE6B89D055B1E438DA9BC8B386B2FE9015CECB2D2CC8DB?api-version=2022-10-01-preview - response: - body: - string: '{"id":"/providers/Microsoft.Kubernetes/locations/EASTUS2EUAP/operationStatuses/ef816cdf-8b5a-4bab-9805-b8944ebf1321*8738D9B038F603442BFE6B89D055B1E438DA9BC8B386B2FE9015CECB2D2CC8DB","name":"ef816cdf-8b5a-4bab-9805-b8944ebf1321*8738D9B038F603442BFE6B89D055B1E438DA9BC8B386B2FE9015CECB2D2CC8DB","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cliplscc","status":"Succeeded","startTime":"2022-11-15T12:03:16.4071256Z","endTime":"2022-11-15T12:03:25.511902Z","properties":null}' - headers: - cache-control: - - no-cache - content-length: - - '564' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 12:03:49 GMT - etag: - - '"27003b5c-0000-3400-0000-6373800d0000"' - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s connect - Connection: - - keep-alive - ParameterSetName: - - -g -n -l --tags --kube-config --enable-private-link --pls-arm-id --yes - User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cliplscc?api-version=2022-10-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cliplscc","name":"cliplscc","type":"microsoft.kubernetes/connectedclusters","location":"eastus2euap","tags":{"foo":"doo"},"systemData":{"createdBy":"akkeshar@microsoft.com","createdByType":"User","createdAt":"2022-11-15T12:03:13.5939854Z","lastModifiedBy":"akkeshar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-15T12:03:13.5939854Z"},"identity":{"principalId":"bf59fccc-e752-4139-a4d0-132557e07c45","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned"},"properties":{"provisioningState":"Succeeded","connectivityStatus":"Connecting","privateLinkState":"Enabled","azureHybridBenefit":"NotApplicable","agentPublicKeyCertificate":"MIICCgKCAgEArIHsGUlPnOSKzZtxp+61Bn97SqLeievJ3QbPP9Yh0uE2WnaTrlfV32UTxfnKBmvV7Q0fUSfsUX4tIeSXcr8AkbpvEtAETE/L+fK53ndcklEbRrC1L8SBSRab9fsnVbAiOR4zwYolS4a+yk0LMIhduSyHklCdvihGgGEs/SeZHvWxiHoAChXsNarnkdc/N7EDhwn6ZjoAIIEiG9rFQ5ySVkEMPqxoWSqsw6pb9LLyF4anYHg2ZinjRQt0ICOQqk5ROmOH7os0Def5fdqJcjuG9BvsTCnBoTkcg25U75pHV9gTAsXc/MF4ALLbc2R1vB0r5id+ZxZo6jH0YA81nfNWIQc4/9+ZT+hTjb+e8iR4REYltuVGnpL+na7IcF38EVhatFdDm0GFoctrlnlW2X/TdRNYQu50bsc+kgTiZGTQAx6jlq1pvN+JbVSlJHK21G27p5cpjc00U0gTbXRERSx/8cPEceVrzf5FoNTnqZZi6eWtXvjUlqTDfCtR8ge0z1z0/sRxB3jr+Dn4dDk36TXmdEQ8vNzrGlQps2MOCjfgN5KswH99Os7f9n/cMMrGof3pnWGWvxX52iija0LcYJidjm2auUSxSHl5DKkAVX6dbZbXGGyTCjl4hYly3jOxK3anb7d7LI+yzciXO+xwgzH1xJzGfo+RzPF4RgqAtPuPdFkCAwEAAQ==","distribution":"AKS","infrastructure":"azure","privateLinkScopeResourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.HybridCompute/privateLinkScopes/temppls"}}' - headers: - cache-control: - - no-cache - content-length: - - '1725' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 12:03:50 GMT - etag: - - '"27003c5c-0000-3400-0000-6373800d0000"' - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-providerhub-traffic: - - 'True' - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s connect - Connection: - - keep-alive - ParameterSetName: - - -g -n -l --tags --kube-config --enable-private-link --pls-arm-id --yes - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ExtendedLocation?api-version=2021-04-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ExtendedLocation","namespace":"Microsoft.ExtendedLocation","authorizations":[{"applicationId":"bc313c14-388c-4e7d-a58e-70017303ee3b","roleDefinitionId":"a775b938-2819-4dd0-8067-01f6e3b06392"},{"applicationId":"319f651f-7ddb-4fc6-9857-7aef9250bd05","roleDefinitionId":"0981f4e0-04a7-4e31-bd2b-b2ac2fc6ba4e"}],"resourceTypes":[{"resourceType":"locations","locations":[],"apiVersions":["2021-03-15-preview","2020-07-15-privatepreview"],"capabilities":"None"},{"resourceType":"customLocations","locations":["East - US","West Europe","North Europe","France Central","Southeast Asia","Australia - East","East US 2","West US 2","UK South","Central US","West Central US","West - US","North Central US","South Central US","Korea Central","Japan East","East - Asia","West US 3","Canada Central","Canada East","Switzerland North","Sweden - Central","East US 2 EUAP"],"apiVersions":["2021-08-31-preview","2021-08-15","2021-03-15-preview","2020-07-15-privatepreview"],"defaultApiVersion":"2021-08-15","capabilities":"SystemAssignedResourceIdentity, - SupportsTags, SupportsLocation"},{"resourceType":"customLocations/enabledResourceTypes","locations":["East - US","West Europe","North Europe","France Central","Southeast Asia","Australia - East","East US 2","West US 2","UK South","Central US","West Central US","West - US","North Central US","South Central US","Korea Central","Japan East","East - Asia","West US 3","Canada Central","Canada East","Switzerland North","Sweden - Central","East US 2 EUAP"],"apiVersions":["2021-08-31-preview","2021-08-15","2021-03-15-preview","2020-07-15-privatepreview"],"capabilities":"None"},{"resourceType":"customLocations/resourceSyncRules","locations":["East - US","West Europe","North Europe","France Central","Southeast Asia","Australia - East","East US 2","West US 2","UK South","Central US","West Central US","West - US","North Central US","South Central US","Korea Central","Japan East","East - Asia","West US 3","Canada Central","Canada East","Switzerland North","Sweden - Central","East US 2 EUAP"],"apiVersions":["2021-08-31-preview"],"defaultApiVersion":"2021-08-31-preview","capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"locations/operationsstatus","locations":["East - US","West Europe","North Europe","France Central","Southeast Asia","Australia - East","East US 2","West US 2","UK South","Central US","West Central US","West - US","North Central US","South Central US","Korea Central","Japan East","East - Asia","West US 3","Canada Central","Canada East","Switzerland North","Sweden - Central","East US 2 Euap"],"apiVersions":["2021-03-15-preview","2020-07-15-privatepreview"],"capabilities":"None"},{"resourceType":"locations/operationresults","locations":["East - US","West Europe","North Europe","France Central","Southeast Asia","Australia - East","East US 2","West US 2","UK South","Central US","West Central US","West - US","North Central US","South Central US","Korea Central","Japan East","East - Asia","West US 3","Canada Central","Canada East","Switzerland North","Sweden - Central","East US 2 Euap"],"apiVersions":["2021-03-15-preview","2020-07-15-privatepreview"],"capabilities":"None"},{"resourceType":"operations","locations":[],"apiVersions":["2021-08-31-preview","2021-08-15","2021-03-15-preview","2020-07-15-privatepreview"],"capabilities":"None"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' - headers: - cache-control: - - no-cache - content-length: - - '3491' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 12:03:50 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s connect - Connection: - - keep-alive - ParameterSetName: - - -g -n -l --tags --kube-config --enable-private-link --pls-arm-id --yes - User-Agent: - - python/3.7.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-graphrbac/0.60.0 - Azure-SDK-For-Python AZURECLI/2.42.0 - accept-language: - - en-US - method: GET - uri: https://graph.windows.net/00000000-0000-0000-0000-000000000000/servicePrincipals?$filter=displayName%20eq%20%27Custom%20Locations%20RP%27&api-version=1.6 - response: - body: - string: '{"odata.metadata":"https://graph.windows.net/00000000-0000-0000-0000-000000000000/$metadata#directoryObjects","value":[{"odata.type":"Microsoft.DirectoryServices.ServicePrincipal","objectType":"ServicePrincipal","objectId":"51dfe1e8-70c6-4de5-a08e-e18aff23d815","deletionTimestamp":null,"accountEnabled":true,"addIns":[],"alternativeNames":[],"appDisplayName":"Custom - Locations RP","appId":"bc313c14-388c-4e7d-a58e-70017303ee3b","applicationTemplateId":null,"appOwnerTenantId":"f8cdef31-a31e-4b4a-93e4-5f571e91255a","appRoleAssignmentRequired":false,"appRoles":[],"displayName":"Custom - Locations RP","errorUrl":null,"homepage":null,"informationalUrls":{"termsOfService":null,"support":null,"privacy":null,"marketing":null},"keyCredentials":[],"logoutUrl":null,"notificationEmailAddresses":[],"oauth2Permissions":[],"passwordCredentials":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyEndDateTime":null,"preferredTokenSigningKeyThumbprint":null,"publisherName":"Microsoft - Services","replyUrls":[],"samlMetadataUrl":null,"samlSingleSignOnSettings":null,"servicePrincipalNames":["bc313c14-388c-4e7d-a58e-70017303ee3b"],"servicePrincipalType":"Application","signInAudience":"AzureADMultipleOrgs","tags":[],"tokenEncryptionKeyId":null}]}' - headers: - access-control-allow-origin: - - '*' - cache-control: - - no-cache - content-length: - - '1246' - content-type: - - application/json; odata=minimalmetadata; streaming=true; charset=utf-8 - dataserviceversion: - - 3.0; - date: - - Tue, 15 Nov 2022 12:03:51 GMT - duration: - - '1470348' - expires: - - '-1' - ocp-aad-diagnostics-server-name: - - JyeM+5eFzeTHbJ5JOsOk4ZavbV40VH6ifhSb7d1ws28= - ocp-aad-session-key: - - -SkqV_3o7yHOkdWAyAIboQ3NoRZLrkZb_ctW0ZlY-umvFF7FVOUNLGC0WB8Mf4uXRvryFP0y9_Gl4qvBF9Qi2H3-m0oSRVp10yi9bsmIGm8qilYoutCgil3R_94TyRmf.scz-AhnvNAtyHSnxTAuM3FonRip9WMUB85zptJN6M_4 - pragma: - - no-cache - request-id: - - 186a36b3-058e-474d-9f6d-deb85b23d06b - strict-transport-security: - - max-age=31536000; includeSubDomains - x-aspnet-version: - - 4.0.30319 - x-ms-dirapi-data-contract-version: - - '1.6' - x-ms-resource-unit: - - '1' - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Content-Type: - - application/json - User-Agent: - - OpenAPI-Generator/24.2.0/python - method: GET - uri: https://tempaks-dns-0f8c9536.hcp.southcentralus.azmk8s.io/version/ - response: - body: - string: "{\n \"major\": \"1\",\n \"minor\": \"24\",\n \"gitVersion\": \"v1.24.6\",\n - \ \"gitCommit\": \"6c23b67c202a4cfa7c76c3e1b370bd5f0e654f30\",\n \"gitTreeState\": - \"clean\",\n \"buildDate\": \"2022-11-09T17:13:23Z\",\n \"goVersion\": \"go1.18.6\",\n - \ \"compiler\": \"gc\",\n \"platform\": \"linux/amd64\"\n}" - headers: - audit-id: - - f58539ab-9542-4f58-9c64-814243612e04 - cache-control: - - no-cache, private - content-length: - - '263' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 12:05:00 GMT - x-kubernetes-pf-flowschema-uid: - - 9c9284bf-ac50-497c-86a8-5f4f7d857b28 - x-kubernetes-pf-prioritylevel-uid: - - f041de6f-3328-46ec-b36d-f51c7cd89b61 - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Content-Type: - - application/json - User-Agent: - - OpenAPI-Generator/24.2.0/python - method: GET - uri: https://tempaks-dns-0f8c9536.hcp.southcentralus.azmk8s.io/api/v1/namespaces/azure-arc/configmaps/azure-clusterconfig - response: - body: - string: '{"kind":"ConfigMap","apiVersion":"v1","metadata":{"name":"azure-clusterconfig","namespace":"azure-arc","uid":"5f730c08-1666-475a-bc64-cd0a44a3c859","resourceVersion":"12008912","creationTimestamp":"2022-11-15T12:04:07Z","labels":{"app.kubernetes.io/managed-by":"Helm"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T12:04:07Z","fieldsType":"FieldsV1","fieldsV1":{"f:data":{".":{},"f:ARC_AGENT_HELM_CHART_NAME":{},"f:ARC_AGENT_RELEASE_TRAIN":{},"f:AZURE_ARC_AGENT_VERSION":{},"f:AZURE_ARC_AUTOUPDATE":{},"f:AZURE_ARC_HELM_NAMESPACE":{},"f:AZURE_ARC_RELEASE_NAME":{},"f:AZURE_ENVIRONMENT":{},"f:AZURE_REGION":{},"f:AZURE_RESOURCE_GROUP":{},"f:AZURE_RESOURCE_MANAGER_ENDPOINT":{},"f:AZURE_RESOURCE_NAME":{},"f:AZURE_SUBSCRIPTION_ID":{},"f:AZURE_TENANT_ID":{},"f:CLUSTER_CONNECT_AGENT_ENABLED":{},"f:CLUSTER_TYPE":{},"f:CUSTOM_IDENTITY_PROVIDER_ENABLED":{},"f:DEBUG_LOGGING":{},"f:EXTENSION_OPERATOR_ENABLED":{},"f:FLUX_CLIENT_DEFAULT_LOCATION":{},"f:FLUX_UPSTREAM_SERVICE_ENABLED":{},"f:GITOPS_ENABLED":{},"f:GUARD_PKI_HOSTPATH":{},"f:HELM_AUTO_UPDATE_CHECK_FREQUENCY_IN_MINUTES":{},"f:IS_CLIENT_SECRET_A_TOKEN":{},"f:KUBERNETES_DISTRO":{},"f:KUBERNETES_INFRA":{},"f:MANAGED_IDENTITY_AUTH":{},"f:MAX_ENTRIES_PER_STORE":{},"f:MAX_STORES":{},"f:MSI_ADAPTER_ARTIFACT_PATH":{},"f:NO_AUTH_HEADER_DATA_PLANE":{},"f:ONBOARDING_SECRET_NAME":{},"f:ONBOARDING_SECRET_NAMESPACE":{},"f:RESOURCE_SYNC_ENABLE_CHUNKED_SYNC":{},"f:RESOURCE_SYNC_LIST_CHUNK_SIZE":{},"f:RP_NAMESPACE":{},"f:TAGS":{}},"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:app.kubernetes.io/managed-by":{}}}}}]},"data":{"ARC_AGENT_HELM_CHART_NAME":"azure-arc-k8sagents","ARC_AGENT_RELEASE_TRAIN":"stable","AZURE_ARC_AGENT_VERSION":"1.8.14","AZURE_ARC_AUTOUPDATE":"true","AZURE_ARC_HELM_NAMESPACE":"default","AZURE_ARC_RELEASE_NAME":"azure-arc","AZURE_ENVIRONMENT":"AZUREPUBLICCLOUD","AZURE_REGION":"eastus2euap","AZURE_RESOURCE_GROUP":"akkeshar","AZURE_RESOURCE_MANAGER_ENDPOINT":"","AZURE_RESOURCE_NAME":"cliplscc","AZURE_SUBSCRIPTION_ID":"1bfbb5d0-917e-4346-9026-1d3b344417f5","AZURE_TENANT_ID":"72f988bf-86f1-41af-91ab-2d7cd011db47","CLUSTER_CONNECT_AGENT_ENABLED":"false","CLUSTER_TYPE":"ConnectedClusters","CUSTOM_IDENTITY_PROVIDER_ENABLED":"false","DEBUG_LOGGING":"false","EXTENSION_OPERATOR_ENABLED":"true","FLUX_CLIENT_DEFAULT_LOCATION":"mcr.microsoft.com/azurearck8s/arc-preview/fluxctl:0.2.0","FLUX_UPSTREAM_SERVICE_ENABLED":"true","GITOPS_ENABLED":"true","GUARD_PKI_HOSTPATH":"","HELM_AUTO_UPDATE_CHECK_FREQUENCY_IN_MINUTES":"60","IS_CLIENT_SECRET_A_TOKEN":"false","KUBERNETES_DISTRO":"aks","KUBERNETES_INFRA":"azure","MANAGED_IDENTITY_AUTH":"true","MAX_ENTRIES_PER_STORE":"680","MAX_STORES":"30","MSI_ADAPTER_ARTIFACT_PATH":"mcr.microsoft.com/azurearck8s/msi-adapter:1.0.2","NO_AUTH_HEADER_DATA_PLANE":"false","ONBOARDING_SECRET_NAME":"azure-arc-connect-privatekey","ONBOARDING_SECRET_NAMESPACE":"azure-arc","RESOURCE_SYNC_ENABLE_CHUNKED_SYNC":"false","RESOURCE_SYNC_LIST_CHUNK_SIZE":"200","RP_NAMESPACE":"Microsoft.Kubernetes","TAGS":"map[]"}} - - ' - headers: - audit-id: - - 15bf6fed-b6ba-4a3e-8a04-864540bdf9f9 - cache-control: - - no-cache, private - content-type: - - application/json - date: - - Tue, 15 Nov 2022 12:05:03 GMT - transfer-encoding: - - chunked - x-kubernetes-pf-flowschema-uid: - - 9c9284bf-ac50-497c-86a8-5f4f7d857b28 - x-kubernetes-pf-prioritylevel-uid: - - f041de6f-3328-46ec-b36d-f51c7cd89b61 - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s delete - Connection: - - keep-alive - Content-Length: - - '0' - ParameterSetName: - - -g -n --kube-config -y - User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cliplscc?api-version=2021-10-01 - response: - body: - string: 'null' - headers: - azure-asyncoperation: - - https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS2EUAP/operationStatuses/23912c14-a247-45c9-81f0-cba9dfb63909*8738D9B038F603442BFE6B89D055B1E438DA9BC8B386B2FE9015CECB2D2CC8DB?api-version=2021-10-01 - cache-control: - - no-cache - content-length: - - '4' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 12:05:10 GMT - etag: - - '"2700e25c-0000-3400-0000-637380760000"' - expires: - - '-1' - location: - - https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS2EUAP/operationStatuses/23912c14-a247-45c9-81f0-cba9dfb63909*8738D9B038F603442BFE6B89D055B1E438DA9BC8B386B2FE9015CECB2D2CC8DB?api-version=2021-10-01 - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - x-ms-providerhub-traffic: - - 'True' - x-ms-ratelimit-remaining-subscription-deletes: - - '14999' - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s delete - Connection: - - keep-alive - ParameterSetName: - - -g -n --kube-config -y - User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS2EUAP/operationStatuses/23912c14-a247-45c9-81f0-cba9dfb63909*8738D9B038F603442BFE6B89D055B1E438DA9BC8B386B2FE9015CECB2D2CC8DB?api-version=2021-10-01 - response: - body: - string: '{"id":"/providers/Microsoft.Kubernetes/locations/EASTUS2EUAP/operationStatuses/23912c14-a247-45c9-81f0-cba9dfb63909*8738D9B038F603442BFE6B89D055B1E438DA9BC8B386B2FE9015CECB2D2CC8DB","name":"23912c14-a247-45c9-81f0-cba9dfb63909*8738D9B038F603442BFE6B89D055B1E438DA9BC8B386B2FE9015CECB2D2CC8DB","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cliplscc","status":"Deleting","startTime":"2022-11-15T12:05:10.2636074Z"}' - headers: - cache-control: - - no-cache - content-length: - - '505' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 12:05:11 GMT - etag: - - '"2700e15c-0000-3400-0000-637380760000"' - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s delete - Connection: - - keep-alive - ParameterSetName: - - -g -n --kube-config -y - User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS2EUAP/operationStatuses/23912c14-a247-45c9-81f0-cba9dfb63909*8738D9B038F603442BFE6B89D055B1E438DA9BC8B386B2FE9015CECB2D2CC8DB?api-version=2021-10-01 - response: - body: - string: '{"id":"/providers/Microsoft.Kubernetes/locations/EASTUS2EUAP/operationStatuses/23912c14-a247-45c9-81f0-cba9dfb63909*8738D9B038F603442BFE6B89D055B1E438DA9BC8B386B2FE9015CECB2D2CC8DB","name":"23912c14-a247-45c9-81f0-cba9dfb63909*8738D9B038F603442BFE6B89D055B1E438DA9BC8B386B2FE9015CECB2D2CC8DB","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cliplscc","status":"Succeeded","startTime":"2022-11-15T12:05:10.2636074Z","endTime":"2022-11-15T12:05:15.2542996Z","properties":null}' - headers: - cache-control: - - no-cache - content-length: - - '565' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 12:05:42 GMT - etag: - - '"2700e45c-0000-3400-0000-6373807b0000"' - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s delete - Connection: - - keep-alive - ParameterSetName: - - -g -n --kube-config -y - User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS2EUAP/operationStatuses/23912c14-a247-45c9-81f0-cba9dfb63909*8738D9B038F603442BFE6B89D055B1E438DA9BC8B386B2FE9015CECB2D2CC8DB?api-version=2021-10-01 - response: - body: - string: '{"id":"/providers/Microsoft.Kubernetes/locations/EASTUS2EUAP/operationStatuses/23912c14-a247-45c9-81f0-cba9dfb63909*8738D9B038F603442BFE6B89D055B1E438DA9BC8B386B2FE9015CECB2D2CC8DB","name":"23912c14-a247-45c9-81f0-cba9dfb63909*8738D9B038F603442BFE6B89D055B1E438DA9BC8B386B2FE9015CECB2D2CC8DB","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cliplscc","status":"Succeeded","startTime":"2022-11-15T12:05:10.2636074Z","endTime":"2022-11-15T12:05:15.2542996Z","properties":null}' - headers: - cache-control: - - no-cache - content-length: - - '565' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 12:05:42 GMT - etag: - - '"2700e45c-0000-3400-0000-6373807b0000"' - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Content-Type: - - application/json - User-Agent: - - OpenAPI-Generator/24.2.0/python - method: GET - uri: https://tempaks-dns-0f8c9536.hcp.southcentralus.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc - response: - body: - string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"12009790"},"items":[{"metadata":{"name":"azure-arc","uid":"cb6e916b-b164-4450-bb5d-43482a8d677c","resourceVersion":"12009785","creationTimestamp":"2022-11-15T12:04:06Z","deletionTimestamp":"2022-11-15T12:05:57Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T12:04:06Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating"}}]} - - ' - headers: - audit-id: - - cb18a44c-405c-4a56-bfc7-8fab22859ef5 - cache-control: - - no-cache, private - content-length: - - '1022' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 12:05:59 GMT - x-kubernetes-pf-flowschema-uid: - - 9c9284bf-ac50-497c-86a8-5f4f7d857b28 - x-kubernetes-pf-prioritylevel-uid: - - f041de6f-3328-46ec-b36d-f51c7cd89b61 - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Content-Type: - - application/json - User-Agent: - - OpenAPI-Generator/24.2.0/python - method: GET - uri: https://tempaks-dns-0f8c9536.hcp.southcentralus.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc - response: - body: - string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"12009947"},"items":[{"metadata":{"name":"azure-arc","uid":"cb6e916b-b164-4450-bb5d-43482a8d677c","resourceVersion":"12009785","creationTimestamp":"2022-11-15T12:04:06Z","deletionTimestamp":"2022-11-15T12:05:57Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T12:04:06Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating"}}]} - - ' - headers: - audit-id: - - f8cbde3d-52b0-4bd2-b949-b5d47816f863 - cache-control: - - no-cache, private - content-length: - - '1022' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 12:06:04 GMT - x-kubernetes-pf-flowschema-uid: - - 9c9284bf-ac50-497c-86a8-5f4f7d857b28 - x-kubernetes-pf-prioritylevel-uid: - - f041de6f-3328-46ec-b36d-f51c7cd89b61 - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Content-Type: - - application/json - User-Agent: - - OpenAPI-Generator/24.2.0/python - method: GET - uri: https://tempaks-dns-0f8c9536.hcp.southcentralus.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc - response: - body: - string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"12009975"},"items":[{"metadata":{"name":"azure-arc","uid":"cb6e916b-b164-4450-bb5d-43482a8d677c","resourceVersion":"12009948","creationTimestamp":"2022-11-15T12:04:06Z","deletionTimestamp":"2022-11-15T12:05:57Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T12:04:06Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T12:06:04Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"ResourcesDiscovered","message":"All - resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"ParsedGroupVersions","message":"All - legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"ContentDeleted","message":"All - content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"SomeResourcesRemain","message":"Some - resources are remaining: pods. has 8 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"ContentHasNoFinalizers","message":"All - content-preserving finalizers finished"}]}}]} - - ' - headers: - audit-id: - - 4cf929b0-6457-4ec4-960e-e1f7b1290523 - cache-control: - - no-cache, private - content-type: - - application/json - date: - - Tue, 15 Nov 2022 12:06:10 GMT - transfer-encoding: - - chunked - x-kubernetes-pf-flowschema-uid: - - 9c9284bf-ac50-497c-86a8-5f4f7d857b28 - x-kubernetes-pf-prioritylevel-uid: - - f041de6f-3328-46ec-b36d-f51c7cd89b61 - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Content-Type: - - application/json - User-Agent: - - OpenAPI-Generator/24.2.0/python - method: GET - uri: https://tempaks-dns-0f8c9536.hcp.southcentralus.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc - response: - body: - string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"12009998"},"items":[{"metadata":{"name":"azure-arc","uid":"cb6e916b-b164-4450-bb5d-43482a8d677c","resourceVersion":"12009977","creationTimestamp":"2022-11-15T12:04:06Z","deletionTimestamp":"2022-11-15T12:05:57Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T12:04:06Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T12:06:04Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"ResourcesDiscovered","message":"All - resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"ParsedGroupVersions","message":"All - legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"ContentDeleted","message":"All - content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"SomeResourcesRemain","message":"Some - resources are remaining: pods. has 5 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"ContentHasNoFinalizers","message":"All - content-preserving finalizers finished"}]}}]} - - ' - headers: - audit-id: - - ac647207-dd49-432b-b0be-79598c6f5bdf - cache-control: - - no-cache, private - content-type: - - application/json - date: - - Tue, 15 Nov 2022 12:06:15 GMT - transfer-encoding: - - chunked - x-kubernetes-pf-flowschema-uid: - - 9c9284bf-ac50-497c-86a8-5f4f7d857b28 - x-kubernetes-pf-prioritylevel-uid: - - f041de6f-3328-46ec-b36d-f51c7cd89b61 - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Content-Type: - - application/json - User-Agent: - - OpenAPI-Generator/24.2.0/python - method: GET - uri: https://tempaks-dns-0f8c9536.hcp.southcentralus.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc - response: - body: - string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"12010022"},"items":[{"metadata":{"name":"azure-arc","uid":"cb6e916b-b164-4450-bb5d-43482a8d677c","resourceVersion":"12009977","creationTimestamp":"2022-11-15T12:04:06Z","deletionTimestamp":"2022-11-15T12:05:57Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T12:04:06Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T12:06:04Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"ResourcesDiscovered","message":"All - resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"ParsedGroupVersions","message":"All - legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"ContentDeleted","message":"All - content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"SomeResourcesRemain","message":"Some - resources are remaining: pods. has 5 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"ContentHasNoFinalizers","message":"All - content-preserving finalizers finished"}]}}]} - - ' - headers: - audit-id: - - c0b775ad-c7f9-4157-83d2-20291215832c - cache-control: - - no-cache, private - content-type: - - application/json - date: - - Tue, 15 Nov 2022 12:06:20 GMT - transfer-encoding: - - chunked - x-kubernetes-pf-flowschema-uid: - - 9c9284bf-ac50-497c-86a8-5f4f7d857b28 - x-kubernetes-pf-prioritylevel-uid: - - f041de6f-3328-46ec-b36d-f51c7cd89b61 - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Content-Type: - - application/json - User-Agent: - - OpenAPI-Generator/24.2.0/python - method: GET - uri: https://tempaks-dns-0f8c9536.hcp.southcentralus.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc - response: - body: - string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"12010039"},"items":[{"metadata":{"name":"azure-arc","uid":"cb6e916b-b164-4450-bb5d-43482a8d677c","resourceVersion":"12009977","creationTimestamp":"2022-11-15T12:04:06Z","deletionTimestamp":"2022-11-15T12:05:57Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T12:04:06Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T12:06:04Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"ResourcesDiscovered","message":"All - resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"ParsedGroupVersions","message":"All - legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"ContentDeleted","message":"All - content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"SomeResourcesRemain","message":"Some - resources are remaining: pods. has 5 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"ContentHasNoFinalizers","message":"All - content-preserving finalizers finished"}]}}]} - - ' - headers: - audit-id: - - 8c77694a-62a3-4fb0-8741-253f40ef09b8 - cache-control: - - no-cache, private - content-type: - - application/json - date: - - Tue, 15 Nov 2022 12:06:26 GMT - transfer-encoding: - - chunked - x-kubernetes-pf-flowschema-uid: - - 9c9284bf-ac50-497c-86a8-5f4f7d857b28 - x-kubernetes-pf-prioritylevel-uid: - - f041de6f-3328-46ec-b36d-f51c7cd89b61 - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Content-Type: - - application/json - User-Agent: - - OpenAPI-Generator/24.2.0/python - method: GET - uri: https://tempaks-dns-0f8c9536.hcp.southcentralus.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc - response: - body: - string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"12010074"},"items":[{"metadata":{"name":"azure-arc","uid":"cb6e916b-b164-4450-bb5d-43482a8d677c","resourceVersion":"12009977","creationTimestamp":"2022-11-15T12:04:06Z","deletionTimestamp":"2022-11-15T12:05:57Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T12:04:06Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T12:06:04Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"ResourcesDiscovered","message":"All - resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"ParsedGroupVersions","message":"All - legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"ContentDeleted","message":"All - content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"SomeResourcesRemain","message":"Some - resources are remaining: pods. has 5 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"ContentHasNoFinalizers","message":"All - content-preserving finalizers finished"}]}}]} - - ' - headers: - audit-id: - - 658de807-b883-4039-b0f3-99e2b76ecf5f - cache-control: - - no-cache, private - content-type: - - application/json - date: - - Tue, 15 Nov 2022 12:06:31 GMT - transfer-encoding: - - chunked - x-kubernetes-pf-flowschema-uid: - - 9c9284bf-ac50-497c-86a8-5f4f7d857b28 - x-kubernetes-pf-prioritylevel-uid: - - f041de6f-3328-46ec-b36d-f51c7cd89b61 - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Content-Type: - - application/json - User-Agent: - - OpenAPI-Generator/24.2.0/python - method: GET - uri: https://tempaks-dns-0f8c9536.hcp.southcentralus.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc - response: - body: - string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"12010098"},"items":[]} - - ' - headers: - audit-id: - - 1e57164c-bce6-4261-ae98-77d34bcc4945 - cache-control: - - no-cache, private - content-length: - - '96' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 12:06:37 GMT - x-kubernetes-pf-flowschema-uid: - - 9c9284bf-ac50-497c-86a8-5f4f7d857b28 - x-kubernetes-pf-prioritylevel-uid: - - f041de6f-3328-46ec-b36d-f51c7cd89b61 - status: - code: 200 - message: OK -version: 1 diff --git a/src/connectedk8s/azext_connectedk8s/tests/latest/recordings/test_forcedelete.yaml b/src/connectedk8s/azext_connectedk8s/tests/latest/recordings/test_forcedelete.yaml index f49feef93bc..93db3885d09 100644 --- a/src/connectedk8s/azext_connectedk8s/tests/latest/recordings/test_forcedelete.yaml +++ b/src/connectedk8s/azext_connectedk8s/tests/latest/recordings/test_forcedelete.yaml @@ -11,23 +11,23 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n -s -l -c --generate-ssh-keys + - -g -n --generate-ssh-keys User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Windows-10-10.0.19045-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rohanazuregroup?api-version=2021-04-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/conk8stest000001?api-version=2021-04-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rohanazuregroup","name":"rohanazuregroup","type":"Microsoft.Resources/resourceGroups","location":"eastus","tags":{"Created":"20220718"},"properties":{"provisioningState":"Succeeded"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/conk8stest000001","name":"conk8stest000001","type":"Microsoft.Resources/resourceGroups","location":"eastus2euap","tags":{"product":"azurecli","cause":"automation","date":"2022-11-24T19:04:23Z","Created":"20221124"},"properties":{"provisioningState":"Succeeded"}}' headers: cache-control: - no-cache content-length: - - '257' + - '336' content-type: - application/json; charset=utf-8 date: - - Tue, 15 Nov 2022 11:32:11 GMT + - Thu, 24 Nov 2022 19:04:32 GMT expires: - '-1' pragma: @@ -42,19 +42,20 @@ interactions: code: 200 message: OK - request: - body: '{"location": "westeurope", "identity": {"type": "SystemAssigned"}, "properties": - {"kubernetesVersion": "", "dnsPrefix": "test-force-rohanazuregroup-1bfbb5", - "agentPoolProfiles": [{"count": 1, "vmSize": "Standard_B4ms", "osType": "Linux", - "type": "VirtualMachineScaleSets", "mode": "System", "enableNodePublicIP": false, - "scaleSetPriority": "Regular", "scaleSetEvictionPolicy": "Delete", "spotMaxPrice": - -1.0, "enableEncryptionAtHost": false, "enableUltraSSD": false, "enableFIPS": - false, "name": "nodepool1"}], "linuxProfile": {"adminUsername": "azureuser", - "ssh": {"publicKeys": [{"keyData": "ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABgQDknmXRBGa/GuPCkpyydwCNedhfwINfrO674LWcBih2UjjJc5yULl9cD9LsYMWOzHVqM7H7RFxaONyq46h9vgxB/1XAeJUGc2jS8GS+vsS83bXX6vVrwa8wVeD380SJcF87oH3xf7/v2hlKv3drXi7xPE2JBjTHIOJJ6OxX+bAFXBqd1dPvnX1X7kEyX6vvjvuQrp7rFDbLq/eRpmng7kykodASQkUFZlt5+gH/U/z/a/DRoTocgzNqGl9RmesNtslQJs17Vn/JIJMM55qcRCEKoJ3Fq/Osnx3tHNA3G/vTs/+sVgh0tZmM6oIMRfTKzJskSZkMZOd8KtK/7ROCZO72izRmzwTFwFvRe/I7iHQ4PrjeKAqKDvgHJ/0LlaHmIYysZI21OTo6HcoX4HmA4RsIybNAM5SWeMMGiGe94/LYPk9sgB3o8aMv/nI/hr6vA28c2nso7itOuNcH1GZalAnbCObNv7QqVZ23FPlCjV9GXWCDCnQeCoIispJCrf68N5s= - fareast\\akkeshar@AkashLaptop\n"}]}}, "addonProfiles": {}, "enableRBAC": true, - "enablePodSecurityPolicy": false, "networkProfile": {"networkPlugin": "kubenet", - "podCidr": "10.244.0.0/16", "serviceCidr": "10.0.0.0/16", "dnsServiceIP": "10.0.0.10", - "dockerBridgeCidr": "172.17.0.1/16", "outboundType": "loadBalancer", "loadBalancerSku": - "standard"}, "disableLocalAccounts": false}}' + body: '{"location": "eastus2euap", "identity": {"type": "SystemAssigned"}, "properties": + {"kubernetesVersion": "", "dnsPrefix": "test-force-conk8stest000001-1bfbb5", + "agentPoolProfiles": [{"count": 3, "vmSize": "Standard_DS2_v2", "osDiskSizeGB": + 0, "osType": "Linux", "enableAutoScaling": false, "type": "VirtualMachineScaleSets", + "mode": "System", "orchestratorVersion": "", "upgradeSettings": {}, "enableNodePublicIP": + false, "scaleSetPriority": "Regular", "scaleSetEvictionPolicy": "Delete", "spotMaxPrice": + -1.0, "nodeTaints": [], "enableEncryptionAtHost": false, "enableUltraSSD": false, + "enableFIPS": false, "name": "nodepool1"}], "linuxProfile": {"adminUsername": + "azureuser", "ssh": {"publicKeys": [{"keyData": "ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCvp8/0L+JGBNPdl8292HKmvItwPYykyQQx9YDYu2b8YSoveRvXiHoxu4jGq+UykW0mhXVjoKh54DD7qkh+ryMrAarhtLSjTuF6CVk9X8zrcxjQm0mr1xDtjNpd7R/NIU+KxDhn7ITKfal+SpXEC4634eOzPc4YqsKULVUCrdXk9rA/0CpE4KWO2YWwYV1MmWD2uLEpiUzLwgefuHcEH8S6hOUC5veiPc7AuD4lX0efogvvObE+5tqhvNCYvO2NG7x51rBlMgmcLYehNTeCFQLpUdFm014yfk9l8JQv2hQ/cFbCRzA/zYEPSAOOb1VSMYxTVk51wt1mrcb+wMzpsBQv"}]}}, + "addonProfiles": {}, "enableRBAC": true, "networkProfile": {"networkPlugin": + "kubenet", "podCidr": "10.244.0.0/16", "serviceCidr": "10.0.0.0/16", "dnsServiceIP": + "10.0.0.10", "dockerBridgeCidr": "172.17.0.1/16", "outboundType": "loadBalancer", + "loadBalancerSku": "standard"}, "disableLocalAccounts": false, "storageProfile": + {}}}' headers: Accept: - application/json @@ -65,60 +66,67 @@ interactions: Connection: - keep-alive Content-Length: - - '1526' + - '1429' Content-Type: - application/json ParameterSetName: - - -g -n -s -l -c --generate-ssh-keys + - -g -n --generate-ssh-keys User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 + (Windows-10-10.0.19045-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rohanazuregroup/providers/Microsoft.ContainerService/managedClusters/test-force-delete000001?api-version=2021-08-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/conk8stest000001/providers/Microsoft.ContainerService/managedClusters/test-force-delete000002?api-version=2022-09-01 response: body: - string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rohanazuregroup/providers/Microsoft.ContainerService/managedClusters/test-force-delete000001\",\n - \ \"location\": \"westeurope\",\n \"name\": \"test-force-delete000001\",\n + string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/conk8stest000001/providers/Microsoft.ContainerService/managedClusters/test-force-delete000002\",\n + \ \"location\": \"eastus2euap\",\n \"name\": \"test-force-delete000002\",\n \ \"type\": \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": \"Creating\",\n \"powerState\": {\n \"code\": - \"Running\"\n },\n \"kubernetesVersion\": \"1.23.12\",\n \"dnsPrefix\": - \"test-force-rohanazuregroup-1bfbb5\",\n \"fqdn\": \"test-force-rohanazuregroup-1bfbb5-6f1967ab.hcp.westeurope.azmk8s.io\",\n - \ \"azurePortalFQDN\": \"test-force-rohanazuregroup-1bfbb5-6f1967ab.portal.hcp.westeurope.azmk8s.io\",\n + \"Running\"\n },\n \"kubernetesVersion\": \"1.23.12\",\n \"currentKubernetesVersion\": + \"1.23.12\",\n \"dnsPrefix\": \"test-force-conk8stest000001-1bfbb5\",\n + \ \"fqdn\": \"test-force-conk8stest000001-1bfbb5-1b3b01b5.hcp.eastus2euap.azmk8s.io\",\n + \ \"azurePortalFQDN\": \"test-force-conk8stest000001-1bfbb5-1b3b01b5.portal.hcp.eastus2euap.azmk8s.io\",\n \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \"count\": - 1,\n \"vmSize\": \"Standard_B4ms\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": + 3,\n \"vmSize\": \"Standard_DS2_v2\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": \"Managed\",\n \"kubeletDiskType\": \"OS\",\n \"maxPods\": 110,\n - \ \"type\": \"VirtualMachineScaleSets\",\n \"provisioningState\": \"Creating\",\n - \ \"powerState\": {\n \"code\": \"Running\"\n },\n \"orchestratorVersion\": + \ \"type\": \"VirtualMachineScaleSets\",\n \"enableAutoScaling\": false,\n + \ \"provisioningState\": \"Creating\",\n \"powerState\": {\n \"code\": + \"Running\"\n },\n \"orchestratorVersion\": \"1.23.12\",\n \"currentOrchestratorVersion\": \"1.23.12\",\n \"enableNodePublicIP\": false,\n \"mode\": \"System\",\n \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": - \"AKSUbuntu-1804gen2containerd-2022.10.24\",\n \"enableFIPS\": false\n - \ }\n ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n - \ \"ssh\": {\n \"publicKeys\": [\n {\n \"keyData\": \"ssh-rsa - AAAAB3NzaC1yc2EAAAADAQABAAABgQDknmXRBGa/GuPCkpyydwCNedhfwINfrO674LWcBih2UjjJc5yULl9cD9LsYMWOzHVqM7H7RFxaONyq46h9vgxB/1XAeJUGc2jS8GS+vsS83bXX6vVrwa8wVeD380SJcF87oH3xf7/v2hlKv3drXi7xPE2JBjTHIOJJ6OxX+bAFXBqd1dPvnX1X7kEyX6vvjvuQrp7rFDbLq/eRpmng7kykodASQkUFZlt5+gH/U/z/a/DRoTocgzNqGl9RmesNtslQJs17Vn/JIJMM55qcRCEKoJ3Fq/Osnx3tHNA3G/vTs/+sVgh0tZmM6oIMRfTKzJskSZkMZOd8KtK/7ROCZO72izRmzwTFwFvRe/I7iHQ4PrjeKAqKDvgHJ/0LlaHmIYysZI21OTo6HcoX4HmA4RsIybNAM5SWeMMGiGe94/LYPk9sgB3o8aMv/nI/hr6vA28c2nso7itOuNcH1GZalAnbCObNv7QqVZ23FPlCjV9GXWCDCnQeCoIispJCrf68N5s= - fareast\\\\akkeshar@AkashLaptop\\n\"\n }\n ]\n }\n },\n \"servicePrincipalProfile\": - {\n \"clientId\": \"msi\"\n },\n \"nodeResourceGroup\": \"MC_rohanazuregroup_test-force-delete000001_westeurope\",\n - \ \"enableRBAC\": true,\n \"enablePodSecurityPolicy\": false,\n \"networkProfile\": - {\n \"networkPlugin\": \"kubenet\",\n \"loadBalancerSku\": \"standard\",\n - \ \"loadBalancerProfile\": {\n \"managedOutboundIPs\": {\n \"count\": - 1\n }\n },\n \"podCidr\": \"10.244.0.0/16\",\n \"serviceCidr\": - \"10.0.0.0/16\",\n \"dnsServiceIP\": \"10.0.0.10\",\n \"dockerBridgeCidr\": - \"172.17.0.1/16\",\n \"outboundType\": \"loadBalancer\"\n },\n \"maxAgentPools\": - 100,\n \"disableLocalAccounts\": false,\n \"securityProfile\": {}\n },\n - \ \"identity\": {\n \"type\": \"SystemAssigned\",\n \"principalId\": \"8a8f658d-a098-4ef3-8623-e2872bd2af28\",\n - \ \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\"\n },\n \"sku\": - {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n }" + \"AKSUbuntu-1804gen2containerd-2022.11.02\",\n \"upgradeSettings\": {},\n + \ \"enableFIPS\": false\n }\n ],\n \"linuxProfile\": {\n \"adminUsername\": + \"azureuser\",\n \"ssh\": {\n \"publicKeys\": [\n {\n \"keyData\": + \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCvp8/0L+JGBNPdl8292HKmvItwPYykyQQx9YDYu2b8YSoveRvXiHoxu4jGq+UykW0mhXVjoKh54DD7qkh+ryMrAarhtLSjTuF6CVk9X8zrcxjQm0mr1xDtjNpd7R/NIU+KxDhn7ITKfal+SpXEC4634eOzPc4YqsKULVUCrdXk9rA/0CpE4KWO2YWwYV1MmWD2uLEpiUzLwgefuHcEH8S6hOUC5veiPc7AuD4lX0efogvvObE+5tqhvNCYvO2NG7x51rBlMgmcLYehNTeCFQLpUdFm014yfk9l8JQv2hQ/cFbCRzA/zYEPSAOOb1VSMYxTVk51wt1mrcb+wMzpsBQv\"\n + \ }\n ]\n }\n },\n \"servicePrincipalProfile\": {\n \"clientId\": + \"msi\"\n },\n \"nodeResourceGroup\": \"MC_conk8stest000001_test-force-delete000002_eastus2euap\",\n + \ \"enableRBAC\": true,\n \"networkProfile\": {\n \"networkPlugin\": + \"kubenet\",\n \"loadBalancerSku\": \"standard\",\n \"loadBalancerProfile\": + {\n \"managedOutboundIPs\": {\n \"count\": 1\n }\n },\n \"podCidr\": + \"10.244.0.0/16\",\n \"serviceCidr\": \"10.0.0.0/16\",\n \"dnsServiceIP\": + \"10.0.0.10\",\n \"dockerBridgeCidr\": \"172.17.0.1/16\",\n \"outboundType\": + \"loadBalancer\",\n \"podCidrs\": [\n \"10.244.0.0/16\"\n ],\n \"serviceCidrs\": + [\n \"10.0.0.0/16\"\n ],\n \"ipFamilies\": [\n \"IPv4\"\n ]\n + \ },\n \"maxAgentPools\": 100,\n \"disableLocalAccounts\": false,\n \"securityProfile\": + {},\n \"storageProfile\": {\n \"diskCSIDriver\": {\n \"enabled\": + true\n },\n \"fileCSIDriver\": {\n \"enabled\": true\n },\n \"snapshotController\": + {\n \"enabled\": true\n }\n },\n \"oidcIssuerProfile\": {\n \"enabled\": + false\n }\n },\n \"identity\": {\n \"type\": \"SystemAssigned\",\n \"principalId\": + \"8a7e3ff1-bf77-4b4c-9f23-725dd403c5a6\",\n \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\"\n + \ },\n \"sku\": {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n + }" headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/1f695e8a-2d1c-43a5-bd84-5f6e3e78aa5a?api-version=2017-08-31 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus2euap/operations/5fc7a00f-17f1-400b-8633-45f6d2a930ce?api-version=2016-03-30 cache-control: - no-cache content-length: - - '2923' + - '3214' content-type: - application/json date: - - Tue, 15 Nov 2022 11:32:27 GMT + - Thu, 24 Nov 2022 19:04:47 GMT expires: - '-1' pragma: @@ -146,16 +154,16 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n -s -l -c --generate-ssh-keys + - -g -n --generate-ssh-keys User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 + (Windows-10-10.0.19045-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/1f695e8a-2d1c-43a5-bd84-5f6e3e78aa5a?api-version=2017-08-31 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus2euap/operations/5fc7a00f-17f1-400b-8633-45f6d2a930ce?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"8a5e691f-1c2d-a543-bd84-5f6e3e78aa5a\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:32:26.7929876Z\"\n }" + string: "{\n \"name\": \"0fa0c75f-f117-0b40-8633-45f6d2a930ce\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-24T19:04:45.0013916Z\"\n }" headers: cache-control: - no-cache @@ -164,7 +172,7 @@ interactions: content-type: - application/json date: - - Tue, 15 Nov 2022 11:32:27 GMT + - Thu, 24 Nov 2022 19:05:17 GMT expires: - '-1' pragma: @@ -194,16 +202,16 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n -s -l -c --generate-ssh-keys + - -g -n --generate-ssh-keys User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 + (Windows-10-10.0.19045-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/1f695e8a-2d1c-43a5-bd84-5f6e3e78aa5a?api-version=2017-08-31 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus2euap/operations/5fc7a00f-17f1-400b-8633-45f6d2a930ce?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"8a5e691f-1c2d-a543-bd84-5f6e3e78aa5a\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:32:26.7929876Z\"\n }" + string: "{\n \"name\": \"0fa0c75f-f117-0b40-8633-45f6d2a930ce\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-24T19:04:45.0013916Z\"\n }" headers: cache-control: - no-cache @@ -212,7 +220,7 @@ interactions: content-type: - application/json date: - - Tue, 15 Nov 2022 11:32:58 GMT + - Thu, 24 Nov 2022 19:05:48 GMT expires: - '-1' pragma: @@ -242,16 +250,16 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n -s -l -c --generate-ssh-keys + - -g -n --generate-ssh-keys User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 + (Windows-10-10.0.19045-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/1f695e8a-2d1c-43a5-bd84-5f6e3e78aa5a?api-version=2017-08-31 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus2euap/operations/5fc7a00f-17f1-400b-8633-45f6d2a930ce?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"8a5e691f-1c2d-a543-bd84-5f6e3e78aa5a\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:32:26.7929876Z\"\n }" + string: "{\n \"name\": \"0fa0c75f-f117-0b40-8633-45f6d2a930ce\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-24T19:04:45.0013916Z\"\n }" headers: cache-control: - no-cache @@ -260,7 +268,7 @@ interactions: content-type: - application/json date: - - Tue, 15 Nov 2022 11:33:28 GMT + - Thu, 24 Nov 2022 19:06:19 GMT expires: - '-1' pragma: @@ -290,16 +298,16 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n -s -l -c --generate-ssh-keys + - -g -n --generate-ssh-keys User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 + (Windows-10-10.0.19045-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/1f695e8a-2d1c-43a5-bd84-5f6e3e78aa5a?api-version=2017-08-31 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus2euap/operations/5fc7a00f-17f1-400b-8633-45f6d2a930ce?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"8a5e691f-1c2d-a543-bd84-5f6e3e78aa5a\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:32:26.7929876Z\"\n }" + string: "{\n \"name\": \"0fa0c75f-f117-0b40-8633-45f6d2a930ce\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-24T19:04:45.0013916Z\"\n }" headers: cache-control: - no-cache @@ -308,7 +316,7 @@ interactions: content-type: - application/json date: - - Tue, 15 Nov 2022 11:33:58 GMT + - Thu, 24 Nov 2022 19:06:49 GMT expires: - '-1' pragma: @@ -338,16 +346,16 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n -s -l -c --generate-ssh-keys + - -g -n --generate-ssh-keys User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 + (Windows-10-10.0.19045-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/1f695e8a-2d1c-43a5-bd84-5f6e3e78aa5a?api-version=2017-08-31 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus2euap/operations/5fc7a00f-17f1-400b-8633-45f6d2a930ce?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"8a5e691f-1c2d-a543-bd84-5f6e3e78aa5a\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:32:26.7929876Z\"\n }" + string: "{\n \"name\": \"0fa0c75f-f117-0b40-8633-45f6d2a930ce\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-24T19:04:45.0013916Z\"\n }" headers: cache-control: - no-cache @@ -356,7 +364,7 @@ interactions: content-type: - application/json date: - - Tue, 15 Nov 2022 11:34:28 GMT + - Thu, 24 Nov 2022 19:07:19 GMT expires: - '-1' pragma: @@ -386,16 +394,16 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n -s -l -c --generate-ssh-keys + - -g -n --generate-ssh-keys User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 + (Windows-10-10.0.19045-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/1f695e8a-2d1c-43a5-bd84-5f6e3e78aa5a?api-version=2017-08-31 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus2euap/operations/5fc7a00f-17f1-400b-8633-45f6d2a930ce?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"8a5e691f-1c2d-a543-bd84-5f6e3e78aa5a\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:32:26.7929876Z\"\n }" + string: "{\n \"name\": \"0fa0c75f-f117-0b40-8633-45f6d2a930ce\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-24T19:04:45.0013916Z\"\n }" headers: cache-control: - no-cache @@ -404,7 +412,7 @@ interactions: content-type: - application/json date: - - Tue, 15 Nov 2022 11:34:59 GMT + - Thu, 24 Nov 2022 19:07:50 GMT expires: - '-1' pragma: @@ -434,16 +442,16 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n -s -l -c --generate-ssh-keys + - -g -n --generate-ssh-keys User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 + (Windows-10-10.0.19045-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/1f695e8a-2d1c-43a5-bd84-5f6e3e78aa5a?api-version=2017-08-31 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus2euap/operations/5fc7a00f-17f1-400b-8633-45f6d2a930ce?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"8a5e691f-1c2d-a543-bd84-5f6e3e78aa5a\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:32:26.7929876Z\"\n }" + string: "{\n \"name\": \"0fa0c75f-f117-0b40-8633-45f6d2a930ce\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-24T19:04:45.0013916Z\"\n }" headers: cache-control: - no-cache @@ -452,7 +460,7 @@ interactions: content-type: - application/json date: - - Tue, 15 Nov 2022 11:35:30 GMT + - Thu, 24 Nov 2022 19:08:21 GMT expires: - '-1' pragma: @@ -482,16 +490,16 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n -s -l -c --generate-ssh-keys + - -g -n --generate-ssh-keys User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 + (Windows-10-10.0.19045-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/1f695e8a-2d1c-43a5-bd84-5f6e3e78aa5a?api-version=2017-08-31 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus2euap/operations/5fc7a00f-17f1-400b-8633-45f6d2a930ce?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"8a5e691f-1c2d-a543-bd84-5f6e3e78aa5a\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:32:26.7929876Z\"\n }" + string: "{\n \"name\": \"0fa0c75f-f117-0b40-8633-45f6d2a930ce\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-24T19:04:45.0013916Z\"\n }" headers: cache-control: - no-cache @@ -500,7 +508,7 @@ interactions: content-type: - application/json date: - - Tue, 15 Nov 2022 11:36:00 GMT + - Thu, 24 Nov 2022 19:08:51 GMT expires: - '-1' pragma: @@ -530,16 +538,16 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n -s -l -c --generate-ssh-keys + - -g -n --generate-ssh-keys User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 + (Windows-10-10.0.19045-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/1f695e8a-2d1c-43a5-bd84-5f6e3e78aa5a?api-version=2017-08-31 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus2euap/operations/5fc7a00f-17f1-400b-8633-45f6d2a930ce?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"8a5e691f-1c2d-a543-bd84-5f6e3e78aa5a\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:32:26.7929876Z\"\n }" + string: "{\n \"name\": \"0fa0c75f-f117-0b40-8633-45f6d2a930ce\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-24T19:04:45.0013916Z\"\n }" headers: cache-control: - no-cache @@ -548,7 +556,7 @@ interactions: content-type: - application/json date: - - Tue, 15 Nov 2022 11:36:30 GMT + - Thu, 24 Nov 2022 19:09:22 GMT expires: - '-1' pragma: @@ -578,16 +586,16 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n -s -l -c --generate-ssh-keys + - -g -n --generate-ssh-keys User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 + (Windows-10-10.0.19045-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/1f695e8a-2d1c-43a5-bd84-5f6e3e78aa5a?api-version=2017-08-31 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus2euap/operations/5fc7a00f-17f1-400b-8633-45f6d2a930ce?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"8a5e691f-1c2d-a543-bd84-5f6e3e78aa5a\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:32:26.7929876Z\"\n }" + string: "{\n \"name\": \"0fa0c75f-f117-0b40-8633-45f6d2a930ce\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-24T19:04:45.0013916Z\"\n }" headers: cache-control: - no-cache @@ -596,7 +604,7 @@ interactions: content-type: - application/json date: - - Tue, 15 Nov 2022 11:37:00 GMT + - Thu, 24 Nov 2022 19:09:52 GMT expires: - '-1' pragma: @@ -626,17 +634,17 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n -s -l -c --generate-ssh-keys + - -g -n --generate-ssh-keys User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 + (Windows-10-10.0.19045-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/1f695e8a-2d1c-43a5-bd84-5f6e3e78aa5a?api-version=2017-08-31 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus2euap/operations/5fc7a00f-17f1-400b-8633-45f6d2a930ce?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"8a5e691f-1c2d-a543-bd84-5f6e3e78aa5a\",\n \"status\": - \"Succeeded\",\n \"startTime\": \"2022-11-15T11:32:26.7929876Z\",\n \"endTime\": - \"2022-11-15T11:37:24.5276284Z\"\n }" + string: "{\n \"name\": \"0fa0c75f-f117-0b40-8633-45f6d2a930ce\",\n \"status\": + \"Succeeded\",\n \"startTime\": \"2022-11-24T19:04:45.0013916Z\",\n \"endTime\": + \"2022-11-24T19:09:57.6579685Z\"\n }" headers: cache-control: - no-cache @@ -645,7 +653,7 @@ interactions: content-type: - application/json date: - - Tue, 15 Nov 2022 11:37:30 GMT + - Thu, 24 Nov 2022 19:10:23 GMT expires: - '-1' pragma: @@ -675,59 +683,66 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n -s -l -c --generate-ssh-keys + - -g -n --generate-ssh-keys User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 + (Windows-10-10.0.19045-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rohanazuregroup/providers/Microsoft.ContainerService/managedClusters/test-force-delete000001?api-version=2021-08-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/conk8stest000001/providers/Microsoft.ContainerService/managedClusters/test-force-delete000002?api-version=2022-09-01 response: body: - string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rohanazuregroup/providers/Microsoft.ContainerService/managedClusters/test-force-delete000001\",\n - \ \"location\": \"westeurope\",\n \"name\": \"test-force-delete000001\",\n + string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/conk8stest000001/providers/Microsoft.ContainerService/managedClusters/test-force-delete000002\",\n + \ \"location\": \"eastus2euap\",\n \"name\": \"test-force-delete000002\",\n \ \"type\": \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": \"Succeeded\",\n \"powerState\": {\n \"code\": - \"Running\"\n },\n \"kubernetesVersion\": \"1.23.12\",\n \"dnsPrefix\": - \"test-force-rohanazuregroup-1bfbb5\",\n \"fqdn\": \"test-force-rohanazuregroup-1bfbb5-6f1967ab.hcp.westeurope.azmk8s.io\",\n - \ \"azurePortalFQDN\": \"test-force-rohanazuregroup-1bfbb5-6f1967ab.portal.hcp.westeurope.azmk8s.io\",\n + \"Running\"\n },\n \"kubernetesVersion\": \"1.23.12\",\n \"currentKubernetesVersion\": + \"1.23.12\",\n \"dnsPrefix\": \"test-force-conk8stest000001-1bfbb5\",\n + \ \"fqdn\": \"test-force-conk8stest000001-1bfbb5-1b3b01b5.hcp.eastus2euap.azmk8s.io\",\n + \ \"azurePortalFQDN\": \"test-force-conk8stest000001-1bfbb5-1b3b01b5.portal.hcp.eastus2euap.azmk8s.io\",\n \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \"count\": - 1,\n \"vmSize\": \"Standard_B4ms\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": + 3,\n \"vmSize\": \"Standard_DS2_v2\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": \"Managed\",\n \"kubeletDiskType\": \"OS\",\n \"maxPods\": 110,\n - \ \"type\": \"VirtualMachineScaleSets\",\n \"provisioningState\": \"Succeeded\",\n - \ \"powerState\": {\n \"code\": \"Running\"\n },\n \"orchestratorVersion\": + \ \"type\": \"VirtualMachineScaleSets\",\n \"enableAutoScaling\": false,\n + \ \"provisioningState\": \"Succeeded\",\n \"powerState\": {\n \"code\": + \"Running\"\n },\n \"orchestratorVersion\": \"1.23.12\",\n \"currentOrchestratorVersion\": \"1.23.12\",\n \"enableNodePublicIP\": false,\n \"mode\": \"System\",\n \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": - \"AKSUbuntu-1804gen2containerd-2022.10.24\",\n \"enableFIPS\": false\n - \ }\n ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n - \ \"ssh\": {\n \"publicKeys\": [\n {\n \"keyData\": \"ssh-rsa - AAAAB3NzaC1yc2EAAAADAQABAAABgQDknmXRBGa/GuPCkpyydwCNedhfwINfrO674LWcBih2UjjJc5yULl9cD9LsYMWOzHVqM7H7RFxaONyq46h9vgxB/1XAeJUGc2jS8GS+vsS83bXX6vVrwa8wVeD380SJcF87oH3xf7/v2hlKv3drXi7xPE2JBjTHIOJJ6OxX+bAFXBqd1dPvnX1X7kEyX6vvjvuQrp7rFDbLq/eRpmng7kykodASQkUFZlt5+gH/U/z/a/DRoTocgzNqGl9RmesNtslQJs17Vn/JIJMM55qcRCEKoJ3Fq/Osnx3tHNA3G/vTs/+sVgh0tZmM6oIMRfTKzJskSZkMZOd8KtK/7ROCZO72izRmzwTFwFvRe/I7iHQ4PrjeKAqKDvgHJ/0LlaHmIYysZI21OTo6HcoX4HmA4RsIybNAM5SWeMMGiGe94/LYPk9sgB3o8aMv/nI/hr6vA28c2nso7itOuNcH1GZalAnbCObNv7QqVZ23FPlCjV9GXWCDCnQeCoIispJCrf68N5s= - fareast\\\\akkeshar@AkashLaptop\\n\"\n }\n ]\n }\n },\n \"servicePrincipalProfile\": - {\n \"clientId\": \"msi\"\n },\n \"nodeResourceGroup\": \"MC_rohanazuregroup_test-force-delete000001_westeurope\",\n - \ \"enableRBAC\": true,\n \"enablePodSecurityPolicy\": false,\n \"networkProfile\": - {\n \"networkPlugin\": \"kubenet\",\n \"loadBalancerSku\": \"Standard\",\n - \ \"loadBalancerProfile\": {\n \"managedOutboundIPs\": {\n \"count\": - 1\n },\n \"effectiveOutboundIPs\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_rohanazuregroup_test-force-delete000001_westeurope/providers/Microsoft.Network/publicIPAddresses/31c5f52c-9dc4-4631-8016-856b1688debf\"\n + \"AKSUbuntu-1804gen2containerd-2022.11.02\",\n \"upgradeSettings\": {},\n + \ \"enableFIPS\": false\n }\n ],\n \"linuxProfile\": {\n \"adminUsername\": + \"azureuser\",\n \"ssh\": {\n \"publicKeys\": [\n {\n \"keyData\": + \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCvp8/0L+JGBNPdl8292HKmvItwPYykyQQx9YDYu2b8YSoveRvXiHoxu4jGq+UykW0mhXVjoKh54DD7qkh+ryMrAarhtLSjTuF6CVk9X8zrcxjQm0mr1xDtjNpd7R/NIU+KxDhn7ITKfal+SpXEC4634eOzPc4YqsKULVUCrdXk9rA/0CpE4KWO2YWwYV1MmWD2uLEpiUzLwgefuHcEH8S6hOUC5veiPc7AuD4lX0efogvvObE+5tqhvNCYvO2NG7x51rBlMgmcLYehNTeCFQLpUdFm014yfk9l8JQv2hQ/cFbCRzA/zYEPSAOOb1VSMYxTVk51wt1mrcb+wMzpsBQv\"\n + \ }\n ]\n }\n },\n \"servicePrincipalProfile\": {\n \"clientId\": + \"msi\"\n },\n \"nodeResourceGroup\": \"MC_conk8stest000001_test-force-delete000002_eastus2euap\",\n + \ \"enableRBAC\": true,\n \"networkProfile\": {\n \"networkPlugin\": + \"kubenet\",\n \"loadBalancerSku\": \"Standard\",\n \"loadBalancerProfile\": + {\n \"managedOutboundIPs\": {\n \"count\": 1\n },\n \"effectiveOutboundIPs\": + [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_conk8stest000001_test-force-delete000002_eastus2euap/providers/Microsoft.Network/publicIPAddresses/0d10a037-7999-4979-8ccc-508973ccad54\"\n \ }\n ]\n },\n \"podCidr\": \"10.244.0.0/16\",\n \"serviceCidr\": \"10.0.0.0/16\",\n \"dnsServiceIP\": \"10.0.0.10\",\n \"dockerBridgeCidr\": - \"172.17.0.1/16\",\n \"outboundType\": \"loadBalancer\"\n },\n \"maxAgentPools\": + \"172.17.0.1/16\",\n \"outboundType\": \"loadBalancer\",\n \"podCidrs\": + [\n \"10.244.0.0/16\"\n ],\n \"serviceCidrs\": [\n \"10.0.0.0/16\"\n + \ ],\n \"ipFamilies\": [\n \"IPv4\"\n ]\n },\n \"maxAgentPools\": 100,\n \"identityProfile\": {\n \"kubeletidentity\": {\n \"resourceId\": - \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/MC_rohanazuregroup_test-force-delete000001_westeurope/providers/Microsoft.ManagedIdentity/userAssignedIdentities/test-force-delete000001-agentpool\",\n - \ \"clientId\": \"c27d58c7-a95c-4e20-8ed1-7a1748a68d3f\",\n \"objectId\": - \"1db736de-a31a-43ed-8940-3d870d4d29fb\"\n }\n },\n \"disableLocalAccounts\": - false,\n \"securityProfile\": {}\n },\n \"identity\": {\n \"type\": - \"SystemAssigned\",\n \"principalId\": \"8a8f658d-a098-4ef3-8623-e2872bd2af28\",\n + \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/MC_conk8stest000001_test-force-delete000002_eastus2euap/providers/Microsoft.ManagedIdentity/userAssignedIdentities/test-force-delete000002-agentpool\",\n + \ \"clientId\": \"e72446c8-e53a-4520-9f8a-a04613d5a8c0\",\n \"objectId\": + \"f677f495-71f8-48f1-bced-bf6b688f9442\"\n }\n },\n \"disableLocalAccounts\": + false,\n \"securityProfile\": {},\n \"storageProfile\": {\n \"diskCSIDriver\": + {\n \"enabled\": true\n },\n \"fileCSIDriver\": {\n \"enabled\": + true\n },\n \"snapshotController\": {\n \"enabled\": true\n }\n + \ },\n \"oidcIssuerProfile\": {\n \"enabled\": false\n }\n },\n \"identity\": + {\n \"type\": \"SystemAssigned\",\n \"principalId\": \"8a7e3ff1-bf77-4b4c-9f23-725dd403c5a6\",\n \ \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\"\n },\n \"sku\": {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n }" headers: cache-control: - no-cache content-length: - - '3609' + - '3904' content-type: - application/json date: - - Tue, 15 Nov 2022 11:37:31 GMT + - Thu, 24 Nov 2022 19:10:24 GMT expires: - '-1' pragma: @@ -761,24 +776,24 @@ interactions: ParameterSetName: - -g -n -f User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 + (Windows-10-10.0.19045-SP0) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rohanazuregroup/providers/Microsoft.ContainerService/managedClusters/test-force-delete000001/listClusterUserCredential?api-version=2021-08-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/conk8stest000001/providers/Microsoft.ContainerService/managedClusters/test-force-delete000002/listClusterUserCredential?api-version=2022-09-01 response: body: string: "{\n \"kubeconfigs\": [\n {\n \"name\": \"clusterUser\",\n \"value\": - \"YXBpVmVyc2lvbjogdjEKY2x1c3RlcnM6Ci0gY2x1c3RlcjoKICAgIGNlcnRpZmljYXRlLWF1dGhvcml0eS1kYXRhOiBMUzB0TFMxQ1JVZEpUaUJEUlZKVVNVWkpRMEZVUlMwdExTMHRDazFKU1VVMlJFTkRRWFJEWjBGM1NVSkJaMGxSWVdkb1pETjRTbloyVDBKc2QwY3ZWMDF3Y1ZkblJFRk9RbWRyY1docmFVYzVkekJDUVZGelJrRkVRVTRLVFZGemQwTlJXVVJXVVZGRVJYZEthbGxVUVdkR2R6QjVUV3BGZUUxVVZYaE5WRWw1VGxSYVlVZEJPSGxOUkZWNVRWUkZlRTVVUlhoTmVra3hUbXh2ZHdwRVZFVk1UVUZyUjBFeFZVVkJlRTFEV1RKRmQyZG5TV2xOUVRCSFExTnhSMU5KWWpORVVVVkNRVkZWUVVFMFNVTkVkMEYzWjJkSlMwRnZTVU5CVVVSUENqRjZkVWRGU1dSM1ZFOVJObVZTU2pGRWF6RmhTREo1WkU1S01tMU5Xa2R0TDNOdWF6aG1kREFyVGpacGIxWnlhRzlLUVV0U1NUQm5kVTE1YUZsQ1JWVUtOVU5MYkhCVGRHZFRlVTVyZVRoRUwxUmlUWHB2VVRscVNWWk5OR3hFUTJWd1IxVnNXVE15UTJjMlFYaEpaRnB2VUZGRGF6Sk5jM1ZVV0RrclVYVXlTQXBLUlVsS1JHSmphazlOWm5sNlZFRkNPWGgyZWpGcFRYRlFia04yZDFoeGFsVnBjV1E1TldoalVWYzVRalJNWlVadmFWTXZWbGRaZDA5VVVHbFJOekZ6Q2t0bWIwSkJNVmszVTBFMlNuUkNPVFptVjFabk5sQmlSVmxXVlZNeFowdGhTVzlaUjNwQ1RqUmFOVnByVjFaTWNYTTFSM1V2ZFdaQk0wY3Zaamc0Wm1rS2NTOVNhMEZoT1c1elNFWkNURTFHZDBnd05VWXlSME5QVkZNNVVtSk1SMGd5YkdodWRFb3dlR2N3UjA0NFVHMVZOV2xVVGtWRGVXMDVlVFpJTnpsMWFBb3pVRlZuV25kWGFsUmpORkpNTW5WUlRscENiM1UzYVVSTFRIWklSelIwSzNGWU5sZ3JaMUo2YmpoUE1UUkJZMkppV0N0SWFXdHFXVFk1UkdKU1VFeFZDaXRsYUhwYVpXOXFURFJYWlRobVkxZE1NRGs0WW13eU1GaFNPREYwUlVoNE5UaDROQ3RhZG04NFVtZERkMmxWYVdrdmRWSnlSM0JKWkVwb05YVk5UVlFLV1VKWlRVWTBjRUZhY1ZkUFFVZFJRV1ZKYzBWRWNFRXpjR2xIWWtadmJIazFPRm8xYzNsa1IzTnVaMGQxUTIxbWFqRkhVRTlOU0RoUlIwdHBXREJITlFwMk1sTmlka0k0TUdseWIwRnBZM0pEVjJ0WGJtSTNXR3h5WXpoc2JVeEhTV3RXYXpSSWVHRk1ZVmRJVmpaeFpFNU5RMXAxTWpoQlZWTkxVamxrWTBFMkNtZEdkekYyYzJKRk5rVndZM2w0VTBGVVYwazRha0pMYldRNFNGUnFVMDR6VGtSWVlsaFlVbFJFUjJob2R6azFjR0l2YzBWd1NYUXdZMXBPTVZBM1NYa0taMHN4ZDNGVGRVTkRiRlZoZURsNVJ6QkZZVm96ZVM5WGFERm1lV3RLY2pGemNrZEthVGhXVFZWUlNVUkJVVUZDYnpCSmQxRkVRVTlDWjA1V1NGRTRRZ3BCWmpoRlFrRk5RMEZ4VVhkRWQxbEVWbEl3VkVGUlNDOUNRVlYzUVhkRlFpOTZRV1JDWjA1V1NGRTBSVVpuVVZWVWFXTklUMlpMWnpGVE1FZHJUV1JTQ2xCbVNtVnphbms1U0hKbmQwUlJXVXBMYjFwSmFIWmpUa0ZSUlV4Q1VVRkVaMmRKUWtGRFVFbFFaRkZLV0V4aVRVbHFkMDlsYzJwbVVtTlhOMlJTTVZnS1dIVjVabVE1WjNKeFR6SlNaMjlMVFdwdmN6ZFRVME5wUzBJclNtMXBhaloyVkd4Uk1WbzVOREZtYkZGNmQxRnJiMkpJVm5NNVRWYzRXSEJITnpGSldnbzFjR0k0Y0V4emNEbFZjVGQwTldjMWNEWlBNWEZVV0ZseGF6UlZhWFV2U2pob09Ua3lVazVOTVcwNVNTOW1TRlZFTmpCb1lYaEZVMkZQZDIxNGMwMXBDalZyT1dSRlVrcFRjbGhDWmxZM1RqUklPVzlhZDA1UloyZERVa2RrVTBWRFExZDFWR0p5YW1SNlNYSlFjR1IyUVhsUWJURm5aREUwYWtsM2RUVTNVbkFLYjJWTlZWb3JkR3RwTW1WUVRtRkxNSGhUVVZOTFFUVjJOMlJFTmtVNVdEZzBNa1ZvVEhFMlRHVkJNekp4TmtsRE9UWkJWaXQwUlVkYVlXUkxlRzFWUndwRWEyWmlRVnBCY1RacGVFaFNNM2Q0SzNoWE5EVnViVWs0VEhaVU5UbE5ORFJVYWt3MGExVkdLekE1ZG10V1NTc3hRbGRpTkVWUGIwbExSSEU0ZEVwaENsTlZTRkJLWjBSYVNYZFhSMVZsWmk4d1lVczBVRWxNUjFGcU4wcERiVlJGZGxRNE5ucDFkemhUU1cwclpXbGxRV1JrT0hsdmFYSkVaUzgxYVVsUmQzb0tlREppVkc1M1FqbE1NVmhOZDFFMk1XVlZZVkZETW1Ga2RIaHhkMGg0YVZNMVppOUNaMUpCVmxsVVJHUkpUak5WTUUxRmVXTm9WRFF3T0dKNE9VVldaUXB3U2xrd1kwZzBTRVkzZW1KRmFIZExkMGgyVG5CTFNHNUVla2xCTURKclIwMXVaakJVY1dkR1dWUkdUM0JHT0ZWdGNWbEljRVZHT0RKTE1GbDFOSGR0Q2pCNFFWaGpWVk01WTFwSU9XeG5XWGcwT0VwdlUyVnhWRkZWT1VOMFkybzRlbnAxTkRGV0swTk1jRTVSYmtKQlJqVk1SRnBqTkZWSFowNDRha0pGTkdvS1MwOTRjVEJNTUUxWFVEaG5XRTlPZFVkcGRIYzFRV3BITW1ReVVtTTRXa1ZSWkRkdVkyWkRkV1IzTjAxRU5tdHZZbTFuWXpWV2FGVmtkVmxKU21oaFpncFBORnBtWWt0R2NHMXZWbTE2T0dSbENpMHRMUzB0UlU1RUlFTkZVbFJKUmtsRFFWUkZMUzB0TFMwSwogICAgc2VydmVyOiBodHRwczovL3Rlc3QtZm9yY2Utcm9oYW5henVyZWdyb3VwLTFiZmJiNS02ZjE5NjdhYi5oY3Aud2VzdGV1cm9wZS5hem1rOHMuaW86NDQzCiAgbmFtZTogdGVzdC1mb3JjZS1kZWxldGVwemZ2am9kCmNvbnRleHRzOgotIGNvbnRleHQ6CiAgICBjbHVzdGVyOiB0ZXN0LWZvcmNlLWRlbGV0ZXB6ZnZqb2QKICAgIHVzZXI6IGNsdXN0ZXJVc2VyX3JvaGFuYXp1cmVncm91cF90ZXN0LWZvcmNlLWRlbGV0ZXB6ZnZqb2QKICBuYW1lOiB0ZXN0LWZvcmNlLWRlbGV0ZXB6ZnZqb2QKY3VycmVudC1jb250ZXh0OiB0ZXN0LWZvcmNlLWRlbGV0ZXB6ZnZqb2QKa2luZDogQ29uZmlnCnByZWZlcmVuY2VzOiB7fQp1c2VyczoKLSBuYW1lOiBjbHVzdGVyVXNlcl9yb2hhbmF6dXJlZ3JvdXBfdGVzdC1mb3JjZS1kZWxldGVwemZ2am9kCiAgdXNlcjoKICAgIGNsaWVudC1jZXJ0aWZpY2F0ZS1kYXRhOiBMUzB0TFMxQ1JVZEpUaUJEUlZKVVNVWkpRMEZVUlMwdExTMHRDazFKU1VaSWFrTkRRWGRoWjBGM1NVSkJaMGxTUVVsQlF6WnJZMEUzWlZkMFJXRnlVMngzU1djeE9FbDNSRkZaU2t0dldrbG9kbU5PUVZGRlRFSlJRWGNLUkZSRlRFMUJhMGRCTVZWRlFYaE5RMWt5UlhkSWFHTk9UV3BKZUUxVVJURk5WRVY1VFdwVk1sZG9ZMDVOYWxGNFRWUkZNVTFVUlhwTmFsVXlWMnBCZHdwTlVtTjNSbEZaUkZaUlVVdEZkelY2WlZoT01GcFhNRFppVjBaNlpFZFdlV042UlZaTlFrMUhRVEZWUlVGNFRVMWlWMFo2WkVkV2VWa3llSEJhVnpVd0NrMUpTVU5KYWtGT1FtZHJjV2hyYVVjNWR6QkNRVkZGUmtGQlQwTkJaemhCVFVsSlEwTm5TME5CWjBWQmNtNVZZMjFYWTFCNWJFZEpURFJpWm10MmRYWUtVR0ZNYjBZMllpdEdPV3R1VEVWNFlrMXFhVWxaTld4U2IwVnFSMjlWU0ZkRGRrMVhMMVo1UnpVNWMyUlFaV2xzYTNrM1JtTTNZa0p5Wm5SbFVsTmxlQW8zWlhoTFVUWnVOMmhOWlU1UFRpOXJlbGRaVWtNclNrVjRlbFZEUWtJelUzY3dNMjVPU0ZkbGNFWXhWSE4wYkRSWVpIRTBiMk5RYzJOeFJXNVBPWGx1Q2pKTmR6ZG9kelJtZVd0TWNqaHdiM1pVYVhwNFpVOHhNM0JNVFcwelkwZHZOR1owTUZNd1YwZHhTbEpJV1V0WU0yWjNObGMzTVU1RVRuZGpUVGhIYzBRS1QxTlhVVkpPYlRoMVRTdE1aRXhzUjJzM05rVjNZVUVyVXpOV09ISm5WMDV4YmtoUmJtZDNhV2xpSzNSek9XbFBTMnN5WkZsalIwazFWWE5PYUVaWmNRb3ZSRTFqYjAxS1NWUjFkR00wVldkWVV6TjNjbXBzTm1reFZrY3JkRk5DZG5CS2RFa3dLMU0xUzNVeVYzYzJNMmcxYUdwWFNtUk9RV2xRZEdoM05ESkZDa2hOY0RCaVVXaGFUalpvUWpOb1lWRXdiSEpzZVdOemJGaEpZVkJ2VURCelRHSmxRWFpJVXpsdGFuSnNaemhDZWtnNVlrUkNXVGR4VkRORWRqSk5ReThLV0d0d1dsTlhkemwzVDNOdU1IcHJSV0ZSU1hVeGFXRkhObGxWVFVacGNVNUdabmx0V0ZaMVVtVTFiV3cyYTFrMGNtdFdhbUpVT1c1bVYwbHRWbWg1VWdvclNHbDJWSE14WW1WTFRHVlhOVlpGYjFsbVZYTkRNRnBYU2xVeFQweHlaMFpWVXpsWWFYTlZaRU5JZHpsWFF6bEhPV2RJVmpVeVVpdFBNa2szWnpOM0NsVlFUMHhPYkZwbVpITk9WVllyZDJoaU1EVlFhVU5DVjFOclVVZFpaazFYT0dWM1pVNVhSRGRIU0hwbFowcG5PVUl3ZVVGdk5FY3JOMWRSY2l0Q1lsWUthMlptT1d4UlNqSTNLMEp3VVdoYVZYcENlamQyTnpWVFZUZERUMVJqTDNsYVQzRk9PVkp1T1VWb1lXRlhVWGwwWmtSNk1rUTBhR1JZZVhncmVVbENZZ3BXTldrNVFXaG5ja0ZaVDA1SllWa3ZWbFpLVTBSWU1FTkJkMFZCUVdGT1YwMUdVWGRFWjFsRVZsSXdVRUZSU0M5Q1FWRkVRV2RYWjAxQ1RVZEJNVlZrQ2twUlVVMU5RVzlIUTBOelIwRlJWVVpDZDAxRFRVRjNSMEV4VldSRmQwVkNMM2RSUTAxQlFYZElkMWxFVmxJd2FrSkNaM2RHYjBGVlZHbGpTRTltUzJjS01WTXdSMnROWkZKUVprcGxjMnA1T1VoeVozZEVVVmxLUzI5YVNXaDJZMDVCVVVWTVFsRkJSR2RuU1VKQlNERlVORnBvUkZCT2VFcHlVMEZZWm5oa2R3cEJkRU41WkVzMlluSndUV1pPTWpOUloybGlPVWh0V1RjNE9VRkJZMWh2U0doUFRsZFBRMmwyYkRWWFFsUTViVWxzYWpoSk1YWlBjeXMyVEVSRFIwRndDbHBFVkZoUlJsaExNa05TU21WbGRtWkRiRkZUV0VJeWIySmliMkpoZGl0MmRrVkJNVzlLVVhaMlUzaHpkalZYVms1cVdESmpjMlpIUkhWdWJtTjJURkFLY1ROVE4yVktTV292VUhka1lUQk5VMDlxUjFObVUyTXlVbXRSTDBGT2VIcHZkRFF5VUVOdmNtSktkMnhxYkhoQk5rRnVRUzlHU1dsbE1DOXBVM0kyWWdwU1ZuUkJVRGc0YjFSVGVVVkROVEZXT1dKTVZURjNhVFpJYmt0dVp5dHVWRzA1UzNSdE0wOUVTM1pHWm5CUVZHVjRVRTA1Y0daNGJGaHlXbU5xYVRsSENtaGhhR0owT0dZeFFuWm5NVVZTWmtaV01rRnpkVEIwUVU1Nk1DOW5TRGxZZDNwUWFYWjJlbVpxWjA1YU5ITm9LMWRHZDFwcFRYSllTV2haVWpCUFdrTUtjakZYY0ZKWWEyUTBUbWhWU0hsQlRqTjJaMWRvYm10RWVXRjBNbFZhVkRWcVRXcDZXWEZwVTBOUVVsQk9Sa2xMT1RrMGRVSTNlbkJ3ZWlzM2IwTkpNUXB3VFd0eWNXeG1XVFV3T1RoUFdIQlZMelZuYUcweVJFNTVZbWhaWW1WUksyMHdjbVJGUVU1WmVVMWtjelprTVVaSE0yVkpSbTRyYldaVWR6RkNka1pTQ21ad1ExRlhjSEZaTkhsTVFqZEpZVGcxZW1aak16bExNV0pGTlZCSVNWcFdTRWxwTm1Kckx6UkdlVGQ2Y0RsVE4xSkRLMVJLTm01TFoydG5lR1poUXk4S1dWVklVR1owWm5wQlJqUlhZMjlMZUVwUFlqSkdhREExZVU5dFNuRm1Wa3BxWW05WldqWmlRWFV4VTBWeWVVMVRNa0pST0VoQlEyMXFia1ZFVjA5cFl3cFZVbk5ZZVV4VFFscG5ORGN3VVRoaGEyOUhjWEZHY0RGYVVHZ3lUMG95VERKaFZXWnBNa2h0WkZRcmVIb3ZaM1pITWtseWQwSjBUazF1WlVGNU5VRjFDblZGZDNRNWNXSjJSRlpoWlhObU56UnhSVzVsVmtKSVlnb3RMUzB0TFVWT1JDQkRSVkpVU1VaSlEwRlVSUzB0TFMwdENnPT0KICAgIGNsaWVudC1rZXktZGF0YTogTFMwdExTMUNSVWRKVGlCU1UwRWdVRkpKVmtGVVJTQkxSVmt0TFMwdExRcE5TVWxLU25kSlFrRkJTME5CWjBWQmNtNVZZMjFYWTFCNWJFZEpURFJpWm10MmRYWlFZVXh2UmpaaUswWTVhMjVNUlhoaVRXcHBTVmsxYkZKdlJXcEhDbTlWU0ZkRGRrMVhMMVo1UnpVNWMyUlFaV2xzYTNrM1JtTTNZa0p5Wm5SbFVsTmxlRGRsZUV0Uk5tNDNhRTFsVGs5T0wydDZWMWxTUXl0S1JYaDZWVU1LUWtJelUzY3dNMjVPU0ZkbGNFWXhWSE4wYkRSWVpIRTBiMk5RYzJOeFJXNVBPWGx1TWsxM04yaDNOR1o1YTB4eU9IQnZkbFJwZW5obFR6RXpjRXhOYlFvelkwZHZOR1owTUZNd1YwZHhTbEpJV1V0WU0yWjNObGMzTVU1RVRuZGpUVGhIYzBSUFUxZFJVazV0T0hWTksweGtUR3hIYXpjMlJYZGhRU3RUTTFZNENuSm5WMDV4YmtoUmJtZDNhV2xpSzNSek9XbFBTMnN5WkZsalIwazFWWE5PYUVaWmNTOUVUV052VFVwSlZIVjBZelJWWjFoVE0zZHlhbXcyYVRGV1J5c0tkRk5DZG5CS2RFa3dLMU0xUzNVeVYzYzJNMmcxYUdwWFNtUk9RV2xRZEdoM05ESkZTRTF3TUdKUmFGcE9ObWhDTTJoaFVUQnNjbXg1WTNOc1dFbGhVQXB2VURCelRHSmxRWFpJVXpsdGFuSnNaemhDZWtnNVlrUkNXVGR4VkRORWRqSk5ReTlZYTNCYVUxZDNPWGRQYzI0d2VtdEZZVkZKZFRGcFlVYzJXVlZOQ2tacGNVNUdabmx0V0ZaMVVtVTFiV3cyYTFrMGNtdFdhbUpVT1c1bVYwbHRWbWg1VWl0SWFYWlVjekZpWlV0TVpWYzFWa1Z2V1daVmMwTXdXbGRLVlRFS1QweHlaMFpWVXpsWWFYTlZaRU5JZHpsWFF6bEhPV2RJVmpVeVVpdFBNa2szWnpOM1ZWQlBURTVzV21aa2MwNVZWaXQzYUdJd05WQnBRMEpYVTJ0UlJ3cFpaazFYT0dWM1pVNVhSRGRIU0hwbFowcG5PVUl3ZVVGdk5FY3JOMWRSY2l0Q1lsWnJabVk1YkZGS01qY3JRbkJSYUZwVmVrSjZOM1kzTlZOVk4wTlBDbFJqTDNsYVQzRk9PVkp1T1VWb1lXRlhVWGwwWmtSNk1rUTBhR1JZZVhncmVVbENZbFkxYVRsQmFHZHlRVmxQVGtsaFdTOVdWa3BUUkZnd1EwRjNSVUVLUVZGTFEwRm5RV1JMVFVoM0syZE1kbkJDVlVwTVNtWjBOekZrY0VNdlQxUkZTSGhxTjBFellVZzJSVmRyWkVKeFNsWlJOVmxFUTJrdk1tZFNVMGhTVGdwUlRYWnFjMUZKUVU5UlUwUjRNSFZHWm1OU09XMW5aekZ6ZERkUmFqZEJVMEY2Vm1oRGFVZFhiMmRYVTA1Nk9HVktNa2R5YTJwaFYwUlpORTk1ZEZOakNrNW9VMmRGUjBaUVFWZzFWelJhYml0dU9ISkViR2xCUTNBeWVpdHNXbEpXYWtsNlVIUTRVRTFPZFRBeFQyUnVZV2h2V2pZMWREZFhUR1Z3VjJGNmMxTUtOR0p2VTB3d1lVYzFkbUZ3U3k4d1lWZ3lXbUZ4YW10R1ltb3lTbkppWldoaGJYUmhNRWxZVlhGeGMySlJjbkphZVdwcVpsUXZTRmt2UjBOcVdHOWhjUXBDUVdzMU1FOXVkSEEwUzB4dE5VWXdjREkyUlU1TWF6ZHdNVTVxT1M4NFR6azJiM2xXY2tOa2FuWnJiSGx6YkZVNFNXaDVPREJxVnpaWFlpOXpiSHBJQ2pObVJEbE9aSG92VFNzNFVVVktTM0Z0T1dGeWFuRnFWMnRMTjBkQmIwaHpkVEpuZUU5YVFXUjNMMWMyZVVsQmF6RkVlR1ZMYVRKbWMxbGxLMU5LVGlzS1RrOXFURkpxV0U1c01FVlFVMnRhZURoSWEwOWFOR2t5UTFoUlN6ZHpUVTVwY1VKVGQwdG5OWEo1TTBRMmQxaFFUbU5CV0dKT2VWSXplVTh6WW5OTE13cHpTbGt4UXpSQmFqTlZlbUZLWWs4Mk1DdDJRbHBvVFVKamMzRkdUelZJVURrMVJFeFBabU5HVEhoU2R6bElVVk4zZVM5SlYyVXZWaTlPYkVkcFNqWnNDbk14Tmprd1NqVjRaM1J0ZFRBMlFXa3ZaMmRuYjJSbWRGbEVObEpMTkZOU1pVaG5TRTFqZHpWU1MxUXJSemQwTUhaVWJ6RkpUVFV4TlVWU00xUXJkSGNLSzBSRlRVaENZMkkxTmxGbVJHOU9UbVF2V0RKbFdVVnlTemh2WldRd2MzazNPREoxVmpScGVVRllkeXRhUXpOcEt6aDBPRkZ2VERjMlUzTXdjbFZLV1FwbUszTTRhbnBrZG5oRlFqSllUalYxY1ZSMVQwazNLMmhhY0VaSFdHcG1TWEYyZFhNdmRIRkVjRkpSV214eVVqQm5VVXREUVZGRlFURm9kWGhDUldsNkNsQTNUR0Z3U0RWblRHWk1UalJqVVM5cWMwTnlTME01Y0VkV2FYTXJjMmhOUkdsNGVuTjFOVWhpYzB4NGVsY3dWbWhuY201dk5XOW1TbGQ0Wm5jd2VVMEtTQ3RMUjBoaWNFOUhSVVp3Vm5WQ09VRlhhakZWVEVZNGFHcGhTblU0VGpoVGNXY3dZa05DZFVoeVowVlNhMk53YkhBMlUyVmxSblZSV1dKU01qbFpMd3BDVTBaT01IZGlRa2g1VTNOM1V6TlVjWGswVVVkcVZWWmxhalUwT1N0dGRGaFlOVVZ2VjJRelFUVlljVmN5Y1habmJFTk5ZVzQwVlN0MFZWUTBkMnN5Q25sTVVtdFFLMEo1TXpSS1pWWXZNVlF5TW1ZMlNrWXJRbmxUZEVVMWNsRlhXSEkxYkhFNVIzSkRVVmhVV2pNeVoxQnNaazV5Wm1FMGJsbDBXV1kwVm1ZS2NGSmpOak4xTlUxV1JIRXlhM0p5VURBd2FIRjZMMDVIVGtScmVEUnZTVTlKY21WU1FVMDBXa3BLVlZOMFJXNVROazF0TUhkcFVqRnBRMWhQUW5NdmFBcHplbWx2UlVOTGQxaDNOM2Q2VVV0RFFWRkZRVEJLWkdsclkweHdiVGRXYmxORmQyNVdiMkpxVlZOdE0xQjZka2R6U3pkUEwwdEJSM0puUlZWaVVuUlNDa1l5YlhSR09IbFJWRWxWYlRGV05FOTJiVnBhUWxKb1pqZEJWRU5MV2tsMWJWVlVhMHRYYUhoRmVXdEthWEJ2VEVnME4ybFlaMnBaYWtaNmEyeEdLMndLZGxWcllteHFTU3Q0YWxremVsSjNkR2RwYVdRMVEzTndkMnhrVDJ4amJIQjVaelZxUlRGNVFtTTROVEZDTWtJM1pUZGhVRUZtVFZZNE1FMU9NVUp0YkFwWEt6azFla1JITUZkUEwxZExRWEJqU0c1bk4wWk9jMHBoTXpoRlJEWjJPR05LY3pWd1dDdGlOa2NyTTJ0TE9YcEhaek16U0ZsS2NIZ3lXa1pYWlhwbkNtdHpWVXRPS3pCclVVOUNXblU0WjNaS05rMUVkM1JQV0c5blRVdG9hbXBOWjFjMmFXcExPVGRHWkdseWMwRjFhbEJsWWpGWlpWTnFRVmwzTUdSWmRWY0tUR3g1ZGxwR2VISkJVekJvVUc1d1RVRTNVRTEwTUM5aVNtY3pZM0p1VWt4UGNHeG9WMEpVVUdOUlMwTkJVVUpwVEZKS2RsWXpTM2dyTmpSalJGVk1Sd28zZGxsUE1YWkZXalJUYW1GYVZuSTBNekYwTmtwM2QxRXhOM00xZVdRNFFsZ3JlVWRsVFZkTk1FVldSa1pITDBKMGFqY3pRelIxV2s0d1MzVk5VR0ZOQ2xWeWIyUjBlRkUyTmtWcVRXUnZXVllyVERSU1ZtVk5VbFJMTWpGQmRUTmljMmc1Y25CclptZHZPV1ZuWjFsclVVUlBWQzkxS3pkeWVVVnBjVkZuWldRS05IcEJMelpIWVU1elRFbzNaMlZ1VjFGMk1IWkhTSGxDVTFaMmJ6aHpkREF6YmtreU9YVlhRbWxNVUV0U1VWRlVka1UzUWtwVlJqQnhTbkp5VnpGNmVBcE9hRTVUYmpOMWNrOU1UbEJ4UjJWWWRXWndMMGQzWWtNM1QxVnlPSGhzVGt0MGJUQk5OM1ZrZFhBNE5tSk5OV05zZWlzclVWbGpTVFpYZWpaUGFWUlFDak53YUVoRlpHZHZSbkZYTjNOME5UTktaRGRGT0ZWUVVVVlpTWGMzTVVKRFNWRlZVbTVIVWxWcUswVk9kMHhCVUM5T00wczJPVzFtVmpWU1ozbGlZemNLTnpGeWJFRnZTVUpCUWpKaFltOVlURk5OV1hSaU5WRkhTWE56V0RVMmFqaEtOa3RWZUVSVlRrTm9hekpUVG5odVJVNVJVRkJYYmpaUFNFOWFUalV4TUFwb1JHUm9NblYyVVhOTEsxWmlkaXRpUTFWa1NFWk5MM2g0UVZCUllUaFFVbGhwV2t0cFIzVmFTbkV3TjNscFpscG5lVTB2YXpsRlUxVkNWRE15YjNKakNqVlFlRFpHUldSV2NHeHlZMlZXWlRSa2JFZDRkbEUzVGtSbGFWRm9NWEU1U1ZWVVJIWTJTMjFJVWs5cmQxTmxLME16WkdaclIxWkZlbXc1V21GdlVEUUtkbU5pS3l0WFdHeHZSbFJ6V2xORVdtSlBWV2RtYm05dmRsaDVjMkZLT0V4Uk9UQklNbGRyU1U1R2NpdDVRelZvWVVaU1JERjJaR1JsV0RkSllrRXlPUXBEVmpoeFNVODRZVXB2TVNzMVFsVTVTVEJCTjFSWFRFNUtZM0ZpYlZCa1dIZGlORUpYVGtOUVRqWkpSMEprUWxKaGNIbEpReXM1VjJab2JtSk9LMEkxQ2pORE56SjNiRlZCVEc1NVVtMDRUMEl3YVVRNFNtcFZVakJaZG1wdlJFVkRaMmRGUVZaMGRFaDJiMUF5UnpSTlNFdGxNMmRIV0VkWFRqY3hVVzlUYUhnS05WbDBSMDAwUVRka1NscFpVemgxWnpkdWNrZERRV2hUTkdsV1NFWTNXVWRXUWpFd1VUTllXRUZQZW5Kc2FsTTVkMWh0ZDBSRFFYSnVXbTlrV0hsNWRRcFBiVUZPYkdweFpqUmlla0pMVUc5MllrSmpkVGR5UVhFclQwMVhORkZsWkRCaVFVTnJkbXgwVm1odVlXNXplV3B3V0UxYWFHeFhja2g1VTFGc2NFUkZDalp0VHpaSVluQnZWUzlrVWxGa1Zrd3JibmgzY2toS1VUWm5OVU0yYW5Fck0xY3ZhMlJPYVdsWU1FWnRlWFJhVTNKc1NFTlZkekpMWTBodk4xSlZSRUVLYUZJeE9YVjFlRGRUTW14R1dteHdhall3VGxaTmNtbE1TRmh0Y0ZkdVEwSjBhek5tWkVsMldsaGFURGRpU1hwWFNGTmpUVEpsWkN0SVpIUjFOVUpYY2dwQlRFeDRha2hNSzBKcVdFNVBOR1IzZDJKSFNYQjFjblpXWm5WYWNGbFVXbEpHYURZMlNsZHFUMmx6Y1RBM1FXa3lPRTVVTUVOdGJWZG5QVDBLTFMwdExTMUZUa1FnVWxOQklGQlNTVlpCVkVVZ1MwVlpMUzB0TFMwSwogICAgdG9rZW46IDg0YmI4NzA2ZDkyNmVjMGY4NzkyYmE2MmYxZGE3NGQyY2YzZTI2OWQ0Nzg5ZTNhYTk4ZDBmMTI2ZmU3MzY2ZTkyZGMwNGUzNTE2NDYyZjVlZTJiYWVhMWQwYzFmOTRhNGZiMzAxNWI3YzhkNThmNDMwYThlZWJkZDUwZjAzNjk4Cg==\"\n + \"YXBpVmVyc2lvbjogdjEKY2x1c3RlcnM6Ci0gY2x1c3RlcjoKICAgIGNlcnRpZmljYXRlLWF1dGhvcml0eS1kYXRhOiBMUzB0TFMxQ1JVZEpUaUJEUlZKVVNVWkpRMEZVUlMwdExTMHRDazFKU1VVMlZFTkRRWFJIWjBGM1NVSkJaMGxTUVVzMFRtZEhjbGh1ZEdGelRWaFhWRTlQWWtoaGFFbDNSRkZaU2t0dldrbG9kbU5PUVZGRlRFSlJRWGNLUkZSRlRFMUJhMGRCTVZWRlFYaE5RMWt5UlhkSlFtTk9UV3BKZUUxVVNUQk5WR2N4VGxSTk1sZG9aMUJOYWtFeFRXcEZlRTFxVVhoUFZFRXhUWHBhWVFwTlFUQjRRM3BCU2tKblRsWkNRVTFVUVcxT2FFMUpTVU5KYWtGT1FtZHJjV2hyYVVjNWR6QkNRVkZGUmtGQlQwTkJaemhCVFVsSlEwTm5TME5CWjBWQkNuSnhZbVUxVG5CMlZuUnZXVmhyTTJSTk5rVmtNMUIyUTJsTE1HdzBSMjB3V2xSSFRWVjFNbFJOZDBrMU1VSkZlbkkxU0ZkMk1rZzBjVk0wZVVKSFowb0tkek13VTFaR1VsaElMek4yUTFoWVZ6RTFaMlV5UlVVNWNVUTNRbTFFUVdwdE1ITjBTWFEwWTJ0SGIzTkZjM3BDYVVWalVUWkRja1I1YTNKNGVXNXFRUW94UW1GRVdUQnVaRWhRUkZGYWNtMVhkVXQxZVVVdlVpdENSVkZ2YXpOelVXWnRkR3BMYTJKbFJrTnVjamMyZDB4Uk9FSjJXVVpOZFhacWJEZFJTMVJuQ2xCRlVISk9aVlY0Ynk5VGRWRm5NVnBsWm01V1NrbENZMnQyUW5CYVlqTkpaVk42Y2pWNVozSTVTRXQxZFVOeFRHNUROeTlzTVZGaWR6ZHFNa1pMWnprS1VpdHRlQ3RyTDBObGEyOVhaRzVoTnpKQ1pERkhWVFJ4WlRaUWNYRXhVV1ZpT1hGTGJUazFaMnB0WTFwT1R6SkhhelpsU0ZSbGVEbFFXR3BhTVdSV01BbzBjamxwYlhkRWEweG5VbTVGZG5oeVRISlJkMk01UlV3MWVrVlpUbEV4ZVZGNWRIQlRVbmxKVTBsSE5XbDNXR05OYjBjeksweDFjaXR1WlZOcVRrbEdDazg0U25admVYZFZZWEpKWkhsU05rTm9XRFZaUTFrNWVDdGhRVUpPWTFWaVZqTkhURVE1Y1dwalNrcHBNMnhUUkc0d2IzZExVbkU0YjJJdk56ZEpSVFVLUms4M2FXaFFZblJaVUVaMFowMW5TMms0UW5SRGVYWTNWSEF2WTBSUkx6QXdabFIwWVM5TVJUQkdXVlEwV0doU1FrZE5MMklyYTFrcmFIVlhXUzlJZWdwdFV6TllkMnhYTjFGMGIyMWhVM05UTkVrd1drUm9jSFp4TldsT1YyTTJhak42VVhaeFRYWmpPRVptUmxkck9WbEhaMmhHUW1wSmVFeGpSM3AyTUV0aUNuaHRWVk5SUVVWaVREQm9UV3haZUdodE9GUm1SR0pTUm5ZeVRVNXJiMGhOVjJsbWEwSXhOVzFtWnk5SWFGQmtaMU4wWmtWc1ZIaFhNalpuU1ZFM1dGb0tOa1pCUTFWaU5DOXdjREpqYWxodmMyTkhkbTAyUkdoU1pGZE1kWE16U1hGVlFuazVWVGQwZVN0MGEwTkJkMFZCUVdGT1EwMUZRWGRFWjFsRVZsSXdVQXBCVVVndlFrRlJSRUZuUzJ0TlFUaEhRVEZWWkVWM1JVSXZkMUZHVFVGTlFrRm1PSGRJVVZsRVZsSXdUMEpDV1VWR1RIZG1aMEpKUzI1S01Ua3ZSVlphQ2tKbGFWaDVialJRY205aVYwMUJNRWREVTNGSFUwbGlNMFJSUlVKRGQxVkJRVFJKUTBGUlFraENOelZuYVVkWk1rdERPVWQyVG5BNFZXZzBSaTltUm1JS1YwUm5abmszVUZOSE1qSktRMFZETW5jdk1tNWpWaTlNYTFWcFNqaFJPR2hpUVZGV1YxQjZhMmxTWWpZMlFYcEZkMVV4VVhaTlNGaG9jSGRXV2xRMWVncENaMWw0ZVVkVWRtdzNTbTl0Y3pOTGFYVkVkRGg1YkRaMVIwOUpabU5STmxCVlVuSk5OWE5DVlhGd1VuZE1kMFpDZVZSV2JGbDZlV2xPYnpkMWJtTjZDakpQV1VSUVFqRnliVWhTZG05VVZGcDZNMWhFTmtkUk9Ea3pObE5PTTJsNGRESXJhMGxPU1hsUVJpdFRXRU5GVXpCWU5IQk1PR1p5V0dsM1VuY3dNWFVLZW5sMFFUbExia1J6UjJSYU1tUnpkV054V1VWcFVWWXhVa1ozUVZwNUx6ZEJjMWh6Vm1VeUwwbDRUWEI1ZW1sVWJraFRaV3REVUVOeldGRkNTbUl5VlFwVU5rOWhWR2czVkRKMmJtOVBjUzlaYlRSeFlsazVNVm9yYlU1NVdtNVdjMEpHTkdOMGNIWlVUVmxhVm10Vk9ETnBLMEZWZWtGUFYyZDBVMHAwSzBwbENqRnJMMmhCUjFaMFVEazJOVWNyWm5wNlpqZENWWFU1UnpCQmNUVTFWVE5JTWs1RU5IQlNTR1U1TUhCRE5YRlVNaTg0WjJWdFpubFdWRTkxVGtKdmJYTUtkVTFzVFc1S0x6VnVTVmxzVVhVeU5VUnFOM2c0U0hadWFXcERhSEZOVml0bGNuZERWV1ZUWlc4d1pHMVBkbmd3VnpGSlRWTnhOMlF6VmtoSGFIVmxXUXBqVmxoa1dGRlNVMjFNVFdkamVXOW9XR2RwYTNGU1ZYRkVRalJVWWpkaFdIbG5RME5WU1VWeFRGWm9ORkoxSzI5dVVsaEVOUzlhWjFGUWQyaEhhamwxQ21Jd01HNUZZVFpIWkZCc2RXcGtXVFJPSzBoS1VHZ3pNalpzV2xkNmNrVkJUelZSUTNwTVREWnJUM0ZzUW10UVprTjZPR2hFVWtSWWVsRlJVRlZDTlRrS09IbHFlVlJKUkZnMmRHRnNSbVI0Tkd0b09IQjRTakZ2VW1kWmIzbE5NVEowYzBadU1EaG9jME0yWjNsMWJrNHliVkZoV1VKMFZFRlhkRU13V1NzNUx3cFhZVkUwU1hsMGQwWlVRMjl3TlZGaWFGRTlQUW90TFMwdExVVk9SQ0JEUlZKVVNVWkpRMEZVUlMwdExTMHRDZz09CiAgICBzZXJ2ZXI6IGh0dHBzOi8vdGVzdC1mb3JjZS1jb25rOHN0ZXN0M2w0dGllLTFiZmJiNS0xYjNiMDFiNS5oY3AuZWFzdHVzMmV1YXAuYXptazhzLmlvOjQ0MwogIG5hbWU6IHRlc3QtZm9yY2UtZGVsZXRleHk1dmZragpjb250ZXh0czoKLSBjb250ZXh0OgogICAgY2x1c3RlcjogdGVzdC1mb3JjZS1kZWxldGV4eTV2ZmtqCiAgICB1c2VyOiBjbHVzdGVyVXNlcl9jb25rOHN0ZXN0M2w0dGllX3Rlc3QtZm9yY2UtZGVsZXRleHk1dmZragogIG5hbWU6IHRlc3QtZm9yY2UtZGVsZXRleHk1dmZragpjdXJyZW50LWNvbnRleHQ6IHRlc3QtZm9yY2UtZGVsZXRleHk1dmZragpraW5kOiBDb25maWcKcHJlZmVyZW5jZXM6IHt9CnVzZXJzOgotIG5hbWU6IGNsdXN0ZXJVc2VyX2Nvbms4c3Rlc3QzbDR0aWVfdGVzdC1mb3JjZS1kZWxldGV4eTV2ZmtqCiAgdXNlcjoKICAgIGNsaWVudC1jZXJ0aWZpY2F0ZS1kYXRhOiBMUzB0TFMxQ1JVZEpUaUJEUlZKVVNVWkpRMEZVUlMwdExTMHRDazFKU1VaSVZFTkRRWGRYWjBGM1NVSkJaMGxSWVZZMk5VTklNM2t2ZUN0bkszbDRVVkJVU2pRdmFrRk9RbWRyY1docmFVYzVkekJDUVZGelJrRkVRVTRLVFZGemQwTlJXVVJXVVZGRVJYZEthbGxVUVdWR2R6QjVUV3BGZUUxcVVYaFBSRlV4VFhwYVlVWjNNSGxPUkVWNFRXcFJlRTlVUVRGTmVscGhUVVJCZUFwR2VrRldRbWRPVmtKQmIxUkViazQxWXpOU2JHSlVjSFJaV0U0d1dsaEtlazFTVlhkRmQxbEVWbEZSUkVWM2VIUlpXRTR3V2xoS2FtSkhiR3hpYmxGM0NtZG5TV2xOUVRCSFExTnhSMU5KWWpORVVVVkNRVkZWUVVFMFNVTkVkMEYzWjJkSlMwRnZTVU5CVVVSQ0swaHZVRGc1U205M1ZqSjBjSFoyZVdFNEwzUUtVV1ZKVUcxcGVtNWhZMmRFWlZGNlNGcGpWbE5SWkdVcmVFdERTbWRKV1dOM1QyY3ZSMDlzT1hwb1FqTlJWRlIxTm5abVlubEZOR2xOUTBSVE1EWklhUW8wSzNOWWRsbENURFp1VDBac1NraHdZMHg2Tlc1SWJHRkdZbmMzU0V4cVRpdHFURVZxYlVSVWNFWlVhM1F3Y0Vwb1dVMUViMFk0T1VkNFVVSk1ZbGcwQ25sbVJYTjNPVVJZU3podFdXY3JXVEZZYlZOa2FISlpiR3hDVTNadVJHRldWVnB5U0hCNVVTdFRObWMzTDI1eFlWZHVVVmxVWVdsNWFqUm1SRFE0VUdJS1RraGFhV1JpWVRCWlNDdHFSVzFaTUU1eWQwTTBVRGxDUldsRmRsZEtUazV1V21keVFXbHhWREpaUWtjeWJrMWtRMmxZWkdkVVJEWmhha3d3Y0ZRd1JBcGFOWEZ6WnlzeEwwRkVRM1p2U1hrck1UQnJia0ZwVkZndmFrNVpZVkZOTXpZMmJuVkdNbG8zV1c4emJXRmxlbWx1UjFrMlpHSkJOV1p4ZG5aS1ZqSm5DbnBOVjNFelZIQm9iRzg0YWs1dVRFVkRNUzltYkVWM2FuQjJjMnBEUnpaaWVrSnJTSHBSY0RWblpWZ3dlbEo1ZVhkU1ZXMUVOWGxUVlZKbE1taFpOa2NLVDB4M1oyNXFNMDQxVFRKbmFrWlRURFZ5UzNGdk5qaEpkVFJOYmk5UVZYUnRjWGRrUVRadFZUazNlbUZ2ZHpsUVNUQTVhVVJDZEN0dVJXVlhWMUF6Y0FwWlVqQlBNR2hCWm1neldqQkJTbHAyYUVwRlZFdEJXbm9yWms1Uk5tVlZOV3hZYjB4Q05EaGtaSFpEVjBoQ1FWRkljVlk1T1ZOMVJDOHhiRGxHYWxoQ0Nsb3ZTVE5YVmpaTmMyUnBiamxETlhCTmEzQm1VWFpPYmpKUVUySjFiRTlZTDNBd1ptOVdXbHBZYlRaaWRWcHlhMmhzVVhoSlJYSm1haTlOUmt3NGNIa0tjRUpPYjBWNmRWTkJhR3huU1VsSllubzVkbEp6YWxWMFdEUlZja0p3V25Wb05FUk9LMXBqV1N0eGQxa3phV1V6UVhsalNUWnZUSEJTWlhCeGVHYzVXZ3ByVEVsWk1YQk1NVXMwWTI5VlFpOUdiVzV4TmxGUlNVUkJVVUZDYnpGWmQxWkVRVTlDWjA1V1NGRTRRa0ZtT0VWQ1FVMURRbUZCZDBWM1dVUldVakJzQ2tKQmQzZERaMWxKUzNkWlFrSlJWVWhCZDBsM1JFRlpSRlpTTUZSQlVVZ3ZRa0ZKZDBGRVFXWkNaMDVXU0ZOTlJVZEVRVmRuUWxNNFNEUkJVME53ZVdRS1ptWjRSbGRSV0c5c09IQXJSRFkyUnpGcVFVNUNaMnR4YUd0cFJ6bDNNRUpCVVhOR1FVRlBRMEZuUlVGU2QxVktkSE5UTkdSa1NrWm5lV0p3VlRCbFlRcHZXQzkyY0RsR1RFMWpiRnA0Y2tKRlJWRlBUbHBKVGxwWlYxcFlMMDVEYlZCU1VFbzBhbWxTZFdaSE5TOVVhakZTUjIwMlRVOTRWWHBoYVhnM2JXVlhDbkpVTjB0TlRWQnlNMk5yVkV0c1NIWlBja2wyU3pCNFJESkNTbmd6TjBKYUsxQm1jRWxoWjNKWlNUYzJVRzVEV1daNmRXYzVTMUlyYXpSQ0szbERObWdLV1RCb05VaEdNMWxEYkZOMGJuWjFjMUJIZW5sWllXdEtRakF6VTI1MFZHZGhXbEozY1ZKM2FUVmlialY2TjBORFJreDFNM1l2VTBaeGFFTkpOMlkzVFFwUmNtRmFaa0l6V0VaSlowZE1WV1pPZW1KdmJEY3hRa0pUVUhCa1ptRlVlRUUwVWpKek1VWm9SVTR6YTJsUk5UYzFjVXQzZDAxNllpc3llbTF1T1VONkNqTmlUa1pNZEc5bE1XaHZNekIwVWxJcmJESm5TbnBNWjBSTFZtVTFWeTlJWmtoM1RVMXVWVW96YkVGaEt6SnNVVFIyT0dsck0wVm5NMlpvVjFwWFpFVUtZVzgyVUZkbWIxSmlhVTVqY1ZwWFFURmpia2xCWTBzdloxUXlVVlppY1VaUFVWUk5WMDVrWjJKYU0xbEtUbmxZV205TU1FRjBWQ3RoTmt4UmRuUnJlQXBUY2s0elNEVlBVMFZoTlhBcmRrdHdjWFZpYjFVdlUxQkxiek5hV0NzMFFtZ3dWV2R5ZFM5NllVMXhOa2xZS3pKcVVGRTNPR1JHVjJOMVNqZ3dNVk5CQ2taRE4xcG1NMlpQTkc5aFJ6TkxkVVk1VFRSb1dITkZWV0ZSWlVkM2VITjNjbVZIVUhCbWVqZHZTVGRSWkROTVpqQjJVbFZEZDJWa0wycFBOa2hxVERJS1lqbFhUR0UyTWpoWmNXcHZaalYwYTFwb2FXSXlUVXRqY204dldqWjVTVmxvT0dRM1ZIRXdZMGx4VVhoUVpuVkpWRzFUWlROeVdUUjRRVWQ1TUROQ2JBcGhOalJIWlVKcmFFNDJSSGMzTjBScVlYcEpkV3hzTkRGekwwTlZVMmt6Ukc0eU15OVVlbmw1VVVZM1RUZ3JMelJKTURneFNrWnlWVXczSzFaT1pYRmFDblkwYVdSVFZ6QklZVUUwZWtjdkwzSk9jRVkzZEZoSlBRb3RMUzB0TFVWT1JDQkRSVkpVU1VaSlEwRlVSUzB0TFMwdENnPT0KICAgIGNsaWVudC1rZXktZGF0YTogTFMwdExTMUNSVWRKVGlCU1UwRWdVRkpKVmtGVVJTQkxSVmt0TFMwdExRcE5TVWxLU25kSlFrRkJTME5CWjBWQmQyWm9Oa1F2VUZOaFRVWmtjbUZpTnpodGRsQTNWVWhwUkRWdmN6VXlia2xCTTJ0TmVESllSbFZyU0ZoMmMxTm5DbWxaUTBkSVRVUnZVSGhxY0daak5GRmtNRVV3TjNWeU16STRhRTlKYWtGbk1IUlBhRFIxVUhKR056SkJVeXR3ZW1oYVUxSTJXRU00SzFwNE5WZG9WemdLVDNoNU5IcG1iM2w0U1RWbk1EWlNWVFZNWkV0VFdWZEVRVFpDWmxCU2MxVkJVekl4SzAxdWVFeE5VRkV4ZVhaS2JVbFFiVTVXTld0dVdXRXlTbHBSVlFweU5YY3liRlpIWVhnMlkydFFhM1Z2VHk4MU5tMXNjREJIUlRKdmMyOHJTSGNyVUVReWVsSXlXVzVYTW5SSFFpOXZlRXB0VGtSaE9FRjFSQzlSVWtsb0Nrd3hhVlJVV2pKWlMzZEpjV3M1YlVGU2RIQjZTRkZ2YkROWlJYY3JiVzk1T1V0Vk9VRXlaV0Z5U1ZCMFpuZEJkM0kyUTAxMmRHUktTbmRKYXpFdk5Ib0tWMGRyUkU0cmRYQTNhR1J0WlRKTFRqVnRibk0wY0hodFQyNVhkMDlZTm5JM2VWWmtiMDE2Um5GME1EWlpXbUZRU1hwYWVYaEJkR1l6TlZKTlNUWmlOd3BKZDJoMWJUaDNXa0k0TUV0bFdVaHNPVTB3WTNOelJWWktaeXRqYTJ4RldIUnZWMDlvYW1rNFNVbzBPWHBsVkU1dlNYaFZhU3RoZVhGeFQzWkRUSFZFQ2tvdmVqRk1XbkZ6U0ZGUGNHeFFaVGd5Y1UxUVZIbE9VRmxuZDJKbWNIaEliR3hxT1RaWFJXUkVkRWxSU0RSa01tUkJRMWRpTkZOU1JYbG5SMk12Ym5vS1ZVOXViRTlhVmpaRGQyVlFTRmhpZDJ4b2QxRkZRalpzWm1aVmNtY3ZPVnBtVWxreGQxZG1lVTR4YkdWcVRFaFpjQzlSZFdGVVNrdFlNRXg2V2pscU1BcHROM0JVYkM4MlpFZzJSbGRYVmpWMWJUZHRZVFZKV2xWTlUwSkxNelF2ZWtKVEwwdGpjVkZVWVVKTk4ydG5TVnBaUTBORFJ6Z3ZZakJpU1RGTVZpdEdDa3QzWVZkaWIyVkJlbVp0V0VkUWNYTkhUalJ1ZEhkTmJrTlBjVU0yVlZoeFlYTlpVRmRhUTNsSFRtRlRPVk4xU0V0R1FXWjRXbkEyZFd0RlEwRjNSVUVLUVZGTFEwRm5RbmN2YVRoVk1XVk5VRTVRTUN0TFJsVkRVR1l5Y3pVd1JYQTVOVlZMTlZaemJtTnlLMWc1Um1kRE9TdHZWemRtU0dGNE5ucFpWMU5QZUFwb1prTlhXVnBFUkRrME9DOVZhemcyYWpZck9GTkxPRWRSVmxFdmJVdGxaR1EzTW1nck5YZzJRbnBqVFdSeGEwOHJla1JTTkc1R05VOWtNRW95UTB3d0NucDZMMjFoWjJOMVExQjJWVmxzYzFWd1RIQXlTRk13UmtaeWVUTm9aVkJvVVU1NVMxTTJOblpGY2pkeEwyVmhPSGRRYldkWlIyWkJaVTAxZGtrd09UTUtNa2w2VEZsVlZrdFdXVGRWUm1KamJGcFRMMDVtVFVWSmQzTnBXVVJFUzJWWWNGbHJPREJZU0VZdlVFUnVUa3htUm01U04xVnVWbFZaUmxCSE1XWlJUQXB6WTBwa2VVVnFjV1pXZVhKWlVISXpNSE5rVjFOTlJWRk9TMWRpVFhsSmRVNTBaMFp6U0ZkelExZHRWSHBzVDBaNmMwUndkR1ZJZUUxYVRUTlplV1pzQ2xVeWNGZHRLekoyWlV0elQzZDVOMjFDVTBzMFF6SjBZVGQ2YUdaaVQzRXdTMVpQUWtKSFF6WnJNRFpQUkN0b09URjVjVzQyVkVndlNtNDVVRk16UjA4S2RsVjJlVFpNWVRaWlJUQldiMHRsUkRFMmEyOWtZa1JEYmpaV2RYRjRMMmRLVEZkc1dWaGljbmhJV0dkME9XSlNWVEk0T1VwYVEzTnBiVzVKTURKQllncFZhbVJhZEVVNFNGWlZRWFV3Ykdac1ZVNVdPRUppY0ZwMGNDczFPVWh0U2pWMlNVdFJTV3hGWm1sclNHTjZSamwxUzJwcFJqUmxlRVZaT1hJeVVXSjNDbk5xV21kMFlWcEtaMUZRUkRkTk9EUkdha3hvY1dWVWJYUndSMG93Tm1Wd01ESldjVmw0TW5ORU5VZDVkVXg0VFZKemRVTm9VM3BRWVRrMmFESlhOVzRLVHpJMFF6bGxWVXhoVURCSFYxbHhhSEUyVEU1UWRuRkdWSGRZVm1oTWNISTNTbWg1Y2xZMWNXeHZOMkpFZUVOUWFrTjFTRGh3YzBoemJISnFlbUZzVUFwRlFtWm1SV1ZNYkc1bFlrTllORnBFVGpNMVJuWTFkRTVWVFRnMWNpdFpZbE4wTkRCcVVUaG9SMm9yVEVGVmNYY3hVVXREUVZGRlFUTTBNRGszVWpSV0NsWmpTbUUzVjBGNFJubDFUbk00VW0xNE5UVjJjWHBpYkVWbGRYbERZVTlEUlUxd09UbEVhbXc0UVZwVWJVTjVlSEYwY1hwMllYTlNaamxZY1VsdWIxQUtNRGRWVG13d1NUWkJaa1pNWVZZeVJuQjBMMUJTUmtaak1XZHhhVGhYY0RGUGVtUkNibnBoVDI1TVNYaDBObFptT0VoRmNqVm9RMU5JTlhwNFpHeHZVZ3BGTm1nM2NFWjBZMGhRYkVWek5HaGFSSEYzTTIwNVVFOXhVMjgyVDJOM1lWazBkbTVoTmpaTWJ6QjFXV2x0YXpSWVpXUk1Ua3gwVjFOaGIxQm5TV050Q2pZMk9VUjNNRXhaYW1Oc1pVWjVaVlp0UW5WaFVVVnZZME5HUkhWQ1FTOTRNaTlXTHpSdk1HRXpiMFJQVDFCaFdWUlpTVkJKYWtOS2JreFZablJSWTFNS1JVUkxWSEpIU1hFeE1UZEZlVk5UVXpsMlYyNDFkVVpNZDJWTVYxcG1WVzFFVDNSTmFUQmlTekJ2TWpkWU0yTm5PVnB6ZDFoTVdVOVNha3hFVFZndmRBcFlRV3RWU0c5TU9YbFFSa1IxZDB0RFFWRkZRVE5wUVU5cVRFbEpTVEp5Y25sUFJuUkhVVUpGUlU1cU1sZFBZbWhsTWxCSk1FWXpkbTQ1ZFdSeWN6QnBDbkVyYlVseFdqaE1RVFJaWTNwdEwyUk9UMGRQV0RoeFpubE5Oa2dyYjFoalUxbDBhbU5oTVVWbFNVcFhialkwV1ZSdWVuRktORzQwUlZWaVIycGtjRVlLYkhKUWJtWlNVMlZOYTJwR1ZEVlpSVEZ6Y0hjME9YQjZUMmd6VUc1bVFuRnhkbmRSTWxONFNWZFVlVzhyZWxsNVYzWjVTVzV2VmpsUGVFaEVXVkZaZEFvMFVVbFpNMEpSWlZOT1VYTmhkVkpyTTBWRE5rOVNibUpZYjBwdFJXNDVORloyT0VwUlQwdG9jR2xzWWtWRVEwaHpjMUZvVTBJdlpHYzBVbXBoTTNnMUNrVlhTVTlEVW5GdE9GcEtPSE5RYVhFeFUzQXhibGRNTVdSaVJUaFdWMFIwYms4MlpuaGxTa0pEY1dOWmNWTlNNemg1UjIwd1MydFRla2gxZVRsWVlqZ0tZelJVWTBKM1ZWTkRaM0JQVUZOdmJHcE1VWFppTWtWMlZXOTFTMlEyT1Vsc2MwWnVjR1JVTUUxM1MwTkJVVUkzWkVOVFpYSmtOV0ZZWkhGWkwwZFpaZ3A0V1RKaWJWQnhjR2R1Vm05MVFXZEpkbGxETUd0bVpHbEVia1pCVkdGMWRIZGtRMjlYVVZwRmRFVktUMjVCYjNRM2NGRXJUbVZ3U0c0NVZFSnJNMFV4Q2xsWGRXbzFSMGhMY0djMWQxTXZOVmwwWTJOSFUzbFJlV0l6Um5ReU1VMXRaR05ITDBOVVZGTk5OakZ4Wmk5M2VVOVNiV1p2YkRKTU0xbzVjVkpKYlRVS09XMDFZVTU0U0ROaFIxQk9VMnR5TWxsTWRVYzNOVUZxUzFRdlJERTRRMFpxVm01UlJtZDBjVEJFUWxsRWNIazBWVnBJSzBOTFZWWjNkRkpLU1UxRk1ncHBPVE5MU3pkSlVreHBNR2hGT0hkdVV6UnZiRGxEWnpoelNHSlFVbVF4ZDNkMlJXWjRRVFpZZG5oMFkxcHFSMWwxVHpKd2NYZ3pkV3N2S3pWVmRqQldDbk4xUVRWMFJtb3dlVkJVVVVzNWMwdFdOWEpQT0ROTWRqYzBSakUyVFVwYVVrdDNWa3hHVTI1VVpYbElVbTlNWW1kWE1FdERVSFZ5ZERsbVJXZGtTbXdLUW1SbVFrRnZTVUpCUm05dFNFbEhVbWcyWjBsTWRWWTJVaTlNVEc1MFVsQnRZblF2UTB0bmVGZFZSRzUyZFdKalJrOVVjWE5HVjJoR1EzWjZUbXc0V2dwM1VITjJaakZIUlRoWGJVUk1Ua2x6YzBKa1J6SktObTlwV2xkTVVYRjVLME5VV1VwVVEyZGxibXhIY0hSNGIySTFWakpSTlc5c1FsQnZVVkJMUWpBd0NsWTBMM3BVVFdRemNHUldlbmhUZDJwRFV6UkxZM1ZCZFV0U1FtRXpiMjlLUTI1UVlVUlNiazFSUVRWSFJYZHpNRXhHTVcxVGNIZ3hXVEl4SzFwTlVXVUtRMGRFYUdwUFYzWkNNbFpDVkhwNlQwa3ljME5tVHpab01YcHRWVkZTVEZVeVpsbzJSemRwTjNwT05HVjNTMGwwZVhOUVJ6UnpVR2hVWkhvMFEybFZhd294UzBwdFlXSTNWakp4U1dwc1dXUk5hRlJaU21aeFdXZFhiM1pRVW1GS2VrdHdhMHhEWm5WTkwzTjZWWE5oU2pNeVlYVjRkazFsVG1Sc1kweEJZMVU1Q2xwWUswSmhXR1oyWTFGcU9VbHNNbGc0U0hsbGExSkdUMDFUYVcxbmRUQkRaMmRGUVZWdlJYWm1XVWxwWkcwMVEwNXJabXd2VW14VVZsTnRiVWxVV2xNS2JTOTBOemhsZHpJeUsxSkxPRk5FVFhOWlVVUlNNalJDY1ZneWF6Vm5PVU5VTDNKTFUybEdPRGRZVkRsNFFWa3hPRWhVTWt4WGVETnpXRGREV0dweWNnbzRkbU5tYnpCT1VITnZjekZ3Y1hsdFRUUlhjMnBSVDAwdmRFOW9lVUprU3pnemJ6ZG9kbmxMYUhWUVkxY3ZVV0Z2U1hCd1Z6TjFaV05pYm5jNVVsRnVDa2hQWldWd05IWjJUM1ZrUmpkRk1uZG1WVUpEYkhFMVNFdGxibFJFS3pnMFRYUXdhamhYYmtsVVdGZzVkV0V4TldJNVRIQnpMMDB3WWtsS1VVNXlUVkFLTmxOV1JEbEZaVU5wYlZSS01IVlVNamhFUW5Ob1QwaHBTVVJCYm5oeldraERjVUZUVXpNeU5FOU1NbVV4WTIxbGFUVjBUMW95YzNwYWRrNTRjRWxxYVFwTlZVWTNLMnROVnpkek5DOVdiSEJNZVVOdWNVczJUblI1UVRRM2FXNXhiSFZHYVV4dk4zRnNRVVJCZWxWdlRrSk5VRmQxVGt4eWN6SjNQVDBLTFMwdExTMUZUa1FnVWxOQklGQlNTVlpCVkVVZ1MwVlpMUzB0TFMwSwogICAgdG9rZW46IGQ0OGRhNDgzZjczOTBlYWU3YmQxYWEzNjlhYTQyYTUwMDk1NmZiYzg5MGIxMGI0MjBkODcwMjEyNTZiOTlkYTc1OTBlN2FhOTFkMTQ1MzA2MzlhYTlkNzZhODc1OWM0YmEwNWYwNTM2N2I4ZjIyMDk0NDE4ZDE0ZmY2MmUzY2IwCg==\"\n \ }\n ]\n }" headers: cache-control: - no-cache content-length: - - '13160' + - '13176' content-type: - application/json date: - - Tue, 15 Nov 2022 11:37:34 GMT + - Thu, 24 Nov 2022 19:10:28 GMT expires: - '-1' pragma: @@ -810,9 +825,9 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n -l --tags --kube-config + - -g -n -l --tags --kube-config --kube-context User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Windows-10-10.0.19045-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Kubernetes?api-version=2021-04-01 response: @@ -835,7 +850,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Tue, 15 Nov 2022 11:37:37 GMT + - Thu, 24 Nov 2022 19:10:42 GMT expires: - '-1' pragma: @@ -861,9 +876,9 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n -l --tags --kube-config + - -g -n -l --tags --kube-config --kube-context User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Windows-10-10.0.19045-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration?api-version=2021-04-01 response: @@ -874,61 +889,61 @@ interactions: Central","Central US","North Central US","West US","Korea Central","East Asia","Japan East","Canada East","Canada Central","Norway East","Germany West Central","Sweden Central","Switzerland North","Australia Southeast","Central India","South - India","Japan West","Uk West","France South","Korea South","South Africa North","East - US 2 EUAP","Central US EUAP"],"apiVersions":["2022-07-01","2022-03-01","2021-03-01","2020-10-01-preview","2020-07-01-preview","2019-11-01-preview"],"defaultApiVersion":"2022-03-01","capabilities":"SupportsExtension"},{"resourceType":"extensions","locations":["East + India","Japan West","Uk West","France South","Korea South","South Africa North","Brazil + South","Uae North","East US 2 EUAP","Central US EUAP"],"apiVersions":["2022-07-01","2022-03-01","2021-03-01","2020-10-01-preview","2020-07-01-preview","2019-11-01-preview"],"defaultApiVersion":"2022-03-01","capabilities":"SupportsExtension"},{"resourceType":"extensions","locations":["East US","West Europe","West Central US","West US 2","West US 3","South Central US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France Central","Central US","North Central US","West US","Korea Central","East Asia","Japan East","Canada East","Canada Central","Norway East","Germany West Central","Sweden Central","Switzerland North","Australia Southeast","Central India","South - India","Japan West","Uk West","France South","Korea South","South Africa North","East - US 2 EUAP","Central US EUAP"],"apiVersions":["2022-07-01","2022-04-02-preview","2022-03-01","2021-09-01","2021-05-01-preview","2020-07-01-preview"],"defaultApiVersion":"2022-07-01","capabilities":"SystemAssignedResourceIdentity, + India","Japan West","Uk West","France South","Korea South","South Africa North","Brazil + South","Uae North","East US 2 EUAP","Central US EUAP"],"apiVersions":["2022-07-01","2022-04-02-preview","2022-03-01","2021-09-01","2021-05-01-preview","2020-07-01-preview"],"defaultApiVersion":"2022-07-01","capabilities":"SystemAssignedResourceIdentity, SupportsExtension"},{"resourceType":"fluxConfigurations","locations":["East US","West Europe","West Central US","West US 2","West US 3","South Central US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France Central","Central US","North Central US","West US","Korea Central","East Asia","Japan East","Canada East","Canada Central","Norway East","Germany West Central","Sweden Central","Switzerland North","Australia Southeast","Central India","South - India","Japan West","Uk West","Korea South","France South","South Africa North","East - US 2 EUAP","Central US EUAP"],"apiVersions":["2022-07-01","2022-03-01","2022-01-01-preview","2021-11-01-preview","2021-06-01-preview"],"defaultApiVersion":"2022-07-01","capabilities":"SupportsExtension"},{"resourceType":"operations","locations":[],"apiVersions":["2022-03-01","2022-01-01-preview","2021-12-01-preview","2021-11-01-preview","2021-09-01","2021-06-01-preview","2021-05-01-preview","2021-03-01","2020-10-01-preview","2020-07-01-preview","2019-11-01-preview"],"capabilities":"None"},{"resourceType":"privateLinkScopes","locations":["East + India","Japan West","Uk West","Korea South","France South","South Africa North","Brazil + South","Uae North","East US 2 EUAP","Central US EUAP"],"apiVersions":["2022-07-01","2022-03-01","2022-01-01-preview","2021-11-01-preview","2021-06-01-preview"],"defaultApiVersion":"2022-07-01","capabilities":"SupportsExtension"},{"resourceType":"operations","locations":[],"apiVersions":["2022-03-01","2022-01-01-preview","2021-12-01-preview","2021-11-01-preview","2021-09-01","2021-06-01-preview","2021-05-01-preview","2021-03-01","2020-10-01-preview","2020-07-01-preview","2019-11-01-preview"],"capabilities":"None"},{"resourceType":"privateLinkScopes","locations":["East US","West Europe","West Central US","West US 2","West US 3","South Central US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France Central","Central US","North Central US","West US","Korea Central","East Asia","Japan East","Canada East","Canada Central","Norway East","Germany West Central","Sweden Central","Switzerland North","Australia Southeast","Central India","South - India","Japan West","Uk West","Korea South","France South","South Africa North","East - US 2 EUAP","Central US EUAP"],"apiVersions":["2022-04-02-preview"],"capabilities":"SupportsTags, + India","Japan West","Uk West","Korea South","France South","South Africa North","Brazil + South","Uae North","East US 2 EUAP","Central US EUAP"],"apiVersions":["2022-04-02-preview"],"capabilities":"SupportsTags, SupportsLocation"},{"resourceType":"privateLinkScopes/privateEndpointConnections","locations":["East US","West Europe","West Central US","West US 2","West US 3","South Central US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France Central","Central US","North Central US","West US","Korea Central","East Asia","Japan East","Canada East","Canada Central","Norway East","Germany West Central","Sweden Central","Switzerland North","Australia Southeast","Central India","South - India","Japan West","Uk West","France South","Korea South","South Africa North","East - US 2 EUAP","Central US EUAP"],"apiVersions":["2022-04-02-preview"],"capabilities":"None"},{"resourceType":"privateLinkScopes/privateEndpointConnectionProxies","locations":["East + India","Japan West","Uk West","France South","Korea South","South Africa North","Brazil + South","Uae North","East US 2 EUAP","Central US EUAP"],"apiVersions":["2022-04-02-preview"],"capabilities":"None"},{"resourceType":"privateLinkScopes/privateEndpointConnectionProxies","locations":["East US","West Europe","West Central US","West US 2","West US 3","South Central US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France Central","Central US","North Central US","West US","Korea Central","East Asia","Japan East","Canada East","Canada Central","Norway East","Germany West Central","Sweden Central","Switzerland North","Australia Southeast","Central India","South - India","Japan West","Uk West","South Africa North","Korea South","France South","East - US 2 EUAP","Central US EUAP"],"apiVersions":["2022-04-02-preview"],"capabilities":"None"},{"resourceType":"namespaces","locations":["East + India","Japan West","Uk West","South Africa North","Korea South","France South","Brazil + South","Uae North","East US 2 EUAP","Central US EUAP"],"apiVersions":["2022-04-02-preview"],"capabilities":"None"},{"resourceType":"namespaces","locations":["East US 2 EUAP","West US 2","East US","West Europe","West Central US","West US 3","South Central US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France Central","Central US","North Central US","West US","Korea Central","East Asia","Japan East","Canada Central","Canada East","Norway East","Germany West Central","Switzerland North","Sweden Central","Central India","South India","Australia Southeast","Japan West","Uk West","France South","Korea South","South Africa - North"],"apiVersions":["2021-12-01-preview"],"defaultApiVersion":"2021-12-01-preview","capabilities":"SupportsExtension"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' + North","Brazil South","Uae North"],"apiVersions":["2021-12-01-preview"],"defaultApiVersion":"2021-12-01-preview","capabilities":"SupportsExtension"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' headers: cache-control: - no-cache content-length: - - '6074' + - '6263' content-type: - application/json; charset=utf-8 date: - - Tue, 15 Nov 2022 11:37:37 GMT + - Thu, 24 Nov 2022 19:10:42 GMT expires: - '-1' pragma: @@ -952,7 +967,7 @@ interactions: User-Agent: - OpenAPI-Generator/24.2.0/python method: GET - uri: https://test-force-rohanazuregroup-1bfbb5-6f1967ab.hcp.westeurope.azmk8s.io/version/ + uri: https://test-force-conk8stest000001-1bfbb5-1b3b01b5.hcp.eastus2euap.azmk8s.io/version/ response: body: string: "{\n \"major\": \"1\",\n \"minor\": \"23\",\n \"gitVersion\": \"v1.23.12\",\n @@ -961,7 +976,7 @@ interactions: \ \"compiler\": \"gc\",\n \"platform\": \"linux/amd64\"\n}" headers: audit-id: - - 06550239-f165-416e-bf9b-ffc84a96f5fc + - ebeba8f4-f9cc-4983-9d43-ab88e5778852 cache-control: - no-cache, private content-length: @@ -969,11 +984,11 @@ interactions: content-type: - application/json date: - - Tue, 15 Nov 2022 11:37:39 GMT + - Thu, 24 Nov 2022 19:10:44 GMT x-kubernetes-pf-flowschema-uid: - - 41f5db60-86cb-4eda-ae03-4e5d3b32ee1c + - 82d00372-72d6-4c5b-9ff3-709e42c5c214 x-kubernetes-pf-prioritylevel-uid: - - 10e00fa7-faea-45c7-90e4-414371b6c667 + - 08eb1bb5-9f77-4611-93e9-f1a16beacaed status: code: 200 message: OK @@ -987,33 +1002,45 @@ interactions: User-Agent: - OpenAPI-Generator/24.2.0/python method: GET - uri: https://test-force-rohanazuregroup-1bfbb5-6f1967ab.hcp.westeurope.azmk8s.io/api/v1/nodes + uri: https://test-force-conk8stest000001-1bfbb5-1b3b01b5.hcp.eastus2euap.azmk8s.io/api/v1/nodes response: body: - string: '{"kind":"NodeList","apiVersion":"v1","metadata":{"resourceVersion":"1501"},"items":[{"metadata":{"name":"aks-nodepool1-67049894-vmss000000","uid":"c51f8592-b109-4946-a303-a53d917c9871","resourceVersion":"1022","creationTimestamp":"2022-11-15T11:35:10Z","labels":{"agentpool":"nodepool1","beta.kubernetes.io/arch":"amd64","beta.kubernetes.io/instance-type":"Standard_B4ms","beta.kubernetes.io/os":"linux","failure-domain.beta.kubernetes.io/region":"westeurope","failure-domain.beta.kubernetes.io/zone":"0","kubernetes.azure.com/agentpool":"nodepool1","kubernetes.azure.com/cluster":"MC_rohanazuregroup_test-force-delete000001_westeurope","kubernetes.azure.com/kubelet-identity-client-id":"c27d58c7-a95c-4e20-8ed1-7a1748a68d3f","kubernetes.azure.com/mode":"system","kubernetes.azure.com/node-image-version":"AKSUbuntu-1804gen2containerd-2022.10.24","kubernetes.azure.com/os-sku":"Ubuntu","kubernetes.azure.com/role":"agent","kubernetes.azure.com/storageprofile":"managed","kubernetes.azure.com/storagetier":"Premium_LRS","kubernetes.io/arch":"amd64","kubernetes.io/hostname":"aks-nodepool1-67049894-vmss000000","kubernetes.io/os":"linux","kubernetes.io/role":"agent","node-role.kubernetes.io/agent":"","node.kubernetes.io/instance-type":"Standard_B4ms","storageprofile":"managed","storagetier":"Premium_LRS","topology.disk.csi.azure.com/zone":"","topology.kubernetes.io/region":"westeurope","topology.kubernetes.io/zone":"0"},"annotations":{"csi.volume.kubernetes.io/nodeid":"{\"disk.csi.azure.com\":\"aks-nodepool1-67049894-vmss000000\",\"file.csi.azure.com\":\"aks-nodepool1-67049894-vmss000000\"}","node.alpha.kubernetes.io/ttl":"0","volumes.kubernetes.io/controller-managed-attach-detach":"true"},"managedFields":[{"manager":"cloud-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:10Z","fieldsType":"FieldsV1","fieldsV1":{"f:spec":{"f:podCIDR":{},"f:podCIDRs":{".":{},"v:\"10.244.0.0/24\"":{}}}}},{"manager":"kubelet","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:10Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:volumes.kubernetes.io/controller-managed-attach-detach":{}},"f:labels":{".":{},"f:agentpool":{},"f:beta.kubernetes.io/arch":{},"f:beta.kubernetes.io/os":{},"f:kubernetes.azure.com/agentpool":{},"f:kubernetes.azure.com/kubelet-identity-client-id":{},"f:kubernetes.azure.com/mode":{},"f:kubernetes.azure.com/node-image-version":{},"f:kubernetes.io/arch":{},"f:kubernetes.io/hostname":{},"f:kubernetes.io/os":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:20Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{"f:node.alpha.kubernetes.io/ttl":{}}}}},{"manager":"cloud-node-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:22Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{"f:beta.kubernetes.io/instance-type":{},"f:failure-domain.beta.kubernetes.io/region":{},"f:failure-domain.beta.kubernetes.io/zone":{},"f:node.kubernetes.io/instance-type":{},"f:topology.kubernetes.io/region":{},"f:topology.kubernetes.io/zone":{}}},"f:spec":{"f:providerID":{}}}},{"manager":"cloud-node-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:22Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{"k:{\"type\":\"NetworkUnavailable\"}":{".":{},"f:type":{}}}}},"subresource":"status"},{"manager":"kubectl-label","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:25Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{"f:kubernetes.io/role":{},"f:node-role.kubernetes.io/agent":{}}}}},{"manager":"kubelet","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:26Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{"f:csi.volume.kubernetes.io/nodeid":{}},"f:labels":{"f:topology.disk.csi.azure.com/zone":{}}},"f:status":{"f:allocatable":{"f:ephemeral-storage":{}},"f:capacity":{"f:ephemeral-storage":{}},"f:conditions":{"k:{\"type\":\"DiskPressure\"}":{"f:lastHeartbeatTime":{}},"k:{\"type\":\"MemoryPressure\"}":{"f:lastHeartbeatTime":{}},"k:{\"type\":\"PIDPressure\"}":{"f:lastHeartbeatTime":{}},"k:{\"type\":\"Ready\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}}},"f:images":{}}},"subresource":"status"},{"manager":"cloud-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:57Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{"k:{\"type\":\"NetworkUnavailable\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}}}}},"subresource":"status"}]},"spec":{"podCIDR":"10.244.0.0/24","podCIDRs":["10.244.0.0/24"],"providerID":"azure:///subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/mc_rohanazuregroup_test-force-delete000001_westeurope/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-67049894-vmss/virtualMachines/0"},"status":{"capacity":{"cpu":"4","ephemeral-storage":"129886128Ki","hugepages-1Gi":"0","hugepages-2Mi":"0","memory":"16393244Ki","pods":"110"},"allocatable":{"cpu":"3860m","ephemeral-storage":"119703055367","hugepages-1Gi":"0","hugepages-2Mi":"0","memory":"12899356Ki","pods":"110"},"conditions":[{"type":"NetworkUnavailable","status":"False","lastHeartbeatTime":"2022-11-15T11:35:57Z","lastTransitionTime":"2022-11-15T11:35:57Z","reason":"RouteCreated","message":"RouteController - created a route"},{"type":"MemoryPressure","status":"False","lastHeartbeatTime":"2022-11-15T11:35:20Z","lastTransitionTime":"2022-11-15T11:35:10Z","reason":"KubeletHasSufficientMemory","message":"kubelet - has sufficient memory available"},{"type":"DiskPressure","status":"False","lastHeartbeatTime":"2022-11-15T11:35:20Z","lastTransitionTime":"2022-11-15T11:35:10Z","reason":"KubeletHasNoDiskPressure","message":"kubelet - has no disk pressure"},{"type":"PIDPressure","status":"False","lastHeartbeatTime":"2022-11-15T11:35:20Z","lastTransitionTime":"2022-11-15T11:35:10Z","reason":"KubeletHasSufficientPID","message":"kubelet - has sufficient PID available"},{"type":"Ready","status":"True","lastHeartbeatTime":"2022-11-15T11:35:20Z","lastTransitionTime":"2022-11-15T11:35:20Z","reason":"KubeletReady","message":"kubelet - is posting ready status. AppArmor enabled"}],"addresses":[{"type":"InternalIP","address":"10.224.0.4"},{"type":"Hostname","address":"aks-nodepool1-67049894-vmss000000"}],"daemonEndpoints":{"kubeletEndpoint":{"Port":10250}},"nodeInfo":{"machineID":"121293ffb7ad4053ba3789c4735012a7","systemUUID":"73e4898a-5d1b-4151-97f4-b460f983e7e7","bootID":"478f2f98-e9b6-424f-bd9c-8ebfd8a9e7c5","kernelVersion":"5.4.0-1094-azure","osImage":"Ubuntu - 18.04.6 LTS","containerRuntimeVersion":"containerd://1.5.11+azure-2","kubeletVersion":"v1.23.12","kubeProxyVersion":"v1.23.12","operatingSystem":"linux","architecture":"amd64"},"images":[{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod:ciprod10042022-3c05dd1b"],"sizeBytes":398142568},{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod:ciprod08102022"],"sizeBytes":397844357},{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod/prometheus-collector/images:5.3.0-main-10-06-2022-c0c49872"],"sizeBytes":314952834},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:0.49.3"],"sizeBytes":287741913},{"names":["mcr.microsoft.com/oss/calico/cni:v3.23.1"],"sizeBytes":263014840},{"names":["mcr.microsoft.com/oss/calico/cni:v3.21.4"],"sizeBytes":236345866},{"names":["mcr.microsoft.com/oss/calico/cni:v3.21.6"],"sizeBytes":227829276},{"names":["mcr.microsoft.com/oss/calico/node:v3.23.1"],"sizeBytes":221560540},{"names":["mcr.microsoft.com/oss/calico/node:v3.21.4"],"sizeBytes":216363503},{"names":["mcr.microsoft.com/oss/calico/node:v3.21.6"],"sizeBytes":215379163},{"names":["mcr.microsoft.com/oss/cilium/cilium:1.12.2.2"],"sizeBytes":167729489},{"names":["mcr.microsoft.com/oss/cilium/cilium:1.12.2"],"sizeBytes":166611722},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:0.19.0"],"sizeBytes":166352383},{"names":["mcr.microsoft.com/aks/hcp/hcp-tunnel-front:master.220527.2"],"sizeBytes":146994488},{"names":null,"sizeBytes":138243950},{"names":["mcr.microsoft.com/oss/calico/kube-controllers:v3.23.1"],"sizeBytes":136078571},{"names":["mcr.microsoft.com/oss/calico/typha:v3.23.1"],"sizeBytes":131467121},{"names":["mcr.microsoft.com/oss/kubernetes/kube-proxy:v1.23.12-hotfix.20220922.1"],"sizeBytes":128992809},{"names":null,"sizeBytes":128984097},{"names":["mcr.microsoft.com/oss/tigera/operator:v1.24.2"],"sizeBytes":128711964},{"names":["mcr.microsoft.com/oss/calico/typha:v3.21.4"],"sizeBytes":128235133},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.2.2.5"],"sizeBytes":123925992},{"names":null,"sizeBytes":123550720},{"names":null,"sizeBytes":123549904},{"names":["mcr.microsoft.com/oss/calico/kube-controllers:v3.21.6"],"sizeBytes":123549280},{"names":null,"sizeBytes":123542588},{"names":null,"sizeBytes":123542274},{"names":["mcr.microsoft.com/oss/calico/typha:v3.21.6"],"sizeBytes":119713369},{"names":null,"sizeBytes":115909379},{"names":null,"sizeBytes":115897326},{"names":null,"sizeBytes":115893258},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:v1.2.1"],"sizeBytes":107169290},{"names":["mcr.microsoft.com/oss/calico/node:v3.8.9.5"],"sizeBytes":101794833},{"names":["mcr.microsoft.com/containernetworking/azure-cns:v1.4.35"],"sizeBytes":101298296},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.22.0.3"],"sizeBytes":99538753},{"names":["mcr.microsoft.com/aks/acc/sgx-attestation:3.1"],"sizeBytes":98058501},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.23.0"],"sizeBytes":95915873},{"names":["mcr.microsoft.com/oss/kubernetes/exechealthz:1.2_v0.0.5"],"sizeBytes":94348102},{"names":["mcr.microsoft.com/aks/hcp/tunnel-openvpn:master.220527.2"],"sizeBytes":92531564},{"names":["mcr.microsoft.com/containernetworking/azure-npm:v1.4.32"],"sizeBytes":90048618},{"names":["mcr.microsoft.com/containernetworking/azure-npm:v1.4.29"],"sizeBytes":89255513},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.2.2"],"sizeBytes":88551490},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.22.0"],"sizeBytes":83173887},{"names":["mcr.microsoft.com/aks/command/runtime:master.220211.1"],"sizeBytes":82792811},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.21.0"],"sizeBytes":75345915},{"names":["mcr.microsoft.com/oss/nvidia/k8s-device-plugin:v0.9.0"],"sizeBytes":67291599},{"names":["mcr.microsoft.com/containernetworking/cni-dropgz:v0.0.2"],"sizeBytes":67202663},{"names":["mcr.microsoft.com/oss/tigera/operator:v1.27.12"],"sizeBytes":64784076},{"names":["mcr.microsoft.com/oss/kubernetes-csi/secrets-store/driver:v1.2.2.3"],"sizeBytes":64781810},{"names":["mcr.microsoft.com/oss/calico/cni:v3.8.9.3"],"sizeBytes":63581323}]}}]} + string: '{"kind":"NodeList","apiVersion":"v1","metadata":{"resourceVersion":"1907"},"items":[{"metadata":{"name":"aks-nodepool1-78026764-vmss000000","uid":"186ad862-1563-40a5-9605-0b05b8a829f6","resourceVersion":"1532","creationTimestamp":"2022-11-24T19:07:27Z","labels":{"agentpool":"nodepool1","beta.kubernetes.io/arch":"amd64","beta.kubernetes.io/instance-type":"Standard_DS2_v2","beta.kubernetes.io/os":"linux","failure-domain.beta.kubernetes.io/region":"eastus2euap","failure-domain.beta.kubernetes.io/zone":"0","kubernetes.azure.com/agentpool":"nodepool1","kubernetes.azure.com/cluster":"MC_conk8stest000001_test-force-delete000002_eastus2euap","kubernetes.azure.com/kubelet-identity-client-id":"e72446c8-e53a-4520-9f8a-a04613d5a8c0","kubernetes.azure.com/mode":"system","kubernetes.azure.com/node-image-version":"AKSUbuntu-1804gen2containerd-2022.11.02","kubernetes.azure.com/os-sku":"Ubuntu","kubernetes.azure.com/role":"agent","kubernetes.azure.com/storageprofile":"managed","kubernetes.azure.com/storagetier":"Premium_LRS","kubernetes.io/arch":"amd64","kubernetes.io/hostname":"aks-nodepool1-78026764-vmss000000","kubernetes.io/os":"linux","kubernetes.io/role":"agent","node-role.kubernetes.io/agent":"","node.kubernetes.io/instance-type":"Standard_DS2_v2","storageprofile":"managed","storagetier":"Premium_LRS","topology.disk.csi.azure.com/zone":"","topology.kubernetes.io/region":"eastus2euap","topology.kubernetes.io/zone":"0"},"annotations":{"csi.volume.kubernetes.io/nodeid":"{\"disk.csi.azure.com\":\"aks-nodepool1-78026764-vmss000000\",\"file.csi.azure.com\":\"aks-nodepool1-78026764-vmss000000\"}","node.alpha.kubernetes.io/ttl":"0","volumes.kubernetes.io/controller-managed-attach-detach":"true"},"managedFields":[{"manager":"cloud-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:07:27Z","fieldsType":"FieldsV1","fieldsV1":{"f:spec":{"f:podCIDR":{},"f:podCIDRs":{".":{},"v:\"10.244.2.0/24\"":{}}}}},{"manager":"kubelet","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:07:27Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:volumes.kubernetes.io/controller-managed-attach-detach":{}},"f:labels":{".":{},"f:agentpool":{},"f:beta.kubernetes.io/arch":{},"f:beta.kubernetes.io/os":{},"f:kubernetes.azure.com/agentpool":{},"f:kubernetes.azure.com/kubelet-identity-client-id":{},"f:kubernetes.azure.com/mode":{},"f:kubernetes.azure.com/node-image-version":{},"f:kubernetes.io/arch":{},"f:kubernetes.io/hostname":{},"f:kubernetes.io/os":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:07:29Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{"f:node.alpha.kubernetes.io/ttl":{}}}}},{"manager":"cloud-node-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:07:44Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{"f:beta.kubernetes.io/instance-type":{},"f:failure-domain.beta.kubernetes.io/region":{},"f:failure-domain.beta.kubernetes.io/zone":{},"f:node.kubernetes.io/instance-type":{},"f:topology.kubernetes.io/region":{},"f:topology.kubernetes.io/zone":{}}},"f:spec":{"f:providerID":{}}}},{"manager":"cloud-node-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:07:44Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{"k:{\"type\":\"NetworkUnavailable\"}":{".":{},"f:type":{}}}}},"subresource":"status"},{"manager":"kubelet","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:07:48Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{"f:csi.volume.kubernetes.io/nodeid":{}},"f:labels":{"f:topology.disk.csi.azure.com/zone":{}}},"f:status":{"f:allocatable":{"f:ephemeral-storage":{}},"f:capacity":{"f:ephemeral-storage":{}},"f:conditions":{"k:{\"type\":\"DiskPressure\"}":{"f:lastHeartbeatTime":{}},"k:{\"type\":\"MemoryPressure\"}":{"f:lastHeartbeatTime":{}},"k:{\"type\":\"PIDPressure\"}":{"f:lastHeartbeatTime":{}},"k:{\"type\":\"Ready\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}}},"f:images":{}}},"subresource":"status"},{"manager":"kubectl-label","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:08:26Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{"f:kubernetes.io/role":{},"f:node-role.kubernetes.io/agent":{}}}}},{"manager":"cloud-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:09:09Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{"k:{\"type\":\"NetworkUnavailable\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}}}}},"subresource":"status"}]},"spec":{"podCIDR":"10.244.2.0/24","podCIDRs":["10.244.2.0/24"],"providerID":"azure:///subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/mc_conk8stest000001_test-force-delete000002_eastus2euap/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-78026764-vmss/virtualMachines/0"},"status":{"capacity":{"cpu":"2","ephemeral-storage":"129886128Ki","hugepages-1Gi":"0","hugepages-2Mi":"0","memory":"7116276Ki","pods":"110"},"allocatable":{"cpu":"1900m","ephemeral-storage":"119703055367","hugepages-1Gi":"0","hugepages-2Mi":"0","memory":"4670964Ki","pods":"110"},"conditions":[{"type":"NetworkUnavailable","status":"False","lastHeartbeatTime":"2022-11-24T19:09:09Z","lastTransitionTime":"2022-11-24T19:09:09Z","reason":"RouteCreated","message":"RouteController + created a route"},{"type":"MemoryPressure","status":"False","lastHeartbeatTime":"2022-11-24T19:07:29Z","lastTransitionTime":"2022-11-24T19:07:27Z","reason":"KubeletHasSufficientMemory","message":"kubelet + has sufficient memory available"},{"type":"DiskPressure","status":"False","lastHeartbeatTime":"2022-11-24T19:07:29Z","lastTransitionTime":"2022-11-24T19:07:27Z","reason":"KubeletHasNoDiskPressure","message":"kubelet + has no disk pressure"},{"type":"PIDPressure","status":"False","lastHeartbeatTime":"2022-11-24T19:07:29Z","lastTransitionTime":"2022-11-24T19:07:27Z","reason":"KubeletHasSufficientPID","message":"kubelet + has sufficient PID available"},{"type":"Ready","status":"True","lastHeartbeatTime":"2022-11-24T19:07:29Z","lastTransitionTime":"2022-11-24T19:07:29Z","reason":"KubeletReady","message":"kubelet + is posting ready status. AppArmor enabled"}],"addresses":[{"type":"InternalIP","address":"10.224.4.0"},{"type":"Hostname","address":"aks-nodepool1-78026764-vmss000000"}],"daemonEndpoints":{"kubeletEndpoint":{"Port":10250}},"nodeInfo":{"machineID":"810bd94bdf1c466bb776b94b92392e40","systemUUID":"f4d1b2a6-5213-4033-a766-27f86f3e07e1","bootID":"fcd7beaf-cb3c-4c72-a390-1e99a106a493","kernelVersion":"5.4.0-1094-azure","osImage":"Ubuntu + 18.04.6 LTS","containerRuntimeVersion":"containerd://1.6.4+azure-4","kubeletVersion":"v1.23.12","kubeProxyVersion":"v1.23.12","operatingSystem":"linux","architecture":"amd64"},"images":[{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod:ciprod10042022-3c05dd1b"],"sizeBytes":398142568},{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod:ciprod08102022"],"sizeBytes":397844357},{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod/prometheus-collector/images:5.4.0-main-10-26-2022-16f02b39"],"sizeBytes":317373885},{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod/prometheus-collector/images:5.3.0-main-10-06-2022-c0c49872"],"sizeBytes":314952834},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:0.49.3"],"sizeBytes":287741913},{"names":["mcr.microsoft.com/oss/calico/cni:v3.23.3"],"sizeBytes":254912666},{"names":["mcr.microsoft.com/oss/calico/cni:v3.21.6"],"sizeBytes":227829276},{"names":["mcr.microsoft.com/oss/calico/node:v3.21.6"],"sizeBytes":215379163},{"names":["mcr.microsoft.com/oss/calico/node:v3.23.3"],"sizeBytes":210001116},{"names":["mcr.microsoft.com/oss/tigera/operator:v1.23.8"],"sizeBytes":184105789},{"names":["mcr.microsoft.com/oss/cilium/cilium:1.12.2.3"],"sizeBytes":170029890},{"names":["mcr.microsoft.com/oss/cilium/cilium:1.12.2.2"],"sizeBytes":167729489},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:0.19.0"],"sizeBytes":166352383},{"names":["mcr.microsoft.com/aks/hcp/hcp-tunnel-front:master.220527.2"],"sizeBytes":146994488},{"names":null,"sizeBytes":138243950},{"names":["mcr.microsoft.com/oss/kubernetes/kube-proxy:v1.23.12-hotfix.20220922.1"],"sizeBytes":128992809},{"names":null,"sizeBytes":128984097},{"names":["mcr.microsoft.com/oss/calico/kube-controllers:v3.23.3"],"sizeBytes":127665612},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.2.2.5"],"sizeBytes":123925992},{"names":null,"sizeBytes":123550720},{"names":null,"sizeBytes":123549904},{"names":["mcr.microsoft.com/oss/calico/kube-controllers:v3.21.6"],"sizeBytes":123549280},{"names":null,"sizeBytes":123542588},{"names":null,"sizeBytes":123542274},{"names":["mcr.microsoft.com/oss/calico/typha:v3.23.3"],"sizeBytes":123064920},{"names":null,"sizeBytes":122387306},{"names":null,"sizeBytes":122382675},{"names":["mcr.microsoft.com/oss/calico/typha:v3.21.6"],"sizeBytes":119713369},{"names":null,"sizeBytes":115897326},{"names":null,"sizeBytes":115893258},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:v1.2.1"],"sizeBytes":107169290},{"names":["mcr.microsoft.com/oss/calico/node:v3.8.9.5"],"sizeBytes":101794833},{"names":["mcr.microsoft.com/containernetworking/azure-cns:v1.4.35"],"sizeBytes":101298296},{"names":["mcr.microsoft.com/aks/acc/sgx-attestation:3.1"],"sizeBytes":98058501},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.23.0"],"sizeBytes":95915873},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.24.0"],"sizeBytes":94685945},{"names":["mcr.microsoft.com/oss/kubernetes/exechealthz:1.2_v0.0.5"],"sizeBytes":94348102},{"names":["mcr.microsoft.com/aks/hcp/tunnel-openvpn:master.220527.2"],"sizeBytes":92531564},{"names":["mcr.microsoft.com/containernetworking/azure-npm:v1.4.32"],"sizeBytes":90048618},{"names":["mcr.microsoft.com/containernetworking/azure-npm:v1.4.29"],"sizeBytes":89255513},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.2.2"],"sizeBytes":88551490},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.22.0"],"sizeBytes":83173887},{"names":["mcr.microsoft.com/aks/command/runtime:master.220211.1"],"sizeBytes":82792811},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.23.0"],"sizeBytes":81885892},{"names":["mcr.microsoft.com/oss/nvidia/k8s-device-plugin:v0.9.0"],"sizeBytes":67291599},{"names":["mcr.microsoft.com/containernetworking/cni-dropgz:v0.0.2"],"sizeBytes":67202663},{"names":["mcr.microsoft.com/oss/tigera/operator:v1.27.12"],"sizeBytes":64784076},{"names":["mcr.microsoft.com/oss/kubernetes-csi/secrets-store/driver:v1.2.2.3"],"sizeBytes":64781810},{"names":["mcr.microsoft.com/oss/calico/cni:v3.8.9.3"],"sizeBytes":63581323},{"names":null,"sizeBytes":63271677}]}},{"metadata":{"name":"aks-nodepool1-78026764-vmss000001","uid":"288fd529-6ff3-4e6a-b320-525efd08e84e","resourceVersion":"1533","creationTimestamp":"2022-11-24T19:07:27Z","labels":{"agentpool":"nodepool1","beta.kubernetes.io/arch":"amd64","beta.kubernetes.io/instance-type":"Standard_DS2_v2","beta.kubernetes.io/os":"linux","failure-domain.beta.kubernetes.io/region":"eastus2euap","failure-domain.beta.kubernetes.io/zone":"0","kubernetes.azure.com/agentpool":"nodepool1","kubernetes.azure.com/cluster":"MC_conk8stest000001_test-force-delete000002_eastus2euap","kubernetes.azure.com/kubelet-identity-client-id":"e72446c8-e53a-4520-9f8a-a04613d5a8c0","kubernetes.azure.com/mode":"system","kubernetes.azure.com/node-image-version":"AKSUbuntu-1804gen2containerd-2022.11.02","kubernetes.azure.com/os-sku":"Ubuntu","kubernetes.azure.com/role":"agent","kubernetes.azure.com/storageprofile":"managed","kubernetes.azure.com/storagetier":"Premium_LRS","kubernetes.io/arch":"amd64","kubernetes.io/hostname":"aks-nodepool1-78026764-vmss000001","kubernetes.io/os":"linux","kubernetes.io/role":"agent","node-role.kubernetes.io/agent":"","node.kubernetes.io/instance-type":"Standard_DS2_v2","storageprofile":"managed","storagetier":"Premium_LRS","topology.disk.csi.azure.com/zone":"","topology.kubernetes.io/region":"eastus2euap","topology.kubernetes.io/zone":"0"},"annotations":{"csi.volume.kubernetes.io/nodeid":"{\"disk.csi.azure.com\":\"aks-nodepool1-78026764-vmss000001\",\"file.csi.azure.com\":\"aks-nodepool1-78026764-vmss000001\"}","node.alpha.kubernetes.io/ttl":"0","volumes.kubernetes.io/controller-managed-attach-detach":"true"},"managedFields":[{"manager":"cloud-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:07:27Z","fieldsType":"FieldsV1","fieldsV1":{"f:spec":{"f:podCIDR":{},"f:podCIDRs":{".":{},"v:\"10.244.1.0/24\"":{}}}}},{"manager":"kubelet","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:07:27Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:volumes.kubernetes.io/controller-managed-attach-detach":{}},"f:labels":{".":{},"f:agentpool":{},"f:beta.kubernetes.io/arch":{},"f:beta.kubernetes.io/os":{},"f:kubernetes.azure.com/agentpool":{},"f:kubernetes.azure.com/kubelet-identity-client-id":{},"f:kubernetes.azure.com/mode":{},"f:kubernetes.azure.com/node-image-version":{},"f:kubernetes.io/arch":{},"f:kubernetes.io/hostname":{},"f:kubernetes.io/os":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:07:29Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{"f:node.alpha.kubernetes.io/ttl":{}}}}},{"manager":"cloud-node-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:07:48Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{"f:beta.kubernetes.io/instance-type":{},"f:failure-domain.beta.kubernetes.io/region":{},"f:failure-domain.beta.kubernetes.io/zone":{},"f:node.kubernetes.io/instance-type":{},"f:topology.kubernetes.io/region":{},"f:topology.kubernetes.io/zone":{}}},"f:spec":{"f:providerID":{}}}},{"manager":"cloud-node-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:07:48Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{"k:{\"type\":\"NetworkUnavailable\"}":{".":{},"f:type":{}}}}},"subresource":"status"},{"manager":"kubelet","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:07:50Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{"f:csi.volume.kubernetes.io/nodeid":{}},"f:labels":{"f:topology.disk.csi.azure.com/zone":{}}},"f:status":{"f:allocatable":{"f:ephemeral-storage":{}},"f:capacity":{"f:ephemeral-storage":{}},"f:conditions":{"k:{\"type\":\"DiskPressure\"}":{"f:lastHeartbeatTime":{}},"k:{\"type\":\"MemoryPressure\"}":{"f:lastHeartbeatTime":{}},"k:{\"type\":\"PIDPressure\"}":{"f:lastHeartbeatTime":{}},"k:{\"type\":\"Ready\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}}},"f:images":{}}},"subresource":"status"},{"manager":"kubectl-label","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:08:26Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{"f:kubernetes.io/role":{},"f:node-role.kubernetes.io/agent":{}}}}},{"manager":"cloud-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:09:09Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{"k:{\"type\":\"NetworkUnavailable\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}}}}},"subresource":"status"}]},"spec":{"podCIDR":"10.244.1.0/24","podCIDRs":["10.244.1.0/24"],"providerID":"azure:///subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/mc_conk8stest000001_test-force-delete000002_eastus2euap/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-78026764-vmss/virtualMachines/1"},"status":{"capacity":{"cpu":"2","ephemeral-storage":"129886128Ki","hugepages-1Gi":"0","hugepages-2Mi":"0","memory":"7116276Ki","pods":"110"},"allocatable":{"cpu":"1900m","ephemeral-storage":"119703055367","hugepages-1Gi":"0","hugepages-2Mi":"0","memory":"4670964Ki","pods":"110"},"conditions":[{"type":"NetworkUnavailable","status":"False","lastHeartbeatTime":"2022-11-24T19:09:09Z","lastTransitionTime":"2022-11-24T19:09:09Z","reason":"RouteCreated","message":"RouteController + created a route"},{"type":"MemoryPressure","status":"False","lastHeartbeatTime":"2022-11-24T19:07:37Z","lastTransitionTime":"2022-11-24T19:07:27Z","reason":"KubeletHasSufficientMemory","message":"kubelet + has sufficient memory available"},{"type":"DiskPressure","status":"False","lastHeartbeatTime":"2022-11-24T19:07:37Z","lastTransitionTime":"2022-11-24T19:07:27Z","reason":"KubeletHasNoDiskPressure","message":"kubelet + has no disk pressure"},{"type":"PIDPressure","status":"False","lastHeartbeatTime":"2022-11-24T19:07:37Z","lastTransitionTime":"2022-11-24T19:07:27Z","reason":"KubeletHasSufficientPID","message":"kubelet + has sufficient PID available"},{"type":"Ready","status":"True","lastHeartbeatTime":"2022-11-24T19:07:37Z","lastTransitionTime":"2022-11-24T19:07:37Z","reason":"KubeletReady","message":"kubelet + is posting ready status. AppArmor enabled"}],"addresses":[{"type":"InternalIP","address":"10.224.140.0"},{"type":"Hostname","address":"aks-nodepool1-78026764-vmss000001"}],"daemonEndpoints":{"kubeletEndpoint":{"Port":10250}},"nodeInfo":{"machineID":"504dbccfd7014115949a1fac1d1b7247","systemUUID":"44b7dd37-cef3-41c8-bdde-08730d5accf5","bootID":"30bc9693-58b3-4bd4-a295-4db561ed2e3f","kernelVersion":"5.4.0-1094-azure","osImage":"Ubuntu + 18.04.6 LTS","containerRuntimeVersion":"containerd://1.6.4+azure-4","kubeletVersion":"v1.23.12","kubeProxyVersion":"v1.23.12","operatingSystem":"linux","architecture":"amd64"},"images":[{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod:ciprod10042022-3c05dd1b"],"sizeBytes":398142568},{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod:ciprod08102022"],"sizeBytes":397844357},{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod/prometheus-collector/images:5.4.0-main-10-26-2022-16f02b39"],"sizeBytes":317373885},{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod/prometheus-collector/images:5.3.0-main-10-06-2022-c0c49872"],"sizeBytes":314952834},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:0.49.3"],"sizeBytes":287741913},{"names":["mcr.microsoft.com/oss/calico/cni:v3.23.3"],"sizeBytes":254912666},{"names":["mcr.microsoft.com/oss/calico/cni:v3.21.6"],"sizeBytes":227829276},{"names":["mcr.microsoft.com/oss/calico/node:v3.21.6"],"sizeBytes":215379163},{"names":["mcr.microsoft.com/oss/calico/node:v3.23.3"],"sizeBytes":210001116},{"names":["mcr.microsoft.com/oss/tigera/operator:v1.23.8"],"sizeBytes":184105789},{"names":["mcr.microsoft.com/oss/cilium/cilium:1.12.2.3"],"sizeBytes":170029890},{"names":["mcr.microsoft.com/oss/cilium/cilium:1.12.2.2"],"sizeBytes":167729489},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:0.19.0"],"sizeBytes":166352383},{"names":["mcr.microsoft.com/aks/hcp/hcp-tunnel-front:master.220527.2"],"sizeBytes":146994488},{"names":null,"sizeBytes":138243950},{"names":["mcr.microsoft.com/oss/kubernetes/kube-proxy:v1.23.12-hotfix.20220922.1"],"sizeBytes":128992809},{"names":null,"sizeBytes":128984097},{"names":["mcr.microsoft.com/oss/calico/kube-controllers:v3.23.3"],"sizeBytes":127665612},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.2.2.5"],"sizeBytes":123925992},{"names":null,"sizeBytes":123550720},{"names":null,"sizeBytes":123549904},{"names":["mcr.microsoft.com/oss/calico/kube-controllers:v3.21.6"],"sizeBytes":123549280},{"names":null,"sizeBytes":123542588},{"names":null,"sizeBytes":123542274},{"names":["mcr.microsoft.com/oss/calico/typha:v3.23.3"],"sizeBytes":123064920},{"names":null,"sizeBytes":122387306},{"names":null,"sizeBytes":122382675},{"names":["mcr.microsoft.com/oss/calico/typha:v3.21.6"],"sizeBytes":119713369},{"names":null,"sizeBytes":115897326},{"names":null,"sizeBytes":115893258},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:v1.2.1"],"sizeBytes":107169290},{"names":["mcr.microsoft.com/oss/calico/node:v3.8.9.5"],"sizeBytes":101794833},{"names":["mcr.microsoft.com/containernetworking/azure-cns:v1.4.35"],"sizeBytes":101298296},{"names":["mcr.microsoft.com/aks/acc/sgx-attestation:3.1"],"sizeBytes":98058501},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.23.0"],"sizeBytes":95915873},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.24.0"],"sizeBytes":94685945},{"names":["mcr.microsoft.com/oss/kubernetes/exechealthz:1.2_v0.0.5"],"sizeBytes":94348102},{"names":["mcr.microsoft.com/aks/hcp/tunnel-openvpn:master.220527.2"],"sizeBytes":92531564},{"names":["mcr.microsoft.com/containernetworking/azure-npm:v1.4.32"],"sizeBytes":90048618},{"names":["mcr.microsoft.com/containernetworking/azure-npm:v1.4.29"],"sizeBytes":89255513},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.2.2"],"sizeBytes":88551490},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.22.0"],"sizeBytes":83173887},{"names":["mcr.microsoft.com/aks/command/runtime:master.220211.1"],"sizeBytes":82792811},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.23.0"],"sizeBytes":81885892},{"names":["mcr.microsoft.com/oss/nvidia/k8s-device-plugin:v0.9.0"],"sizeBytes":67291599},{"names":["mcr.microsoft.com/containernetworking/cni-dropgz:v0.0.2"],"sizeBytes":67202663},{"names":["mcr.microsoft.com/oss/tigera/operator:v1.27.12"],"sizeBytes":64784076},{"names":["mcr.microsoft.com/oss/kubernetes-csi/secrets-store/driver:v1.2.2.3"],"sizeBytes":64781810},{"names":["mcr.microsoft.com/oss/calico/cni:v3.8.9.3"],"sizeBytes":63581323},{"names":null,"sizeBytes":63271677}]}},{"metadata":{"name":"aks-nodepool1-78026764-vmss000002","uid":"df4863f2-74dc-4be6-ad0e-a787384798ce","resourceVersion":"1208","creationTimestamp":"2022-11-24T19:07:21Z","labels":{"agentpool":"nodepool1","beta.kubernetes.io/arch":"amd64","beta.kubernetes.io/instance-type":"Standard_DS2_v2","beta.kubernetes.io/os":"linux","failure-domain.beta.kubernetes.io/region":"eastus2euap","failure-domain.beta.kubernetes.io/zone":"0","kubernetes.azure.com/agentpool":"nodepool1","kubernetes.azure.com/cluster":"MC_conk8stest000001_test-force-delete000002_eastus2euap","kubernetes.azure.com/kubelet-identity-client-id":"e72446c8-e53a-4520-9f8a-a04613d5a8c0","kubernetes.azure.com/mode":"system","kubernetes.azure.com/node-image-version":"AKSUbuntu-1804gen2containerd-2022.11.02","kubernetes.azure.com/os-sku":"Ubuntu","kubernetes.azure.com/role":"agent","kubernetes.azure.com/storageprofile":"managed","kubernetes.azure.com/storagetier":"Premium_LRS","kubernetes.io/arch":"amd64","kubernetes.io/hostname":"aks-nodepool1-78026764-vmss000002","kubernetes.io/os":"linux","kubernetes.io/role":"agent","node-role.kubernetes.io/agent":"","node.kubernetes.io/instance-type":"Standard_DS2_v2","storageprofile":"managed","storagetier":"Premium_LRS","topology.disk.csi.azure.com/zone":"","topology.kubernetes.io/region":"eastus2euap","topology.kubernetes.io/zone":"0"},"annotations":{"csi.volume.kubernetes.io/nodeid":"{\"disk.csi.azure.com\":\"aks-nodepool1-78026764-vmss000002\",\"file.csi.azure.com\":\"aks-nodepool1-78026764-vmss000002\"}","node.alpha.kubernetes.io/ttl":"0","volumes.kubernetes.io/controller-managed-attach-detach":"true"},"managedFields":[{"manager":"cloud-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:07:21Z","fieldsType":"FieldsV1","fieldsV1":{"f:spec":{"f:podCIDR":{},"f:podCIDRs":{".":{},"v:\"10.244.0.0/24\"":{}}}}},{"manager":"kubelet","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:07:21Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:volumes.kubernetes.io/controller-managed-attach-detach":{}},"f:labels":{".":{},"f:agentpool":{},"f:beta.kubernetes.io/arch":{},"f:beta.kubernetes.io/os":{},"f:kubernetes.azure.com/agentpool":{},"f:kubernetes.azure.com/kubelet-identity-client-id":{},"f:kubernetes.azure.com/mode":{},"f:kubernetes.azure.com/node-image-version":{},"f:kubernetes.io/arch":{},"f:kubernetes.io/hostname":{},"f:kubernetes.io/os":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:07:23Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{"f:node.alpha.kubernetes.io/ttl":{}}}}},{"manager":"kubectl-label","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:07:26Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{"f:kubernetes.io/role":{},"f:node-role.kubernetes.io/agent":{}}}}},{"manager":"cloud-node-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:07:32Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{"f:beta.kubernetes.io/instance-type":{},"f:failure-domain.beta.kubernetes.io/region":{},"f:failure-domain.beta.kubernetes.io/zone":{},"f:node.kubernetes.io/instance-type":{},"f:topology.kubernetes.io/region":{},"f:topology.kubernetes.io/zone":{}}},"f:spec":{"f:providerID":{}}}},{"manager":"cloud-node-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:07:32Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{"k:{\"type\":\"NetworkUnavailable\"}":{".":{},"f:type":{}}}}},"subresource":"status"},{"manager":"kubelet","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:07:35Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{"f:csi.volume.kubernetes.io/nodeid":{}},"f:labels":{"f:topology.disk.csi.azure.com/zone":{}}},"f:status":{"f:allocatable":{"f:ephemeral-storage":{}},"f:capacity":{"f:ephemeral-storage":{}},"f:conditions":{"k:{\"type\":\"DiskPressure\"}":{"f:lastHeartbeatTime":{}},"k:{\"type\":\"MemoryPressure\"}":{"f:lastHeartbeatTime":{}},"k:{\"type\":\"PIDPressure\"}":{"f:lastHeartbeatTime":{}},"k:{\"type\":\"Ready\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}}},"f:images":{}}},"subresource":"status"},{"manager":"cloud-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:08:09Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{"k:{\"type\":\"NetworkUnavailable\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}}}}},"subresource":"status"}]},"spec":{"podCIDR":"10.244.0.0/24","podCIDRs":["10.244.0.0/24"],"providerID":"azure:///subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/mc_conk8stest000001_test-force-delete000002_eastus2euap/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-78026764-vmss/virtualMachines/2"},"status":{"capacity":{"cpu":"2","ephemeral-storage":"129886128Ki","hugepages-1Gi":"0","hugepages-2Mi":"0","memory":"7116276Ki","pods":"110"},"allocatable":{"cpu":"1900m","ephemeral-storage":"119703055367","hugepages-1Gi":"0","hugepages-2Mi":"0","memory":"4670964Ki","pods":"110"},"conditions":[{"type":"NetworkUnavailable","status":"False","lastHeartbeatTime":"2022-11-24T19:08:09Z","lastTransitionTime":"2022-11-24T19:08:09Z","reason":"RouteCreated","message":"RouteController + created a route"},{"type":"MemoryPressure","status":"False","lastHeartbeatTime":"2022-11-24T19:07:23Z","lastTransitionTime":"2022-11-24T19:07:21Z","reason":"KubeletHasSufficientMemory","message":"kubelet + has sufficient memory available"},{"type":"DiskPressure","status":"False","lastHeartbeatTime":"2022-11-24T19:07:23Z","lastTransitionTime":"2022-11-24T19:07:21Z","reason":"KubeletHasNoDiskPressure","message":"kubelet + has no disk pressure"},{"type":"PIDPressure","status":"False","lastHeartbeatTime":"2022-11-24T19:07:23Z","lastTransitionTime":"2022-11-24T19:07:21Z","reason":"KubeletHasSufficientPID","message":"kubelet + has sufficient PID available"},{"type":"Ready","status":"True","lastHeartbeatTime":"2022-11-24T19:07:23Z","lastTransitionTime":"2022-11-24T19:07:23Z","reason":"KubeletReady","message":"kubelet + is posting ready status. AppArmor enabled"}],"addresses":[{"type":"InternalIP","address":"10.224.140.1"},{"type":"Hostname","address":"aks-nodepool1-78026764-vmss000002"}],"daemonEndpoints":{"kubeletEndpoint":{"Port":10250}},"nodeInfo":{"machineID":"f438abdfcbfb4517bb4cbcdfa96b4a8c","systemUUID":"3e58c994-de14-4350-8de9-695011a6e79d","bootID":"a9d89c07-f09b-4c10-87d8-015850c99aee","kernelVersion":"5.4.0-1094-azure","osImage":"Ubuntu + 18.04.6 LTS","containerRuntimeVersion":"containerd://1.6.4+azure-4","kubeletVersion":"v1.23.12","kubeProxyVersion":"v1.23.12","operatingSystem":"linux","architecture":"amd64"},"images":[{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod:ciprod10042022-3c05dd1b"],"sizeBytes":398142568},{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod:ciprod08102022"],"sizeBytes":397844357},{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod/prometheus-collector/images:5.4.0-main-10-26-2022-16f02b39"],"sizeBytes":317373885},{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod/prometheus-collector/images:5.3.0-main-10-06-2022-c0c49872"],"sizeBytes":314952834},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:0.49.3"],"sizeBytes":287741913},{"names":["mcr.microsoft.com/oss/calico/cni:v3.23.3"],"sizeBytes":254912666},{"names":["mcr.microsoft.com/oss/calico/cni:v3.21.6"],"sizeBytes":227829276},{"names":["mcr.microsoft.com/oss/calico/node:v3.21.6"],"sizeBytes":215379163},{"names":["mcr.microsoft.com/oss/calico/node:v3.23.3"],"sizeBytes":210001116},{"names":["mcr.microsoft.com/oss/tigera/operator:v1.23.8"],"sizeBytes":184105789},{"names":["mcr.microsoft.com/oss/cilium/cilium:1.12.2.3"],"sizeBytes":170029890},{"names":["mcr.microsoft.com/oss/cilium/cilium:1.12.2.2"],"sizeBytes":167729489},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:0.19.0"],"sizeBytes":166352383},{"names":["mcr.microsoft.com/aks/hcp/hcp-tunnel-front:master.220527.2"],"sizeBytes":146994488},{"names":null,"sizeBytes":138243950},{"names":["mcr.microsoft.com/oss/kubernetes/kube-proxy:v1.23.12-hotfix.20220922.1"],"sizeBytes":128992809},{"names":null,"sizeBytes":128984097},{"names":["mcr.microsoft.com/oss/calico/kube-controllers:v3.23.3"],"sizeBytes":127665612},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.2.2.5"],"sizeBytes":123925992},{"names":null,"sizeBytes":123550720},{"names":null,"sizeBytes":123549904},{"names":["mcr.microsoft.com/oss/calico/kube-controllers:v3.21.6"],"sizeBytes":123549280},{"names":null,"sizeBytes":123542588},{"names":null,"sizeBytes":123542274},{"names":["mcr.microsoft.com/oss/calico/typha:v3.23.3"],"sizeBytes":123064920},{"names":null,"sizeBytes":122387306},{"names":null,"sizeBytes":122382675},{"names":["mcr.microsoft.com/oss/calico/typha:v3.21.6"],"sizeBytes":119713369},{"names":null,"sizeBytes":115897326},{"names":null,"sizeBytes":115893258},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:v1.2.1"],"sizeBytes":107169290},{"names":["mcr.microsoft.com/oss/calico/node:v3.8.9.5"],"sizeBytes":101794833},{"names":["mcr.microsoft.com/containernetworking/azure-cns:v1.4.35"],"sizeBytes":101298296},{"names":["mcr.microsoft.com/aks/acc/sgx-attestation:3.1"],"sizeBytes":98058501},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.23.0"],"sizeBytes":95915873},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.24.0"],"sizeBytes":94685945},{"names":["mcr.microsoft.com/oss/kubernetes/exechealthz:1.2_v0.0.5"],"sizeBytes":94348102},{"names":["mcr.microsoft.com/aks/hcp/tunnel-openvpn:master.220527.2"],"sizeBytes":92531564},{"names":["mcr.microsoft.com/containernetworking/azure-npm:v1.4.32"],"sizeBytes":90048618},{"names":["mcr.microsoft.com/containernetworking/azure-npm:v1.4.29"],"sizeBytes":89255513},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.2.2"],"sizeBytes":88551490},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.22.0"],"sizeBytes":83173887},{"names":["mcr.microsoft.com/aks/command/runtime:master.220211.1"],"sizeBytes":82792811},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.23.0"],"sizeBytes":81885892},{"names":["mcr.microsoft.com/oss/nvidia/k8s-device-plugin:v0.9.0"],"sizeBytes":67291599},{"names":["mcr.microsoft.com/containernetworking/cni-dropgz:v0.0.2"],"sizeBytes":67202663},{"names":["mcr.microsoft.com/oss/tigera/operator:v1.27.12"],"sizeBytes":64784076},{"names":["mcr.microsoft.com/oss/kubernetes-csi/secrets-store/driver:v1.2.2.3"],"sizeBytes":64781810},{"names":["mcr.microsoft.com/oss/calico/cni:v3.8.9.3"],"sizeBytes":63581323},{"names":null,"sizeBytes":63271677}]}}]} ' headers: audit-id: - - 942c5a03-90ff-42ee-98dd-6684454a4818 + - 0d65463a-9e07-4f69-8160-e25bd7b716bb cache-control: - no-cache, private content-type: - application/json date: - - Tue, 15 Nov 2022 11:37:40 GMT + - Thu, 24 Nov 2022 19:10:44 GMT transfer-encoding: - chunked x-kubernetes-pf-flowschema-uid: - - 41f5db60-86cb-4eda-ae03-4e5d3b32ee1c + - 82d00372-72d6-4c5b-9ff3-709e42c5c214 x-kubernetes-pf-prioritylevel-uid: - - 10e00fa7-faea-45c7-90e4-414371b6c667 + - 08eb1bb5-9f77-4611-93e9-f1a16beacaed status: code: 200 message: OK @@ -1028,15 +1055,15 @@ interactions: User-Agent: - OpenAPI-Generator/24.2.0/python method: POST - uri: https://test-force-rohanazuregroup-1bfbb5-6f1967ab.hcp.westeurope.azmk8s.io/apis/authorization.k8s.io/v1/selfsubjectaccessreviews + uri: https://test-force-conk8stest000001-1bfbb5-1b3b01b5.hcp.eastus2euap.azmk8s.io/apis/authorization.k8s.io/v1/selfsubjectaccessreviews response: body: - string: '{"kind":"SelfSubjectAccessReview","apiVersion":"authorization.k8s.io/v1","metadata":{"creationTimestamp":null,"managedFields":[{"manager":"OpenAPI-Generator","operation":"Update","apiVersion":"authorization.k8s.io/v1","time":"2022-11-15T11:37:40Z","fieldsType":"FieldsV1","fieldsV1":{"f:spec":{"f:resourceAttributes":{".":{},"f:group":{},"f:resource":{},"f:verb":{}}}}}]},"spec":{"resourceAttributes":{"verb":"create","group":"rbac.authorization.k8s.io","resource":"clusterrolebindings"}},"status":{"allowed":true}} + string: '{"kind":"SelfSubjectAccessReview","apiVersion":"authorization.k8s.io/v1","metadata":{"creationTimestamp":null,"managedFields":[{"manager":"OpenAPI-Generator","operation":"Update","apiVersion":"authorization.k8s.io/v1","time":"2022-11-24T19:10:45Z","fieldsType":"FieldsV1","fieldsV1":{"f:spec":{"f:resourceAttributes":{".":{},"f:group":{},"f:resource":{},"f:verb":{}}}}}]},"spec":{"resourceAttributes":{"verb":"create","group":"rbac.authorization.k8s.io","resource":"clusterrolebindings"}},"status":{"allowed":true}} ' headers: audit-id: - - a538d9f2-620c-4cfc-b8ec-8476d69709c2 + - ab9e1547-4ade-4a65-ab61-99a6573db478 cache-control: - no-cache, private content-length: @@ -1044,11 +1071,11 @@ interactions: content-type: - application/json date: - - Tue, 15 Nov 2022 11:37:40 GMT + - Thu, 24 Nov 2022 19:10:45 GMT x-kubernetes-pf-flowschema-uid: - - 41f5db60-86cb-4eda-ae03-4e5d3b32ee1c + - 82d00372-72d6-4c5b-9ff3-709e42c5c214 x-kubernetes-pf-prioritylevel-uid: - - 10e00fa7-faea-45c7-90e4-414371b6c667 + - 08eb1bb5-9f77-4611-93e9-f1a16beacaed status: code: 201 message: Created @@ -1064,9 +1091,9 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n -l --tags --kube-config + - -g -n -l --tags --kube-config --kube-context User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Windows-10-10.0.19045-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Kubernetes?api-version=2021-04-01 response: @@ -1089,7 +1116,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Tue, 15 Nov 2022 11:37:40 GMT + - Thu, 24 Nov 2022 19:10:45 GMT expires: - '-1' pragma: @@ -1115,25 +1142,25 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n -l --tags --kube-config + - -g -n -l --tags --kube-config --kube-context User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.8.10 (Windows-10-10.0.19045-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rohanazuregroup/providers/Microsoft.Kubernetes/connectedClusters/cc-000002?api-version=2021-10-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/conk8stest000001/providers/Microsoft.Kubernetes/connectedClusters/cc-000003?api-version=2021-10-01 response: body: - string: '{"error":{"code":"ResourceNotFound","message":"The Resource ''Microsoft.Kubernetes/connectedClusters/cc-000002'' - under resource group ''rohanazuregroup'' was not found. For more details please - go to https://aka.ms/ARMResourceNotFoundFix"}}' + string: '{"error":{"code":"ResourceNotFound","message":"The Resource ''Microsoft.Kubernetes/connectedClusters/cc-000003'' + under resource group ''conk8stest000001'' was not found. For more details + please go to https://aka.ms/ARMResourceNotFoundFix"}}' headers: cache-control: - no-cache content-length: - - '235' + - '236' content-type: - application/json; charset=utf-8 date: - - Tue, 15 Nov 2022 11:37:42 GMT + - Thu, 24 Nov 2022 19:10:46 GMT expires: - '-1' pragma: @@ -1147,40 +1174,6 @@ interactions: status: code: 404 message: Not Found -- request: - body: null - headers: - Accept: - - application/json - Content-Type: - - application/json - User-Agent: - - OpenAPI-Generator/24.2.0/python - method: GET - uri: https://test-force-rohanazuregroup-1bfbb5-6f1967ab.hcp.westeurope.azmk8s.io/api/v1/namespaces - response: - body: - string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"1516"},"items":[{"metadata":{"name":"default","uid":"a8f45c46-eebc-4fe8-861a-4fd13ce5eee2","resourceVersion":"202","creationTimestamp":"2022-11-15T11:34:09Z","labels":{"kubernetes.io/metadata.name":"default"},"managedFields":[{"manager":"kube-apiserver","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:34:09Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{".":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Active"}},{"metadata":{"name":"kube-node-lease","uid":"d1ac31c7-7376-49bc-a80d-acdc81679c17","resourceVersion":"12","creationTimestamp":"2022-11-15T11:34:08Z","labels":{"kubernetes.io/metadata.name":"kube-node-lease"},"managedFields":[{"manager":"kube-apiserver","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:34:08Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{".":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Active"}},{"metadata":{"name":"kube-public","uid":"b41f61d0-d70c-4a2d-8394-33fb1107460c","resourceVersion":"10","creationTimestamp":"2022-11-15T11:34:08Z","labels":{"kubernetes.io/metadata.name":"kube-public"},"managedFields":[{"manager":"kube-apiserver","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:34:08Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{".":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Active"}},{"metadata":{"name":"kube-system","uid":"652863d3-90f8-4e1a-bb66-17bf710b5b7d","resourceVersion":"597","creationTimestamp":"2022-11-15T11:34:08Z","labels":{"addonmanager.kubernetes.io/mode":"Reconcile","control-plane":"true","kubernetes.io/cluster-service":"true","kubernetes.io/metadata.name":"kube-system"},"annotations":{"kubectl.kubernetes.io/last-applied-configuration":"{\"apiVersion\":\"v1\",\"kind\":\"Namespace\",\"metadata\":{\"annotations\":{},\"labels\":{\"addonmanager.kubernetes.io/mode\":\"Reconcile\",\"control-plane\":\"true\",\"kubernetes.io/cluster-service\":\"true\"},\"name\":\"kube-system\"}}\n"},"managedFields":[{"manager":"kube-apiserver","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:34:08Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{".":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kubectl-client-side-apply","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:34:35Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:kubectl.kubernetes.io/last-applied-configuration":{}},"f:labels":{"f:addonmanager.kubernetes.io/mode":{},"f:control-plane":{},"f:kubernetes.io/cluster-service":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Active"}}]} - - ' - headers: - audit-id: - - 54e64ffd-0d34-4c11-89a0-8e6abd1e19e1 - cache-control: - - no-cache, private - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:37:44 GMT - transfer-encoding: - - chunked - x-kubernetes-pf-flowschema-uid: - - 41f5db60-86cb-4eda-ae03-4e5d3b32ee1c - x-kubernetes-pf-prioritylevel-uid: - - 10e00fa7-faea-45c7-90e4-414371b6c667 - status: - code: 200 - message: OK - request: body: null headers: @@ -1193,23 +1186,23 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n -l --tags --kube-config + - -g -n -l --tags --kube-config --kube-context User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Windows-10-10.0.19045-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rohanazuregroup?api-version=2021-04-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/conk8stest000001?api-version=2021-04-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rohanazuregroup","name":"rohanazuregroup","type":"Microsoft.Resources/resourceGroups","location":"eastus","tags":{"Created":"20220718"},"properties":{"provisioningState":"Succeeded"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/conk8stest000001","name":"conk8stest000001","type":"Microsoft.Resources/resourceGroups","location":"eastus2euap","tags":{"product":"azurecli","cause":"automation","date":"2022-11-24T19:04:23Z","Created":"20221124"},"properties":{"provisioningState":"Succeeded"}}' headers: cache-control: - no-cache content-length: - - '257' + - '336' content-type: - application/json; charset=utf-8 date: - - Tue, 15 Nov 2022 11:37:44 GMT + - Thu, 24 Nov 2022 19:10:47 GMT expires: - '-1' pragma: @@ -1237,9 +1230,9 @@ interactions: Content-Length: - '0' ParameterSetName: - - -g -n -l --tags --kube-config + - -g -n -l --tags --kube-config --kube-context User-Agent: - - python/3.7.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.42.0 + - python/3.8.10 (Windows-10-10.0.19045-SP0) AZURECLI/2.42.0 method: POST uri: https://eastus.dp.kubernetesconfiguration.azure.com/azure-arc-k8sagents/GetLatestHelmPackagePath?api-version=2019-11-01-preview&releaseTrain=stable response: @@ -1255,7 +1248,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Tue, 15 Nov 2022 11:37:45 GMT + - Thu, 24 Nov 2022 19:10:48 GMT strict-transport-security: - max-age=15724800; includeSubDomains x-content-type-options: @@ -1265,7 +1258,7 @@ interactions: message: OK - request: body: '{"tags": {"foo": "doo"}, "location": "eastus", "identity": {"type": "SystemAssigned"}, - "properties": {"agentPublicKeyCertificate": "MIICCgKCAgEAs2vNDhE4kT8Y+yVeMb3LBq7WKIq1/0Kk3FWB4j74tNUG4YS7fBqIOOqJM0izS8O6d0VCdNV8RLKQX1s+rK1sfITpU5Q+rzuzkzLvlHzHUpIJ2PjTFekMtIrQXNPpi6GnS/yEz1aVd5S1q6kDbvdof9bZ49qvidP3qdapzeltja2r0oZmXvp7OtQfAZRcYLVs9SqWBxR8Nl2NX8xR93ws5QXYNX7Fqk5WizbMqJDQL81v4HQKOlf3nT/ql3BBxLRfLtGsNCm/fkBBB+zqjUiyoqIYU3wj1DCt8BSJhU8uMU5HsJTm/vDAfnF6oD3svDPggxAoDDbrsF4o97RL2SDDatZna6nezNGl0dY8TFciMpET4FRXlD5kZi6O+hxNyHfrEsYw3bAcroN/djIJv8gTh//K6l/zZoVRdnGZFnuESqPjnr7VajNDqnwWjy59jkYmooFXT6hjXKVNSBeO5VWQHt2wcA44fD627/Ai2uvYYurgq0Bz4lCSoJJ1ho/mdZZDNfI/TsPoYyLT2PY2MGC/pTX+fexTed+LFVuJFEGTYyyoxZ0slI+7du60ZQoPAwvKxjGG6tyrXXBWYRRT+7bl2GeaLQ4R32N1k5ee/BijO9bDNTjiFnQ+N/C9HWndZmvhwIrAiJovwOgdXKS42mM/MaHH4pHw/PDsgE6XE69YBJkCAwEAAQ==", + "properties": {"agentPublicKeyCertificate": "MIICCgKCAgEA5UcF/5ukYAj7MlUSCaotlYpuWNTVOQEsEacplO14riwYxxlrLZ1k4lBlk570V/gV4fT7uLgyMNqNRbxhXHf7WCOluusT0NUkn3htB/clhkYxnah6kcoc6bUsA2IYOlfqE7wKlHRLMuz4KcB8Q8oQP/Hp7hf7hJKUbs+DFMRCTYsG9xb1B18X7yaaP1oVqrQQXrFQ4I0LOD1YEkwpgyM5GNzvLe6kNluE8mNeuEf1LiY4sY19nu/Oapvf+wLxwcWdnyoTh/cFEup2VT9e0GgyXWow09PCVBMzpFpml9/N228fpZfyMs6RUu5HrujbYRqw4gwKlTsbVWppoNMtQbUs5CX5ryM5fjwLH3v0iWbqzKnuRUOU1U0sdxa9zT2RDlb8bUTV1hGebLqsZfEFD0ZBGjd5KNS6lwy+0KdFsIEA47unthp2965CsdHWBUDqJtDLN7aXitFJytD0H8QLWoi/FqlF5jJ5AcOvhJCseg7ifpGeAXt1kziK+/UTIqDNiCIFi6grgiVpLSKOXYW4QpPlkr/hk3fPbzPbCwieJRU4ocV7YWp4IeTomxftGCFMEV7j00hqbhwY1Mc3yZVinw6KUOy0dKi69JpUZtPRUfIU9hrB5PbwfbJoRTsuHTVFuNff9ZXVzrU+JLKVfjY3zsyldTZn+D2x3oNReeMtdS71cJUCAwEAAQ==", "distribution": "aks", "infrastructure": "azure"}}' headers: Accept: @@ -1281,27 +1274,27 @@ interactions: Content-Type: - application/json ParameterSetName: - - -g -n -l --tags --kube-config + - -g -n -l --tags --kube-config --kube-context User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.8.10 (Windows-10-10.0.19045-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rohanazuregroup/providers/Microsoft.Kubernetes/connectedClusters/cc-000002?api-version=2021-10-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/conk8stest000001/providers/Microsoft.Kubernetes/connectedClusters/cc-000003?api-version=2021-10-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rohanazuregroup/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","name":"cc-000002","type":"microsoft.kubernetes/connectedclusters","location":"eastus","tags":{"foo":"doo"},"systemData":{"createdBy":"akkeshar@microsoft.com","createdByType":"User","createdAt":"2022-11-15T11:38:02.9767221Z","lastModifiedBy":"akkeshar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-15T11:38:02.9767221Z"},"identity":{"principalId":"4acfe3c2-3ed8-4b15-a152-19a32341eef3","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned"},"properties":{"provisioningState":"Accepted","connectivityStatus":"Connecting","agentPublicKeyCertificate":"MIICCgKCAgEAs2vNDhE4kT8Y+yVeMb3LBq7WKIq1/0Kk3FWB4j74tNUG4YS7fBqIOOqJM0izS8O6d0VCdNV8RLKQX1s+rK1sfITpU5Q+rzuzkzLvlHzHUpIJ2PjTFekMtIrQXNPpi6GnS/yEz1aVd5S1q6kDbvdof9bZ49qvidP3qdapzeltja2r0oZmXvp7OtQfAZRcYLVs9SqWBxR8Nl2NX8xR93ws5QXYNX7Fqk5WizbMqJDQL81v4HQKOlf3nT/ql3BBxLRfLtGsNCm/fkBBB+zqjUiyoqIYU3wj1DCt8BSJhU8uMU5HsJTm/vDAfnF6oD3svDPggxAoDDbrsF4o97RL2SDDatZna6nezNGl0dY8TFciMpET4FRXlD5kZi6O+hxNyHfrEsYw3bAcroN/djIJv8gTh//K6l/zZoVRdnGZFnuESqPjnr7VajNDqnwWjy59jkYmooFXT6hjXKVNSBeO5VWQHt2wcA44fD627/Ai2uvYYurgq0Bz4lCSoJJ1ho/mdZZDNfI/TsPoYyLT2PY2MGC/pTX+fexTed+LFVuJFEGTYyyoxZ0slI+7du60ZQoPAwvKxjGG6tyrXXBWYRRT+7bl2GeaLQ4R32N1k5ee/BijO9bDNTjiFnQ+N/C9HWndZmvhwIrAiJovwOgdXKS42mM/MaHH4pHw/PDsgE6XE69YBJkCAwEAAQ==","distribution":"aks","infrastructure":"azure"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/conk8stest000001/providers/Microsoft.Kubernetes/connectedClusters/cc-000003","name":"cc-000003","type":"microsoft.kubernetes/connectedclusters","location":"eastus","tags":{"foo":"doo"},"systemData":{"createdBy":"rohandassani@microsoft.com","createdByType":"User","createdAt":"2022-11-24T19:11:36.9343388Z","lastModifiedBy":"rohandassani@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-24T19:11:36.9343388Z"},"identity":{"principalId":"2be07cf9-db72-4d5a-9b89-b9a71b0289b8","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned"},"properties":{"provisioningState":"Accepted","connectivityStatus":"Connecting","agentPublicKeyCertificate":"MIICCgKCAgEA5UcF/5ukYAj7MlUSCaotlYpuWNTVOQEsEacplO14riwYxxlrLZ1k4lBlk570V/gV4fT7uLgyMNqNRbxhXHf7WCOluusT0NUkn3htB/clhkYxnah6kcoc6bUsA2IYOlfqE7wKlHRLMuz4KcB8Q8oQP/Hp7hf7hJKUbs+DFMRCTYsG9xb1B18X7yaaP1oVqrQQXrFQ4I0LOD1YEkwpgyM5GNzvLe6kNluE8mNeuEf1LiY4sY19nu/Oapvf+wLxwcWdnyoTh/cFEup2VT9e0GgyXWow09PCVBMzpFpml9/N228fpZfyMs6RUu5HrujbYRqw4gwKlTsbVWppoNMtQbUs5CX5ryM5fjwLH3v0iWbqzKnuRUOU1U0sdxa9zT2RDlb8bUTV1hGebLqsZfEFD0ZBGjd5KNS6lwy+0KdFsIEA47unthp2965CsdHWBUDqJtDLN7aXitFJytD0H8QLWoi/FqlF5jJ5AcOvhJCseg7ifpGeAXt1kziK+/UTIqDNiCIFi6grgiVpLSKOXYW4QpPlkr/hk3fPbzPbCwieJRU4ocV7YWp4IeTomxftGCFMEV7j00hqbhwY1Mc3yZVinw6KUOy0dKi69JpUZtPRUfIU9hrB5PbwfbJoRTsuHTVFuNff9ZXVzrU+JLKVfjY3zsyldTZn+D2x3oNReeMtdS71cJUCAwEAAQ==","distribution":"aks","infrastructure":"azure"}}' headers: azure-asyncoperation: - - https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/f6012057-4af4-4179-95cd-f95b189cc547*6B91F8906561019D361BC05718C963234CC9E37EF8839FC4720ADD5A8D2E05F7?api-version=2021-10-01 + - https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/7bd8b435-640d-43a3-a64e-057548f9cc91*4616F045A9F557647CE3ACA0FC7A2FAD648994B1ABDCFC96F96E18197F4BC692?api-version=2021-10-01 cache-control: - no-cache content-length: - - '1495' + - '1504' content-type: - application/json; charset=utf-8 date: - - Tue, 15 Nov 2022 11:38:06 GMT + - Thu, 24 Nov 2022 19:11:42 GMT etag: - - '"7100014d-0000-0100-0000-63737a1d0000"' + - '"e300503e-0000-0100-0000-637fc1ec0000"' expires: - '-1' pragma: @@ -1329,71 +1322,25 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n -l --tags --kube-config - User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/f6012057-4af4-4179-95cd-f95b189cc547*6B91F8906561019D361BC05718C963234CC9E37EF8839FC4720ADD5A8D2E05F7?api-version=2021-10-01 - response: - body: - string: '{"id":"/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/f6012057-4af4-4179-95cd-f95b189cc547*6B91F8906561019D361BC05718C963234CC9E37EF8839FC4720ADD5A8D2E05F7","name":"f6012057-4af4-4179-95cd-f95b189cc547*6B91F8906561019D361BC05718C963234CC9E37EF8839FC4720ADD5A8D2E05F7","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rohanazuregroup/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","status":"Accepted","startTime":"2022-11-15T11:38:04.4595994Z"}' - headers: - cache-control: - - no-cache - content-length: - - '508' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 11:38:07 GMT - etag: - - '"1001535f-0000-0100-0000-63737a1c0000"' - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s connect - Connection: - - keep-alive - ParameterSetName: - - -g -n -l --tags --kube-config + - -g -n -l --tags --kube-config --kube-context User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.8.10 (Windows-10-10.0.19045-SP0) method: GET - uri: https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/f6012057-4af4-4179-95cd-f95b189cc547*6B91F8906561019D361BC05718C963234CC9E37EF8839FC4720ADD5A8D2E05F7?api-version=2021-10-01 + uri: https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/7bd8b435-640d-43a3-a64e-057548f9cc91*4616F045A9F557647CE3ACA0FC7A2FAD648994B1ABDCFC96F96E18197F4BC692?api-version=2021-10-01 response: body: - string: '{"id":"/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/f6012057-4af4-4179-95cd-f95b189cc547*6B91F8906561019D361BC05718C963234CC9E37EF8839FC4720ADD5A8D2E05F7","name":"f6012057-4af4-4179-95cd-f95b189cc547*6B91F8906561019D361BC05718C963234CC9E37EF8839FC4720ADD5A8D2E05F7","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rohanazuregroup/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","status":"Succeeded","startTime":"2022-11-15T11:38:04.4595994Z","endTime":"2022-11-15T11:38:11.0691961Z","properties":null}' + string: '{"id":"/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/7bd8b435-640d-43a3-a64e-057548f9cc91*4616F045A9F557647CE3ACA0FC7A2FAD648994B1ABDCFC96F96E18197F4BC692","name":"7bd8b435-640d-43a3-a64e-057548f9cc91*4616F045A9F557647CE3ACA0FC7A2FAD648994B1ABDCFC96F96E18197F4BC692","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/conk8stest000001/providers/Microsoft.Kubernetes/connectedClusters/cc-000003","status":"Succeeded","startTime":"2022-11-24T19:11:39.7154302Z","endTime":"2022-11-24T19:11:46.3773614Z","properties":null}' headers: cache-control: - no-cache content-length: - - '568' + - '569' content-type: - application/json; charset=utf-8 date: - - Tue, 15 Nov 2022 11:38:38 GMT + - Thu, 24 Nov 2022 19:12:12 GMT etag: - - '"1001685f-0000-0100-0000-63737a230000"' + - '"4901eac5-0000-0100-0000-637fc1f20000"' expires: - '-1' pragma: @@ -1421,25 +1368,25 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n -l --tags --kube-config + - -g -n -l --tags --kube-config --kube-context User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.8.10 (Windows-10-10.0.19045-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rohanazuregroup/providers/Microsoft.Kubernetes/connectedClusters/cc-000002?api-version=2021-10-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/conk8stest000001/providers/Microsoft.Kubernetes/connectedClusters/cc-000003?api-version=2021-10-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rohanazuregroup/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","name":"cc-000002","type":"microsoft.kubernetes/connectedclusters","location":"eastus","tags":{"foo":"doo"},"systemData":{"createdBy":"akkeshar@microsoft.com","createdByType":"User","createdAt":"2022-11-15T11:38:02.9767221Z","lastModifiedBy":"akkeshar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-15T11:38:02.9767221Z"},"identity":{"principalId":"4acfe3c2-3ed8-4b15-a152-19a32341eef3","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned"},"properties":{"provisioningState":"Succeeded","connectivityStatus":"Connecting","agentPublicKeyCertificate":"MIICCgKCAgEAs2vNDhE4kT8Y+yVeMb3LBq7WKIq1/0Kk3FWB4j74tNUG4YS7fBqIOOqJM0izS8O6d0VCdNV8RLKQX1s+rK1sfITpU5Q+rzuzkzLvlHzHUpIJ2PjTFekMtIrQXNPpi6GnS/yEz1aVd5S1q6kDbvdof9bZ49qvidP3qdapzeltja2r0oZmXvp7OtQfAZRcYLVs9SqWBxR8Nl2NX8xR93ws5QXYNX7Fqk5WizbMqJDQL81v4HQKOlf3nT/ql3BBxLRfLtGsNCm/fkBBB+zqjUiyoqIYU3wj1DCt8BSJhU8uMU5HsJTm/vDAfnF6oD3svDPggxAoDDbrsF4o97RL2SDDatZna6nezNGl0dY8TFciMpET4FRXlD5kZi6O+hxNyHfrEsYw3bAcroN/djIJv8gTh//K6l/zZoVRdnGZFnuESqPjnr7VajNDqnwWjy59jkYmooFXT6hjXKVNSBeO5VWQHt2wcA44fD627/Ai2uvYYurgq0Bz4lCSoJJ1ho/mdZZDNfI/TsPoYyLT2PY2MGC/pTX+fexTed+LFVuJFEGTYyyoxZ0slI+7du60ZQoPAwvKxjGG6tyrXXBWYRRT+7bl2GeaLQ4R32N1k5ee/BijO9bDNTjiFnQ+N/C9HWndZmvhwIrAiJovwOgdXKS42mM/MaHH4pHw/PDsgE6XE69YBJkCAwEAAQ==","distribution":"AKS","infrastructure":"azure"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/conk8stest000001/providers/Microsoft.Kubernetes/connectedClusters/cc-000003","name":"cc-000003","type":"microsoft.kubernetes/connectedclusters","location":"eastus","tags":{"foo":"doo"},"systemData":{"createdBy":"rohandassani@microsoft.com","createdByType":"User","createdAt":"2022-11-24T19:11:36.9343388Z","lastModifiedBy":"rohandassani@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-24T19:11:36.9343388Z"},"identity":{"principalId":"2be07cf9-db72-4d5a-9b89-b9a71b0289b8","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned"},"properties":{"provisioningState":"Succeeded","connectivityStatus":"Connecting","agentPublicKeyCertificate":"MIICCgKCAgEA5UcF/5ukYAj7MlUSCaotlYpuWNTVOQEsEacplO14riwYxxlrLZ1k4lBlk570V/gV4fT7uLgyMNqNRbxhXHf7WCOluusT0NUkn3htB/clhkYxnah6kcoc6bUsA2IYOlfqE7wKlHRLMuz4KcB8Q8oQP/Hp7hf7hJKUbs+DFMRCTYsG9xb1B18X7yaaP1oVqrQQXrFQ4I0LOD1YEkwpgyM5GNzvLe6kNluE8mNeuEf1LiY4sY19nu/Oapvf+wLxwcWdnyoTh/cFEup2VT9e0GgyXWow09PCVBMzpFpml9/N228fpZfyMs6RUu5HrujbYRqw4gwKlTsbVWppoNMtQbUs5CX5ryM5fjwLH3v0iWbqzKnuRUOU1U0sdxa9zT2RDlb8bUTV1hGebLqsZfEFD0ZBGjd5KNS6lwy+0KdFsIEA47unthp2965CsdHWBUDqJtDLN7aXitFJytD0H8QLWoi/FqlF5jJ5AcOvhJCseg7ifpGeAXt1kziK+/UTIqDNiCIFi6grgiVpLSKOXYW4QpPlkr/hk3fPbzPbCwieJRU4ocV7YWp4IeTomxftGCFMEV7j00hqbhwY1Mc3yZVinw6KUOy0dKi69JpUZtPRUfIU9hrB5PbwfbJoRTsuHTVFuNff9ZXVzrU+JLKVfjY3zsyldTZn+D2x3oNReeMtdS71cJUCAwEAAQ==","distribution":"AKS","infrastructure":"azure"}}' headers: cache-control: - no-cache content-length: - - '1496' + - '1505' content-type: - application/json; charset=utf-8 date: - - Tue, 15 Nov 2022 11:38:38 GMT + - Thu, 24 Nov 2022 19:12:13 GMT etag: - - '"71003e4d-0000-0100-0000-63737a230000"' + - '"e3006a3e-0000-0100-0000-637fc1f20000"' expires: - '-1' pragma: @@ -1469,9 +1416,9 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n -l --tags --kube-config + - -g -n -l --tags --kube-config --kube-context User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Windows-10-10.0.19045-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ExtendedLocation?api-version=2021-04-01 response: @@ -1512,7 +1459,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Tue, 15 Nov 2022 11:38:39 GMT + - Thu, 24 Nov 2022 19:12:13 GMT expires: - '-1' pragma: @@ -1538,10 +1485,10 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n -l --tags --kube-config + - -g -n -l --tags --kube-config --kube-context User-Agent: - - python/3.7.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-graphrbac/0.60.0 - Azure-SDK-For-Python AZURECLI/2.42.0 + - python/3.8.10 (Windows-10-10.0.19045-SP0) msrest/0.7.1 msrest_azure/0.6.4 + azure-graphrbac/0.60.0 Azure-SDK-For-Python AZURECLI/2.42.0 accept-language: - en-US method: GET @@ -1564,19 +1511,19 @@ interactions: dataserviceversion: - 3.0; date: - - Tue, 15 Nov 2022 11:38:39 GMT + - Thu, 24 Nov 2022 19:12:15 GMT duration: - - '1452070' + - '1171273' expires: - '-1' ocp-aad-diagnostics-server-name: - - k0WOg1aus+ZrdPo95G8LSW5qqrlAqo9fxRmKhM5lw2M= + - FUKs82EipXhAx2L9InJ3TjbqyUSBXw185qI+tiwRanY= ocp-aad-session-key: - - KljhJDQJNL9MGHd8zovFj77cE80VcOs_g6soKN4Y2M6MHOOGCDgk_YBkRIFXx-huxlKBYVziLopjv9TdGojZJ_mNw9prWz7WC198FRgau0d2wmTwdT0lt09rxFGaNtQa.YuzcIYgdFkm7f2Ri-K2DSd41t6RxewWIKFv39b8Jc8o + - EVw9R2lhBkOfV3F4deGnZaK4RgjNKc251O1UBEHxmOhdHLc3fm7QgdH3PxPN9kGCjyINtMH3N549SkPhwqdfGs2zuvSQq7hjFXyK0PVIYIMP9CLMgMs0813_mTy-53nD.XPTF5nT3T7eKsSekkPTCwv_4NFL_D2ENmQRZisT1VBM pragma: - no-cache request-id: - - b0098778-1a06-48fd-a637-34687f3020e2 + - 9b1fba07-7710-4be8-ab02-36ba92fea5a2 strict-transport-security: - max-age=31536000; includeSubDomains x-aspnet-version: @@ -1604,23 +1551,23 @@ interactions: ParameterSetName: - -g -n User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.8.10 (Windows-10-10.0.19045-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rohanazuregroup/providers/Microsoft.Kubernetes/connectedClusters/cc-000002?api-version=2022-10-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/conk8stest000001/providers/Microsoft.Kubernetes/connectedClusters/cc-000003?api-version=2022-10-01-preview response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rohanazuregroup/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","name":"cc-000002","type":"microsoft.kubernetes/connectedclusters","location":"eastus","tags":{"foo":"doo"},"systemData":{"createdBy":"akkeshar@microsoft.com","createdByType":"User","createdAt":"2022-11-15T11:38:02.9767221Z","lastModifiedBy":"64b12d6e-6549-484c-8cc6-6281839ba394","lastModifiedByType":"Application","lastModifiedAt":"2022-11-15T11:39:26.1171724Z"},"identity":{"principalId":"4acfe3c2-3ed8-4b15-a152-19a32341eef3","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned"},"properties":{"provisioningState":"Succeeded","connectivityStatus":"Connected","privateLinkState":"Disabled","azureHybridBenefit":"NotApplicable","agentPublicKeyCertificate":"MIICCgKCAgEAs2vNDhE4kT8Y+yVeMb3LBq7WKIq1/0Kk3FWB4j74tNUG4YS7fBqIOOqJM0izS8O6d0VCdNV8RLKQX1s+rK1sfITpU5Q+rzuzkzLvlHzHUpIJ2PjTFekMtIrQXNPpi6GnS/yEz1aVd5S1q6kDbvdof9bZ49qvidP3qdapzeltja2r0oZmXvp7OtQfAZRcYLVs9SqWBxR8Nl2NX8xR93ws5QXYNX7Fqk5WizbMqJDQL81v4HQKOlf3nT/ql3BBxLRfLtGsNCm/fkBBB+zqjUiyoqIYU3wj1DCt8BSJhU8uMU5HsJTm/vDAfnF6oD3svDPggxAoDDbrsF4o97RL2SDDatZna6nezNGl0dY8TFciMpET4FRXlD5kZi6O+hxNyHfrEsYw3bAcroN/djIJv8gTh//K6l/zZoVRdnGZFnuESqPjnr7VajNDqnwWjy59jkYmooFXT6hjXKVNSBeO5VWQHt2wcA44fD627/Ai2uvYYurgq0Bz4lCSoJJ1ho/mdZZDNfI/TsPoYyLT2PY2MGC/pTX+fexTed+LFVuJFEGTYyyoxZ0slI+7du60ZQoPAwvKxjGG6tyrXXBWYRRT+7bl2GeaLQ4R32N1k5ee/BijO9bDNTjiFnQ+N/C9HWndZmvhwIrAiJovwOgdXKS42mM/MaHH4pHw/PDsgE6XE69YBJkCAwEAAQ==","distribution":"AKS","infrastructure":"azure","kubernetesVersion":"1.23.12","totalNodeCount":1,"agentVersion":"1.8.14","totalCoreCount":4,"lastConnectivityTime":"2022-11-15T11:39:18.979Z"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/conk8stest000001/providers/Microsoft.Kubernetes/connectedClusters/cc-000003","name":"cc-000003","type":"microsoft.kubernetes/connectedclusters","location":"eastus","tags":{"foo":"doo"},"systemData":{"createdBy":"rohandassani@microsoft.com","createdByType":"User","createdAt":"2022-11-24T19:11:36.9343388Z","lastModifiedBy":"64b12d6e-6549-484c-8cc6-6281839ba394","lastModifiedByType":"Application","lastModifiedAt":"2022-11-24T19:12:53.3705773Z"},"identity":{"principalId":"2be07cf9-db72-4d5a-9b89-b9a71b0289b8","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned"},"properties":{"provisioningState":"Succeeded","connectivityStatus":"Connected","privateLinkState":"Disabled","azureHybridBenefit":"NotApplicable","agentPublicKeyCertificate":"MIICCgKCAgEA5UcF/5ukYAj7MlUSCaotlYpuWNTVOQEsEacplO14riwYxxlrLZ1k4lBlk570V/gV4fT7uLgyMNqNRbxhXHf7WCOluusT0NUkn3htB/clhkYxnah6kcoc6bUsA2IYOlfqE7wKlHRLMuz4KcB8Q8oQP/Hp7hf7hJKUbs+DFMRCTYsG9xb1B18X7yaaP1oVqrQQXrFQ4I0LOD1YEkwpgyM5GNzvLe6kNluE8mNeuEf1LiY4sY19nu/Oapvf+wLxwcWdnyoTh/cFEup2VT9e0GgyXWow09PCVBMzpFpml9/N228fpZfyMs6RUu5HrujbYRqw4gwKlTsbVWppoNMtQbUs5CX5ryM5fjwLH3v0iWbqzKnuRUOU1U0sdxa9zT2RDlb8bUTV1hGebLqsZfEFD0ZBGjd5KNS6lwy+0KdFsIEA47unthp2965CsdHWBUDqJtDLN7aXitFJytD0H8QLWoi/FqlF5jJ5AcOvhJCseg7ifpGeAXt1kziK+/UTIqDNiCIFi6grgiVpLSKOXYW4QpPlkr/hk3fPbzPbCwieJRU4ocV7YWp4IeTomxftGCFMEV7j00hqbhwY1Mc3yZVinw6KUOy0dKi69JpUZtPRUfIU9hrB5PbwfbJoRTsuHTVFuNff9ZXVzrU+JLKVfjY3zsyldTZn+D2x3oNReeMtdS71cJUCAwEAAQ==","distribution":"AKS","infrastructure":"azure","kubernetesVersion":"1.23.12","totalNodeCount":3,"agentVersion":"1.8.14","totalCoreCount":6,"lastConnectivityTime":"2022-11-24T19:12:50.931Z","managedIdentityCertificateExpirationTime":"2023-02-22T19:06:00Z"}}' headers: cache-control: - no-cache content-length: - - '1725' + - '1796' content-type: - application/json; charset=utf-8 date: - - Tue, 15 Nov 2022 11:43:29 GMT + - Thu, 24 Nov 2022 19:17:11 GMT etag: - - '"71004451-0000-0100-0000-63737a6e0000"' + - '"e300c33f-0000-0100-0000-637fc2350000"' expires: - '-1' pragma: @@ -1648,7 +1595,7 @@ interactions: User-Agent: - OpenAPI-Generator/24.2.0/python method: GET - uri: https://test-force-rohanazuregroup-1bfbb5-6f1967ab.hcp.westeurope.azmk8s.io/version/ + uri: https://test-force-conk8stest000001-1bfbb5-1b3b01b5.hcp.eastus2euap.azmk8s.io/version/ response: body: string: "{\n \"major\": \"1\",\n \"minor\": \"23\",\n \"gitVersion\": \"v1.23.12\",\n @@ -1657,7 +1604,7 @@ interactions: \ \"compiler\": \"gc\",\n \"platform\": \"linux/amd64\"\n}" headers: audit-id: - - 22eb7b47-048c-4b54-8c35-3e7e1c9fe001 + - c1370aef-a939-42ef-ba95-9edf158bb3d7 cache-control: - no-cache, private content-length: @@ -1665,11 +1612,11 @@ interactions: content-type: - application/json date: - - Tue, 15 Nov 2022 11:43:31 GMT + - Thu, 24 Nov 2022 19:17:12 GMT x-kubernetes-pf-flowschema-uid: - - 41f5db60-86cb-4eda-ae03-4e5d3b32ee1c + - 82d00372-72d6-4c5b-9ff3-709e42c5c214 x-kubernetes-pf-prioritylevel-uid: - - 10e00fa7-faea-45c7-90e4-414371b6c667 + - 08eb1bb5-9f77-4611-93e9-f1a16beacaed status: code: 200 message: OK @@ -1687,17 +1634,17 @@ interactions: Content-Length: - '0' ParameterSetName: - - -g -n --kube-config --force -y + - -g -n --kube-config --kube-context --force -y User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.8.10 (Windows-10-10.0.19045-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rohanazuregroup/providers/Microsoft.Kubernetes/connectedClusters/cc-000002?api-version=2021-10-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/conk8stest000001/providers/Microsoft.Kubernetes/connectedClusters/cc-000003?api-version=2021-10-01 response: body: string: 'null' headers: azure-asyncoperation: - - https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/9f63d6e3-391e-4900-bdc5-e52c9c88cbbd*6B91F8906561019D361BC05718C963234CC9E37EF8839FC4720ADD5A8D2E05F7?api-version=2021-10-01 + - https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/dabbb486-daab-48c0-adef-9ae37aee36ca*4616F045A9F557647CE3ACA0FC7A2FAD648994B1ABDCFC96F96E18197F4BC692?api-version=2021-10-01 cache-control: - no-cache content-length: @@ -1705,13 +1652,13 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Tue, 15 Nov 2022 11:43:36 GMT + - Thu, 24 Nov 2022 19:17:17 GMT etag: - - '"7100385e-0000-0100-0000-63737b680000"' + - '"e300bc47-0000-0100-0000-637fc33e0000"' expires: - '-1' location: - - https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/9f63d6e3-391e-4900-bdc5-e52c9c88cbbd*6B91F8906561019D361BC05718C963234CC9E37EF8839FC4720ADD5A8D2E05F7?api-version=2021-10-01 + - https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/dabbb486-daab-48c0-adef-9ae37aee36ca*4616F045A9F557647CE3ACA0FC7A2FAD648994B1ABDCFC96F96E18197F4BC692?api-version=2021-10-01 pragma: - no-cache strict-transport-security: @@ -1737,56 +1684,14 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n --kube-config --force -y - User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/9f63d6e3-391e-4900-bdc5-e52c9c88cbbd*6B91F8906561019D361BC05718C963234CC9E37EF8839FC4720ADD5A8D2E05F7?api-version=2021-10-01 - response: - body: - string: '{"id":"/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/9f63d6e3-391e-4900-bdc5-e52c9c88cbbd*6B91F8906561019D361BC05718C963234CC9E37EF8839FC4720ADD5A8D2E05F7","name":"9f63d6e3-391e-4900-bdc5-e52c9c88cbbd*6B91F8906561019D361BC05718C963234CC9E37EF8839FC4720ADD5A8D2E05F7","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rohanazuregroup/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","status":"Deleting","startTime":"2022-11-15T11:43:35.5820131Z"}' - headers: - cache-control: - - no-cache - content-length: - - '508' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 15 Nov 2022 11:43:36 GMT - etag: - - '"10016d65-0000-0100-0000-63737b670000"' - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - connectedk8s delete - Connection: - - keep-alive - ParameterSetName: - - -g -n --kube-config --force -y + - -g -n --kube-config --kube-context --force -y User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.8.10 (Windows-10-10.0.19045-SP0) method: GET - uri: https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/9f63d6e3-391e-4900-bdc5-e52c9c88cbbd*6B91F8906561019D361BC05718C963234CC9E37EF8839FC4720ADD5A8D2E05F7?api-version=2021-10-01 + uri: https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/dabbb486-daab-48c0-adef-9ae37aee36ca*4616F045A9F557647CE3ACA0FC7A2FAD648994B1ABDCFC96F96E18197F4BC692?api-version=2021-10-01 response: body: - string: '{"id":"/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/9f63d6e3-391e-4900-bdc5-e52c9c88cbbd*6B91F8906561019D361BC05718C963234CC9E37EF8839FC4720ADD5A8D2E05F7","name":"9f63d6e3-391e-4900-bdc5-e52c9c88cbbd*6B91F8906561019D361BC05718C963234CC9E37EF8839FC4720ADD5A8D2E05F7","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rohanazuregroup/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","status":"Succeeded","startTime":"2022-11-15T11:43:35.5820131Z","endTime":"2022-11-15T11:43:40.3867995Z","properties":null}' + string: '{"id":"/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/dabbb486-daab-48c0-adef-9ae37aee36ca*4616F045A9F557647CE3ACA0FC7A2FAD648994B1ABDCFC96F96E18197F4BC692","name":"dabbb486-daab-48c0-adef-9ae37aee36ca*4616F045A9F557647CE3ACA0FC7A2FAD648994B1ABDCFC96F96E18197F4BC692","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/conk8stest000001/providers/Microsoft.Kubernetes/connectedClusters/cc-000003","status":"Succeeded","startTime":"2022-11-24T19:17:17.8959669Z","endTime":"2022-11-24T19:17:24.858503Z","properties":null}' headers: cache-control: - no-cache @@ -1795,9 +1700,9 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Tue, 15 Nov 2022 11:44:06 GMT + - Thu, 24 Nov 2022 19:17:49 GMT etag: - - '"10018b65-0000-0100-0000-63737b6c0000"' + - '"490198c8-0000-0100-0000-637fc3440000"' expires: - '-1' pragma: @@ -1825,14 +1730,14 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n --kube-config --force -y + - -g -n --kube-config --kube-context --force -y User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.8.10 (Windows-10-10.0.19045-SP0) method: GET - uri: https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/9f63d6e3-391e-4900-bdc5-e52c9c88cbbd*6B91F8906561019D361BC05718C963234CC9E37EF8839FC4720ADD5A8D2E05F7?api-version=2021-10-01 + uri: https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/dabbb486-daab-48c0-adef-9ae37aee36ca*4616F045A9F557647CE3ACA0FC7A2FAD648994B1ABDCFC96F96E18197F4BC692?api-version=2021-10-01 response: body: - string: '{"id":"/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/9f63d6e3-391e-4900-bdc5-e52c9c88cbbd*6B91F8906561019D361BC05718C963234CC9E37EF8839FC4720ADD5A8D2E05F7","name":"9f63d6e3-391e-4900-bdc5-e52c9c88cbbd*6B91F8906561019D361BC05718C963234CC9E37EF8839FC4720ADD5A8D2E05F7","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rohanazuregroup/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","status":"Succeeded","startTime":"2022-11-15T11:43:35.5820131Z","endTime":"2022-11-15T11:43:40.3867995Z","properties":null}' + string: '{"id":"/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/dabbb486-daab-48c0-adef-9ae37aee36ca*4616F045A9F557647CE3ACA0FC7A2FAD648994B1ABDCFC96F96E18197F4BC692","name":"dabbb486-daab-48c0-adef-9ae37aee36ca*4616F045A9F557647CE3ACA0FC7A2FAD648994B1ABDCFC96F96E18197F4BC692","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/conk8stest000001/providers/Microsoft.Kubernetes/connectedClusters/cc-000003","status":"Succeeded","startTime":"2022-11-24T19:17:17.8959669Z","endTime":"2022-11-24T19:17:24.858503Z","properties":null}' headers: cache-control: - no-cache @@ -1841,9 +1746,9 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Tue, 15 Nov 2022 11:44:06 GMT + - Thu, 24 Nov 2022 19:17:49 GMT etag: - - '"10018b65-0000-0100-0000-63737b6c0000"' + - '"490198c8-0000-0100-0000-637fc3440000"' expires: - '-1' pragma: @@ -1869,83 +1774,15 @@ interactions: User-Agent: - OpenAPI-Generator/24.2.0/python method: GET - uri: https://test-force-rohanazuregroup-1bfbb5-6f1967ab.hcp.westeurope.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc - response: - body: - string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"3469"},"items":[{"metadata":{"name":"azure-arc","uid":"47539461-cf19-44f5-9a62-376e5513e21e","resourceVersion":"3461","creationTimestamp":"2022-11-15T11:38:53Z","deletionTimestamp":"2022-11-15T11:44:32Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:38:53Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating"}}]} - - ' - headers: - audit-id: - - dd23d05e-4f9a-48d2-8b77-6805aad83778 - cache-control: - - no-cache, private - content-length: - - '1014' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:44:34 GMT - x-kubernetes-pf-flowschema-uid: - - 41f5db60-86cb-4eda-ae03-4e5d3b32ee1c - x-kubernetes-pf-prioritylevel-uid: - - 10e00fa7-faea-45c7-90e4-414371b6c667 - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Content-Type: - - application/json - User-Agent: - - OpenAPI-Generator/24.2.0/python - method: GET - uri: https://test-force-rohanazuregroup-1bfbb5-6f1967ab.hcp.westeurope.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc - response: - body: - string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"3486"},"items":[{"metadata":{"name":"azure-arc","uid":"47539461-cf19-44f5-9a62-376e5513e21e","resourceVersion":"3461","creationTimestamp":"2022-11-15T11:38:53Z","deletionTimestamp":"2022-11-15T11:44:32Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:38:53Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating"}}]} - - ' - headers: - audit-id: - - 11b18757-8a12-483f-aa11-1db961851ccf - cache-control: - - no-cache, private - content-length: - - '1014' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:44:39 GMT - x-kubernetes-pf-flowschema-uid: - - 41f5db60-86cb-4eda-ae03-4e5d3b32ee1c - x-kubernetes-pf-prioritylevel-uid: - - 10e00fa7-faea-45c7-90e4-414371b6c667 - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Content-Type: - - application/json - User-Agent: - - OpenAPI-Generator/24.2.0/python - method: GET - uri: https://test-force-rohanazuregroup-1bfbb5-6f1967ab.hcp.westeurope.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc + uri: https://test-force-conk8stest000001-1bfbb5-1b3b01b5.hcp.eastus2euap.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc response: body: - string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"3604"},"items":[{"metadata":{"name":"azure-arc","uid":"47539461-cf19-44f5-9a62-376e5513e21e","resourceVersion":"3461","creationTimestamp":"2022-11-15T11:38:53Z","deletionTimestamp":"2022-11-15T11:44:32Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:38:53Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating"}}]} + string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"4301"},"items":[{"metadata":{"name":"azure-arc","uid":"71a6e499-85e8-4e3a-9e95-4803f166bfa6","resourceVersion":"4294","creationTimestamp":"2022-11-24T19:12:28Z","deletionTimestamp":"2022-11-24T19:18:12Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:12:28Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating"}}]} ' headers: audit-id: - - 4436ae5c-d07c-45f3-92d8-12724a3c62c2 + - 3ec10ab3-ef89-4311-be9a-efcc372d8e92 cache-control: - no-cache, private content-length: @@ -1953,11 +1790,11 @@ interactions: content-type: - application/json date: - - Tue, 15 Nov 2022 11:44:44 GMT + - Thu, 24 Nov 2022 19:18:13 GMT x-kubernetes-pf-flowschema-uid: - - 41f5db60-86cb-4eda-ae03-4e5d3b32ee1c + - 82d00372-72d6-4c5b-9ff3-709e42c5c214 x-kubernetes-pf-prioritylevel-uid: - - 10e00fa7-faea-45c7-90e4-414371b6c667 + - 08eb1bb5-9f77-4611-93e9-f1a16beacaed status: code: 200 message: OK @@ -1971,32 +1808,32 @@ interactions: User-Agent: - OpenAPI-Generator/24.2.0/python method: GET - uri: https://test-force-rohanazuregroup-1bfbb5-6f1967ab.hcp.westeurope.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc + uri: https://test-force-conk8stest000001-1bfbb5-1b3b01b5.hcp.eastus2euap.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc response: body: - string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"3805"},"items":[{"metadata":{"name":"azure-arc","uid":"47539461-cf19-44f5-9a62-376e5513e21e","resourceVersion":"3794","creationTimestamp":"2022-11-15T11:38:53Z","deletionTimestamp":"2022-11-15T11:44:32Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:38:53Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:44:48Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ResourcesDiscovered","message":"All - resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ParsedGroupVersions","message":"All - legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ContentDeleted","message":"All - content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"SomeResourcesRemain","message":"Some - resources are remaining: pods. has 10 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ContentHasNoFinalizers","message":"All + string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"4500"},"items":[{"metadata":{"name":"azure-arc","uid":"71a6e499-85e8-4e3a-9e95-4803f166bfa6","resourceVersion":"4496","creationTimestamp":"2022-11-24T19:12:28Z","deletionTimestamp":"2022-11-24T19:18:12Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:12:28Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:18:19Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ResourcesDiscovered","message":"All + resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ParsedGroupVersions","message":"All + legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ContentDeleted","message":"All + content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"SomeResourcesRemain","message":"Some + resources are remaining: pods. has 10 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ContentHasNoFinalizers","message":"All content-preserving finalizers finished"}]}}]} ' headers: audit-id: - - 72f35a6d-f996-4b41-a542-7c5df961d2b7 + - 609cd137-cbc9-4a0c-b6eb-548726c5b239 cache-control: - no-cache, private content-type: - application/json date: - - Tue, 15 Nov 2022 11:44:49 GMT + - Thu, 24 Nov 2022 19:18:19 GMT transfer-encoding: - chunked x-kubernetes-pf-flowschema-uid: - - 41f5db60-86cb-4eda-ae03-4e5d3b32ee1c + - 82d00372-72d6-4c5b-9ff3-709e42c5c214 x-kubernetes-pf-prioritylevel-uid: - - 10e00fa7-faea-45c7-90e4-414371b6c667 + - 08eb1bb5-9f77-4611-93e9-f1a16beacaed status: code: 200 message: OK @@ -2010,32 +1847,32 @@ interactions: User-Agent: - OpenAPI-Generator/24.2.0/python method: GET - uri: https://test-force-rohanazuregroup-1bfbb5-6f1967ab.hcp.westeurope.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc + uri: https://test-force-conk8stest000001-1bfbb5-1b3b01b5.hcp.eastus2euap.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc response: body: - string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"3856"},"items":[{"metadata":{"name":"azure-arc","uid":"47539461-cf19-44f5-9a62-376e5513e21e","resourceVersion":"3794","creationTimestamp":"2022-11-15T11:38:53Z","deletionTimestamp":"2022-11-15T11:44:32Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:38:53Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:44:48Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ResourcesDiscovered","message":"All - resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ParsedGroupVersions","message":"All - legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ContentDeleted","message":"All - content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"SomeResourcesRemain","message":"Some - resources are remaining: pods. has 10 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ContentHasNoFinalizers","message":"All + string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"4530"},"items":[{"metadata":{"name":"azure-arc","uid":"71a6e499-85e8-4e3a-9e95-4803f166bfa6","resourceVersion":"4530","creationTimestamp":"2022-11-24T19:12:28Z","deletionTimestamp":"2022-11-24T19:18:12Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:12:28Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:18:19Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ResourcesDiscovered","message":"All + resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ParsedGroupVersions","message":"All + legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ContentDeleted","message":"All + content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"SomeResourcesRemain","message":"Some + resources are remaining: pods. has 7 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ContentHasNoFinalizers","message":"All content-preserving finalizers finished"}]}}]} ' headers: audit-id: - - 41ae924f-84e5-4238-86d4-25e5fc89ff27 + - 8314f3e9-962c-4c6e-bf5e-4aafe7b4d21c cache-control: - no-cache, private content-type: - application/json date: - - Tue, 15 Nov 2022 11:44:55 GMT + - Thu, 24 Nov 2022 19:18:24 GMT transfer-encoding: - chunked x-kubernetes-pf-flowschema-uid: - - 41f5db60-86cb-4eda-ae03-4e5d3b32ee1c + - 82d00372-72d6-4c5b-9ff3-709e42c5c214 x-kubernetes-pf-prioritylevel-uid: - - 10e00fa7-faea-45c7-90e4-414371b6c667 + - 08eb1bb5-9f77-4611-93e9-f1a16beacaed status: code: 200 message: OK @@ -2049,32 +1886,32 @@ interactions: User-Agent: - OpenAPI-Generator/24.2.0/python method: GET - uri: https://test-force-rohanazuregroup-1bfbb5-6f1967ab.hcp.westeurope.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc + uri: https://test-force-conk8stest000001-1bfbb5-1b3b01b5.hcp.eastus2euap.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc response: body: - string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"3879"},"items":[{"metadata":{"name":"azure-arc","uid":"47539461-cf19-44f5-9a62-376e5513e21e","resourceVersion":"3794","creationTimestamp":"2022-11-15T11:38:53Z","deletionTimestamp":"2022-11-15T11:44:32Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:38:53Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:44:48Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ResourcesDiscovered","message":"All - resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ParsedGroupVersions","message":"All - legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ContentDeleted","message":"All - content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"SomeResourcesRemain","message":"Some - resources are remaining: pods. has 10 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ContentHasNoFinalizers","message":"All + string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"4551"},"items":[{"metadata":{"name":"azure-arc","uid":"71a6e499-85e8-4e3a-9e95-4803f166bfa6","resourceVersion":"4530","creationTimestamp":"2022-11-24T19:12:28Z","deletionTimestamp":"2022-11-24T19:18:12Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:12:28Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:18:19Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ResourcesDiscovered","message":"All + resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ParsedGroupVersions","message":"All + legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ContentDeleted","message":"All + content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"SomeResourcesRemain","message":"Some + resources are remaining: pods. has 7 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ContentHasNoFinalizers","message":"All content-preserving finalizers finished"}]}}]} ' headers: audit-id: - - 548edc1b-d07b-4be6-a754-487732e7bc43 + - c3b393e3-2685-4852-a03f-9299844ac020 cache-control: - no-cache, private content-type: - application/json date: - - Tue, 15 Nov 2022 11:45:00 GMT + - Thu, 24 Nov 2022 19:18:29 GMT transfer-encoding: - chunked x-kubernetes-pf-flowschema-uid: - - 41f5db60-86cb-4eda-ae03-4e5d3b32ee1c + - 82d00372-72d6-4c5b-9ff3-709e42c5c214 x-kubernetes-pf-prioritylevel-uid: - - 10e00fa7-faea-45c7-90e4-414371b6c667 + - 08eb1bb5-9f77-4611-93e9-f1a16beacaed status: code: 200 message: OK @@ -2088,32 +1925,32 @@ interactions: User-Agent: - OpenAPI-Generator/24.2.0/python method: GET - uri: https://test-force-rohanazuregroup-1bfbb5-6f1967ab.hcp.westeurope.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc + uri: https://test-force-conk8stest000001-1bfbb5-1b3b01b5.hcp.eastus2euap.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc response: body: - string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"3898"},"items":[{"metadata":{"name":"azure-arc","uid":"47539461-cf19-44f5-9a62-376e5513e21e","resourceVersion":"3794","creationTimestamp":"2022-11-15T11:38:53Z","deletionTimestamp":"2022-11-15T11:44:32Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:38:53Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:44:48Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ResourcesDiscovered","message":"All - resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ParsedGroupVersions","message":"All - legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ContentDeleted","message":"All - content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"SomeResourcesRemain","message":"Some - resources are remaining: pods. has 10 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ContentHasNoFinalizers","message":"All + string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"4570"},"items":[{"metadata":{"name":"azure-arc","uid":"71a6e499-85e8-4e3a-9e95-4803f166bfa6","resourceVersion":"4530","creationTimestamp":"2022-11-24T19:12:28Z","deletionTimestamp":"2022-11-24T19:18:12Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:12:28Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:18:19Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ResourcesDiscovered","message":"All + resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ParsedGroupVersions","message":"All + legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ContentDeleted","message":"All + content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"SomeResourcesRemain","message":"Some + resources are remaining: pods. has 7 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ContentHasNoFinalizers","message":"All content-preserving finalizers finished"}]}}]} ' headers: audit-id: - - 0839fd77-a0ba-45b0-b9cc-e276371aaed1 + - fe299849-39da-4d9c-87b7-ee78c8d21e3e cache-control: - no-cache, private content-type: - application/json date: - - Tue, 15 Nov 2022 11:45:05 GMT + - Thu, 24 Nov 2022 19:18:35 GMT transfer-encoding: - chunked x-kubernetes-pf-flowschema-uid: - - 41f5db60-86cb-4eda-ae03-4e5d3b32ee1c + - 82d00372-72d6-4c5b-9ff3-709e42c5c214 x-kubernetes-pf-prioritylevel-uid: - - 10e00fa7-faea-45c7-90e4-414371b6c667 + - 08eb1bb5-9f77-4611-93e9-f1a16beacaed status: code: 200 message: OK @@ -2127,33 +1964,32 @@ interactions: User-Agent: - OpenAPI-Generator/24.2.0/python method: GET - uri: https://test-force-rohanazuregroup-1bfbb5-6f1967ab.hcp.westeurope.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc + uri: https://test-force-conk8stest000001-1bfbb5-1b3b01b5.hcp.eastus2euap.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc response: body: - string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"3919"},"items":[{"metadata":{"name":"azure-arc","uid":"47539461-cf19-44f5-9a62-376e5513e21e","resourceVersion":"3916","creationTimestamp":"2022-11-15T11:38:53Z","deletionTimestamp":"2022-11-15T11:44:32Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:38:53Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:44:48Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ResourcesDiscovered","message":"All - resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ParsedGroupVersions","message":"All - legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"True","lastTransitionTime":"2022-11-15T11:45:10Z","reason":"ContentDeletionFailed","message":"Failed - to delete all resource types, 1 remaining: unexpected items still remain in - namespace: azure-arc for gvr: /v1, Resource=pods"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"SomeResourcesRemain","message":"Some - resources are remaining: pods. has 7 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ContentHasNoFinalizers","message":"All + string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"4589"},"items":[{"metadata":{"name":"azure-arc","uid":"71a6e499-85e8-4e3a-9e95-4803f166bfa6","resourceVersion":"4530","creationTimestamp":"2022-11-24T19:12:28Z","deletionTimestamp":"2022-11-24T19:18:12Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:12:28Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:18:19Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ResourcesDiscovered","message":"All + resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ParsedGroupVersions","message":"All + legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ContentDeleted","message":"All + content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"SomeResourcesRemain","message":"Some + resources are remaining: pods. has 7 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ContentHasNoFinalizers","message":"All content-preserving finalizers finished"}]}}]} ' headers: audit-id: - - 590c1675-d0e0-4023-9e2c-fe582701fbf5 + - bc0326a2-7efa-4180-ab6c-493b888e5ca2 cache-control: - no-cache, private content-type: - application/json date: - - Tue, 15 Nov 2022 11:45:10 GMT + - Thu, 24 Nov 2022 19:18:40 GMT transfer-encoding: - chunked x-kubernetes-pf-flowschema-uid: - - 41f5db60-86cb-4eda-ae03-4e5d3b32ee1c + - 82d00372-72d6-4c5b-9ff3-709e42c5c214 x-kubernetes-pf-prioritylevel-uid: - - 10e00fa7-faea-45c7-90e4-414371b6c667 + - 08eb1bb5-9f77-4611-93e9-f1a16beacaed status: code: 200 message: OK @@ -2167,33 +2003,32 @@ interactions: User-Agent: - OpenAPI-Generator/24.2.0/python method: GET - uri: https://test-force-rohanazuregroup-1bfbb5-6f1967ab.hcp.westeurope.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc + uri: https://test-force-conk8stest000001-1bfbb5-1b3b01b5.hcp.eastus2euap.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc response: body: - string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"3948"},"items":[{"metadata":{"name":"azure-arc","uid":"47539461-cf19-44f5-9a62-376e5513e21e","resourceVersion":"3948","creationTimestamp":"2022-11-15T11:38:53Z","deletionTimestamp":"2022-11-15T11:44:32Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:38:53Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:44:48Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ResourcesDiscovered","message":"All - resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ParsedGroupVersions","message":"All - legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"True","lastTransitionTime":"2022-11-15T11:45:10Z","reason":"ContentDeletionFailed","message":"Failed - to delete all resource types, 1 remaining: unexpected items still remain in - namespace: azure-arc for gvr: /v1, Resource=pods"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"SomeResourcesRemain","message":"Some - resources are remaining: pods. has 4 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ContentHasNoFinalizers","message":"All + string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"4629"},"items":[{"metadata":{"name":"azure-arc","uid":"71a6e499-85e8-4e3a-9e95-4803f166bfa6","resourceVersion":"4530","creationTimestamp":"2022-11-24T19:12:28Z","deletionTimestamp":"2022-11-24T19:18:12Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:12:28Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:18:19Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ResourcesDiscovered","message":"All + resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ParsedGroupVersions","message":"All + legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ContentDeleted","message":"All + content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"SomeResourcesRemain","message":"Some + resources are remaining: pods. has 7 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ContentHasNoFinalizers","message":"All content-preserving finalizers finished"}]}}]} ' headers: audit-id: - - 614abefc-3052-4b16-98c5-0e9eead44fbf + - 8b6eacfd-c39d-456d-a7e4-1ec5647cdf1d cache-control: - no-cache, private content-type: - application/json date: - - Tue, 15 Nov 2022 11:45:15 GMT + - Thu, 24 Nov 2022 19:18:45 GMT transfer-encoding: - chunked x-kubernetes-pf-flowschema-uid: - - 41f5db60-86cb-4eda-ae03-4e5d3b32ee1c + - 82d00372-72d6-4c5b-9ff3-709e42c5c214 x-kubernetes-pf-prioritylevel-uid: - - 10e00fa7-faea-45c7-90e4-414371b6c667 + - 08eb1bb5-9f77-4611-93e9-f1a16beacaed status: code: 200 message: OK @@ -2207,15 +2042,15 @@ interactions: User-Agent: - OpenAPI-Generator/24.2.0/python method: GET - uri: https://test-force-rohanazuregroup-1bfbb5-6f1967ab.hcp.westeurope.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc + uri: https://test-force-conk8stest000001-1bfbb5-1b3b01b5.hcp.eastus2euap.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc response: body: - string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"3980"},"items":[]} + string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"4650"},"items":[]} ' headers: audit-id: - - 6aa4588f-abf6-4775-9130-ab5aa2885da2 + - 33e78078-14c5-4d7f-98bb-077f7791e2bc cache-control: - no-cache, private content-length: @@ -2223,11 +2058,11 @@ interactions: content-type: - application/json date: - - Tue, 15 Nov 2022 11:45:21 GMT + - Thu, 24 Nov 2022 19:18:50 GMT x-kubernetes-pf-flowschema-uid: - - 41f5db60-86cb-4eda-ae03-4e5d3b32ee1c + - 82d00372-72d6-4c5b-9ff3-709e42c5c214 x-kubernetes-pf-prioritylevel-uid: - - 10e00fa7-faea-45c7-90e4-414371b6c667 + - 08eb1bb5-9f77-4611-93e9-f1a16beacaed status: code: 200 message: OK @@ -2247,26 +2082,26 @@ interactions: ParameterSetName: - -g -n -y User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 + (Windows-10-10.0.19045-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rohanazuregroup/providers/Microsoft.ContainerService/managedClusters/test-force-delete000001?api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/conk8stest000001/providers/Microsoft.ContainerService/managedClusters/test-force-delete000002?api-version=2022-09-01 response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/605d2bdb-609e-4c4f-a44b-bde1a4dd1226?api-version=2017-08-31 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus2euap/operations/d7078ba7-428b-4bb6-a850-0f6a1744d17a?api-version=2016-03-30 cache-control: - no-cache content-length: - '0' date: - - Tue, 15 Nov 2022 11:45:26 GMT + - Thu, 24 Nov 2022 19:18:57 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operationresults/605d2bdb-609e-4c4f-a44b-bde1a4dd1226?api-version=2017-08-31 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus2euap/operationresults/d7078ba7-428b-4bb6-a850-0f6a1744d17a?api-version=2016-03-30 pragma: - no-cache server: @@ -2294,446 +2129,14 @@ interactions: ParameterSetName: - -g -n -y User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/605d2bdb-609e-4c4f-a44b-bde1a4dd1226?api-version=2017-08-31 - response: - body: - string: "{\n \"name\": \"db2b5d60-9e60-4f4c-a44b-bde1a4dd1226\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:45:26.9575477Z\"\n }" - headers: - cache-control: - - no-cache - content-length: - - '126' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:45:26 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - aks delete - Connection: - - keep-alive - ParameterSetName: - - -g -n -y - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/605d2bdb-609e-4c4f-a44b-bde1a4dd1226?api-version=2017-08-31 - response: - body: - string: "{\n \"name\": \"db2b5d60-9e60-4f4c-a44b-bde1a4dd1226\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:45:26.9575477Z\"\n }" - headers: - cache-control: - - no-cache - content-length: - - '126' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:45:57 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - aks delete - Connection: - - keep-alive - ParameterSetName: - - -g -n -y - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/605d2bdb-609e-4c4f-a44b-bde1a4dd1226?api-version=2017-08-31 - response: - body: - string: "{\n \"name\": \"db2b5d60-9e60-4f4c-a44b-bde1a4dd1226\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:45:26.9575477Z\"\n }" - headers: - cache-control: - - no-cache - content-length: - - '126' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:46:27 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - aks delete - Connection: - - keep-alive - ParameterSetName: - - -g -n -y - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/605d2bdb-609e-4c4f-a44b-bde1a4dd1226?api-version=2017-08-31 - response: - body: - string: "{\n \"name\": \"db2b5d60-9e60-4f4c-a44b-bde1a4dd1226\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:45:26.9575477Z\"\n }" - headers: - cache-control: - - no-cache - content-length: - - '126' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:46:58 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - aks delete - Connection: - - keep-alive - ParameterSetName: - - -g -n -y - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/605d2bdb-609e-4c4f-a44b-bde1a4dd1226?api-version=2017-08-31 - response: - body: - string: "{\n \"name\": \"db2b5d60-9e60-4f4c-a44b-bde1a4dd1226\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:45:26.9575477Z\"\n }" - headers: - cache-control: - - no-cache - content-length: - - '126' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:47:28 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - aks delete - Connection: - - keep-alive - ParameterSetName: - - -g -n -y - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/605d2bdb-609e-4c4f-a44b-bde1a4dd1226?api-version=2017-08-31 - response: - body: - string: "{\n \"name\": \"db2b5d60-9e60-4f4c-a44b-bde1a4dd1226\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:45:26.9575477Z\"\n }" - headers: - cache-control: - - no-cache - content-length: - - '126' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:47:58 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - aks delete - Connection: - - keep-alive - ParameterSetName: - - -g -n -y - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/605d2bdb-609e-4c4f-a44b-bde1a4dd1226?api-version=2017-08-31 - response: - body: - string: "{\n \"name\": \"db2b5d60-9e60-4f4c-a44b-bde1a4dd1226\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:45:26.9575477Z\"\n }" - headers: - cache-control: - - no-cache - content-length: - - '126' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:48:28 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - aks delete - Connection: - - keep-alive - ParameterSetName: - - -g -n -y - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/605d2bdb-609e-4c4f-a44b-bde1a4dd1226?api-version=2017-08-31 - response: - body: - string: "{\n \"name\": \"db2b5d60-9e60-4f4c-a44b-bde1a4dd1226\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:45:26.9575477Z\"\n }" - headers: - cache-control: - - no-cache - content-length: - - '126' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:48:59 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - aks delete - Connection: - - keep-alive - ParameterSetName: - - -g -n -y - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/605d2bdb-609e-4c4f-a44b-bde1a4dd1226?api-version=2017-08-31 - response: - body: - string: "{\n \"name\": \"db2b5d60-9e60-4f4c-a44b-bde1a4dd1226\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:45:26.9575477Z\"\n }" - headers: - cache-control: - - no-cache - content-length: - - '126' - content-type: - - application/json - date: - - Tue, 15 Nov 2022 11:49:29 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - aks delete - Connection: - - keep-alive - ParameterSetName: - - -g -n -y - User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 + (Windows-10-10.0.19045-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/605d2bdb-609e-4c4f-a44b-bde1a4dd1226?api-version=2017-08-31 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus2euap/operations/d7078ba7-428b-4bb6-a850-0f6a1744d17a?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"db2b5d60-9e60-4f4c-a44b-bde1a4dd1226\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:45:26.9575477Z\"\n }" + string: "{\n \"name\": \"a78b07d7-8b42-b64b-a850-0f6a1744d17a\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-24T19:18:57.1535147Z\"\n }" headers: cache-control: - no-cache @@ -2742,7 +2145,7 @@ interactions: content-type: - application/json date: - - Tue, 15 Nov 2022 11:50:00 GMT + - Thu, 24 Nov 2022 19:19:28 GMT expires: - '-1' pragma: @@ -2774,14 +2177,14 @@ interactions: ParameterSetName: - -g -n -y User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 + (Windows-10-10.0.19045-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/605d2bdb-609e-4c4f-a44b-bde1a4dd1226?api-version=2017-08-31 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus2euap/operations/d7078ba7-428b-4bb6-a850-0f6a1744d17a?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"db2b5d60-9e60-4f4c-a44b-bde1a4dd1226\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:45:26.9575477Z\"\n }" + string: "{\n \"name\": \"a78b07d7-8b42-b64b-a850-0f6a1744d17a\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-24T19:18:57.1535147Z\"\n }" headers: cache-control: - no-cache @@ -2790,7 +2193,7 @@ interactions: content-type: - application/json date: - - Tue, 15 Nov 2022 11:50:30 GMT + - Thu, 24 Nov 2022 19:19:59 GMT expires: - '-1' pragma: @@ -2822,14 +2225,14 @@ interactions: ParameterSetName: - -g -n -y User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 + (Windows-10-10.0.19045-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/605d2bdb-609e-4c4f-a44b-bde1a4dd1226?api-version=2017-08-31 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus2euap/operations/d7078ba7-428b-4bb6-a850-0f6a1744d17a?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"db2b5d60-9e60-4f4c-a44b-bde1a4dd1226\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:45:26.9575477Z\"\n }" + string: "{\n \"name\": \"a78b07d7-8b42-b64b-a850-0f6a1744d17a\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-24T19:18:57.1535147Z\"\n }" headers: cache-control: - no-cache @@ -2838,7 +2241,7 @@ interactions: content-type: - application/json date: - - Tue, 15 Nov 2022 11:51:00 GMT + - Thu, 24 Nov 2022 19:20:29 GMT expires: - '-1' pragma: @@ -2870,14 +2273,14 @@ interactions: ParameterSetName: - -g -n -y User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 + (Windows-10-10.0.19045-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/605d2bdb-609e-4c4f-a44b-bde1a4dd1226?api-version=2017-08-31 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus2euap/operations/d7078ba7-428b-4bb6-a850-0f6a1744d17a?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"db2b5d60-9e60-4f4c-a44b-bde1a4dd1226\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:45:26.9575477Z\"\n }" + string: "{\n \"name\": \"a78b07d7-8b42-b64b-a850-0f6a1744d17a\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-24T19:18:57.1535147Z\"\n }" headers: cache-control: - no-cache @@ -2886,7 +2289,7 @@ interactions: content-type: - application/json date: - - Tue, 15 Nov 2022 11:51:30 GMT + - Thu, 24 Nov 2022 19:20:59 GMT expires: - '-1' pragma: @@ -2918,14 +2321,14 @@ interactions: ParameterSetName: - -g -n -y User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 + (Windows-10-10.0.19045-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/605d2bdb-609e-4c4f-a44b-bde1a4dd1226?api-version=2017-08-31 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus2euap/operations/d7078ba7-428b-4bb6-a850-0f6a1744d17a?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"db2b5d60-9e60-4f4c-a44b-bde1a4dd1226\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-15T11:45:26.9575477Z\"\n }" + string: "{\n \"name\": \"a78b07d7-8b42-b64b-a850-0f6a1744d17a\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-24T19:18:57.1535147Z\"\n }" headers: cache-control: - no-cache @@ -2934,7 +2337,7 @@ interactions: content-type: - application/json date: - - Tue, 15 Nov 2022 11:52:01 GMT + - Thu, 24 Nov 2022 19:21:30 GMT expires: - '-1' pragma: @@ -2966,15 +2369,15 @@ interactions: ParameterSetName: - -g -n -y User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 + (Windows-10-10.0.19045-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/605d2bdb-609e-4c4f-a44b-bde1a4dd1226?api-version=2017-08-31 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus2euap/operations/d7078ba7-428b-4bb6-a850-0f6a1744d17a?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"db2b5d60-9e60-4f4c-a44b-bde1a4dd1226\",\n \"status\": - \"Succeeded\",\n \"startTime\": \"2022-11-15T11:45:26.9575477Z\",\n \"endTime\": - \"2022-11-15T11:52:10.129374Z\"\n }" + string: "{\n \"name\": \"a78b07d7-8b42-b64b-a850-0f6a1744d17a\",\n \"status\": + \"Succeeded\",\n \"startTime\": \"2022-11-24T19:18:57.1535147Z\",\n \"endTime\": + \"2022-11-24T19:21:57.318634Z\"\n }" headers: cache-control: - no-cache @@ -2983,7 +2386,7 @@ interactions: content-type: - application/json date: - - Tue, 15 Nov 2022 11:52:31 GMT + - Thu, 24 Nov 2022 19:22:01 GMT expires: - '-1' pragma: diff --git a/src/connectedk8s/azext_connectedk8s/tests/latest/test_connectedk8s_scenario.py b/src/connectedk8s/azext_connectedk8s/tests/latest/test_connectedk8s_scenario.py index 3b19a318433..3f45c36a15c 100644 --- a/src/connectedk8s/azext_connectedk8s/tests/latest/test_connectedk8s_scenario.py +++ b/src/connectedk8s/azext_connectedk8s/tests/latest/test_connectedk8s_scenario.py @@ -5,12 +5,22 @@ import os import unittest +import json +import requests +import platform +import stat +from knack.util import CLIError +import azext_connectedk8s._constants as consts +import urllib.request +import shutil +from knack.log import get_logger +from azure.cli.core import get_default_cli import subprocess - -from azure.cli.testsdk import (LiveScenarioTest, ResourceGroupPreparer) # pylint: disable=import-error - +from subprocess import Popen, PIPE, run, STDOUT, call, DEVNULL +from azure.cli.testsdk import (LiveScenarioTest, ResourceGroupPreparer, live_only) # pylint: disable=import-error TEST_DIR = os.path.abspath(os.path.join(os.path.abspath(__file__), '..')) +logger = get_logger(__name__) def _get_test_data_file(filename): @@ -18,85 +28,489 @@ def _get_test_data_file(filename): return os.path.join(curr_dir, 'data', filename).replace('\\', '\\\\') +def install_helm_client(): + + # Fetch system related info + operating_system = platform.system().lower() + machine_type = platform.machine() + + # Set helm binary download & install locations + if(operating_system == 'windows'): + download_location_string = f'.azure\\helm\\{consts.HELM_VERSION}\\helm-{consts.HELM_VERSION}-{operating_system}-amd64.zip' + install_location_string = f'.azure\\helm\\{consts.HELM_VERSION}\\{operating_system}-amd64\\helm.exe' + requestUri = f'{consts.HELM_STORAGE_URL}/helm/helm-{consts.HELM_VERSION}-{operating_system}-amd64.zip' + elif(operating_system == 'linux' or operating_system == 'darwin'): + download_location_string = f'.azure/helm/{consts.HELM_VERSION}/helm-{consts.HELM_VERSION}-{operating_system}-amd64.tar.gz' + install_location_string = f'.azure/helm/{consts.HELM_VERSION}/{operating_system}-amd64/helm' + requestUri = f'{consts.HELM_STORAGE_URL}/helm/helm-{consts.HELM_VERSION}-{operating_system}-amd64.tar.gz' + else: + logger.warning(f'The {operating_system} platform is not currently supported for installing helm client.') + return + + download_location = os.path.expanduser(os.path.join('~', download_location_string)) + download_dir = os.path.dirname(download_location) + install_location = os.path.expanduser(os.path.join('~', install_location_string)) + + # Download compressed helm binary if not already present + if not os.path.isfile(download_location): + # Creating the helm folder if it doesnt exist + if not os.path.exists(download_dir): + try: + os.makedirs(download_dir) + except Exception as e: + logger.warning("Failed to create helm directory." + str(e)) + return + + # Downloading compressed helm client executable + try: + response = urllib.request.urlopen(requestUri) + except Exception as e: + logger.warning("Failed to download helm client.") + return + + responseContent = response.read() + response.close() + + # Creating the compressed helm binaries + try: + with open(download_location, 'wb') as f: + f.write(responseContent) + except Exception as e: + logger.warning("Failed to extract helm executable" + str(e)) + return + + # Extract compressed helm binary + if not os.path.isfile(install_location): + try: + shutil.unpack_archive(download_location, download_dir) + os.chmod(install_location, os.stat(install_location).st_mode | stat.S_IXUSR) + except Exception as e: + logger.warning("Failed to extract helm executable" + str(e)) + return + + return install_location + + +def install_kubectl_client(): + # Return kubectl client path set by user + try: + + # Fetching the current directory where the cli installs the kubectl executable + home_dir = os.path.expanduser('~') + kubectl_filepath = os.path.join(home_dir, '.azure', 'kubectl-client') + + try: + os.mkdir(kubectl_filepath) + except FileExistsError: + pass + + operating_system = platform.system().lower() + # Setting path depending on the OS being used + if operating_system == 'windows': + kubectl_path = os.path.join(kubectl_filepath, 'kubectl.exe') + elif operating_system == 'linux' or operating_system == 'darwin': + kubectl_path = os.path.join(kubectl_filepath, 'kubectl') + else: + logger.warning(f'The {operating_system} platform is not currently supported for installing kubectl client.') + return + + if os.path.isfile(kubectl_path): + return kubectl_path + + # Downloading kubectl executable if its not present in the machine + get_default_cli().invoke(['aks', 'install-cli', '--install-location', kubectl_path]) + # Return the path of the kubectl executable + return kubectl_path + + except Exception as e: + logger.warning("Unable to install kubectl. Error: " + str(e)) + return + + class Connectedk8sScenarioTest(LiveScenarioTest): - def test_connectedk8s(self): + @live_only() + @ResourceGroupPreparer(name_prefix='conk8stest', location='eastus2euap', random_name_length=16) + def test_connect(self,resource_group): + + managed_cluster_name = self.create_random_name(prefix='test-connect', length=24) + kubeconfig="%s" % (_get_test_data_file(managed_cluster_name + '-config.yaml')) + self.kwargs.update({ + 'rg': resource_group, + 'name': self.create_random_name(prefix='cc-', length=12), + 'kubeconfig': kubeconfig, + 'managed_cluster_name': managed_cluster_name + }) - managed_cluster_name = self.create_random_name(prefix='cli-test-aks-', length=24) + self.cmd('aks create -g {rg} -n {managed_cluster_name} --generate-ssh-keys') + self.cmd('aks get-credentials -g {rg} -n {managed_cluster_name} -f {kubeconfig} --admin') + self.cmd('connectedk8s connect -g {rg} -n {name} -l eastus --tags foo=doo --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin', checks=[ + self.check('tags.foo', 'doo'), + self.check('resourceGroup', '{rg}'), + self.check('name', '{name}') + ]) + + self.cmd('connectedk8s delete -g {rg} -n {name} --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin -y') + self.cmd('aks delete -g {rg} -n {managed_cluster_name} -y') + + # delete the kube config + os.remove("%s" % (_get_test_data_file(managed_cluster_name + '-config.yaml'))) + + + @live_only() + @ResourceGroupPreparer(name_prefix='conk8stest', location='eastus2euap', random_name_length=16) + def test_forcedelete(self,resource_group): + + managed_cluster_name = self.create_random_name(prefix='test-force-delete', length=24) + kubeconfig="%s" % (_get_test_data_file(managed_cluster_name + '-config.yaml')) self.kwargs.update({ + 'rg': resource_group, 'name': self.create_random_name(prefix='cc-', length=12), - 'kubeconfig': "%s" % (_get_test_data_file(managed_cluster_name + '-config.yaml')), - 'kubeconfigpls': "%s" % (_get_test_data_file('pls-config.yaml')), + 'kubeconfig': kubeconfig, 'managed_cluster_name': managed_cluster_name }) - self.cmd('aks create -g akkeshar -n {} -s Standard_B4ms -l westeurope -c 1 --generate-ssh-keys'.format(managed_cluster_name)) - self.cmd('aks get-credentials -g akkeshar -n {managed_cluster_name} -f {kubeconfig}') - self.cmd('connectedk8s connect -g akkeshar -n {name} -l eastus --tags foo=doo --kube-config {kubeconfig}', checks=[ + + self.cmd('aks create -g {rg} -n {managed_cluster_name} --generate-ssh-keys') + self.cmd('aks get-credentials -g {rg} -n {managed_cluster_name} -f {kubeconfig} --admin') + self.cmd('connectedk8s connect -g {rg} -n {name} -l eastus --tags foo=doo --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin', checks=[ self.check('tags.foo', 'doo'), self.check('name', '{name}') ]) - self.cmd('connectedk8s show -g akkeshar -n {name}', checks=[ + self.cmd('connectedk8s show -g {rg} -n {name}', checks=[ self.check('name', '{name}'), - self.check('resourceGroup', 'akkeshar'), + self.check('resourceGroup', '{rg}'), self.check('tags.foo', 'doo') ]) - self.cmd('connectedk8s delete -g akkeshar -n {name} --kube-config {kubeconfig} -y') - # Test 2022-10-01-preview api properties - self.cmd('connectedk8s connect -g akkeshar -n {name} -l eastus --distribution aks_management --infrastructure azure_stack_hci --distribution-version 1.0 --tags foo=doo --kube-config {kubeconfig}', checks=[ - self.check('distributionVersion', '1.0'), + # Simulating the condition in which the azure-arc namespace got deleted + # connectedk8s delete command fails in this case + kubectl_client_location = install_kubectl_client() + subprocess.run([kubectl_client_location, "delete", "namespace", "azure-arc","--kube-config", kubeconfig]) + + # Using the force delete command + # -y to supress the prompts + self.cmd('connectedk8s delete -g {rg} -n {name} --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin --force -y') + self.cmd('aks delete -g {rg} -n {managed_cluster_name} -y') + + # delete the kube config + os.remove("%s" % (_get_test_data_file(managed_cluster_name + '-config.yaml'))) + + + @live_only() + @ResourceGroupPreparer(name_prefix='conk8stest', location='eastus2euap', random_name_length=16) + def test_enable_disable_features(self,resource_group): + + managed_cluster_name = self.create_random_name(prefix='test-enable-disable', length=24) + kubeconfig="%s" % (_get_test_data_file(managed_cluster_name + '-config.yaml')) + self.kwargs.update({ + 'rg': resource_group, + 'name': self.create_random_name(prefix='cc-', length=12), + 'kubeconfig': kubeconfig, + 'managed_cluster_name': managed_cluster_name + }) + + self.cmd('aks create -g {rg} -n {managed_cluster_name} --generate-ssh-keys') + self.cmd('aks get-credentials -g {rg} -n {managed_cluster_name} -f {kubeconfig} --admin') + self.cmd('connectedk8s connect -g {rg} -n {name} -l eastus --tags foo=doo --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin', checks=[ + self.check('tags.foo', 'doo'), self.check('name', '{name}') ]) - self.cmd('connectedk8s update -g akkeshar -n {name} --azure-hybrid-benefit true --kube-config {kubeconfig} --yes', checks=[ - self.check('azureHybridBenefit', 'True'), - self.check('name', '{name}') + self.cmd('connectedk8s show -g {rg} -n {name}', checks=[ + self.check('name', '{name}'), + self.check('resourceGroup', '{rg}'), + self.check('tags.foo', 'doo') ]) - self.cmd('aks delete -g akkeshar -n {} -y'.format(managed_cluster_name)) + os.environ.setdefault('KUBECONFIG', kubeconfig) + helm_client_location = install_helm_client() + cmd = [helm_client_location, 'get', 'values', 'azure-arc', "--namespace", "azure-arc-release", "-ojson"] + + # scenario-1 : custom loc disabled and custom loc enabled (should be successfull as there is no dependency) + self.cmd('connectedk8s disable-features -n {name} -g {rg} --features custom-locations --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin -y') + cmd_output = subprocess.Popen(cmd, stdout=PIPE, stderr=PIPE) + _, error_helm_delete = cmd_output.communicate() + assert(cmd_output.returncode == 0) + changed_cmd = json.loads(cmd_output.communicate()[0].strip()) + assert(changed_cmd["systemDefaultValues"]['customLocations']['enabled'] == bool(0)) + + self.cmd('connectedk8s enable-features -n {name} -g {rg} --features custom-locations --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin') + cmd_output1 = subprocess.Popen(cmd, stdout=PIPE, stderr=PIPE) + _, error_helm_delete = cmd_output1.communicate() + assert(cmd_output1.returncode == 0) + enabled_cmd1 = json.loads(cmd_output1.communicate()[0].strip()) + assert(enabled_cmd1["systemDefaultValues"]['customLocations']['enabled'] == bool(1)) + + # scenario-2 : custom loc is enabled , check if disabling cluster connect results in an error + with self.assertRaisesRegexp(CLIError, "Disabling 'cluster-connect' feature is not allowed when 'custom-locations' feature is enabled."): + self.cmd('connectedk8s disable-features -n {name} -g {rg} --features cluster-connect --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin -y') + + # scenario-3 : disable custom location and cluster connect , then enable custom loc and check if cluster connect also gets on + self.cmd('connectedk8s disable-features -n {name} -g {rg} --features custom-locations --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin -y') + cmd_output1 = subprocess.Popen(cmd, stdout=PIPE, stderr=PIPE) + _, error_helm_delete = cmd_output1.communicate() + assert(cmd_output1.returncode == 0) + disabled_cmd1 = json.loads(cmd_output1.communicate()[0].strip()) + assert(disabled_cmd1["systemDefaultValues"]['customLocations']['enabled'] == bool(0)) + + self.cmd('connectedk8s disable-features -n {name} -g {rg} --features cluster-connect --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin -y') + cmd_output1 = subprocess.Popen(cmd, stdout=PIPE, stderr=PIPE) + _, error_helm_delete = cmd_output1.communicate() + assert(cmd_output1.returncode == 0) + disabled_cmd1 = json.loads(cmd_output1.communicate()[0].strip()) + assert(disabled_cmd1["systemDefaultValues"]['clusterconnect-agent']['enabled'] == bool(0)) + + self.cmd('connectedk8s enable-features -n {name} -g {rg} --features custom-locations --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin') + cmd_output1 = subprocess.Popen(cmd, stdout=PIPE, stderr=PIPE) + _, error_helm_delete = cmd_output1.communicate() + assert(cmd_output1.returncode == 0) + enabled_cmd1 = json.loads(cmd_output1.communicate()[0].strip()) + assert(enabled_cmd1["systemDefaultValues"]['customLocations']['enabled'] == bool(1)) + assert(enabled_cmd1["systemDefaultValues"]['clusterconnect-agent']['enabled'] == bool(1)) + + # scenario-4: azure rbac turned off and turning azure rbac on again using app id and app secret + self.cmd('connectedk8s disable-features -n {name} -g {rg} --features azure-rbac --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin -y') + cmd_output1 = subprocess.Popen(cmd, stdout=PIPE, stderr=PIPE) + _, error_helm_delete = cmd_output1.communicate() + assert(cmd_output1.returncode == 0) + disabled_cmd1 = json.loads(cmd_output1.communicate()[0].strip()) + assert(disabled_cmd1["systemDefaultValues"]['guard']['enabled'] == bool(0)) + + self.cmd('az connectedk8s enable-features -n {name} -g {rg} --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin --features azure-rbac --app-id ffba4043-836e-4dcc-906c-fbf60bf54eef --app-secret="6a6ae7a7-4260-40d3-ba00-af909f2ca8f0"') + + # deleting the cluster + self.cmd('connectedk8s delete -g {rg} -n {name} --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin -y') + self.cmd('aks delete -g {rg} -n {managed_cluster_name} -y') # delete the kube config os.remove("%s" % (_get_test_data_file(managed_cluster_name + '-config.yaml'))) - # Private link test - self.cmd('aks get-credentials -g akkeshar -n tempaks -f {kubeconfigpls}') - self.cmd('connectedk8s connect -g akkeshar -n cliplscc -l eastus2euap --tags foo=doo --kube-config {kubeconfigpls} --enable-private-link true --pls-arm-id /subscriptions/1bfbb5d0-917e-4346-9026-1d3b344417f5/resourceGroups/akkeshar/providers/Microsoft.HybridCompute/privateLinkScopes/temppls --yes', checks=[ - self.check('name', 'cliplscc') + + @live_only() + @ResourceGroupPreparer(name_prefix='conk8stest', location='eastus2euap', random_name_length=16) + def test_connectedk8s_list(self,resource_group): + + managed_cluster_name = self.create_random_name(prefix='first', length=24) + managed_cluster_name_second = self.create_random_name(prefix='second', length=24) + kubeconfig="%s" % (_get_test_data_file(managed_cluster_name + '-config.yaml')) + kubeconfigpls="%s" % (_get_test_data_file('pls-config.yaml')) + name = self.create_random_name(prefix='cc-', length=12) + name_second = self.create_random_name(prefix='cc-', length=12) + managed_cluster_list=[] + managed_cluster_list.append(name) + managed_cluster_list.append(name_second) + managed_cluster_list.sort() + self.kwargs.update({ + 'rg': resource_group, + 'name': name, + 'name_second': name_second, + 'kubeconfig': kubeconfig, + 'kubeconfigpls': kubeconfigpls, + 'managed_cluster_name': managed_cluster_name, + 'managed_cluster_name_second': managed_cluster_name_second + }) + # create two clusters and then list the cluster names + self.cmd('aks create -g {rg} -n {managed_cluster_name} --generate-ssh-keys') + self.cmd('aks get-credentials -g {rg} -n {managed_cluster_name} -f {kubeconfig} --admin') + self.cmd('connectedk8s connect -g {rg} -n {name} -l eastus --tags foo=doo --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin', checks=[ + self.check('tags.foo', 'doo'), + self.check('name', '{name}') + ]) + self.cmd('connectedk8s show -g {rg} -n {name}', checks=[ + self.check('name', '{name}'), + self.check('resourceGroup', '{rg}'), + self.check('tags.foo', 'doo') + ]) + + self.cmd('aks create -g {rg} -n {managed_cluster_name_second} --generate-ssh-keys') + self.cmd('aks get-credentials -g {rg} -n {managed_cluster_name_second} -f {kubeconfigpls} --admin') + self.cmd('connectedk8s connect -g {rg} -n {name_second} -l eastus --tags foo=doo --kube-config {kubeconfigpls} --kube-context {managed_cluster_name_second}-admin', checks=[ + self.check('tags.foo', 'doo'), + self.check('name', '{name_second}') + ]) + self.cmd('connectedk8s show -g {rg} -n {name_second}', checks=[ + self.check('name', '{name_second}'), + self.check('resourceGroup', '{rg}'), + self.check('tags.foo', 'doo') ]) - self.cmd('connectedk8s delete -g akkeshar -n cliplscc --kube-config {kubeconfigpls} -y') + clusters_list = self.cmd('az connectedk8s list -g {rg}').get_output_in_json() + # fetching names of all clusters + cluster_name_list=[] + for clusterdesc in clusters_list: + cluster_name_list.append(clusterdesc['name']) + + assert(len(cluster_name_list) == len(managed_cluster_list)) + + # checking if the output is correct with original list of cluster names + cluster_name_list.sort() + for i in range(0,len(cluster_name_list)): + assert(cluster_name_list[i] == managed_cluster_list[i]) + + # deleting the clusters + self.cmd('connectedk8s delete -g {rg} -n {name_second} --kube-config {kubeconfigpls} --kube-context {managed_cluster_name_second}-admin -y') + self.cmd('aks delete -g {rg} -n {managed_cluster_name_second} -y') + + self.cmd('connectedk8s delete -g {rg} -n {name} --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin -y') + self.cmd('aks delete -g {rg} -n {managed_cluster_name} -y') + + # delete the kube config + os.remove("%s" % (_get_test_data_file(managed_cluster_name + '-config.yaml'))) os.remove("%s" % (_get_test_data_file('pls-config.yaml'))) - def test_forcedelete(self): - managed_cluster_name = self.create_random_name(prefix='test-force-delete', length=24) + @live_only() + @ResourceGroupPreparer(name_prefix='conk8stest', location='eastus2euap', random_name_length=16) + def test_upgrade(self,resource_group): + + managed_cluster_name = self.create_random_name(prefix='test-upgrade', length=24) kubeconfig="%s" % (_get_test_data_file(managed_cluster_name + '-config.yaml')) self.kwargs.update({ 'name': self.create_random_name(prefix='cc-', length=12), + 'rg': resource_group, 'kubeconfig': kubeconfig, - # 'kubeconfig': "%s" % (_get_test_data_file(managed_cluster_name + '-config.yaml')), 'managed_cluster_name': managed_cluster_name }) - self.cmd('aks create -g rohanazuregroup -n {} -s Standard_B4ms -l westeurope -c 1 --generate-ssh-keys'.format(managed_cluster_name)) - self.cmd('aks get-credentials -g rohanazuregroup -n {managed_cluster_name} -f {kubeconfig}') - self.cmd('connectedk8s connect -g rohanazuregroup -n {name} -l eastus --tags foo=doo --kube-config {kubeconfig}', checks=[ + self.cmd('aks create -g {rg} -n {managed_cluster_name} --generate-ssh-keys') + self.cmd('aks get-credentials -g {rg} -n {managed_cluster_name} -f {kubeconfig} --admin') + + self.cmd('connectedk8s connect -g {rg} -n {name} -l eastus --tags foo=doo --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin', checks=[ self.check('tags.foo', 'doo'), self.check('name', '{name}') ]) - self.cmd('connectedk8s show -g rohanazuregroup -n {name}', checks=[ + self.cmd('connectedk8s show -g {rg} -n {name}', checks=[ self.check('name', '{name}'), - self.check('resourceGroup', 'rohanazuregroup'), + self.check('resourceGroup', '{rg}'), self.check('tags.foo', 'doo') ]) - # Simulating the condition in which the azure-arc namespace got deleted - # connectedk8s delete command fails in this case - subprocess.run(["kubectl", "delete", "namespace", "azure-arc","--kube-config", kubeconfig]) + os.environ.setdefault('KUBECONFIG', kubeconfig) + helm_client_location = install_helm_client() + cmd = [helm_client_location, 'get', 'values', 'azure-arc', "--namespace", "azure-arc-release", "-ojson"] - # Using the force delete command - # -y to supress the prompts - self.cmd('connectedk8s delete -g rohanazuregroup -n {name} --kube-config {kubeconfig} --force -y') - self.cmd('aks delete -g rohanazuregroup -n {} -y'.format(managed_cluster_name)) + with self.assertRaisesRegexp(CLIError, "az connectedk8s upgrade to manually upgrade agents and extensions is only supported when auto-upgrade is set to false"): + self.cmd('connectedk8s upgrade -g {rg} -n {name} --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin') + + # scenario - Turning off auto upgrade ,then updating agnets to latest and check if the version of agents matches with latest version + self.cmd('connectedk8s update -n {name} -g {rg} --auto-upgrade false --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin') + cmd_output1 = subprocess.Popen(cmd, stdout=PIPE, stderr=PIPE) + _, error_helm_delete = cmd_output1.communicate() + assert(cmd_output1.returncode == 0) + updated_cmd1 = json.loads(cmd_output1.communicate()[0].strip()) + assert(updated_cmd1["systemDefaultValues"]['azureArcAgents']['autoUpdate'] == bool(0)) + + self.cmd('connectedk8s upgrade -g {rg} -n {name} --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin') + response= requests.post('https://eastus.dp.kubernetesconfiguration.azure.com/azure-arc-k8sagents/GetLatestHelmPackagePath?api-version=2019-11-01-preview&releaseTrain=stable') + jsonData = json.loads(response.text) + repo_path=jsonData['repositoryPath'] + index_value = 0 + for ind in range (0,len(repo_path)): + if repo_path[ind]==':': + break + index_value += 1 + + self.cmd('connectedk8s show -g {rg} -n {name}', checks=[ + self.check('agentVersion', jsonData['repositoryPath'][index_value+1:]), + ]) + + # scenario : changing the upgrade timeout + self.cmd('connectedk8s upgrade -g {rg} -n {name} --upgrade-timeout 650 --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin') + + self.cmd('connectedk8s delete -g {rg} -n {name} --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin -y') + self.cmd('aks delete -g {rg} -n {managed_cluster_name} -y') # delete the kube config - os.remove("%s" % (_get_test_data_file(managed_cluster_name + '-config.yaml'))) \ No newline at end of file + os.remove("%s" % (_get_test_data_file(managed_cluster_name + '-config.yaml'))) + + + @live_only() + @ResourceGroupPreparer(name_prefix='conk8stest', location='eastus2euap', random_name_length=16) + def test_update(self,resource_group): + managed_cluster_name = self.create_random_name(prefix='test-update', length=24) + kubeconfig="%s" % (_get_test_data_file(managed_cluster_name + '-config.yaml')) + self.kwargs.update({ + 'name': self.create_random_name(prefix='cc-', length=12), + 'kubeconfig': kubeconfig, + 'rg':resource_group, + 'managed_cluster_name': managed_cluster_name + }) + + self.cmd('aks create -g {rg} -n {managed_cluster_name} --generate-ssh-keys') + self.cmd('aks get-credentials -g {rg} -n {managed_cluster_name} -f {kubeconfig} --admin') + self.cmd('connectedk8s connect -g {rg} -n {name} -l eastus --tags foo=doo --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin', checks=[ + self.check('tags.foo', 'doo'), + self.check('name', '{name}') + ]) + self.cmd('connectedk8s show -g {rg} -n {name}', checks=[ + self.check('name', '{name}'), + self.check('resourceGroup', '{rg}'), + self.check('tags.foo', 'doo') + ]) + + os.environ.setdefault('KUBECONFIG', kubeconfig) + helm_client_location = install_helm_client() + cmd = [helm_client_location, 'get', 'values', 'azure-arc', "--namespace", "azure-arc-release", "-ojson"] + + # scenario - auto-upgrade is turned on + self.cmd('connectedk8s update -n {name} -g {rg} --auto-upgrade true --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin') + cmd_output1 = subprocess.Popen(cmd, stdout=PIPE, stderr=PIPE) + _, error_helm_delete = cmd_output1.communicate() + assert(cmd_output1.returncode == 0) + updated_cmd1 = json.loads(cmd_output1.communicate()[0].strip()) + assert(updated_cmd1["systemDefaultValues"]['azureArcAgents']['autoUpdate'] == bool(1)) + + # scenario - auto-upgrade is turned off + self.cmd('connectedk8s update -n {name} -g {rg} --auto-upgrade false --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin') + cmd_output1 = subprocess.Popen(cmd, stdout=PIPE, stderr=PIPE) + _, error_helm_delete = cmd_output1.communicate() + assert(cmd_output1.returncode == 0) + updated_cmd1 = json.loads(cmd_output1.communicate()[0].strip()) + assert(updated_cmd1["systemDefaultValues"]['azureArcAgents']['autoUpdate'] == bool(0)) + + #scenario - updating the tags + self.cmd('connectedk8s update -n {name} -g {rg} --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin --tags foo=moo') + self.cmd('connectedk8s show -g {rg} -n {name}', checks=[ + self.check('name', '{name}'), + self.check('resourceGroup', '{rg}'), + self.check('tags.foo', 'moo') + ]) + + self.cmd('connectedk8s delete -g {rg} -n {name} --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin -y') + self.cmd('aks delete -g {rg} -n {managed_cluster_name} -y') + + # delete the kube config + os.remove("%s" % (_get_test_data_file(managed_cluster_name + '-config.yaml'))) + + + @live_only() + @ResourceGroupPreparer(name_prefix='conk8stest', location='eastus2euap', random_name_length=16) + def test_troubleshoot(self,resource_group): + managed_cluster_name = self.create_random_name(prefix='test-troubleshoot', length=24) + kubeconfig="%s" % (_get_test_data_file(managed_cluster_name + '-config.yaml')) + self.kwargs.update({ + 'name': self.create_random_name(prefix='cc-', length=12), + 'kubeconfig': kubeconfig, + 'rg':resource_group, + 'managed_cluster_name': managed_cluster_name + }) + + self.cmd('aks create -g {rg} -n {managed_cluster_name} --generate-ssh-keys') + self.cmd('aks get-credentials -g {rg} -n {managed_cluster_name} -f {kubeconfig} --admin') + self.cmd('connectedk8s connect -g {rg} -n {name} -l eastus --tags foo=doo --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin', checks=[ + self.check('tags.foo', 'doo'), + self.check('name', '{name}') + ]) + self.cmd('connectedk8s show -g {rg} -n {name}', checks=[ + self.check('name', '{name}'), + self.check('resourceGroup', '{rg}'), + self.check('tags.foo', 'doo') + ]) + + self.cmd('connectedk8s troubleshoot -g {rg} -n {name} --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin') + + self.cmd('connectedk8s delete -g {rg} -n {name} --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin -y') + self.cmd('aks delete -g {rg} -n {managed_cluster_name} -y') + + # delete the kube config + os.remove("%s" % (_get_test_data_file(managed_cluster_name + '-config.yaml'))) + diff --git a/src/connectedk8s/azext_connectedk8s/troubleshoot_diagnoser_job_with_proxycert_mount.yaml b/src/connectedk8s/azext_connectedk8s/troubleshoot_diagnoser_job_with_proxycert_mount.yaml index 002ba17178c..486eac23818 100644 --- a/src/connectedk8s/azext_connectedk8s/troubleshoot_diagnoser_job_with_proxycert_mount.yaml +++ b/src/connectedk8s/azext_connectedk8s/troubleshoot_diagnoser_job_with_proxycert_mount.yaml @@ -53,7 +53,7 @@ spec: command: - /bin/bash - /diagnoser_job_script.sh - image: mcr.microsoft.com/arck8sdiagnoser:v0.1.0 + image: mcr.microsoft.com/arck8sdiagnoser:v0.1.1 name: azure-arc-diagnoser-container volumeMounts: - mountPath: /etc/ssl/certs/ diff --git a/src/connectedk8s/azext_connectedk8s/troubleshoot_diagnoser_job_without_proxycert.yaml b/src/connectedk8s/azext_connectedk8s/troubleshoot_diagnoser_job_without_proxycert.yaml index 46081a61aac..0071fbae219 100644 --- a/src/connectedk8s/azext_connectedk8s/troubleshoot_diagnoser_job_without_proxycert.yaml +++ b/src/connectedk8s/azext_connectedk8s/troubleshoot_diagnoser_job_without_proxycert.yaml @@ -53,7 +53,7 @@ spec: command: - /bin/bash - /diagnoser_job_script.sh - image: mcr.microsoft.com/arck8sdiagnoser:v0.1.0 + image: mcr.microsoft.com/arck8sdiagnoser:v0.1.1 name: azure-arc-diagnoser-container restartPolicy: Never - serviceAccountName: azure-arc-troubleshoot-sa + serviceAccountName: azure-arc-troubleshoot-sa \ No newline at end of file diff --git a/src/connectedk8s/setup.py b/src/connectedk8s/setup.py index ef5b845dcfe..2d770c338dd 100644 --- a/src/connectedk8s/setup.py +++ b/src/connectedk8s/setup.py @@ -17,7 +17,7 @@ # TODO: Confirm this is the right version number you want and it matches your # HISTORY.rst entry. -VERSION = '1.3.9' +VERSION = '1.3.13' # The full list of classifiers is available at # https://pypi.python.org/pypi?%3Aaction=list_classifiers diff --git a/src/containerapp/HISTORY.rst b/src/containerapp/HISTORY.rst index 0ce871a675d..b58841c00cd 100644 --- a/src/containerapp/HISTORY.rst +++ b/src/containerapp/HISTORY.rst @@ -2,9 +2,22 @@ Release History =============== +0.3.22 +++++++ +* BREAKING CHANGE: 'az containerapp env certificate list' returns [] if certificate not found, instead of raising an error. +* Added 'az containerapp env certificate create' to create managed certificate in a container app environment +* Added 'az containerapp hostname add' to add hostname to a container app without binding +* 'az containerapp env certificate delete': add support for managed certificate deletion +* 'az containerapp env certificate list': add optional parameters --managed-certificates-only and --private-key-certificates-only to list certificates by type +* 'az containerapp hostname bind': change --thumbprint to an optional parameter and add optional parameter --validation-method to support managed certificate bindings +* 'az containerapp ssl upload': log messages to indicate which step is in progress +* Fix the 'TypeError: 'NoneType' object does not support item assignment' error obtained while running the CLI command 'az containerapp dapr enable' + 0.3.21 ++++++ * Fix the PermissionError caused for the Temporary files while running `az containerapp up` command on Windows +* Fix the empty IP Restrictions object caused running `az containerapp update` command on Windows with a pre existing .yaml file +* Added model mapping to support add/update of init Containers via `az containerapp create` & `az containerapp update` commands. 0.3.20 ++++++ diff --git a/src/containerapp/azext_containerapp/_client_factory.py b/src/containerapp/azext_containerapp/_client_factory.py index 4e8ad424138..d0852ce7e62 100644 --- a/src/containerapp/azext_containerapp/_client_factory.py +++ b/src/containerapp/azext_containerapp/_client_factory.py @@ -54,6 +54,33 @@ def handle_raw_exception(e): raise e +def handle_non_404_exception(e): + import json + + stringErr = str(e) + + if "{" in stringErr and "}" in stringErr: + jsonError = stringErr[stringErr.index("{"):stringErr.rindex("}") + 1] + jsonError = json.loads(jsonError) + + if 'error' in jsonError: + jsonError = jsonError['error'] + + if 'code' in jsonError and 'message' in jsonError: + code = jsonError['code'] + message = jsonError['message'] + if code != "ResourceNotFound": + raise CLIInternalError('({}) {}'.format(code, message)) + return jsonError + elif "Message" in jsonError: + message = jsonError["Message"] + raise CLIInternalError(message) + elif "message" in jsonError: + message = jsonError["message"] + raise CLIInternalError(message) + raise e + + def providers_client_factory(cli_ctx, subscription_id=None): return get_mgmt_service_client(cli_ctx, ResourceType.MGMT_RESOURCE_RESOURCES, subscription_id=subscription_id).providers diff --git a/src/containerapp/azext_containerapp/_clients.py b/src/containerapp/azext_containerapp/_clients.py index e40fa59ddb3..b0b9f25540c 100644 --- a/src/containerapp/azext_containerapp/_clients.py +++ b/src/containerapp/azext_containerapp/_clients.py @@ -16,8 +16,11 @@ PREVIEW_API_VERSION = "2022-06-01-preview" CURRENT_API_VERSION = PREVIEW_API_VERSION +MANAGED_CERTS_API_VERSION = '2022-11-01-preview' POLLING_TIMEOUT = 600 # how many seconds before exiting POLLING_SECONDS = 2 # how many seconds between requests +POLLING_TIMEOUT_FOR_MANAGED_CERTIFICATE = 1500 # how many seconds before exiting +POLLING_INTERVAL_FOR_MANAGED_CERTIFICATE = 4 # how many seconds between requests class PollingAnimation(): @@ -617,6 +620,23 @@ def show_certificate(cls, cmd, resource_group_name, name, certificate_name): r = send_raw_request(cmd.cli_ctx, "GET", request_url, body=None) return r.json() + @classmethod + def show_managed_certificate(cls, cmd, resource_group_name, name, certificate_name): + management_hostname = cmd.cli_ctx.cloud.endpoints.resource_manager + api_version = MANAGED_CERTS_API_VERSION + sub_id = get_subscription_id(cmd.cli_ctx) + url_fmt = "{}/subscriptions/{}/resourceGroups/{}/providers/Microsoft.App/managedEnvironments/{}/managedCertificates/{}?api-version={}" + request_url = url_fmt.format( + management_hostname.strip('/'), + sub_id, + resource_group_name, + name, + certificate_name, + api_version) + + r = send_raw_request(cmd.cli_ctx, "GET", request_url, body=None) + return r.json() + @classmethod def list_certificates(cls, cmd, resource_group_name, name, formatter=lambda x: x): certs_list = [] @@ -639,6 +659,28 @@ def list_certificates(cls, cmd, resource_group_name, name, formatter=lambda x: x certs_list.append(formatted) return certs_list + @classmethod + def list_managed_certificates(cls, cmd, resource_group_name, name, formatter=lambda x: x): + certs_list = [] + + management_hostname = cmd.cli_ctx.cloud.endpoints.resource_manager + api_version = MANAGED_CERTS_API_VERSION + sub_id = get_subscription_id(cmd.cli_ctx) + url_fmt = "{}/subscriptions/{}/resourceGroups/{}/providers/Microsoft.App/managedEnvironments/{}/managedCertificates?api-version={}" + request_url = url_fmt.format( + management_hostname.strip('/'), + sub_id, + resource_group_name, + name, + api_version) + + r = send_raw_request(cmd.cli_ctx, "GET", request_url, body=None) + j = r.json() + for cert in j["value"]: + formatted = formatter(cert) + certs_list.append(formatted) + return certs_list + @classmethod def create_or_update_certificate(cls, cmd, resource_group_name, name, certificate_name, certificate): management_hostname = cmd.cli_ctx.cloud.endpoints.resource_manager @@ -656,6 +698,51 @@ def create_or_update_certificate(cls, cmd, resource_group_name, name, certificat r = send_raw_request(cmd.cli_ctx, "PUT", request_url, body=json.dumps(certificate)) return r.json() + @classmethod + def create_or_update_managed_certificate(cls, cmd, resource_group_name, name, certificate_name, certificate_envelop, no_wait=False, is_TXT=False): + management_hostname = cmd.cli_ctx.cloud.endpoints.resource_manager + api_version = MANAGED_CERTS_API_VERSION + sub_id = get_subscription_id(cmd.cli_ctx) + url_fmt = "{}/subscriptions/{}/resourceGroups/{}/providers/Microsoft.App/managedEnvironments/{}/managedCertificates/{}?api-version={}" + request_url = url_fmt.format( + management_hostname.strip('/'), + sub_id, + resource_group_name, + name, + certificate_name, + api_version) + r = send_raw_request(cmd.cli_ctx, "PUT", request_url, body=json.dumps(certificate_envelop)) + + if no_wait and not is_TXT: + return r.json() + elif r.status_code == 201: + try: + start = time.time() + end = time.time() + POLLING_TIMEOUT_FOR_MANAGED_CERTIFICATE + animation = PollingAnimation() + animation.tick() + r = send_raw_request(cmd.cli_ctx, "GET", request_url) + message_logged = False + while r.status_code in [200, 201] and start < end: + time.sleep(POLLING_INTERVAL_FOR_MANAGED_CERTIFICATE) + animation.tick() + r = send_raw_request(cmd.cli_ctx, "GET", request_url) + r2 = r.json() + if is_TXT and not message_logged and "properties" in r2 and "validationToken" in r2["properties"]: + logger.warning('\nPlease copy the token below for TXT record and enter it with your domain provider:\n%s\n', r2["properties"]["validationToken"]) + message_logged = True + if no_wait: + break + if "properties" not in r2 or "provisioningState" not in r2["properties"] or r2["properties"]["provisioningState"].lower() in ["succeeded", "failed", "canceled"]: + break + start = time.time() + animation.flush() + return r.json() + except Exception as e: # pylint: disable=broad-except + animation.flush() + raise e + return r.json() + @classmethod def delete_certificate(cls, cmd, resource_group_name, name, certificate_name): management_hostname = cmd.cli_ctx.cloud.endpoints.resource_manager @@ -672,6 +759,22 @@ def delete_certificate(cls, cmd, resource_group_name, name, certificate_name): return send_raw_request(cmd.cli_ctx, "DELETE", request_url, body=None) + @classmethod + def delete_managed_certificate(cls, cmd, resource_group_name, name, certificate_name): + management_hostname = cmd.cli_ctx.cloud.endpoints.resource_manager + api_version = MANAGED_CERTS_API_VERSION + sub_id = get_subscription_id(cmd.cli_ctx) + url_fmt = "{}/subscriptions/{}/resourceGroups/{}/providers/Microsoft.App/managedEnvironments/{}/managedCertificates/{}?api-version={}" + request_url = url_fmt.format( + management_hostname.strip('/'), + sub_id, + resource_group_name, + name, + certificate_name, + api_version) + + return send_raw_request(cmd.cli_ctx, "DELETE", request_url, body=None) + @classmethod def check_name_availability(cls, cmd, resource_group_name, name, name_availability_request): management_hostname = cmd.cli_ctx.cloud.endpoints.resource_manager diff --git a/src/containerapp/azext_containerapp/_constants.py b/src/containerapp/azext_containerapp/_constants.py index 38d57684f45..3f74f9b07b6 100644 --- a/src/containerapp/azext_containerapp/_constants.py +++ b/src/containerapp/azext_containerapp/_constants.py @@ -14,6 +14,13 @@ LOG_ANALYTICS_RP = "Microsoft.OperationalInsights" CONTAINER_APPS_RP = "Microsoft.App" +MANAGED_CERTIFICATE_RT = "managedCertificates" +PRIVATE_CERTIFICATE_RT = "certificates" + +PENDING_STATUS = "Pending" +SUCCEEDED_STATUS = "Succeeded" +UPDATING_STATUS = "Updating" + MICROSOFT_SECRET_SETTING_NAME = "microsoft-provider-authentication-secret" FACEBOOK_SECRET_SETTING_NAME = "facebook-provider-authentication-secret" GITHUB_SECRET_SETTING_NAME = "github-provider-authentication-secret" diff --git a/src/containerapp/azext_containerapp/_help.py b/src/containerapp/azext_containerapp/_help.py index bfe092fa3e5..9a2f8ac4c33 100644 --- a/src/containerapp/azext_containerapp/_help.py +++ b/src/containerapp/azext_containerapp/_help.py @@ -500,6 +500,15 @@ short-summary: Commands to manage certificates for the Container Apps environment. """ +helps['containerapp env certificate create'] = """ + type: command + short-summary: Create a managed certificate. + examples: + - name: Create a managed certificate. + text: | + az containerapp env certificate create -g MyResourceGroup --name MyEnvironment --certificate-name MyCertificate --hostname MyHostname --validation-method CNAME +""" + helps['containerapp env certificate list'] = """ type: command short-summary: List certificates for an environment. @@ -507,7 +516,7 @@ - name: List certificates for an environment. text: | az containerapp env certificate list -g MyResourceGroup --name MyEnvironment - - name: List certificates by certificate id. + - name: Show a certificate by certificate id. text: | az containerapp env certificate list -g MyResourceGroup --name MyEnvironment --certificate MyCertificateId - name: List certificates by certificate name. @@ -516,6 +525,12 @@ - name: List certificates by certificate thumbprint. text: | az containerapp env certificate list -g MyResourceGroup --name MyEnvironment --thumbprint MyCertificateThumbprint + - name: List managed certificates for an environment. + text: | + az containerapp env certificate list -g MyResourceGroup --name MyEnvironment --managed-certificates-only + - name: List private key certificates for an environment. + text: | + az containerapp env certificate list -g MyResourceGroup --name MyEnvironment --private-key-certificates-only """ helps['containerapp env certificate upload'] = """ @@ -540,7 +555,7 @@ - name: Delete a certificate from the Container Apps environment by certificate id text: | az containerapp env certificate delete -g MyResourceGroup --name MyEnvironment --certificate MyCertificateId - - name: Delete a certificate from the Container Apps environment by certificate thumbprint + - name: Delete all certificates that have a matching thumbprint from the Container Apps environment text: | az containerapp env certificate delete -g MyResourceGroup --name MyEnvironment --thumbprint MyCertificateThumbprint """ @@ -884,13 +899,25 @@ short-summary: Commands to manage hostnames of a container app. """ +helps['containerapp hostname add'] = """ + type: command + short-summary: Add the hostname to a container app without binding. + examples: + - name: Add hostname without binding. + text: | + az containerapp hostname add -n MyContainerapp -g MyResourceGroup --hostname MyHostname --location MyLocation +""" + helps['containerapp hostname bind'] = """ type: command - short-summary: Add or update the hostname and binding with an existing certificate. + short-summary: Add or update the hostname and binding with a certificate. examples: - - name: Add or update hostname and binding. + - name: Add or update hostname and binding with a provided certificate. text: | az containerapp hostname bind -n MyContainerapp -g MyResourceGroup --hostname MyHostname --certificate MyCertificateId + - name: Look for or create a managed certificate and bind with the hostname if no certificate or thumbprint is provided. + text: | + az containerapp hostname bind -n MyContainerapp -g MyResourceGroup --hostname MyHostname """ helps['containerapp hostname delete'] = """ diff --git a/src/containerapp/azext_containerapp/_models.py b/src/containerapp/azext_containerapp/_models.py index 15c685b33b7..b259476f663 100644 --- a/src/containerapp/azext_containerapp/_models.py +++ b/src/containerapp/azext_containerapp/_models.py @@ -152,7 +152,8 @@ "transport": None, # 'auto', 'http', 'http2', 'tcp' "exposedPort": None, "traffic": None, # TrafficWeight - "customDomains": None # [CustomDomain] + "customDomains": None, # [CustomDomain] + "ipSecurityRestrictions": None # [IPSecurityRestrictions] } RegistryCredentials = { @@ -164,6 +165,7 @@ Template = { "revisionSuffix": None, "containers": None, # [Container] + "initContainers": None, # [Container] "scale": Scale, "volumes": None # [Volume] } @@ -277,3 +279,11 @@ "accessMode": None, "shareName": None } + +ManagedCertificateEnvelop = { + "location": None, # str + "properties": { + "subjectName": None, # str + "validationMethod": None # str + } +} diff --git a/src/containerapp/azext_containerapp/_params.py b/src/containerapp/azext_containerapp/_params.py index 70251a27329..5018d62ca7a 100644 --- a/src/containerapp/azext_containerapp/_params.py +++ b/src/containerapp/azext_containerapp/_params.py @@ -176,6 +176,12 @@ def load_arguments(self, _): with self.argument_context('containerapp env show') as c: c.argument('name', name_type, help='Name of the Container Apps Environment.') + with self.argument_context('containerapp env certificate create') as c: + c.argument('hostname', options_list=['--hostname'], help='The custom domain name.') + c.argument('certificate_name', options_list=['--certificate-name', '-c'], help='Name of the managed certificate which should be unique within the Container Apps environment.') + c.argument('location', get_location_type(self.cli_ctx), help='Location of the managed certificate which can be different from the location of the Container Apps environment.') + c.argument('validation_method', options_list=['--validation-method', '-v'], help='Validation method of custom domain ownership.') + with self.argument_context('containerapp env certificate upload') as c: c.argument('certificate_file', options_list=['--certificate-file', '-f'], help='The filepath of the .pfx or .pem file') c.argument('certificate_name', options_list=['--certificate-name', '-c'], help='Name of the certificate which should be unique within the Container Apps environment.') @@ -186,6 +192,8 @@ def load_arguments(self, _): c.argument('name', id_part=None) c.argument('certificate', options_list=['--certificate', '-c'], help='Name or resource id of the certificate.') c.argument('thumbprint', options_list=['--thumbprint', '-t'], help='Thumbprint of the certificate.') + c.argument('managed_certificates_only', options_list=['--managed-certificates-only', '-m'], help='List managed certificates only.') + c.argument('private_key_certificates_only', options_list=['--private-key-certificates-only', '-p'], help='List private-key certificates only.') with self.argument_context('containerapp env certificate delete') as c: c.argument('certificate', options_list=['--certificate', '-c'], help='Name or resource id of the certificate.') @@ -366,6 +374,11 @@ def load_arguments(self, _): c.argument('thumbprint', options_list=['--thumbprint', '-t'], help='Thumbprint of the certificate.') c.argument('certificate', options_list=['--certificate', '-c'], help='Name or resource id of the certificate.') c.argument('environment', options_list=['--environment', '-e'], help='Name or resource id of the Container App environment.') + c.argument('validation_method', options_list=['--validation-method', '-v'], help='Validation method of custom domain ownership.') + + with self.argument_context('containerapp hostname add') as c: + c.argument('hostname', help='The custom domain name.') + c.argument('location', arg_type=get_location_type(self.cli_ctx)) with self.argument_context('containerapp hostname list') as c: c.argument('name', id_part=None) diff --git a/src/containerapp/azext_containerapp/_sdk_models.py b/src/containerapp/azext_containerapp/_sdk_models.py index dd93bfce7c2..286caff3790 100644 --- a/src/containerapp/azext_containerapp/_sdk_models.py +++ b/src/containerapp/azext_containerapp/_sdk_models.py @@ -1315,6 +1315,35 @@ def __init__(self, **kwargs): self.certificate_id = kwargs.get('certificate_id', None) +class IPSecurityRestrictions(Model): + """IP Restrictions of a Container App. + + :param name: ipAddressRange + :type name: str + :param name: action + :type name: str + :param name: name + :type name: str + :param name: description + :type name: str + + """ + + _attribute_map = { + 'name': {'key': 'name', 'type': 'str'}, + 'ipAddressRange': {'key': 'ipAddressRange', 'type': 'str'}, + 'action': {'key': 'action', 'type': 'str'}, + 'description': {'key': 'description', 'type': 'str'}, + } + + def __init__(self, **kwargs): + super(IPSecurityRestrictions, self).__init__(**kwargs) + self.name = kwargs.get('name', None) + self.ipAddressRange = kwargs.get('ipAddressRange', None) + self.action = kwargs.get('action', None) + self.description = kwargs.get('description', None) + + class CustomHostnameAnalysisResult(ProxyResource): """Custom domain analysis. @@ -2071,6 +2100,7 @@ class Ingress(Model): 'traffic': {'key': 'traffic', 'type': '[TrafficWeight]'}, 'custom_domains': {'key': 'customDomains', 'type': '[CustomDomain]'}, 'allow_insecure': {'key': 'allowInsecure', 'type': 'bool'}, + 'ipSecurityRestrictions': {'key': 'ipSecurityRestrictions', 'type': '[IPSecurityRestrictions]'}, } def __init__(self, **kwargs): @@ -2082,6 +2112,7 @@ def __init__(self, **kwargs): self.traffic = kwargs.get('traffic', None) self.custom_domains = kwargs.get('custom_domains', None) self.allow_insecure = kwargs.get('allow_insecure', None) + self.ipSecurityRestrictions = kwargs.get('ipSecurityRestrictions', None) class LegacyMicrosoftAccount(Model): @@ -3186,6 +3217,7 @@ class Template(Model): _attribute_map = { 'revision_suffix': {'key': 'revisionSuffix', 'type': 'str'}, 'containers': {'key': 'containers', 'type': '[Container]'}, + 'initContainers': {'key': 'initContainers', 'type': '[Container]'}, 'scale': {'key': 'scale', 'type': 'Scale'}, 'volumes': {'key': 'volumes', 'type': '[Volume]'}, } diff --git a/src/containerapp/azext_containerapp/_utils.py b/src/containerapp/azext_containerapp/_utils.py index c70de62a93d..a6195a8ba0d 100644 --- a/src/containerapp/azext_containerapp/_utils.py +++ b/src/containerapp/azext_containerapp/_utils.py @@ -29,8 +29,8 @@ from ._client_factory import handle_raw_exception, providers_client_factory, cf_resource_groups, log_analytics_client_factory, log_analytics_shared_key_client_factory from ._constants import (MAXIMUM_CONTAINER_APP_NAME_LENGTH, SHORT_POLLING_INTERVAL_SECS, LONG_POLLING_INTERVAL_SECS, LOG_ANALYTICS_RP, CONTAINER_APPS_RP, CHECK_CERTIFICATE_NAME_AVAILABILITY_TYPE, ACR_IMAGE_SUFFIX, - LOGS_STRING) -from ._models import (ContainerAppCustomDomainEnvelope as ContainerAppCustomDomainEnvelopeModel) + LOGS_STRING, PENDING_STATUS, SUCCEEDED_STATUS, UPDATING_STATUS) +from ._models import (ContainerAppCustomDomainEnvelope as ContainerAppCustomDomainEnvelopeModel, ManagedCertificateEnvelop as ManagedCertificateEnvelopModel) logger = get_logger(__name__) @@ -1097,6 +1097,15 @@ def generate_randomized_cert_name(thumbprint, prefix, initial="rg"): return cert_name.lower() +def generate_randomized_managed_cert_name(hostname, env_name): + from random import randint + cert_name = "mc-{}-{}-{:04}".format(env_name[:14], hostname[:16].lower(), randint(0, 9999)) + for c in cert_name: + if not (c.isalnum() or c == '-'): + cert_name = cert_name.replace(c, '-') + return cert_name.lower() + + def _set_webapp_up_default_args(cmd, resource_group_name, location, name, registry_server): from azure.cli.core.util import ConfiguredDefaultSetter with ConfiguredDefaultSetter(cmd.cli_ctx.config, True): @@ -1367,6 +1376,29 @@ def check_cert_name_availability(cmd, resource_group_name, name, cert_name): return r +def prepare_managed_certificate_envelop(cmd, name, resource_group_name, hostname, validation_method, location=None): + certificate_envelop = ManagedCertificateEnvelopModel + certificate_envelop["location"] = location + certificate_envelop["properties"]["subjectName"] = hostname + certificate_envelop["properties"]["validationMethod"] = validation_method + if not location: + try: + managed_env = ManagedEnvironmentClient.show(cmd, resource_group_name, name) + certificate_envelop["location"] = managed_env["location"] + except Exception as e: + handle_raw_exception(e) + return certificate_envelop + + +def check_managed_cert_name_availability(cmd, resource_group_name, name, cert_name): + try: + certs = ManagedEnvironmentClient.list_managed_certificates(cmd, resource_group_name, name) + r = any(cert["name"] == cert_name and cert["properties"]["provisioningState"] in [PENDING_STATUS, SUCCEEDED_STATUS, UPDATING_STATUS] for cert in certs) + except CLIError as e: + handle_raw_exception(e) + return not r + + def validate_hostname(cmd, resource_group_name, name, hostname): passed = False message = None @@ -1577,3 +1609,15 @@ def _azure_monitor_quickstart(cmd, name, resource_group_name, storage_account, l logger.warning("Azure Monitor diagnastic settings created successfully.") except Exception as ex: handle_raw_exception(ex) + + +def certificate_location_matches(certificate_object, location=None): + return certificate_object["location"] == location or not location + + +def certificate_thumbprint_matches(certificate_object, thumbprint=None): + return certificate_object["properties"]["thumbprint"] == thumbprint or not thumbprint + + +def certificate_matches(certificate_object, location=None, thumbprint=None): + return certificate_location_matches(certificate_object, location) and certificate_thumbprint_matches(certificate_object, thumbprint) diff --git a/src/containerapp/azext_containerapp/_validators.py b/src/containerapp/azext_containerapp/_validators.py index 815e339ca10..a5c92c527e5 100644 --- a/src/containerapp/azext_containerapp/_validators.py +++ b/src/containerapp/azext_containerapp/_validators.py @@ -4,11 +4,11 @@ # -------------------------------------------------------------------------------------------- # pylint: disable=line-too-long +import re from azure.cli.core.azclierror import (ValidationError, ResourceNotFoundError, InvalidArgumentValueError, MutuallyExclusiveArgumentError) from msrestazure.tools import is_valid_resource_id from knack.log import get_logger -import re from ._clients import ContainerAppClient from ._ssh_utils import ping_container_app diff --git a/src/containerapp/azext_containerapp/commands.py b/src/containerapp/azext_containerapp/commands.py index f50332c28b1..2c494ab0585 100644 --- a/src/containerapp/azext_containerapp/commands.py +++ b/src/containerapp/azext_containerapp/commands.py @@ -77,6 +77,7 @@ def load_command_table(self, _): g.custom_command('remove', 'remove_dapr_component') with self.command_group('containerapp env certificate') as g: + g.custom_command('create', 'create_managed_certificate') g.custom_command('list', 'list_certificates') g.custom_command('upload', 'upload_certificate') g.custom_command('delete', 'delete_certificate', confirmation=True, exception_handler=ex_handler_factory()) @@ -179,6 +180,7 @@ def load_command_table(self, _): g.custom_command('upload', 'upload_ssl', exception_handler=ex_handler_factory()) with self.command_group('containerapp hostname') as g: + g.custom_command('add', 'add_hostname', exception_handler=ex_handler_factory()) g.custom_command('bind', 'bind_hostname', exception_handler=ex_handler_factory()) g.custom_command('list', 'list_hostname') g.custom_command('delete', 'delete_hostname', confirmation=True, exception_handler=ex_handler_factory()) diff --git a/src/containerapp/azext_containerapp/custom.py b/src/containerapp/azext_containerapp/custom.py index 139c22c797d..60d5b79aa93 100644 --- a/src/containerapp/azext_containerapp/custom.py +++ b/src/containerapp/azext_containerapp/custom.py @@ -23,12 +23,12 @@ from azure.cli.core.util import open_page_in_browser from azure.cli.command_modules.appservice.utils import _normalize_location from knack.log import get_logger -from knack.prompting import prompt_y_n +from knack.prompting import prompt_y_n, prompt as prompt_str from msrestazure.tools import parse_resource_id, is_valid_resource_id from msrest.exceptions import DeserializationError -from ._client_factory import handle_raw_exception +from ._client_factory import handle_raw_exception, handle_non_404_exception from ._clients import ManagedEnvironmentClient, ContainerAppClient, GitHubActionClient, DaprComponentClient, StorageClient, AuthClient from ._github_oauth import get_github_access_token from ._models import ( @@ -69,13 +69,15 @@ validate_hostname, patch_new_custom_domain, get_custom_domains, _validate_revision_name, set_managed_identity, create_acrpull_role_assignment, is_registry_msi_system, clean_null_values, _populate_secret_values, validate_environment_location, safe_set, parse_metadata_flags, parse_auth_flags, _azure_monitor_quickstart, - set_ip_restrictions) + set_ip_restrictions, certificate_location_matches, certificate_matches, generate_randomized_managed_cert_name, + check_managed_cert_name_availability, prepare_managed_certificate_envelop) from ._validators import validate_create, validate_revision_suffix from ._ssh_utils import (SSH_DEFAULT_ENCODING, WebSocketConnection, read_ssh, get_stdin_writer, SSH_CTRL_C_MSG, SSH_BACKUP_ENCODING) from ._constants import (MAXIMUM_SECRET_LENGTH, MICROSOFT_SECRET_SETTING_NAME, FACEBOOK_SECRET_SETTING_NAME, GITHUB_SECRET_SETTING_NAME, GOOGLE_SECRET_SETTING_NAME, TWITTER_SECRET_SETTING_NAME, APPLE_SECRET_SETTING_NAME, CONTAINER_APPS_RP, - NAME_INVALID, NAME_ALREADY_EXISTS, ACR_IMAGE_SUFFIX, HELLO_WORLD_IMAGE, LOG_TYPE_SYSTEM, LOG_TYPE_CONSOLE) + NAME_INVALID, NAME_ALREADY_EXISTS, ACR_IMAGE_SUFFIX, HELLO_WORLD_IMAGE, LOG_TYPE_SYSTEM, LOG_TYPE_CONSOLE, + MANAGED_CERTIFICATE_RT, PRIVATE_CERTIFICATE_RT, PENDING_STATUS, SUCCEEDED_STATUS) logger = get_logger(__name__) @@ -2030,7 +2032,7 @@ def show_ip_restrictions(cmd, name, resource_group_name): except Exception as e: raise ValidationError("Ingress must be enabled to list ip restrictions. Try running `az containerapp ingress -h` for more info.") from e return safe_get(containerapp_def, "properties", "configuration", "ingress", "ipSecurityRestrictions", default=[]) - except Exception as e: + except: return [] @@ -2366,7 +2368,7 @@ def enable_dapr(cmd, name, resource_group_name, if 'configuration' not in containerapp_def['properties']: containerapp_def['properties']['configuration'] = {} - if 'dapr' not in containerapp_def['properties']['configuration']: + if not safe_get(containerapp_def['properties']['configuration'], 'dapr'): containerapp_def['properties']['configuration']['dapr'] = {} if dapr_app_id: @@ -2735,32 +2737,73 @@ def containerapp_up_logic(cmd, resource_group_name, name, managed_env, image, en return create_containerapp(cmd=cmd, name=name, resource_group_name=resource_group_name, managed_env=managed_env, image=image, env_vars=env_vars, ingress=ingress, target_port=target_port, registry_server=registry_server, registry_user=registry_user, registry_pass=registry_pass) -def list_certificates(cmd, name, resource_group_name, location=None, certificate=None, thumbprint=None): - _validate_subscription_registered(cmd, CONTAINER_APPS_RP) +def create_managed_certificate(cmd, name, resource_group_name, hostname, validation_method, certificate_name=None, location=None): + if certificate_name and not check_managed_cert_name_availability(cmd, resource_group_name, name, certificate_name): + raise ValidationError(f"Certificate name '{certificate_name}' is not available.") + cert_name = certificate_name + while not cert_name: + cert_name = generate_randomized_managed_cert_name(hostname, resource_group_name) + if not check_managed_cert_name_availability(cmd, resource_group_name, name, certificate_name): + cert_name = None + certificate_envelop = prepare_managed_certificate_envelop(cmd, name, resource_group_name, hostname, validation_method, location) + try: + r = ManagedEnvironmentClient.create_or_update_managed_certificate(cmd, resource_group_name, name, cert_name, certificate_envelop, True, validation_method == 'TXT') + return r + except Exception as e: + handle_raw_exception(e) - def location_match(c): - return c["location"] == location or not location - def thumbprint_match(c): - return c["properties"]["thumbprint"] == thumbprint or not thumbprint +def list_certificates(cmd, name, resource_group_name, location=None, certificate=None, thumbprint=None, managed_certificates_only=False, private_key_certificates_only=False): + _validate_subscription_registered(cmd, CONTAINER_APPS_RP) + if managed_certificates_only and private_key_certificates_only: + raise MutuallyExclusiveArgumentError("Use either '--managed-certificates-only' or '--private-key-certificates-only'.") + if managed_certificates_only and thumbprint: + raise MutuallyExclusiveArgumentError("'--thumbprint' not supported for managed certificates.") + + if certificate and is_valid_resource_id(certificate): + certificate_name = parse_resource_id(certificate)["resource_name"] + certificate_type = parse_resource_id(certificate)["resource_type"] + else: + certificate_name = certificate + certificate_type = PRIVATE_CERTIFICATE_RT if private_key_certificates_only or thumbprint else (MANAGED_CERTIFICATE_RT if managed_certificates_only else None) - def both_match(c): - return location_match(c) and thumbprint_match(c) + if certificate_type == MANAGED_CERTIFICATE_RT: + return get_managed_certificates(cmd, name, resource_group_name, certificate_name, location) + if certificate_type == PRIVATE_CERTIFICATE_RT: + return get_private_certificates(cmd, name, resource_group_name, certificate_name, thumbprint, location) + managed_certs = get_managed_certificates(cmd, name, resource_group_name, certificate_name, location) + private_certs = get_private_certificates(cmd, name, resource_group_name, certificate_name, thumbprint, location) + return managed_certs + private_certs - if certificate: - if is_valid_resource_id(certificate): - certificate_name = parse_resource_id(certificate)["resource_name"] - else: - certificate_name = certificate + +def get_private_certificates(cmd, name, resource_group_name, certificate_name=None, thumbprint=None, location=None): + if certificate_name: try: r = ManagedEnvironmentClient.show_certificate(cmd, resource_group_name, name, certificate_name) - return [r] if both_match(r) else [] + return [r] if certificate_matches(r, location, thumbprint) else [] except Exception as e: - handle_raw_exception(e) + handle_non_404_exception(e) + return [] else: try: r = ManagedEnvironmentClient.list_certificates(cmd, resource_group_name, name) - return list(filter(both_match, r)) + return list(filter(lambda c: certificate_matches(c, location, thumbprint), r)) + except Exception as e: + handle_raw_exception(e) + + +def get_managed_certificates(cmd, name, resource_group_name, certificate_name=None, location=None): + if certificate_name: + try: + r = ManagedEnvironmentClient.show_managed_certificate(cmd, resource_group_name, name, certificate_name) + return [r] if certificate_location_matches(r, location) else [] + except Exception as e: + handle_non_404_exception(e) + return [] + else: + try: + r = ManagedEnvironmentClient.list_managed_certificates(cmd, resource_group_name, name) + return list(filter(lambda c: certificate_location_matches(c, location), r)) except Exception as e: handle_raw_exception(e) @@ -2819,11 +2862,42 @@ def delete_certificate(cmd, resource_group_name, name, location=None, certificat if not certificate and not thumbprint: raise RequiredArgumentMissingError('Please specify at least one of parameters: --certificate and --thumbprint') - certs = list_certificates(cmd, name, resource_group_name, location, certificate, thumbprint) - for cert in certs: + + cert_type = None + cert_name = certificate + if certificate and is_valid_resource_id(certificate): + cert_type = parse_resource_id(certificate)["resource_type"] + cert_name = parse_resource_id(certificate)["resource_name"] + if thumbprint: + cert_type = PRIVATE_CERTIFICATE_RT + + if cert_type == PRIVATE_CERTIFICATE_RT: + certs = list_certificates(cmd, name, resource_group_name, location, certificate, thumbprint) + if len(certs) == 0: + msg = "'{}'".format(cert_name) if cert_name else "with thumbprint '{}'".format(thumbprint) + raise ResourceNotFoundError(f"The certificate {msg} does not exist in Container app environment '{name}'.") + for cert in certs: + try: + ManagedEnvironmentClient.delete_certificate(cmd, resource_group_name, name, cert["name"]) + logger.warning('Successfully deleted certificate: %s', cert["name"]) + except Exception as e: + handle_raw_exception(e) + elif cert_type == MANAGED_CERTIFICATE_RT: try: - ManagedEnvironmentClient.delete_certificate(cmd, resource_group_name, name, cert["name"]) - logger.warning('Successfully deleted certificate: {}'.format(cert["name"])) + ManagedEnvironmentClient.delete_managed_certificate(cmd, resource_group_name, name, cert_name) + logger.warning('Successfully deleted certificate: {}'.format(cert_name)) + except Exception as e: + handle_raw_exception(e) + else: + managed_certs = list(filter(lambda c: c["name"] == cert_name, get_managed_certificates(cmd, name, resource_group_name, None, location))) + private_certs = list(filter(lambda c: c["name"] == cert_name, get_private_certificates(cmd, name, resource_group_name, None, None, location))) + if len(managed_certs) == 0 and len(private_certs) == 0: + raise ResourceNotFoundError(f"The certificate '{cert_name}' does not exist in Container app environment '{name}'.") + if len(managed_certs) > 0 and len(private_certs) > 0: + raise RequiredArgumentMissingError(f"Found more than one certificates with name '{cert_name}':\n'{managed_certs[0]['id']}',\n'{private_certs[0]['id']}'.\nPlease specify the certificate id using --certificate.") + try: + ManagedEnvironmentClient.delete_managed_certificate(cmd, resource_group_name, name, cert_name) + logger.warning('Successfully deleted certificate: %s', cert_name) except Exception as e: handle_raw_exception(e) @@ -2838,58 +2912,103 @@ def upload_ssl(cmd, resource_group_name, name, environment, certificate_file, ho custom_domains = get_custom_domains(cmd, resource_group_name, name, location, environment) new_custom_domains = list(filter(lambda c: c["name"] != hostname, custom_domains)) + env_name = _get_name(environment) + logger.warning('Uploading certificate to %s.', env_name) if is_valid_resource_id(environment): - cert = upload_certificate(cmd, _get_name(environment), parse_resource_id(environment)["resource_group"], certificate_file, certificate_name, certificate_password, location) + cert = upload_certificate(cmd, env_name, parse_resource_id(environment)["resource_group"], certificate_file, certificate_name, certificate_password, location) else: - cert = upload_certificate(cmd, _get_name(environment), resource_group_name, certificate_file, certificate_name, certificate_password, location) + cert = upload_certificate(cmd, env_name, resource_group_name, certificate_file, certificate_name, certificate_password, location) cert_id = cert["id"] new_domain = ContainerAppCustomDomainModel new_domain["name"] = hostname new_domain["certificateId"] = cert_id new_custom_domains.append(new_domain) - + logger.warning('Adding hostname %s and binding to %s.', hostname, name) return patch_new_custom_domain(cmd, resource_group_name, name, new_custom_domains) -def bind_hostname(cmd, resource_group_name, name, hostname, thumbprint=None, certificate=None, location=None, environment=None): +def bind_hostname(cmd, resource_group_name, name, hostname, thumbprint=None, certificate=None, location=None, environment=None, validation_method=None): _validate_subscription_registered(cmd, CONTAINER_APPS_RP) - if not thumbprint and not certificate: - raise RequiredArgumentMissingError('Please specify at least one of parameters: --certificate and --thumbprint') if not environment and not certificate: raise RequiredArgumentMissingError('Please specify at least one of parameters: --certificate and --environment') if certificate and not is_valid_resource_id(certificate) and not environment: raise RequiredArgumentMissingError('Please specify the parameter: --environment') - passed, message = validate_hostname(cmd, resource_group_name, name, hostname) + standardized_hostname = hostname.lower() + passed, message = validate_hostname(cmd, resource_group_name, name, standardized_hostname) if not passed: raise ValidationError(message or 'Please configure the DNS records before adding the hostname.') - env_name = None - cert_name = None - cert_id = None + env_name = _get_name(environment) if environment else None + if certificate: if is_valid_resource_id(certificate): cert_id = certificate else: - cert_name = certificate - if environment: - env_name = _get_name(environment) - if not cert_id: - certs = list_certificates(cmd, env_name, resource_group_name, location, cert_name, thumbprint) + certs = list_certificates(cmd, env_name, resource_group_name, location, certificate, thumbprint) + if len(certs) == 0: + msg = "'{}' with thumbprint '{}'".format(certificate, thumbprint) if thumbprint else "'{}'".format(certificate) + raise ResourceNotFoundError(f"The certificate {msg} does not exist in Container app environment '{env_name}'.") + cert_id = certs[0]["id"] + elif thumbprint: + certs = list_certificates(cmd, env_name, resource_group_name, location, certificate, thumbprint) + if len(certs) == 0: + raise ResourceNotFoundError(f"The certificate with thumbprint '{thumbprint}' does not exist in Container app environment '{env_name}'.") cert_id = certs[0]["id"] + else: # look for or create a managed certificate if no certificate info provided + managed_certs = get_managed_certificates(cmd, env_name, resource_group_name, None, None) + managed_cert = [cert for cert in managed_certs if cert["properties"]["subjectName"].lower() == standardized_hostname] + if len(managed_cert) > 0 and managed_cert[0]["properties"]["provisioningState"] in [SUCCEEDED_STATUS, PENDING_STATUS]: + cert_id = managed_cert[0]["id"] + cert_name = managed_cert[0]["name"] + else: + cert_name = None + while not cert_name: + random_name = generate_randomized_managed_cert_name(standardized_hostname, env_name) + available = check_managed_cert_name_availability(cmd, resource_group_name, env_name, cert_name) + if available: + cert_name = random_name + logger.warning("Creating managed certificate '%s' for %s.\nIt may take up to 20 minutes to create and issue a managed certificate.", cert_name, standardized_hostname) + + validation = validation_method + while validation not in ["TXT", "CNAME", "HTTP"]: + validation = prompt_str('\nPlease choose one of the following domain validation methods: TXT, CNAME, HTTP\nYour answer: ') + + certificate_envelop = prepare_managed_certificate_envelop(cmd, env_name, resource_group_name, standardized_hostname, validation_method, location) + try: + managed_cert = ManagedEnvironmentClient.create_or_update_managed_certificate(cmd, resource_group_name, env_name, cert_name, certificate_envelop, False, validation_method == 'TXT') + except Exception as e: + handle_raw_exception(e) + cert_id = managed_cert["id"] + + logger.warning("\nBinding managed certificate '%s' to %s\n", cert_name, standardized_hostname) custom_domains = get_custom_domains(cmd, resource_group_name, name, location, environment) - new_custom_domains = list(filter(lambda c: safe_get(c, "name", default=[]) != hostname, custom_domains)) + new_custom_domains = list(filter(lambda c: safe_get(c, "name", default=[]) != standardized_hostname, custom_domains)) new_domain = ContainerAppCustomDomainModel - new_domain["name"] = hostname + new_domain["name"] = standardized_hostname new_domain["certificateId"] = cert_id new_custom_domains.append(new_domain) return patch_new_custom_domain(cmd, resource_group_name, name, new_custom_domains) +def add_hostname(cmd, resource_group_name, name, hostname, location=None): + _validate_subscription_registered(cmd, CONTAINER_APPS_RP) + standardized_hostname = hostname.lower() + custom_domains = get_custom_domains(cmd, resource_group_name, name, location, None) + existing_hostname = list(filter(lambda c: safe_get(c, "name", default=[]) == standardized_hostname, custom_domains)) + if len(existing_hostname) > 0: + raise InvalidArgumentValueError("'{standardized_hostname}' already exists in container app '{name}'.") + new_domain = ContainerAppCustomDomainModel + new_domain["name"] = standardized_hostname + new_domain["bindingType"] = "Disabled" + custom_domains.append(new_domain) + return patch_new_custom_domain(cmd, resource_group_name, name, custom_domains) + + def list_hostname(cmd, resource_group_name, name, location=None): _validate_subscription_registered(cmd, CONTAINER_APPS_RP) diff --git a/src/containerapp/azext_containerapp/tests/latest/common.py b/src/containerapp/azext_containerapp/tests/latest/common.py index 07d4a4e89a7..ccd94270964 100644 --- a/src/containerapp/azext_containerapp/tests/latest/common.py +++ b/src/containerapp/azext_containerapp/tests/latest/common.py @@ -7,6 +7,7 @@ from azure.cli.testsdk import (ScenarioTest) TEST_DIR = os.path.abspath(os.path.join(os.path.abspath(__file__), '..')) +TEST_LOCATION = os.getenv("CLITestLocation") if os.getenv("CLITestLocation") else "eastus" def write_test_file(filename, content): diff --git a/src/containerapp/azext_containerapp/tests/latest/recordings/test_containerapp_up_dapr_e2e.yaml b/src/containerapp/azext_containerapp/tests/latest/recordings/test_containerapp_up_dapr_e2e.yaml new file mode 100644 index 00000000000..a750d7fe0a6 --- /dev/null +++ b/src/containerapp/azext_containerapp/tests/latest/recordings/test_containerapp_up_dapr_e2e.yaml @@ -0,0 +1,6297 @@ +interactions: +- request: + body: '{"location": "eastus", "properties": {"retentionInDays": 30, "sku": {"name": + "PerGB2018"}}}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - monitor log-analytics workspace create + Connection: + - keep-alive + Content-Length: + - '91' + Content-Type: + - application/json + ParameterSetName: + - -g -n + User-Agent: + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.26.2 Python/3.10.5 (macOS-13.1-arm64-arm-64bit) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest.rg000001/providers/Microsoft.OperationalInsights/workspaces/containerapp-env000004?api-version=2021-12-01-preview + response: + body: + string: "{\r\n \"properties\": {\r\n \"source\": \"Azure\",\r\n \"customerId\": + \"c40f200d-cdea-414a-8309-7af5ffaacbb2\",\r\n \"provisioningState\": \"Creating\",\r\n + \ \"sku\": {\r\n \"name\": \"pergb2018\",\r\n \"lastSkuUpdate\": + \"Sun, 22 Jan 2023 16:46:19 GMT\"\r\n },\r\n \"retentionInDays\": 30,\r\n + \ \"features\": {\r\n \"legacy\": 0,\r\n \"searchVersion\": 1,\r\n + \ \"enableLogAccessUsingOnlyResourcePermissions\": true\r\n },\r\n + \ \"workspaceCapping\": {\r\n \"dailyQuotaGb\": -1.0,\r\n \"quotaNextResetTime\": + \"Mon, 23 Jan 2023 07:00:00 GMT\",\r\n \"dataIngestionStatus\": \"RespectQuota\"\r\n + \ },\r\n \"publicNetworkAccessForIngestion\": \"Enabled\",\r\n \"publicNetworkAccessForQuery\": + \"Enabled\",\r\n \"createdDate\": \"Sun, 22 Jan 2023 16:46:19 GMT\",\r\n + \ \"modifiedDate\": \"Sun, 22 Jan 2023 16:46:19 GMT\"\r\n },\r\n \"id\": + \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest.rg000001/providers/microsoft.operationalinsights/workspaces/containerapp-env000004\",\r\n + \ \"name\": \"containerapp-env000004\",\r\n \"type\": \"Microsoft.OperationalInsights/workspaces\",\r\n + \ \"location\": \"eastus\"\r\n}" + headers: + cache-control: + - no-cache + content-length: + - '1078' + content-type: + - application/json + date: + - Sun, 22 Jan 2023 16:46:19 GMT + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-writes: + - '1199' + x-powered-by: + - ASP.NET + - ASP.NET + status: + code: 201 + message: Created +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - monitor log-analytics workspace create + Connection: + - keep-alive + ParameterSetName: + - -g -n + User-Agent: + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.26.2 Python/3.10.5 (macOS-13.1-arm64-arm-64bit) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest.rg000001/providers/Microsoft.OperationalInsights/workspaces/containerapp-env000004?api-version=2021-12-01-preview + response: + body: + string: "{\r\n \"properties\": {\r\n \"source\": \"Azure\",\r\n \"customerId\": + \"c40f200d-cdea-414a-8309-7af5ffaacbb2\",\r\n \"provisioningState\": \"Succeeded\",\r\n + \ \"sku\": {\r\n \"name\": \"pergb2018\",\r\n \"lastSkuUpdate\": + \"Sun, 22 Jan 2023 16:46:19 GMT\"\r\n },\r\n \"retentionInDays\": 30,\r\n + \ \"features\": {\r\n \"legacy\": 0,\r\n \"searchVersion\": 1,\r\n + \ \"enableLogAccessUsingOnlyResourcePermissions\": true\r\n },\r\n + \ \"workspaceCapping\": {\r\n \"dailyQuotaGb\": -1.0,\r\n \"quotaNextResetTime\": + \"Mon, 23 Jan 2023 07:00:00 GMT\",\r\n \"dataIngestionStatus\": \"RespectQuota\"\r\n + \ },\r\n \"publicNetworkAccessForIngestion\": \"Enabled\",\r\n \"publicNetworkAccessForQuery\": + \"Enabled\",\r\n \"createdDate\": \"Sun, 22 Jan 2023 16:46:19 GMT\",\r\n + \ \"modifiedDate\": \"Sun, 22 Jan 2023 16:46:20 GMT\"\r\n },\r\n \"id\": + \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest.rg000001/providers/microsoft.operationalinsights/workspaces/containerapp-env000004\",\r\n + \ \"name\": \"containerapp-env000004\",\r\n \"type\": \"Microsoft.OperationalInsights/workspaces\",\r\n + \ \"location\": \"eastus\"\r\n}" + headers: + cache-control: + - no-cache + content-length: + - '1079' + content-type: + - application/json + date: + - Sun, 22 Jan 2023 16:46:19 GMT + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - monitor log-analytics workspace get-shared-keys + Connection: + - keep-alive + Content-Length: + - '0' + ParameterSetName: + - -g -n + User-Agent: + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.26.2 Python/3.10.5 (macOS-13.1-arm64-arm-64bit) + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest.rg000001/providers/Microsoft.OperationalInsights/workspaces/containerapp-env000004/sharedKeys?api-version=2020-08-01 + response: + body: + string: "{\r\n \"primarySharedKey\": \"foo-key\",\r\n + \ \"secondarySharedKey\": \"bar-key\"\r\n}" + headers: + cache-control: + - no-cache + cachecontrol: + - no-cache + content-length: + - '235' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:46:23 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-ams-apiversion: + - WebAPI1.0 + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-writes: + - '1199' + x-powered-by: + - ASP.NET + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.5 (macOS-13.1-arm64-arm-64bit) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App?api-version=2021-04-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App","namespace":"Microsoft.App","authorizations":[{"applicationId":"7e3bc4fd-85a3-4192-b177-5b8bfc87f42c","roleDefinitionId":"39a74f72-b40f-4bdc-b639-562fe2260bf0"},{"applicationId":"3734c1a4-2bed-4998-a37a-ff1a9e7bf019","roleDefinitionId":"5c779a4f-5cb2-4547-8c41-478d9be8ba90"},{"applicationId":"55ebbb62-3b9c-49fd-9b87-9595226dd4ac","roleDefinitionId":"e49ca620-7992-4561-a7df-4ed67dad77b5"}],"resourceTypes":[{"resourceType":"managedEnvironments","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"managedEnvironments/certificates","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"managedEnvironments/managedCertificates","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-11-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"containerApps","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SystemAssignedResourceIdentity, SupportsTags, + SupportsLocation"},{"resourceType":"locations","locations":[],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/managedEnvironmentOperationResults","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/managedEnvironmentOperationStatuses","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/containerappOperationResults","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/containerappOperationStatuses","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"operations","locations":["Central + US EUAP","East US 2 EUAP","Canada Central","West Europe","North Europe","East + US","East US 2","East Asia","Australia East","Germany West Central","Japan + East","UK South","West US","Central US","North Central US","South Central + US","Korea Central","Brazil South","West US 3","France Central","South Africa + North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-11-01-preview","2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"connectedEnvironments","locations":["North + Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"connectedEnvironments/certificates","locations":["North + Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"locations/connectedEnvironmentOperationResults","locations":["North + Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/connectedEnvironmentOperationStatuses","locations":["North + Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/billingMeters","locations":["Australia + East","East US 2","West Europe","Central US","East US","North Europe","South + Central US","UK South","West US 3"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/availableManagedEnvironmentsWorkloadProfileTypes","locations":["Australia + East","East US 2","West Europe","Central US","East US","North Europe","South + Central US","UK South","West US 3"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' + headers: + cache-control: + - no-cache + content-length: + - '7154' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:46:24 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.5 (macOS-13.1-arm64-arm-64bit) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App?api-version=2021-04-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App","namespace":"Microsoft.App","authorizations":[{"applicationId":"7e3bc4fd-85a3-4192-b177-5b8bfc87f42c","roleDefinitionId":"39a74f72-b40f-4bdc-b639-562fe2260bf0"},{"applicationId":"3734c1a4-2bed-4998-a37a-ff1a9e7bf019","roleDefinitionId":"5c779a4f-5cb2-4547-8c41-478d9be8ba90"},{"applicationId":"55ebbb62-3b9c-49fd-9b87-9595226dd4ac","roleDefinitionId":"e49ca620-7992-4561-a7df-4ed67dad77b5"}],"resourceTypes":[{"resourceType":"managedEnvironments","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"managedEnvironments/certificates","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"managedEnvironments/managedCertificates","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-11-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"containerApps","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SystemAssignedResourceIdentity, SupportsTags, + SupportsLocation"},{"resourceType":"locations","locations":[],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/managedEnvironmentOperationResults","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/managedEnvironmentOperationStatuses","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/containerappOperationResults","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/containerappOperationStatuses","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"operations","locations":["Central + US EUAP","East US 2 EUAP","Canada Central","West Europe","North Europe","East + US","East US 2","East Asia","Australia East","Germany West Central","Japan + East","UK South","West US","Central US","North Central US","South Central + US","Korea Central","Brazil South","West US 3","France Central","South Africa + North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-11-01-preview","2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"connectedEnvironments","locations":["North + Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"connectedEnvironments/certificates","locations":["North + Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"locations/connectedEnvironmentOperationResults","locations":["North + Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/connectedEnvironmentOperationStatuses","locations":["North + Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/billingMeters","locations":["Australia + East","East US 2","West Europe","Central US","East US","North Europe","South + Central US","UK South","West US 3"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/availableManagedEnvironmentsWorkloadProfileTypes","locations":["Australia + East","East US 2","West Europe","Central US","East US","North Europe","South + Central US","UK South","West US 3"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' + headers: + cache-control: + - no-cache + content-length: + - '7154' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:46:24 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.5 (macOS-13.1-arm64-arm-64bit) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App?api-version=2021-04-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App","namespace":"Microsoft.App","authorizations":[{"applicationId":"7e3bc4fd-85a3-4192-b177-5b8bfc87f42c","roleDefinitionId":"39a74f72-b40f-4bdc-b639-562fe2260bf0"},{"applicationId":"3734c1a4-2bed-4998-a37a-ff1a9e7bf019","roleDefinitionId":"5c779a4f-5cb2-4547-8c41-478d9be8ba90"},{"applicationId":"55ebbb62-3b9c-49fd-9b87-9595226dd4ac","roleDefinitionId":"e49ca620-7992-4561-a7df-4ed67dad77b5"}],"resourceTypes":[{"resourceType":"managedEnvironments","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"managedEnvironments/certificates","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"managedEnvironments/managedCertificates","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-11-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"containerApps","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SystemAssignedResourceIdentity, SupportsTags, + SupportsLocation"},{"resourceType":"locations","locations":[],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/managedEnvironmentOperationResults","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/managedEnvironmentOperationStatuses","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/containerappOperationResults","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/containerappOperationStatuses","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"operations","locations":["Central + US EUAP","East US 2 EUAP","Canada Central","West Europe","North Europe","East + US","East US 2","East Asia","Australia East","Germany West Central","Japan + East","UK South","West US","Central US","North Central US","South Central + US","Korea Central","Brazil South","West US 3","France Central","South Africa + North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-11-01-preview","2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"connectedEnvironments","locations":["North + Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"connectedEnvironments/certificates","locations":["North + Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"locations/connectedEnvironmentOperationResults","locations":["North + Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/connectedEnvironmentOperationStatuses","locations":["North + Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/billingMeters","locations":["Australia + East","East US 2","West Europe","Central US","East US","North Europe","South + Central US","UK South","West US 3"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/availableManagedEnvironmentsWorkloadProfileTypes","locations":["Australia + East","East US 2","West Europe","Central US","East US","North Europe","South + Central US","UK South","West US 3"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' + headers: + cache-control: + - no-cache + content-length: + - '7154' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:46:24 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.5 (macOS-13.1-arm64-arm-64bit) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App?api-version=2021-04-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App","namespace":"Microsoft.App","authorizations":[{"applicationId":"7e3bc4fd-85a3-4192-b177-5b8bfc87f42c","roleDefinitionId":"39a74f72-b40f-4bdc-b639-562fe2260bf0"},{"applicationId":"3734c1a4-2bed-4998-a37a-ff1a9e7bf019","roleDefinitionId":"5c779a4f-5cb2-4547-8c41-478d9be8ba90"},{"applicationId":"55ebbb62-3b9c-49fd-9b87-9595226dd4ac","roleDefinitionId":"e49ca620-7992-4561-a7df-4ed67dad77b5"}],"resourceTypes":[{"resourceType":"managedEnvironments","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"managedEnvironments/certificates","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"managedEnvironments/managedCertificates","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-11-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"containerApps","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SystemAssignedResourceIdentity, SupportsTags, + SupportsLocation"},{"resourceType":"locations","locations":[],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/managedEnvironmentOperationResults","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/managedEnvironmentOperationStatuses","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/containerappOperationResults","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/containerappOperationStatuses","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"operations","locations":["Central + US EUAP","East US 2 EUAP","Canada Central","West Europe","North Europe","East + US","East US 2","East Asia","Australia East","Germany West Central","Japan + East","UK South","West US","Central US","North Central US","South Central + US","Korea Central","Brazil South","West US 3","France Central","South Africa + North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-11-01-preview","2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"connectedEnvironments","locations":["North + Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"connectedEnvironments/certificates","locations":["North + Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"locations/connectedEnvironmentOperationResults","locations":["North + Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/connectedEnvironmentOperationStatuses","locations":["North + Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/billingMeters","locations":["Australia + East","East US 2","West Europe","Central US","East US","North Europe","South + Central US","UK South","West US 3"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/availableManagedEnvironmentsWorkloadProfileTypes","locations":["Australia + East","East US 2","West Europe","Central US","East US","North Europe","South + Central US","UK South","West US 3"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' + headers: + cache-control: + - no-cache + content-length: + - '7154' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:46:24 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: '{"location": "eastus", "tags": null, "sku": {"name": "Consumption"}, "properties": + {"daprAIInstrumentationKey": null, "vnetConfiguration": null, "internalLoadBalancerEnabled": + null, "appLogsConfiguration": {"destination": "log-analytics", "logAnalyticsConfiguration": + {"customerId": "c40f200d-cdea-414a-8309-7af5ffaacbb2", "sharedKey": "foo-key"}}, + "customDomainConfiguration": null, "zoneRedundant": false}}' + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + Content-Length: + - '489' + Content-Type: + - application/json + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058Z","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058Z"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App/locations/eastus/managedEnvironmentOperationStatuses/b426a467-c7ed-45fa-81aa-636279ce2319?api-version=2022-06-01-preview&azureAsyncOperation=true + cache-control: + - no-cache + content-length: + - '1140' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:46:30 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + x-ms-async-operation-timeout: + - PT15M + x-ms-ratelimit-remaining-subscription-resource-requests: + - '99' + x-powered-by: + - ASP.NET + status: + code: 201 + message: Created +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:46:31 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:46:34 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:46:37 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:46:41 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:46:44 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:46:47 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:46:49 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:46:52 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:46:54 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:46:57 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:46:59 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:47:03 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:47:06 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:47:09 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:47:12 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:47:17 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:47:19 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:47:23 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:47:26 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:47:29 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:47:32 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:47:36 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:47:39 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:47:41 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:47:43 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:47:45 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:47:48 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:47:51 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:47:54 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:47:57 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:48:00 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:48:02 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:48:04 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:48:07 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:48:09 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:48:12 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:48:14 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:48:17 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:48:19 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:48:21 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:48:24 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:48:26 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:48:29 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:48:32 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:48:34 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:48:37 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:48:39 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:48:42 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:48:44 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:48:46 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:48:49 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:48:51 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:48:53 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:48:56 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:48:58 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:49:01 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:49:03 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:49:05 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:49:09 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:49:11 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:49:13 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:49:16 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:49:18 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:49:21 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:49:23 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:49:25 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:49:27 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:49:31 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:49:33 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:49:35 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1138' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:49:39 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env create + Connection: + - keep-alive + ParameterSetName: + - -g -n --logs-workspace-id --logs-workspace-key + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Succeeded","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1140' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:49:41 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env show + Connection: + - keep-alive + ParameterSetName: + - -g -n + User-Agent: + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.5 (macOS-13.1-arm64-arm-64bit) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App?api-version=2021-04-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App","namespace":"Microsoft.App","authorizations":[{"applicationId":"7e3bc4fd-85a3-4192-b177-5b8bfc87f42c","roleDefinitionId":"39a74f72-b40f-4bdc-b639-562fe2260bf0"},{"applicationId":"3734c1a4-2bed-4998-a37a-ff1a9e7bf019","roleDefinitionId":"5c779a4f-5cb2-4547-8c41-478d9be8ba90"},{"applicationId":"55ebbb62-3b9c-49fd-9b87-9595226dd4ac","roleDefinitionId":"e49ca620-7992-4561-a7df-4ed67dad77b5"}],"resourceTypes":[{"resourceType":"managedEnvironments","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"managedEnvironments/certificates","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"managedEnvironments/managedCertificates","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-11-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"containerApps","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SystemAssignedResourceIdentity, SupportsTags, + SupportsLocation"},{"resourceType":"locations","locations":[],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/managedEnvironmentOperationResults","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/managedEnvironmentOperationStatuses","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/containerappOperationResults","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/containerappOperationStatuses","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"operations","locations":["Central + US EUAP","East US 2 EUAP","Canada Central","West Europe","North Europe","East + US","East US 2","East Asia","Australia East","Germany West Central","Japan + East","UK South","West US","Central US","North Central US","South Central + US","Korea Central","Brazil South","West US 3","France Central","South Africa + North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-11-01-preview","2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"connectedEnvironments","locations":["North + Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"connectedEnvironments/certificates","locations":["North + Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"locations/connectedEnvironmentOperationResults","locations":["North + Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/connectedEnvironmentOperationStatuses","locations":["North + Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/billingMeters","locations":["Australia + East","East US 2","West Europe","Central US","East US","North Europe","South + Central US","UK South","West US 3"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/availableManagedEnvironmentsWorkloadProfileTypes","locations":["Australia + East","East US 2","West Europe","Central US","East US","North Europe","South + Central US","UK South","West US 3"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' + headers: + cache-control: + - no-cache + content-length: + - '7154' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:49:41 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp env show + Connection: + - keep-alive + ParameterSetName: + - -g -n + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Succeeded","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1140' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:49:42 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp up + Connection: + - keep-alive + ParameterSetName: + - -g -n --environment --image + User-Agent: + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.5 (macOS-13.1-arm64-arm-64bit) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App?api-version=2021-04-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App","namespace":"Microsoft.App","authorizations":[{"applicationId":"7e3bc4fd-85a3-4192-b177-5b8bfc87f42c","roleDefinitionId":"39a74f72-b40f-4bdc-b639-562fe2260bf0"},{"applicationId":"3734c1a4-2bed-4998-a37a-ff1a9e7bf019","roleDefinitionId":"5c779a4f-5cb2-4547-8c41-478d9be8ba90"},{"applicationId":"55ebbb62-3b9c-49fd-9b87-9595226dd4ac","roleDefinitionId":"e49ca620-7992-4561-a7df-4ed67dad77b5"}],"resourceTypes":[{"resourceType":"managedEnvironments","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"managedEnvironments/certificates","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"managedEnvironments/managedCertificates","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-11-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"containerApps","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SystemAssignedResourceIdentity, SupportsTags, + SupportsLocation"},{"resourceType":"locations","locations":[],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/managedEnvironmentOperationResults","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/managedEnvironmentOperationStatuses","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/containerappOperationResults","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/containerappOperationStatuses","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"operations","locations":["Central + US EUAP","East US 2 EUAP","Canada Central","West Europe","North Europe","East + US","East US 2","East Asia","Australia East","Germany West Central","Japan + East","UK South","West US","Central US","North Central US","South Central + US","Korea Central","Brazil South","West US 3","France Central","South Africa + North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-11-01-preview","2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"connectedEnvironments","locations":["North + Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"connectedEnvironments/certificates","locations":["North + Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"locations/connectedEnvironmentOperationResults","locations":["North + Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/connectedEnvironmentOperationStatuses","locations":["North + Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/billingMeters","locations":["Australia + East","East US 2","West Europe","Central US","East US","North Europe","South + Central US","UK South","West US 3"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/availableManagedEnvironmentsWorkloadProfileTypes","locations":["Australia + East","East US 2","West Europe","Central US","East US","North Europe","South + Central US","UK South","West US 3"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' + headers: + cache-control: + - no-cache + content-length: + - '7154' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:49:49 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp up + Connection: + - keep-alive + ParameterSetName: + - -g -n --environment --image + User-Agent: + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.5 (macOS-13.1-arm64-arm-64bit) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App?api-version=2021-04-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App","namespace":"Microsoft.App","authorizations":[{"applicationId":"7e3bc4fd-85a3-4192-b177-5b8bfc87f42c","roleDefinitionId":"39a74f72-b40f-4bdc-b639-562fe2260bf0"},{"applicationId":"3734c1a4-2bed-4998-a37a-ff1a9e7bf019","roleDefinitionId":"5c779a4f-5cb2-4547-8c41-478d9be8ba90"},{"applicationId":"55ebbb62-3b9c-49fd-9b87-9595226dd4ac","roleDefinitionId":"e49ca620-7992-4561-a7df-4ed67dad77b5"}],"resourceTypes":[{"resourceType":"managedEnvironments","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"managedEnvironments/certificates","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"managedEnvironments/managedCertificates","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-11-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"containerApps","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SystemAssignedResourceIdentity, SupportsTags, + SupportsLocation"},{"resourceType":"locations","locations":[],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/managedEnvironmentOperationResults","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/managedEnvironmentOperationStatuses","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/containerappOperationResults","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/containerappOperationStatuses","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"operations","locations":["Central + US EUAP","East US 2 EUAP","Canada Central","West Europe","North Europe","East + US","East US 2","East Asia","Australia East","Germany West Central","Japan + East","UK South","West US","Central US","North Central US","South Central + US","Korea Central","Brazil South","West US 3","France Central","South Africa + North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-11-01-preview","2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"connectedEnvironments","locations":["North + Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"connectedEnvironments/certificates","locations":["North + Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"locations/connectedEnvironmentOperationResults","locations":["North + Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/connectedEnvironmentOperationStatuses","locations":["North + Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/billingMeters","locations":["Australia + East","East US 2","West Europe","Central US","East US","North Europe","South + Central US","UK South","West US 3"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/availableManagedEnvironmentsWorkloadProfileTypes","locations":["Australia + East","East US 2","West Europe","Central US","East US","North Europe","South + Central US","UK South","West US 3"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' + headers: + cache-control: + - no-cache + content-length: + - '7154' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:49:49 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp up + Connection: + - keep-alive + ParameterSetName: + - -g -n --environment --image + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Succeeded","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1140' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:49:49 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp up + Connection: + - keep-alive + ParameterSetName: + - -g -n --environment --image + User-Agent: + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.5 (macOS-13.1-arm64-arm-64bit) + method: HEAD + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest.rg000001?api-version=2021-04-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + date: + - Sun, 22 Jan 2023 16:49:49 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 204 + message: No Content +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp up + Connection: + - keep-alive + ParameterSetName: + - -g -n --environment --image + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"error":{"code":"ResourceNotFound","message":"The Resource ''Microsoft.App/managedEnvironments/subscriptions'' + under resource group ''clitest.rg000001'' was not found. For more details + please go to https://aka.ms/ARMResourceNotFoundFix"}}' + headers: + cache-control: + - no-cache + content-length: + - '235' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:49:49 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + x-ms-failure-cause: + - gateway + status: + code: 404 + message: Not Found +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp up + Connection: + - keep-alive + ParameterSetName: + - -g -n --environment --image + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview + response: + body: + string: '{"error":{"code":"ResourceNotFound","message":"The Resource ''Microsoft.App/containerApps/containerapp000003'' + under resource group ''clitest.rg000001'' was not found. For more details + please go to https://aka.ms/ARMResourceNotFoundFix"}}' + headers: + cache-control: + - no-cache + content-length: + - '234' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:49:50 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + x-ms-failure-cause: + - gateway + status: + code: 404 + message: Not Found +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp up + Connection: + - keep-alive + ParameterSetName: + - -g -n --environment --image + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview + response: + body: + string: '{"error":{"code":"ResourceNotFound","message":"The Resource ''Microsoft.App/containerApps/containerapp000003'' + under resource group ''clitest.rg000001'' was not found. For more details + please go to https://aka.ms/ARMResourceNotFoundFix"}}' + headers: + cache-control: + - no-cache + content-length: + - '234' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:49:50 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + x-ms-failure-cause: + - gateway + status: + code: 404 + message: Not Found +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp up + Connection: + - keep-alive + ParameterSetName: + - -g -n --environment --image + User-Agent: + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.5 (macOS-13.1-arm64-arm-64bit) + method: HEAD + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest.rg000001?api-version=2021-04-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + date: + - Sun, 22 Jan 2023 16:49:51 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 204 + message: No Content +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp up + Connection: + - keep-alive + ParameterSetName: + - -g -n --environment --image + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Succeeded","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1140' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:49:51 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp up + Connection: + - keep-alive + ParameterSetName: + - -g -n --environment --image + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview + response: + body: + string: '{"error":{"code":"ResourceNotFound","message":"The Resource ''Microsoft.App/containerApps/containerapp000003'' + under resource group ''clitest.rg000001'' was not found. For more details + please go to https://aka.ms/ARMResourceNotFoundFix"}}' + headers: + cache-control: + - no-cache + content-length: + - '234' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:49:52 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + x-ms-failure-cause: + - gateway + status: + code: 404 + message: Not Found +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp up + Connection: + - keep-alive + ParameterSetName: + - -g -n --environment --image + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview + response: + body: + string: '{"error":{"code":"ResourceNotFound","message":"The Resource ''Microsoft.App/containerApps/containerapp000003'' + under resource group ''clitest.rg000001'' was not found. For more details + please go to https://aka.ms/ARMResourceNotFoundFix"}}' + headers: + cache-control: + - no-cache + content-length: + - '234' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:49:52 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + x-ms-failure-cause: + - gateway + status: + code: 404 + message: Not Found +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp up + Connection: + - keep-alive + ParameterSetName: + - -g -n --environment --image + User-Agent: + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.5 (macOS-13.1-arm64-arm-64bit) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App?api-version=2021-04-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App","namespace":"Microsoft.App","authorizations":[{"applicationId":"7e3bc4fd-85a3-4192-b177-5b8bfc87f42c","roleDefinitionId":"39a74f72-b40f-4bdc-b639-562fe2260bf0"},{"applicationId":"3734c1a4-2bed-4998-a37a-ff1a9e7bf019","roleDefinitionId":"5c779a4f-5cb2-4547-8c41-478d9be8ba90"},{"applicationId":"55ebbb62-3b9c-49fd-9b87-9595226dd4ac","roleDefinitionId":"e49ca620-7992-4561-a7df-4ed67dad77b5"}],"resourceTypes":[{"resourceType":"managedEnvironments","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"managedEnvironments/certificates","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"managedEnvironments/managedCertificates","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-11-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"containerApps","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SystemAssignedResourceIdentity, SupportsTags, + SupportsLocation"},{"resourceType":"locations","locations":[],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/managedEnvironmentOperationResults","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/managedEnvironmentOperationStatuses","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/containerappOperationResults","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/containerappOperationStatuses","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"operations","locations":["Central + US EUAP","East US 2 EUAP","Canada Central","West Europe","North Europe","East + US","East US 2","East Asia","Australia East","Germany West Central","Japan + East","UK South","West US","Central US","North Central US","South Central + US","Korea Central","Brazil South","West US 3","France Central","South Africa + North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-11-01-preview","2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"connectedEnvironments","locations":["North + Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"connectedEnvironments/certificates","locations":["North + Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"locations/connectedEnvironmentOperationResults","locations":["North + Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/connectedEnvironmentOperationStatuses","locations":["North + Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/billingMeters","locations":["Australia + East","East US 2","West Europe","Central US","East US","North Europe","South + Central US","UK South","West US 3"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/availableManagedEnvironmentsWorkloadProfileTypes","locations":["Australia + East","East US 2","West Europe","Central US","East US","North Europe","South + Central US","UK South","West US 3"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' + headers: + cache-control: + - no-cache + content-length: + - '7154' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:49:52 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp up + Connection: + - keep-alive + ParameterSetName: + - -g -n --environment --image + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Succeeded","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1140' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:49:52 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp up + Connection: + - keep-alive + ParameterSetName: + - -g -n --environment --image + User-Agent: + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.5 (macOS-13.1-arm64-arm-64bit) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App?api-version=2021-04-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App","namespace":"Microsoft.App","authorizations":[{"applicationId":"7e3bc4fd-85a3-4192-b177-5b8bfc87f42c","roleDefinitionId":"39a74f72-b40f-4bdc-b639-562fe2260bf0"},{"applicationId":"3734c1a4-2bed-4998-a37a-ff1a9e7bf019","roleDefinitionId":"5c779a4f-5cb2-4547-8c41-478d9be8ba90"},{"applicationId":"55ebbb62-3b9c-49fd-9b87-9595226dd4ac","roleDefinitionId":"e49ca620-7992-4561-a7df-4ed67dad77b5"}],"resourceTypes":[{"resourceType":"managedEnvironments","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"managedEnvironments/certificates","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"managedEnvironments/managedCertificates","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-11-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"containerApps","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SystemAssignedResourceIdentity, SupportsTags, + SupportsLocation"},{"resourceType":"locations","locations":[],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/managedEnvironmentOperationResults","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/managedEnvironmentOperationStatuses","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/containerappOperationResults","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/containerappOperationStatuses","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"operations","locations":["Central + US EUAP","East US 2 EUAP","Canada Central","West Europe","North Europe","East + US","East US 2","East Asia","Australia East","Germany West Central","Japan + East","UK South","West US","Central US","North Central US","South Central + US","Korea Central","Brazil South","West US 3","France Central","South Africa + North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-11-01-preview","2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"connectedEnvironments","locations":["North + Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"connectedEnvironments/certificates","locations":["North + Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"locations/connectedEnvironmentOperationResults","locations":["North + Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/connectedEnvironmentOperationStatuses","locations":["North + Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/billingMeters","locations":["Australia + East","East US 2","West Europe","Central US","East US","North Europe","South + Central US","UK South","West US 3"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/availableManagedEnvironmentsWorkloadProfileTypes","locations":["Australia + East","East US 2","West Europe","Central US","East US","North Europe","South + Central US","UK South","West US 3"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' + headers: + cache-control: + - no-cache + content-length: + - '7154' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:49:52 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: '{"location": "eastus", "identity": {"type": "None", "userAssignedIdentities": + null}, "properties": {"managedEnvironmentId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002", + "configuration": {"secrets": null, "activeRevisionsMode": "single", "ingress": + null, "dapr": null, "registries": null}, "template": {"revisionSuffix": null, + "containers": [{"image": "mcr.microsoft.com/azuredocs/aks-helloworld:v1", "name": + "containerapp000003", "command": null, "args": null, "env": null, "resources": + null, "volumeMounts": null}], "scale": null, "volumes": null}}, "tags": null}' + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp up + Connection: + - keep-alive + Content-Length: + - '673' + Content-Type: + - application/json + ParameterSetName: + - -g -n --environment --image + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerapps/containerapp000003","name":"containerapp000003","type":"Microsoft.App/containerApps","location":"East + US","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:49:55.8061043Z","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:49:55.8061043Z"},"properties":{"provisioningState":"InProgress","managedEnvironmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","environmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","workloadProfileType":null,"outboundIpAddresses":["20.62.146.136"],"latestRevisionName":"","latestRevisionFqdn":"","customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5","configuration":{"secrets":null,"activeRevisionsMode":"Single","ingress":null,"registries":null,"dapr":null,"maxInactiveRevisions":null},"template":{"revisionSuffix":"","containers":[{"image":"mcr.microsoft.com/azuredocs/aks-helloworld:v1","name":"containerapp000003","resources":{"cpu":0.5,"memory":"1Gi","ephemeralStorage":"1Gi"}}],"initContainers":null,"scale":{"minReplicas":null,"maxReplicas":10,"rules":null},"volumes":null},"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/containerApps/containerapp000003/eventstream"},"identity":{"type":"None"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App/locations/eastus/containerappOperationStatuses/f28f8d9c-4643-47be-9577-1a0877f2cae8?api-version=2022-06-01-preview&azureAsyncOperation=true + cache-control: + - no-cache + content-length: + - '1723' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:49:57 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + x-ms-async-operation-timeout: + - PT15M + x-ms-ratelimit-remaining-subscription-resource-requests: + - '498' + x-powered-by: + - ASP.NET + status: + code: 201 + message: Created +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp up + Connection: + - keep-alive + ParameterSetName: + - -g -n --environment --image + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerapps/containerapp000003","name":"containerapp000003","type":"Microsoft.App/containerApps","location":"East + US","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:49:55.8061043","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:49:55.8061043"},"properties":{"provisioningState":"InProgress","managedEnvironmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","environmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","workloadProfileType":null,"outboundIpAddresses":["20.62.146.136"],"latestRevisionName":"containerapp000003--qnkfovr","latestRevisionFqdn":"","customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5","configuration":{"secrets":null,"activeRevisionsMode":"Single","ingress":null,"registries":null,"dapr":null,"maxInactiveRevisions":null},"template":{"revisionSuffix":"","containers":[{"image":"mcr.microsoft.com/azuredocs/aks-helloworld:v1","name":"containerapp000003","resources":{"cpu":0.5,"memory":"1Gi","ephemeralStorage":"1Gi"}}],"initContainers":null,"scale":{"minReplicas":null,"maxReplicas":10,"rules":null},"volumes":null},"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/containerApps/containerapp000003/eventstream"},"identity":{"type":"None"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1748' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:49:58 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp up + Connection: + - keep-alive + ParameterSetName: + - -g -n --environment --image + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerapps/containerapp000003","name":"containerapp000003","type":"Microsoft.App/containerApps","location":"East + US","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:49:55.8061043","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:49:55.8061043"},"properties":{"provisioningState":"InProgress","managedEnvironmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","environmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","workloadProfileType":null,"outboundIpAddresses":["20.62.146.136"],"latestRevisionName":"containerapp000003--qnkfovr","latestRevisionFqdn":"","customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5","configuration":{"secrets":null,"activeRevisionsMode":"Single","ingress":null,"registries":null,"dapr":null,"maxInactiveRevisions":null},"template":{"revisionSuffix":"","containers":[{"image":"mcr.microsoft.com/azuredocs/aks-helloworld:v1","name":"containerapp000003","resources":{"cpu":0.5,"memory":"1Gi","ephemeralStorage":"1Gi"}}],"initContainers":null,"scale":{"minReplicas":null,"maxReplicas":10,"rules":null},"volumes":null},"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/containerApps/containerapp000003/eventstream"},"identity":{"type":"None"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1748' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:50:01 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp up + Connection: + - keep-alive + ParameterSetName: + - -g -n --environment --image + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerapps/containerapp000003","name":"containerapp000003","type":"Microsoft.App/containerApps","location":"East + US","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:49:55.8061043","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:49:55.8061043"},"properties":{"provisioningState":"InProgress","managedEnvironmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","environmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","workloadProfileType":null,"outboundIpAddresses":["20.62.146.136"],"latestRevisionName":"containerapp000003--qnkfovr","latestRevisionFqdn":"","customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5","configuration":{"secrets":null,"activeRevisionsMode":"Single","ingress":null,"registries":null,"dapr":null,"maxInactiveRevisions":null},"template":{"revisionSuffix":"","containers":[{"image":"mcr.microsoft.com/azuredocs/aks-helloworld:v1","name":"containerapp000003","resources":{"cpu":0.5,"memory":"1Gi","ephemeralStorage":"1Gi"}}],"initContainers":null,"scale":{"minReplicas":null,"maxReplicas":10,"rules":null},"volumes":null},"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/containerApps/containerapp000003/eventstream"},"identity":{"type":"None"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1748' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:50:05 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp up + Connection: + - keep-alive + ParameterSetName: + - -g -n --environment --image + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerapps/containerapp000003","name":"containerapp000003","type":"Microsoft.App/containerApps","location":"East + US","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:49:55.8061043","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:49:55.8061043"},"properties":{"provisioningState":"InProgress","managedEnvironmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","environmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","workloadProfileType":null,"outboundIpAddresses":["20.62.146.136"],"latestRevisionName":"containerapp000003--qnkfovr","latestRevisionFqdn":"","customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5","configuration":{"secrets":null,"activeRevisionsMode":"Single","ingress":null,"registries":null,"dapr":null,"maxInactiveRevisions":null},"template":{"revisionSuffix":"","containers":[{"image":"mcr.microsoft.com/azuredocs/aks-helloworld:v1","name":"containerapp000003","resources":{"cpu":0.5,"memory":"1Gi","ephemeralStorage":"1Gi"}}],"initContainers":null,"scale":{"minReplicas":null,"maxReplicas":10,"rules":null},"volumes":null},"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/containerApps/containerapp000003/eventstream"},"identity":{"type":"None"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1748' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:50:09 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp up + Connection: + - keep-alive + ParameterSetName: + - -g -n --environment --image + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerapps/containerapp000003","name":"containerapp000003","type":"Microsoft.App/containerApps","location":"East + US","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:49:55.8061043","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:49:55.8061043"},"properties":{"provisioningState":"InProgress","managedEnvironmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","environmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","workloadProfileType":null,"outboundIpAddresses":["20.62.146.136"],"latestRevisionName":"containerapp000003--qnkfovr","latestRevisionFqdn":"","customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5","configuration":{"secrets":null,"activeRevisionsMode":"Single","ingress":null,"registries":null,"dapr":null,"maxInactiveRevisions":null},"template":{"revisionSuffix":"","containers":[{"image":"mcr.microsoft.com/azuredocs/aks-helloworld:v1","name":"containerapp000003","resources":{"cpu":0.5,"memory":"1Gi","ephemeralStorage":"1Gi"}}],"initContainers":null,"scale":{"minReplicas":null,"maxReplicas":10,"rules":null},"volumes":null},"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/containerApps/containerapp000003/eventstream"},"identity":{"type":"None"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1748' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:50:12 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp up + Connection: + - keep-alive + ParameterSetName: + - -g -n --environment --image + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerapps/containerapp000003","name":"containerapp000003","type":"Microsoft.App/containerApps","location":"East + US","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:49:55.8061043","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:49:55.8061043"},"properties":{"provisioningState":"InProgress","managedEnvironmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","environmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","workloadProfileType":null,"outboundIpAddresses":["20.62.146.136"],"latestRevisionName":"containerapp000003--qnkfovr","latestRevisionFqdn":"","customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5","configuration":{"secrets":null,"activeRevisionsMode":"Single","ingress":null,"registries":null,"dapr":null,"maxInactiveRevisions":null},"template":{"revisionSuffix":"","containers":[{"image":"mcr.microsoft.com/azuredocs/aks-helloworld:v1","name":"containerapp000003","resources":{"cpu":0.5,"memory":"1Gi","ephemeralStorage":"1Gi"}}],"initContainers":null,"scale":{"minReplicas":null,"maxReplicas":10,"rules":null},"volumes":null},"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/containerApps/containerapp000003/eventstream"},"identity":{"type":"None"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1748' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:50:14 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp up + Connection: + - keep-alive + ParameterSetName: + - -g -n --environment --image + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerapps/containerapp000003","name":"containerapp000003","type":"Microsoft.App/containerApps","location":"East + US","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:49:55.8061043","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:49:55.8061043"},"properties":{"provisioningState":"InProgress","managedEnvironmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","environmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","workloadProfileType":null,"outboundIpAddresses":["20.62.146.136"],"latestRevisionName":"containerapp000003--qnkfovr","latestRevisionFqdn":"","customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5","configuration":{"secrets":null,"activeRevisionsMode":"Single","ingress":null,"registries":null,"dapr":null,"maxInactiveRevisions":null},"template":{"revisionSuffix":"","containers":[{"image":"mcr.microsoft.com/azuredocs/aks-helloworld:v1","name":"containerapp000003","resources":{"cpu":0.5,"memory":"1Gi","ephemeralStorage":"1Gi"}}],"initContainers":null,"scale":{"minReplicas":null,"maxReplicas":10,"rules":null},"volumes":null},"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/containerApps/containerapp000003/eventstream"},"identity":{"type":"None"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1748' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:50:18 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp up + Connection: + - keep-alive + ParameterSetName: + - -g -n --environment --image + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerapps/containerapp000003","name":"containerapp000003","type":"Microsoft.App/containerApps","location":"East + US","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:49:55.8061043","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:49:55.8061043"},"properties":{"provisioningState":"InProgress","managedEnvironmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","environmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","workloadProfileType":null,"outboundIpAddresses":["20.62.146.136"],"latestRevisionName":"containerapp000003--qnkfovr","latestRevisionFqdn":"","customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5","configuration":{"secrets":null,"activeRevisionsMode":"Single","ingress":null,"registries":null,"dapr":null,"maxInactiveRevisions":null},"template":{"revisionSuffix":"","containers":[{"image":"mcr.microsoft.com/azuredocs/aks-helloworld:v1","name":"containerapp000003","resources":{"cpu":0.5,"memory":"1Gi","ephemeralStorage":"1Gi"}}],"initContainers":null,"scale":{"minReplicas":null,"maxReplicas":10,"rules":null},"volumes":null},"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/containerApps/containerapp000003/eventstream"},"identity":{"type":"None"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1748' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:50:21 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp up + Connection: + - keep-alive + ParameterSetName: + - -g -n --environment --image + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerapps/containerapp000003","name":"containerapp000003","type":"Microsoft.App/containerApps","location":"East + US","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:49:55.8061043","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:49:55.8061043"},"properties":{"provisioningState":"InProgress","managedEnvironmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","environmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","workloadProfileType":null,"outboundIpAddresses":["20.62.146.136"],"latestRevisionName":"containerapp000003--qnkfovr","latestRevisionFqdn":"","customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5","configuration":{"secrets":null,"activeRevisionsMode":"Single","ingress":null,"registries":null,"dapr":null,"maxInactiveRevisions":null},"template":{"revisionSuffix":"","containers":[{"image":"mcr.microsoft.com/azuredocs/aks-helloworld:v1","name":"containerapp000003","resources":{"cpu":0.5,"memory":"1Gi","ephemeralStorage":"1Gi"}}],"initContainers":null,"scale":{"minReplicas":null,"maxReplicas":10,"rules":null},"volumes":null},"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/containerApps/containerapp000003/eventstream"},"identity":{"type":"None"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1748' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:50:24 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp up + Connection: + - keep-alive + ParameterSetName: + - -g -n --environment --image + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerapps/containerapp000003","name":"containerapp000003","type":"Microsoft.App/containerApps","location":"East + US","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:49:55.8061043","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:49:55.8061043"},"properties":{"provisioningState":"InProgress","managedEnvironmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","environmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","workloadProfileType":null,"outboundIpAddresses":["20.62.146.136"],"latestRevisionName":"containerapp000003--qnkfovr","latestRevisionFqdn":"","customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5","configuration":{"secrets":null,"activeRevisionsMode":"Single","ingress":null,"registries":null,"dapr":null,"maxInactiveRevisions":null},"template":{"revisionSuffix":"","containers":[{"image":"mcr.microsoft.com/azuredocs/aks-helloworld:v1","name":"containerapp000003","resources":{"cpu":0.5,"memory":"1Gi","ephemeralStorage":"1Gi"}}],"initContainers":null,"scale":{"minReplicas":null,"maxReplicas":10,"rules":null},"volumes":null},"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/containerApps/containerapp000003/eventstream"},"identity":{"type":"None"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1748' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:50:26 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp up + Connection: + - keep-alive + ParameterSetName: + - -g -n --environment --image + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerapps/containerapp000003","name":"containerapp000003","type":"Microsoft.App/containerApps","location":"East + US","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:49:55.8061043","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:49:55.8061043"},"properties":{"provisioningState":"Succeeded","managedEnvironmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","environmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","workloadProfileType":null,"outboundIpAddresses":["20.62.146.136"],"latestRevisionName":"containerapp000003--qnkfovr","latestRevisionFqdn":"","customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5","configuration":{"secrets":null,"activeRevisionsMode":"Single","ingress":null,"registries":null,"dapr":null,"maxInactiveRevisions":null},"template":{"revisionSuffix":"","containers":[{"image":"mcr.microsoft.com/azuredocs/aks-helloworld:v1","name":"containerapp000003","resources":{"cpu":0.5,"memory":"1Gi","ephemeralStorage":"1Gi"}}],"initContainers":null,"scale":{"minReplicas":null,"maxReplicas":10,"rules":null},"volumes":null},"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/containerApps/containerapp000003/eventstream"},"identity":{"type":"None"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1747' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:50:30 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp up + Connection: + - keep-alive + ParameterSetName: + - -g -n --environment --image + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerapps/containerapp000003","name":"containerapp000003","type":"Microsoft.App/containerApps","location":"East + US","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:49:55.8061043","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:49:55.8061043"},"properties":{"provisioningState":"Succeeded","managedEnvironmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","environmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","workloadProfileType":null,"outboundIpAddresses":["20.62.146.136"],"latestRevisionName":"containerapp000003--qnkfovr","latestRevisionFqdn":"","customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5","configuration":{"secrets":null,"activeRevisionsMode":"Single","ingress":null,"registries":null,"dapr":null,"maxInactiveRevisions":null},"template":{"revisionSuffix":"","containers":[{"image":"mcr.microsoft.com/azuredocs/aks-helloworld:v1","name":"containerapp000003","resources":{"cpu":0.5,"memory":"1Gi","ephemeralStorage":"1Gi"}}],"initContainers":null,"scale":{"minReplicas":null,"maxReplicas":10,"rules":null},"volumes":null},"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/containerApps/containerapp000003/eventstream"},"identity":{"type":"None"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1747' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:50:31 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp dapr enable + Connection: + - keep-alive + ParameterSetName: + - -g -n --dapr-app-id --dapr-app-port --dapr-app-protocol --dal --dhmrs --dhrbs + --dapr-log-level + User-Agent: + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.5 (macOS-13.1-arm64-arm-64bit) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App?api-version=2021-04-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App","namespace":"Microsoft.App","authorizations":[{"applicationId":"7e3bc4fd-85a3-4192-b177-5b8bfc87f42c","roleDefinitionId":"39a74f72-b40f-4bdc-b639-562fe2260bf0"},{"applicationId":"3734c1a4-2bed-4998-a37a-ff1a9e7bf019","roleDefinitionId":"5c779a4f-5cb2-4547-8c41-478d9be8ba90"},{"applicationId":"55ebbb62-3b9c-49fd-9b87-9595226dd4ac","roleDefinitionId":"e49ca620-7992-4561-a7df-4ed67dad77b5"}],"resourceTypes":[{"resourceType":"managedEnvironments","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"managedEnvironments/certificates","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"managedEnvironments/managedCertificates","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-11-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"containerApps","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SystemAssignedResourceIdentity, SupportsTags, + SupportsLocation"},{"resourceType":"locations","locations":[],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/managedEnvironmentOperationResults","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/managedEnvironmentOperationStatuses","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/containerappOperationResults","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/containerappOperationStatuses","locations":["Canada + Central","West Europe","North Europe","East US","East US 2","East Asia","Australia + East","Germany West Central","Japan East","UK South","West US","Central US","North + Central US","South Central US","Korea Central","Brazil South","West US 3","France + Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"operations","locations":["Central + US EUAP","East US 2 EUAP","Canada Central","West Europe","North Europe","East + US","East US 2","East Asia","Australia East","Germany West Central","Japan + East","UK South","West US","Central US","North Central US","South Central + US","Korea Central","Brazil South","West US 3","France Central","South Africa + North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-11-01-preview","2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"connectedEnvironments","locations":["North + Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"connectedEnvironments/certificates","locations":["North + Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"locations/connectedEnvironmentOperationResults","locations":["North + Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/connectedEnvironmentOperationStatuses","locations":["North + Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/billingMeters","locations":["Australia + East","East US 2","West Europe","Central US","East US","North Europe","South + Central US","UK South","West US 3"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/availableManagedEnvironmentsWorkloadProfileTypes","locations":["Australia + East","East US 2","West Europe","Central US","East US","North Europe","South + Central US","UK South","West US 3"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' + headers: + cache-control: + - no-cache + content-length: + - '7154' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:50:32 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp dapr enable + Connection: + - keep-alive + ParameterSetName: + - -g -n --dapr-app-id --dapr-app-port --dapr-app-protocol --dal --dhmrs --dhrbs + --dapr-log-level + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerapps/containerapp000003","name":"containerapp000003","type":"Microsoft.App/containerApps","location":"East + US","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:49:55.8061043","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:49:55.8061043"},"properties":{"provisioningState":"Succeeded","managedEnvironmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","environmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","workloadProfileType":null,"outboundIpAddresses":["20.62.146.136"],"latestRevisionName":"containerapp000003--qnkfovr","latestRevisionFqdn":"","customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5","configuration":{"secrets":null,"activeRevisionsMode":"Single","ingress":null,"registries":null,"dapr":null,"maxInactiveRevisions":null},"template":{"revisionSuffix":"","containers":[{"image":"mcr.microsoft.com/azuredocs/aks-helloworld:v1","name":"containerapp000003","resources":{"cpu":0.5,"memory":"1Gi","ephemeralStorage":"1Gi"}}],"initContainers":null,"scale":{"minReplicas":null,"maxReplicas":10,"rules":null},"volumes":null},"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/containerApps/containerapp000003/eventstream"},"identity":{"type":"None"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1747' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:50:33 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp dapr enable + Connection: + - keep-alive + Content-Length: + - '0' + ParameterSetName: + - -g -n --dapr-app-id --dapr-app-port --dapr-app-protocol --dal --dhmrs --dhrbs + --dapr-log-level + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003/listSecrets?api-version=2022-06-01-preview + response: + body: + string: '{"value":[]}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '12' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:50:34 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-writes: + - '1199' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: '{"id": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerapps/containerapp000003", + "name": "containerapp000003", "type": "Microsoft.App/containerApps", "location": + "East US", "systemData": {"createdBy": "foo.bar@microsoft.com", "createdByType": + "User", "createdAt": "2023-01-22T16:49:55.8061043", "lastModifiedBy": "foo.bar@microsoft.com", + "lastModifiedByType": "User", "lastModifiedAt": "2023-01-22T16:49:55.8061043"}, + "properties": {"provisioningState": "Succeeded", "managedEnvironmentId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002", + "environmentId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002", + "workloadProfileType": null, "outboundIpAddresses": ["20.62.146.136"], "latestRevisionName": + "containerapp000003--qnkfovr", "latestRevisionFqdn": "", "customDomainVerificationId": + "8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5", "configuration": + {"secrets": [], "activeRevisionsMode": "Single", "ingress": null, "registries": + null, "dapr": {"appId": "containerapp1", "appPort": 80, "appProtocol": "http", + "httpReadBufferSize": 60, "httpMaxRequestSize": 6, "logLevel": "warn", "enableApiLogging": + true, "enabled": true}, "maxInactiveRevisions": null}, "template": {"revisionSuffix": + "", "containers": [{"image": "mcr.microsoft.com/azuredocs/aks-helloworld:v1", + "name": "containerapp000003", "resources": {"cpu": 0.5, "memory": "1Gi", "ephemeralStorage": + "1Gi"}}], "initContainers": null, "scale": {"minReplicas": null, "maxReplicas": + 10, "rules": null}, "volumes": null}, "eventStreamEndpoint": "https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/containerApps/containerapp000003/eventstream"}, + "identity": {"type": "None"}}' + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp dapr enable + Connection: + - keep-alive + Content-Length: + - '2000' + Content-Type: + - application/json + ParameterSetName: + - -g -n --dapr-app-id --dapr-app-port --dapr-app-protocol --dal --dhmrs --dhrbs + --dapr-log-level + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerapps/containerapp000003","name":"containerapp000003","type":"Microsoft.App/containerApps","location":"East + US","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:49:55.8061043","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:50:36.1995151Z"},"properties":{"provisioningState":"InProgress","managedEnvironmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","environmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","workloadProfileType":null,"outboundIpAddresses":["20.62.146.136"],"latestRevisionName":"containerapp000003--qnkfovr","latestRevisionFqdn":"","customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5","configuration":{"secrets":null,"activeRevisionsMode":"Single","ingress":null,"registries":null,"dapr":{"enabled":true,"appId":"containerapp1","appProtocol":"http","appPort":80,"httpReadBufferSize":60,"httpMaxRequestSize":6,"logLevel":"warn","enableApiLogging":true},"maxInactiveRevisions":null},"template":{"revisionSuffix":"","containers":[{"image":"mcr.microsoft.com/azuredocs/aks-helloworld:v1","name":"containerapp000003","resources":{"cpu":0.5,"memory":"1Gi","ephemeralStorage":"1Gi"}}],"initContainers":null,"scale":{"minReplicas":null,"maxReplicas":10,"rules":null},"volumes":null},"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/containerApps/containerapp000003/eventstream"},"identity":{"type":"None"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App/locations/eastus/containerappOperationStatuses/bcc7772c-13fb-4b88-b09a-74b031b416be?api-version=2022-06-01-preview&azureAsyncOperation=true + cache-control: + - no-cache + content-length: + - '1908' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:50:38 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + x-ms-async-operation-timeout: + - PT15M + x-ms-ratelimit-remaining-subscription-resource-requests: + - '499' + x-powered-by: + - ASP.NET + status: + code: 201 + message: Created +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp dapr enable + Connection: + - keep-alive + ParameterSetName: + - -g -n --dapr-app-id --dapr-app-port --dapr-app-protocol --dal --dhmrs --dhrbs + --dapr-log-level + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerapps/containerapp000003","name":"containerapp000003","type":"Microsoft.App/containerApps","location":"East + US","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:49:55.8061043","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:50:36.1995151"},"properties":{"provisioningState":"InProgress","managedEnvironmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","environmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","workloadProfileType":null,"outboundIpAddresses":["20.62.146.136"],"latestRevisionName":"containerapp000003--qnkfovr","latestRevisionFqdn":"","customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5","configuration":{"secrets":null,"activeRevisionsMode":"Single","ingress":null,"registries":null,"dapr":{"enabled":true,"appId":"containerapp1","appProtocol":"http","appPort":80,"httpReadBufferSize":60,"httpMaxRequestSize":6,"logLevel":"warn","enableApiLogging":true},"maxInactiveRevisions":null},"template":{"revisionSuffix":"","containers":[{"image":"mcr.microsoft.com/azuredocs/aks-helloworld:v1","name":"containerapp000003","resources":{"cpu":0.5,"memory":"1Gi","ephemeralStorage":"1Gi"}}],"initContainers":null,"scale":{"minReplicas":null,"maxReplicas":10,"rules":null},"volumes":null},"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/containerApps/containerapp000003/eventstream"},"identity":{"type":"None"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1907' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:50:39 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp dapr enable + Connection: + - keep-alive + ParameterSetName: + - -g -n --dapr-app-id --dapr-app-port --dapr-app-protocol --dal --dhmrs --dhrbs + --dapr-log-level + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerapps/containerapp000003","name":"containerapp000003","type":"Microsoft.App/containerApps","location":"East + US","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:49:55.8061043","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:50:36.1995151"},"properties":{"provisioningState":"InProgress","managedEnvironmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","environmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","workloadProfileType":null,"outboundIpAddresses":["20.62.146.136"],"latestRevisionName":"containerapp000003--qnkfovr","latestRevisionFqdn":"","customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5","configuration":{"secrets":null,"activeRevisionsMode":"Single","ingress":null,"registries":null,"dapr":{"enabled":true,"appId":"containerapp1","appProtocol":"http","appPort":80,"httpReadBufferSize":60,"httpMaxRequestSize":6,"logLevel":"warn","enableApiLogging":true},"maxInactiveRevisions":null},"template":{"revisionSuffix":"","containers":[{"image":"mcr.microsoft.com/azuredocs/aks-helloworld:v1","name":"containerapp000003","resources":{"cpu":0.5,"memory":"1Gi","ephemeralStorage":"1Gi"}}],"initContainers":null,"scale":{"minReplicas":null,"maxReplicas":10,"rules":null},"volumes":null},"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/containerApps/containerapp000003/eventstream"},"identity":{"type":"None"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1907' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:50:42 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - containerapp dapr enable + Connection: + - keep-alive + ParameterSetName: + - -g -n --dapr-app-id --dapr-app-port --dapr-app-protocol --dal --dhmrs --dhrbs + --dapr-log-level + User-Agent: + - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerapps/containerapp000003","name":"containerapp000003","type":"Microsoft.App/containerApps","location":"East + US","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:49:55.8061043","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:50:36.1995151"},"properties":{"provisioningState":"Succeeded","managedEnvironmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","environmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","workloadProfileType":null,"outboundIpAddresses":["20.62.146.136"],"latestRevisionName":"containerapp000003--qnkfovr","latestRevisionFqdn":"","customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5","configuration":{"secrets":null,"activeRevisionsMode":"Single","ingress":null,"registries":null,"dapr":{"enabled":true,"appId":"containerapp1","appProtocol":"http","appPort":80,"httpReadBufferSize":60,"httpMaxRequestSize":6,"logLevel":"warn","enableApiLogging":true},"maxInactiveRevisions":null},"template":{"revisionSuffix":"","containers":[{"image":"mcr.microsoft.com/azuredocs/aks-helloworld:v1","name":"containerapp000003","resources":{"cpu":0.5,"memory":"1Gi","ephemeralStorage":"1Gi"}}],"initContainers":null,"scale":{"minReplicas":null,"maxReplicas":10,"rules":null},"volumes":null},"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/containerApps/containerapp000003/eventstream"},"identity":{"type":"None"}}' + headers: + api-supported-versions: + - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview + cache-control: + - no-cache + content-length: + - '1906' + content-type: + - application/json; charset=utf-8 + date: + - Sun, 22 Jan 2023 16:50:44 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +version: 1 diff --git a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_commands.py b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_commands.py index 142e9ac2681..ecc003decd6 100644 --- a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_commands.py +++ b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_commands.py @@ -11,6 +11,7 @@ from azure.cli.testsdk import (ScenarioTest, ResourceGroupPreparer, JMESPathCheck) from msrestazure.tools import parse_resource_id +from .common import TEST_LOCATION from .utils import create_containerapp_env TEST_DIR = os.path.abspath(os.path.join(os.path.abspath(__file__), '..')) @@ -19,10 +20,7 @@ class ContainerappIdentityTests(ScenarioTest): @AllowLargeResponse(8192) @ResourceGroupPreparer(location="eastus2") def test_containerapp_identity_e2e(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) env_name = self.create_random_name(prefix='containerapp-env', length=24) ca_name = self.create_random_name(prefix='containerapp', length=24) @@ -65,16 +63,13 @@ def test_containerapp_identity_e2e(self, resource_group): @AllowLargeResponse(8192) @ResourceGroupPreparer(location="canadacentral") def test_containerapp_identity_system(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) env_name = self.create_random_name(prefix='containerapp-env', length=24) ca_name = self.create_random_name(prefix='containerapp', length=24) logs_workspace_name = self.create_random_name(prefix='containerapp-env', length=24) - logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] + logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {} -l eastus'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] logs_workspace_key = self.cmd('monitor log-analytics workspace get-shared-keys -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["primarySharedKey"] self.cmd('containerapp env create -g {} -n {} --logs-workspace-id {} --logs-workspace-key {}'.format(resource_group, env_name, logs_workspace_id, logs_workspace_key)) @@ -106,10 +101,7 @@ def test_containerapp_identity_system(self, resource_group): @AllowLargeResponse(8192) @ResourceGroupPreparer(location="westeurope") def test_containerapp_identity_user(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) env_name = self.create_random_name(prefix='containerapp-env', length=24) ca_name = self.create_random_name(prefix='containerapp', length=24) @@ -161,10 +153,7 @@ class ContainerappIngressTests(ScenarioTest): @AllowLargeResponse(8192) @ResourceGroupPreparer(location="eastus2") def test_containerapp_ingress_e2e(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) env_name = self.create_random_name(prefix='containerapp-env', length=24) ca_name = self.create_random_name(prefix='containerapp', length=24) @@ -203,10 +192,7 @@ def test_containerapp_ingress_e2e(self, resource_group): @AllowLargeResponse(8192) @ResourceGroupPreparer(location="eastus2") def test_containerapp_ingress_traffic_e2e(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) env_name = self.create_random_name(prefix='containerapp-env', length=24) ca_name = self.create_random_name(prefix='containerapp', length=24) @@ -252,10 +238,7 @@ def test_containerapp_ingress_traffic_e2e(self, resource_group): @live_only() # encounters 'CannotOverwriteExistingCassetteException' only when run from recording (passes when run live) @ResourceGroupPreparer(location="westeurope") def test_containerapp_custom_domains_e2e(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) env_name = self.create_random_name(prefix='containerapp-env', length=24) ca_name = self.create_random_name(prefix='containerapp', length=24) @@ -375,10 +358,7 @@ def test_containerapp_custom_domains_e2e(self, resource_group): @ResourceGroupPreparer(location="northeurope") @live_only() # encounters 'CannotOverwriteExistingCassetteException' only when run from recording (passes when run live) and vnet command error in cli pipeline def test_containerapp_tcp_ingress(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) env_name = self.create_random_name(prefix='env', length=24) logs = self.create_random_name(prefix='logs', length=24) @@ -388,7 +368,7 @@ def test_containerapp_tcp_ingress(self, resource_group): self.cmd(f"az network vnet create --address-prefixes '14.0.0.0/23' -g {resource_group} -n {vnet}") sub_id = self.cmd(f"az network vnet subnet create --address-prefixes '14.0.0.0/23' -n sub -g {resource_group} --vnet-name {vnet}").get_output_in_json()["id"] - logs_id = self.cmd(f"monitor log-analytics workspace create -g {resource_group} -n {logs}").get_output_in_json()["customerId"] + logs_id = self.cmd(f"monitor log-analytics workspace create -g {resource_group} -n {logs} -l eastus").get_output_in_json()["customerId"] logs_key = self.cmd(f'monitor log-analytics workspace get-shared-keys -g {resource_group} -n {logs}').get_output_in_json()["primarySharedKey"] self.cmd(f'containerapp env create -g {resource_group} -n {env_name} --logs-workspace-id {logs_id} --logs-workspace-key {logs_key} --internal-only -s {sub_id}') @@ -434,10 +414,7 @@ def test_containerapp_tcp_ingress(self, resource_group): @AllowLargeResponse(8192) @ResourceGroupPreparer(location="northeurope") def test_containerapp_ip_restrictions(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) env_name = self.create_random_name(prefix='containerapp-env', length=24) ca_name = self.create_random_name(prefix='containerapp', length=24) @@ -508,10 +485,7 @@ def test_containerapp_ip_restrictions(self, resource_group): @AllowLargeResponse(8192) @ResourceGroupPreparer(location="northeurope") def test_containerapp_ip_restrictions_deny(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) env_name = self.create_random_name(prefix='containerapp-env', length=24) ca_name = self.create_random_name(prefix='containerapp', length=24) @@ -584,10 +558,7 @@ class ContainerappDaprTests(ScenarioTest): @AllowLargeResponse(8192) @ResourceGroupPreparer(location="eastus2") def test_containerapp_dapr_e2e(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) env_name = self.create_random_name(prefix='containerapp-env', length=24) ca_name = self.create_random_name(prefix='containerapp', length=24) @@ -649,16 +620,37 @@ def test_containerapp_dapr_e2e(self, resource_group): JMESPathCheck('properties.configuration.dapr.enableApiLogging', True), ]) + @AllowLargeResponse(8192) + @ResourceGroupPreparer(location="eastus2") + def test_containerapp_up_dapr_e2e(self, resource_group): + """ Ensure that dapr can be enabled if the app has been created using containerapp up """ + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + + image = 'mcr.microsoft.com/azuredocs/aks-helloworld:v1' + env_name = self.create_random_name(prefix='containerapp-env', length=24) + ca_name = self.create_random_name(prefix='containerapp', length=24) + + create_containerapp_env(self, env_name, resource_group) + + self.cmd( + 'containerapp up -g {} -n {} --environment {} --image {}'.format( + resource_group, ca_name, env_name, image)) + + self.cmd( + 'containerapp dapr enable -g {} -n {} --dapr-app-id containerapp1 --dapr-app-port 80 ' + '--dapr-app-protocol http --dal --dhmrs 6 --dhrbs 60 --dapr-log-level warn'.format( + resource_group, ca_name, env_name), checks=[ + JMESPathCheck('appId', "containerapp1"), + JMESPathCheck('enabled', True) + ]) + class ContainerappEnvStorageTests(ScenarioTest): @AllowLargeResponse(8192) @live_only() # Passes locally but fails in CI @ResourceGroupPreparer(location="eastus") def test_containerapp_env_storage(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) env_name = self.create_random_name(prefix='containerapp-env', length=24) storage_name = self.create_random_name(prefix='storage', length=24) @@ -694,10 +686,7 @@ class ContainerappRevisionTests(ScenarioTest): @AllowLargeResponse(8192) @ResourceGroupPreparer(location="northeurope") def test_containerapp_revision_label_e2e(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) env_name = self.create_random_name(prefix='containerapp-env', length=24) ca_name = self.create_random_name(prefix='containerapp', length=24) @@ -764,10 +753,7 @@ class ContainerappAnonymousRegistryTests(ScenarioTest): @AllowLargeResponse(8192) @ResourceGroupPreparer(location="northeurope") def test_containerapp_anonymous_registry(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) env = self.create_random_name(prefix='env', length=24) app = self.create_random_name(prefix='aca', length=24) @@ -785,10 +771,7 @@ class ContainerappRegistryIdentityTests(ScenarioTest): @ResourceGroupPreparer(location="westeurope") @live_only() # encounters 'CannotOverwriteExistingCassetteException' only when run from recording (passes when run live) def test_containerapp_registry_identity_user(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) env = self.create_random_name(prefix='env', length=24) app = self.create_random_name(prefix='aca', length=24) @@ -812,10 +795,7 @@ def test_containerapp_registry_identity_user(self, resource_group): @ResourceGroupPreparer(location="westeurope") @live_only() # encounters 'CannotOverwriteExistingCassetteException' only when run from recording (passes when run live) def test_containerapp_registry_identity_system(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) env = self.create_random_name(prefix='env', length=24) app = self.create_random_name(prefix='aca', length=24) @@ -837,10 +817,7 @@ class ContainerappScaleTests(ScenarioTest): @AllowLargeResponse(8192) @ResourceGroupPreparer(location="westeurope") def test_containerapp_scale_create(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) env = self.create_random_name(prefix='env', length=24) app = self.create_random_name(prefix='aca', length=24) @@ -875,10 +852,7 @@ def test_containerapp_scale_create(self, resource_group): @AllowLargeResponse(8192) @ResourceGroupPreparer(location="westeurope") def test_containerapp_scale_update(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) env = self.create_random_name(prefix='env', length=24) app = self.create_random_name(prefix='aca', length=24) @@ -913,10 +887,7 @@ def test_containerapp_scale_update(self, resource_group): @AllowLargeResponse(8192) @ResourceGroupPreparer(location="westeurope") def test_containerapp_scale_revision_copy(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) env = self.create_random_name(prefix='env', length=24) app = self.create_random_name(prefix='aca', length=24) diff --git a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_basic.py b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_basic.py index e432d485477..80367537b5c 100644 --- a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_basic.py +++ b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_basic.py @@ -7,10 +7,11 @@ from azure.cli.testsdk import (ResourceGroupPreparer) from azure.cli.testsdk.decorators import serial_test -from azext_containerapp.tests.latest.common import (ContainerappComposePreviewScenarioTest, # pylint: disable=unused-import - write_test_file, - clean_up_test_file, - TEST_DIR) +from azext_containerapp.tests.latest.common import ( + ContainerappComposePreviewScenarioTest, # pylint: disable=unused-import + write_test_file, + clean_up_test_file, + TEST_DIR, TEST_LOCATION) from .utils import create_containerapp_env @@ -20,10 +21,7 @@ class ContainerappComposeBaseScenarioTest(ContainerappComposePreviewScenarioTest @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_create_basic_no_existing_resources(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) compose_text = """ services: diff --git a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_command.py b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_command.py index b29ef266f3b..bf980892ed8 100644 --- a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_command.py +++ b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_command.py @@ -7,10 +7,11 @@ from azure.cli.testsdk import (ResourceGroupPreparer) from azure.cli.testsdk.decorators import serial_test -from azext_containerapp.tests.latest.common import (ContainerappComposePreviewScenarioTest, # pylint: disable=unused-import - write_test_file, - clean_up_test_file, - TEST_DIR) +from azext_containerapp.tests.latest.common import ( + ContainerappComposePreviewScenarioTest, # pylint: disable=unused-import + write_test_file, + clean_up_test_file, + TEST_DIR, TEST_LOCATION) from .utils import create_containerapp_env @@ -19,10 +20,7 @@ class ContainerappComposePreviewCommandScenarioTest(ContainerappComposePreviewSc @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_with_command_string(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) compose_text = """ services: @@ -57,10 +55,7 @@ def test_containerapp_compose_with_command_string(self, resource_group): @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_with_command_list(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) compose_text = """ services: @@ -93,10 +88,7 @@ def test_containerapp_compose_with_command_list(self, resource_group): @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_with_command_list_and_entrypoint(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) compose_text = """ services: diff --git a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_environment.py b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_environment.py index 19bb751add0..3fd47f799cc 100644 --- a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_environment.py +++ b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_environment.py @@ -7,10 +7,11 @@ from azure.cli.testsdk import (ResourceGroupPreparer) from azure.cli.testsdk.decorators import serial_test -from azext_containerapp.tests.latest.common import (ContainerappComposePreviewScenarioTest, # pylint: disable=unused-import - write_test_file, - clean_up_test_file, - TEST_DIR) +from azext_containerapp.tests.latest.common import ( + ContainerappComposePreviewScenarioTest, # pylint: disable=unused-import + write_test_file, + clean_up_test_file, + TEST_DIR, TEST_LOCATION) from .utils import create_containerapp_env @@ -19,10 +20,7 @@ class ContainerappComposePreviewEnvironmentSettingsScenarioTest(ContainerappComp @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_create_with_environment(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) compose_text = """ services: @@ -65,10 +63,7 @@ class ContainerappComposePreviewEnvironmentSettingsExpectedExceptionScenarioTest @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_create_with_environment_prompt(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) compose_text = """ services: diff --git a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_ingress.py b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_ingress.py index 55a43fec202..e1b21ba6e46 100644 --- a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_ingress.py +++ b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_ingress.py @@ -7,10 +7,11 @@ from azure.cli.testsdk import (ResourceGroupPreparer) from azure.cli.testsdk.decorators import serial_test -from azext_containerapp.tests.latest.common import (ContainerappComposePreviewScenarioTest, # pylint: disable=unused-import - write_test_file, - clean_up_test_file, - TEST_DIR) +from azext_containerapp.tests.latest.common import ( + ContainerappComposePreviewScenarioTest, # pylint: disable=unused-import + write_test_file, + clean_up_test_file, + TEST_DIR, TEST_LOCATION) from .utils import create_containerapp_env @@ -18,10 +19,7 @@ class ContainerappComposePreviewIngressScenarioTest(ContainerappComposePreviewSc @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_create_with_ingress_external(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) compose_text = """ services: @@ -91,10 +89,7 @@ class ContainerappComposePreviewIngressBothScenarioTest(ContainerappComposePrevi @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_create_with_ingress_both(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) compose_text = """ services: @@ -131,10 +126,7 @@ class ContainerappComposePreviewIngressPromptScenarioTest(ContainerappComposePre @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_create_with_ingress_prompt(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) compose_text = """ services: diff --git a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_registries.py b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_registries.py index f3e50173d66..f3be65bc257 100644 --- a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_registries.py +++ b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_registries.py @@ -7,10 +7,11 @@ from azure.cli.testsdk import (ResourceGroupPreparer) from azure.cli.testsdk.decorators import serial_test -from azext_containerapp.tests.latest.common import (ContainerappComposePreviewScenarioTest, # pylint: disable=unused-import - write_test_file, - clean_up_test_file, - TEST_DIR) +from azext_containerapp.tests.latest.common import ( + ContainerappComposePreviewScenarioTest, # pylint: disable=unused-import + write_test_file, + clean_up_test_file, + TEST_DIR, TEST_LOCATION) from .utils import create_containerapp_env @@ -18,10 +19,7 @@ class ContainerappComposePreviewRegistryAllArgsScenarioTest(ContainerappComposeP @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_create_with_registry_all_args(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) compose_text = """ services: @@ -64,10 +62,7 @@ class ContainerappComposePreviewRegistryServerArgOnlyScenarioTest(ContainerappCo @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_create_with_registry_server_arg_only(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) compose_text = """ services: diff --git a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_resources.py b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_resources.py index 8d8ba589ca1..116aa4c05d5 100644 --- a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_resources.py +++ b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_resources.py @@ -7,10 +7,11 @@ from azure.cli.testsdk import (ResourceGroupPreparer) from azure.cli.testsdk.decorators import serial_test -from azext_containerapp.tests.latest.common import (ContainerappComposePreviewScenarioTest, # pylint: disable=unused-import - write_test_file, - clean_up_test_file, - TEST_DIR) +from azext_containerapp.tests.latest.common import ( + ContainerappComposePreviewScenarioTest, # pylint: disable=unused-import + write_test_file, + clean_up_test_file, + TEST_DIR, TEST_LOCATION) from .utils import create_containerapp_env @@ -19,10 +20,7 @@ class ContainerappComposePreviewResourceSettingsScenarioTest(ContainerappCompose @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_create_with_resources_from_service_cpus(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) compose_text = """ services: @@ -56,10 +54,7 @@ def test_containerapp_compose_create_with_resources_from_service_cpus(self, reso @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_create_with_resources_from_deploy_cpu(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) compose_text = """ services: @@ -96,10 +91,7 @@ def test_containerapp_compose_create_with_resources_from_deploy_cpu(self, resour @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_create_with_resources_from_both_cpus_and_deploy_cpu(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) compose_text = """ services: diff --git a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_scale.py b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_scale.py index 4505d797997..e17ae7cedda 100644 --- a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_scale.py +++ b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_scale.py @@ -7,10 +7,11 @@ from azure.cli.testsdk import (ResourceGroupPreparer) from azure.cli.testsdk.decorators import serial_test -from azext_containerapp.tests.latest.common import (ContainerappComposePreviewScenarioTest, # pylint: disable=unused-import - write_test_file, - clean_up_test_file, - TEST_DIR) +from azext_containerapp.tests.latest.common import ( + ContainerappComposePreviewScenarioTest, # pylint: disable=unused-import + write_test_file, + clean_up_test_file, + TEST_DIR, TEST_LOCATION) from .utils import create_containerapp_env @@ -19,10 +20,7 @@ class ContainerappComposePreviewReplicasScenarioTest(ContainerappComposePreviewS @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_create_with_replicas_global_scale(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) compose_text = """ services: @@ -60,10 +58,7 @@ def test_containerapp_compose_create_with_replicas_global_scale(self, resource_g @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_create_with_replicas_replicated_mode(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) compose_text = """ services: diff --git a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_secrets.py b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_secrets.py index 3a955ae7783..a09f20ca34b 100644 --- a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_secrets.py +++ b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_secrets.py @@ -7,10 +7,11 @@ from azure.cli.testsdk import (ResourceGroupPreparer) from azure.cli.testsdk.decorators import serial_test -from azext_containerapp.tests.latest.common import (ContainerappComposePreviewScenarioTest, # pylint: disable=unused-import - write_test_file, - clean_up_test_file, - TEST_DIR) +from azext_containerapp.tests.latest.common import ( + ContainerappComposePreviewScenarioTest, # pylint: disable=unused-import + write_test_file, + clean_up_test_file, + TEST_DIR, TEST_LOCATION) from .utils import create_containerapp_env @@ -19,10 +20,7 @@ class ContainerappComposePreviewSecretsScenarioTest(ContainerappComposePreviewSc @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_create_with_secrets(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) compose_text = """ services: @@ -73,10 +71,7 @@ def test_containerapp_compose_create_with_secrets(self, resource_group): @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_create_with_secrets_and_existing_environment(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) compose_text = """ services: @@ -131,6 +126,8 @@ def test_containerapp_compose_create_with_secrets_and_existing_environment(self, @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_create_with_secrets_and_existing_environment_conflict(self, resource_group): + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + compose_text = """ services: foo: diff --git a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_transport_overrides.py b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_transport_overrides.py index e0c1f9cec90..3c6ff93432a 100644 --- a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_transport_overrides.py +++ b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_transport_overrides.py @@ -7,10 +7,11 @@ from azure.cli.testsdk import (ResourceGroupPreparer) from azure.cli.testsdk.decorators import serial_test -from azext_containerapp.tests.latest.common import (ContainerappComposePreviewScenarioTest, # pylint: disable=unused-import - write_test_file, - clean_up_test_file, - TEST_DIR) +from azext_containerapp.tests.latest.common import ( + ContainerappComposePreviewScenarioTest, # pylint: disable=unused-import + write_test_file, + clean_up_test_file, + TEST_DIR, TEST_LOCATION) from .utils import create_containerapp_env @@ -18,10 +19,7 @@ class ContainerappComposePreviewTransportOverridesScenarioTest(ContainerappCompo @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_create_with_transport_arg(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) compose_text = """ services: @@ -57,10 +55,7 @@ def test_containerapp_compose_create_with_transport_arg(self, resource_group): @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_create_with_transport_mapping_arg(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) compose_text = """ services: diff --git a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_env_commands.py b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_env_commands.py index c53fd5381b7..ff668cab909 100644 --- a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_env_commands.py +++ b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_env_commands.py @@ -10,6 +10,8 @@ from azure.cli.testsdk.scenario_tests import AllowLargeResponse from azure.cli.testsdk import (ScenarioTest, ResourceGroupPreparer, JMESPathCheck, live_only, StorageAccountPreparer) +from .common import TEST_LOCATION + TEST_DIR = os.path.abspath(os.path.join(os.path.abspath(__file__), '..')) from .utils import create_containerapp_env @@ -18,15 +20,12 @@ class ContainerappEnvScenarioTest(ScenarioTest): @AllowLargeResponse(8192) @ResourceGroupPreparer(location="northeurope") def test_containerapp_env_e2e(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) env_name = self.create_random_name(prefix='containerapp-e2e-env', length=24) logs_workspace_name = self.create_random_name(prefix='containerapp-env', length=24) - logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] + logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {} -l eastus'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] logs_workspace_key = self.cmd('monitor log-analytics workspace get-shared-keys -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["primarySharedKey"] self.cmd('containerapp env create -g {} -n {} --logs-workspace-id {} --logs-workspace-key {}'.format(resource_group, env_name, logs_workspace_id, logs_workspace_key)) @@ -55,15 +54,12 @@ def test_containerapp_env_e2e(self, resource_group): @AllowLargeResponse(8192) @ResourceGroupPreparer(location="australiaeast") def test_containerapp_env_logs_e2e(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) env_name = self.create_random_name(prefix='containerapp-env', length=24) logs_workspace_name = self.create_random_name(prefix='containerapp-env', length=24) - logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] + logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {} -l eastus'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] logs_workspace_key = self.cmd('monitor log-analytics workspace get-shared-keys -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["primarySharedKey"] self.cmd('containerapp env create -g {} -n {} --logs-workspace-id {} --logs-workspace-key {} --logs-destination log-analytics'.format(resource_group, env_name, logs_workspace_id, logs_workspace_key)) @@ -132,16 +128,13 @@ def test_containerapp_env_logs_e2e(self, resource_group): @ResourceGroupPreparer(location="northeurope") @live_only() # encounters 'CannotOverwriteExistingCassetteException' only when run from recording (passes when run live) def test_containerapp_env_dapr_components(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) env_name = self.create_random_name(prefix='containerapp-e2e-env', length=24) dapr_comp_name = self.create_random_name(prefix='dapr-component', length=24) logs_workspace_name = self.create_random_name(prefix='containerapp-env', length=24) - logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] + logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {} -l eastus'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] logs_workspace_key = self.cmd('monitor log-analytics workspace get-shared-keys -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["primarySharedKey"] self.cmd('containerapp env create -g {} -n {} --logs-workspace-id {} --logs-workspace-key {}'.format(resource_group, env_name, logs_workspace_id, logs_workspace_key)) @@ -202,15 +195,13 @@ def test_containerapp_env_dapr_components(self, resource_group): @live_only() # encounters 'CannotOverwriteExistingCassetteException' only when run from recording (passes when run live) @ResourceGroupPreparer(location="northeurope") def test_containerapp_env_certificate_e2e(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + location = 'northcentralusstage' + self.cmd('configure --defaults location=northcentralusstage'.format(location)) env_name = self.create_random_name(prefix='containerapp-e2e-env', length=24) logs_workspace_name = self.create_random_name(prefix='containerapp-env', length=24) - logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] + logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {} -l eastus'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] logs_workspace_key = self.cmd('monitor log-analytics workspace get-shared-keys -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["primarySharedKey"] self.cmd('containerapp env create -g {} -n {} --logs-workspace-id {} --logs-workspace-key {}'.format(resource_group, env_name, logs_workspace_id, logs_workspace_key)) @@ -271,9 +262,62 @@ def test_containerapp_env_certificate_e2e(self, resource_group): JMESPathCheck('[0].id', cert_id), JMESPathCheck('[0].properties.thumbprint', cert_thumbprint), ]) + + # create a container app + ca_name = self.create_random_name(prefix='containerapp', length=24) + app = self.cmd('containerapp create -g {} -n {} --environment {} --ingress external --target-port 80'.format(resource_group, ca_name, env_name)).get_output_in_json() + + # create an App service domain and update its DNS records + contacts = os.path.join(TEST_DIR, 'domain-contact.json') + zone_name = "{}.com".format(ca_name) + subdomain_1 = "devtest" + txt_name_1 = "asuid.{}".format(subdomain_1) + hostname_1 = "{}.{}".format(subdomain_1, zone_name) + verification_id = app["properties"]["customDomainVerificationId"] + fqdn = app["properties"]["configuration"]["ingress"]["fqdn"] + self.cmd("appservice domain create -g {} --hostname {} --contact-info=@'{}' --accept-terms".format(resource_group, zone_name, contacts)).get_output_in_json() + self.cmd('network dns record-set txt add-record -g {} -z {} -n {} -v {}'.format(resource_group, zone_name, txt_name_1, verification_id)).get_output_in_json() + self.cmd('network dns record-set cname create -g {} -z {} -n {}'.format(resource_group, zone_name, subdomain_1)).get_output_in_json() + self.cmd('network dns record-set cname set-record -g {} -z {} -n {} -c {}'.format(resource_group, zone_name, subdomain_1, fqdn)).get_output_in_json() + + # add hostname without binding + self.cmd('containerapp hostname add -g {} -n {} --hostname {}'.format(resource_group, ca_name, hostname_1), checks={ + JMESPathCheck('length(@)', 1), + JMESPathCheck('[0].name', hostname_1), + JMESPathCheck('[0].bindingType', "Disabled"), + }) + self.cmd('containerapp hostname add -g {} -n {} --hostname {}'.format(resource_group, ca_name, hostname_1), expect_failure=True) + + # create a managed certificate + self.cmd('containerapp env certificate create -n {} -g {} --hostname {} -v CNAME -c {}'.format(env_name, resource_group, hostname_1, cert_name), checks=[ + JMESPathCheck('type', "Microsoft.App/managedEnvironments/managedCertificates"), + JMESPathCheck('name', cert_name), + JMESPathCheck('properties.subjectName', hostname_1), + ]).get_output_in_json() + + self.cmd('containerapp env certificate create -n {} -g {} --hostname {} -v CNAME'.format(env_name, resource_group, hostname_1), expect_failure=True) + self.cmd('containerapp env certificate list -g {} -n {} -m'.format(resource_group, env_name), checks=[ + JMESPathCheck('length(@)', 1), + ]) + self.cmd('containerapp env certificate list -g {} -n {} -c {}'.format(resource_group, env_name, cert_name), checks=[ + JMESPathCheck('length(@)', 2), + ]) + self.cmd('containerapp env certificate delete -n {} -g {} --certificate {} --yes'.format(env_name, resource_group, cert_name), expect_failure=True) self.cmd('containerapp env certificate delete -n {} -g {} --thumbprint {} --yes'.format(env_name, resource_group, cert_thumbprint)) + self.cmd('containerapp env certificate delete -n {} -g {} --certificate {} --yes'.format(env_name, resource_group, cert_name)) + self.cmd('containerapp env certificate list -g {} -n {}'.format(resource_group, env_name), checks=[ + JMESPathCheck('length(@)', 0), + ]) + + self.cmd('containerapp hostname bind -g {} -n {} --hostname {} --environment {} -v CNAME'.format(resource_group, ca_name, hostname_1, env_name)) + certs = self.cmd('containerapp env certificate list -g {} -n {}'.format(resource_group, env_name), checks=[ + JMESPathCheck('length(@)', 1), + ]).get_output_in_json() + self.cmd('containerapp env certificate delete -n {} -g {} --certificate {} --yes'.format(env_name, resource_group, certs[0]["name"]), expect_failure=True) + self.cmd('containerapp hostname delete -g {} -n {} --hostname {} --yes'.format(resource_group, ca_name, hostname_1)) + self.cmd('containerapp env certificate delete -n {} -g {} --certificate {} --yes'.format(env_name, resource_group, certs[0]["name"])) self.cmd('containerapp env certificate list -g {} -n {}'.format(resource_group, env_name), checks=[ JMESPathCheck('length(@)', 0), ]) @@ -283,15 +327,12 @@ def test_containerapp_env_certificate_e2e(self, resource_group): @live_only() # encounters 'CannotOverwriteExistingCassetteException' only when run from recording (passes when run live) @ResourceGroupPreparer(location="westeurope") def test_containerapp_env_custom_domains(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) env_name = self.create_random_name(prefix='containerapp-env', length=24) logs_workspace_name = self.create_random_name(prefix='containerapp-env', length=24) - logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] + logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {} -l eastus'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] logs_workspace_key = self.cmd('monitor log-analytics workspace get-shared-keys -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["primarySharedKey"] self.cmd('containerapp env create -g {} -n {} --logs-workspace-id {} --logs-workspace-key {}'.format(resource_group, env_name, logs_workspace_id, logs_workspace_key)) @@ -332,15 +373,12 @@ def test_containerapp_env_custom_domains(self, resource_group): @live_only() # encounters 'CannotOverwriteExistingCassetteException' only when run from recording (passes when run live) @ResourceGroupPreparer(location="westeurope") def test_containerapp_env_update_custom_domains(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) env_name = self.create_random_name(prefix='containerapp-env', length=24) logs_workspace_name = self.create_random_name(prefix='containerapp-env', length=24) - logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] + logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {} -l eastus'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] logs_workspace_key = self.cmd('monitor log-analytics workspace get-shared-keys -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["primarySharedKey"] self.cmd('containerapp env create -g {} -n {} --logs-workspace-id {} --logs-workspace-key {}'.format(resource_group, env_name, logs_workspace_id, logs_workspace_key)) @@ -381,10 +419,7 @@ def test_containerapp_env_update_custom_domains(self, resource_group): @ResourceGroupPreparer(location="northeurope") @live_only() # passes live but hits CannotOverwriteExistingCassetteException when run from recording def test_containerapp_env_internal_only_e2e(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) env = self.create_random_name(prefix='env', length=24) logs = self.create_random_name(prefix='logs', length=24) @@ -393,7 +428,7 @@ def test_containerapp_env_internal_only_e2e(self, resource_group): self.cmd(f"az network vnet create --address-prefixes '14.0.0.0/23' -g {resource_group} -n {vnet}") sub_id = self.cmd(f"az network vnet subnet create --address-prefixes '14.0.0.0/23' -n sub -g {resource_group} --vnet-name {vnet}").get_output_in_json()["id"] - logs_id = self.cmd(f"monitor log-analytics workspace create -g {resource_group} -n {logs}").get_output_in_json()["customerId"] + logs_id = self.cmd(f"monitor log-analytics workspace create -g {resource_group} -n {logs} -l eastus").get_output_in_json()["customerId"] logs_key = self.cmd(f'monitor log-analytics workspace get-shared-keys -g {resource_group} -n {logs}').get_output_in_json()["primarySharedKey"] self.cmd(f'containerapp env create -g {resource_group} -n {env} --logs-workspace-id {logs_id} --logs-workspace-key {logs_key} --internal-only -s {sub_id}') diff --git a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_scenario.py b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_scenario.py index 5fa29c4f03d..8036f3cbb86 100644 --- a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_scenario.py +++ b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_scenario.py @@ -15,6 +15,7 @@ from azure.cli.testsdk import (ScenarioTest, ResourceGroupPreparer, JMESPathCheck, live_only) from knack.util import CLIError +from azext_containerapp.tests.latest.common import TEST_LOCATION TEST_DIR = os.path.abspath(os.path.join(os.path.abspath(__file__), '..')) @@ -23,15 +24,12 @@ class ContainerappScenarioTest(ScenarioTest): @AllowLargeResponse(8192) @ResourceGroupPreparer(location="eastus2") def test_containerapp_e2e(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) env_name = self.create_random_name(prefix='containerapp-e2e-env', length=24) logs_workspace_name = self.create_random_name(prefix='containerapp-env', length=24) - logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] + logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {} -l eastus'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] logs_workspace_key = self.cmd('monitor log-analytics workspace get-shared-keys -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["primarySharedKey"] self.cmd('containerapp env create -g {} -n {} --logs-workspace-id {} --logs-workspace-key {}'.format(resource_group, env_name, logs_workspace_id, logs_workspace_key)) @@ -94,15 +92,12 @@ def test_containerapp_e2e(self, resource_group): @AllowLargeResponse(8192) @ResourceGroupPreparer(location="eastus2") def test_container_acr(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) env_name = self.create_random_name(prefix='containerapp-e2e-env', length=24) logs_workspace_name = self.create_random_name(prefix='containerapp-env', length=24) - logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] + logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {} -l eastus'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] logs_workspace_key = self.cmd('monitor log-analytics workspace get-shared-keys -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["primarySharedKey"] self.cmd('containerapp env create -g {} -n {} --logs-workspace-id {} --logs-workspace-key {}'.format(resource_group, env_name, logs_workspace_id, logs_workspace_key)) @@ -141,15 +136,12 @@ def test_container_acr(self, resource_group): @AllowLargeResponse(8192) @ResourceGroupPreparer(location="westeurope") def test_containerapp_update(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) env_name = self.create_random_name(prefix='containerapp-e2e-env', length=24) logs_workspace_name = self.create_random_name(prefix='containerapp-env', length=24) - logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] + logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {} -l eastus'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] logs_workspace_key = self.cmd('monitor log-analytics workspace get-shared-keys -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["primarySharedKey"] self.cmd('containerapp env create -g {} -n {} --logs-workspace-id {} --logs-workspace-key {}'.format(resource_group, env_name, logs_workspace_id, logs_workspace_key)) @@ -214,15 +206,12 @@ def test_containerapp_update(self, resource_group): @AllowLargeResponse(8192) @ResourceGroupPreparer(location="eastus2") def test_container_acr(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) env_name = self.create_random_name(prefix='containerapp-e2e-env', length=24) logs_workspace_name = self.create_random_name(prefix='containerapp-env', length=24) - logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] + logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {} -l eastus'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] logs_workspace_key = self.cmd('monitor log-analytics workspace get-shared-keys -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["primarySharedKey"] self.cmd('containerapp env create -g {} -n {} --logs-workspace-id {} --logs-workspace-key {}'.format(resource_group, env_name, logs_workspace_id, logs_workspace_key)) @@ -285,15 +274,12 @@ def test_container_acr(self, resource_group): @AllowLargeResponse(8192) @ResourceGroupPreparer(location="northeurope") def test_containerapp_update_containers(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) env_name = self.create_random_name(prefix='containerapp-e2e-env', length=24) logs_workspace_name = self.create_random_name(prefix='containerapp-env', length=24) - logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] + logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {} -l eastus'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] logs_workspace_key = self.cmd('monitor log-analytics workspace get-shared-keys -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["primarySharedKey"] self.cmd('containerapp env create -g {} -n {} --logs-workspace-id {} --logs-workspace-key {}'.format(resource_group, env_name, logs_workspace_id, logs_workspace_key)) @@ -365,10 +351,7 @@ def test_containerapp_update_containers(self, resource_group): @mock.patch("azext_containerapp._ssh_utils._resize_terminal") @mock.patch("sys.stdin") def test_containerapp_ssh(self, resource_group=None, *args): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) # containerapp_name = self.create_random_name(prefix='capp', length=24) # env_name = self.create_random_name(prefix='env', length=24) @@ -433,7 +416,7 @@ def test_containerapp_logstream(self, resource_group): env_name = self.create_random_name(prefix='env', length=24) logs_workspace_name = self.create_random_name(prefix='containerapp-env', length=24) - logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] + logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {} -l eastus'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] logs_workspace_key = self.cmd('monitor log-analytics workspace get-shared-keys -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["primarySharedKey"] self.cmd('containerapp env create -g {} -n {} --logs-workspace-id {} --logs-workspace-key {}'.format(resource_group, env_name, logs_workspace_id, logs_workspace_key)) @@ -449,16 +432,13 @@ def test_containerapp_logstream(self, resource_group): @ResourceGroupPreparer(location="northeurope") def test_containerapp_eventstream(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) containerapp_name = self.create_random_name(prefix='capp', length=24) env_name = self.create_random_name(prefix='env', length=24) logs_workspace_name = self.create_random_name(prefix='containerapp-env', length=24) - logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] + logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {} -l eastus'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] logs_workspace_key = self.cmd('monitor log-analytics workspace get-shared-keys -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["primarySharedKey"] self.cmd('containerapp env create -g {} -n {} --logs-workspace-id {} --logs-workspace-key {}'.format(resource_group, env_name, logs_workspace_id, logs_workspace_key)) @@ -475,17 +455,14 @@ def test_containerapp_eventstream(self, resource_group): @ResourceGroupPreparer(location="northeurope") def test_containerapp_registry_msi(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) env = self.create_random_name(prefix='env', length=24) logs = self.create_random_name(prefix='logs', length=24) app = self.create_random_name(prefix='app', length=24) acr = self.create_random_name(prefix='acr', length=24) - logs_id = self.cmd(f"monitor log-analytics workspace create -g {resource_group} -n {logs}").get_output_in_json()["customerId"] + logs_id = self.cmd(f"monitor log-analytics workspace create -g {resource_group} -n {logs} -l eastus").get_output_in_json()["customerId"] logs_key = self.cmd(f'monitor log-analytics workspace get-shared-keys -g {resource_group} -n {logs}').get_output_in_json()["primarySharedKey"] self.cmd(f'containerapp env create -g {resource_group} -n {env} --logs-workspace-id {logs_id} --logs-workspace-key {logs_key}') diff --git a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_up.py b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_up.py index 305372fa7f9..fc5d393bc5a 100644 --- a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_up.py +++ b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_up.py @@ -13,6 +13,7 @@ from azure.cli.testsdk import (ScenarioTest, ResourceGroupPreparer, JMESPathCheck, live_only) from knack.util import CLIError +from azext_containerapp.tests.latest.common import TEST_LOCATION TEST_DIR = os.path.abspath(os.path.join(os.path.abspath(__file__), '..')) @@ -21,10 +22,7 @@ class ContainerAppUpImageTest(ScenarioTest): @ResourceGroupPreparer(location="eastus2") def test_containerapp_up_image_e2e(self, resource_group): - location = os.getenv("CLITestLocation") - if not location: - location = 'eastus' - self.cmd('configure --defaults location={}'.format(location)) + self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) env_name = self.create_random_name(prefix='env', length=24) self.cmd(f'containerapp env create -g {resource_group} -n {env_name}') diff --git a/src/containerapp/azext_containerapp/tests/latest/utils.py b/src/containerapp/azext_containerapp/tests/latest/utils.py index 606ad727ee6..3734d10b722 100644 --- a/src/containerapp/azext_containerapp/tests/latest/utils.py +++ b/src/containerapp/azext_containerapp/tests/latest/utils.py @@ -8,7 +8,7 @@ def create_containerapp_env(test_cls, env_name, resource_group, location=None): logs_workspace_name = test_cls.create_random_name(prefix='containerapp-env', length=24) - logs_workspace_id = test_cls.cmd('monitor log-analytics workspace create -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] + logs_workspace_id = test_cls.cmd('monitor log-analytics workspace create -g {} -n {} -l eastus'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] logs_workspace_key = test_cls.cmd('monitor log-analytics workspace get-shared-keys -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["primarySharedKey"] if location: diff --git a/src/containerapp/setup.py b/src/containerapp/setup.py index 9f25d5e6bd4..96a31426d53 100644 --- a/src/containerapp/setup.py +++ b/src/containerapp/setup.py @@ -17,7 +17,7 @@ # TODO: Confirm this is the right version number you want and it matches your # HISTORY.rst entry. -VERSION = '0.3.20' +VERSION = '0.3.22' # The full list of classifiers is available at # https://pypi.python.org/pypi?%3Aaction=list_classifiers diff --git a/src/dataprotection/HISTORY.rst b/src/dataprotection/HISTORY.rst index deb30b7307f..e26636676fe 100644 --- a/src/dataprotection/HISTORY.rst +++ b/src/dataprotection/HISTORY.rst @@ -2,6 +2,11 @@ Release History =============== +0.7.0 +++++++ +* `az dataprotection backup-vault create`: Add support for optional `--immutability-state`, `--soft-delete-state`, `--soft-delete-retention` parameters, corresponding to new Immutable Vault and Enhanced Soft Delete features +* `az dataprotection backup-vault update`: Add support for optional `--soft-delete-state`, `--soft-delete-retention` parameters. + 0.6.0 ++++++ * `az dataprotection backup-instance initialize`: Add optional `--tags` parameter diff --git a/src/dataprotection/azext_dataprotection/__init__.py b/src/dataprotection/azext_dataprotection/__init__.py index 2241f9ebf11..c6733fb6aef 100644 --- a/src/dataprotection/azext_dataprotection/__init__.py +++ b/src/dataprotection/azext_dataprotection/__init__.py @@ -32,6 +32,17 @@ def __init__(self, cli_ctx=None): def load_command_table(self, args): from azext_dataprotection.generated.commands import load_command_table + from azure.cli.core.aaz import load_aaz_command_table + try: + from . import aaz + except ImportError: + aaz = None + if aaz: + load_aaz_command_table( + loader=self, + aaz_pkg_name=aaz.__name__, + args=args + ) load_command_table(self, args) try: from azext_dataprotection.manual.commands import load_command_table as load_command_table_manual diff --git a/src/dataprotection/azext_dataprotection/aaz/__init__.py b/src/dataprotection/azext_dataprotection/aaz/__init__.py new file mode 100644 index 00000000000..5757aea3175 --- /dev/null +++ b/src/dataprotection/azext_dataprotection/aaz/__init__.py @@ -0,0 +1,6 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- diff --git a/src/dataprotection/azext_dataprotection/aaz/latest/__init__.py b/src/dataprotection/azext_dataprotection/aaz/latest/__init__.py new file mode 100644 index 00000000000..5757aea3175 --- /dev/null +++ b/src/dataprotection/azext_dataprotection/aaz/latest/__init__.py @@ -0,0 +1,6 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- diff --git a/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/__cmd_group.py b/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/__cmd_group.py new file mode 100644 index 00000000000..72a18d9b2ca --- /dev/null +++ b/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/__cmd_group.py @@ -0,0 +1,24 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- + +# pylint: skip-file +# flake8: noqa + +from azure.cli.core.aaz import * + + +@register_command_group( + "dataprotection", + is_experimental=True, +) +class __CMDGroup(AAZCommandGroup): + """Manage Data Protection. + """ + pass + + +__all__ = ["__CMDGroup"] diff --git a/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/__init__.py b/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/__init__.py new file mode 100644 index 00000000000..5a9d61963d6 --- /dev/null +++ b/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/__init__.py @@ -0,0 +1,11 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- + +# pylint: skip-file +# flake8: noqa + +from .__cmd_group import * diff --git a/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/__cmd_group.py b/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/__cmd_group.py new file mode 100644 index 00000000000..471ac0d999a --- /dev/null +++ b/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/__cmd_group.py @@ -0,0 +1,24 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- + +# pylint: skip-file +# flake8: noqa + +from azure.cli.core.aaz import * + + +@register_command_group( + "dataprotection backup-vault", + is_experimental=True, +) +class __CMDGroup(AAZCommandGroup): + """Manage backup vault with dataprotection. + """ + pass + + +__all__ = ["__CMDGroup"] diff --git a/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/__init__.py b/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/__init__.py new file mode 100644 index 00000000000..db73033039b --- /dev/null +++ b/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/__init__.py @@ -0,0 +1,17 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- + +# pylint: skip-file +# flake8: noqa + +from .__cmd_group import * +from ._create import * +from ._delete import * +from ._list import * +from ._show import * +from ._update import * +from ._wait import * diff --git a/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_create.py b/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_create.py new file mode 100644 index 00000000000..04d745ec8ad --- /dev/null +++ b/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_create.py @@ -0,0 +1,491 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- + +# pylint: skip-file +# flake8: noqa + +from azure.cli.core.aaz import * + + +@register_command( + "dataprotection backup-vault create", + is_experimental=True, +) +class Create(AAZCommand): + """Create a BackupVault resource belonging to a resource group. + + :example: Create BackupVault + az dataprotection backup-vault create --type "None" --location "WestUS" --azure-monitor-alerts-for-job-failures "Enabled" --storage-setting "[{type:'LocallyRedundant',datastore-type:'VaultStore'}]" --tags key1="val1" --resource-group "SampleResourceGroup" --vault-name "swaggerExample" + + :example: Create BackupVault With MSI + az dataprotection backup-vault create --type "systemAssigned" --location "WestUS" --azure-monitor-alerts-for-job-failures "Enabled" --storage-setting "[{type:'LocallyRedundant',datastore-type:'VaultStore'}]" --tags key1="val1" --resource-group "SampleResourceGroup" --vault-name "swaggerExample" + """ + + _aaz_info = { + "version": "2022-12-01", + "resources": [ + ["mgmt-plane", "/subscriptions/{}/resourcegroups/{}/providers/microsoft.dataprotection/backupvaults/{}", "2022-12-01"], + ] + } + + AZ_SUPPORT_NO_WAIT = True + + def _handler(self, command_args): + super()._handler(command_args) + return self.build_lro_poller(self._execute_operations, self._output) + + _args_schema = None + + @classmethod + def _build_arguments_schema(cls, *args, **kwargs): + if cls._args_schema is not None: + return cls._args_schema + cls._args_schema = super()._build_arguments_schema(*args, **kwargs) + + # define Arg Group "" + + _args_schema = cls._args_schema + _args_schema.resource_group = AAZResourceGroupNameArg( + required=True, + ) + _args_schema.vault_name = AAZStrArg( + options=["--vault-name"], + help="The name of the backup vault.", + required=True, + ) + + # define Arg Group "Identity" + + _args_schema = cls._args_schema + _args_schema.type = AAZStrArg( + options=["--type"], + arg_group="Identity", + help="The identityType which can be either SystemAssigned or None", + ) + + # define Arg Group "Monitoring Settings Azure Monitor Alert Settings" + + _args_schema = cls._args_schema + _args_schema.azure_monitor_alerts_for_job_failures = AAZStrArg( + options=["--job-failure-alerts", "--azure-monitor-alerts-for-job-failures"], + arg_group="Monitoring Settings Azure Monitor Alert Settings", + help="Property that specifies whether built-in Azure Monitor alerts should be fired for all failed jobs.", + enum={"Disabled": "Disabled", "Enabled": "Enabled"}, + ) + + # define Arg Group "Parameters" + + _args_schema = cls._args_schema + _args_schema.e_tag = AAZStrArg( + options=["--e-tag"], + arg_group="Parameters", + help="Optional ETag.", + ) + _args_schema.location = AAZResourceLocationArg( + arg_group="Parameters", + help="Location. Values from: `az account list-locations`. You can configure the default location using `az configure --defaults location=`.", + required=True, + fmt=AAZResourceLocationArgFormat( + resource_group_arg="resource_group", + ), + ) + _args_schema.tags = AAZDictArg( + options=["--tags"], + arg_group="Parameters", + help="Space-separated tags: key[=value] [key[=value] ...]. Use \"\" to clear existing tags.", + ) + + tags = cls._args_schema.tags + tags.Element = AAZStrArg() + + # define Arg Group "Properties" + + _args_schema = cls._args_schema + _args_schema.storage_setting = AAZListArg( + options=["--storage-setting"], + singular_options=["--storage-settings"], + arg_group="Properties", + help={"short-summary": "Storage Settings. Usage: --storage-setting \"[{type:'LocallyRedundant',datastore-type:'VaultStore'}]\"", "long-summary": "Multiple actions can be specified by using more than one --storage-setting argument.\nThe \"--storage-settings\" parameter exists for backwards compatibility. The updated command is --storage-setting.\nUsage for --storage-settings: --storage-settings type=XX datastore-type=XX."}, + required=True, + ) + + storage_setting = cls._args_schema.storage_setting + storage_setting.Element = AAZObjectArg() + + _element = cls._args_schema.storage_setting.Element + _element.datastore_type = AAZStrArg( + options=["datastore-type"], + help="Gets or sets the type of the datastore.", + enum={"ArchiveStore": "ArchiveStore", "OperationalStore": "OperationalStore", "VaultStore": "VaultStore"}, + ) + _element.type = AAZStrArg( + options=["type"], + help="Gets or sets the type.", + enum={"GeoRedundant": "GeoRedundant", "LocallyRedundant": "LocallyRedundant", "ZoneRedundant": "ZoneRedundant"}, + ) + + # define Arg Group "SecuritySettings" + + _args_schema = cls._args_schema + _args_schema.immutability_state = AAZStrArg( + options=["--immutability-state"], + arg_group="SecuritySettings", + help={"short-summary": "Immutability state", "long-summary": "Use this parameter to configure immutability settings for the vault. Allowed values are Disabled, Unlocked and Locked. By default, immutability is \"Disabled\" for the vault. \"Unlocked\" means that immutability is enabled for the vault and can be reversed. \"Locked\" means that immutability is enabled for the vault and cannot be reversed."}, + enum={"Disabled": "Disabled", "Locked": "Locked", "Unlocked": "Unlocked"}, + ) + + # define Arg Group "SoftDeleteSettings" + + _args_schema = cls._args_schema + _args_schema.retention_duration_in_days = AAZFloatArg( + options=["--soft-delete-retention", "--retention-duration-in-days"], + arg_group="SoftDeleteSettings", + help="Soft delete retention duration", + ) + _args_schema.soft_delete_state = AAZStrArg( + options=["--soft-delete-state"], + arg_group="SoftDeleteSettings", + help="State of soft delete", + enum={"AlwaysOn": "AlwaysOn", "Off": "Off", "On": "On"}, + ) + return cls._args_schema + + def _execute_operations(self): + self.pre_operations() + yield self.BackupVaultsCreateOrUpdate(ctx=self.ctx)() + self.post_operations() + + @register_callback + def pre_operations(self): + pass + + @register_callback + def post_operations(self): + pass + + def _output(self, *args, **kwargs): + result = self.deserialize_output(self.ctx.vars.instance, client_flatten=True) + return result + + class BackupVaultsCreateOrUpdate(AAZHttpOperation): + CLIENT_TYPE = "MgmtClient" + + def __call__(self, *args, **kwargs): + request = self.make_request() + session = self.client.send_request(request=request, stream=False, **kwargs) + if session.http_response.status_code in [202]: + return self.client.build_lro_polling( + self.ctx.args.no_wait, + session, + self.on_200_201, + self.on_error, + lro_options={"final-state-via": "azure-async-operation"}, + path_format_arguments=self.url_parameters, + ) + if session.http_response.status_code in [200, 201]: + return self.client.build_lro_polling( + self.ctx.args.no_wait, + session, + self.on_200_201, + self.on_error, + lro_options={"final-state-via": "azure-async-operation"}, + path_format_arguments=self.url_parameters, + ) + + return self.on_error(session.http_response) + + @property + def url(self): + return self.client.format_url( + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}", + **self.url_parameters + ) + + @property + def method(self): + return "PUT" + + @property + def error_format(self): + return "MgmtErrorFormat" + + @property + def url_parameters(self): + parameters = { + **self.serialize_url_param( + "resourceGroupName", self.ctx.args.resource_group, + required=True, + ), + **self.serialize_url_param( + "subscriptionId", self.ctx.subscription_id, + required=True, + ), + **self.serialize_url_param( + "vaultName", self.ctx.args.vault_name, + required=True, + ), + } + return parameters + + @property + def query_parameters(self): + parameters = { + **self.serialize_query_param( + "api-version", "2022-12-01", + required=True, + ), + } + return parameters + + @property + def header_parameters(self): + parameters = { + **self.serialize_header_param( + "Content-Type", "application/json", + ), + **self.serialize_header_param( + "Accept", "application/json", + ), + } + return parameters + + @property + def content(self): + _content_value, _builder = self.new_content_builder( + self.ctx.args, + typ=AAZObjectType, + typ_kwargs={"flags": {"required": True, "client_flatten": True}} + ) + _builder.set_prop("eTag", AAZStrType, ".e_tag") + _builder.set_prop("identity", AAZObjectType) + _builder.set_prop("location", AAZStrType, ".location", typ_kwargs={"flags": {"required": True}}) + _builder.set_prop("properties", AAZObjectType, ".", typ_kwargs={"flags": {"required": True}}) + _builder.set_prop("tags", AAZDictType, ".tags") + + identity = _builder.get(".identity") + if identity is not None: + identity.set_prop("type", AAZStrType, ".type") + + properties = _builder.get(".properties") + if properties is not None: + properties.set_prop("monitoringSettings", AAZObjectType) + properties.set_prop("securitySettings", AAZObjectType) + properties.set_prop("storageSettings", AAZListType, ".storage_setting", typ_kwargs={"flags": {"required": True}}) + + monitoring_settings = _builder.get(".properties.monitoringSettings") + if monitoring_settings is not None: + monitoring_settings.set_prop("azureMonitorAlertSettings", AAZObjectType) + + azure_monitor_alert_settings = _builder.get(".properties.monitoringSettings.azureMonitorAlertSettings") + if azure_monitor_alert_settings is not None: + azure_monitor_alert_settings.set_prop("alertsForAllJobFailures", AAZStrType, ".azure_monitor_alerts_for_job_failures") + + security_settings = _builder.get(".properties.securitySettings") + if security_settings is not None: + security_settings.set_prop("immutabilitySettings", AAZObjectType) + security_settings.set_prop("softDeleteSettings", AAZObjectType) + + immutability_settings = _builder.get(".properties.securitySettings.immutabilitySettings") + if immutability_settings is not None: + immutability_settings.set_prop("state", AAZStrType, ".immutability_state") + + soft_delete_settings = _builder.get(".properties.securitySettings.softDeleteSettings") + if soft_delete_settings is not None: + soft_delete_settings.set_prop("retentionDurationInDays", AAZFloatType, ".retention_duration_in_days") + soft_delete_settings.set_prop("state", AAZStrType, ".soft_delete_state") + + storage_settings = _builder.get(".properties.storageSettings") + if storage_settings is not None: + storage_settings.set_elements(AAZObjectType, ".") + + _elements = _builder.get(".properties.storageSettings[]") + if _elements is not None: + _elements.set_prop("datastoreType", AAZStrType, ".datastore_type") + _elements.set_prop("type", AAZStrType, ".type") + + tags = _builder.get(".tags") + if tags is not None: + tags.set_elements(AAZStrType, ".") + + return self.serialize_content(_content_value) + + def on_200_201(self, session): + data = self.deserialize_http_content(session) + self.ctx.set_var( + "instance", + data, + schema_builder=self._build_schema_on_200_201 + ) + + _schema_on_200_201 = None + + @classmethod + def _build_schema_on_200_201(cls): + if cls._schema_on_200_201 is not None: + return cls._schema_on_200_201 + + cls._schema_on_200_201 = AAZObjectType() + + _schema_on_200_201 = cls._schema_on_200_201 + _schema_on_200_201.e_tag = AAZStrType( + serialized_name="eTag", + ) + _schema_on_200_201.id = AAZStrType( + flags={"read_only": True}, + ) + _schema_on_200_201.identity = AAZObjectType() + _schema_on_200_201.location = AAZStrType( + flags={"required": True}, + ) + _schema_on_200_201.name = AAZStrType( + flags={"read_only": True}, + ) + _schema_on_200_201.properties = AAZObjectType( + flags={"required": True}, + ) + _schema_on_200_201.system_data = AAZObjectType( + serialized_name="systemData", + flags={"read_only": True}, + ) + _schema_on_200_201.tags = AAZDictType() + _schema_on_200_201.type = AAZStrType( + flags={"read_only": True}, + ) + + identity = cls._schema_on_200_201.identity + identity.principal_id = AAZStrType( + serialized_name="principalId", + flags={"read_only": True}, + ) + identity.tenant_id = AAZStrType( + serialized_name="tenantId", + flags={"read_only": True}, + ) + identity.type = AAZStrType() + + properties = cls._schema_on_200_201.properties + properties.feature_settings = AAZObjectType( + serialized_name="featureSettings", + ) + properties.is_vault_protected_by_resource_guard = AAZBoolType( + serialized_name="isVaultProtectedByResourceGuard", + flags={"read_only": True}, + ) + properties.monitoring_settings = AAZObjectType( + serialized_name="monitoringSettings", + ) + properties.provisioning_state = AAZStrType( + serialized_name="provisioningState", + flags={"read_only": True}, + ) + properties.resource_move_details = AAZObjectType( + serialized_name="resourceMoveDetails", + ) + properties.resource_move_state = AAZStrType( + serialized_name="resourceMoveState", + flags={"read_only": True}, + ) + properties.security_settings = AAZObjectType( + serialized_name="securitySettings", + ) + properties.storage_settings = AAZListType( + serialized_name="storageSettings", + flags={"required": True}, + ) + + feature_settings = cls._schema_on_200_201.properties.feature_settings + feature_settings.cross_subscription_restore_settings = AAZObjectType( + serialized_name="crossSubscriptionRestoreSettings", + ) + + cross_subscription_restore_settings = cls._schema_on_200_201.properties.feature_settings.cross_subscription_restore_settings + cross_subscription_restore_settings.state = AAZStrType() + + monitoring_settings = cls._schema_on_200_201.properties.monitoring_settings + monitoring_settings.azure_monitor_alert_settings = AAZObjectType( + serialized_name="azureMonitorAlertSettings", + ) + + azure_monitor_alert_settings = cls._schema_on_200_201.properties.monitoring_settings.azure_monitor_alert_settings + azure_monitor_alert_settings.alerts_for_all_job_failures = AAZStrType( + serialized_name="alertsForAllJobFailures", + ) + + resource_move_details = cls._schema_on_200_201.properties.resource_move_details + resource_move_details.completion_time_utc = AAZStrType( + serialized_name="completionTimeUtc", + ) + resource_move_details.operation_id = AAZStrType( + serialized_name="operationId", + ) + resource_move_details.source_resource_path = AAZStrType( + serialized_name="sourceResourcePath", + ) + resource_move_details.start_time_utc = AAZStrType( + serialized_name="startTimeUtc", + ) + resource_move_details.target_resource_path = AAZStrType( + serialized_name="targetResourcePath", + ) + + security_settings = cls._schema_on_200_201.properties.security_settings + security_settings.immutability_settings = AAZObjectType( + serialized_name="immutabilitySettings", + ) + security_settings.soft_delete_settings = AAZObjectType( + serialized_name="softDeleteSettings", + ) + + immutability_settings = cls._schema_on_200_201.properties.security_settings.immutability_settings + immutability_settings.state = AAZStrType() + + soft_delete_settings = cls._schema_on_200_201.properties.security_settings.soft_delete_settings + soft_delete_settings.retention_duration_in_days = AAZFloatType( + serialized_name="retentionDurationInDays", + ) + soft_delete_settings.state = AAZStrType() + + storage_settings = cls._schema_on_200_201.properties.storage_settings + storage_settings.Element = AAZObjectType() + + _element = cls._schema_on_200_201.properties.storage_settings.Element + _element.datastore_type = AAZStrType( + serialized_name="datastoreType", + ) + _element.type = AAZStrType() + + system_data = cls._schema_on_200_201.system_data + system_data.created_at = AAZStrType( + serialized_name="createdAt", + ) + system_data.created_by = AAZStrType( + serialized_name="createdBy", + ) + system_data.created_by_type = AAZStrType( + serialized_name="createdByType", + ) + system_data.last_modified_at = AAZStrType( + serialized_name="lastModifiedAt", + ) + system_data.last_modified_by = AAZStrType( + serialized_name="lastModifiedBy", + ) + system_data.last_modified_by_type = AAZStrType( + serialized_name="lastModifiedByType", + ) + + tags = cls._schema_on_200_201.tags + tags.Element = AAZStrType() + + return cls._schema_on_200_201 + + +class _CreateHelper: + """Helper class for Create""" + + +__all__ = ["Create"] diff --git a/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_delete.py b/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_delete.py new file mode 100644 index 00000000000..ac4ec37768a --- /dev/null +++ b/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_delete.py @@ -0,0 +1,145 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- + +# pylint: skip-file +# flake8: noqa + +from azure.cli.core.aaz import * + + +@register_command( + "dataprotection backup-vault delete", + is_experimental=True, + confirmation="Are you sure you want to perform this operation?", +) +class Delete(AAZCommand): + """Delete a BackupVault resource from the resource group. + + :example: Delete BackupVault + az dataprotection backup-vault delete --resource-group "SampleResourceGroup" --vault-name "swaggerExample" + """ + + _aaz_info = { + "version": "2022-12-01", + "resources": [ + ["mgmt-plane", "/subscriptions/{}/resourcegroups/{}/providers/microsoft.dataprotection/backupvaults/{}", "2022-12-01"], + ] + } + + def _handler(self, command_args): + super()._handler(command_args) + self._execute_operations() + return None + + _args_schema = None + + @classmethod + def _build_arguments_schema(cls, *args, **kwargs): + if cls._args_schema is not None: + return cls._args_schema + cls._args_schema = super()._build_arguments_schema(*args, **kwargs) + + # define Arg Group "" + + _args_schema = cls._args_schema + _args_schema.resource_group = AAZResourceGroupNameArg( + required=True, + ) + _args_schema.vault_name = AAZStrArg( + options=["--vault-name"], + help="The name of the backup vault.", + required=True, + id_part="name", + ) + return cls._args_schema + + def _execute_operations(self): + self.pre_operations() + self.BackupVaultsDelete(ctx=self.ctx)() + self.post_operations() + + @register_callback + def pre_operations(self): + pass + + @register_callback + def post_operations(self): + pass + + class BackupVaultsDelete(AAZHttpOperation): + CLIENT_TYPE = "MgmtClient" + + def __call__(self, *args, **kwargs): + request = self.make_request() + session = self.client.send_request(request=request, stream=False, **kwargs) + if session.http_response.status_code in [200]: + return self.on_200(session) + if session.http_response.status_code in [202]: + return self.on_202(session) + if session.http_response.status_code in [204]: + return self.on_204(session) + + return self.on_error(session.http_response) + + @property + def url(self): + return self.client.format_url( + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}", + **self.url_parameters + ) + + @property + def method(self): + return "DELETE" + + @property + def error_format(self): + return "MgmtErrorFormat" + + @property + def url_parameters(self): + parameters = { + **self.serialize_url_param( + "resourceGroupName", self.ctx.args.resource_group, + required=True, + ), + **self.serialize_url_param( + "subscriptionId", self.ctx.subscription_id, + required=True, + ), + **self.serialize_url_param( + "vaultName", self.ctx.args.vault_name, + required=True, + ), + } + return parameters + + @property + def query_parameters(self): + parameters = { + **self.serialize_query_param( + "api-version", "2022-12-01", + required=True, + ), + } + return parameters + + def on_200(self, session): + pass + + def on_202(self, session): + pass + + def on_204(self, session): + pass + + +class _DeleteHelper: + """Helper class for Delete""" + + +__all__ = ["Delete"] diff --git a/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_list.py b/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_list.py new file mode 100644 index 00000000000..68ef3b2dbed --- /dev/null +++ b/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_list.py @@ -0,0 +1,554 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- + +# pylint: skip-file +# flake8: noqa + +from azure.cli.core.aaz import * + + +@register_command( + "dataprotection backup-vault list", + is_experimental=True, +) +class List(AAZCommand): + """Gets list of backup vault in a subscription or in a resource group. + + :example: List backup vault in a subscription + az dataprotection backup-vault list + + :example: List backup vault in a resource group + az dataprotection backup-vault list -g sarath-rg + """ + + _aaz_info = { + "version": "2022-12-01", + "resources": [ + ["mgmt-plane", "/subscriptions/{}/providers/microsoft.dataprotection/backupvaults", "2022-12-01"], + ["mgmt-plane", "/subscriptions/{}/resourcegroups/{}/providers/microsoft.dataprotection/backupvaults", "2022-12-01"], + ] + } + + def _handler(self, command_args): + super()._handler(command_args) + return self.build_paging(self._execute_operations, self._output) + + _args_schema = None + + @classmethod + def _build_arguments_schema(cls, *args, **kwargs): + if cls._args_schema is not None: + return cls._args_schema + cls._args_schema = super()._build_arguments_schema(*args, **kwargs) + + # define Arg Group "" + + _args_schema = cls._args_schema + _args_schema.resource_group = AAZResourceGroupNameArg() + return cls._args_schema + + def _execute_operations(self): + self.pre_operations() + condition_0 = has_value(self.ctx.args.resource_group) and has_value(self.ctx.subscription_id) + condition_1 = has_value(self.ctx.subscription_id) and has_value(self.ctx.args.resource_group) is not True + if condition_0: + self.BackupVaultsGetInResourceGroup(ctx=self.ctx)() + if condition_1: + self.BackupVaultsGetInSubscription(ctx=self.ctx)() + self.post_operations() + + @register_callback + def pre_operations(self): + pass + + @register_callback + def post_operations(self): + pass + + def _output(self, *args, **kwargs): + result = self.deserialize_output(self.ctx.vars.instance.value, client_flatten=True) + next_link = self.deserialize_output(self.ctx.vars.instance.next_link) + return result, next_link + + class BackupVaultsGetInResourceGroup(AAZHttpOperation): + CLIENT_TYPE = "MgmtClient" + + def __call__(self, *args, **kwargs): + request = self.make_request() + session = self.client.send_request(request=request, stream=False, **kwargs) + if session.http_response.status_code in [200]: + return self.on_200(session) + + return self.on_error(session.http_response) + + @property + def url(self): + return self.client.format_url( + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults", + **self.url_parameters + ) + + @property + def method(self): + return "GET" + + @property + def error_format(self): + return "MgmtErrorFormat" + + @property + def url_parameters(self): + parameters = { + **self.serialize_url_param( + "resourceGroupName", self.ctx.args.resource_group, + required=True, + ), + **self.serialize_url_param( + "subscriptionId", self.ctx.subscription_id, + required=True, + ), + } + return parameters + + @property + def query_parameters(self): + parameters = { + **self.serialize_query_param( + "api-version", "2022-12-01", + required=True, + ), + } + return parameters + + @property + def header_parameters(self): + parameters = { + **self.serialize_header_param( + "Accept", "application/json", + ), + } + return parameters + + def on_200(self, session): + data = self.deserialize_http_content(session) + self.ctx.set_var( + "instance", + data, + schema_builder=self._build_schema_on_200 + ) + + _schema_on_200 = None + + @classmethod + def _build_schema_on_200(cls): + if cls._schema_on_200 is not None: + return cls._schema_on_200 + + cls._schema_on_200 = AAZObjectType() + + _schema_on_200 = cls._schema_on_200 + _schema_on_200.next_link = AAZStrType( + serialized_name="nextLink", + ) + _schema_on_200.value = AAZListType() + + value = cls._schema_on_200.value + value.Element = AAZObjectType() + + _element = cls._schema_on_200.value.Element + _element.e_tag = AAZStrType( + serialized_name="eTag", + ) + _element.id = AAZStrType( + flags={"read_only": True}, + ) + _element.identity = AAZObjectType() + _element.location = AAZStrType( + flags={"required": True}, + ) + _element.name = AAZStrType( + flags={"read_only": True}, + ) + _element.properties = AAZObjectType( + flags={"required": True}, + ) + _element.system_data = AAZObjectType( + serialized_name="systemData", + flags={"read_only": True}, + ) + _element.tags = AAZDictType() + _element.type = AAZStrType( + flags={"read_only": True}, + ) + + identity = cls._schema_on_200.value.Element.identity + identity.principal_id = AAZStrType( + serialized_name="principalId", + flags={"read_only": True}, + ) + identity.tenant_id = AAZStrType( + serialized_name="tenantId", + flags={"read_only": True}, + ) + identity.type = AAZStrType() + + properties = cls._schema_on_200.value.Element.properties + properties.feature_settings = AAZObjectType( + serialized_name="featureSettings", + ) + properties.is_vault_protected_by_resource_guard = AAZBoolType( + serialized_name="isVaultProtectedByResourceGuard", + flags={"read_only": True}, + ) + properties.monitoring_settings = AAZObjectType( + serialized_name="monitoringSettings", + ) + properties.provisioning_state = AAZStrType( + serialized_name="provisioningState", + flags={"read_only": True}, + ) + properties.resource_move_details = AAZObjectType( + serialized_name="resourceMoveDetails", + ) + properties.resource_move_state = AAZStrType( + serialized_name="resourceMoveState", + flags={"read_only": True}, + ) + properties.security_settings = AAZObjectType( + serialized_name="securitySettings", + ) + properties.storage_settings = AAZListType( + serialized_name="storageSettings", + flags={"required": True}, + ) + + feature_settings = cls._schema_on_200.value.Element.properties.feature_settings + feature_settings.cross_subscription_restore_settings = AAZObjectType( + serialized_name="crossSubscriptionRestoreSettings", + ) + + cross_subscription_restore_settings = cls._schema_on_200.value.Element.properties.feature_settings.cross_subscription_restore_settings + cross_subscription_restore_settings.state = AAZStrType() + + monitoring_settings = cls._schema_on_200.value.Element.properties.monitoring_settings + monitoring_settings.azure_monitor_alert_settings = AAZObjectType( + serialized_name="azureMonitorAlertSettings", + ) + + azure_monitor_alert_settings = cls._schema_on_200.value.Element.properties.monitoring_settings.azure_monitor_alert_settings + azure_monitor_alert_settings.alerts_for_all_job_failures = AAZStrType( + serialized_name="alertsForAllJobFailures", + ) + + resource_move_details = cls._schema_on_200.value.Element.properties.resource_move_details + resource_move_details.completion_time_utc = AAZStrType( + serialized_name="completionTimeUtc", + ) + resource_move_details.operation_id = AAZStrType( + serialized_name="operationId", + ) + resource_move_details.source_resource_path = AAZStrType( + serialized_name="sourceResourcePath", + ) + resource_move_details.start_time_utc = AAZStrType( + serialized_name="startTimeUtc", + ) + resource_move_details.target_resource_path = AAZStrType( + serialized_name="targetResourcePath", + ) + + security_settings = cls._schema_on_200.value.Element.properties.security_settings + security_settings.immutability_settings = AAZObjectType( + serialized_name="immutabilitySettings", + ) + security_settings.soft_delete_settings = AAZObjectType( + serialized_name="softDeleteSettings", + ) + + immutability_settings = cls._schema_on_200.value.Element.properties.security_settings.immutability_settings + immutability_settings.state = AAZStrType() + + soft_delete_settings = cls._schema_on_200.value.Element.properties.security_settings.soft_delete_settings + soft_delete_settings.retention_duration_in_days = AAZFloatType( + serialized_name="retentionDurationInDays", + ) + soft_delete_settings.state = AAZStrType() + + storage_settings = cls._schema_on_200.value.Element.properties.storage_settings + storage_settings.Element = AAZObjectType() + + _element = cls._schema_on_200.value.Element.properties.storage_settings.Element + _element.datastore_type = AAZStrType( + serialized_name="datastoreType", + ) + _element.type = AAZStrType() + + system_data = cls._schema_on_200.value.Element.system_data + system_data.created_at = AAZStrType( + serialized_name="createdAt", + ) + system_data.created_by = AAZStrType( + serialized_name="createdBy", + ) + system_data.created_by_type = AAZStrType( + serialized_name="createdByType", + ) + system_data.last_modified_at = AAZStrType( + serialized_name="lastModifiedAt", + ) + system_data.last_modified_by = AAZStrType( + serialized_name="lastModifiedBy", + ) + system_data.last_modified_by_type = AAZStrType( + serialized_name="lastModifiedByType", + ) + + tags = cls._schema_on_200.value.Element.tags + tags.Element = AAZStrType() + + return cls._schema_on_200 + + class BackupVaultsGetInSubscription(AAZHttpOperation): + CLIENT_TYPE = "MgmtClient" + + def __call__(self, *args, **kwargs): + request = self.make_request() + session = self.client.send_request(request=request, stream=False, **kwargs) + if session.http_response.status_code in [200]: + return self.on_200(session) + + return self.on_error(session.http_response) + + @property + def url(self): + return self.client.format_url( + "/subscriptions/{subscriptionId}/providers/Microsoft.DataProtection/backupVaults", + **self.url_parameters + ) + + @property + def method(self): + return "GET" + + @property + def error_format(self): + return "MgmtErrorFormat" + + @property + def url_parameters(self): + parameters = { + **self.serialize_url_param( + "subscriptionId", self.ctx.subscription_id, + required=True, + ), + } + return parameters + + @property + def query_parameters(self): + parameters = { + **self.serialize_query_param( + "api-version", "2022-12-01", + required=True, + ), + } + return parameters + + @property + def header_parameters(self): + parameters = { + **self.serialize_header_param( + "Accept", "application/json", + ), + } + return parameters + + def on_200(self, session): + data = self.deserialize_http_content(session) + self.ctx.set_var( + "instance", + data, + schema_builder=self._build_schema_on_200 + ) + + _schema_on_200 = None + + @classmethod + def _build_schema_on_200(cls): + if cls._schema_on_200 is not None: + return cls._schema_on_200 + + cls._schema_on_200 = AAZObjectType() + + _schema_on_200 = cls._schema_on_200 + _schema_on_200.next_link = AAZStrType( + serialized_name="nextLink", + ) + _schema_on_200.value = AAZListType() + + value = cls._schema_on_200.value + value.Element = AAZObjectType() + + _element = cls._schema_on_200.value.Element + _element.e_tag = AAZStrType( + serialized_name="eTag", + ) + _element.id = AAZStrType( + flags={"read_only": True}, + ) + _element.identity = AAZObjectType() + _element.location = AAZStrType( + flags={"required": True}, + ) + _element.name = AAZStrType( + flags={"read_only": True}, + ) + _element.properties = AAZObjectType( + flags={"required": True}, + ) + _element.system_data = AAZObjectType( + serialized_name="systemData", + flags={"read_only": True}, + ) + _element.tags = AAZDictType() + _element.type = AAZStrType( + flags={"read_only": True}, + ) + + identity = cls._schema_on_200.value.Element.identity + identity.principal_id = AAZStrType( + serialized_name="principalId", + flags={"read_only": True}, + ) + identity.tenant_id = AAZStrType( + serialized_name="tenantId", + flags={"read_only": True}, + ) + identity.type = AAZStrType() + + properties = cls._schema_on_200.value.Element.properties + properties.feature_settings = AAZObjectType( + serialized_name="featureSettings", + ) + properties.is_vault_protected_by_resource_guard = AAZBoolType( + serialized_name="isVaultProtectedByResourceGuard", + flags={"read_only": True}, + ) + properties.monitoring_settings = AAZObjectType( + serialized_name="monitoringSettings", + ) + properties.provisioning_state = AAZStrType( + serialized_name="provisioningState", + flags={"read_only": True}, + ) + properties.resource_move_details = AAZObjectType( + serialized_name="resourceMoveDetails", + ) + properties.resource_move_state = AAZStrType( + serialized_name="resourceMoveState", + flags={"read_only": True}, + ) + properties.security_settings = AAZObjectType( + serialized_name="securitySettings", + ) + properties.storage_settings = AAZListType( + serialized_name="storageSettings", + flags={"required": True}, + ) + + feature_settings = cls._schema_on_200.value.Element.properties.feature_settings + feature_settings.cross_subscription_restore_settings = AAZObjectType( + serialized_name="crossSubscriptionRestoreSettings", + ) + + cross_subscription_restore_settings = cls._schema_on_200.value.Element.properties.feature_settings.cross_subscription_restore_settings + cross_subscription_restore_settings.state = AAZStrType() + + monitoring_settings = cls._schema_on_200.value.Element.properties.monitoring_settings + monitoring_settings.azure_monitor_alert_settings = AAZObjectType( + serialized_name="azureMonitorAlertSettings", + ) + + azure_monitor_alert_settings = cls._schema_on_200.value.Element.properties.monitoring_settings.azure_monitor_alert_settings + azure_monitor_alert_settings.alerts_for_all_job_failures = AAZStrType( + serialized_name="alertsForAllJobFailures", + ) + + resource_move_details = cls._schema_on_200.value.Element.properties.resource_move_details + resource_move_details.completion_time_utc = AAZStrType( + serialized_name="completionTimeUtc", + ) + resource_move_details.operation_id = AAZStrType( + serialized_name="operationId", + ) + resource_move_details.source_resource_path = AAZStrType( + serialized_name="sourceResourcePath", + ) + resource_move_details.start_time_utc = AAZStrType( + serialized_name="startTimeUtc", + ) + resource_move_details.target_resource_path = AAZStrType( + serialized_name="targetResourcePath", + ) + + security_settings = cls._schema_on_200.value.Element.properties.security_settings + security_settings.immutability_settings = AAZObjectType( + serialized_name="immutabilitySettings", + ) + security_settings.soft_delete_settings = AAZObjectType( + serialized_name="softDeleteSettings", + ) + + immutability_settings = cls._schema_on_200.value.Element.properties.security_settings.immutability_settings + immutability_settings.state = AAZStrType() + + soft_delete_settings = cls._schema_on_200.value.Element.properties.security_settings.soft_delete_settings + soft_delete_settings.retention_duration_in_days = AAZFloatType( + serialized_name="retentionDurationInDays", + ) + soft_delete_settings.state = AAZStrType() + + storage_settings = cls._schema_on_200.value.Element.properties.storage_settings + storage_settings.Element = AAZObjectType() + + _element = cls._schema_on_200.value.Element.properties.storage_settings.Element + _element.datastore_type = AAZStrType( + serialized_name="datastoreType", + ) + _element.type = AAZStrType() + + system_data = cls._schema_on_200.value.Element.system_data + system_data.created_at = AAZStrType( + serialized_name="createdAt", + ) + system_data.created_by = AAZStrType( + serialized_name="createdBy", + ) + system_data.created_by_type = AAZStrType( + serialized_name="createdByType", + ) + system_data.last_modified_at = AAZStrType( + serialized_name="lastModifiedAt", + ) + system_data.last_modified_by = AAZStrType( + serialized_name="lastModifiedBy", + ) + system_data.last_modified_by_type = AAZStrType( + serialized_name="lastModifiedByType", + ) + + tags = cls._schema_on_200.value.Element.tags + tags.Element = AAZStrType() + + return cls._schema_on_200 + + +class _ListHelper: + """Helper class for List""" + + +__all__ = ["List"] diff --git a/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_show.py b/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_show.py new file mode 100644 index 00000000000..7a9ea188221 --- /dev/null +++ b/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_show.py @@ -0,0 +1,317 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- + +# pylint: skip-file +# flake8: noqa + +from azure.cli.core.aaz import * + + +@register_command( + "dataprotection backup-vault show", + is_experimental=True, +) +class Show(AAZCommand): + """Get a resource belonging to a resource group. + + :example: Get BackupVault + az dataprotection backup-vault show --resource-group "SampleResourceGroup" --vault-name "swaggerExample" + + :example: Get BackupVault With MSI + az dataprotection backup-vault show --resource-group "SampleResourceGroup" --vault-name "swaggerExample" + """ + + _aaz_info = { + "version": "2022-12-01", + "resources": [ + ["mgmt-plane", "/subscriptions/{}/resourcegroups/{}/providers/microsoft.dataprotection/backupvaults/{}", "2022-12-01"], + ] + } + + def _handler(self, command_args): + super()._handler(command_args) + self._execute_operations() + return self._output() + + _args_schema = None + + @classmethod + def _build_arguments_schema(cls, *args, **kwargs): + if cls._args_schema is not None: + return cls._args_schema + cls._args_schema = super()._build_arguments_schema(*args, **kwargs) + + # define Arg Group "" + + _args_schema = cls._args_schema + _args_schema.resource_group = AAZResourceGroupNameArg( + required=True, + ) + _args_schema.vault_name = AAZStrArg( + options=["--vault-name"], + help="The name of the backup vault.", + required=True, + id_part="name", + ) + return cls._args_schema + + def _execute_operations(self): + self.pre_operations() + self.BackupVaultsGet(ctx=self.ctx)() + self.post_operations() + + @register_callback + def pre_operations(self): + pass + + @register_callback + def post_operations(self): + pass + + def _output(self, *args, **kwargs): + result = self.deserialize_output(self.ctx.vars.instance, client_flatten=True) + return result + + class BackupVaultsGet(AAZHttpOperation): + CLIENT_TYPE = "MgmtClient" + + def __call__(self, *args, **kwargs): + request = self.make_request() + session = self.client.send_request(request=request, stream=False, **kwargs) + if session.http_response.status_code in [200]: + return self.on_200(session) + + return self.on_error(session.http_response) + + @property + def url(self): + return self.client.format_url( + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}", + **self.url_parameters + ) + + @property + def method(self): + return "GET" + + @property + def error_format(self): + return "MgmtErrorFormat" + + @property + def url_parameters(self): + parameters = { + **self.serialize_url_param( + "resourceGroupName", self.ctx.args.resource_group, + required=True, + ), + **self.serialize_url_param( + "subscriptionId", self.ctx.subscription_id, + required=True, + ), + **self.serialize_url_param( + "vaultName", self.ctx.args.vault_name, + required=True, + ), + } + return parameters + + @property + def query_parameters(self): + parameters = { + **self.serialize_query_param( + "api-version", "2022-12-01", + required=True, + ), + } + return parameters + + @property + def header_parameters(self): + parameters = { + **self.serialize_header_param( + "Accept", "application/json", + ), + } + return parameters + + def on_200(self, session): + data = self.deserialize_http_content(session) + self.ctx.set_var( + "instance", + data, + schema_builder=self._build_schema_on_200 + ) + + _schema_on_200 = None + + @classmethod + def _build_schema_on_200(cls): + if cls._schema_on_200 is not None: + return cls._schema_on_200 + + cls._schema_on_200 = AAZObjectType() + + _schema_on_200 = cls._schema_on_200 + _schema_on_200.e_tag = AAZStrType( + serialized_name="eTag", + ) + _schema_on_200.id = AAZStrType( + flags={"read_only": True}, + ) + _schema_on_200.identity = AAZObjectType() + _schema_on_200.location = AAZStrType( + flags={"required": True}, + ) + _schema_on_200.name = AAZStrType( + flags={"read_only": True}, + ) + _schema_on_200.properties = AAZObjectType( + flags={"required": True}, + ) + _schema_on_200.system_data = AAZObjectType( + serialized_name="systemData", + flags={"read_only": True}, + ) + _schema_on_200.tags = AAZDictType() + _schema_on_200.type = AAZStrType( + flags={"read_only": True}, + ) + + identity = cls._schema_on_200.identity + identity.principal_id = AAZStrType( + serialized_name="principalId", + flags={"read_only": True}, + ) + identity.tenant_id = AAZStrType( + serialized_name="tenantId", + flags={"read_only": True}, + ) + identity.type = AAZStrType() + + properties = cls._schema_on_200.properties + properties.feature_settings = AAZObjectType( + serialized_name="featureSettings", + ) + properties.is_vault_protected_by_resource_guard = AAZBoolType( + serialized_name="isVaultProtectedByResourceGuard", + flags={"read_only": True}, + ) + properties.monitoring_settings = AAZObjectType( + serialized_name="monitoringSettings", + ) + properties.provisioning_state = AAZStrType( + serialized_name="provisioningState", + flags={"read_only": True}, + ) + properties.resource_move_details = AAZObjectType( + serialized_name="resourceMoveDetails", + ) + properties.resource_move_state = AAZStrType( + serialized_name="resourceMoveState", + flags={"read_only": True}, + ) + properties.security_settings = AAZObjectType( + serialized_name="securitySettings", + ) + properties.storage_settings = AAZListType( + serialized_name="storageSettings", + flags={"required": True}, + ) + + feature_settings = cls._schema_on_200.properties.feature_settings + feature_settings.cross_subscription_restore_settings = AAZObjectType( + serialized_name="crossSubscriptionRestoreSettings", + ) + + cross_subscription_restore_settings = cls._schema_on_200.properties.feature_settings.cross_subscription_restore_settings + cross_subscription_restore_settings.state = AAZStrType() + + monitoring_settings = cls._schema_on_200.properties.monitoring_settings + monitoring_settings.azure_monitor_alert_settings = AAZObjectType( + serialized_name="azureMonitorAlertSettings", + ) + + azure_monitor_alert_settings = cls._schema_on_200.properties.monitoring_settings.azure_monitor_alert_settings + azure_monitor_alert_settings.alerts_for_all_job_failures = AAZStrType( + serialized_name="alertsForAllJobFailures", + ) + + resource_move_details = cls._schema_on_200.properties.resource_move_details + resource_move_details.completion_time_utc = AAZStrType( + serialized_name="completionTimeUtc", + ) + resource_move_details.operation_id = AAZStrType( + serialized_name="operationId", + ) + resource_move_details.source_resource_path = AAZStrType( + serialized_name="sourceResourcePath", + ) + resource_move_details.start_time_utc = AAZStrType( + serialized_name="startTimeUtc", + ) + resource_move_details.target_resource_path = AAZStrType( + serialized_name="targetResourcePath", + ) + + security_settings = cls._schema_on_200.properties.security_settings + security_settings.immutability_settings = AAZObjectType( + serialized_name="immutabilitySettings", + ) + security_settings.soft_delete_settings = AAZObjectType( + serialized_name="softDeleteSettings", + ) + + immutability_settings = cls._schema_on_200.properties.security_settings.immutability_settings + immutability_settings.state = AAZStrType() + + soft_delete_settings = cls._schema_on_200.properties.security_settings.soft_delete_settings + soft_delete_settings.retention_duration_in_days = AAZFloatType( + serialized_name="retentionDurationInDays", + ) + soft_delete_settings.state = AAZStrType() + + storage_settings = cls._schema_on_200.properties.storage_settings + storage_settings.Element = AAZObjectType() + + _element = cls._schema_on_200.properties.storage_settings.Element + _element.datastore_type = AAZStrType( + serialized_name="datastoreType", + ) + _element.type = AAZStrType() + + system_data = cls._schema_on_200.system_data + system_data.created_at = AAZStrType( + serialized_name="createdAt", + ) + system_data.created_by = AAZStrType( + serialized_name="createdBy", + ) + system_data.created_by_type = AAZStrType( + serialized_name="createdByType", + ) + system_data.last_modified_at = AAZStrType( + serialized_name="lastModifiedAt", + ) + system_data.last_modified_by = AAZStrType( + serialized_name="lastModifiedBy", + ) + system_data.last_modified_by_type = AAZStrType( + serialized_name="lastModifiedByType", + ) + + tags = cls._schema_on_200.tags + tags.Element = AAZStrType() + + return cls._schema_on_200 + + +class _ShowHelper: + """Helper class for Show""" + + +__all__ = ["Show"] diff --git a/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_update.py b/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_update.py new file mode 100644 index 00000000000..945a5d3273f --- /dev/null +++ b/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_update.py @@ -0,0 +1,596 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- + +# pylint: skip-file +# flake8: noqa + +from azure.cli.core.aaz import * + + +@register_command( + "dataprotection backup-vault update", + is_experimental=True, +) +class Update(AAZCommand): + """Updates a BackupVault resource belonging to a resource group. For example, updating tags for a resource. + + :example: Patch BackupVault + az dataprotection backup-vault update --azure-monitor-alerts-for-job-failures "Enabled" --tags newKey="newVal" --resource-group "SampleResourceGroup" --vault-name "swaggerExample" + """ + + _aaz_info = { + "version": "2022-12-01", + "resources": [ + ["mgmt-plane", "/subscriptions/{}/resourcegroups/{}/providers/microsoft.dataprotection/backupvaults/{}", "2022-12-01"], + ] + } + + AZ_SUPPORT_NO_WAIT = True + + AZ_SUPPORT_GENERIC_UPDATE = True + + def _handler(self, command_args): + super()._handler(command_args) + return self.build_lro_poller(self._execute_operations, self._output) + + _args_schema = None + + @classmethod + def _build_arguments_schema(cls, *args, **kwargs): + if cls._args_schema is not None: + return cls._args_schema + cls._args_schema = super()._build_arguments_schema(*args, **kwargs) + + # define Arg Group "" + + _args_schema = cls._args_schema + _args_schema.resource_group = AAZResourceGroupNameArg( + required=True, + ) + _args_schema.vault_name = AAZStrArg( + options=["--vault-name"], + help="The name of the backup vault.", + required=True, + id_part="name", + ) + + # define Arg Group "Identity" + + _args_schema = cls._args_schema + _args_schema.type = AAZStrArg( + options=["--type"], + arg_group="Identity", + help="The identityType which can be either SystemAssigned or None", + nullable=True, + ) + + # define Arg Group "Monitoring Settings Azure Monitor Alert Settings" + + _args_schema = cls._args_schema + _args_schema.azure_monitor_alerts_for_job_failures = AAZStrArg( + options=["--job-failure-alerts", "--azure-monitor-alerts-for-job-failures"], + arg_group="Monitoring Settings Azure Monitor Alert Settings", + help="Property that specifies whether built-in Azure Monitor alerts should be fired for all failed jobs.", + nullable=True, + enum={"Disabled": "Disabled", "Enabled": "Enabled"}, + ) + + # define Arg Group "Parameters" + + _args_schema = cls._args_schema + _args_schema.tags = AAZDictArg( + options=["--tags"], + arg_group="Parameters", + help="Resource tags.", + nullable=True, + ) + + tags = cls._args_schema.tags + tags.Element = AAZStrArg( + nullable=True, + ) + + # define Arg Group "Properties" + + # define Arg Group "SecuritySettings" + + _args_schema = cls._args_schema + _args_schema.immutability_state = AAZStrArg( + options=["--immutability-state"], + arg_group="SecuritySettings", + help={"short-summary": "Immutability state", "long-summary": "Use this parameter to configure immutability settings for the vault. Allowed values are Disabled, Unlocked and Locked. By default, immutability is \"Disabled\" for the vault. \"Unlocked\" means that immutability is enabled for the vault and can be reversed. \"Locked\" means that immutability is enabled for the vault and cannot be reversed."}, + nullable=True, + enum={"Disabled": "Disabled", "Locked": "Locked", "Unlocked": "Unlocked"}, + ) + + # define Arg Group "SoftDeleteSettings" + + _args_schema = cls._args_schema + _args_schema.retention_duration_in_days = AAZFloatArg( + options=["--soft-delete-retention", "--retention-duration-in-days"], + arg_group="SoftDeleteSettings", + help="Soft delete retention duration", + nullable=True, + ) + _args_schema.soft_delete_state = AAZStrArg( + options=["--soft-delete-state"], + arg_group="SoftDeleteSettings", + help="State of soft delete", + nullable=True, + enum={"AlwaysOn": "AlwaysOn", "Off": "Off", "On": "On"}, + ) + return cls._args_schema + + def _execute_operations(self): + self.pre_operations() + self.BackupVaultsGet(ctx=self.ctx)() + self.pre_instance_update(self.ctx.vars.instance) + self.InstanceUpdateByJson(ctx=self.ctx)() + self.InstanceUpdateByGeneric(ctx=self.ctx)() + self.post_instance_update(self.ctx.vars.instance) + yield self.BackupVaultsCreateOrUpdate(ctx=self.ctx)() + self.post_operations() + + @register_callback + def pre_operations(self): + pass + + @register_callback + def post_operations(self): + pass + + @register_callback + def pre_instance_update(self, instance): + pass + + @register_callback + def post_instance_update(self, instance): + pass + + def _output(self, *args, **kwargs): + result = self.deserialize_output(self.ctx.vars.instance, client_flatten=True) + return result + + class BackupVaultsGet(AAZHttpOperation): + CLIENT_TYPE = "MgmtClient" + + def __call__(self, *args, **kwargs): + request = self.make_request() + session = self.client.send_request(request=request, stream=False, **kwargs) + if session.http_response.status_code in [200]: + return self.on_200(session) + + return self.on_error(session.http_response) + + @property + def url(self): + return self.client.format_url( + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}", + **self.url_parameters + ) + + @property + def method(self): + return "GET" + + @property + def error_format(self): + return "MgmtErrorFormat" + + @property + def url_parameters(self): + parameters = { + **self.serialize_url_param( + "resourceGroupName", self.ctx.args.resource_group, + required=True, + ), + **self.serialize_url_param( + "subscriptionId", self.ctx.subscription_id, + required=True, + ), + **self.serialize_url_param( + "vaultName", self.ctx.args.vault_name, + required=True, + ), + } + return parameters + + @property + def query_parameters(self): + parameters = { + **self.serialize_query_param( + "api-version", "2022-12-01", + required=True, + ), + } + return parameters + + @property + def header_parameters(self): + parameters = { + **self.serialize_header_param( + "Accept", "application/json", + ), + } + return parameters + + def on_200(self, session): + data = self.deserialize_http_content(session) + self.ctx.set_var( + "instance", + data, + schema_builder=self._build_schema_on_200 + ) + + _schema_on_200 = None + + @classmethod + def _build_schema_on_200(cls): + if cls._schema_on_200 is not None: + return cls._schema_on_200 + + cls._schema_on_200 = AAZObjectType() + _UpdateHelper._build_schema_backup_vault_resource_read(cls._schema_on_200) + + return cls._schema_on_200 + + class BackupVaultsCreateOrUpdate(AAZHttpOperation): + CLIENT_TYPE = "MgmtClient" + + def __call__(self, *args, **kwargs): + request = self.make_request() + session = self.client.send_request(request=request, stream=False, **kwargs) + if session.http_response.status_code in [202]: + return self.client.build_lro_polling( + self.ctx.args.no_wait, + session, + self.on_200_201, + self.on_error, + lro_options={"final-state-via": "azure-async-operation"}, + path_format_arguments=self.url_parameters, + ) + if session.http_response.status_code in [200, 201]: + return self.client.build_lro_polling( + self.ctx.args.no_wait, + session, + self.on_200_201, + self.on_error, + lro_options={"final-state-via": "azure-async-operation"}, + path_format_arguments=self.url_parameters, + ) + + return self.on_error(session.http_response) + + @property + def url(self): + return self.client.format_url( + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}", + **self.url_parameters + ) + + @property + def method(self): + return "PUT" + + @property + def error_format(self): + return "MgmtErrorFormat" + + @property + def url_parameters(self): + parameters = { + **self.serialize_url_param( + "resourceGroupName", self.ctx.args.resource_group, + required=True, + ), + **self.serialize_url_param( + "subscriptionId", self.ctx.subscription_id, + required=True, + ), + **self.serialize_url_param( + "vaultName", self.ctx.args.vault_name, + required=True, + ), + } + return parameters + + @property + def query_parameters(self): + parameters = { + **self.serialize_query_param( + "api-version", "2022-12-01", + required=True, + ), + } + return parameters + + @property + def header_parameters(self): + parameters = { + **self.serialize_header_param( + "Content-Type", "application/json", + ), + **self.serialize_header_param( + "Accept", "application/json", + ), + } + return parameters + + @property + def content(self): + _content_value, _builder = self.new_content_builder( + self.ctx.args, + value=self.ctx.vars.instance, + ) + + return self.serialize_content(_content_value) + + def on_200_201(self, session): + data = self.deserialize_http_content(session) + self.ctx.set_var( + "instance", + data, + schema_builder=self._build_schema_on_200_201 + ) + + _schema_on_200_201 = None + + @classmethod + def _build_schema_on_200_201(cls): + if cls._schema_on_200_201 is not None: + return cls._schema_on_200_201 + + cls._schema_on_200_201 = AAZObjectType() + _UpdateHelper._build_schema_backup_vault_resource_read(cls._schema_on_200_201) + + return cls._schema_on_200_201 + + class InstanceUpdateByJson(AAZJsonInstanceUpdateOperation): + + def __call__(self, *args, **kwargs): + self._update_instance(self.ctx.vars.instance) + + def _update_instance(self, instance): + _instance_value, _builder = self.new_content_builder( + self.ctx.args, + value=instance, + typ=AAZObjectType + ) + _builder.set_prop("identity", AAZObjectType) + _builder.set_prop("properties", AAZObjectType, ".", typ_kwargs={"flags": {"required": True}}) + _builder.set_prop("tags", AAZDictType, ".tags") + + identity = _builder.get(".identity") + if identity is not None: + identity.set_prop("type", AAZStrType, ".type") + + properties = _builder.get(".properties") + if properties is not None: + properties.set_prop("monitoringSettings", AAZObjectType) + properties.set_prop("securitySettings", AAZObjectType) + + monitoring_settings = _builder.get(".properties.monitoringSettings") + if monitoring_settings is not None: + monitoring_settings.set_prop("azureMonitorAlertSettings", AAZObjectType) + + azure_monitor_alert_settings = _builder.get(".properties.monitoringSettings.azureMonitorAlertSettings") + if azure_monitor_alert_settings is not None: + azure_monitor_alert_settings.set_prop("alertsForAllJobFailures", AAZStrType, ".azure_monitor_alerts_for_job_failures") + + security_settings = _builder.get(".properties.securitySettings") + if security_settings is not None: + security_settings.set_prop("immutabilitySettings", AAZObjectType) + security_settings.set_prop("softDeleteSettings", AAZObjectType) + + immutability_settings = _builder.get(".properties.securitySettings.immutabilitySettings") + if immutability_settings is not None: + immutability_settings.set_prop("state", AAZStrType, ".immutability_state") + + soft_delete_settings = _builder.get(".properties.securitySettings.softDeleteSettings") + if soft_delete_settings is not None: + soft_delete_settings.set_prop("retentionDurationInDays", AAZFloatType, ".retention_duration_in_days") + soft_delete_settings.set_prop("state", AAZStrType, ".soft_delete_state") + + tags = _builder.get(".tags") + if tags is not None: + tags.set_elements(AAZStrType, ".") + + return _instance_value + + class InstanceUpdateByGeneric(AAZGenericInstanceUpdateOperation): + + def __call__(self, *args, **kwargs): + self._update_instance_by_generic( + self.ctx.vars.instance, + self.ctx.generic_update_args + ) + + +class _UpdateHelper: + """Helper class for Update""" + + _schema_backup_vault_resource_read = None + + @classmethod + def _build_schema_backup_vault_resource_read(cls, _schema): + if cls._schema_backup_vault_resource_read is not None: + _schema.e_tag = cls._schema_backup_vault_resource_read.e_tag + _schema.id = cls._schema_backup_vault_resource_read.id + _schema.identity = cls._schema_backup_vault_resource_read.identity + _schema.location = cls._schema_backup_vault_resource_read.location + _schema.name = cls._schema_backup_vault_resource_read.name + _schema.properties = cls._schema_backup_vault_resource_read.properties + _schema.system_data = cls._schema_backup_vault_resource_read.system_data + _schema.tags = cls._schema_backup_vault_resource_read.tags + _schema.type = cls._schema_backup_vault_resource_read.type + return + + cls._schema_backup_vault_resource_read = _schema_backup_vault_resource_read = AAZObjectType() + + backup_vault_resource_read = _schema_backup_vault_resource_read + backup_vault_resource_read.e_tag = AAZStrType( + serialized_name="eTag", + ) + backup_vault_resource_read.id = AAZStrType( + flags={"read_only": True}, + ) + backup_vault_resource_read.identity = AAZObjectType() + backup_vault_resource_read.location = AAZStrType( + flags={"required": True}, + ) + backup_vault_resource_read.name = AAZStrType( + flags={"read_only": True}, + ) + backup_vault_resource_read.properties = AAZObjectType( + flags={"required": True}, + ) + backup_vault_resource_read.system_data = AAZObjectType( + serialized_name="systemData", + flags={"read_only": True}, + ) + backup_vault_resource_read.tags = AAZDictType() + backup_vault_resource_read.type = AAZStrType( + flags={"read_only": True}, + ) + + identity = _schema_backup_vault_resource_read.identity + identity.principal_id = AAZStrType( + serialized_name="principalId", + flags={"read_only": True}, + ) + identity.tenant_id = AAZStrType( + serialized_name="tenantId", + flags={"read_only": True}, + ) + identity.type = AAZStrType() + + properties = _schema_backup_vault_resource_read.properties + properties.feature_settings = AAZObjectType( + serialized_name="featureSettings", + ) + properties.is_vault_protected_by_resource_guard = AAZBoolType( + serialized_name="isVaultProtectedByResourceGuard", + flags={"read_only": True}, + ) + properties.monitoring_settings = AAZObjectType( + serialized_name="monitoringSettings", + ) + properties.provisioning_state = AAZStrType( + serialized_name="provisioningState", + flags={"read_only": True}, + ) + properties.resource_move_details = AAZObjectType( + serialized_name="resourceMoveDetails", + ) + properties.resource_move_state = AAZStrType( + serialized_name="resourceMoveState", + flags={"read_only": True}, + ) + properties.security_settings = AAZObjectType( + serialized_name="securitySettings", + ) + properties.storage_settings = AAZListType( + serialized_name="storageSettings", + flags={"required": True}, + ) + + feature_settings = _schema_backup_vault_resource_read.properties.feature_settings + feature_settings.cross_subscription_restore_settings = AAZObjectType( + serialized_name="crossSubscriptionRestoreSettings", + ) + + cross_subscription_restore_settings = _schema_backup_vault_resource_read.properties.feature_settings.cross_subscription_restore_settings + cross_subscription_restore_settings.state = AAZStrType() + + monitoring_settings = _schema_backup_vault_resource_read.properties.monitoring_settings + monitoring_settings.azure_monitor_alert_settings = AAZObjectType( + serialized_name="azureMonitorAlertSettings", + ) + + azure_monitor_alert_settings = _schema_backup_vault_resource_read.properties.monitoring_settings.azure_monitor_alert_settings + azure_monitor_alert_settings.alerts_for_all_job_failures = AAZStrType( + serialized_name="alertsForAllJobFailures", + ) + + resource_move_details = _schema_backup_vault_resource_read.properties.resource_move_details + resource_move_details.completion_time_utc = AAZStrType( + serialized_name="completionTimeUtc", + ) + resource_move_details.operation_id = AAZStrType( + serialized_name="operationId", + ) + resource_move_details.source_resource_path = AAZStrType( + serialized_name="sourceResourcePath", + ) + resource_move_details.start_time_utc = AAZStrType( + serialized_name="startTimeUtc", + ) + resource_move_details.target_resource_path = AAZStrType( + serialized_name="targetResourcePath", + ) + + security_settings = _schema_backup_vault_resource_read.properties.security_settings + security_settings.immutability_settings = AAZObjectType( + serialized_name="immutabilitySettings", + ) + security_settings.soft_delete_settings = AAZObjectType( + serialized_name="softDeleteSettings", + ) + + immutability_settings = _schema_backup_vault_resource_read.properties.security_settings.immutability_settings + immutability_settings.state = AAZStrType() + + soft_delete_settings = _schema_backup_vault_resource_read.properties.security_settings.soft_delete_settings + soft_delete_settings.retention_duration_in_days = AAZFloatType( + serialized_name="retentionDurationInDays", + ) + soft_delete_settings.state = AAZStrType() + + storage_settings = _schema_backup_vault_resource_read.properties.storage_settings + storage_settings.Element = AAZObjectType() + + _element = _schema_backup_vault_resource_read.properties.storage_settings.Element + _element.datastore_type = AAZStrType( + serialized_name="datastoreType", + ) + _element.type = AAZStrType() + + system_data = _schema_backup_vault_resource_read.system_data + system_data.created_at = AAZStrType( + serialized_name="createdAt", + ) + system_data.created_by = AAZStrType( + serialized_name="createdBy", + ) + system_data.created_by_type = AAZStrType( + serialized_name="createdByType", + ) + system_data.last_modified_at = AAZStrType( + serialized_name="lastModifiedAt", + ) + system_data.last_modified_by = AAZStrType( + serialized_name="lastModifiedBy", + ) + system_data.last_modified_by_type = AAZStrType( + serialized_name="lastModifiedByType", + ) + + tags = _schema_backup_vault_resource_read.tags + tags.Element = AAZStrType() + + _schema.e_tag = cls._schema_backup_vault_resource_read.e_tag + _schema.id = cls._schema_backup_vault_resource_read.id + _schema.identity = cls._schema_backup_vault_resource_read.identity + _schema.location = cls._schema_backup_vault_resource_read.location + _schema.name = cls._schema_backup_vault_resource_read.name + _schema.properties = cls._schema_backup_vault_resource_read.properties + _schema.system_data = cls._schema_backup_vault_resource_read.system_data + _schema.tags = cls._schema_backup_vault_resource_read.tags + _schema.type = cls._schema_backup_vault_resource_read.type + + +__all__ = ["Update"] diff --git a/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_wait.py b/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_wait.py new file mode 100644 index 00000000000..c1cc669cb12 --- /dev/null +++ b/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_wait.py @@ -0,0 +1,309 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- + +# pylint: skip-file +# flake8: noqa + +from azure.cli.core.aaz import * + + +@register_command( + "dataprotection backup-vault wait", +) +class Wait(AAZWaitCommand): + """Place the CLI in a waiting state until a condition is met. + """ + + _aaz_info = { + "resources": [ + ["mgmt-plane", "/subscriptions/{}/resourcegroups/{}/providers/microsoft.dataprotection/backupvaults/{}", "2022-12-01"], + ] + } + + def _handler(self, command_args): + super()._handler(command_args) + self._execute_operations() + return self._output() + + _args_schema = None + + @classmethod + def _build_arguments_schema(cls, *args, **kwargs): + if cls._args_schema is not None: + return cls._args_schema + cls._args_schema = super()._build_arguments_schema(*args, **kwargs) + + # define Arg Group "" + + _args_schema = cls._args_schema + _args_schema.resource_group = AAZResourceGroupNameArg( + required=True, + ) + _args_schema.vault_name = AAZStrArg( + options=["--vault-name"], + help="The name of the backup vault.", + required=True, + id_part="name", + ) + return cls._args_schema + + def _execute_operations(self): + self.pre_operations() + self.BackupVaultsGet(ctx=self.ctx)() + self.post_operations() + + @register_callback + def pre_operations(self): + pass + + @register_callback + def post_operations(self): + pass + + def _output(self, *args, **kwargs): + result = self.deserialize_output(self.ctx.vars.instance, client_flatten=False) + return result + + class BackupVaultsGet(AAZHttpOperation): + CLIENT_TYPE = "MgmtClient" + + def __call__(self, *args, **kwargs): + request = self.make_request() + session = self.client.send_request(request=request, stream=False, **kwargs) + if session.http_response.status_code in [200]: + return self.on_200(session) + + return self.on_error(session.http_response) + + @property + def url(self): + return self.client.format_url( + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}", + **self.url_parameters + ) + + @property + def method(self): + return "GET" + + @property + def error_format(self): + return "MgmtErrorFormat" + + @property + def url_parameters(self): + parameters = { + **self.serialize_url_param( + "resourceGroupName", self.ctx.args.resource_group, + required=True, + ), + **self.serialize_url_param( + "subscriptionId", self.ctx.subscription_id, + required=True, + ), + **self.serialize_url_param( + "vaultName", self.ctx.args.vault_name, + required=True, + ), + } + return parameters + + @property + def query_parameters(self): + parameters = { + **self.serialize_query_param( + "api-version", "2022-12-01", + required=True, + ), + } + return parameters + + @property + def header_parameters(self): + parameters = { + **self.serialize_header_param( + "Accept", "application/json", + ), + } + return parameters + + def on_200(self, session): + data = self.deserialize_http_content(session) + self.ctx.set_var( + "instance", + data, + schema_builder=self._build_schema_on_200 + ) + + _schema_on_200 = None + + @classmethod + def _build_schema_on_200(cls): + if cls._schema_on_200 is not None: + return cls._schema_on_200 + + cls._schema_on_200 = AAZObjectType() + + _schema_on_200 = cls._schema_on_200 + _schema_on_200.e_tag = AAZStrType( + serialized_name="eTag", + ) + _schema_on_200.id = AAZStrType( + flags={"read_only": True}, + ) + _schema_on_200.identity = AAZObjectType() + _schema_on_200.location = AAZStrType( + flags={"required": True}, + ) + _schema_on_200.name = AAZStrType( + flags={"read_only": True}, + ) + _schema_on_200.properties = AAZObjectType( + flags={"required": True}, + ) + _schema_on_200.system_data = AAZObjectType( + serialized_name="systemData", + flags={"read_only": True}, + ) + _schema_on_200.tags = AAZDictType() + _schema_on_200.type = AAZStrType( + flags={"read_only": True}, + ) + + identity = cls._schema_on_200.identity + identity.principal_id = AAZStrType( + serialized_name="principalId", + flags={"read_only": True}, + ) + identity.tenant_id = AAZStrType( + serialized_name="tenantId", + flags={"read_only": True}, + ) + identity.type = AAZStrType() + + properties = cls._schema_on_200.properties + properties.feature_settings = AAZObjectType( + serialized_name="featureSettings", + ) + properties.is_vault_protected_by_resource_guard = AAZBoolType( + serialized_name="isVaultProtectedByResourceGuard", + flags={"read_only": True}, + ) + properties.monitoring_settings = AAZObjectType( + serialized_name="monitoringSettings", + ) + properties.provisioning_state = AAZStrType( + serialized_name="provisioningState", + flags={"read_only": True}, + ) + properties.resource_move_details = AAZObjectType( + serialized_name="resourceMoveDetails", + ) + properties.resource_move_state = AAZStrType( + serialized_name="resourceMoveState", + flags={"read_only": True}, + ) + properties.security_settings = AAZObjectType( + serialized_name="securitySettings", + ) + properties.storage_settings = AAZListType( + serialized_name="storageSettings", + flags={"required": True}, + ) + + feature_settings = cls._schema_on_200.properties.feature_settings + feature_settings.cross_subscription_restore_settings = AAZObjectType( + serialized_name="crossSubscriptionRestoreSettings", + ) + + cross_subscription_restore_settings = cls._schema_on_200.properties.feature_settings.cross_subscription_restore_settings + cross_subscription_restore_settings.state = AAZStrType() + + monitoring_settings = cls._schema_on_200.properties.monitoring_settings + monitoring_settings.azure_monitor_alert_settings = AAZObjectType( + serialized_name="azureMonitorAlertSettings", + ) + + azure_monitor_alert_settings = cls._schema_on_200.properties.monitoring_settings.azure_monitor_alert_settings + azure_monitor_alert_settings.alerts_for_all_job_failures = AAZStrType( + serialized_name="alertsForAllJobFailures", + ) + + resource_move_details = cls._schema_on_200.properties.resource_move_details + resource_move_details.completion_time_utc = AAZStrType( + serialized_name="completionTimeUtc", + ) + resource_move_details.operation_id = AAZStrType( + serialized_name="operationId", + ) + resource_move_details.source_resource_path = AAZStrType( + serialized_name="sourceResourcePath", + ) + resource_move_details.start_time_utc = AAZStrType( + serialized_name="startTimeUtc", + ) + resource_move_details.target_resource_path = AAZStrType( + serialized_name="targetResourcePath", + ) + + security_settings = cls._schema_on_200.properties.security_settings + security_settings.immutability_settings = AAZObjectType( + serialized_name="immutabilitySettings", + ) + security_settings.soft_delete_settings = AAZObjectType( + serialized_name="softDeleteSettings", + ) + + immutability_settings = cls._schema_on_200.properties.security_settings.immutability_settings + immutability_settings.state = AAZStrType() + + soft_delete_settings = cls._schema_on_200.properties.security_settings.soft_delete_settings + soft_delete_settings.retention_duration_in_days = AAZFloatType( + serialized_name="retentionDurationInDays", + ) + soft_delete_settings.state = AAZStrType() + + storage_settings = cls._schema_on_200.properties.storage_settings + storage_settings.Element = AAZObjectType() + + _element = cls._schema_on_200.properties.storage_settings.Element + _element.datastore_type = AAZStrType( + serialized_name="datastoreType", + ) + _element.type = AAZStrType() + + system_data = cls._schema_on_200.system_data + system_data.created_at = AAZStrType( + serialized_name="createdAt", + ) + system_data.created_by = AAZStrType( + serialized_name="createdBy", + ) + system_data.created_by_type = AAZStrType( + serialized_name="createdByType", + ) + system_data.last_modified_at = AAZStrType( + serialized_name="lastModifiedAt", + ) + system_data.last_modified_by = AAZStrType( + serialized_name="lastModifiedBy", + ) + system_data.last_modified_by_type = AAZStrType( + serialized_name="lastModifiedByType", + ) + + tags = cls._schema_on_200.tags + tags.Element = AAZStrType() + + return cls._schema_on_200 + + +class _WaitHelper: + """Helper class for Wait""" + + +__all__ = ["Wait"] diff --git a/src/dataprotection/azext_dataprotection/azext_metadata.json b/src/dataprotection/azext_dataprotection/azext_metadata.json index cfc30c747c7..dffab06cd7e 100644 --- a/src/dataprotection/azext_dataprotection/azext_metadata.json +++ b/src/dataprotection/azext_dataprotection/azext_metadata.json @@ -1,4 +1,4 @@ { "azext.isExperimental": true, - "azext.minCliCoreVersion": "2.15.0" + "azext.minCliCoreVersion": "2.43.0" } \ No newline at end of file diff --git a/src/dataprotection/azext_dataprotection/generated/_help.py b/src/dataprotection/azext_dataprotection/generated/_help.py index 2fb29dddfa8..a7568878a54 100644 --- a/src/dataprotection/azext_dataprotection/generated/_help.py +++ b/src/dataprotection/azext_dataprotection/generated/_help.py @@ -17,86 +17,6 @@ short-summary: Manage Data Protection ''' -helps['dataprotection backup-vault'] = """ - type: group - short-summary: Manage backup vault with dataprotection -""" - -helps['dataprotection backup-vault show'] = """ - type: command - short-summary: "Returns a resource belonging to a resource group." - examples: - - name: Get BackupVault - text: |- - az dataprotection backup-vault show --resource-group "SampleResourceGroup" --vault-name \ -"swaggerExample" - - name: Get BackupVault With MSI - text: |- - az dataprotection backup-vault show --resource-group "SampleResourceGroup" --vault-name \ -"swaggerExample" -""" - -helps['dataprotection backup-vault create'] = """ - type: command - short-summary: "Create a BackupVault resource belonging to a resource group." - parameters: - - name: --storage-settings - short-summary: "Storage Settings" - long-summary: | - Usage: --storage-settings datastore-type=XX type=XX - - datastore-type: Gets or sets the type of the datastore. - type: Gets or sets the type. - - Multiple actions can be specified by using more than one --storage-settings argument. - examples: - - name: Create BackupVault - text: |- - az dataprotection backup-vault create --type "None" --location "WestUS" --azure-monitor-alerts-for-job-f\ -ailures "Enabled" --storage-settings type="LocallyRedundant" datastore-type="VaultStore" --tags key1="val1" \ ---resource-group "SampleResourceGroup" --vault-name "swaggerExample" - - name: Create BackupVault With MSI - text: |- - az dataprotection backup-vault create --type "systemAssigned" --location "WestUS" \ ---azure-monitor-alerts-for-job-failures "Enabled" --storage-settings type="LocallyRedundant" \ -datastore-type="VaultStore" --tags key1="val1" --resource-group "SampleResourceGroup" --vault-name "swaggerExample" -""" - -helps['dataprotection backup-vault update'] = """ - type: command - short-summary: "Updates a BackupVault resource belonging to a resource group. For example, updating tags for a \ -resource." - examples: - - name: Patch BackupVault - text: |- - az dataprotection backup-vault update --azure-monitor-alerts-for-job-failures "Enabled" --tags \ -newKey="newVal" --resource-group "SampleResourceGroup" --vault-name "swaggerExample" -""" - -helps['dataprotection backup-vault delete'] = """ - type: command - short-summary: "Deletes a BackupVault resource from the resource group." - examples: - - name: Delete BackupVault - text: |- - az dataprotection backup-vault delete --resource-group "SampleResourceGroup" --vault-name \ -"swaggerExample" -""" - -helps['dataprotection backup-vault wait'] = """ - type: command - short-summary: Place the CLI in a waiting state until a condition of the dataprotection backup-vault is met. - examples: - - name: Pause executing next line of CLI script until the dataprotection backup-vault is successfully created. - text: |- - az dataprotection backup-vault wait --resource-group "SampleResourceGroup" --vault-name \ -"swaggerExample" --created - - name: Pause executing next line of CLI script until the dataprotection backup-vault is successfully updated. - text: |- - az dataprotection backup-vault wait --resource-group "SampleResourceGroup" --vault-name \ -"swaggerExample" --updated -""" - helps['dataprotection backup-policy'] = """ type: group short-summary: Manage backup policy with dataprotection diff --git a/src/dataprotection/azext_dataprotection/generated/commands.py b/src/dataprotection/azext_dataprotection/generated/commands.py index 9b4da4add48..e593d04ae48 100644 --- a/src/dataprotection/azext_dataprotection/generated/commands.py +++ b/src/dataprotection/azext_dataprotection/generated/commands.py @@ -68,15 +68,6 @@ def load_command_table(self, _): - with self.command_group( - 'dataprotection backup-vault', dataprotection_backup_vault, client_factory=cf_backup_vault - ) as g: - g.custom_show_command('show', 'dataprotection_backup_vault_show') - g.custom_command('create', 'dataprotection_backup_vault_create', supports_no_wait=True) - g.custom_command('update', 'dataprotection_backup_vault_update', supports_no_wait=True) - g.custom_command('delete', 'dataprotection_backup_vault_delete', confirmation=True) - g.custom_wait_command('wait', 'dataprotection_backup_vault_show') - with self.command_group( 'dataprotection backup-policy', dataprotection_backup_policy, client_factory=cf_backup_policy ) as g: diff --git a/src/dataprotection/azext_dataprotection/generated/custom.py b/src/dataprotection/azext_dataprotection/generated/custom.py index f2a0d867e65..2640009d877 100644 --- a/src/dataprotection/azext_dataprotection/generated/custom.py +++ b/src/dataprotection/azext_dataprotection/generated/custom.py @@ -14,67 +14,6 @@ from azure.cli.core.util import sdk_no_wait -def dataprotection_backup_vault_show(client, - resource_group_name, - vault_name): - return client.get(resource_group_name=resource_group_name, - vault_name=vault_name) - - -def dataprotection_backup_vault_create(client, - resource_group_name, - vault_name, - storage_settings, - e_tag=None, - location=None, - tags=None, - type_=None, - alerts_for_all_job_failures=None, - no_wait=False): - parameters = {} - parameters['e_tag'] = e_tag - parameters['location'] = location - parameters['tags'] = tags - parameters['identity'] = {} - parameters['identity']['type'] = type_ - parameters['properties'] = {} - parameters['properties']['storage_settings'] = storage_settings - parameters['properties']['azure_monitor_alert_settings'] = {} - parameters['properties']['azure_monitor_alert_settings']['alerts_for_all_job_failures'] = alerts_for_all_job_failures - return sdk_no_wait(no_wait, - client.begin_create_or_update, - resource_group_name=resource_group_name, - vault_name=vault_name, - parameters=parameters) - - -def dataprotection_backup_vault_update(client, - resource_group_name, - vault_name, - tags=None, - alerts_for_all_job_failures=None, - type_=None, - no_wait=False): - parameters = {} - parameters['tags'] = tags - parameters['azure_monitor_alert_settings'] = {} - parameters['azure_monitor_alert_settings']['alerts_for_all_job_failures'] = alerts_for_all_job_failures - parameters['identity'] = {} - parameters['identity']['type'] = type_ - return sdk_no_wait(no_wait, - client.begin_update, - resource_group_name=resource_group_name, - vault_name=vault_name, - parameters=parameters) - - -def dataprotection_backup_vault_delete(client, - resource_group_name, - vault_name): - return client.delete(resource_group_name=resource_group_name, - vault_name=vault_name) - - def dataprotection_backup_policy_list(client, resource_group_name, vault_name): diff --git a/src/dataprotection/azext_dataprotection/manual/commands.py b/src/dataprotection/azext_dataprotection/manual/commands.py index 47a3cb0191e..3b3955339e4 100644 --- a/src/dataprotection/azext_dataprotection/manual/commands.py +++ b/src/dataprotection/azext_dataprotection/manual/commands.py @@ -64,11 +64,6 @@ def load_command_table(self, _): g.custom_command('initialize-for-data-recovery-as-files', 'restore_initialize_for_data_recovery_as_files') g.custom_command('initialize-for-item-recovery', 'restore_initialize_for_item_recovery') - with self.command_group('dataprotection backup-vault', exception_handler=exception_handler, client_factory=cf_backup_vault) as g: - g.custom_command('list', 'dataprotection_backup_vault_list') - g.custom_command('create', 'dataprotection_backup_vault_create', supports_no_wait=True) - g.custom_command('update', 'dataprotection_backup_vault_update', supports_no_wait=True) - with self.command_group('dataprotection resource-guard', exception_handler=exception_handler, client_factory=cf_resource_guard) as g: g.custom_command('list', 'dataprotection_resource_guard_list') g.custom_command('list-protected-operations', 'resource_guard_list_protected_operations') diff --git a/src/dataprotection/azext_dataprotection/manual/custom.py b/src/dataprotection/azext_dataprotection/manual/custom.py index 82ecae2e637..a78fc50a519 100644 --- a/src/dataprotection/azext_dataprotection/manual/custom.py +++ b/src/dataprotection/azext_dataprotection/manual/custom.py @@ -22,66 +22,6 @@ logger = get_logger(__name__) -def dataprotection_backup_vault_list(client, resource_group_name=None): - if resource_group_name is not None: - return client.get_in_resource_group(resource_group_name=resource_group_name) - return client.get_in_subscription() - - -def dataprotection_backup_vault_create(client, - resource_group_name, - vault_name, - storage_settings, - e_tag=None, - location=None, - tags=None, - type_=None, - alerts_for_all_job_failures=None, - no_wait=False): - parameters = {} - parameters['e_tag'] = e_tag - parameters['location'] = location - parameters['tags'] = tags - if type_ is not None: - parameters['identity'] = {} - parameters['identity']['type'] = type_ - parameters['properties'] = {} - parameters['properties']['storage_settings'] = storage_settings - if alerts_for_all_job_failures is not None: - parameters['properties']['monitoring_settings'] = {} - parameters['properties']['monitoring_settings']['azure_monitor_alert_settings'] = {} - parameters['properties']['monitoring_settings']['azure_monitor_alert_settings']['alerts_for_all_job_failures'] = alerts_for_all_job_failures - return sdk_no_wait(no_wait, - client.begin_create_or_update, - resource_group_name=resource_group_name, - vault_name=vault_name, - parameters=parameters) - - -def dataprotection_backup_vault_update(client, - resource_group_name, - vault_name, - tags=None, - alerts_for_all_job_failures=None, - type_=None, - no_wait=False): - parameters = {} - parameters['tags'] = tags - if alerts_for_all_job_failures is not None: - parameters['properties'] = {} - parameters['properties']['monitoring_settings'] = {} - parameters['properties']['monitoring_settings']['azure_monitor_alert_settings'] = {} - parameters['properties']['monitoring_settings']['azure_monitor_alert_settings']['alerts_for_all_job_failures'] = alerts_for_all_job_failures - if type_ is not None: - parameters['identity'] = {} - parameters['identity']['type'] = type_ - return sdk_no_wait(no_wait, - client.begin_update, - resource_group_name=resource_group_name, - vault_name=vault_name, - parameters=parameters) - - def dataprotection_resource_guard_list(client, resource_group_name=None): if resource_group_name is not None: return client.get_resources_in_resource_group(resource_group_name=resource_group_name) diff --git a/src/dataprotection/azext_dataprotection/manual/operations/custom_aaz.py b/src/dataprotection/azext_dataprotection/manual/operations/custom_aaz.py new file mode 100644 index 00000000000..e69de29bb2d diff --git a/src/dataprotection/azext_dataprotection/manual/tests/latest/test_dataprotection_scenario.py b/src/dataprotection/azext_dataprotection/manual/tests/latest/test_dataprotection_scenario.py index 9aed425cd72..abc35e87fa8 100644 --- a/src/dataprotection/azext_dataprotection/manual/tests/latest/test_dataprotection_scenario.py +++ b/src/dataprotection/azext_dataprotection/manual/tests/latest/test_dataprotection_scenario.py @@ -9,10 +9,10 @@ def setup(test): test.kwargs.update({ - "vaultName": "cli-test-new-vault", + "vaultName": "cli-test-new-vault1", "rg": "sarath-rg", - "diskname": "cli-test-disk-new", - "restorediskname": "cli-test-disk-new-restored", + "diskname": "cli-test-disk-new1", + "restorediskname": "cli-test-disk-new1-restored", "policyname": "diskpolicy", "storagepolicyname": "storagepolicy", "resourceGuardName": "cli-test-resource-guard", @@ -32,7 +32,8 @@ def setup(test): account_res = test.cmd('az account show').get_output_in_json() vault_res = test.cmd('az dataprotection backup-vault create ' '-g "{rg}" --vault-name "{vaultName}" -l centraluseuap ' - '--storage-settings datastore-type="VaultStore" type="LocallyRedundant" --type SystemAssigned', + '--storage-settings datastore-type="VaultStore" type="LocallyRedundant" --type SystemAssigned ' + '--soft-delete-state Off', checks=[]).get_output_in_json() # Update DPP Alerts @@ -110,7 +111,7 @@ def create_policy(test): def initialize_backup_instance(test): - backup_instance_guid = "b7e6f082-b310-11eb-8f55-9cfce85d4fae" + backup_instance_guid = "b7e6f082-b310-11eb-8f55-9cfce85d4fa1" backup_instance_json = test.cmd('az dataprotection backup-instance initialize --datasource-type AzureDisk' ' -l centraluseuap --policy-id "{policyid}" --datasource-id "{diskid}" --snapshot-rg "{rg}" --tags Owner=dppclitest').get_output_in_json() backup_instance_json["backup_instance_name"] = test.kwargs['diskname'] + "-" + test.kwargs['diskname'] + "-" + backup_instance_guid @@ -127,7 +128,7 @@ def initialize_backup_instance(test): "storage_backup_instance_name": backup_instance_json["backup_instance_name"] }) - backup_instance_guid = "faec6818-0720-11ec-bd1b-c8f750f92764" + backup_instance_guid = "faec6818-0720-11ec-bd1b-c8f750f92761" backup_instance_json = test.cmd('az dataprotection backup-instance initialize --datasource-type AzureDatabaseForPostgreSQL' ' -l centraluseuap --policy-id "{serverpolicyid}" --datasource-id "{ossdbid}" --secret-store-type AzureKeyVault --secret-store-uri "{secretstoreuri}"').get_output_in_json() backup_instance_json["backup_instance_name"] = test.kwargs['ossserver'] + "-" + test.kwargs['ossdb'] + "-" + backup_instance_guid @@ -138,13 +139,13 @@ def initialize_backup_instance(test): def assign_permissions_and_validate(test): - # run only in record mode - grant permission + # uncomment when running live, run only in record mode - grant permission # test.cmd('az dataprotection backup-instance update-msi-permissions --datasource-type AzureDisk --operation Backup --permissions-scope Resource -g "{rg}" --vault-name "{vaultName}" --backup-instance "{backup_instance_json}" --yes').get_output_in_json() # test.cmd('az dataprotection backup-instance update-msi-permissions --datasource-type AzureBlob --operation Backup --permissions-scope Resource -g "{rg}" --vault-name "{vaultName}" --backup-instance "{storage_backup_instance_json}" --yes').get_output_in_json() # test.cmd('az dataprotection backup-instance update-msi-permissions --datasource-type AzureDatabaseForPostgreSQL --permissions-scope Resource -g "{serverrgname}" --vault-name "{servervaultname}" --operation Backup --backup-instance "{server_backup_instance_json}" --keyvault-id "{keyvaultid}" --yes') # test.cmd('az role assignment create --assignee "{principalId}" --role "Disk Restore Operator" --scope "{rgid}"') - # time.sleep(120) # Wait for permissions to propagate + time.sleep(120) # Wait for permissions to propagate test.cmd('az dataprotection backup-instance validate-for-backup -g "{rg}" --vault-name "{vaultName}" --backup-instance "{backup_instance_json}"', checks=[ test.check('objectType', 'OperationJobExtendedInfo') @@ -156,7 +157,7 @@ def assign_permissions_and_validate(test): test.check('objectType', 'OperationJobExtendedInfo') ]) - # run only in record mode - reset firewall rule + # uncomment when running live, run only in record mode - reset firewall rule # test.cmd('az postgres server firewall-rule delete -g "{serverrgname}" -s "{ossserver}" -n AllowAllWindowsAzureIps --yes') diff --git a/src/dataprotection/azext_dataprotection/manual/version.py b/src/dataprotection/azext_dataprotection/manual/version.py index 285e6f14af5..d6cf51346e9 100644 --- a/src/dataprotection/azext_dataprotection/manual/version.py +++ b/src/dataprotection/azext_dataprotection/manual/version.py @@ -8,4 +8,4 @@ # regenerated. # -------------------------------------------------------------------------- -VERSION = "0.6.0" +VERSION = "0.7.0" diff --git a/src/dataprotection/azext_dataprotection/tests/latest/recordings/test_dataprotection_Scenario.yaml b/src/dataprotection/azext_dataprotection/tests/latest/recordings/test_dataprotection_Scenario.yaml index 4e245a45000..1fddda56f74 100644 --- a/src/dataprotection/azext_dataprotection/tests/latest/recordings/test_dataprotection_Scenario.yaml +++ b/src/dataprotection/azext_dataprotection/tests/latest/recordings/test_dataprotection_Scenario.yaml @@ -1,7 +1,8 @@ interactions: - request: body: '{"identity": {"type": "SystemAssigned"}, "location": "centraluseuap", "properties": - {"storageSettings": [{"datastoreType": "VaultStore", "type": "LocallyRedundant"}]}}' + {"securitySettings": {"softDeleteSettings": {"state": "Off"}}, "storageSettings": + [{"datastoreType": "VaultStore", "type": "LocallyRedundant"}]}}' headers: Accept: - application/json @@ -12,29 +13,29 @@ interactions: Connection: - keep-alive Content-Length: - - '167' + - '229' Content-Type: - application/json ParameterSetName: - - -g --vault-name -l --storage-settings --type + - -g --vault-name -l --storage-settings --type --soft-delete-state User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1?api-version=2022-12-01 response: body: - string: '{"location":"centraluseuap","properties":{"provisioningState":"Provisioning","storageSettings":[{"datastoreType":"VaultStore","type":"LocallyRedundant"}],"isVaultProtectedByResourceGuard":false},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault","name":"cli-test-new-vault","type":"Microsoft.DataProtection/backupVaults"}' + string: '{"location":"centraluseuap","identity":{"type":"SystemAssigned","principalId":"41753b57-b4fa-4774-80aa-414a3af0f706","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"properties":{"provisioningState":"Provisioning","storageSettings":[{"datastoreType":"VaultStore","type":"LocallyRedundant"}],"isVaultProtectedByResourceGuard":false,"securitySettings":{"softDeleteSettings":{"state":"Off","retentionDurationInDays":0.0}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1","name":"cli-test-new-vault1","type":"Microsoft.DataProtection/backupVaults"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2E3NzBlNGUzLTExMjAtNDRmOS05YTUwLWRkNGViNzg0YjdhMQ==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzA2ZWNjMjU4LWRhMWYtNGZjNS04YjRhLWNiZmI5Y2JjMGJhMg==?api-version=2022-12-01 cache-control: - no-cache content-length: - - '421' + - '651' content-type: - application/json date: - - Mon, 05 Sep 2022 11:45:46 GMT + - Mon, 13 Feb 2023 07:30:30 GMT expires: - '-1' pragma: @@ -46,7 +47,7 @@ interactions: x-content-type-options: - nosniff x-ms-arm-resource-system-data: - - '{"createdBy":"akneema@microsoft.com","createdByType":"User","createdAt":"2022-09-05T11:45:41.9786222Z","lastModifiedBy":"akneema@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-05T11:45:41.9786222Z"}' + - '{"createdBy":"zubairabid@microsoft.com","createdByType":"User","createdAt":"2023-02-13T07:30:29.6423096Z","lastModifiedBy":"zubairabid@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-13T07:30:29.6423096Z"}' x-ms-ratelimit-remaining-subscription-resource-requests: - '99' x-powered-by: @@ -66,23 +67,23 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g --vault-name -l --storage-settings --type + - -g --vault-name -l --storage-settings --type --soft-delete-state User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2E3NzBlNGUzLTExMjAtNDRmOS05YTUwLWRkNGViNzg0YjdhMQ==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzA2ZWNjMjU4LWRhMWYtNGZjNS04YjRhLWNiZmI5Y2JjMGJhMg==?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2E3NzBlNGUzLTExMjAtNDRmOS05YTUwLWRkNGViNzg0YjdhMQ==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2E3NzBlNGUzLTExMjAtNDRmOS05YTUwLWRkNGViNzg0YjdhMQ==","status":"Succeeded","startTime":"2022-09-05T11:45:45.9303448Z","endTime":"2022-09-05T11:45:47Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzA2ZWNjMjU4LWRhMWYtNGZjNS04YjRhLWNiZmI5Y2JjMGJhMg==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzA2ZWNjMjU4LWRhMWYtNGZjNS04YjRhLWNiZmI5Y2JjMGJhMg==","status":"Succeeded","startTime":"2023-02-13T07:30:30.6839253Z","endTime":"2023-02-13T07:30:31Z"}' headers: cache-control: - no-cache content-length: - - '476' + - '477' content-type: - application/json date: - - Mon, 05 Sep 2022 11:45:57 GMT + - Mon, 13 Feb 2023 07:30:40 GMT expires: - '-1' pragma: @@ -98,7 +99,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '996' + - '999' x-powered-by: - ASP.NET status: @@ -116,23 +117,23 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g --vault-name -l --storage-settings --type + - -g --vault-name -l --storage-settings --type --soft-delete-state User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1?api-version=2022-12-01 response: body: - string: '{"location":"centraluseuap","identity":{"type":"SystemAssigned","principalId":"f41bd262-eb21-47f1-9706-f12132d865e3","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"properties":{"provisioningState":"Succeeded","storageSettings":[{"datastoreType":"VaultStore","type":"LocallyRedundant"}],"isVaultProtectedByResourceGuard":false},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault","name":"cli-test-new-vault","type":"Microsoft.DataProtection/backupVaults"}' + string: '{"location":"centraluseuap","identity":{"type":"SystemAssigned","principalId":"41753b57-b4fa-4774-80aa-414a3af0f706","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"properties":{"provisioningState":"Succeeded","storageSettings":[{"datastoreType":"VaultStore","type":"LocallyRedundant"}],"isVaultProtectedByResourceGuard":false,"securitySettings":{"softDeleteSettings":{"state":"Off","retentionDurationInDays":0.0}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1","name":"cli-test-new-vault1","type":"Microsoft.DataProtection/backupVaults"}' headers: cache-control: - no-cache content-length: - - '558' + - '648' content-type: - application/json date: - - Mon, 05 Sep 2022 11:45:58 GMT + - Mon, 13 Feb 2023 07:30:40 GMT expires: - '-1' pragma: @@ -148,15 +149,14 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '498' + - '499' x-powered-by: - ASP.NET status: code: 200 message: OK - request: - body: '{"properties": {"monitoringSettings": {"azureMonitorAlertSettings": {"alertsForAllJobFailures": - "Enabled"}}}}' + body: null headers: Accept: - application/json @@ -166,28 +166,24 @@ interactions: - dataprotection backup-vault update Connection: - keep-alive - Content-Length: - - '109' - Content-Type: - - application/json ParameterSetName: - -g --vault-name --azure-monitor-alerts-for-job-failures User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) - method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault?api-version=2022-05-01 + - AZURECLI/2.45.0 (PIP) (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1?api-version=2022-12-01 response: body: - string: '{"location":"centraluseuap","identity":{"type":"SystemAssigned","principalId":"f41bd262-eb21-47f1-9706-f12132d865e3","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"properties":{"provisioningState":"Succeeded","storageSettings":[{"datastoreType":"VaultStore","type":"LocallyRedundant"}],"isVaultProtectedByResourceGuard":false,"monitoringSettings":{"azureMonitorAlertSettings":{"alertsForAllJobFailures":"Enabled"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault","name":"cli-test-new-vault","type":"Microsoft.DataProtection/backupVaults"}' + string: '{"location":"centraluseuap","identity":{"type":"SystemAssigned","principalId":"41753b57-b4fa-4774-80aa-414a3af0f706","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"properties":{"provisioningState":"Succeeded","storageSettings":[{"datastoreType":"VaultStore","type":"LocallyRedundant"}],"isVaultProtectedByResourceGuard":false,"securitySettings":{"softDeleteSettings":{"state":"Off","retentionDurationInDays":0.0}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1","name":"cli-test-new-vault1","type":"Microsoft.DataProtection/backupVaults"}' headers: cache-control: - no-cache content-length: - - '647' + - '648' content-type: - application/json date: - - Mon, 05 Sep 2022 11:46:02 GMT + - Mon, 13 Feb 2023 07:30:43 GMT expires: - '-1' pragma: @@ -202,18 +198,19 @@ interactions: - Accept-Encoding x-content-type-options: - nosniff - x-ms-arm-resource-system-data: - - '{"lastModifiedBy":"akneema@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-05T11:46:01.2697653Z"}' x-ms-ratelimit-remaining-subscription-resource-requests: - - '99' + - '498' x-powered-by: - ASP.NET status: code: 200 message: OK - request: - body: '{"properties": {"monitoringSettings": {"azureMonitorAlertSettings": {"alertsForAllJobFailures": - "Disabled"}}}}' + body: '{"identity": {"type": "SystemAssigned"}, "location": "centraluseuap", "properties": + {"monitoringSettings": {"azureMonitorAlertSettings": {"alertsForAllJobFailures": + "Enabled"}}, "securitySettings": {"softDeleteSettings": {"retentionDurationInDays": + 0.0, "state": "Off"}}, "storageSettings": [{"datastoreType": "VaultStore", "type": + "LocallyRedundant"}]}}' headers: Accept: - application/json @@ -224,27 +221,29 @@ interactions: Connection: - keep-alive Content-Length: - - '110' + - '354' Content-Type: - application/json ParameterSetName: - -g --vault-name --azure-monitor-alerts-for-job-failures User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) - method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault?api-version=2022-05-01 + - AZURECLI/2.45.0 (PIP) (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1?api-version=2022-12-01 response: body: - string: '{"location":"centraluseuap","identity":{"type":"SystemAssigned","principalId":"f41bd262-eb21-47f1-9706-f12132d865e3","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"properties":{"provisioningState":"Succeeded","storageSettings":[{"datastoreType":"VaultStore","type":"LocallyRedundant"}],"isVaultProtectedByResourceGuard":false,"monitoringSettings":{"azureMonitorAlertSettings":{"alertsForAllJobFailures":"Disabled"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault","name":"cli-test-new-vault","type":"Microsoft.DataProtection/backupVaults"}' + string: '{"location":"centraluseuap","identity":{"type":"SystemAssigned","principalId":"41753b57-b4fa-4774-80aa-414a3af0f706","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"properties":{"provisioningState":"Updating","storageSettings":[{"datastoreType":"VaultStore","type":"LocallyRedundant"}],"isVaultProtectedByResourceGuard":false,"monitoringSettings":{"azureMonitorAlertSettings":{"alertsForAllJobFailures":"Enabled"}},"securitySettings":{"softDeleteSettings":{"state":"Off","retentionDurationInDays":0.0}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1","name":"cli-test-new-vault1","type":"Microsoft.DataProtection/backupVaults"}' headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2IwNmYzZDc5LTY5MGYtNGMxNS04ZmVkLTcxNTdhNzhiY2Q4Yw==?api-version=2022-12-01 cache-control: - no-cache content-length: - - '648' + - '736' content-type: - application/json date: - - Mon, 05 Sep 2022 11:46:06 GMT + - Mon, 13 Feb 2023 07:30:43 GMT expires: - '-1' pragma: @@ -253,125 +252,67 @@ interactions: - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding x-content-type-options: - nosniff x-ms-arm-resource-system-data: - - '{"lastModifiedBy":"akneema@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-05T11:46:05.0726517Z"}' + - '{"lastModifiedBy":"zubairabid@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-13T07:30:43.4921977Z"}' x-ms-ratelimit-remaining-subscription-resource-requests: - - '99' + - '98' x-powered-by: - ASP.NET status: - code: 200 - message: OK + code: 201 + message: Created - request: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - disk create + - dataprotection backup-vault update Connection: - keep-alive ParameterSetName: - - -g -n --size-gb + - -g --vault-name --azure-monitor-alerts-for-job-failures User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg?api-version=2021-04-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2IwNmYzZDc5LTY5MGYtNGMxNS04ZmVkLTcxNTdhNzhiY2Q4Yw==?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","name":"sarath-rg","type":"Microsoft.Resources/resourceGroups","location":"centraluseuap","tags":{},"properties":{"provisioningState":"Succeeded"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2IwNmYzZDc5LTY5MGYtNGMxNS04ZmVkLTcxNTdhNzhiY2Q4Yw==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2IwNmYzZDc5LTY5MGYtNGMxNS04ZmVkLTcxNTdhNzhiY2Q4Yw==","status":"Succeeded","startTime":"2023-02-13T07:30:43.6990429Z","endTime":"2023-02-13T07:30:44Z"}' headers: cache-control: - no-cache content-length: - - '232' + - '477' content-type: - - application/json; charset=utf-8 + - application/json date: - - Mon, 05 Sep 2022 11:46:07 GMT + - Mon, 13 Feb 2023 07:30:54 GMT expires: - '-1' pragma: - no-cache + server: + - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked vary: - Accept-Encoding x-content-type-options: - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '998' + x-powered-by: + - ASP.NET status: code: 200 message: OK -- request: - body: '{"location": "centraluseuap", "tags": {}, "sku": {"name": "Premium_LRS"}, - "properties": {"hyperVGeneration": "V1", "creationData": {"createOption": "Empty"}, - "diskSizeGB": 4}}' - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - disk create - Connection: - - keep-alive - Content-Length: - - '175' - Content-Type: - - application/json - ParameterSetName: - - -g -n --size-gb - User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-compute/27.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new?api-version=2022-03-02 - response: - body: - string: "{\r\n \"name\": \"cli-test-disk-new\",\r\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new\",\r\n - \ \"location\": \"centraluseuap\",\r\n \"tags\": {},\r\n \"sku\": {\r\n - \ \"name\": \"Premium_LRS\"\r\n },\r\n \"properties\": {\r\n \"hyperVGeneration\": - \"V1\",\r\n \"creationData\": {\r\n \"createOption\": \"Empty\"\r\n - \ },\r\n \"diskSizeGB\": 4,\r\n \"provisioningState\": \"Updating\",\r\n - \ \"isArmResource\": true\r\n }\r\n}" - headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/centraluseuap/DiskOperations/523cf947-1134-4b7b-a364-21ace2fdd32f?p=814d4482-f746-4961-be2b-b822c13856d2&api-version=2022-03-02 - cache-control: - - no-cache - content-length: - - '473' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 05 Sep 2022 11:46:14 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/centraluseuap/DiskOperations/523cf947-1134-4b7b-a364-21ace2fdd32f?p=814d4482-f746-4961-be2b-b822c13856d2&monitor=true&api-version=2022-03-02 - pragma: - - no-cache - server: - - Microsoft-HTTPAPI/2.0 - - Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-resource: - - Microsoft.Compute/CreateUpdateDisks3Min;999,Microsoft.Compute/CreateUpdateDisks30Min;7998 - x-ms-ratelimit-remaining-subscription-writes: - - '1199' - status: - code: 202 - message: Accepted - request: body: null headers: @@ -380,48 +321,33 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - disk create + - dataprotection backup-vault update Connection: - keep-alive ParameterSetName: - - -g -n --size-gb + - -g --vault-name --azure-monitor-alerts-for-job-failures User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-compute/27.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/centraluseuap/DiskOperations/523cf947-1134-4b7b-a364-21ace2fdd32f?p=814d4482-f746-4961-be2b-b822c13856d2&api-version=2022-03-02 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1?api-version=2022-12-01 response: body: - string: "{\r\n \"startTime\": \"2022-09-05T11:46:13.9833821+00:00\",\r\n \"endTime\": - \"2022-09-05T11:46:14.0933811+00:00\",\r\n \"status\": \"Succeeded\",\r\n - \ \"properties\": {\r\n \"output\": {\r\n \"name\": \"cli-test-disk-new\",\r\n - \ \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new\",\r\n - \ \"type\": \"Microsoft.Compute/disks\",\r\n \"location\": \"centraluseuap\",\r\n - \ \"tags\": {},\r\n \"sku\": {\r\n \"name\": \"Premium_LRS\",\r\n \"tier\": - \"Premium\"\r\n },\r\n \"properties\": {\r\n \"hyperVGeneration\": \"V1\",\r\n - \ \"creationData\": {\r\n \"createOption\": \"Empty\"\r\n },\r\n - \ \"diskSizeGB\": 4,\r\n \"diskIOPSReadWrite\": 120,\r\n \"diskMBpsReadWrite\": - 25,\r\n \"encryption\": {\r\n \"type\": \"EncryptionAtRestWithPlatformKey\"\r\n - \ },\r\n \"networkAccessPolicy\": \"AllowAll\",\r\n \"publicNetworkAccess\": - \"Enabled\",\r\n \"timeCreated\": \"2022-09-05T11:46:13.9833821+00:00\",\r\n - \ \"provisioningState\": \"Succeeded\",\r\n \"diskState\": \"Unattached\",\r\n - \ \"diskSizeBytes\": 4294967296,\r\n \"uniqueId\": \"3173eb4b-b646-456a-aeee-7caec3322627\",\r\n - \ \"tier\": \"P1\"\r\n }\r\n}\r\n },\r\n \"name\": \"523cf947-1134-4b7b-a364-21ace2fdd32f\"\r\n}" + string: '{"location":"centraluseuap","identity":{"type":"SystemAssigned","principalId":"41753b57-b4fa-4774-80aa-414a3af0f706","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"properties":{"provisioningState":"Succeeded","storageSettings":[{"datastoreType":"VaultStore","type":"LocallyRedundant"}],"isVaultProtectedByResourceGuard":false,"monitoringSettings":{"azureMonitorAlertSettings":{"alertsForAllJobFailures":"Enabled"}},"securitySettings":{"softDeleteSettings":{"state":"Off","retentionDurationInDays":0.0}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1","name":"cli-test-new-vault1","type":"Microsoft.DataProtection/backupVaults"}' headers: cache-control: - no-cache content-length: - - '1150' + - '737' content-type: - - application/json; charset=utf-8 + - application/json date: - - Mon, 05 Sep 2022 11:46:16 GMT + - Mon, 13 Feb 2023 07:30:54 GMT expires: - '-1' pragma: - no-cache server: - - Microsoft-HTTPAPI/2.0 - - Microsoft-HTTPAPI/2.0 + - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -430,8 +356,10 @@ interactions: - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-resource: - - Microsoft.Compute/GetOperation3Min;49999,Microsoft.Compute/GetOperation30Min;399969 + x-ms-ratelimit-remaining-subscription-resource-requests: + - '497' + x-powered-by: + - ASP.NET status: code: 200 message: OK @@ -439,49 +367,37 @@ interactions: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - disk create + - dataprotection backup-vault update Connection: - keep-alive ParameterSetName: - - -g -n --size-gb + - -g --vault-name --azure-monitor-alerts-for-job-failures User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-compute/27.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new?api-version=2022-03-02 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1?api-version=2022-12-01 response: body: - string: "{\r\n \"name\": \"cli-test-disk-new\",\r\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new\",\r\n - \ \"type\": \"Microsoft.Compute/disks\",\r\n \"location\": \"centraluseuap\",\r\n - \ \"tags\": {},\r\n \"sku\": {\r\n \"name\": \"Premium_LRS\",\r\n \"tier\": - \"Premium\"\r\n },\r\n \"properties\": {\r\n \"hyperVGeneration\": \"V1\",\r\n - \ \"creationData\": {\r\n \"createOption\": \"Empty\"\r\n },\r\n - \ \"diskSizeGB\": 4,\r\n \"diskIOPSReadWrite\": 120,\r\n \"diskMBpsReadWrite\": - 25,\r\n \"encryption\": {\r\n \"type\": \"EncryptionAtRestWithPlatformKey\"\r\n - \ },\r\n \"networkAccessPolicy\": \"AllowAll\",\r\n \"publicNetworkAccess\": - \"Enabled\",\r\n \"timeCreated\": \"2022-09-05T11:46:13.9833821+00:00\",\r\n - \ \"provisioningState\": \"Succeeded\",\r\n \"diskState\": \"Unattached\",\r\n - \ \"diskSizeBytes\": 4294967296,\r\n \"uniqueId\": \"3173eb4b-b646-456a-aeee-7caec3322627\",\r\n - \ \"tier\": \"P1\"\r\n }\r\n}" + string: '{"location":"centraluseuap","identity":{"type":"SystemAssigned","principalId":"41753b57-b4fa-4774-80aa-414a3af0f706","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"properties":{"provisioningState":"Succeeded","storageSettings":[{"datastoreType":"VaultStore","type":"LocallyRedundant"}],"isVaultProtectedByResourceGuard":false,"monitoringSettings":{"azureMonitorAlertSettings":{"alertsForAllJobFailures":"Enabled"}},"securitySettings":{"softDeleteSettings":{"state":"Off","retentionDurationInDays":0.0}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1","name":"cli-test-new-vault1","type":"Microsoft.DataProtection/backupVaults"}' headers: cache-control: - no-cache content-length: - - '925' + - '737' content-type: - - application/json; charset=utf-8 + - application/json date: - - Mon, 05 Sep 2022 11:46:16 GMT + - Mon, 13 Feb 2023 07:30:55 GMT expires: - '-1' pragma: - no-cache server: - - Microsoft-HTTPAPI/2.0 - - Microsoft-HTTPAPI/2.0 + - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -490,62 +406,71 @@ interactions: - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-resource: - - Microsoft.Compute/LowCostGet3Min;14999,Microsoft.Compute/LowCostGet30Min;119857 + x-ms-ratelimit-remaining-subscription-resource-requests: + - '497' + x-powered-by: + - ASP.NET status: code: 200 message: OK - request: - body: '{"sku": {"name": "Standard_RAGRS"}, "kind": "StorageV2", "location": "centraluseuap", - "properties": {"encryption": {"services": {"blob": {}}, "keySource": "Microsoft.Storage"}}}' + body: '{"identity": {"type": "SystemAssigned"}, "location": "centraluseuap", "properties": + {"monitoringSettings": {"azureMonitorAlertSettings": {"alertsForAllJobFailures": + "Disabled"}}, "securitySettings": {"softDeleteSettings": {"retentionDurationInDays": + 0.0, "state": "Off"}}, "storageSettings": [{"datastoreType": "VaultStore", "type": + "LocallyRedundant"}]}}' headers: Accept: - application/json Accept-Encoding: - gzip, deflate CommandName: - - storage account create + - dataprotection backup-vault update Connection: - keep-alive Content-Length: - - '177' + - '355' Content-Type: - application/json ParameterSetName: - - -g -n -l + - -g --vault-name --azure-monitor-alerts-for-job-failures User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1?api-version=2022-12-01 response: body: - string: '' + string: '{"location":"centraluseuap","identity":{"type":"SystemAssigned","principalId":"41753b57-b4fa-4774-80aa-414a3af0f706","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"properties":{"provisioningState":"Updating","storageSettings":[{"datastoreType":"VaultStore","type":"LocallyRedundant"}],"isVaultProtectedByResourceGuard":false,"monitoringSettings":{"azureMonitorAlertSettings":{"alertsForAllJobFailures":"Disabled"}},"securitySettings":{"softDeleteSettings":{"state":"Off","retentionDurationInDays":0.0}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1","name":"cli-test-new-vault1","type":"Microsoft.DataProtection/backupVaults"}' headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzE3ZWVlZDQ0LWM4YmEtNGZkYS05ODg4LTk0ZTU0MzQ1NjgwZQ==?api-version=2022-12-01 cache-control: - no-cache content-length: - - '0' + - '737' content-type: - - text/plain; charset=utf-8 + - application/json date: - - Mon, 05 Sep 2022 11:46:29 GMT + - Mon, 13 Feb 2023 07:30:56 GMT expires: - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1198' + x-ms-arm-resource-system-data: + - '{"lastModifiedBy":"zubairabid@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-13T07:30:56.6021207Z"}' + x-ms-ratelimit-remaining-subscription-resource-requests: + - '98' + x-powered-by: + - ASP.NET status: - code: 202 - message: Accepted + code: 201 + message: Created - request: body: null headers: @@ -554,42 +479,48 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - storage account create + - dataprotection backup-vault update Connection: - keep-alive ParameterSetName: - - -g -n -l + - -g --vault-name --azure-monitor-alerts-for-job-failures User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzE3ZWVlZDQ0LWM4YmEtNGZkYS05ODg4LTk0ZTU0MzQ1NjgwZQ==?api-version=2022-12-01 response: body: - string: '' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzE3ZWVlZDQ0LWM4YmEtNGZkYS05ODg4LTk0ZTU0MzQ1NjgwZQ==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzE3ZWVlZDQ0LWM4YmEtNGZkYS05ODg4LTk0ZTU0MzQ1NjgwZQ==","status":"Succeeded","startTime":"2023-02-13T07:30:56.8720508Z","endTime":"2023-02-13T07:30:57Z"}' headers: cache-control: - no-cache content-length: - - '0' + - '477' content-type: - - text/plain; charset=utf-8 + - application/json date: - - Mon, 05 Sep 2022 11:46:46 GMT + - Mon, 13 Feb 2023 07:31:07 GMT expires: - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding x-content-type-options: - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '998' + x-powered-by: + - ASP.NET status: - code: 202 - message: Accepted + code: 200 + message: OK - request: body: null headers: @@ -598,127 +529,151 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - storage account create + - dataprotection backup-vault update Connection: - keep-alive ParameterSetName: - - -g -n -l + - -g --vault-name --azure-monitor-alerts-for-job-failures User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1?api-version=2022-12-01 response: body: - string: '' + string: '{"location":"centraluseuap","identity":{"type":"SystemAssigned","principalId":"41753b57-b4fa-4774-80aa-414a3af0f706","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"properties":{"provisioningState":"Succeeded","storageSettings":[{"datastoreType":"VaultStore","type":"LocallyRedundant"}],"isVaultProtectedByResourceGuard":false,"monitoringSettings":{"azureMonitorAlertSettings":{"alertsForAllJobFailures":"Disabled"}},"securitySettings":{"softDeleteSettings":{"state":"Off","retentionDurationInDays":0.0}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1","name":"cli-test-new-vault1","type":"Microsoft.DataProtection/backupVaults"}' headers: cache-control: - no-cache content-length: - - '0' + - '738' content-type: - - text/plain; charset=utf-8 + - application/json date: - - Mon, 05 Sep 2022 11:46:50 GMT + - Mon, 13 Feb 2023 07:31:07 GMT expires: - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding x-content-type-options: - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '496' + x-powered-by: + - ASP.NET status: - code: 202 - message: Accepted + code: 200 + message: OK - request: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - storage account create + - disk create Connection: - keep-alive ParameterSetName: - - -g -n -l + - -g -n --size-gb User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg?api-version=2021-04-01 response: body: - string: '' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","name":"sarath-rg","type":"Microsoft.Resources/resourceGroups","location":"centraluseuap","tags":{},"properties":{"provisioningState":"Succeeded"}}' headers: cache-control: - no-cache content-length: - - '0' + - '232' content-type: - - text/plain; charset=utf-8 + - application/json; charset=utf-8 date: - - Mon, 05 Sep 2022 11:46:53 GMT + - Mon, 13 Feb 2023 07:31:09 GMT expires: - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 strict-transport-security: - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding x-content-type-options: - nosniff status: - code: 202 - message: Accepted + code: 200 + message: OK - request: - body: null + body: '{"location": "centraluseuap", "tags": {}, "sku": {"name": "Premium_LRS"}, + "properties": {"hyperVGeneration": "V1", "creationData": {"createOption": "Empty"}, + "diskSizeGB": 4}}' headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - storage account create + - disk create Connection: - keep-alive + Content-Length: + - '175' + Content-Type: + - application/json ParameterSetName: - - -g -n -l + - -g -n --size-gb User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-compute/29.1.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1?api-version=2022-07-02 response: body: - string: '' + string: "{\r\n \"name\": \"cli-test-disk-new1\",\r\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1\"\ + ,\r\n \"type\": \"Microsoft.Compute/disks\",\r\n \"location\": \"centraluseuap\"\ + ,\r\n \"tags\": {},\r\n \"sku\": {\r\n \"name\": \"Premium_LRS\"\r\n\ + \ },\r\n \"properties\": {\r\n \"hyperVGeneration\": \"V1\",\r\n \"\ + creationData\": {\r\n \"createOption\": \"Empty\"\r\n },\r\n \"\ + diskSizeGB\": 4,\r\n \"provisioningState\": \"Updating\"\r\n }\r\n}" headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/centraluseuap/DiskOperations/1be34327-84e0-49f6-92f3-6b3bc936c905?p=814d4482-f746-4961-be2b-b822c13856d2&api-version=2022-07-02 cache-control: - no-cache content-length: - - '0' + - '485' content-type: - - text/plain; charset=utf-8 + - application/json; charset=utf-8 date: - - Mon, 05 Sep 2022 11:46:56 GMT + - Mon, 13 Feb 2023 07:31:10 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/centraluseuap/DiskOperations/1be34327-84e0-49f6-92f3-6b3bc936c905?p=814d4482-f746-4961-be2b-b822c13856d2&monitor=true&api-version=2022-07-02 pragma: - no-cache server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + - Microsoft-HTTPAPI/2.0 + - Microsoft-HTTPAPI/2.0 strict-transport-security: - max-age=31536000; includeSubDomains x-content-type-options: - nosniff + x-ms-ratelimit-remaining-resource: + - Microsoft.Compute/CreateUpdateDisks3Min;999,Microsoft.Compute/CreateUpdateDisks30Min;7998 + x-ms-ratelimit-remaining-subscription-writes: + - '1196' status: code: 202 message: Accepted @@ -730,42 +685,64 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - storage account create + - disk create Connection: - keep-alive ParameterSetName: - - -g -n -l + - -g -n --size-gb User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-compute/29.1.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/centraluseuap/DiskOperations/1be34327-84e0-49f6-92f3-6b3bc936c905?p=814d4482-f746-4961-be2b-b822c13856d2&api-version=2022-07-02 response: body: - string: '' + string: "{\r\n \"startTime\": \"2023-02-13T07:31:11.5111875+00:00\",\r\n \"\ + endTime\": \"2023-02-13T07:31:11.6049407+00:00\",\r\n \"status\": \"Succeeded\"\ + ,\r\n \"properties\": {\r\n \"output\": {\r\n \"name\": \"cli-test-disk-new1\"\ + ,\r\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1\"\ + ,\r\n \"type\": \"Microsoft.Compute/disks\",\r\n \"location\": \"centraluseuap\"\ + ,\r\n \"tags\": {},\r\n \"sku\": {\r\n \"name\": \"Premium_LRS\",\r\n\ + \ \"tier\": \"Premium\"\r\n },\r\n \"properties\": {\r\n \"hyperVGeneration\"\ + : \"V1\",\r\n \"creationData\": {\r\n \"createOption\": \"Empty\"\r\ + \n },\r\n \"diskSizeGB\": 4,\r\n \"diskIOPSReadWrite\": 120,\r\n\ + \ \"diskMBpsReadWrite\": 25,\r\n \"encryption\": {\r\n \"type\"\ + : \"EncryptionAtRestWithPlatformKey\"\r\n },\r\n \"networkAccessPolicy\"\ + : \"AllowAll\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"timeCreated\"\ + : \"2023-02-13T07:31:11.5111875+00:00\",\r\n \"provisioningState\": \"\ + Succeeded\",\r\n \"diskState\": \"Unattached\",\r\n \"diskSizeBytes\"\ + : 4294967296,\r\n \"uniqueId\": \"0f956122-7e6a-4b99-a310-0a24ed5d7e37\"\ + ,\r\n \"tier\": \"P1\"\r\n }\r\n}\r\n },\r\n \"name\": \"1be34327-84e0-49f6-92f3-6b3bc936c905\"\ + \r\n}" headers: cache-control: - no-cache content-length: - - '0' + - '1152' content-type: - - text/plain; charset=utf-8 + - application/json; charset=utf-8 date: - - Mon, 05 Sep 2022 11:47:00 GMT + - Mon, 13 Feb 2023 07:31:13 GMT expires: - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + - Microsoft-HTTPAPI/2.0 + - Microsoft-HTTPAPI/2.0 strict-transport-security: - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding x-content-type-options: - nosniff + x-ms-ratelimit-remaining-resource: + - Microsoft.Compute/GetOperation3Min;49997,Microsoft.Compute/GetOperation30Min;399936 status: - code: 202 - message: Accepted + code: 200 + message: OK - request: body: null headers: @@ -774,15 +751,83 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: + - disk create + Connection: + - keep-alive + ParameterSetName: + - -g -n --size-gb + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-compute/29.1.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1?api-version=2022-07-02 + response: + body: + string: "{\r\n \"name\": \"cli-test-disk-new1\",\r\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1\"\ + ,\r\n \"type\": \"Microsoft.Compute/disks\",\r\n \"location\": \"centraluseuap\"\ + ,\r\n \"tags\": {},\r\n \"sku\": {\r\n \"name\": \"Premium_LRS\",\r\n\ + \ \"tier\": \"Premium\"\r\n },\r\n \"properties\": {\r\n \"hyperVGeneration\"\ + : \"V1\",\r\n \"creationData\": {\r\n \"createOption\": \"Empty\"\r\ + \n },\r\n \"diskSizeGB\": 4,\r\n \"diskIOPSReadWrite\": 120,\r\n\ + \ \"diskMBpsReadWrite\": 25,\r\n \"encryption\": {\r\n \"type\"\ + : \"EncryptionAtRestWithPlatformKey\"\r\n },\r\n \"networkAccessPolicy\"\ + : \"AllowAll\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"timeCreated\"\ + : \"2023-02-13T07:31:11.5111875+00:00\",\r\n \"provisioningState\": \"\ + Succeeded\",\r\n \"diskState\": \"Unattached\",\r\n \"diskSizeBytes\"\ + : 4294967296,\r\n \"uniqueId\": \"0f956122-7e6a-4b99-a310-0a24ed5d7e37\"\ + ,\r\n \"tier\": \"P1\"\r\n }\r\n}" + headers: + cache-control: + - no-cache + content-length: + - '927' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:31:13 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-HTTPAPI/2.0 + - Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-resource: + - Microsoft.Compute/LowCostGet3Min;14995,Microsoft.Compute/LowCostGet30Min;119863 + status: + code: 200 + message: OK +- request: + body: '{"sku": {"name": "Standard_RAGRS"}, "kind": "StorageV2", "location": "centraluseuap", + "properties": {"encryption": {"services": {"blob": {}}, "keySource": "Microsoft.Storage"}}}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: - storage account create Connection: - keep-alive + Content-Length: + - '177' + Content-Type: + - application/json ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount?api-version=2022-09-01 response: body: string: '' @@ -794,11 +839,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:47:03 GMT + - Mon, 13 Feb 2023 07:31:18 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: @@ -807,6 +852,8 @@ interactions: - max-age=31536000; includeSubDomains x-content-type-options: - nosniff + x-ms-ratelimit-remaining-subscription-writes: + - '1195' status: code: 202 message: Accepted @@ -824,9 +871,10 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: string: '' @@ -838,11 +886,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:47:06 GMT + - Mon, 13 Feb 2023 07:31:35 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: @@ -868,9 +916,10 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: string: '' @@ -882,11 +931,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:47:10 GMT + - Mon, 13 Feb 2023 07:31:39 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: @@ -912,9 +961,10 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: string: '' @@ -926,11 +976,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:47:13 GMT + - Mon, 13 Feb 2023 07:31:42 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: @@ -956,9 +1006,10 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: string: '' @@ -970,11 +1021,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:47:16 GMT + - Mon, 13 Feb 2023 07:31:45 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: @@ -1000,9 +1051,10 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: string: '' @@ -1014,11 +1066,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:47:19 GMT + - Mon, 13 Feb 2023 07:31:49 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: @@ -1044,9 +1096,10 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: string: '' @@ -1058,11 +1111,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:47:22 GMT + - Mon, 13 Feb 2023 07:31:52 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: @@ -1088,9 +1141,10 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: string: '' @@ -1102,11 +1156,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:47:27 GMT + - Mon, 13 Feb 2023 07:31:55 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: @@ -1132,9 +1186,10 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: string: '' @@ -1146,11 +1201,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:47:30 GMT + - Mon, 13 Feb 2023 07:31:59 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: @@ -1176,9 +1231,10 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: string: '' @@ -1190,11 +1246,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:47:33 GMT + - Mon, 13 Feb 2023 07:32:02 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: @@ -1220,9 +1276,10 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: string: '' @@ -1234,11 +1291,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:47:36 GMT + - Mon, 13 Feb 2023 07:32:06 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: @@ -1264,9 +1321,10 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: string: '' @@ -1278,11 +1336,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:47:40 GMT + - Mon, 13 Feb 2023 07:32:09 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: @@ -1308,9 +1366,10 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: string: '' @@ -1322,11 +1381,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:47:43 GMT + - Mon, 13 Feb 2023 07:32:12 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: @@ -1352,9 +1411,10 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: string: '' @@ -1366,11 +1426,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:47:46 GMT + - Mon, 13 Feb 2023 07:32:15 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: @@ -1396,9 +1456,10 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: string: '' @@ -1410,11 +1471,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:47:50 GMT + - Mon, 13 Feb 2023 07:32:19 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: @@ -1440,9 +1501,10 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: string: '' @@ -1454,11 +1516,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:47:53 GMT + - Mon, 13 Feb 2023 07:32:22 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: @@ -1484,9 +1546,10 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: string: '' @@ -1498,11 +1561,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:47:56 GMT + - Mon, 13 Feb 2023 07:32:25 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: @@ -1528,9 +1591,10 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: string: '' @@ -1542,11 +1606,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:47:59 GMT + - Mon, 13 Feb 2023 07:32:29 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: @@ -1572,9 +1636,10 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: string: '' @@ -1586,11 +1651,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:48:03 GMT + - Mon, 13 Feb 2023 07:32:32 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: @@ -1616,9 +1681,10 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: string: '' @@ -1630,11 +1696,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:48:06 GMT + - Mon, 13 Feb 2023 07:32:35 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: @@ -1660,9 +1726,10 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: string: '' @@ -1674,11 +1741,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:48:09 GMT + - Mon, 13 Feb 2023 07:32:39 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: @@ -1704,9 +1771,10 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: string: '' @@ -1718,11 +1786,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:48:13 GMT + - Mon, 13 Feb 2023 07:32:42 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: @@ -1748,9 +1816,10 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: string: '' @@ -1762,11 +1831,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:48:16 GMT + - Mon, 13 Feb 2023 07:32:45 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: @@ -1792,9 +1861,10 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: string: '' @@ -1806,11 +1876,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:48:19 GMT + - Mon, 13 Feb 2023 07:32:48 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: @@ -1836,9 +1906,10 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: string: '' @@ -1850,11 +1921,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:48:22 GMT + - Mon, 13 Feb 2023 07:32:52 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: @@ -1880,9 +1951,10 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: string: '' @@ -1894,11 +1966,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:48:26 GMT + - Mon, 13 Feb 2023 07:32:55 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: @@ -1924,9 +1996,10 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: string: '' @@ -1938,11 +2011,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:48:29 GMT + - Mon, 13 Feb 2023 07:32:59 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: @@ -1968,9 +2041,10 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: string: '' @@ -1982,11 +2056,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:48:33 GMT + - Mon, 13 Feb 2023 07:33:02 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: @@ -2012,9 +2086,10 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: string: '' @@ -2026,11 +2101,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:48:36 GMT + - Mon, 13 Feb 2023 07:33:05 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: @@ -2056,9 +2131,10 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: string: '' @@ -2070,11 +2146,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:48:40 GMT + - Mon, 13 Feb 2023 07:33:08 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: @@ -2100,9 +2176,10 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: string: '' @@ -2114,11 +2191,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:48:43 GMT + - Mon, 13 Feb 2023 07:33:11 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: @@ -2144,9 +2221,10 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: string: '' @@ -2158,11 +2236,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:48:46 GMT + - Mon, 13 Feb 2023 07:33:15 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: @@ -2188,9 +2266,10 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: string: '' @@ -2202,11 +2281,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:48:49 GMT + - Mon, 13 Feb 2023 07:33:18 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: @@ -2232,9 +2311,10 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: string: '' @@ -2246,11 +2326,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:48:52 GMT + - Mon, 13 Feb 2023 07:33:22 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: @@ -2276,9 +2356,10 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: string: '' @@ -2290,11 +2371,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:48:56 GMT + - Mon, 13 Feb 2023 07:33:25 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: @@ -2320,388 +2401,4190 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: - string: '{"sku":{"name":"Standard_RAGRS","tier":"Standard"},"kind":"StorageV2","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount","name":"cliteststoreaccount","type":"Microsoft.Storage/storageAccounts","location":"centraluseuap","tags":{},"properties":{"keyCreationTime":{"key1":"2022-09-05T11:46:27.0608097Z","key2":"2022-09-05T11:46:27.0608097Z"},"privateEndpointConnections":[],"minimumTlsVersion":"TLS1_0","allowBlobPublicAccess":true,"networkAcls":{"bypass":"AzureServices","virtualNetworkRules":[],"ipRules":[],"defaultAction":"Allow"},"supportsHttpsTrafficOnly":true,"encryption":{"services":{"file":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-09-05T11:46:27.4358276Z"},"blob":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-09-05T11:46:27.4358276Z"}},"keySource":"Microsoft.Storage"},"accessTier":"Hot","provisioningState":"Succeeded","creationTime":"2022-09-05T11:46:26.9827110Z","primaryEndpoints":{"dfs":"https://cliteststoreaccount.dfs.core.windows.net/","web":"https://cliteststoreaccount.z2.web.core.windows.net/","blob":"https://cliteststoreaccount.blob.core.windows.net/","queue":"https://cliteststoreaccount.queue.core.windows.net/","table":"https://cliteststoreaccount.table.core.windows.net/","file":"https://cliteststoreaccount.file.core.windows.net/"},"primaryLocation":"centraluseuap","statusOfPrimary":"available","secondaryLocation":"eastus2euap","statusOfSecondary":"available","secondaryEndpoints":{"dfs":"https://cliteststoreaccount-secondary.dfs.core.windows.net/","web":"https://cliteststoreaccount-secondary.z2.web.core.windows.net/","blob":"https://cliteststoreaccount-secondary.blob.core.windows.net/","queue":"https://cliteststoreaccount-secondary.queue.core.windows.net/","table":"https://cliteststoreaccount-secondary.table.core.windows.net/"}}}' + string: '' headers: cache-control: - no-cache content-length: - - '1896' + - '0' content-type: - - application/json + - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:48:59 GMT + - Mon, 13 Feb 2023 07:33:29 GMT expires: - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 strict-transport-security: - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding x-content-type-options: - nosniff status: - code: 200 - message: OK + code: 202 + message: Accepted - request: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection resource-guard create + - storage account create Connection: - keep-alive ParameterSetName: - - -g -n + - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg?api-version=2021-04-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","name":"sarath-rg","type":"Microsoft.Resources/resourceGroups","location":"centraluseuap","tags":{},"properties":{"provisioningState":"Succeeded"}}' + string: '' headers: cache-control: - no-cache content-length: - - '232' + - '0' content-type: - - application/json; charset=utf-8 + - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:49:00 GMT + - Mon, 13 Feb 2023 07:33:31 GMT expires: - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 strict-transport-security: - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding x-content-type-options: - nosniff status: - code: 200 - message: OK + code: 202 + message: Accepted - request: - body: '{"location": "centraluseuap", "properties": {}}' + body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection resource-guard create + - storage account create Connection: - keep-alive - Content-Length: - - '47' - Content-Type: - - application/json ParameterSetName: - - -g -n + - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/cli-test-resource-guard?api-version=2022-05-01 + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: - string: '{"location":"centraluseuap","properties":{"provisioningState":"Succeeded","resourceGuardOperations":[{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/delete","requestResourceType":"Microsoft.DataProtection/resourceGuards/deleteProtectedItemRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectedItemRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupPolicies/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectionPolicyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/resourceGuards/deleteResourceGuardProxyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupSecurityPIN/action","requestResourceType":"Microsoft.DataProtection/resourceGuards/getBackupSecurityPINRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupconfig/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/disableSoftDeleteRequests"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupInstances/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupInstances/delete"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete"}],"vaultCriticalOperationExclusionList":[],"allowAutoApprovals":true},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/cli-test-resource-guard","name":"cli-test-resource-guard","type":"Microsoft.DataProtection/resourceGuards"}' + string: '' headers: cache-control: - no-cache content-length: - - '1931' + - '0' content-type: - - application/json + - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:49:11 GMT + - Mon, 13 Feb 2023 07:33:35 GMT expires: - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: - - Microsoft-IIS/10.0 + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 strict-transport-security: - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '99' - x-powered-by: - - ASP.NET status: - code: 200 - message: OK + code: 202 + message: Accepted - request: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection resource-guard list + - storage account create Connection: - keep-alive ParameterSetName: - - -g + - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: - string: '{"value":[{"location":"centraluseuap","properties":{"provisioningState":"Succeeded","resourceGuardOperations":[{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/delete","requestResourceType":"Microsoft.DataProtection/resourceGuards/deleteProtectedItemRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectedItemRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupPolicies/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectionPolicyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/resourceGuards/deleteResourceGuardProxyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupconfig/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/disableSoftDeleteRequests"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupInstances/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupInstances/delete"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete"}],"vaultCriticalOperationExclusionList":["Microsoft.RecoveryServices/vaults/backupSecurityPIN/action"],"allowAutoApprovals":true},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/akneema-resource-guardd","name":"akneema-resource-guardd","type":"Microsoft.DataProtection/resourceGuards"},{"location":"centraluseuap","properties":{"provisioningState":"Succeeded","resourceGuardOperations":[{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/delete","requestResourceType":"Microsoft.DataProtection/resourceGuards/deleteProtectedItemRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectedItemRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupPolicies/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectionPolicyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/resourceGuards/deleteResourceGuardProxyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupSecurityPIN/action","requestResourceType":"Microsoft.DataProtection/resourceGuards/getBackupSecurityPINRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupconfig/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/disableSoftDeleteRequests"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupInstances/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupInstances/delete"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete"}],"vaultCriticalOperationExclusionList":[],"allowAutoApprovals":true},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/cli-test-resource-guard","name":"cli-test-resource-guard","type":"Microsoft.DataProtection/resourceGuards"}]}' + string: '' headers: cache-control: - no-cache content-length: - - '3754' + - '0' content-type: - - application/json + - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:49:12 GMT + - Mon, 13 Feb 2023 07:33:38 GMT expires: - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: - - Microsoft-IIS/10.0 + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 strict-transport-security: - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '998' - x-powered-by: - - ASP.NET status: - code: 200 - message: OK + code: 202 + message: Accepted - request: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection resource-guard update + - storage account create Connection: - keep-alive ParameterSetName: - - -g -n --resource-type --critical-operation-exclusion-list + - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/cli-test-resource-guard?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: - string: '{"location":"centraluseuap","properties":{"provisioningState":"Succeeded","resourceGuardOperations":[{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/delete","requestResourceType":"Microsoft.DataProtection/resourceGuards/deleteProtectedItemRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectedItemRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupPolicies/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectionPolicyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/resourceGuards/deleteResourceGuardProxyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupSecurityPIN/action","requestResourceType":"Microsoft.DataProtection/resourceGuards/getBackupSecurityPINRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupconfig/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/disableSoftDeleteRequests"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupInstances/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupInstances/delete"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete"}],"vaultCriticalOperationExclusionList":[],"allowAutoApprovals":true},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/cli-test-resource-guard","name":"cli-test-resource-guard","type":"Microsoft.DataProtection/resourceGuards"}' + string: '' headers: cache-control: - no-cache content-length: - - '1931' + - '0' content-type: - - application/json + - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:49:13 GMT + - Mon, 13 Feb 2023 07:33:42 GMT expires: - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: - - Microsoft-IIS/10.0 + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 strict-transport-security: - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '998' - x-powered-by: - - ASP.NET status: - code: 200 - message: OK + code: 202 + message: Accepted - request: - body: '{"location": "centraluseuap", "properties": {"vaultCriticalOperationExclusionList": - ["Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/delete", - "Microsoft.RecoveryServices/vaults/backupSecurityPIN/action"]}}' + body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection resource-guard update + - storage account create Connection: - keep-alive - Content-Length: - - '242' - Content-Type: - - application/json ParameterSetName: - - -g -n --resource-type --critical-operation-exclusion-list + - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/cli-test-resource-guard?api-version=2022-05-01 + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: - string: '{"location":"centraluseuap","properties":{"provisioningState":"Succeeded","resourceGuardOperations":[{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectedItemRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupPolicies/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectionPolicyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/resourceGuards/deleteResourceGuardProxyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupconfig/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/disableSoftDeleteRequests"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupInstances/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupInstances/delete"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete"}],"vaultCriticalOperationExclusionList":["Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/delete","Microsoft.RecoveryServices/vaults/backupSecurityPIN/action"],"allowAutoApprovals":true},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/cli-test-resource-guard","name":"cli-test-resource-guard","type":"Microsoft.DataProtection/resourceGuards"}' + string: '' headers: cache-control: - no-cache content-length: - - '1691' + - '0' content-type: - - application/json + - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:49:15 GMT + - Mon, 13 Feb 2023 07:33:45 GMT expires: - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: - - Microsoft-IIS/10.0 + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 strict-transport-security: - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '99' - x-powered-by: - - ASP.NET status: - code: 200 - message: OK + code: 202 + message: Accepted - request: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection resource-guard list-protected-operations + - storage account create Connection: - keep-alive ParameterSetName: - - -g -n --resource-type + - -g -n -l User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/cli-test-resource-guard?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 response: body: - string: '{"location":"centraluseuap","properties":{"provisioningState":"Succeeded","resourceGuardOperations":[{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectedItemRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupPolicies/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectionPolicyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/resourceGuards/deleteResourceGuardProxyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupconfig/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/disableSoftDeleteRequests"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupInstances/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupInstances/delete"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete"}],"vaultCriticalOperationExclusionList":["Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/delete","Microsoft.RecoveryServices/vaults/backupSecurityPIN/action"],"allowAutoApprovals":true},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/cli-test-resource-guard","name":"cli-test-resource-guard","type":"Microsoft.DataProtection/resourceGuards"}' + string: '' headers: cache-control: - no-cache content-length: - - '1691' + - '0' content-type: - - application/json + - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 11:49:16 GMT + - Mon, 13 Feb 2023 07:33:48 GMT expires: - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: - - Microsoft-IIS/10.0 + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 strict-transport-security: - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '997' - x-powered-by: + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:33:51 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:33:55 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:33:58 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:34:01 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:34:05 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:34:08 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:34:12 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:34:15 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:34:18 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:34:22 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:34:24 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:34:28 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:34:31 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:34:34 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:34:38 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:34:41 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:34:44 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:34:48 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:34:51 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:34:54 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:34:58 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:35:01 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:35:04 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:35:07 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:35:10 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:35:14 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:35:17 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:35:20 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:35:24 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:35:27 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:35:30 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:35:34 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:35:38 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:35:40 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:35:44 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:35:47 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:35:50 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:35:54 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:35:57 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:36:01 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:36:03 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:36:07 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:36:10 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:36:13 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:36:16 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:36:21 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:36:24 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:36:27 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:36:31 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:36:34 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:36:37 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:36:40 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:36:43 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + content-type: + - text/plain; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:36:47 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - storage account create + Connection: + - keep-alive + ParameterSetName: + - -g -n -l + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + response: + body: + string: '{"sku":{"name":"Standard_RAGRS","tier":"Standard"},"kind":"StorageV2","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount","name":"cliteststoreaccount","type":"Microsoft.Storage/storageAccounts","location":"centraluseuap","tags":{},"properties":{"keyCreationTime":{"key1":"2023-02-13T07:31:16.8112211Z","key2":"2023-02-13T07:31:16.8112211Z"},"allowCrossTenantReplication":false,"privateEndpointConnections":[],"minimumTlsVersion":"TLS1_0","allowBlobPublicAccess":true,"networkAcls":{"bypass":"AzureServices","virtualNetworkRules":[],"ipRules":[],"defaultAction":"Allow"},"supportsHttpsTrafficOnly":true,"encryption":{"services":{"file":{"keyType":"Account","enabled":true,"lastEnabledTime":"2023-02-13T07:31:16.8112211Z"},"blob":{"keyType":"Account","enabled":true,"lastEnabledTime":"2023-02-13T07:31:16.8112211Z"}},"keySource":"Microsoft.Storage"},"accessTier":"Hot","provisioningState":"Succeeded","creationTime":"2023-02-13T07:31:16.7175222Z","primaryEndpoints":{"dfs":"https://cliteststoreaccount.dfs.core.windows.net/","web":"https://cliteststoreaccount.z2.web.core.windows.net/","blob":"https://cliteststoreaccount.blob.core.windows.net/","queue":"https://cliteststoreaccount.queue.core.windows.net/","table":"https://cliteststoreaccount.table.core.windows.net/","file":"https://cliteststoreaccount.file.core.windows.net/"},"primaryLocation":"centraluseuap","statusOfPrimary":"available","secondaryLocation":"eastus2euap","statusOfSecondary":"available","secondaryEndpoints":{"dfs":"https://cliteststoreaccount-secondary.dfs.core.windows.net/","web":"https://cliteststoreaccount-secondary.z2.web.core.windows.net/","blob":"https://cliteststoreaccount-secondary.blob.core.windows.net/","queue":"https://cliteststoreaccount-secondary.queue.core.windows.net/","table":"https://cliteststoreaccount-secondary.table.core.windows.net/"}}}' + headers: + cache-control: + - no-cache + content-length: + - '1932' + content-type: + - application/json + date: + - Mon, 13 Feb 2023 07:36:50 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection resource-guard create + Connection: + - keep-alive + ParameterSetName: + - -g -n + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg?api-version=2021-04-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","name":"sarath-rg","type":"Microsoft.Resources/resourceGroups","location":"centraluseuap","tags":{},"properties":{"provisioningState":"Succeeded"}}' + headers: + cache-control: + - no-cache + content-length: + - '232' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:36:51 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: '{"location": "centraluseuap", "properties": {}}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection resource-guard create + Connection: + - keep-alive + Content-Length: + - '47' + Content-Type: + - application/json + ParameterSetName: + - -g -n + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/cli-test-resource-guard?api-version=2022-05-01 + response: + body: + string: '{"location":"centraluseuap","properties":{"provisioningState":"Succeeded","resourceGuardOperations":[{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/delete","requestResourceType":"Microsoft.DataProtection/resourceGuards/deleteProtectedItemRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectedItemRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupPolicies/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectionPolicyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/resourceGuards/deleteResourceGuardProxyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupSecurityPIN/action","requestResourceType":"Microsoft.DataProtection/resourceGuards/getBackupSecurityPINRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupconfig/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/disableSoftDeleteRequests"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupInstances/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupInstances/delete"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete"}],"vaultCriticalOperationExclusionList":[],"allowAutoApprovals":true},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/cli-test-resource-guard","name":"cli-test-resource-guard","type":"Microsoft.DataProtection/resourceGuards"}' + headers: + cache-control: + - no-cache + content-length: + - '1931' + content-type: + - application/json + date: + - Mon, 13 Feb 2023 07:36:53 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '98' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection resource-guard list + Connection: + - keep-alive + ParameterSetName: + - -g + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards?api-version=2022-05-01 + response: + body: + string: '{"value":[{"location":"centraluseuap","properties":{"provisioningState":"Succeeded","resourceGuardOperations":[{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/delete","requestResourceType":"Microsoft.DataProtection/resourceGuards/deleteProtectedItemRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectedItemRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupPolicies/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectionPolicyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/resourceGuards/deleteResourceGuardProxyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupconfig/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/disableSoftDeleteRequests"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupInstances/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupInstances/delete"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete"}],"vaultCriticalOperationExclusionList":["Microsoft.RecoveryServices/vaults/backupSecurityPIN/action"],"allowAutoApprovals":true},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/akneema-resource-guardd","name":"akneema-resource-guardd","type":"Microsoft.DataProtection/resourceGuards"},{"location":"centraluseuap","properties":{"provisioningState":"Succeeded","resourceGuardOperations":[{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/delete","requestResourceType":"Microsoft.DataProtection/resourceGuards/deleteProtectedItemRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectedItemRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupPolicies/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectionPolicyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/resourceGuards/deleteResourceGuardProxyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupSecurityPIN/action","requestResourceType":"Microsoft.DataProtection/resourceGuards/getBackupSecurityPINRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupconfig/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/disableSoftDeleteRequests"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupInstances/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupInstances/delete"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete"}],"vaultCriticalOperationExclusionList":[],"allowAutoApprovals":true},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/cli-test-resource-guard","name":"cli-test-resource-guard","type":"Microsoft.DataProtection/resourceGuards"}]}' + headers: + cache-control: + - no-cache + content-length: + - '3754' + content-type: + - application/json + date: + - Mon, 13 Feb 2023 07:36:55 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '999' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection resource-guard update + Connection: + - keep-alive + ParameterSetName: + - -g -n --resource-type --critical-operation-exclusion-list + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/cli-test-resource-guard?api-version=2022-05-01 + response: + body: + string: '{"location":"centraluseuap","properties":{"provisioningState":"Succeeded","resourceGuardOperations":[{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/delete","requestResourceType":"Microsoft.DataProtection/resourceGuards/deleteProtectedItemRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectedItemRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupPolicies/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectionPolicyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/resourceGuards/deleteResourceGuardProxyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupSecurityPIN/action","requestResourceType":"Microsoft.DataProtection/resourceGuards/getBackupSecurityPINRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupconfig/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/disableSoftDeleteRequests"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupInstances/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupInstances/delete"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete"}],"vaultCriticalOperationExclusionList":[],"allowAutoApprovals":true},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/cli-test-resource-guard","name":"cli-test-resource-guard","type":"Microsoft.DataProtection/resourceGuards"}' + headers: + cache-control: + - no-cache + content-length: + - '1931' + content-type: + - application/json + date: + - Mon, 13 Feb 2023 07:36:57 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '998' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: '{"location": "centraluseuap", "properties": {"vaultCriticalOperationExclusionList": + ["Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/delete", + "Microsoft.RecoveryServices/vaults/backupSecurityPIN/action"]}}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection resource-guard update + Connection: + - keep-alive + Content-Length: + - '242' + Content-Type: + - application/json + ParameterSetName: + - -g -n --resource-type --critical-operation-exclusion-list + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/cli-test-resource-guard?api-version=2022-05-01 + response: + body: + string: '{"location":"centraluseuap","properties":{"provisioningState":"Succeeded","resourceGuardOperations":[{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectedItemRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupPolicies/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectionPolicyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/resourceGuards/deleteResourceGuardProxyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupconfig/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/disableSoftDeleteRequests"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupInstances/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupInstances/delete"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete"}],"vaultCriticalOperationExclusionList":["Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/delete","Microsoft.RecoveryServices/vaults/backupSecurityPIN/action"],"allowAutoApprovals":true},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/cli-test-resource-guard","name":"cli-test-resource-guard","type":"Microsoft.DataProtection/resourceGuards"}' + headers: + cache-control: + - no-cache + content-length: + - '1691' + content-type: + - application/json + date: + - Mon, 13 Feb 2023 07:36:58 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '99' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection resource-guard list-protected-operations + Connection: + - keep-alive + ParameterSetName: + - -g -n --resource-type + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/cli-test-resource-guard?api-version=2022-05-01 + response: + body: + string: '{"location":"centraluseuap","properties":{"provisioningState":"Succeeded","resourceGuardOperations":[{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectedItemRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupPolicies/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectionPolicyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/resourceGuards/deleteResourceGuardProxyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupconfig/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/disableSoftDeleteRequests"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupInstances/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupInstances/delete"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete"}],"vaultCriticalOperationExclusionList":["Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/delete","Microsoft.RecoveryServices/vaults/backupSecurityPIN/action"],"allowAutoApprovals":true},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/cli-test-resource-guard","name":"cli-test-resource-guard","type":"Microsoft.DataProtection/resourceGuards"}' + headers: + cache-control: + - no-cache + content-length: + - '1691' + content-type: + - application/json + date: + - Mon, 13 Feb 2023 07:36:58 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '999' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: '{"properties": {"datasourceTypes": ["Microsoft.Compute/disks"], "objectType": + "BackupPolicy", "policyRules": [{"name": "BackupHourly", "objectType": "AzureBackupRule", + "backupParameters": {"objectType": "AzureBackupParams", "backupType": "Incremental"}, + "dataStore": {"dataStoreType": "OperationalStore", "objectType": "DataStoreInfoBase"}, + "trigger": {"objectType": "ScheduleBasedTriggerContext", "schedule": {"repeatingTimeIntervals": + ["R/2020-04-05T13:00:00+00:00/PT4H"]}, "taggingCriteria": [{"isDefault": true, + "taggingPriority": 99, "tagInfo": {"tagName": "Default"}}]}}, {"name": "Default", + "objectType": "AzureRetentionRule", "isDefault": true, "lifecycles": [{"deleteAfter": + {"duration": "P7D", "objectType": "AbsoluteDeleteOption"}, "sourceDataStore": + {"dataStoreType": "OperationalStore", "objectType": "DataStoreInfoBase"}}]}]}}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-policy create + Connection: + - keep-alive + Content-Length: + - '840' + Content-Type: + - application/json + ParameterSetName: + - -n --policy -g --vault-name + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy?api-version=2022-05-01 + response: + body: + string: '{"properties":{"policyRules":[{"backupParameters":{"backupType":"Incremental","objectType":"AzureBackupParams"},"trigger":{"schedule":{"repeatingTimeIntervals":["R/2020-04-05T13:00:00+00:00/PT4H"]},"taggingCriteria":[{"tagInfo":{"tagName":"Default","id":"Default_"},"taggingPriority":99,"isDefault":true}],"objectType":"ScheduleBasedTriggerContext"},"dataStore":{"dataStoreType":"OperationalStore","objectType":"DataStoreInfoBase"},"name":"BackupHourly","objectType":"AzureBackupRule"},{"lifecycles":[{"deleteAfter":{"objectType":"AbsoluteDeleteOption","duration":"P7D"},"sourceDataStore":{"dataStoreType":"OperationalStore","objectType":"DataStoreInfoBase"}}],"isDefault":true,"name":"Default","objectType":"AzureRetentionRule"}],"datasourceTypes":["Microsoft.Compute/disks"],"objectType":"BackupPolicy"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","name":"diskpolicy","type":"Microsoft.DataProtection/backupVaults/backupPolicies"}' + headers: + cache-control: + - no-cache + content-length: + - '1066' + content-type: + - application/json + date: + - Mon, 13 Feb 2023 07:37:00 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '199' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: '{"properties": {"datasourceTypes": ["Microsoft.Storage/storageAccounts/blobServices"], + "objectType": "BackupPolicy", "policyRules": [{"name": "Default", "objectType": + "AzureRetentionRule", "isDefault": true, "lifecycles": [{"deleteAfter": {"duration": + "P30D", "objectType": "AbsoluteDeleteOption"}, "sourceDataStore": {"dataStoreType": + "OperationalStore", "objectType": "DataStoreInfoBase"}}]}]}}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-policy create + Connection: + - keep-alive + Content-Length: + - '396' + Content-Type: + - application/json + ParameterSetName: + - -n --policy -g --vault-name + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/storagepolicy?api-version=2022-05-01 + response: + body: + string: '{"properties":{"policyRules":[{"lifecycles":[{"deleteAfter":{"objectType":"AbsoluteDeleteOption","duration":"P30D"},"sourceDataStore":{"dataStoreType":"OperationalStore","objectType":"DataStoreInfoBase"}}],"isDefault":true,"name":"Default","objectType":"AzureRetentionRule"}],"datasourceTypes":["Microsoft.Storage/storageAccounts/blobServices"],"objectType":"BackupPolicy"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/storagepolicy","name":"storagepolicy","type":"Microsoft.DataProtection/backupVaults/backupPolicies"}' + headers: + cache-control: + - no-cache + content-length: + - '640' + content-type: + - application/json + date: + - Mon, 13 Feb 2023 07:37:02 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '198' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-policy show + Connection: + - keep-alive + ParameterSetName: + - -g --vault-name -n --query + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy?api-version=2022-05-01 + response: + body: + string: '{"properties":{"policyRules":[{"backupParameters":{"backupType":"Incremental","objectType":"AzureBackupParams"},"trigger":{"schedule":{"repeatingTimeIntervals":["R/2020-04-05T13:00:00+00:00/PT4H"]},"taggingCriteria":[{"tagInfo":{"tagName":"Default","id":"Default_"},"taggingPriority":99,"isDefault":true}],"objectType":"ScheduleBasedTriggerContext"},"dataStore":{"dataStoreType":"OperationalStore","objectType":"DataStoreInfoBase"},"name":"BackupHourly","objectType":"AzureBackupRule"},{"lifecycles":[{"deleteAfter":{"objectType":"AbsoluteDeleteOption","duration":"P7D"},"sourceDataStore":{"dataStoreType":"OperationalStore","objectType":"DataStoreInfoBase"}}],"isDefault":true,"name":"Default","objectType":"AzureRetentionRule"}],"datasourceTypes":["Microsoft.Compute/disks"],"objectType":"BackupPolicy"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","name":"diskpolicy","type":"Microsoft.DataProtection/backupVaults/backupPolicies"}' + headers: + cache-control: + - no-cache + content-length: + - '1066' + content-type: + - application/json + date: + - Mon, 13 Feb 2023 07:37:03 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '198' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-policy show + Connection: + - keep-alive + ParameterSetName: + - -g --vault-name -n --query + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/storagepolicy?api-version=2022-05-01 + response: + body: + string: '{"properties":{"policyRules":[{"lifecycles":[{"deleteAfter":{"objectType":"AbsoluteDeleteOption","duration":"P30D"},"sourceDataStore":{"dataStoreType":"OperationalStore","objectType":"DataStoreInfoBase"}}],"isDefault":true,"name":"Default","objectType":"AzureRetentionRule"}],"datasourceTypes":["Microsoft.Storage/storageAccounts/blobServices"],"objectType":"BackupPolicy"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/storagepolicy","name":"storagepolicy","type":"Microsoft.DataProtection/backupVaults/backupPolicies"}' + headers: + cache-control: + - no-cache + content-length: + - '640' + content-type: + - application/json + date: + - Mon, 13 Feb 2023 07:37:04 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '199' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: '{"properties": {"datasourceTypes": ["Microsoft.Compute/disks"], "objectType": + "BackupPolicy", "policyRules": [{"name": "BackupHourly", "objectType": "AzureBackupRule", + "backupParameters": {"objectType": "AzureBackupParams", "backupType": "Incremental"}, + "dataStore": {"dataStoreType": "OperationalStore", "objectType": "DataStoreInfoBase"}, + "trigger": {"objectType": "ScheduleBasedTriggerContext", "schedule": {"repeatingTimeIntervals": + ["R/2021-05-02T05:30:00+00:00/PT6H"]}, "taggingCriteria": [{"isDefault": true, + "taggingPriority": 99, "tagInfo": {"tagName": "Default"}}, {"criteria": [{"objectType": + "ScheduleBasedBackupCriteria", "absoluteCriteria": ["FirstOfDay"]}], "isDefault": + false, "taggingPriority": 25, "tagInfo": {"tagName": "Daily"}}]}}, {"name": + "Default", "objectType": "AzureRetentionRule", "isDefault": true, "lifecycles": + [{"deleteAfter": {"duration": "P7D", "objectType": "AbsoluteDeleteOption"}, + "sourceDataStore": {"dataStoreType": "OperationalStore", "objectType": "DataStoreInfoBase"}}]}, + {"name": "Daily", "objectType": "AzureRetentionRule", "isDefault": false, "lifecycles": + [{"deleteAfter": {"duration": "P12D", "objectType": "AbsoluteDeleteOption"}, + "sourceDataStore": {"dataStoreType": "OperationalStore", "objectType": "DataStoreInfoBase"}}]}]}}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-policy create + Connection: + - keep-alive + Content-Length: + - '1276' + Content-Type: + - application/json + ParameterSetName: + - -n --policy -g --vault-name + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskhourlypolicy?api-version=2022-05-01 + response: + body: + string: '{"properties":{"policyRules":[{"backupParameters":{"backupType":"Incremental","objectType":"AzureBackupParams"},"trigger":{"schedule":{"repeatingTimeIntervals":["R/2021-05-02T05:30:00+00:00/PT6H"]},"taggingCriteria":[{"tagInfo":{"tagName":"Default","id":"Default_"},"taggingPriority":99,"isDefault":true},{"tagInfo":{"tagName":"Daily","id":"Daily_"},"taggingPriority":25,"isDefault":false,"criteria":[{"absoluteCriteria":["FirstOfDay"],"objectType":"ScheduleBasedBackupCriteria"}]}],"objectType":"ScheduleBasedTriggerContext"},"dataStore":{"dataStoreType":"OperationalStore","objectType":"DataStoreInfoBase"},"name":"BackupHourly","objectType":"AzureBackupRule"},{"lifecycles":[{"deleteAfter":{"objectType":"AbsoluteDeleteOption","duration":"P7D"},"sourceDataStore":{"dataStoreType":"OperationalStore","objectType":"DataStoreInfoBase"}}],"isDefault":true,"name":"Default","objectType":"AzureRetentionRule"},{"lifecycles":[{"deleteAfter":{"objectType":"AbsoluteDeleteOption","duration":"P12D"},"sourceDataStore":{"dataStoreType":"OperationalStore","objectType":"DataStoreInfoBase"}}],"isDefault":false,"name":"Daily","objectType":"AzureRetentionRule"}],"datasourceTypes":["Microsoft.Compute/disks"],"objectType":"BackupPolicy"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskhourlypolicy","name":"diskhourlypolicy","type":"Microsoft.DataProtection/backupVaults/backupPolicies"}' + headers: + cache-control: + - no-cache + content-length: + - '1499' + content-type: + - application/json + date: + - Mon, 13 Feb 2023 07:37:06 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '199' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-instance update-msi-permissions + Connection: + - keep-alive + ParameterSetName: + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1?api-version=2022-05-01 + response: + body: + string: '{"location":"centraluseuap","identity":{"type":"SystemAssigned","principalId":"41753b57-b4fa-4774-80aa-414a3af0f706","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"properties":{"provisioningState":"Succeeded","storageSettings":[{"datastoreType":"VaultStore","type":"LocallyRedundant"}],"isVaultProtectedByResourceGuard":false,"monitoringSettings":{"azureMonitorAlertSettings":{"alertsForAllJobFailures":"Disabled"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1","name":"cli-test-new-vault1","type":"Microsoft.DataProtection/backupVaults"}' + headers: + cache-control: + - no-cache + content-length: + - '650' + content-type: + - application/json + date: + - Mon, 13 Feb 2023 07:37:08 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '499' + x-powered-by: - ASP.NET status: code: 200 message: OK - request: - body: '{"properties": {"datasourceTypes": ["Microsoft.Compute/disks"], "objectType": - "BackupPolicy", "policyRules": [{"name": "BackupHourly", "objectType": "AzureBackupRule", - "backupParameters": {"objectType": "AzureBackupParams", "backupType": "Incremental"}, - "dataStore": {"dataStoreType": "OperationalStore", "objectType": "DataStoreInfoBase"}, - "trigger": {"objectType": "ScheduleBasedTriggerContext", "schedule": {"repeatingTimeIntervals": - ["R/2020-04-05T13:00:00+00:00/PT4H"]}, "taggingCriteria": [{"isDefault": true, - "taggingPriority": 99, "tagInfo": {"tagName": "Default"}}]}}, {"name": "Default", - "objectType": "AzureRetentionRule", "isDefault": true, "lifecycles": [{"deleteAfter": - {"duration": "P7D", "objectType": "AbsoluteDeleteOption"}, "sourceDataStore": - {"dataStoreType": "OperationalStore", "objectType": "DataStoreInfoBase"}}]}]}}' + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-instance update-msi-permissions + Connection: + - keep-alive + ParameterSetName: + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes + User-Agent: + - python/3.10.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.45.0 (PIP) + method: GET + uri: https://graph.microsoft.com/v1.0/servicePrincipals?$filter=servicePrincipalNames%2Fany%28c%3Ac%20eq%20%2741753b57-b4fa-4774-80aa-414a3af0f706%27%29 + response: + body: + string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#servicePrincipals","value":[]}' + headers: + cache-control: + - no-cache + content-length: + - '92' + content-type: + - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 + date: + - Mon, 13 Feb 2023 07:37:09 GMT + odata-version: + - '4.0' + request-id: + - 5b35c3e4-d86a-4abd-998c-adb386b74461 + strict-transport-security: + - max-age=31536000 + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-ms-ags-diagnostic: + - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"001","RoleInstance":"MA1PEPF00004256"}}' + x-ms-resource-unit: + - '1' + status: + code: 200 + message: OK +- request: + body: '{"ids": ["41753b57-b4fa-4774-80aa-414a3af0f706"], "types": ["user", "group", + "servicePrincipal", "directoryObjectPartnerReference"]}' + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-instance update-msi-permissions + Connection: + - keep-alive + Content-Length: + - '132' + Content-Type: + - application/json + ParameterSetName: + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes + User-Agent: + - python/3.10.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.45.0 (PIP) + method: POST + uri: https://graph.microsoft.com/v1.0/directoryObjects/getByIds + response: + body: + string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#directoryObjects","value":[{"@odata.type":"#microsoft.graph.servicePrincipal","id":"41753b57-b4fa-4774-80aa-414a3af0f706","deletedDateTime":null,"accountEnabled":true,"alternativeNames":["isExplicit=False","/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg/providers/Microsoft.DataProtection/BackupVaults/cli-test-new-vault1"],"appDisplayName":null,"appDescription":null,"appId":"fea0857b-fd83-4708-b252-0c5f0a38d6b0","applicationTemplateId":null,"appOwnerOrganizationId":null,"appRoleAssignmentRequired":false,"createdDateTime":"2023-02-13T07:30:29Z","description":null,"disabledByMicrosoftStatus":null,"displayName":"cli-test-new-vault1","homepage":null,"loginUrl":null,"logoutUrl":null,"notes":null,"notificationEmailAddresses":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyThumbprint":null,"replyUrls":[],"servicePrincipalNames":["fea0857b-fd83-4708-b252-0c5f0a38d6b0","https://identity.azure.net/2czira6fp81UmSQY0i+P6p1ObGIy33lZb5C/K/6SyDY="],"servicePrincipalType":"ManagedIdentity","signInAudience":null,"tags":[],"tokenEncryptionKeyId":null,"info":null,"samlSingleSignOnSettings":null,"addIns":[],"appRoles":[],"keyCredentials":[{"customKeyIdentifier":"81B4BF05CBCD13C46538514E74E2057DB2DD092E","displayName":"CN=fea0857b-fd83-4708-b252-0c5f0a38d6b0","endDateTime":"2023-05-14T07:25:00Z","key":null,"keyId":"3dac063a-25ed-4f07-a638-ed0fc6455a6e","startDateTime":"2023-02-13T07:25:00Z","type":"AsymmetricX509Cert","usage":"Verify"}],"oauth2PermissionScopes":[],"passwordCredentials":[],"resourceSpecificApplicationPermissions":[],"verifiedPublisher":{"displayName":null,"verifiedPublisherId":null,"addedDateTime":null}}]}' + headers: + cache-control: + - no-cache + content-length: + - '1732' + content-type: + - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 + date: + - Mon, 13 Feb 2023 07:37:10 GMT + location: + - https://graph.microsoft.com + odata-version: + - '4.0' + request-id: + - 36480155-eadc-4792-a3e0-af45a9a06113 + strict-transport-security: + - max-age=31536000 + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-ms-ags-diagnostic: + - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"001","RoleInstance":"MA1PEPF00004344"}}' + x-ms-resource-unit: + - '3' + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-instance update-msi-permissions + Connection: + - keep-alive + ParameterSetName: + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes + User-Agent: + - python/3.10.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 + azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.45.0 (PIP) + accept-language: + - en-US + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1/providers/Microsoft.Authorization/roleAssignments?$filter=atScope%28%29&api-version=2020-04-01-preview + response: + body: + string: '{"value":[{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"5c617d2b-99f8-4c90-98fe-dfe040fa33c1","principalType":"ServicePrincipal","scope":"/","condition":null,"conditionVersion":null,"createdOn":"2018-02-27T19:19:50.2663941Z","updatedOn":"2018-02-27T19:19:50.2663941Z","createdBy":null,"updatedBy":null,"delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Authorization/roleAssignments/3e883d24-b106-42ff-ad13-d7bf271b964d","type":"Microsoft.Authorization/roleAssignments","name":"3e883d24-b106-42ff-ad13-d7bf271b964d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"1d8b8d73-0cc6-4db8-b112-724b4a932253","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-26T12:22:13.7498923Z","updatedOn":"2019-08-26T12:22:13.7498923Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8c3a4de9-1ebd-47ce-9dd9-bebf87a4e28f","type":"Microsoft.Authorization/roleAssignments","name":"8c3a4de9-1ebd-47ce-9dd9-bebf87a4e28f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"1e845bc3-37db-4639-be09-d0cf1e448221","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-05-24T11:02:27.8515917Z","updatedOn":"2019-05-24T11:02:27.8515917Z","createdBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","updatedBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b5eee4d7-5f9f-4f63-8040-8aec158c289b","type":"Microsoft.Authorization/roleAssignments","name":"b5eee4d7-5f9f-4f63-8040-8aec158c289b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"235b2664-75e2-4741-bb6f-37e49babf6cd","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-02-12T11:34:59.7104212Z","updatedOn":"2020-02-12T11:34:59.7104212Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/f0618702-8404-4858-9a26-e61f23e7d44f","type":"Microsoft.Authorization/roleAssignments","name":"f0618702-8404-4858-9a26-e61f23e7d44f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8bb5b214-1182-465c-892f-ca7235abe1e7","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-11-14T08:52:42.2795010Z","updatedOn":"2019-11-14T08:52:42.2795010Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/77daac38-9839-4b00-921b-e5d5a03e728c","type":"Microsoft.Authorization/roleAssignments","name":"77daac38-9839-4b00-921b-e5d5a03e728c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"9693df58-7f72-4974-9bd3-1c3ceb0382f1","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-11-29T09:40:04.3180033Z","updatedOn":"2018-11-29T09:40:04.3180033Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ed3bf874-9c97-43f9-a5e9-b4ee6f8982f7","type":"Microsoft.Authorization/roleAssignments","name":"ed3bf874-9c97-43f9-a5e9-b4ee6f8982f7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"d1f96755-9bcf-44b8-ab82-df67360496c4","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-05-08T10:28:08.2854940Z","updatedOn":"2020-05-08T10:28:08.2854940Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/dfb3ca56-a0d4-44ce-ba35-b716c3fdab86","type":"Microsoft.Authorization/roleAssignments","name":"dfb3ca56-a0d4-44ce-ba35-b716c3fdab86"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-12-31T09:26:43.6440415Z","updatedOn":"2018-12-31T09:26:43.6440415Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/45744ea8-780f-4f3e-88aa-b73d7f6997b2","type":"Microsoft.Authorization/roleAssignments","name":"45744ea8-780f-4f3e-88aa-b73d7f6997b2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e65078fb-6b02-434a-9f11-d06bf9bc0600","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-10-25T23:42:36.3444507Z","updatedOn":"2018-10-25T23:42:36.3444507Z","createdBy":"66cb55a5-e2a8-44ef-ae4b-5ab8fa2ec8d9","updatedBy":"66cb55a5-e2a8-44ef-ae4b-5ab8fa2ec8d9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e7ce51e8-4109-41d7-bc10-538b089599db","type":"Microsoft.Authorization/roleAssignments","name":"e7ce51e8-4109-41d7-bc10-538b089599db"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"a7782e0f-1f9a-4882-b2c9-11227aad244e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-06-16T04:32:50.9673703Z","updatedOn":"2020-06-16T04:32:50.9673703Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9fa21f2f-81c3-47b6-b706-650b359b96c3","type":"Microsoft.Authorization/roleAssignments","name":"9fa21f2f-81c3-47b6-b706-650b359b96c3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"00b14177-f4d2-4a4b-94f6-6e80f75745c9","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-03-12T09:49:11.3750683Z","updatedOn":"2020-03-12T09:49:11.3750683Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fff0abf3-3cf7-46be-8bc7-1d1619a160fb","type":"Microsoft.Authorization/roleAssignments","name":"fff0abf3-3cf7-46be-8bc7-1d1619a160fb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"1d8b8d73-0cc6-4db8-b112-724b4a932253","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-26T10:28:45.4880023Z","updatedOn":"2019-08-26T10:28:45.4880023Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/397a3c9c-c258-4d4e-834d-00cc08227796","type":"Microsoft.Authorization/roleAssignments","name":"397a3c9c-c258-4d4e-834d-00cc08227796"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"235b2664-75e2-4741-bb6f-37e49babf6cd","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-12-05T04:29:28.7359096Z","updatedOn":"2018-12-05T04:29:28.7359096Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3c830f42-5f89-4d8b-8f93-d3dc936f33bd","type":"Microsoft.Authorization/roleAssignments","name":"3c830f42-5f89-4d8b-8f93-d3dc936f33bd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-04-08T08:38:50.1742930Z","updatedOn":"2020-04-08T08:38:50.1742930Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/5293a96b-830e-45f4-9e9e-22d7d020f0d8","type":"Microsoft.Authorization/roleAssignments","name":"5293a96b-830e-45f4-9e9e-22d7d020f0d8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3421d717-ca60-44e7-a9a1-773acec4e503","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-10-23T09:40:14.7658272Z","updatedOn":"2019-10-23T09:40:14.7658272Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/34b29558-faf9-43f0-a194-35ca0aa99fc5","type":"Microsoft.Authorization/roleAssignments","name":"34b29558-faf9-43f0-a194-35ca0aa99fc5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3dc88d41-4d03-4105-970d-937e56de3839","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-06-27T12:59:44.6557891Z","updatedOn":"2019-06-27T12:59:44.6557891Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e57ab8d1-ce9a-4925-b09f-2567492d9b22","type":"Microsoft.Authorization/roleAssignments","name":"e57ab8d1-ce9a-4925-b09f-2567492d9b22"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"62c799b8-9b54-4c3d-97c9-9490d16a6a9a","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-08T13:01:20.9953919Z","updatedOn":"2019-08-08T13:01:20.9953919Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e1b91810-0781-462d-9517-764e4a033822","type":"Microsoft.Authorization/roleAssignments","name":"e1b91810-0781-462d-9517-764e4a033822"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8bb5b214-1182-465c-892f-ca7235abe1e7","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-10-23T08:03:15.6803676Z","updatedOn":"2019-10-23T08:03:15.6803676Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/facbac06-ddab-437d-949a-207593fddfff","type":"Microsoft.Authorization/roleAssignments","name":"facbac06-ddab-437d-949a-207593fddfff"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"978b254a-54be-42af-80f5-e2a37b2e40e5","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-07-08T06:57:57.0377373Z","updatedOn":"2019-07-08T06:57:57.0377373Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/89be5b0a-dfa8-4bdf-b667-c6f63f7f3f0e","type":"Microsoft.Authorization/roleAssignments","name":"89be5b0a-dfa8-4bdf-b667-c6f63f7f3f0e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"9c973a07-b207-473c-9687-bd693ba8e460","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-04-17T09:14:08.7913669Z","updatedOn":"2020-04-17T09:14:08.7913669Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/950c635a-23a5-4a0e-8eb6-c53e929c9699","type":"Microsoft.Authorization/roleAssignments","name":"950c635a-23a5-4a0e-8eb6-c53e929c9699"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"058c04ea-b176-4e7b-b8d9-9e1f2f713ffe","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-10-03T10:52:46.8918844Z","updatedOn":"2022-10-03T10:52:46.8918844Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c5a8b530-0e4c-40d9-a003-167e38138f34","type":"Microsoft.Authorization/roleAssignments","name":"c5a8b530-0e4c-40d9-a003-167e38138f34"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"ce439730-9009-4c60-b582-277f5b9b5c47","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-10-03T10:52:47.6507241Z","updatedOn":"2022-10-03T10:52:47.6507241Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/adfaf7e6-895a-432b-9f63-650c5855b6b5","type":"Microsoft.Authorization/roleAssignments","name":"adfaf7e6-895a-432b-9f63-650c5855b6b5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8a1cd6d0-5c03-4720-8cc7-22adbc865bad","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-10-06T10:00:44.6775425Z","updatedOn":"2022-10-06T10:00:44.6775425Z","createdBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","updatedBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/21a219c4-e4ea-4572-9b97-ab829ee70b0b","type":"Microsoft.Authorization/roleAssignments","name":"21a219c4-e4ea-4572-9b97-ab829ee70b0b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"ba20023e-4ef7-4929-8693-f3f37fdb7667","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-10-19T06:48:34.7902721Z","updatedOn":"2022-10-19T06:48:34.7902721Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/70fc8a72-c6e9-4644-95d6-f27efe137007","type":"Microsoft.Authorization/roleAssignments","name":"70fc8a72-c6e9-4644-95d6-f27efe137007"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/17d1049b-9a84-46fb-8f53-869881c3d3ab","principalId":"cda54502-7b02-4c29-bacd-2ac17bb3fee4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-10-20T05:10:54.0749901Z","updatedOn":"2022-10-20T05:10:54.0749901Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a49a99d3-cfb9-4f66-b694-b3a7803fe02b","type":"Microsoft.Authorization/roleAssignments","name":"a49a99d3-cfb9-4f66-b694-b3a7803fe02b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"d6e6b7d9-6bee-44e9-a115-608b26453747","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-11-04T09:20:20.9539814Z","updatedOn":"2022-11-04T09:20:20.9539814Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/5ead22ad-d09b-4591-8d0f-a571ef0dedb2","type":"Microsoft.Authorization/roleAssignments","name":"5ead22ad-d09b-4591-8d0f-a571ef0dedb2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/00c29273-979b-4161-815c-10b084fb9324","principalId":"8a49a9af-c646-4a94-97e0-988219f9b933","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-11-17T09:48:40.9317341Z","updatedOn":"2022-11-17T09:48:40.9317341Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/81881251-9f42-413a-828e-f0374be3fc43","type":"Microsoft.Authorization/roleAssignments","name":"81881251-9f42-413a-828e-f0374be3fc43"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5e467623-bb1f-42f4-a55d-6e525e11384b","principalId":"8a49a9af-c646-4a94-97e0-988219f9b933","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-11-17T14:33:17.2080750Z","updatedOn":"2022-11-17T14:33:17.2080750Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/6d573002-8569-420a-bd13-90c87072b928","type":"Microsoft.Authorization/roleAssignments","name":"6d573002-8569-420a-bd13-90c87072b928"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"21369ac4-7db8-402f-8b5b-c3c47bac68bd","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-12-13T12:39:32.2924849Z","updatedOn":"2022-12-13T12:39:32.2924849Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/1a2a40b4-9a41-4578-a6f5-e34068ff3bf6","type":"Microsoft.Authorization/roleAssignments","name":"1a2a40b4-9a41-4578-a6f5-e34068ff3bf6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"21369ac4-7db8-402f-8b5b-c3c47bac68bd","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-12-13T12:39:32.4781119Z","updatedOn":"2022-12-13T12:39:32.4781119Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9fc9183c-bfec-41be-8c2b-2cc55420f6c1","type":"Microsoft.Authorization/roleAssignments","name":"9fc9183c-bfec-41be-8c2b-2cc55420f6c1"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"fc8bd99b-292d-4396-ac07-7e46bf989efa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2023-01-04T09:17:14.5148296Z","updatedOn":"2023-01-04T09:17:14.5148296Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/5c4e131f-5843-5474-af9f-427c1fca982d","type":"Microsoft.Authorization/roleAssignments","name":"5c4e131f-5843-5474-af9f-427c1fca982d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"c0c54612-5a75-40a2-8a0c-bf70ab0847ba","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2023-01-13T04:47:48.8296778Z","updatedOn":"2023-01-13T04:47:48.8296778Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b56bdd79-3e27-4d79-b73b-4dc8625a172a","type":"Microsoft.Authorization/roleAssignments","name":"b56bdd79-3e27-4d79-b73b-4dc8625a172a"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a4eae46b-a9d0-4586-8ac9-ba91b29f1d57","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-02-01T10:05:44.6784242Z","updatedOn":"2022-02-01T10:05:44.6784242Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8af2fb3a-292c-42a8-a870-1751c4ec4870","type":"Microsoft.Authorization/roleAssignments","name":"8af2fb3a-292c-42a8-a870-1751c4ec4870"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"662a0ec2-cfbc-45f9-ae31-2cc53070e765","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T12:46:49.6216206Z","updatedOn":"2022-04-12T12:46:49.6216206Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/85cc2dff-c5d4-42a3-acb6-255cd4208ef4","type":"Microsoft.Authorization/roleAssignments","name":"85cc2dff-c5d4-42a3-acb6-255cd4208ef4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"662a0ec2-cfbc-45f9-ae31-2cc53070e765","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T12:46:57.1459341Z","updatedOn":"2022-04-12T12:46:57.1459341Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/aba8e90d-d951-4cb5-a346-b71e478f4d1b","type":"Microsoft.Authorization/roleAssignments","name":"aba8e90d-d951-4cb5-a346-b71e478f4d1b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"30bc1f3b-ca1a-4c55-96ff-4c026f12eaa1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T13:09:28.3678603Z","updatedOn":"2022-04-12T13:09:28.3678603Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/79d87d90-f984-4f53-a169-2eca51c00104","type":"Microsoft.Authorization/roleAssignments","name":"79d87d90-f984-4f53-a169-2eca51c00104"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"30bc1f3b-ca1a-4c55-96ff-4c026f12eaa1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T13:09:33.3916295Z","updatedOn":"2022-04-12T13:09:33.3916295Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/5e185742-c91a-4efe-b0d8-db9524685ec5","type":"Microsoft.Authorization/roleAssignments","name":"5e185742-c91a-4efe-b0d8-db9524685ec5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3c582fc7-e68a-4991-a2f6-3d8a7a1f23c1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:01:02.2689248Z","updatedOn":"2022-04-13T07:01:02.2689248Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/c9b4f9ab-d687-4a65-910a-5bcb2f974bfe","type":"Microsoft.Authorization/roleAssignments","name":"c9b4f9ab-d687-4a65-910a-5bcb2f974bfe"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"3c582fc7-e68a-4991-a2f6-3d8a7a1f23c1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:01:09.3571703Z","updatedOn":"2022-04-13T07:01:09.3571703Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/8bedf13c-aa1a-4191-aa97-573f14fd97ee","type":"Microsoft.Authorization/roleAssignments","name":"8bedf13c-aa1a-4191-aa97-573f14fd97ee"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"a31004b5-ce06-49e1-8706-e8c7afe68695","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:43:04.6456354Z","updatedOn":"2022-04-13T07:43:04.6456354Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/bd0fc30a-6ccf-4c22-a26b-0e31aba16035","type":"Microsoft.Authorization/roleAssignments","name":"bd0fc30a-6ccf-4c22-a26b-0e31aba16035"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"a31004b5-ce06-49e1-8706-e8c7afe68695","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:43:10.1186881Z","updatedOn":"2022-04-13T07:43:10.1186881Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/dadaa3cd-f442-4d5c-aed3-7cbab2fba3e0","type":"Microsoft.Authorization/roleAssignments","name":"dadaa3cd-f442-4d5c-aed3-7cbab2fba3e0"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"6f6a803e-4dc5-488a-8566-a4f0a984975e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T08:58:57.7706882Z","updatedOn":"2022-04-13T08:58:57.7706882Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9e3d10bf-9bfa-4a97-9ab1-b972a348abd0","type":"Microsoft.Authorization/roleAssignments","name":"9e3d10bf-9bfa-4a97-9ab1-b972a348abd0"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"6f6a803e-4dc5-488a-8566-a4f0a984975e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T08:59:03.2414961Z","updatedOn":"2022-04-13T08:59:03.2414961Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/66eefd94-4bda-46df-9c61-7e92f83d91e7","type":"Microsoft.Authorization/roleAssignments","name":"66eefd94-4bda-46df-9c61-7e92f83d91e7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"829da4fd-a5f4-4ca7-bc3d-0679d104c5f0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T10:17:35.8887781Z","updatedOn":"2022-04-13T10:17:35.8887781Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/77f4f7a3-a377-49f7-a094-945b82b2bfff","type":"Microsoft.Authorization/roleAssignments","name":"77f4f7a3-a377-49f7-a094-945b82b2bfff"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"829da4fd-a5f4-4ca7-bc3d-0679d104c5f0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T10:17:41.2233089Z","updatedOn":"2022-04-13T10:17:41.2233089Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/1a71aac6-e9ce-40ff-a39f-7594df2ea6e9","type":"Microsoft.Authorization/roleAssignments","name":"1a71aac6-e9ce-40ff-a39f-7594df2ea6e9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3f74f5b7-f4f6-4b65-a45d-f1c60467e115","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-21T06:57:19.4532093Z","updatedOn":"2022-04-21T06:57:19.4532093Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/eede4548-9f71-44b7-8077-c49aa44894b4","type":"Microsoft.Authorization/roleAssignments","name":"eede4548-9f71-44b7-8077-c49aa44894b4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"3f74f5b7-f4f6-4b65-a45d-f1c60467e115","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-21T06:57:24.3439247Z","updatedOn":"2022-04-21T06:57:24.3439247Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/c011acd2-8b5d-45d6-b6c1-4ffe1867ce31","type":"Microsoft.Authorization/roleAssignments","name":"c011acd2-8b5d-45d6-b6c1-4ffe1867ce31"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"85c33f6f-5d69-4b0e-bc06-95a7d3193519","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-05-04T09:52:52.7340040Z","updatedOn":"2022-05-04T09:52:52.7340040Z","createdBy":"447bbed8-9839-4d6e-9e39-fb9aeee1ec1d","updatedBy":"447bbed8-9839-4d6e-9e39-fb9aeee1ec1d","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/6a4f635c-309c-4a1d-8eea-86fb5aa91d80","type":"Microsoft.Authorization/roleAssignments","name":"6a4f635c-309c-4a1d-8eea-86fb5aa91d80"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"e6234342-a3d7-4b04-9041-3e8526f5861a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-05-12T06:55:02.9137483Z","updatedOn":"2022-05-12T06:55:02.9137483Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a5bd1b6d-0084-40ec-9126-2250536b4778","type":"Microsoft.Authorization/roleAssignments","name":"a5bd1b6d-0084-40ec-9126-2250536b4778"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"0b2dcd24-9585-4bb4-a7c3-83e0e3bd0dc7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-05-24T11:54:25.7258076Z","updatedOn":"2022-05-24T11:54:25.7258076Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9a7dc348-d24e-438b-84b0-c7cda5bf92c4","type":"Microsoft.Authorization/roleAssignments","name":"9a7dc348-d24e-438b-84b0-c7cda5bf92c4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"0b2dcd24-9585-4bb4-a7c3-83e0e3bd0dc7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-05-24T11:54:29.8931759Z","updatedOn":"2022-05-24T11:54:29.8931759Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/aeb54d04-84b8-4530-bd7e-fe01dafd82ab","type":"Microsoft.Authorization/roleAssignments","name":"aeb54d04-84b8-4530-bd7e-fe01dafd82ab"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"f2cee52e-3d75-4f49-acc4-b5aaf72232ee","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T11:01:05.6238088Z","updatedOn":"2022-06-03T11:01:05.6238088Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2bd63fbe-e197-434f-ba1e-016bad298ff7","type":"Microsoft.Authorization/roleAssignments","name":"2bd63fbe-e197-434f-ba1e-016bad298ff7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"8be185b2-5cbf-45c1-b9af-cbbd9b59144d","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T13:20:41.1511200Z","updatedOn":"2022-06-03T13:22:39.1076287Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/f12c7867-43e5-5530-98e9-9d8a2f39fb92","type":"Microsoft.Authorization/roleAssignments","name":"f12c7867-43e5-5530-98e9-9d8a2f39fb92"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"8be185b2-5cbf-45c1-b9af-cbbd9b59144d","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T13:37:09.9515887Z","updatedOn":"2022-06-03T14:40:22.4040874Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/bace23ac-6978-5318-a146-d49599599b02","type":"Microsoft.Authorization/roleAssignments","name":"bace23ac-6978-5318-a146-d49599599b02"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"e6234342-a3d7-4b04-9041-3e8526f5861a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-06T11:22:08.5127363Z","updatedOn":"2022-06-06T11:22:08.5127363Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/df253c65-35fc-4ff6-9a32-39b3fe20a6e3","type":"Microsoft.Authorization/roleAssignments","name":"df253c65-35fc-4ff6-9a32-39b3fe20a6e3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"5f137a67-1b88-4f98-aa20-b71a7082dc56","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-10T14:11:57.5623976Z","updatedOn":"2022-06-10T14:11:57.5623976Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e409f573-8bda-4b7e-854a-61c445d36c6f","type":"Microsoft.Authorization/roleAssignments","name":"e409f573-8bda-4b7e-854a-61c445d36c6f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"961a41dc-cbb6-4777-9b6c-a6d4d1ea4faa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:02:09.6478601Z","updatedOn":"2022-06-21T12:02:09.6478601Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/efc8d400-cd5e-41d3-99e6-65878c1f888c","type":"Microsoft.Authorization/roleAssignments","name":"efc8d400-cd5e-41d3-99e6-65878c1f888c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"961a41dc-cbb6-4777-9b6c-a6d4d1ea4faa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:02:31.1213523Z","updatedOn":"2022-06-21T12:02:31.1213523Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/1ad6de95-d660-4f0a-84cf-1b297eafe5f6","type":"Microsoft.Authorization/roleAssignments","name":"1ad6de95-d660-4f0a-84cf-1b297eafe5f6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"1831aada-7907-4673-a5e2-b11217764c9e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:22:14.2181104Z","updatedOn":"2022-06-21T12:22:14.2181104Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/c5856647-b5ff-4264-a966-049b6a58a42f","type":"Microsoft.Authorization/roleAssignments","name":"c5856647-b5ff-4264-a966-049b6a58a42f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"1831aada-7907-4673-a5e2-b11217764c9e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:22:40.2874069Z","updatedOn":"2022-06-21T12:22:40.2874069Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/a3560e50-7085-48f4-85a1-97487179cc5d","type":"Microsoft.Authorization/roleAssignments","name":"a3560e50-7085-48f4-85a1-97487179cc5d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-22T11:28:57.2073063Z","updatedOn":"2022-06-22T11:28:57.2073063Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c5b3bcf3-fd4c-4b57-9f73-f075ce7afccb","type":"Microsoft.Authorization/roleAssignments","name":"c5b3bcf3-fd4c-4b57-9f73-f075ce7afccb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-23T09:19:22.2256200Z","updatedOn":"2022-06-23T09:19:22.2256200Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/344b17ae-cabf-4a33-9a9d-ba30fefcbadc","type":"Microsoft.Authorization/roleAssignments","name":"344b17ae-cabf-4a33-9a9d-ba30fefcbadc"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"2b81557b-8e7a-4df8-9a41-e59844f627c2","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-23T09:25:03.9969293Z","updatedOn":"2022-06-23T09:25:03.9969293Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/13a7f7c7-7364-4f9b-ba92-5430f17b29b5","type":"Microsoft.Authorization/roleAssignments","name":"13a7f7c7-7364-4f9b-ba92-5430f17b29b5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-24T07:04:04.5965087Z","updatedOn":"2022-06-24T07:04:04.5965087Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ba604c54-80e1-490e-a123-9ef9d477536b","type":"Microsoft.Authorization/roleAssignments","name":"ba604c54-80e1-490e-a123-9ef9d477536b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-25T04:10:10.7065168Z","updatedOn":"2022-06-25T04:10:10.7065168Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/916a749f-b61f-4ba4-8c28-46217c3a7b4e","type":"Microsoft.Authorization/roleAssignments","name":"916a749f-b61f-4ba4-8c28-46217c3a7b4e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T07:37:58.3152810Z","updatedOn":"2022-06-27T07:37:58.3152810Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/0a1046d6-ba58-491f-b473-403ec29cd2be","type":"Microsoft.Authorization/roleAssignments","name":"0a1046d6-ba58-491f-b473-403ec29cd2be"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:21:12.2347431Z","updatedOn":"2022-06-27T08:21:12.2347431Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/abc6fbbe-d4a8-4315-9532-82e90334dcc9","type":"Microsoft.Authorization/roleAssignments","name":"abc6fbbe-d4a8-4315-9532-82e90334dcc9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"381295fa-e67d-4943-a2eb-90ffcf09577b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:43:17.8582970Z","updatedOn":"2022-06-27T08:43:17.8582970Z","createdBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","updatedBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b8f0bb0e-1495-48f0-aa68-33c364310cfb","type":"Microsoft.Authorization/roleAssignments","name":"b8f0bb0e-1495-48f0-aa68-33c364310cfb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"381295fa-e67d-4943-a2eb-90ffcf09577b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:43:18.7801612Z","updatedOn":"2022-06-27T08:43:18.7801612Z","createdBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","updatedBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b8eb5d9d-85e3-4ba8-9458-fdd2c48ba8e1","type":"Microsoft.Authorization/roleAssignments","name":"b8eb5d9d-85e3-4ba8-9458-fdd2c48ba8e1"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"3de34697-a180-45dc-aff8-c16061f1143b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-01T08:15:11.7388086Z","updatedOn":"2022-07-01T08:15:11.7388086Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/86db086e-0442-5eef-8ebc-1d8d28a4d03a","type":"Microsoft.Authorization/roleAssignments","name":"86db086e-0442-5eef-8ebc-1d8d28a4d03a"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3de34697-a180-45dc-aff8-c16061f1143b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-01T08:15:12.7940996Z","updatedOn":"2022-07-01T08:15:12.7940996Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/cbcefba6-df6c-5670-9e02-9e09f7964d9c","type":"Microsoft.Authorization/roleAssignments","name":"cbcefba6-df6c-5670-9e02-9e09f7964d9c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"fe7b070d-f778-4cfd-8acf-eda94f397a89","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-29T07:15:07.9544255Z","updatedOn":"2022-07-29T07:15:07.9544255Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/efb13d06-875d-40e3-81d5-195824e19188","type":"Microsoft.Authorization/roleAssignments","name":"efb13d06-875d-40e3-81d5-195824e19188"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"aa7a0e3a-c2c6-41e2-9838-2ae541c08a88","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-01T10:57:25.8183048Z","updatedOn":"2022-08-01T10:57:25.8183048Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/e179ab30-f6f9-44c6-9806-801d4240a604","type":"Microsoft.Authorization/roleAssignments","name":"e179ab30-f6f9-44c6-9806-801d4240a604"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"da112a02-e7cf-4b53-93a0-96958f47f77f","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-01T12:19:56.7716607Z","updatedOn":"2022-08-01T12:19:56.7716607Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/859af8cf-cf8d-4a41-b5cb-b492bbebfa96","type":"Microsoft.Authorization/roleAssignments","name":"859af8cf-cf8d-4a41-b5cb-b492bbebfa96"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"d9334401-f342-4fc7-88c4-6fb936fb3a6f","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-02T06:53:24.5190593Z","updatedOn":"2022-08-02T06:53:24.5190593Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/babd18e7-662a-4f61-b03b-d2790ad8ad2b","type":"Microsoft.Authorization/roleAssignments","name":"babd18e7-662a-4f61-b03b-d2790ad8ad2b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"d9334401-f342-4fc7-88c4-6fb936fb3a6f","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-02T06:56:06.5673047Z","updatedOn":"2022-08-02T06:56:06.5673047Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9b61e48d-b011-4da0-8daa-a65f34af5a33","type":"Microsoft.Authorization/roleAssignments","name":"9b61e48d-b011-4da0-8daa-a65f34af5a33"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f8520195-1c62-47ff-8c01-e394155b52f1","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-10T11:13:36.6792855Z","updatedOn":"2022-08-10T11:13:36.6792855Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3c9150af-abd1-4d00-9c16-acb375857df6","type":"Microsoft.Authorization/roleAssignments","name":"3c9150af-abd1-4d00-9c16-acb375857df6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f4bfeb83-a4cc-43e8-bee0-9808b5d0918d","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-24T05:51:56.3337713Z","updatedOn":"2022-08-24T05:51:56.3337713Z","createdBy":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","updatedBy":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3caa2a04-62bf-4a33-80f5-056840e59fb4","type":"Microsoft.Authorization/roleAssignments","name":"3caa2a04-62bf-4a33-80f5-056840e59fb4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"608ca1e9-e854-46c6-984f-d812d0e657e6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-30T13:32:28.1332524Z","updatedOn":"2022-08-30T13:32:28.1332524Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2719b245-3aeb-4cc0-92bc-6f63eea0dcbf","type":"Microsoft.Authorization/roleAssignments","name":"2719b245-3aeb-4cc0-92bc-6f63eea0dcbf"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"76710889-6dec-4b99-a529-cfd36fcb16ec","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:30:49.7733486Z","updatedOn":"2022-09-05T11:30:49.7733486Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/bbc4ec43-5e44-4b5d-8de0-cdf89486bb41","type":"Microsoft.Authorization/roleAssignments","name":"bbc4ec43-5e44-4b5d-8de0-cdf89486bb41"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"76710889-6dec-4b99-a529-cfd36fcb16ec","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:33:36.9049436Z","updatedOn":"2022-09-05T11:33:36.9049436Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/3f21962f-d606-4223-b80f-43344d5dc933","type":"Microsoft.Authorization/roleAssignments","name":"3f21962f-d606-4223-b80f-43344d5dc933"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"f41bd262-eb21-47f1-9706-f12132d865e3","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:49:52.6105159Z","updatedOn":"2022-09-05T11:49:52.6105159Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/14d078a0-ff7d-4677-aba3-9dc54afca23f","type":"Microsoft.Authorization/roleAssignments","name":"14d078a0-ff7d-4677-aba3-9dc54afca23f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"f41bd262-eb21-47f1-9706-f12132d865e3","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:52:24.6920598Z","updatedOn":"2022-09-05T11:52:24.6920598Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/19633fe8-03e5-4a16-8ca8-6132e216935f","type":"Microsoft.Authorization/roleAssignments","name":"19633fe8-03e5-4a16-8ca8-6132e216935f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"12f8ea5c-1212-449e-b31c-0a574f43076e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2023-01-31T05:55:25.5617539Z","updatedOn":"2023-01-31T05:55:25.5617539Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9d33f09a-0f43-47cf-bde2-27143c6633e7","type":"Microsoft.Authorization/roleAssignments","name":"9d33f09a-0f43-47cf-bde2-27143c6633e7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"9ca84dd8-bc7f-493f-aad6-5776fe5cfcf1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-07T11:46:18.7367949Z","updatedOn":"2023-02-07T11:46:18.7367949Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/5d4c800c-2937-4424-a276-0ce194654572","type":"Microsoft.Authorization/roleAssignments","name":"5d4c800c-2937-4424-a276-0ce194654572"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"cfc56492-7710-42ce-aa54-bacfddcd15f5","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-07T14:37:44.2986908Z","updatedOn":"2023-02-07T14:37:44.2986908Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/f5dfe629-7f08-42b1-a0e1-3557f3bf3da6","type":"Microsoft.Authorization/roleAssignments","name":"f5dfe629-7f08-42b1-a0e1-3557f3bf3da6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"cfc56492-7710-42ce-aa54-bacfddcd15f5","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-07T14:40:10.8368679Z","updatedOn":"2023-02-07T14:40:10.8368679Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/cb18b5b2-f705-48bd-a21a-01a616187728","type":"Microsoft.Authorization/roleAssignments","name":"cb18b5b2-f705-48bd-a21a-01a616187728"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"ab864caf-15e7-4817-a2e9-fb976dfa9d92","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-07T18:24:58.0770208Z","updatedOn":"2023-02-07T18:24:58.0770208Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/a38a7654-d866-4caa-964d-bf247954ce6f","type":"Microsoft.Authorization/roleAssignments","name":"a38a7654-d866-4caa-964d-bf247954ce6f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"ab864caf-15e7-4817-a2e9-fb976dfa9d92","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-07T18:27:30.1142529Z","updatedOn":"2023-02-07T18:27:30.1142529Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/4b91f0d6-a6a8-451e-9d66-a9ae6b33890c","type":"Microsoft.Authorization/roleAssignments","name":"4b91f0d6-a6a8-451e-9d66-a9ae6b33890c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"7e358fea-2c3c-4c77-bbf5-d4c433fa937a","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-08T06:59:01.0691008Z","updatedOn":"2023-02-08T06:59:01.0691008Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/ef38f5ad-dfa1-444f-a59c-4228a2fcb601","type":"Microsoft.Authorization/roleAssignments","name":"ef38f5ad-dfa1-444f-a59c-4228a2fcb601"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"7e358fea-2c3c-4c77-bbf5-d4c433fa937a","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-08T07:01:22.2694457Z","updatedOn":"2023-02-08T07:01:22.2694457Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/a65516eb-abd7-4b4c-824c-60cc075fecd1","type":"Microsoft.Authorization/roleAssignments","name":"a65516eb-abd7-4b4c-824c-60cc075fecd1"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a51d0ef9-9895-4b63-b3f8-354bb7d1a6bb","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-05-21T08:47:39.8177538Z","updatedOn":"2021-05-21T08:47:39.8177538Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/17db6abb-bc45-4967-b313-e470ec9cbbd7","type":"Microsoft.Authorization/roleAssignments","name":"17db6abb-bc45-4967-b313-e470ec9cbbd7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"7c567124-5292-4819-aa73-0224bf1c42e1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-05-23T13:38:54.7542852Z","updatedOn":"2021-05-23T13:38:54.7542852Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/0809d692-f58f-43f2-b597-7f115957407e","type":"Microsoft.Authorization/roleAssignments","name":"0809d692-f58f-43f2-b597-7f115957407e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"955c9d1b-0cb6-4ff6-91c9-f4aadf67ffe8","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-05-24T16:45:08.3835615Z","updatedOn":"2021-05-24T16:45:08.3835615Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/1b1ac6ab-19e7-4c4f-91d2-5be73096da2c","type":"Microsoft.Authorization/roleAssignments","name":"1b1ac6ab-19e7-4c4f-91d2-5be73096da2c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"7221c906-782c-44a0-ab2f-f23d8a95ce25","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-05-24T16:56:16.2751421Z","updatedOn":"2021-05-24T16:56:16.2751421Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/ca8f2433-76dc-49fa-828d-9cd2861ec25c","type":"Microsoft.Authorization/roleAssignments","name":"ca8f2433-76dc-49fa-828d-9cd2861ec25c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"e1a3bbaa-4ffb-41a6-a154-b4870d9e86b4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T06:40:53.5542743Z","updatedOn":"2021-06-04T06:40:53.5542743Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9d9ac2a8-dbac-41bb-9f17-c473f02c6370","type":"Microsoft.Authorization/roleAssignments","name":"9d9ac2a8-dbac-41bb-9f17-c473f02c6370"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"e1a3bbaa-4ffb-41a6-a154-b4870d9e86b4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T06:40:57.1326805Z","updatedOn":"2021-06-04T06:40:57.1326805Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/14b1338c-95f6-44f9-ad22-395f8ebbb1fe","type":"Microsoft.Authorization/roleAssignments","name":"14b1338c-95f6-44f9-ad22-395f8ebbb1fe"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"1da90707-df56-4d40-a805-2e646c9d95ab","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:02:18.2829699Z","updatedOn":"2021-06-04T07:02:18.2829699Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/bf5f4821-9baa-4dc6-9bd5-8c62f31c1a93","type":"Microsoft.Authorization/roleAssignments","name":"bf5f4821-9baa-4dc6-9bd5-8c62f31c1a93"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"1da90707-df56-4d40-a805-2e646c9d95ab","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:02:22.4343547Z","updatedOn":"2021-06-04T07:02:22.4343547Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/26bab283-0772-4c03-8dc1-a50c8ffa597d","type":"Microsoft.Authorization/roleAssignments","name":"26bab283-0772-4c03-8dc1-a50c8ffa597d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"ab6b1184-ff37-4d3e-b460-fbe654f7ad5c","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:19:08.8293677Z","updatedOn":"2021-06-04T07:19:08.8293677Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/d972f611-a4bd-4b80-9e78-980984602450","type":"Microsoft.Authorization/roleAssignments","name":"d972f611-a4bd-4b80-9e78-980984602450"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"ab6b1184-ff37-4d3e-b460-fbe654f7ad5c","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:19:12.8400651Z","updatedOn":"2021-06-04T07:19:12.8400651Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/b9393755-f5ca-41ef-a631-fb62184c57a8","type":"Microsoft.Authorization/roleAssignments","name":"b9393755-f5ca-41ef-a631-fb62184c57a8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3ffa4e46-39a3-4002-9292-e2adf0d1a8c6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T09:14:15.2633798Z","updatedOn":"2021-06-04T09:14:15.2633798Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/094981c0-d59c-4f5b-9581-72c08da65454","type":"Microsoft.Authorization/roleAssignments","name":"094981c0-d59c-4f5b-9581-72c08da65454"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"3ffa4e46-39a3-4002-9292-e2adf0d1a8c6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T09:14:19.9554484Z","updatedOn":"2021-06-04T09:14:19.9554484Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/0cac59e0-0464-4bf6-9bef-f1fadc2b08f4","type":"Microsoft.Authorization/roleAssignments","name":"0cac59e0-0464-4bf6-9bef-f1fadc2b08f4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"93e2b483-3ffa-44f8-9965-fdb104b541a2","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-06-29T05:43:19.7216795Z","updatedOn":"2021-06-29T05:43:19.7216795Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c6aff8c2-08b1-5b1a-9c80-d91164226985","type":"Microsoft.Authorization/roleAssignments","name":"c6aff8c2-08b1-5b1a-9c80-d91164226985"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"4f285ac8-5610-4d2f-854c-bfa3d16a2679","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-11T06:55:02.4909144Z","updatedOn":"2021-07-11T06:55:02.4909144Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/0cec2ad2-d080-4126-a99f-f61c559b799c","type":"Microsoft.Authorization/roleAssignments","name":"0cec2ad2-d080-4126-a99f-f61c559b799c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"630db480-3ee6-47ec-ae72-5f917d466bad","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:16:28.8833400Z","updatedOn":"2021-07-13T10:16:28.8833400Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/37fe4b2d-0aca-4c27-8511-1e0d18063ec8","type":"Microsoft.Authorization/roleAssignments","name":"37fe4b2d-0aca-4c27-8511-1e0d18063ec8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"279982e7-46cf-4e40-9a3b-156c98285cb7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:18:48.5647062Z","updatedOn":"2021-07-13T10:18:48.5647062Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/7907f38d-57a7-431d-82d7-5dfa2ef0a628","type":"Microsoft.Authorization/roleAssignments","name":"7907f38d-57a7-431d-82d7-5dfa2ef0a628"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"790004d0-0112-41ad-92e8-95c464c34476","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:18:48.6068337Z","updatedOn":"2021-07-13T10:18:48.6068337Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8c9bda26-83c4-4d4c-b00b-c4b58301e539","type":"Microsoft.Authorization/roleAssignments","name":"8c9bda26-83c4-4d4c-b00b-c4b58301e539"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-21T06:38:43.9281998Z","updatedOn":"2021-07-21T06:38:43.9281998Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b553fa81-60dd-45d6-9781-8c2313d68b03","type":"Microsoft.Authorization/roleAssignments","name":"b553fa81-60dd-45d6-9781-8c2313d68b03"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:20.4258578Z","updatedOn":"2021-07-27T04:31:20.4258578Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/4b2f7b08-f9ef-4fc1-b9c4-2bb34fdef258","type":"Microsoft.Authorization/roleAssignments","name":"4b2f7b08-f9ef-4fc1-b9c4-2bb34fdef258"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:32.4566300Z","updatedOn":"2021-07-27T04:31:32.4566300Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8176bf09-8e96-448a-ab12-eeed360ecce2","type":"Microsoft.Authorization/roleAssignments","name":"8176bf09-8e96-448a-ab12-eeed360ecce2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:48.4577322Z","updatedOn":"2021-07-27T04:31:48.4577322Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/45949217-58cc-4c18-93f3-f4c90710ae2d","type":"Microsoft.Authorization/roleAssignments","name":"45949217-58cc-4c18-93f3-f4c90710ae2d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:20.8138038Z","updatedOn":"2021-07-27T10:13:20.8138038Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2382b52f-1ec5-430e-ae2a-74f9ed331ced","type":"Microsoft.Authorization/roleAssignments","name":"2382b52f-1ec5-430e-ae2a-74f9ed331ced"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:23.6551958Z","updatedOn":"2021-07-27T10:13:23.6551958Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e5863947-0b21-41b7-9997-c0dfc73eec29","type":"Microsoft.Authorization/roleAssignments","name":"e5863947-0b21-41b7-9997-c0dfc73eec29"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:29.6985440Z","updatedOn":"2021-07-27T10:13:29.6985440Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/28c1cefa-942f-44c5-a4d4-c33bb92abd45","type":"Microsoft.Authorization/roleAssignments","name":"28c1cefa-942f-44c5-a4d4-c33bb92abd45"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8039a424-299a-4014-8b22-4f6d6cc60065","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-11T07:08:31.9935560Z","updatedOn":"2021-08-11T07:08:31.9935560Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/69e0bcfc-b024-4d8b-a3d5-dac447f8986c","type":"Microsoft.Authorization/roleAssignments","name":"69e0bcfc-b024-4d8b-a3d5-dac447f8986c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"8f0340b8-4b70-412b-be19-c4612d49e353","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-20T11:58:29.6857641Z","updatedOn":"2021-08-20T11:58:29.6857641Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fd88236f-eacb-5303-912f-ba1741cf02bd","type":"Microsoft.Authorization/roleAssignments","name":"fd88236f-eacb-5303-912f-ba1741cf02bd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"0d8f6e68-d6c5-4a67-b6c4-3107609bbdbc","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-20T12:31:58.7980661Z","updatedOn":"2021-08-20T12:31:58.7980661Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/146f4a11-8712-583d-89eb-a7b8b82dbaa9","type":"Microsoft.Authorization/roleAssignments","name":"146f4a11-8712-583d-89eb-a7b8b82dbaa9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"e2072d83-2379-4f36-ab51-b5df7460c61e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-21T14:40:08.5987892Z","updatedOn":"2021-08-21T14:40:10.5055205Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/842af679-0b58-5eb5-b94c-ff59e4105d7e","type":"Microsoft.Authorization/roleAssignments","name":"842af679-0b58-5eb5-b94c-ff59e4105d7e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"0242778c-29df-4863-ac18-2fb8fd004135","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-08-30T06:31:52.6766200Z","updatedOn":"2021-08-30T06:31:52.6766200Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/f67c65e2-e609-4ffe-b504-294b00cbd2fd","type":"Microsoft.Authorization/roleAssignments","name":"f67c65e2-e609-4ffe-b504-294b00cbd2fd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"0242778c-29df-4863-ac18-2fb8fd004135","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-08-30T06:31:57.1552781Z","updatedOn":"2021-08-30T06:31:57.1552781Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/aaeab926-d6e2-4bb6-9e9e-0607e75cc75f","type":"Microsoft.Authorization/roleAssignments","name":"aaeab926-d6e2-4bb6-9e9e-0607e75cc75f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"2ab5fb95-b72e-4d12-948b-4223754d8ffa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-09-08T08:24:19.3547440Z","updatedOn":"2021-09-08T08:24:19.3547440Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/43ee13b8-5abd-51e0-88e3-ae84049da70e","type":"Microsoft.Authorization/roleAssignments","name":"43ee13b8-5abd-51e0-88e3-ae84049da70e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-17T09:41:38.5634940Z","updatedOn":"2021-09-17T09:41:38.5634940Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":"for + temp testing purpose"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/98fe0117-1e9c-4e37-b8a7-c4a1031d6916","type":"Microsoft.Authorization/roleAssignments","name":"98fe0117-1e9c-4e37-b8a7-c4a1031d6916"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"9c973a07-b207-473c-9687-bd693ba8e460","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-25T15:23:32.6168771Z","updatedOn":"2021-09-25T15:23:32.6168771Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/d852f084-bc9f-4258-9e2c-fcf48b9eaf85","type":"Microsoft.Authorization/roleAssignments","name":"d852f084-bc9f-4258-9e2c-fcf48b9eaf85"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"2778738c-452b-45ca-b8d6-f085836a1458","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-30T07:51:25.2399474Z","updatedOn":"2021-09-30T07:51:25.2399474Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b04a3bdf-b6a6-5ffb-9394-ee5743741597","type":"Microsoft.Authorization/roleAssignments","name":"b04a3bdf-b6a6-5ffb-9394-ee5743741597"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"0ac1f52a-325b-486a-a095-f46ffdd6a9e4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-10-26T01:59:18.6998395Z","updatedOn":"2021-10-26T01:59:18.6998395Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/53a3b238-b4b0-4d3f-b416-8d6dc8d755f6","type":"Microsoft.Authorization/roleAssignments","name":"53a3b238-b4b0-4d3f-b416-8d6dc8d755f6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"c3c0d020-16f0-44d8-9950-0250120a33ff","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-02T06:11:03.5575284Z","updatedOn":"2021-11-02T06:11:03.5575284Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/1d017732-f67e-5aa1-a4a6-47570078d9f3","type":"Microsoft.Authorization/roleAssignments","name":"1d017732-f67e-5aa1-a4a6-47570078d9f3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-10T08:59:19.7285159Z","updatedOn":"2021-11-10T08:59:19.7285159Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a60357fa-dc0a-4479-a2a9-4329c2d0ae89","type":"Microsoft.Authorization/roleAssignments","name":"a60357fa-dc0a-4479-a2a9-4329c2d0ae89"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8dd77695-d6a5-450d-a43c-67ca01be9fbc","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-12T10:55:38.3698246Z","updatedOn":"2021-11-12T10:55:38.3698246Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/dda5bb75-b74a-4430-975f-5bc9611c4b2d","type":"Microsoft.Authorization/roleAssignments","name":"dda5bb75-b74a-4430-975f-5bc9611c4b2d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/36243c78-bf99-498c-9df9-86d9f8d28608","principalId":"2152c794-9ca2-41fe-a313-2d0e1ee3eb80","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-18T06:28:12.0181010Z","updatedOn":"2021-02-18T06:28:12.0181010Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/804f6223-03eb-4091-b460-82160fc5f818","type":"Microsoft.Authorization/roleAssignments","name":"804f6223-03eb-4091-b460-82160fc5f818"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"2152c794-9ca2-41fe-a313-2d0e1ee3eb80","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-18T06:28:12.0168587Z","updatedOn":"2021-02-18T06:28:12.0168587Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8d80e2d6-315c-495c-ab2c-91ddf75edf41","type":"Microsoft.Authorization/roleAssignments","name":"8d80e2d6-315c-495c-ab2c-91ddf75edf41"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"cf46d636-b6c1-406c-aba7-b2c3d9ed07da","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-26T13:53:53.1151640Z","updatedOn":"2021-02-26T13:53:53.1151640Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/735e98ed-f4b8-4b7d-9cc9-af4f8ae77252","type":"Microsoft.Authorization/roleAssignments","name":"735e98ed-f4b8-4b7d-9cc9-af4f8ae77252"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8505e3f4-1ee7-427c-a175-a06595231d46","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-26T13:54:27.5624477Z","updatedOn":"2021-02-26T13:54:27.5624477Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/98c87a9f-b9e7-414b-8b59-bf3ec62dbc74","type":"Microsoft.Authorization/roleAssignments","name":"98c87a9f-b9e7-414b-8b59-bf3ec62dbc74"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-25T12:25:27.2277610Z","updatedOn":"2020-07-25T12:25:27.2277610Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fd6b8ff4-9edb-43f5-aa2a-32133fa09b1d","type":"Microsoft.Authorization/roleAssignments","name":"fd6b8ff4-9edb-43f5-aa2a-32133fa09b1d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"21ae6127-c385-4ae0-b895-a8559e9aa574","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-31T08:35:35.2993523Z","updatedOn":"2020-07-31T08:35:35.2993523Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/6af9fbf3-7085-4bcb-b399-88b89fac16d3","type":"Microsoft.Authorization/roleAssignments","name":"6af9fbf3-7085-4bcb-b399-88b89fac16d3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"1e845bc3-37db-4639-be09-d0cf1e448221","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-31T08:44:16.2909420Z","updatedOn":"2020-07-31T08:44:16.2909420Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/65080390-e9b5-4566-b362-d1e96c23dae2","type":"Microsoft.Authorization/roleAssignments","name":"65080390-e9b5-4566-b362-d1e96c23dae2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-11-03T06:12:01.6760584Z","updatedOn":"2020-11-03T06:12:01.6760584Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a7a12420-2dce-4a47-822e-68cadf239da3","type":"Microsoft.Authorization/roleAssignments","name":"a7a12420-2dce-4a47-822e-68cadf239da3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3282af51-433d-47e8-b2b5-633fbe0fecc0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-11-03T06:25:32.6790913Z","updatedOn":"2020-11-03T06:25:32.6790913Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/36da831d-10ce-4f42-ba28-362960f6ea36","type":"Microsoft.Authorization/roleAssignments","name":"36da831d-10ce-4f42-ba28-362960f6ea36"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-10-04T07:35:39.6626948Z","updatedOn":"2019-10-04T07:35:39.6626948Z","createdBy":"8031e009-cc05-4950-8a8d-78942c4492ac","updatedBy":"8031e009-cc05-4950-8a8d-78942c4492ac","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/730fa65e-c74c-4c3d-9cc3-9457f9b97274","type":"Microsoft.Authorization/roleAssignments","name":"730fa65e-c74c-4c3d-9cc3-9457f9b97274"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-04-08T01:03:29.8241478Z","updatedOn":"2021-04-08T01:03:29.8241478Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/63818ccb-a05c-4083-9e1d-64b4c7c0e1cd","type":"Microsoft.Authorization/roleAssignments","name":"63818ccb-a05c-4083-9e1d-64b4c7c0e1cd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"c87d9afe-4463-41d5-81e3-3bd162af9183","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-07-10T09:38:17.4348497Z","updatedOn":"2019-07-10T09:38:17.4348497Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/ebc56c6d-c5de-4d99-b166-89d4ac815acd","type":"Microsoft.Authorization/roleAssignments","name":"ebc56c6d-c5de-4d99-b166-89d4ac815acd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-03-15T11:01:18.6794974Z","updatedOn":"2019-03-15T11:01:18.6794974Z","createdBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","updatedBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/9fb9b151-1d53-4eff-9336-75cf634e1e3d","type":"Microsoft.Authorization/roleAssignments","name":"9fb9b151-1d53-4eff-9336-75cf634e1e3d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f87f6638-3a1b-4562-8603-aacd59537149","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-05-03T06:47:05.1411825Z","updatedOn":"2019-05-03T06:47:05.1411825Z","createdBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","updatedBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/24ffbb29-061f-4b1d-8c26-c6e90ef53303","type":"Microsoft.Authorization/roleAssignments","name":"24ffbb29-061f-4b1d-8c26-c6e90ef53303"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"becb4b6b-fe16-413b-a5c3-90355e0b2982","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-06-26T06:33:50.1123976Z","updatedOn":"2019-06-26T06:33:50.1123976Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/4c3721e8-06f4-4115-a2d8-90c4a9a57d56","type":"Microsoft.Authorization/roleAssignments","name":"4c3721e8-06f4-4115-a2d8-90c4a9a57d56"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-04-07T16:59:19.6098216Z","updatedOn":"2021-04-07T16:59:19.6098216Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/9d2de631-e451-450b-8237-e5bc19624eee","type":"Microsoft.Authorization/roleAssignments","name":"9d2de631-e451-450b-8237-e5bc19624eee"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/17d1049b-9a84-46fb-8f53-869881c3d3ab","principalId":"f61a8f2d-c22b-47c9-9e09-71c6dc1686a2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2022-10-17T05:35:15.3185857Z","updatedOn":"2022-10-17T05:35:15.3185857Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/112e70a2-19dc-47b1-8a5f-b6b0ebe3101a","type":"Microsoft.Authorization/roleAssignments","name":"112e70a2-19dc-47b1-8a5f-b6b0ebe3101a"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/17d1049b-9a84-46fb-8f53-869881c3d3ab","principalId":"38bb424d-6106-4a59-800e-90ee180570f1","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2022-10-26T02:55:09.1249140Z","updatedOn":"2022-10-26T02:55:09.1249140Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/7cdb04d8-94ce-4084-b154-6ab26e1b0041","type":"Microsoft.Authorization/roleAssignments","name":"7cdb04d8-94ce-4084-b154-6ab26e1b0041"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"b1b96a90-235c-4668-a931-ee1c08db7681","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-02-01T04:47:38.5676012Z","updatedOn":"2021-02-01T04:47:38.5676012Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/a9e38032-c21b-4c41-8960-1c9c982d98e2","type":"Microsoft.Authorization/roleAssignments","name":"a9e38032-c21b-4c41-8960-1c9c982d98e2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a51d0ef9-9895-4b63-b3f8-354bb7d1a6bb","principalType":"Group","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-03-03T05:31:57.4716459Z","updatedOn":"2021-03-03T05:31:57.4716459Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/77aa0ff2-42c2-4e01-a51d-01cf2dd7ce04","type":"Microsoft.Authorization/roleAssignments","name":"77aa0ff2-42c2-4e01-a51d-01cf2dd7ce04"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"ce2366a6-64d7-441b-939c-c9d23f91cccd","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47","condition":null,"conditionVersion":null,"createdOn":"2020-03-12T20:43:06.5941189Z","updatedOn":"2020-03-12T20:43:06.5941189Z","createdBy":"606f48c8-d219-4875-991d-ae6befaf0756","updatedBy":"606f48c8-d219-4875-991d-ae6befaf0756","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47/providers/Microsoft.Authorization/roleAssignments/ad9e2cd7-0ff7-4931-9b17-656c8f17934b","type":"Microsoft.Authorization/roleAssignments","name":"ad9e2cd7-0ff7-4931-9b17-656c8f17934b"}]}' + headers: + cache-control: + - no-cache + content-length: + - '131131' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:37:11 GMT + expires: + - '-1' + pragma: + - no-cache + set-cookie: + - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-instance update-msi-permissions + Connection: + - keep-alive + Cookie: + - x-ms-gateway-slice=Production + ParameterSetName: + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes + User-Agent: + - python/3.10.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 + azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.45.0 (PIP) + accept-language: + - en-US + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Disk%20Backup%20Reader%27&api-version=2018-01-01-preview + response: + body: + string: '{"value":[{"properties":{"roleName":"Disk Backup Reader","type":"BuiltInRole","description":"Provides + permission to backup vault to perform disk backup.","assignableScopes":["/"],"permissions":[{"actions":["Microsoft.Authorization/*/read","Microsoft.Compute/disks/read","Microsoft.Compute/disks/beginGetAccess/action"],"notActions":[],"dataActions":[],"notDataActions":[]}],"createdOn":"2020-12-15T07:39:03.8394514Z","updatedOn":"2021-11-11T20:14:56.0178737Z","createdBy":null,"updatedBy":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","type":"Microsoft.Authorization/roleDefinitions","name":"3e5e47e6-65f7-47ef-90b5-e5dd4d455f24"}]}' + headers: + cache-control: + - no-cache + content-length: + - '738' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:37:11 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-instance update-msi-permissions + Connection: + - keep-alive + ParameterSetName: + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes + User-Agent: + - python/3.10.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.45.0 (PIP) + method: GET + uri: https://graph.microsoft.com/v1.0/servicePrincipals?$filter=servicePrincipalNames%2Fany%28c%3Ac%20eq%20%2741753b57-b4fa-4774-80aa-414a3af0f706%27%29 + response: + body: + string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#servicePrincipals","value":[]}' + headers: + cache-control: + - no-cache + content-length: + - '92' + content-type: + - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 + date: + - Mon, 13 Feb 2023 07:37:12 GMT + odata-version: + - '4.0' + request-id: + - db88cbac-b32f-45be-b48a-f6ef1c582599 + strict-transport-security: + - max-age=31536000 + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-ms-ags-diagnostic: + - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"001","RoleInstance":"MA1PEPF00004260"}}' + x-ms-resource-unit: + - '1' + status: + code: 200 + message: OK +- request: + body: '{"ids": ["41753b57-b4fa-4774-80aa-414a3af0f706"], "types": ["user", "group", + "servicePrincipal", "directoryObjectPartnerReference"]}' + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-instance update-msi-permissions + Connection: + - keep-alive + Content-Length: + - '132' + Content-Type: + - application/json + ParameterSetName: + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes + User-Agent: + - python/3.10.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.45.0 (PIP) + method: POST + uri: https://graph.microsoft.com/v1.0/directoryObjects/getByIds + response: + body: + string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#directoryObjects","value":[{"@odata.type":"#microsoft.graph.servicePrincipal","id":"41753b57-b4fa-4774-80aa-414a3af0f706","deletedDateTime":null,"accountEnabled":true,"alternativeNames":["isExplicit=False","/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg/providers/Microsoft.DataProtection/BackupVaults/cli-test-new-vault1"],"appDisplayName":null,"appDescription":null,"appId":"fea0857b-fd83-4708-b252-0c5f0a38d6b0","applicationTemplateId":null,"appOwnerOrganizationId":null,"appRoleAssignmentRequired":false,"createdDateTime":"2023-02-13T07:30:29Z","description":null,"disabledByMicrosoftStatus":null,"displayName":"cli-test-new-vault1","homepage":null,"loginUrl":null,"logoutUrl":null,"notes":null,"notificationEmailAddresses":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyThumbprint":null,"replyUrls":[],"servicePrincipalNames":["fea0857b-fd83-4708-b252-0c5f0a38d6b0","https://identity.azure.net/2czira6fp81UmSQY0i+P6p1ObGIy33lZb5C/K/6SyDY="],"servicePrincipalType":"ManagedIdentity","signInAudience":null,"tags":[],"tokenEncryptionKeyId":null,"info":null,"samlSingleSignOnSettings":null,"addIns":[],"appRoles":[],"keyCredentials":[{"customKeyIdentifier":"81B4BF05CBCD13C46538514E74E2057DB2DD092E","displayName":"CN=fea0857b-fd83-4708-b252-0c5f0a38d6b0","endDateTime":"2023-05-14T07:25:00Z","key":null,"keyId":"3dac063a-25ed-4f07-a638-ed0fc6455a6e","startDateTime":"2023-02-13T07:25:00Z","type":"AsymmetricX509Cert","usage":"Verify"}],"oauth2PermissionScopes":[],"passwordCredentials":[],"resourceSpecificApplicationPermissions":[],"verifiedPublisher":{"displayName":null,"verifiedPublisherId":null,"addedDateTime":null}}]}' + headers: + cache-control: + - no-cache + content-length: + - '1732' + content-type: + - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 + date: + - Mon, 13 Feb 2023 07:37:12 GMT + location: + - https://graph.microsoft.com + odata-version: + - '4.0' + request-id: + - 5a9e71e6-eb1e-46e5-ab1c-98bb72e9b53c + strict-transport-security: + - max-age=31536000 + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-ms-ags-diagnostic: + - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"001","RoleInstance":"MA1PEPF00004258"}}' + x-ms-resource-unit: + - '3' + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-instance update-msi-permissions + Connection: + - keep-alive + ParameterSetName: + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes + User-Agent: + - python/3.10.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 + azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.45.0 (PIP) + accept-language: + - en-US + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Disk%20Backup%20Reader%27&api-version=2018-01-01-preview + response: + body: + string: '{"value":[{"properties":{"roleName":"Disk Backup Reader","type":"BuiltInRole","description":"Provides + permission to backup vault to perform disk backup.","assignableScopes":["/"],"permissions":[{"actions":["Microsoft.Authorization/*/read","Microsoft.Compute/disks/read","Microsoft.Compute/disks/beginGetAccess/action"],"notActions":[],"dataActions":[],"notDataActions":[]}],"createdOn":"2020-12-15T07:39:03.8394514Z","updatedOn":"2021-11-11T20:14:56.0178737Z","createdBy":null,"updatedBy":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","type":"Microsoft.Authorization/roleDefinitions","name":"3e5e47e6-65f7-47ef-90b5-e5dd4d455f24"}]}' + headers: + cache-control: + - no-cache + content-length: + - '738' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:37:14 GMT + expires: + - '-1' + pragma: + - no-cache + set-cookie: + - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: '{"properties": {"roleDefinitionId": "/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24", + "principalId": "41753b57-b4fa-4774-80aa-414a3af0f706", "principalType": "ServicePrincipal"}}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-instance update-msi-permissions + Connection: + - keep-alive + Content-Length: + - '270' + Content-Type: + - application/json; charset=utf-8 + Cookie: + - x-ms-gateway-slice=Production + ParameterSetName: + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes + User-Agent: + - python/3.10.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 + azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.45.0 (PIP) + accept-language: + - en-US + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1/providers/Microsoft.Authorization/roleAssignments/d5806426-e0ef-4b46-800f-5ed2922a80cb?api-version=2020-04-01-preview + response: + body: + string: '{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"41753b57-b4fa-4774-80aa-414a3af0f706","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","condition":null,"conditionVersion":null,"createdOn":"2023-02-13T07:37:15.0086909Z","updatedOn":"2023-02-13T07:37:15.7258710Z","createdBy":null,"updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1/providers/Microsoft.Authorization/roleAssignments/d5806426-e0ef-4b46-800f-5ed2922a80cb","type":"Microsoft.Authorization/roleAssignments","name":"d5806426-e0ef-4b46-800f-5ed2922a80cb"}' + headers: + cache-control: + - no-cache + content-length: + - '979' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:37:17 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-writes: + - '1194' + status: + code: 201 + message: Created +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-instance update-msi-permissions + Connection: + - keep-alive + ParameterSetName: + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes + User-Agent: + - python/3.10.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.45.0 (PIP) + method: GET + uri: https://graph.microsoft.com/v1.0/servicePrincipals?$filter=servicePrincipalNames%2Fany%28c%3Ac%20eq%20%2741753b57-b4fa-4774-80aa-414a3af0f706%27%29 + response: + body: + string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#servicePrincipals","value":[]}' + headers: + cache-control: + - no-cache + content-length: + - '92' + content-type: + - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 + date: + - Mon, 13 Feb 2023 07:37:17 GMT + odata-version: + - '4.0' + request-id: + - 9508bccf-4a5a-40f4-ba1c-5f8660d64b46 + strict-transport-security: + - max-age=31536000 + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-ms-ags-diagnostic: + - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"001","RoleInstance":"MA1PEPF0000272C"}}' + x-ms-resource-unit: + - '1' + status: + code: 200 + message: OK +- request: + body: '{"ids": ["41753b57-b4fa-4774-80aa-414a3af0f706"], "types": ["user", "group", + "servicePrincipal", "directoryObjectPartnerReference"]}' + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-instance update-msi-permissions + Connection: + - keep-alive + Content-Length: + - '132' + Content-Type: + - application/json + ParameterSetName: + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes + User-Agent: + - python/3.10.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.45.0 (PIP) + method: POST + uri: https://graph.microsoft.com/v1.0/directoryObjects/getByIds + response: + body: + string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#directoryObjects","value":[{"@odata.type":"#microsoft.graph.servicePrincipal","id":"41753b57-b4fa-4774-80aa-414a3af0f706","deletedDateTime":null,"accountEnabled":true,"alternativeNames":["isExplicit=False","/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg/providers/Microsoft.DataProtection/BackupVaults/cli-test-new-vault1"],"appDisplayName":null,"appDescription":null,"appId":"fea0857b-fd83-4708-b252-0c5f0a38d6b0","applicationTemplateId":null,"appOwnerOrganizationId":null,"appRoleAssignmentRequired":false,"createdDateTime":"2023-02-13T07:30:29Z","description":null,"disabledByMicrosoftStatus":null,"displayName":"cli-test-new-vault1","homepage":null,"loginUrl":null,"logoutUrl":null,"notes":null,"notificationEmailAddresses":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyThumbprint":null,"replyUrls":[],"servicePrincipalNames":["fea0857b-fd83-4708-b252-0c5f0a38d6b0","https://identity.azure.net/2czira6fp81UmSQY0i+P6p1ObGIy33lZb5C/K/6SyDY="],"servicePrincipalType":"ManagedIdentity","signInAudience":null,"tags":[],"tokenEncryptionKeyId":null,"info":null,"samlSingleSignOnSettings":null,"addIns":[],"appRoles":[],"keyCredentials":[{"customKeyIdentifier":"81B4BF05CBCD13C46538514E74E2057DB2DD092E","displayName":"CN=fea0857b-fd83-4708-b252-0c5f0a38d6b0","endDateTime":"2023-05-14T07:25:00Z","key":null,"keyId":"3dac063a-25ed-4f07-a638-ed0fc6455a6e","startDateTime":"2023-02-13T07:25:00Z","type":"AsymmetricX509Cert","usage":"Verify"}],"oauth2PermissionScopes":[],"passwordCredentials":[],"resourceSpecificApplicationPermissions":[],"verifiedPublisher":{"displayName":null,"verifiedPublisherId":null,"addedDateTime":null}}]}' + headers: + cache-control: + - no-cache + content-length: + - '1732' + content-type: + - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 + date: + - Mon, 13 Feb 2023 07:37:18 GMT + location: + - https://graph.microsoft.com + odata-version: + - '4.0' + request-id: + - 2c067063-b911-42c7-b37d-fb170353967f + strict-transport-security: + - max-age=31536000 + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-ms-ags-diagnostic: + - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"001","RoleInstance":"MA1PEPF00003103"}}' + x-ms-resource-unit: + - '3' + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-instance update-msi-permissions + Connection: + - keep-alive + ParameterSetName: + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes + User-Agent: + - python/3.10.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 + azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.45.0 (PIP) + accept-language: + - en-US + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments?$filter=atScope%28%29&api-version=2020-04-01-preview + response: + body: + string: '{"value":[{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"5c617d2b-99f8-4c90-98fe-dfe040fa33c1","principalType":"ServicePrincipal","scope":"/","condition":null,"conditionVersion":null,"createdOn":"2018-02-27T19:19:50.2663941Z","updatedOn":"2018-02-27T19:19:50.2663941Z","createdBy":null,"updatedBy":null,"delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Authorization/roleAssignments/3e883d24-b106-42ff-ad13-d7bf271b964d","type":"Microsoft.Authorization/roleAssignments","name":"3e883d24-b106-42ff-ad13-d7bf271b964d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"1d8b8d73-0cc6-4db8-b112-724b4a932253","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-26T12:22:13.7498923Z","updatedOn":"2019-08-26T12:22:13.7498923Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8c3a4de9-1ebd-47ce-9dd9-bebf87a4e28f","type":"Microsoft.Authorization/roleAssignments","name":"8c3a4de9-1ebd-47ce-9dd9-bebf87a4e28f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"1e845bc3-37db-4639-be09-d0cf1e448221","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-05-24T11:02:27.8515917Z","updatedOn":"2019-05-24T11:02:27.8515917Z","createdBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","updatedBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b5eee4d7-5f9f-4f63-8040-8aec158c289b","type":"Microsoft.Authorization/roleAssignments","name":"b5eee4d7-5f9f-4f63-8040-8aec158c289b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"235b2664-75e2-4741-bb6f-37e49babf6cd","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-02-12T11:34:59.7104212Z","updatedOn":"2020-02-12T11:34:59.7104212Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/f0618702-8404-4858-9a26-e61f23e7d44f","type":"Microsoft.Authorization/roleAssignments","name":"f0618702-8404-4858-9a26-e61f23e7d44f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8bb5b214-1182-465c-892f-ca7235abe1e7","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-11-14T08:52:42.2795010Z","updatedOn":"2019-11-14T08:52:42.2795010Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/77daac38-9839-4b00-921b-e5d5a03e728c","type":"Microsoft.Authorization/roleAssignments","name":"77daac38-9839-4b00-921b-e5d5a03e728c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"9693df58-7f72-4974-9bd3-1c3ceb0382f1","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-11-29T09:40:04.3180033Z","updatedOn":"2018-11-29T09:40:04.3180033Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ed3bf874-9c97-43f9-a5e9-b4ee6f8982f7","type":"Microsoft.Authorization/roleAssignments","name":"ed3bf874-9c97-43f9-a5e9-b4ee6f8982f7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"d1f96755-9bcf-44b8-ab82-df67360496c4","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-05-08T10:28:08.2854940Z","updatedOn":"2020-05-08T10:28:08.2854940Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/dfb3ca56-a0d4-44ce-ba35-b716c3fdab86","type":"Microsoft.Authorization/roleAssignments","name":"dfb3ca56-a0d4-44ce-ba35-b716c3fdab86"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-12-31T09:26:43.6440415Z","updatedOn":"2018-12-31T09:26:43.6440415Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/45744ea8-780f-4f3e-88aa-b73d7f6997b2","type":"Microsoft.Authorization/roleAssignments","name":"45744ea8-780f-4f3e-88aa-b73d7f6997b2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e65078fb-6b02-434a-9f11-d06bf9bc0600","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-10-25T23:42:36.3444507Z","updatedOn":"2018-10-25T23:42:36.3444507Z","createdBy":"66cb55a5-e2a8-44ef-ae4b-5ab8fa2ec8d9","updatedBy":"66cb55a5-e2a8-44ef-ae4b-5ab8fa2ec8d9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e7ce51e8-4109-41d7-bc10-538b089599db","type":"Microsoft.Authorization/roleAssignments","name":"e7ce51e8-4109-41d7-bc10-538b089599db"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"a7782e0f-1f9a-4882-b2c9-11227aad244e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-06-16T04:32:50.9673703Z","updatedOn":"2020-06-16T04:32:50.9673703Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9fa21f2f-81c3-47b6-b706-650b359b96c3","type":"Microsoft.Authorization/roleAssignments","name":"9fa21f2f-81c3-47b6-b706-650b359b96c3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"00b14177-f4d2-4a4b-94f6-6e80f75745c9","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-03-12T09:49:11.3750683Z","updatedOn":"2020-03-12T09:49:11.3750683Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fff0abf3-3cf7-46be-8bc7-1d1619a160fb","type":"Microsoft.Authorization/roleAssignments","name":"fff0abf3-3cf7-46be-8bc7-1d1619a160fb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"1d8b8d73-0cc6-4db8-b112-724b4a932253","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-26T10:28:45.4880023Z","updatedOn":"2019-08-26T10:28:45.4880023Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/397a3c9c-c258-4d4e-834d-00cc08227796","type":"Microsoft.Authorization/roleAssignments","name":"397a3c9c-c258-4d4e-834d-00cc08227796"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"235b2664-75e2-4741-bb6f-37e49babf6cd","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-12-05T04:29:28.7359096Z","updatedOn":"2018-12-05T04:29:28.7359096Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3c830f42-5f89-4d8b-8f93-d3dc936f33bd","type":"Microsoft.Authorization/roleAssignments","name":"3c830f42-5f89-4d8b-8f93-d3dc936f33bd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-04-08T08:38:50.1742930Z","updatedOn":"2020-04-08T08:38:50.1742930Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/5293a96b-830e-45f4-9e9e-22d7d020f0d8","type":"Microsoft.Authorization/roleAssignments","name":"5293a96b-830e-45f4-9e9e-22d7d020f0d8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3421d717-ca60-44e7-a9a1-773acec4e503","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-10-23T09:40:14.7658272Z","updatedOn":"2019-10-23T09:40:14.7658272Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/34b29558-faf9-43f0-a194-35ca0aa99fc5","type":"Microsoft.Authorization/roleAssignments","name":"34b29558-faf9-43f0-a194-35ca0aa99fc5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3dc88d41-4d03-4105-970d-937e56de3839","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-06-27T12:59:44.6557891Z","updatedOn":"2019-06-27T12:59:44.6557891Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e57ab8d1-ce9a-4925-b09f-2567492d9b22","type":"Microsoft.Authorization/roleAssignments","name":"e57ab8d1-ce9a-4925-b09f-2567492d9b22"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"62c799b8-9b54-4c3d-97c9-9490d16a6a9a","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-08T13:01:20.9953919Z","updatedOn":"2019-08-08T13:01:20.9953919Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e1b91810-0781-462d-9517-764e4a033822","type":"Microsoft.Authorization/roleAssignments","name":"e1b91810-0781-462d-9517-764e4a033822"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8bb5b214-1182-465c-892f-ca7235abe1e7","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-10-23T08:03:15.6803676Z","updatedOn":"2019-10-23T08:03:15.6803676Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/facbac06-ddab-437d-949a-207593fddfff","type":"Microsoft.Authorization/roleAssignments","name":"facbac06-ddab-437d-949a-207593fddfff"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"978b254a-54be-42af-80f5-e2a37b2e40e5","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-07-08T06:57:57.0377373Z","updatedOn":"2019-07-08T06:57:57.0377373Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/89be5b0a-dfa8-4bdf-b667-c6f63f7f3f0e","type":"Microsoft.Authorization/roleAssignments","name":"89be5b0a-dfa8-4bdf-b667-c6f63f7f3f0e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"9c973a07-b207-473c-9687-bd693ba8e460","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-04-17T09:14:08.7913669Z","updatedOn":"2020-04-17T09:14:08.7913669Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/950c635a-23a5-4a0e-8eb6-c53e929c9699","type":"Microsoft.Authorization/roleAssignments","name":"950c635a-23a5-4a0e-8eb6-c53e929c9699"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"058c04ea-b176-4e7b-b8d9-9e1f2f713ffe","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-10-03T10:52:46.8918844Z","updatedOn":"2022-10-03T10:52:46.8918844Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c5a8b530-0e4c-40d9-a003-167e38138f34","type":"Microsoft.Authorization/roleAssignments","name":"c5a8b530-0e4c-40d9-a003-167e38138f34"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"ce439730-9009-4c60-b582-277f5b9b5c47","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-10-03T10:52:47.6507241Z","updatedOn":"2022-10-03T10:52:47.6507241Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/adfaf7e6-895a-432b-9f63-650c5855b6b5","type":"Microsoft.Authorization/roleAssignments","name":"adfaf7e6-895a-432b-9f63-650c5855b6b5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8a1cd6d0-5c03-4720-8cc7-22adbc865bad","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-10-06T10:00:44.6775425Z","updatedOn":"2022-10-06T10:00:44.6775425Z","createdBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","updatedBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/21a219c4-e4ea-4572-9b97-ab829ee70b0b","type":"Microsoft.Authorization/roleAssignments","name":"21a219c4-e4ea-4572-9b97-ab829ee70b0b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"ba20023e-4ef7-4929-8693-f3f37fdb7667","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-10-19T06:48:34.7902721Z","updatedOn":"2022-10-19T06:48:34.7902721Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/70fc8a72-c6e9-4644-95d6-f27efe137007","type":"Microsoft.Authorization/roleAssignments","name":"70fc8a72-c6e9-4644-95d6-f27efe137007"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/17d1049b-9a84-46fb-8f53-869881c3d3ab","principalId":"cda54502-7b02-4c29-bacd-2ac17bb3fee4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-10-20T05:10:54.0749901Z","updatedOn":"2022-10-20T05:10:54.0749901Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a49a99d3-cfb9-4f66-b694-b3a7803fe02b","type":"Microsoft.Authorization/roleAssignments","name":"a49a99d3-cfb9-4f66-b694-b3a7803fe02b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"d6e6b7d9-6bee-44e9-a115-608b26453747","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-11-04T09:20:20.9539814Z","updatedOn":"2022-11-04T09:20:20.9539814Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/5ead22ad-d09b-4591-8d0f-a571ef0dedb2","type":"Microsoft.Authorization/roleAssignments","name":"5ead22ad-d09b-4591-8d0f-a571ef0dedb2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/00c29273-979b-4161-815c-10b084fb9324","principalId":"8a49a9af-c646-4a94-97e0-988219f9b933","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-11-17T09:48:40.9317341Z","updatedOn":"2022-11-17T09:48:40.9317341Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/81881251-9f42-413a-828e-f0374be3fc43","type":"Microsoft.Authorization/roleAssignments","name":"81881251-9f42-413a-828e-f0374be3fc43"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5e467623-bb1f-42f4-a55d-6e525e11384b","principalId":"8a49a9af-c646-4a94-97e0-988219f9b933","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-11-17T14:33:17.2080750Z","updatedOn":"2022-11-17T14:33:17.2080750Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/6d573002-8569-420a-bd13-90c87072b928","type":"Microsoft.Authorization/roleAssignments","name":"6d573002-8569-420a-bd13-90c87072b928"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"21369ac4-7db8-402f-8b5b-c3c47bac68bd","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-12-13T12:39:32.2924849Z","updatedOn":"2022-12-13T12:39:32.2924849Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/1a2a40b4-9a41-4578-a6f5-e34068ff3bf6","type":"Microsoft.Authorization/roleAssignments","name":"1a2a40b4-9a41-4578-a6f5-e34068ff3bf6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"21369ac4-7db8-402f-8b5b-c3c47bac68bd","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-12-13T12:39:32.4781119Z","updatedOn":"2022-12-13T12:39:32.4781119Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9fc9183c-bfec-41be-8c2b-2cc55420f6c1","type":"Microsoft.Authorization/roleAssignments","name":"9fc9183c-bfec-41be-8c2b-2cc55420f6c1"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"fc8bd99b-292d-4396-ac07-7e46bf989efa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2023-01-04T09:17:14.5148296Z","updatedOn":"2023-01-04T09:17:14.5148296Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/5c4e131f-5843-5474-af9f-427c1fca982d","type":"Microsoft.Authorization/roleAssignments","name":"5c4e131f-5843-5474-af9f-427c1fca982d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"c0c54612-5a75-40a2-8a0c-bf70ab0847ba","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2023-01-13T04:47:48.8296778Z","updatedOn":"2023-01-13T04:47:48.8296778Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b56bdd79-3e27-4d79-b73b-4dc8625a172a","type":"Microsoft.Authorization/roleAssignments","name":"b56bdd79-3e27-4d79-b73b-4dc8625a172a"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a4eae46b-a9d0-4586-8ac9-ba91b29f1d57","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-02-01T10:05:44.6784242Z","updatedOn":"2022-02-01T10:05:44.6784242Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8af2fb3a-292c-42a8-a870-1751c4ec4870","type":"Microsoft.Authorization/roleAssignments","name":"8af2fb3a-292c-42a8-a870-1751c4ec4870"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"662a0ec2-cfbc-45f9-ae31-2cc53070e765","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T12:46:49.6216206Z","updatedOn":"2022-04-12T12:46:49.6216206Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/85cc2dff-c5d4-42a3-acb6-255cd4208ef4","type":"Microsoft.Authorization/roleAssignments","name":"85cc2dff-c5d4-42a3-acb6-255cd4208ef4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"662a0ec2-cfbc-45f9-ae31-2cc53070e765","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T12:46:57.1459341Z","updatedOn":"2022-04-12T12:46:57.1459341Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/aba8e90d-d951-4cb5-a346-b71e478f4d1b","type":"Microsoft.Authorization/roleAssignments","name":"aba8e90d-d951-4cb5-a346-b71e478f4d1b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"30bc1f3b-ca1a-4c55-96ff-4c026f12eaa1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T13:09:28.3678603Z","updatedOn":"2022-04-12T13:09:28.3678603Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/79d87d90-f984-4f53-a169-2eca51c00104","type":"Microsoft.Authorization/roleAssignments","name":"79d87d90-f984-4f53-a169-2eca51c00104"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"30bc1f3b-ca1a-4c55-96ff-4c026f12eaa1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T13:09:33.3916295Z","updatedOn":"2022-04-12T13:09:33.3916295Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/5e185742-c91a-4efe-b0d8-db9524685ec5","type":"Microsoft.Authorization/roleAssignments","name":"5e185742-c91a-4efe-b0d8-db9524685ec5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3c582fc7-e68a-4991-a2f6-3d8a7a1f23c1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:01:02.2689248Z","updatedOn":"2022-04-13T07:01:02.2689248Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/c9b4f9ab-d687-4a65-910a-5bcb2f974bfe","type":"Microsoft.Authorization/roleAssignments","name":"c9b4f9ab-d687-4a65-910a-5bcb2f974bfe"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"3c582fc7-e68a-4991-a2f6-3d8a7a1f23c1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:01:09.3571703Z","updatedOn":"2022-04-13T07:01:09.3571703Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/8bedf13c-aa1a-4191-aa97-573f14fd97ee","type":"Microsoft.Authorization/roleAssignments","name":"8bedf13c-aa1a-4191-aa97-573f14fd97ee"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"a31004b5-ce06-49e1-8706-e8c7afe68695","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:43:04.6456354Z","updatedOn":"2022-04-13T07:43:04.6456354Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/bd0fc30a-6ccf-4c22-a26b-0e31aba16035","type":"Microsoft.Authorization/roleAssignments","name":"bd0fc30a-6ccf-4c22-a26b-0e31aba16035"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"a31004b5-ce06-49e1-8706-e8c7afe68695","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:43:10.1186881Z","updatedOn":"2022-04-13T07:43:10.1186881Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/dadaa3cd-f442-4d5c-aed3-7cbab2fba3e0","type":"Microsoft.Authorization/roleAssignments","name":"dadaa3cd-f442-4d5c-aed3-7cbab2fba3e0"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"6f6a803e-4dc5-488a-8566-a4f0a984975e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T08:58:57.7706882Z","updatedOn":"2022-04-13T08:58:57.7706882Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9e3d10bf-9bfa-4a97-9ab1-b972a348abd0","type":"Microsoft.Authorization/roleAssignments","name":"9e3d10bf-9bfa-4a97-9ab1-b972a348abd0"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"6f6a803e-4dc5-488a-8566-a4f0a984975e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T08:59:03.2414961Z","updatedOn":"2022-04-13T08:59:03.2414961Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/66eefd94-4bda-46df-9c61-7e92f83d91e7","type":"Microsoft.Authorization/roleAssignments","name":"66eefd94-4bda-46df-9c61-7e92f83d91e7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"829da4fd-a5f4-4ca7-bc3d-0679d104c5f0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T10:17:35.8887781Z","updatedOn":"2022-04-13T10:17:35.8887781Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/77f4f7a3-a377-49f7-a094-945b82b2bfff","type":"Microsoft.Authorization/roleAssignments","name":"77f4f7a3-a377-49f7-a094-945b82b2bfff"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"829da4fd-a5f4-4ca7-bc3d-0679d104c5f0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T10:17:41.2233089Z","updatedOn":"2022-04-13T10:17:41.2233089Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/1a71aac6-e9ce-40ff-a39f-7594df2ea6e9","type":"Microsoft.Authorization/roleAssignments","name":"1a71aac6-e9ce-40ff-a39f-7594df2ea6e9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3f74f5b7-f4f6-4b65-a45d-f1c60467e115","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-21T06:57:19.4532093Z","updatedOn":"2022-04-21T06:57:19.4532093Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/eede4548-9f71-44b7-8077-c49aa44894b4","type":"Microsoft.Authorization/roleAssignments","name":"eede4548-9f71-44b7-8077-c49aa44894b4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"3f74f5b7-f4f6-4b65-a45d-f1c60467e115","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-21T06:57:24.3439247Z","updatedOn":"2022-04-21T06:57:24.3439247Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/c011acd2-8b5d-45d6-b6c1-4ffe1867ce31","type":"Microsoft.Authorization/roleAssignments","name":"c011acd2-8b5d-45d6-b6c1-4ffe1867ce31"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"85c33f6f-5d69-4b0e-bc06-95a7d3193519","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-05-04T09:52:52.7340040Z","updatedOn":"2022-05-04T09:52:52.7340040Z","createdBy":"447bbed8-9839-4d6e-9e39-fb9aeee1ec1d","updatedBy":"447bbed8-9839-4d6e-9e39-fb9aeee1ec1d","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/6a4f635c-309c-4a1d-8eea-86fb5aa91d80","type":"Microsoft.Authorization/roleAssignments","name":"6a4f635c-309c-4a1d-8eea-86fb5aa91d80"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"e6234342-a3d7-4b04-9041-3e8526f5861a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-05-12T06:55:02.9137483Z","updatedOn":"2022-05-12T06:55:02.9137483Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a5bd1b6d-0084-40ec-9126-2250536b4778","type":"Microsoft.Authorization/roleAssignments","name":"a5bd1b6d-0084-40ec-9126-2250536b4778"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"0b2dcd24-9585-4bb4-a7c3-83e0e3bd0dc7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-05-24T11:54:25.7258076Z","updatedOn":"2022-05-24T11:54:25.7258076Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9a7dc348-d24e-438b-84b0-c7cda5bf92c4","type":"Microsoft.Authorization/roleAssignments","name":"9a7dc348-d24e-438b-84b0-c7cda5bf92c4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"0b2dcd24-9585-4bb4-a7c3-83e0e3bd0dc7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-05-24T11:54:29.8931759Z","updatedOn":"2022-05-24T11:54:29.8931759Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/aeb54d04-84b8-4530-bd7e-fe01dafd82ab","type":"Microsoft.Authorization/roleAssignments","name":"aeb54d04-84b8-4530-bd7e-fe01dafd82ab"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"f2cee52e-3d75-4f49-acc4-b5aaf72232ee","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T11:01:05.6238088Z","updatedOn":"2022-06-03T11:01:05.6238088Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2bd63fbe-e197-434f-ba1e-016bad298ff7","type":"Microsoft.Authorization/roleAssignments","name":"2bd63fbe-e197-434f-ba1e-016bad298ff7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"8be185b2-5cbf-45c1-b9af-cbbd9b59144d","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T13:20:41.1511200Z","updatedOn":"2022-06-03T13:22:39.1076287Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/f12c7867-43e5-5530-98e9-9d8a2f39fb92","type":"Microsoft.Authorization/roleAssignments","name":"f12c7867-43e5-5530-98e9-9d8a2f39fb92"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"8be185b2-5cbf-45c1-b9af-cbbd9b59144d","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T13:37:09.9515887Z","updatedOn":"2022-06-03T14:40:22.4040874Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/bace23ac-6978-5318-a146-d49599599b02","type":"Microsoft.Authorization/roleAssignments","name":"bace23ac-6978-5318-a146-d49599599b02"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"e6234342-a3d7-4b04-9041-3e8526f5861a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-06T11:22:08.5127363Z","updatedOn":"2022-06-06T11:22:08.5127363Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/df253c65-35fc-4ff6-9a32-39b3fe20a6e3","type":"Microsoft.Authorization/roleAssignments","name":"df253c65-35fc-4ff6-9a32-39b3fe20a6e3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"5f137a67-1b88-4f98-aa20-b71a7082dc56","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-10T14:11:57.5623976Z","updatedOn":"2022-06-10T14:11:57.5623976Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e409f573-8bda-4b7e-854a-61c445d36c6f","type":"Microsoft.Authorization/roleAssignments","name":"e409f573-8bda-4b7e-854a-61c445d36c6f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"961a41dc-cbb6-4777-9b6c-a6d4d1ea4faa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:02:09.6478601Z","updatedOn":"2022-06-21T12:02:09.6478601Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/efc8d400-cd5e-41d3-99e6-65878c1f888c","type":"Microsoft.Authorization/roleAssignments","name":"efc8d400-cd5e-41d3-99e6-65878c1f888c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"961a41dc-cbb6-4777-9b6c-a6d4d1ea4faa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:02:31.1213523Z","updatedOn":"2022-06-21T12:02:31.1213523Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/1ad6de95-d660-4f0a-84cf-1b297eafe5f6","type":"Microsoft.Authorization/roleAssignments","name":"1ad6de95-d660-4f0a-84cf-1b297eafe5f6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"1831aada-7907-4673-a5e2-b11217764c9e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:22:14.2181104Z","updatedOn":"2022-06-21T12:22:14.2181104Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/c5856647-b5ff-4264-a966-049b6a58a42f","type":"Microsoft.Authorization/roleAssignments","name":"c5856647-b5ff-4264-a966-049b6a58a42f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"1831aada-7907-4673-a5e2-b11217764c9e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:22:40.2874069Z","updatedOn":"2022-06-21T12:22:40.2874069Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/a3560e50-7085-48f4-85a1-97487179cc5d","type":"Microsoft.Authorization/roleAssignments","name":"a3560e50-7085-48f4-85a1-97487179cc5d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-22T11:28:57.2073063Z","updatedOn":"2022-06-22T11:28:57.2073063Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c5b3bcf3-fd4c-4b57-9f73-f075ce7afccb","type":"Microsoft.Authorization/roleAssignments","name":"c5b3bcf3-fd4c-4b57-9f73-f075ce7afccb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-23T09:19:22.2256200Z","updatedOn":"2022-06-23T09:19:22.2256200Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/344b17ae-cabf-4a33-9a9d-ba30fefcbadc","type":"Microsoft.Authorization/roleAssignments","name":"344b17ae-cabf-4a33-9a9d-ba30fefcbadc"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"2b81557b-8e7a-4df8-9a41-e59844f627c2","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-23T09:25:03.9969293Z","updatedOn":"2022-06-23T09:25:03.9969293Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/13a7f7c7-7364-4f9b-ba92-5430f17b29b5","type":"Microsoft.Authorization/roleAssignments","name":"13a7f7c7-7364-4f9b-ba92-5430f17b29b5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-24T07:04:04.5965087Z","updatedOn":"2022-06-24T07:04:04.5965087Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ba604c54-80e1-490e-a123-9ef9d477536b","type":"Microsoft.Authorization/roleAssignments","name":"ba604c54-80e1-490e-a123-9ef9d477536b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-25T04:10:10.7065168Z","updatedOn":"2022-06-25T04:10:10.7065168Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/916a749f-b61f-4ba4-8c28-46217c3a7b4e","type":"Microsoft.Authorization/roleAssignments","name":"916a749f-b61f-4ba4-8c28-46217c3a7b4e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T07:37:58.3152810Z","updatedOn":"2022-06-27T07:37:58.3152810Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/0a1046d6-ba58-491f-b473-403ec29cd2be","type":"Microsoft.Authorization/roleAssignments","name":"0a1046d6-ba58-491f-b473-403ec29cd2be"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:21:12.2347431Z","updatedOn":"2022-06-27T08:21:12.2347431Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/abc6fbbe-d4a8-4315-9532-82e90334dcc9","type":"Microsoft.Authorization/roleAssignments","name":"abc6fbbe-d4a8-4315-9532-82e90334dcc9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"381295fa-e67d-4943-a2eb-90ffcf09577b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:43:17.8582970Z","updatedOn":"2022-06-27T08:43:17.8582970Z","createdBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","updatedBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b8f0bb0e-1495-48f0-aa68-33c364310cfb","type":"Microsoft.Authorization/roleAssignments","name":"b8f0bb0e-1495-48f0-aa68-33c364310cfb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"381295fa-e67d-4943-a2eb-90ffcf09577b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:43:18.7801612Z","updatedOn":"2022-06-27T08:43:18.7801612Z","createdBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","updatedBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b8eb5d9d-85e3-4ba8-9458-fdd2c48ba8e1","type":"Microsoft.Authorization/roleAssignments","name":"b8eb5d9d-85e3-4ba8-9458-fdd2c48ba8e1"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"3de34697-a180-45dc-aff8-c16061f1143b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-01T08:15:11.7388086Z","updatedOn":"2022-07-01T08:15:11.7388086Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/86db086e-0442-5eef-8ebc-1d8d28a4d03a","type":"Microsoft.Authorization/roleAssignments","name":"86db086e-0442-5eef-8ebc-1d8d28a4d03a"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3de34697-a180-45dc-aff8-c16061f1143b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-01T08:15:12.7940996Z","updatedOn":"2022-07-01T08:15:12.7940996Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/cbcefba6-df6c-5670-9e02-9e09f7964d9c","type":"Microsoft.Authorization/roleAssignments","name":"cbcefba6-df6c-5670-9e02-9e09f7964d9c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"fe7b070d-f778-4cfd-8acf-eda94f397a89","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-29T07:15:07.9544255Z","updatedOn":"2022-07-29T07:15:07.9544255Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/efb13d06-875d-40e3-81d5-195824e19188","type":"Microsoft.Authorization/roleAssignments","name":"efb13d06-875d-40e3-81d5-195824e19188"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"aa7a0e3a-c2c6-41e2-9838-2ae541c08a88","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-01T10:57:25.8183048Z","updatedOn":"2022-08-01T10:57:25.8183048Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/e179ab30-f6f9-44c6-9806-801d4240a604","type":"Microsoft.Authorization/roleAssignments","name":"e179ab30-f6f9-44c6-9806-801d4240a604"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"da112a02-e7cf-4b53-93a0-96958f47f77f","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-01T12:19:56.7716607Z","updatedOn":"2022-08-01T12:19:56.7716607Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/859af8cf-cf8d-4a41-b5cb-b492bbebfa96","type":"Microsoft.Authorization/roleAssignments","name":"859af8cf-cf8d-4a41-b5cb-b492bbebfa96"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"d9334401-f342-4fc7-88c4-6fb936fb3a6f","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-02T06:53:24.5190593Z","updatedOn":"2022-08-02T06:53:24.5190593Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/babd18e7-662a-4f61-b03b-d2790ad8ad2b","type":"Microsoft.Authorization/roleAssignments","name":"babd18e7-662a-4f61-b03b-d2790ad8ad2b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"d9334401-f342-4fc7-88c4-6fb936fb3a6f","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-02T06:56:06.5673047Z","updatedOn":"2022-08-02T06:56:06.5673047Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9b61e48d-b011-4da0-8daa-a65f34af5a33","type":"Microsoft.Authorization/roleAssignments","name":"9b61e48d-b011-4da0-8daa-a65f34af5a33"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f8520195-1c62-47ff-8c01-e394155b52f1","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-10T11:13:36.6792855Z","updatedOn":"2022-08-10T11:13:36.6792855Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3c9150af-abd1-4d00-9c16-acb375857df6","type":"Microsoft.Authorization/roleAssignments","name":"3c9150af-abd1-4d00-9c16-acb375857df6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f4bfeb83-a4cc-43e8-bee0-9808b5d0918d","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-24T05:51:56.3337713Z","updatedOn":"2022-08-24T05:51:56.3337713Z","createdBy":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","updatedBy":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3caa2a04-62bf-4a33-80f5-056840e59fb4","type":"Microsoft.Authorization/roleAssignments","name":"3caa2a04-62bf-4a33-80f5-056840e59fb4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"608ca1e9-e854-46c6-984f-d812d0e657e6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-30T13:32:28.1332524Z","updatedOn":"2022-08-30T13:32:28.1332524Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2719b245-3aeb-4cc0-92bc-6f63eea0dcbf","type":"Microsoft.Authorization/roleAssignments","name":"2719b245-3aeb-4cc0-92bc-6f63eea0dcbf"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"76710889-6dec-4b99-a529-cfd36fcb16ec","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:30:49.7733486Z","updatedOn":"2022-09-05T11:30:49.7733486Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/bbc4ec43-5e44-4b5d-8de0-cdf89486bb41","type":"Microsoft.Authorization/roleAssignments","name":"bbc4ec43-5e44-4b5d-8de0-cdf89486bb41"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"76710889-6dec-4b99-a529-cfd36fcb16ec","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:33:36.9049436Z","updatedOn":"2022-09-05T11:33:36.9049436Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/3f21962f-d606-4223-b80f-43344d5dc933","type":"Microsoft.Authorization/roleAssignments","name":"3f21962f-d606-4223-b80f-43344d5dc933"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"f41bd262-eb21-47f1-9706-f12132d865e3","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:49:52.6105159Z","updatedOn":"2022-09-05T11:49:52.6105159Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/14d078a0-ff7d-4677-aba3-9dc54afca23f","type":"Microsoft.Authorization/roleAssignments","name":"14d078a0-ff7d-4677-aba3-9dc54afca23f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"f41bd262-eb21-47f1-9706-f12132d865e3","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:52:24.6920598Z","updatedOn":"2022-09-05T11:52:24.6920598Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/19633fe8-03e5-4a16-8ca8-6132e216935f","type":"Microsoft.Authorization/roleAssignments","name":"19633fe8-03e5-4a16-8ca8-6132e216935f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"12f8ea5c-1212-449e-b31c-0a574f43076e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2023-01-31T05:55:25.5617539Z","updatedOn":"2023-01-31T05:55:25.5617539Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9d33f09a-0f43-47cf-bde2-27143c6633e7","type":"Microsoft.Authorization/roleAssignments","name":"9d33f09a-0f43-47cf-bde2-27143c6633e7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"9ca84dd8-bc7f-493f-aad6-5776fe5cfcf1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-07T11:46:18.7367949Z","updatedOn":"2023-02-07T11:46:18.7367949Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/5d4c800c-2937-4424-a276-0ce194654572","type":"Microsoft.Authorization/roleAssignments","name":"5d4c800c-2937-4424-a276-0ce194654572"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"cfc56492-7710-42ce-aa54-bacfddcd15f5","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-07T14:37:44.2986908Z","updatedOn":"2023-02-07T14:37:44.2986908Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/f5dfe629-7f08-42b1-a0e1-3557f3bf3da6","type":"Microsoft.Authorization/roleAssignments","name":"f5dfe629-7f08-42b1-a0e1-3557f3bf3da6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"cfc56492-7710-42ce-aa54-bacfddcd15f5","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-07T14:40:10.8368679Z","updatedOn":"2023-02-07T14:40:10.8368679Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/cb18b5b2-f705-48bd-a21a-01a616187728","type":"Microsoft.Authorization/roleAssignments","name":"cb18b5b2-f705-48bd-a21a-01a616187728"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"ab864caf-15e7-4817-a2e9-fb976dfa9d92","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-07T18:24:58.0770208Z","updatedOn":"2023-02-07T18:24:58.0770208Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/a38a7654-d866-4caa-964d-bf247954ce6f","type":"Microsoft.Authorization/roleAssignments","name":"a38a7654-d866-4caa-964d-bf247954ce6f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"ab864caf-15e7-4817-a2e9-fb976dfa9d92","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-07T18:27:30.1142529Z","updatedOn":"2023-02-07T18:27:30.1142529Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/4b91f0d6-a6a8-451e-9d66-a9ae6b33890c","type":"Microsoft.Authorization/roleAssignments","name":"4b91f0d6-a6a8-451e-9d66-a9ae6b33890c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"7e358fea-2c3c-4c77-bbf5-d4c433fa937a","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-08T06:59:01.0691008Z","updatedOn":"2023-02-08T06:59:01.0691008Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/ef38f5ad-dfa1-444f-a59c-4228a2fcb601","type":"Microsoft.Authorization/roleAssignments","name":"ef38f5ad-dfa1-444f-a59c-4228a2fcb601"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"7e358fea-2c3c-4c77-bbf5-d4c433fa937a","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-08T07:01:22.2694457Z","updatedOn":"2023-02-08T07:01:22.2694457Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/a65516eb-abd7-4b4c-824c-60cc075fecd1","type":"Microsoft.Authorization/roleAssignments","name":"a65516eb-abd7-4b4c-824c-60cc075fecd1"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a51d0ef9-9895-4b63-b3f8-354bb7d1a6bb","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-05-21T08:47:39.8177538Z","updatedOn":"2021-05-21T08:47:39.8177538Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/17db6abb-bc45-4967-b313-e470ec9cbbd7","type":"Microsoft.Authorization/roleAssignments","name":"17db6abb-bc45-4967-b313-e470ec9cbbd7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"7c567124-5292-4819-aa73-0224bf1c42e1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-05-23T13:38:54.7542852Z","updatedOn":"2021-05-23T13:38:54.7542852Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/0809d692-f58f-43f2-b597-7f115957407e","type":"Microsoft.Authorization/roleAssignments","name":"0809d692-f58f-43f2-b597-7f115957407e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"955c9d1b-0cb6-4ff6-91c9-f4aadf67ffe8","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-05-24T16:45:08.3835615Z","updatedOn":"2021-05-24T16:45:08.3835615Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/1b1ac6ab-19e7-4c4f-91d2-5be73096da2c","type":"Microsoft.Authorization/roleAssignments","name":"1b1ac6ab-19e7-4c4f-91d2-5be73096da2c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"7221c906-782c-44a0-ab2f-f23d8a95ce25","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-05-24T16:56:16.2751421Z","updatedOn":"2021-05-24T16:56:16.2751421Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/ca8f2433-76dc-49fa-828d-9cd2861ec25c","type":"Microsoft.Authorization/roleAssignments","name":"ca8f2433-76dc-49fa-828d-9cd2861ec25c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"e1a3bbaa-4ffb-41a6-a154-b4870d9e86b4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T06:40:53.5542743Z","updatedOn":"2021-06-04T06:40:53.5542743Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9d9ac2a8-dbac-41bb-9f17-c473f02c6370","type":"Microsoft.Authorization/roleAssignments","name":"9d9ac2a8-dbac-41bb-9f17-c473f02c6370"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"e1a3bbaa-4ffb-41a6-a154-b4870d9e86b4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T06:40:57.1326805Z","updatedOn":"2021-06-04T06:40:57.1326805Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/14b1338c-95f6-44f9-ad22-395f8ebbb1fe","type":"Microsoft.Authorization/roleAssignments","name":"14b1338c-95f6-44f9-ad22-395f8ebbb1fe"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"1da90707-df56-4d40-a805-2e646c9d95ab","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:02:18.2829699Z","updatedOn":"2021-06-04T07:02:18.2829699Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/bf5f4821-9baa-4dc6-9bd5-8c62f31c1a93","type":"Microsoft.Authorization/roleAssignments","name":"bf5f4821-9baa-4dc6-9bd5-8c62f31c1a93"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"1da90707-df56-4d40-a805-2e646c9d95ab","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:02:22.4343547Z","updatedOn":"2021-06-04T07:02:22.4343547Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/26bab283-0772-4c03-8dc1-a50c8ffa597d","type":"Microsoft.Authorization/roleAssignments","name":"26bab283-0772-4c03-8dc1-a50c8ffa597d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"ab6b1184-ff37-4d3e-b460-fbe654f7ad5c","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:19:08.8293677Z","updatedOn":"2021-06-04T07:19:08.8293677Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/d972f611-a4bd-4b80-9e78-980984602450","type":"Microsoft.Authorization/roleAssignments","name":"d972f611-a4bd-4b80-9e78-980984602450"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"ab6b1184-ff37-4d3e-b460-fbe654f7ad5c","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:19:12.8400651Z","updatedOn":"2021-06-04T07:19:12.8400651Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/b9393755-f5ca-41ef-a631-fb62184c57a8","type":"Microsoft.Authorization/roleAssignments","name":"b9393755-f5ca-41ef-a631-fb62184c57a8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3ffa4e46-39a3-4002-9292-e2adf0d1a8c6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T09:14:15.2633798Z","updatedOn":"2021-06-04T09:14:15.2633798Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/094981c0-d59c-4f5b-9581-72c08da65454","type":"Microsoft.Authorization/roleAssignments","name":"094981c0-d59c-4f5b-9581-72c08da65454"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"3ffa4e46-39a3-4002-9292-e2adf0d1a8c6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T09:14:19.9554484Z","updatedOn":"2021-06-04T09:14:19.9554484Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/0cac59e0-0464-4bf6-9bef-f1fadc2b08f4","type":"Microsoft.Authorization/roleAssignments","name":"0cac59e0-0464-4bf6-9bef-f1fadc2b08f4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"93e2b483-3ffa-44f8-9965-fdb104b541a2","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-06-29T05:43:19.7216795Z","updatedOn":"2021-06-29T05:43:19.7216795Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c6aff8c2-08b1-5b1a-9c80-d91164226985","type":"Microsoft.Authorization/roleAssignments","name":"c6aff8c2-08b1-5b1a-9c80-d91164226985"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"4f285ac8-5610-4d2f-854c-bfa3d16a2679","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-11T06:55:02.4909144Z","updatedOn":"2021-07-11T06:55:02.4909144Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/0cec2ad2-d080-4126-a99f-f61c559b799c","type":"Microsoft.Authorization/roleAssignments","name":"0cec2ad2-d080-4126-a99f-f61c559b799c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"630db480-3ee6-47ec-ae72-5f917d466bad","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:16:28.8833400Z","updatedOn":"2021-07-13T10:16:28.8833400Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/37fe4b2d-0aca-4c27-8511-1e0d18063ec8","type":"Microsoft.Authorization/roleAssignments","name":"37fe4b2d-0aca-4c27-8511-1e0d18063ec8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"279982e7-46cf-4e40-9a3b-156c98285cb7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:18:48.5647062Z","updatedOn":"2021-07-13T10:18:48.5647062Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/7907f38d-57a7-431d-82d7-5dfa2ef0a628","type":"Microsoft.Authorization/roleAssignments","name":"7907f38d-57a7-431d-82d7-5dfa2ef0a628"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"790004d0-0112-41ad-92e8-95c464c34476","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:18:48.6068337Z","updatedOn":"2021-07-13T10:18:48.6068337Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8c9bda26-83c4-4d4c-b00b-c4b58301e539","type":"Microsoft.Authorization/roleAssignments","name":"8c9bda26-83c4-4d4c-b00b-c4b58301e539"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-21T06:38:43.9281998Z","updatedOn":"2021-07-21T06:38:43.9281998Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b553fa81-60dd-45d6-9781-8c2313d68b03","type":"Microsoft.Authorization/roleAssignments","name":"b553fa81-60dd-45d6-9781-8c2313d68b03"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:20.4258578Z","updatedOn":"2021-07-27T04:31:20.4258578Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/4b2f7b08-f9ef-4fc1-b9c4-2bb34fdef258","type":"Microsoft.Authorization/roleAssignments","name":"4b2f7b08-f9ef-4fc1-b9c4-2bb34fdef258"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:32.4566300Z","updatedOn":"2021-07-27T04:31:32.4566300Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8176bf09-8e96-448a-ab12-eeed360ecce2","type":"Microsoft.Authorization/roleAssignments","name":"8176bf09-8e96-448a-ab12-eeed360ecce2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:48.4577322Z","updatedOn":"2021-07-27T04:31:48.4577322Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/45949217-58cc-4c18-93f3-f4c90710ae2d","type":"Microsoft.Authorization/roleAssignments","name":"45949217-58cc-4c18-93f3-f4c90710ae2d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:20.8138038Z","updatedOn":"2021-07-27T10:13:20.8138038Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2382b52f-1ec5-430e-ae2a-74f9ed331ced","type":"Microsoft.Authorization/roleAssignments","name":"2382b52f-1ec5-430e-ae2a-74f9ed331ced"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:23.6551958Z","updatedOn":"2021-07-27T10:13:23.6551958Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e5863947-0b21-41b7-9997-c0dfc73eec29","type":"Microsoft.Authorization/roleAssignments","name":"e5863947-0b21-41b7-9997-c0dfc73eec29"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:29.6985440Z","updatedOn":"2021-07-27T10:13:29.6985440Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/28c1cefa-942f-44c5-a4d4-c33bb92abd45","type":"Microsoft.Authorization/roleAssignments","name":"28c1cefa-942f-44c5-a4d4-c33bb92abd45"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8039a424-299a-4014-8b22-4f6d6cc60065","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-11T07:08:31.9935560Z","updatedOn":"2021-08-11T07:08:31.9935560Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/69e0bcfc-b024-4d8b-a3d5-dac447f8986c","type":"Microsoft.Authorization/roleAssignments","name":"69e0bcfc-b024-4d8b-a3d5-dac447f8986c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"8f0340b8-4b70-412b-be19-c4612d49e353","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-20T11:58:29.6857641Z","updatedOn":"2021-08-20T11:58:29.6857641Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fd88236f-eacb-5303-912f-ba1741cf02bd","type":"Microsoft.Authorization/roleAssignments","name":"fd88236f-eacb-5303-912f-ba1741cf02bd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"0d8f6e68-d6c5-4a67-b6c4-3107609bbdbc","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-20T12:31:58.7980661Z","updatedOn":"2021-08-20T12:31:58.7980661Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/146f4a11-8712-583d-89eb-a7b8b82dbaa9","type":"Microsoft.Authorization/roleAssignments","name":"146f4a11-8712-583d-89eb-a7b8b82dbaa9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"e2072d83-2379-4f36-ab51-b5df7460c61e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-21T14:40:08.5987892Z","updatedOn":"2021-08-21T14:40:10.5055205Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/842af679-0b58-5eb5-b94c-ff59e4105d7e","type":"Microsoft.Authorization/roleAssignments","name":"842af679-0b58-5eb5-b94c-ff59e4105d7e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"0242778c-29df-4863-ac18-2fb8fd004135","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-08-30T06:31:52.6766200Z","updatedOn":"2021-08-30T06:31:52.6766200Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/f67c65e2-e609-4ffe-b504-294b00cbd2fd","type":"Microsoft.Authorization/roleAssignments","name":"f67c65e2-e609-4ffe-b504-294b00cbd2fd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"0242778c-29df-4863-ac18-2fb8fd004135","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-08-30T06:31:57.1552781Z","updatedOn":"2021-08-30T06:31:57.1552781Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/aaeab926-d6e2-4bb6-9e9e-0607e75cc75f","type":"Microsoft.Authorization/roleAssignments","name":"aaeab926-d6e2-4bb6-9e9e-0607e75cc75f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"2ab5fb95-b72e-4d12-948b-4223754d8ffa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-09-08T08:24:19.3547440Z","updatedOn":"2021-09-08T08:24:19.3547440Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/43ee13b8-5abd-51e0-88e3-ae84049da70e","type":"Microsoft.Authorization/roleAssignments","name":"43ee13b8-5abd-51e0-88e3-ae84049da70e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-17T09:41:38.5634940Z","updatedOn":"2021-09-17T09:41:38.5634940Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":"for + temp testing purpose"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/98fe0117-1e9c-4e37-b8a7-c4a1031d6916","type":"Microsoft.Authorization/roleAssignments","name":"98fe0117-1e9c-4e37-b8a7-c4a1031d6916"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"9c973a07-b207-473c-9687-bd693ba8e460","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-25T15:23:32.6168771Z","updatedOn":"2021-09-25T15:23:32.6168771Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/d852f084-bc9f-4258-9e2c-fcf48b9eaf85","type":"Microsoft.Authorization/roleAssignments","name":"d852f084-bc9f-4258-9e2c-fcf48b9eaf85"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"2778738c-452b-45ca-b8d6-f085836a1458","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-30T07:51:25.2399474Z","updatedOn":"2021-09-30T07:51:25.2399474Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b04a3bdf-b6a6-5ffb-9394-ee5743741597","type":"Microsoft.Authorization/roleAssignments","name":"b04a3bdf-b6a6-5ffb-9394-ee5743741597"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"0ac1f52a-325b-486a-a095-f46ffdd6a9e4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-10-26T01:59:18.6998395Z","updatedOn":"2021-10-26T01:59:18.6998395Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/53a3b238-b4b0-4d3f-b416-8d6dc8d755f6","type":"Microsoft.Authorization/roleAssignments","name":"53a3b238-b4b0-4d3f-b416-8d6dc8d755f6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"c3c0d020-16f0-44d8-9950-0250120a33ff","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-02T06:11:03.5575284Z","updatedOn":"2021-11-02T06:11:03.5575284Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/1d017732-f67e-5aa1-a4a6-47570078d9f3","type":"Microsoft.Authorization/roleAssignments","name":"1d017732-f67e-5aa1-a4a6-47570078d9f3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-10T08:59:19.7285159Z","updatedOn":"2021-11-10T08:59:19.7285159Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a60357fa-dc0a-4479-a2a9-4329c2d0ae89","type":"Microsoft.Authorization/roleAssignments","name":"a60357fa-dc0a-4479-a2a9-4329c2d0ae89"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8dd77695-d6a5-450d-a43c-67ca01be9fbc","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-12T10:55:38.3698246Z","updatedOn":"2021-11-12T10:55:38.3698246Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/dda5bb75-b74a-4430-975f-5bc9611c4b2d","type":"Microsoft.Authorization/roleAssignments","name":"dda5bb75-b74a-4430-975f-5bc9611c4b2d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/36243c78-bf99-498c-9df9-86d9f8d28608","principalId":"2152c794-9ca2-41fe-a313-2d0e1ee3eb80","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-18T06:28:12.0181010Z","updatedOn":"2021-02-18T06:28:12.0181010Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/804f6223-03eb-4091-b460-82160fc5f818","type":"Microsoft.Authorization/roleAssignments","name":"804f6223-03eb-4091-b460-82160fc5f818"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"2152c794-9ca2-41fe-a313-2d0e1ee3eb80","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-18T06:28:12.0168587Z","updatedOn":"2021-02-18T06:28:12.0168587Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8d80e2d6-315c-495c-ab2c-91ddf75edf41","type":"Microsoft.Authorization/roleAssignments","name":"8d80e2d6-315c-495c-ab2c-91ddf75edf41"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"cf46d636-b6c1-406c-aba7-b2c3d9ed07da","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-26T13:53:53.1151640Z","updatedOn":"2021-02-26T13:53:53.1151640Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/735e98ed-f4b8-4b7d-9cc9-af4f8ae77252","type":"Microsoft.Authorization/roleAssignments","name":"735e98ed-f4b8-4b7d-9cc9-af4f8ae77252"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8505e3f4-1ee7-427c-a175-a06595231d46","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-26T13:54:27.5624477Z","updatedOn":"2021-02-26T13:54:27.5624477Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/98c87a9f-b9e7-414b-8b59-bf3ec62dbc74","type":"Microsoft.Authorization/roleAssignments","name":"98c87a9f-b9e7-414b-8b59-bf3ec62dbc74"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-25T12:25:27.2277610Z","updatedOn":"2020-07-25T12:25:27.2277610Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fd6b8ff4-9edb-43f5-aa2a-32133fa09b1d","type":"Microsoft.Authorization/roleAssignments","name":"fd6b8ff4-9edb-43f5-aa2a-32133fa09b1d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"21ae6127-c385-4ae0-b895-a8559e9aa574","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-31T08:35:35.2993523Z","updatedOn":"2020-07-31T08:35:35.2993523Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/6af9fbf3-7085-4bcb-b399-88b89fac16d3","type":"Microsoft.Authorization/roleAssignments","name":"6af9fbf3-7085-4bcb-b399-88b89fac16d3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"1e845bc3-37db-4639-be09-d0cf1e448221","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-31T08:44:16.2909420Z","updatedOn":"2020-07-31T08:44:16.2909420Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/65080390-e9b5-4566-b362-d1e96c23dae2","type":"Microsoft.Authorization/roleAssignments","name":"65080390-e9b5-4566-b362-d1e96c23dae2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-11-03T06:12:01.6760584Z","updatedOn":"2020-11-03T06:12:01.6760584Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a7a12420-2dce-4a47-822e-68cadf239da3","type":"Microsoft.Authorization/roleAssignments","name":"a7a12420-2dce-4a47-822e-68cadf239da3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3282af51-433d-47e8-b2b5-633fbe0fecc0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-11-03T06:25:32.6790913Z","updatedOn":"2020-11-03T06:25:32.6790913Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/36da831d-10ce-4f42-ba28-362960f6ea36","type":"Microsoft.Authorization/roleAssignments","name":"36da831d-10ce-4f42-ba28-362960f6ea36"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-10-04T07:35:39.6626948Z","updatedOn":"2019-10-04T07:35:39.6626948Z","createdBy":"8031e009-cc05-4950-8a8d-78942c4492ac","updatedBy":"8031e009-cc05-4950-8a8d-78942c4492ac","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/730fa65e-c74c-4c3d-9cc3-9457f9b97274","type":"Microsoft.Authorization/roleAssignments","name":"730fa65e-c74c-4c3d-9cc3-9457f9b97274"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-04-08T01:03:29.8241478Z","updatedOn":"2021-04-08T01:03:29.8241478Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/63818ccb-a05c-4083-9e1d-64b4c7c0e1cd","type":"Microsoft.Authorization/roleAssignments","name":"63818ccb-a05c-4083-9e1d-64b4c7c0e1cd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"c87d9afe-4463-41d5-81e3-3bd162af9183","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-07-10T09:38:17.4348497Z","updatedOn":"2019-07-10T09:38:17.4348497Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/ebc56c6d-c5de-4d99-b166-89d4ac815acd","type":"Microsoft.Authorization/roleAssignments","name":"ebc56c6d-c5de-4d99-b166-89d4ac815acd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-03-15T11:01:18.6794974Z","updatedOn":"2019-03-15T11:01:18.6794974Z","createdBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","updatedBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/9fb9b151-1d53-4eff-9336-75cf634e1e3d","type":"Microsoft.Authorization/roleAssignments","name":"9fb9b151-1d53-4eff-9336-75cf634e1e3d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f87f6638-3a1b-4562-8603-aacd59537149","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-05-03T06:47:05.1411825Z","updatedOn":"2019-05-03T06:47:05.1411825Z","createdBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","updatedBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/24ffbb29-061f-4b1d-8c26-c6e90ef53303","type":"Microsoft.Authorization/roleAssignments","name":"24ffbb29-061f-4b1d-8c26-c6e90ef53303"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"becb4b6b-fe16-413b-a5c3-90355e0b2982","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-06-26T06:33:50.1123976Z","updatedOn":"2019-06-26T06:33:50.1123976Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/4c3721e8-06f4-4115-a2d8-90c4a9a57d56","type":"Microsoft.Authorization/roleAssignments","name":"4c3721e8-06f4-4115-a2d8-90c4a9a57d56"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-04-07T16:59:19.6098216Z","updatedOn":"2021-04-07T16:59:19.6098216Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/9d2de631-e451-450b-8237-e5bc19624eee","type":"Microsoft.Authorization/roleAssignments","name":"9d2de631-e451-450b-8237-e5bc19624eee"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/17d1049b-9a84-46fb-8f53-869881c3d3ab","principalId":"f61a8f2d-c22b-47c9-9e09-71c6dc1686a2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2022-10-17T05:35:15.3185857Z","updatedOn":"2022-10-17T05:35:15.3185857Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/112e70a2-19dc-47b1-8a5f-b6b0ebe3101a","type":"Microsoft.Authorization/roleAssignments","name":"112e70a2-19dc-47b1-8a5f-b6b0ebe3101a"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/17d1049b-9a84-46fb-8f53-869881c3d3ab","principalId":"38bb424d-6106-4a59-800e-90ee180570f1","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2022-10-26T02:55:09.1249140Z","updatedOn":"2022-10-26T02:55:09.1249140Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/7cdb04d8-94ce-4084-b154-6ab26e1b0041","type":"Microsoft.Authorization/roleAssignments","name":"7cdb04d8-94ce-4084-b154-6ab26e1b0041"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"b1b96a90-235c-4668-a931-ee1c08db7681","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-02-01T04:47:38.5676012Z","updatedOn":"2021-02-01T04:47:38.5676012Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/a9e38032-c21b-4c41-8960-1c9c982d98e2","type":"Microsoft.Authorization/roleAssignments","name":"a9e38032-c21b-4c41-8960-1c9c982d98e2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a51d0ef9-9895-4b63-b3f8-354bb7d1a6bb","principalType":"Group","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-03-03T05:31:57.4716459Z","updatedOn":"2021-03-03T05:31:57.4716459Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/77aa0ff2-42c2-4e01-a51d-01cf2dd7ce04","type":"Microsoft.Authorization/roleAssignments","name":"77aa0ff2-42c2-4e01-a51d-01cf2dd7ce04"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"ce2366a6-64d7-441b-939c-c9d23f91cccd","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47","condition":null,"conditionVersion":null,"createdOn":"2020-03-12T20:43:06.5941189Z","updatedOn":"2020-03-12T20:43:06.5941189Z","createdBy":"606f48c8-d219-4875-991d-ae6befaf0756","updatedBy":"606f48c8-d219-4875-991d-ae6befaf0756","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47/providers/Microsoft.Authorization/roleAssignments/ad9e2cd7-0ff7-4931-9b17-656c8f17934b","type":"Microsoft.Authorization/roleAssignments","name":"ad9e2cd7-0ff7-4931-9b17-656c8f17934b"}]}' + headers: + cache-control: + - no-cache + content-length: + - '131131' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:37:19 GMT + expires: + - '-1' + pragma: + - no-cache + set-cookie: + - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-instance update-msi-permissions + Connection: + - keep-alive + Cookie: + - x-ms-gateway-slice=Production + ParameterSetName: + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes + User-Agent: + - python/3.10.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 + azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.45.0 (PIP) + accept-language: + - en-US + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Disk%20Snapshot%20Contributor%27&api-version=2018-01-01-preview + response: + body: + string: '{"value":[{"properties":{"roleName":"Disk Snapshot Contributor","type":"BuiltInRole","description":"Provides + permission to backup vault to manage disk snapshots.","assignableScopes":["/"],"permissions":[{"actions":["Microsoft.Authorization/*/read","Microsoft.Resources/subscriptions/resourceGroups/read","Microsoft.Compute/snapshots/delete","Microsoft.Compute/snapshots/write","Microsoft.Compute/snapshots/read","Microsoft.Compute/snapshots/beginGetAccess/action","Microsoft.Compute/snapshots/endGetAccess/action","Microsoft.Compute/disks/beginGetAccess/action","Microsoft.Storage/storageAccounts/listkeys/action","Microsoft.Storage/storageAccounts/write","Microsoft.Storage/storageAccounts/read","Microsoft.Storage/storageAccounts/delete"],"notActions":[],"dataActions":[],"notDataActions":[]}],"createdOn":"2020-12-15T12:18:51.4471411Z","updatedOn":"2021-11-11T20:14:56.9158814Z","createdBy":null,"updatedBy":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","type":"Microsoft.Authorization/roleDefinitions","name":"7efff54f-a5b4-42b5-a1c5-5411624893ce"}]}' + headers: + cache-control: + - no-cache + content-length: + - '1160' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:37:19 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-instance update-msi-permissions + Connection: + - keep-alive + ParameterSetName: + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes + User-Agent: + - python/3.10.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.45.0 (PIP) + method: GET + uri: https://graph.microsoft.com/v1.0/servicePrincipals?$filter=servicePrincipalNames%2Fany%28c%3Ac%20eq%20%2741753b57-b4fa-4774-80aa-414a3af0f706%27%29 + response: + body: + string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#servicePrincipals","value":[]}' + headers: + cache-control: + - no-cache + content-length: + - '92' + content-type: + - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 + date: + - Mon, 13 Feb 2023 07:37:20 GMT + odata-version: + - '4.0' + request-id: + - 7b2211ea-06b5-4d30-99ec-7afdc80d05d4 + strict-transport-security: + - max-age=31536000 + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-ms-ags-diagnostic: + - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"001","RoleInstance":"MA1PEPF00002517"}}' + x-ms-resource-unit: + - '1' + status: + code: 200 + message: OK +- request: + body: '{"ids": ["41753b57-b4fa-4774-80aa-414a3af0f706"], "types": ["user", "group", + "servicePrincipal", "directoryObjectPartnerReference"]}' + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-instance update-msi-permissions + Connection: + - keep-alive + Content-Length: + - '132' + Content-Type: + - application/json + ParameterSetName: + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes + User-Agent: + - python/3.10.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.45.0 (PIP) + method: POST + uri: https://graph.microsoft.com/v1.0/directoryObjects/getByIds + response: + body: + string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#directoryObjects","value":[{"@odata.type":"#microsoft.graph.servicePrincipal","id":"41753b57-b4fa-4774-80aa-414a3af0f706","deletedDateTime":null,"accountEnabled":true,"alternativeNames":["isExplicit=False","/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg/providers/Microsoft.DataProtection/BackupVaults/cli-test-new-vault1"],"appDisplayName":null,"appDescription":null,"appId":"fea0857b-fd83-4708-b252-0c5f0a38d6b0","applicationTemplateId":null,"appOwnerOrganizationId":null,"appRoleAssignmentRequired":false,"createdDateTime":"2023-02-13T07:30:29Z","description":null,"disabledByMicrosoftStatus":null,"displayName":"cli-test-new-vault1","homepage":null,"loginUrl":null,"logoutUrl":null,"notes":null,"notificationEmailAddresses":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyThumbprint":null,"replyUrls":[],"servicePrincipalNames":["fea0857b-fd83-4708-b252-0c5f0a38d6b0","https://identity.azure.net/2czira6fp81UmSQY0i+P6p1ObGIy33lZb5C/K/6SyDY="],"servicePrincipalType":"ManagedIdentity","signInAudience":null,"tags":[],"tokenEncryptionKeyId":null,"info":null,"samlSingleSignOnSettings":null,"addIns":[],"appRoles":[],"keyCredentials":[{"customKeyIdentifier":"81B4BF05CBCD13C46538514E74E2057DB2DD092E","displayName":"CN=fea0857b-fd83-4708-b252-0c5f0a38d6b0","endDateTime":"2023-05-14T07:25:00Z","key":null,"keyId":"3dac063a-25ed-4f07-a638-ed0fc6455a6e","startDateTime":"2023-02-13T07:25:00Z","type":"AsymmetricX509Cert","usage":"Verify"}],"oauth2PermissionScopes":[],"passwordCredentials":[],"resourceSpecificApplicationPermissions":[],"verifiedPublisher":{"displayName":null,"verifiedPublisherId":null,"addedDateTime":null}}]}' + headers: + cache-control: + - no-cache + content-length: + - '1732' + content-type: + - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 + date: + - Mon, 13 Feb 2023 07:37:21 GMT + location: + - https://graph.microsoft.com + odata-version: + - '4.0' + request-id: + - 0c717700-7ab4-44b3-b688-e66ef65b7a54 + strict-transport-security: + - max-age=31536000 + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-ms-ags-diagnostic: + - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"001","RoleInstance":"MA1PEPF00002516"}}' + x-ms-resource-unit: + - '3' + status: + code: 200 + message: OK +- request: + body: null headers: Accept: - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-policy create + - dataprotection backup-instance update-msi-permissions Connection: - keep-alive - Content-Length: - - '840' - Content-Type: - - application/json ParameterSetName: - - -n --policy -g --vault-name + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy?api-version=2022-05-01 + - python/3.10.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 + azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.45.0 (PIP) + accept-language: + - en-US + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Disk%20Snapshot%20Contributor%27&api-version=2018-01-01-preview response: body: - string: '{"properties":{"policyRules":[{"backupParameters":{"backupType":"Incremental","objectType":"AzureBackupParams"},"trigger":{"schedule":{"repeatingTimeIntervals":["R/2020-04-05T13:00:00+00:00/PT4H"]},"taggingCriteria":[{"tagInfo":{"tagName":"Default","id":"Default_"},"taggingPriority":99,"isDefault":true}],"objectType":"ScheduleBasedTriggerContext"},"dataStore":{"dataStoreType":"OperationalStore","objectType":"DataStoreInfoBase"},"name":"BackupHourly","objectType":"AzureBackupRule"},{"lifecycles":[{"deleteAfter":{"objectType":"AbsoluteDeleteOption","duration":"P7D"},"sourceDataStore":{"dataStoreType":"OperationalStore","objectType":"DataStoreInfoBase"}}],"isDefault":true,"name":"Default","objectType":"AzureRetentionRule"}],"datasourceTypes":["Microsoft.Compute/disks"],"objectType":"BackupPolicy"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","name":"diskpolicy","type":"Microsoft.DataProtection/backupVaults/backupPolicies"}' + string: '{"value":[{"properties":{"roleName":"Disk Snapshot Contributor","type":"BuiltInRole","description":"Provides + permission to backup vault to manage disk snapshots.","assignableScopes":["/"],"permissions":[{"actions":["Microsoft.Authorization/*/read","Microsoft.Resources/subscriptions/resourceGroups/read","Microsoft.Compute/snapshots/delete","Microsoft.Compute/snapshots/write","Microsoft.Compute/snapshots/read","Microsoft.Compute/snapshots/beginGetAccess/action","Microsoft.Compute/snapshots/endGetAccess/action","Microsoft.Compute/disks/beginGetAccess/action","Microsoft.Storage/storageAccounts/listkeys/action","Microsoft.Storage/storageAccounts/write","Microsoft.Storage/storageAccounts/read","Microsoft.Storage/storageAccounts/delete"],"notActions":[],"dataActions":[],"notDataActions":[]}],"createdOn":"2020-12-15T12:18:51.4471411Z","updatedOn":"2021-11-11T20:14:56.9158814Z","createdBy":null,"updatedBy":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","type":"Microsoft.Authorization/roleDefinitions","name":"7efff54f-a5b4-42b5-a1c5-5411624893ce"}]}' headers: cache-control: - no-cache content-length: - - '1065' + - '1160' content-type: - - application/json + - application/json; charset=utf-8 date: - - Mon, 05 Sep 2022 11:49:23 GMT + - Mon, 13 Feb 2023 07:37:22 GMT expires: - '-1' pragma: - no-cache - server: - - Microsoft-IIS/10.0 + set-cookie: + - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -2710,71 +6593,62 @@ interactions: - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '198' - x-powered-by: - - ASP.NET status: code: 200 message: OK - request: - body: '{"properties": {"datasourceTypes": ["Microsoft.Storage/storageAccounts/blobServices"], - "objectType": "BackupPolicy", "policyRules": [{"name": "Default", "objectType": - "AzureRetentionRule", "isDefault": true, "lifecycles": [{"deleteAfter": {"duration": - "P30D", "objectType": "AbsoluteDeleteOption"}, "sourceDataStore": {"dataStoreType": - "OperationalStore", "objectType": "DataStoreInfoBase"}}]}]}}' + body: '{"properties": {"roleDefinitionId": "/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce", + "principalId": "41753b57-b4fa-4774-80aa-414a3af0f706", "principalType": "ServicePrincipal"}}' headers: Accept: - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-policy create + - dataprotection backup-instance update-msi-permissions Connection: - keep-alive Content-Length: - - '396' + - '270' Content-Type: - - application/json + - application/json; charset=utf-8 + Cookie: + - x-ms-gateway-slice=Production ParameterSetName: - - -n --policy -g --vault-name + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - python/3.10.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 + azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.45.0 (PIP) + accept-language: + - en-US method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/storagepolicy?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/0dc7ade2-b7bc-416f-8ab9-9c89cf9396a8?api-version=2020-04-01-preview response: body: - string: '{"properties":{"policyRules":[{"lifecycles":[{"deleteAfter":{"objectType":"AbsoluteDeleteOption","duration":"P30D"},"sourceDataStore":{"dataStoreType":"OperationalStore","objectType":"DataStoreInfoBase"}}],"isDefault":true,"name":"Default","objectType":"AzureRetentionRule"}],"datasourceTypes":["Microsoft.Storage/storageAccounts/blobServices"],"objectType":"BackupPolicy"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/storagepolicy","name":"storagepolicy","type":"Microsoft.DataProtection/backupVaults/backupPolicies"}' + string: '{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"41753b57-b4fa-4774-80aa-414a3af0f706","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-13T07:37:23.0299072Z","updatedOn":"2023-02-13T07:37:23.9187118Z","createdBy":null,"updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/0dc7ade2-b7bc-416f-8ab9-9c89cf9396a8","type":"Microsoft.Authorization/roleAssignments","name":"0dc7ade2-b7bc-416f-8ab9-9c89cf9396a8"}' headers: cache-control: - no-cache content-length: - - '639' + - '873' content-type: - - application/json + - application/json; charset=utf-8 date: - - Mon, 05 Sep 2022 11:49:30 GMT + - Mon, 13 Feb 2023 07:37:24 GMT expires: - '-1' pragma: - no-cache - server: - - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '197' - x-powered-by: - - ASP.NET + x-ms-ratelimit-remaining-subscription-writes: + - '1193' status: - code: 200 - message: OK + code: 201 + message: Created - request: body: null headers: @@ -2783,27 +6657,29 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-policy show + - dataprotection backup-instance update-msi-permissions Connection: - keep-alive ParameterSetName: - - -g --vault-name -n --query + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1?api-version=2022-05-01 response: body: - string: '{"properties":{"policyRules":[{"backupParameters":{"backupType":"Incremental","objectType":"AzureBackupParams"},"trigger":{"schedule":{"repeatingTimeIntervals":["R/2020-04-05T13:00:00+00:00/PT4H"]},"taggingCriteria":[{"tagInfo":{"tagName":"Default","id":"Default_"},"taggingPriority":99,"isDefault":true}],"objectType":"ScheduleBasedTriggerContext"},"dataStore":{"dataStoreType":"OperationalStore","objectType":"DataStoreInfoBase"},"name":"BackupHourly","objectType":"AzureBackupRule"},{"lifecycles":[{"deleteAfter":{"objectType":"AbsoluteDeleteOption","duration":"P7D"},"sourceDataStore":{"dataStoreType":"OperationalStore","objectType":"DataStoreInfoBase"}}],"isDefault":true,"name":"Default","objectType":"AzureRetentionRule"}],"datasourceTypes":["Microsoft.Compute/disks"],"objectType":"BackupPolicy"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","name":"diskpolicy","type":"Microsoft.DataProtection/backupVaults/backupPolicies"}' + string: '{"location":"centraluseuap","identity":{"type":"SystemAssigned","principalId":"41753b57-b4fa-4774-80aa-414a3af0f706","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"properties":{"provisioningState":"Succeeded","storageSettings":[{"datastoreType":"VaultStore","type":"LocallyRedundant"}],"isVaultProtectedByResourceGuard":false,"monitoringSettings":{"azureMonitorAlertSettings":{"alertsForAllJobFailures":"Disabled"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1","name":"cli-test-new-vault1","type":"Microsoft.DataProtection/backupVaults"}' headers: cache-control: - no-cache content-length: - - '1065' + - '650' content-type: - application/json date: - - Mon, 05 Sep 2022 11:49:31 GMT + - Mon, 13 Feb 2023 07:38:26 GMT expires: - '-1' pragma: @@ -2819,7 +6695,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '496' x-powered-by: - ASP.NET status: @@ -2829,105 +6705,143 @@ interactions: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-policy show + - dataprotection backup-instance update-msi-permissions Connection: - keep-alive ParameterSetName: - - -g --vault-name -n --query + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - python/3.10.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.45.0 (PIP) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/storagepolicy?api-version=2022-05-01 + uri: https://graph.microsoft.com/v1.0/servicePrincipals?$filter=servicePrincipalNames%2Fany%28c%3Ac%20eq%20%2741753b57-b4fa-4774-80aa-414a3af0f706%27%29 response: body: - string: '{"properties":{"policyRules":[{"lifecycles":[{"deleteAfter":{"objectType":"AbsoluteDeleteOption","duration":"P30D"},"sourceDataStore":{"dataStoreType":"OperationalStore","objectType":"DataStoreInfoBase"}}],"isDefault":true,"name":"Default","objectType":"AzureRetentionRule"}],"datasourceTypes":["Microsoft.Storage/storageAccounts/blobServices"],"objectType":"BackupPolicy"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/storagepolicy","name":"storagepolicy","type":"Microsoft.DataProtection/backupVaults/backupPolicies"}' + string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#servicePrincipals","value":[]}' headers: cache-control: - no-cache content-length: - - '639' + - '92' content-type: - - application/json + - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 date: - - Mon, 05 Sep 2022 11:49:31 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 + - Mon, 13 Feb 2023 07:38:26 GMT + odata-version: + - '4.0' + request-id: + - 30b8f484-4db3-4e01-81fb-69cf4cfc251e strict-transport-security: - - max-age=31536000; includeSubDomains + - max-age=31536000 transfer-encoding: - chunked vary: - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' - x-powered-by: - - ASP.NET + x-ms-ags-diagnostic: + - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"001","RoleInstance":"MA1PEPF00001FEF"}}' + x-ms-resource-unit: + - '1' status: code: 200 message: OK - request: - body: '{"properties": {"datasourceTypes": ["Microsoft.Compute/disks"], "objectType": - "BackupPolicy", "policyRules": [{"name": "BackupHourly", "objectType": "AzureBackupRule", - "backupParameters": {"objectType": "AzureBackupParams", "backupType": "Incremental"}, - "dataStore": {"dataStoreType": "OperationalStore", "objectType": "DataStoreInfoBase"}, - "trigger": {"objectType": "ScheduleBasedTriggerContext", "schedule": {"repeatingTimeIntervals": - ["R/2021-05-02T05:30:00+00:00/PT6H"]}, "taggingCriteria": [{"isDefault": true, - "taggingPriority": 99, "tagInfo": {"tagName": "Default"}}, {"criteria": [{"objectType": - "ScheduleBasedBackupCriteria", "absoluteCriteria": ["FirstOfDay"]}], "isDefault": - false, "taggingPriority": 25, "tagInfo": {"tagName": "Daily"}}]}}, {"name": - "Default", "objectType": "AzureRetentionRule", "isDefault": true, "lifecycles": - [{"deleteAfter": {"duration": "P7D", "objectType": "AbsoluteDeleteOption"}, - "sourceDataStore": {"dataStoreType": "OperationalStore", "objectType": "DataStoreInfoBase"}}]}, - {"name": "Daily", "objectType": "AzureRetentionRule", "isDefault": false, "lifecycles": - [{"deleteAfter": {"duration": "P12D", "objectType": "AbsoluteDeleteOption"}, - "sourceDataStore": {"dataStoreType": "OperationalStore", "objectType": "DataStoreInfoBase"}}]}]}}' + body: '{"ids": ["41753b57-b4fa-4774-80aa-414a3af0f706"], "types": ["user", "group", + "servicePrincipal", "directoryObjectPartnerReference"]}' headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-policy create + - dataprotection backup-instance update-msi-permissions Connection: - keep-alive Content-Length: - - '1276' + - '132' Content-Type: - application/json ParameterSetName: - - -n --policy -g --vault-name + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskhourlypolicy?api-version=2022-05-01 + - python/3.10.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.45.0 (PIP) + method: POST + uri: https://graph.microsoft.com/v1.0/directoryObjects/getByIds response: body: - string: '{"properties":{"policyRules":[{"backupParameters":{"backupType":"Incremental","objectType":"AzureBackupParams"},"trigger":{"schedule":{"repeatingTimeIntervals":["R/2021-05-02T05:30:00+00:00/PT6H"]},"taggingCriteria":[{"tagInfo":{"tagName":"Default","id":"Default_"},"taggingPriority":99,"isDefault":true},{"tagInfo":{"tagName":"Daily","id":"Daily_"},"taggingPriority":25,"isDefault":false,"criteria":[{"absoluteCriteria":["FirstOfDay"],"objectType":"ScheduleBasedBackupCriteria"}]}],"objectType":"ScheduleBasedTriggerContext"},"dataStore":{"dataStoreType":"OperationalStore","objectType":"DataStoreInfoBase"},"name":"BackupHourly","objectType":"AzureBackupRule"},{"lifecycles":[{"deleteAfter":{"objectType":"AbsoluteDeleteOption","duration":"P7D"},"sourceDataStore":{"dataStoreType":"OperationalStore","objectType":"DataStoreInfoBase"}}],"isDefault":true,"name":"Default","objectType":"AzureRetentionRule"},{"lifecycles":[{"deleteAfter":{"objectType":"AbsoluteDeleteOption","duration":"P12D"},"sourceDataStore":{"dataStoreType":"OperationalStore","objectType":"DataStoreInfoBase"}}],"isDefault":false,"name":"Daily","objectType":"AzureRetentionRule"}],"datasourceTypes":["Microsoft.Compute/disks"],"objectType":"BackupPolicy"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskhourlypolicy","name":"diskhourlypolicy","type":"Microsoft.DataProtection/backupVaults/backupPolicies"}' + string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#directoryObjects","value":[{"@odata.type":"#microsoft.graph.servicePrincipal","id":"41753b57-b4fa-4774-80aa-414a3af0f706","deletedDateTime":null,"accountEnabled":true,"alternativeNames":["isExplicit=False","/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg/providers/Microsoft.DataProtection/BackupVaults/cli-test-new-vault1"],"appDisplayName":null,"appDescription":null,"appId":"fea0857b-fd83-4708-b252-0c5f0a38d6b0","applicationTemplateId":null,"appOwnerOrganizationId":null,"appRoleAssignmentRequired":false,"createdDateTime":"2023-02-13T07:30:29Z","description":null,"disabledByMicrosoftStatus":null,"displayName":"cli-test-new-vault1","homepage":null,"loginUrl":null,"logoutUrl":null,"notes":null,"notificationEmailAddresses":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyThumbprint":null,"replyUrls":[],"servicePrincipalNames":["fea0857b-fd83-4708-b252-0c5f0a38d6b0","https://identity.azure.net/2czira6fp81UmSQY0i+P6p1ObGIy33lZb5C/K/6SyDY="],"servicePrincipalType":"ManagedIdentity","signInAudience":null,"tags":[],"tokenEncryptionKeyId":null,"info":null,"samlSingleSignOnSettings":null,"addIns":[],"appRoles":[],"keyCredentials":[{"customKeyIdentifier":"81B4BF05CBCD13C46538514E74E2057DB2DD092E","displayName":"CN=fea0857b-fd83-4708-b252-0c5f0a38d6b0","endDateTime":"2023-05-14T07:25:00Z","key":null,"keyId":"3dac063a-25ed-4f07-a638-ed0fc6455a6e","startDateTime":"2023-02-13T07:25:00Z","type":"AsymmetricX509Cert","usage":"Verify"}],"oauth2PermissionScopes":[],"passwordCredentials":[],"resourceSpecificApplicationPermissions":[],"verifiedPublisher":{"displayName":null,"verifiedPublisherId":null,"addedDateTime":null}}]}' headers: cache-control: - no-cache content-length: - - '1498' + - '1732' content-type: + - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 + date: + - Mon, 13 Feb 2023 07:38:26 GMT + location: + - https://graph.microsoft.com + odata-version: + - '4.0' + request-id: + - 15184cd1-00b9-444b-8b0f-46bfde13ba38 + strict-transport-security: + - max-age=31536000 + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-ms-ags-diagnostic: + - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"001","RoleInstance":"MA1PEPF00002517"}}' + x-ms-resource-unit: + - '3' + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-instance update-msi-permissions + Connection: + - keep-alive + ParameterSetName: + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes + User-Agent: + - python/3.10.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 + azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.45.0 (PIP) + accept-language: + - en-US + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount/providers/Microsoft.Authorization/roleAssignments?$filter=atScope%28%29&api-version=2020-04-01-preview + response: + body: + string: '{"value":[{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"5c617d2b-99f8-4c90-98fe-dfe040fa33c1","principalType":"ServicePrincipal","scope":"/","condition":null,"conditionVersion":null,"createdOn":"2018-02-27T19:19:50.2663941Z","updatedOn":"2018-02-27T19:19:50.2663941Z","createdBy":null,"updatedBy":null,"delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Authorization/roleAssignments/3e883d24-b106-42ff-ad13-d7bf271b964d","type":"Microsoft.Authorization/roleAssignments","name":"3e883d24-b106-42ff-ad13-d7bf271b964d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"1d8b8d73-0cc6-4db8-b112-724b4a932253","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-26T12:22:13.7498923Z","updatedOn":"2019-08-26T12:22:13.7498923Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8c3a4de9-1ebd-47ce-9dd9-bebf87a4e28f","type":"Microsoft.Authorization/roleAssignments","name":"8c3a4de9-1ebd-47ce-9dd9-bebf87a4e28f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"1e845bc3-37db-4639-be09-d0cf1e448221","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-05-24T11:02:27.8515917Z","updatedOn":"2019-05-24T11:02:27.8515917Z","createdBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","updatedBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b5eee4d7-5f9f-4f63-8040-8aec158c289b","type":"Microsoft.Authorization/roleAssignments","name":"b5eee4d7-5f9f-4f63-8040-8aec158c289b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"235b2664-75e2-4741-bb6f-37e49babf6cd","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-02-12T11:34:59.7104212Z","updatedOn":"2020-02-12T11:34:59.7104212Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/f0618702-8404-4858-9a26-e61f23e7d44f","type":"Microsoft.Authorization/roleAssignments","name":"f0618702-8404-4858-9a26-e61f23e7d44f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8bb5b214-1182-465c-892f-ca7235abe1e7","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-11-14T08:52:42.2795010Z","updatedOn":"2019-11-14T08:52:42.2795010Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/77daac38-9839-4b00-921b-e5d5a03e728c","type":"Microsoft.Authorization/roleAssignments","name":"77daac38-9839-4b00-921b-e5d5a03e728c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"9693df58-7f72-4974-9bd3-1c3ceb0382f1","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-11-29T09:40:04.3180033Z","updatedOn":"2018-11-29T09:40:04.3180033Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ed3bf874-9c97-43f9-a5e9-b4ee6f8982f7","type":"Microsoft.Authorization/roleAssignments","name":"ed3bf874-9c97-43f9-a5e9-b4ee6f8982f7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"d1f96755-9bcf-44b8-ab82-df67360496c4","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-05-08T10:28:08.2854940Z","updatedOn":"2020-05-08T10:28:08.2854940Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/dfb3ca56-a0d4-44ce-ba35-b716c3fdab86","type":"Microsoft.Authorization/roleAssignments","name":"dfb3ca56-a0d4-44ce-ba35-b716c3fdab86"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-12-31T09:26:43.6440415Z","updatedOn":"2018-12-31T09:26:43.6440415Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/45744ea8-780f-4f3e-88aa-b73d7f6997b2","type":"Microsoft.Authorization/roleAssignments","name":"45744ea8-780f-4f3e-88aa-b73d7f6997b2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e65078fb-6b02-434a-9f11-d06bf9bc0600","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-10-25T23:42:36.3444507Z","updatedOn":"2018-10-25T23:42:36.3444507Z","createdBy":"66cb55a5-e2a8-44ef-ae4b-5ab8fa2ec8d9","updatedBy":"66cb55a5-e2a8-44ef-ae4b-5ab8fa2ec8d9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e7ce51e8-4109-41d7-bc10-538b089599db","type":"Microsoft.Authorization/roleAssignments","name":"e7ce51e8-4109-41d7-bc10-538b089599db"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"a7782e0f-1f9a-4882-b2c9-11227aad244e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-06-16T04:32:50.9673703Z","updatedOn":"2020-06-16T04:32:50.9673703Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9fa21f2f-81c3-47b6-b706-650b359b96c3","type":"Microsoft.Authorization/roleAssignments","name":"9fa21f2f-81c3-47b6-b706-650b359b96c3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"00b14177-f4d2-4a4b-94f6-6e80f75745c9","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-03-12T09:49:11.3750683Z","updatedOn":"2020-03-12T09:49:11.3750683Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fff0abf3-3cf7-46be-8bc7-1d1619a160fb","type":"Microsoft.Authorization/roleAssignments","name":"fff0abf3-3cf7-46be-8bc7-1d1619a160fb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"1d8b8d73-0cc6-4db8-b112-724b4a932253","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-26T10:28:45.4880023Z","updatedOn":"2019-08-26T10:28:45.4880023Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/397a3c9c-c258-4d4e-834d-00cc08227796","type":"Microsoft.Authorization/roleAssignments","name":"397a3c9c-c258-4d4e-834d-00cc08227796"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"235b2664-75e2-4741-bb6f-37e49babf6cd","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-12-05T04:29:28.7359096Z","updatedOn":"2018-12-05T04:29:28.7359096Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3c830f42-5f89-4d8b-8f93-d3dc936f33bd","type":"Microsoft.Authorization/roleAssignments","name":"3c830f42-5f89-4d8b-8f93-d3dc936f33bd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-04-08T08:38:50.1742930Z","updatedOn":"2020-04-08T08:38:50.1742930Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/5293a96b-830e-45f4-9e9e-22d7d020f0d8","type":"Microsoft.Authorization/roleAssignments","name":"5293a96b-830e-45f4-9e9e-22d7d020f0d8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3421d717-ca60-44e7-a9a1-773acec4e503","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-10-23T09:40:14.7658272Z","updatedOn":"2019-10-23T09:40:14.7658272Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/34b29558-faf9-43f0-a194-35ca0aa99fc5","type":"Microsoft.Authorization/roleAssignments","name":"34b29558-faf9-43f0-a194-35ca0aa99fc5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3dc88d41-4d03-4105-970d-937e56de3839","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-06-27T12:59:44.6557891Z","updatedOn":"2019-06-27T12:59:44.6557891Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e57ab8d1-ce9a-4925-b09f-2567492d9b22","type":"Microsoft.Authorization/roleAssignments","name":"e57ab8d1-ce9a-4925-b09f-2567492d9b22"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"62c799b8-9b54-4c3d-97c9-9490d16a6a9a","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-08T13:01:20.9953919Z","updatedOn":"2019-08-08T13:01:20.9953919Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e1b91810-0781-462d-9517-764e4a033822","type":"Microsoft.Authorization/roleAssignments","name":"e1b91810-0781-462d-9517-764e4a033822"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8bb5b214-1182-465c-892f-ca7235abe1e7","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-10-23T08:03:15.6803676Z","updatedOn":"2019-10-23T08:03:15.6803676Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/facbac06-ddab-437d-949a-207593fddfff","type":"Microsoft.Authorization/roleAssignments","name":"facbac06-ddab-437d-949a-207593fddfff"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"978b254a-54be-42af-80f5-e2a37b2e40e5","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-07-08T06:57:57.0377373Z","updatedOn":"2019-07-08T06:57:57.0377373Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/89be5b0a-dfa8-4bdf-b667-c6f63f7f3f0e","type":"Microsoft.Authorization/roleAssignments","name":"89be5b0a-dfa8-4bdf-b667-c6f63f7f3f0e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"9c973a07-b207-473c-9687-bd693ba8e460","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-04-17T09:14:08.7913669Z","updatedOn":"2020-04-17T09:14:08.7913669Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/950c635a-23a5-4a0e-8eb6-c53e929c9699","type":"Microsoft.Authorization/roleAssignments","name":"950c635a-23a5-4a0e-8eb6-c53e929c9699"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"058c04ea-b176-4e7b-b8d9-9e1f2f713ffe","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-10-03T10:52:46.8918844Z","updatedOn":"2022-10-03T10:52:46.8918844Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c5a8b530-0e4c-40d9-a003-167e38138f34","type":"Microsoft.Authorization/roleAssignments","name":"c5a8b530-0e4c-40d9-a003-167e38138f34"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"ce439730-9009-4c60-b582-277f5b9b5c47","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-10-03T10:52:47.6507241Z","updatedOn":"2022-10-03T10:52:47.6507241Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/adfaf7e6-895a-432b-9f63-650c5855b6b5","type":"Microsoft.Authorization/roleAssignments","name":"adfaf7e6-895a-432b-9f63-650c5855b6b5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8a1cd6d0-5c03-4720-8cc7-22adbc865bad","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-10-06T10:00:44.6775425Z","updatedOn":"2022-10-06T10:00:44.6775425Z","createdBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","updatedBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/21a219c4-e4ea-4572-9b97-ab829ee70b0b","type":"Microsoft.Authorization/roleAssignments","name":"21a219c4-e4ea-4572-9b97-ab829ee70b0b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"ba20023e-4ef7-4929-8693-f3f37fdb7667","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-10-19T06:48:34.7902721Z","updatedOn":"2022-10-19T06:48:34.7902721Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/70fc8a72-c6e9-4644-95d6-f27efe137007","type":"Microsoft.Authorization/roleAssignments","name":"70fc8a72-c6e9-4644-95d6-f27efe137007"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/17d1049b-9a84-46fb-8f53-869881c3d3ab","principalId":"cda54502-7b02-4c29-bacd-2ac17bb3fee4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-10-20T05:10:54.0749901Z","updatedOn":"2022-10-20T05:10:54.0749901Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a49a99d3-cfb9-4f66-b694-b3a7803fe02b","type":"Microsoft.Authorization/roleAssignments","name":"a49a99d3-cfb9-4f66-b694-b3a7803fe02b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"d6e6b7d9-6bee-44e9-a115-608b26453747","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-11-04T09:20:20.9539814Z","updatedOn":"2022-11-04T09:20:20.9539814Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/5ead22ad-d09b-4591-8d0f-a571ef0dedb2","type":"Microsoft.Authorization/roleAssignments","name":"5ead22ad-d09b-4591-8d0f-a571ef0dedb2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/00c29273-979b-4161-815c-10b084fb9324","principalId":"8a49a9af-c646-4a94-97e0-988219f9b933","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-11-17T09:48:40.9317341Z","updatedOn":"2022-11-17T09:48:40.9317341Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/81881251-9f42-413a-828e-f0374be3fc43","type":"Microsoft.Authorization/roleAssignments","name":"81881251-9f42-413a-828e-f0374be3fc43"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5e467623-bb1f-42f4-a55d-6e525e11384b","principalId":"8a49a9af-c646-4a94-97e0-988219f9b933","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-11-17T14:33:17.2080750Z","updatedOn":"2022-11-17T14:33:17.2080750Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/6d573002-8569-420a-bd13-90c87072b928","type":"Microsoft.Authorization/roleAssignments","name":"6d573002-8569-420a-bd13-90c87072b928"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"21369ac4-7db8-402f-8b5b-c3c47bac68bd","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-12-13T12:39:32.2924849Z","updatedOn":"2022-12-13T12:39:32.2924849Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/1a2a40b4-9a41-4578-a6f5-e34068ff3bf6","type":"Microsoft.Authorization/roleAssignments","name":"1a2a40b4-9a41-4578-a6f5-e34068ff3bf6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"21369ac4-7db8-402f-8b5b-c3c47bac68bd","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-12-13T12:39:32.4781119Z","updatedOn":"2022-12-13T12:39:32.4781119Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9fc9183c-bfec-41be-8c2b-2cc55420f6c1","type":"Microsoft.Authorization/roleAssignments","name":"9fc9183c-bfec-41be-8c2b-2cc55420f6c1"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"fc8bd99b-292d-4396-ac07-7e46bf989efa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2023-01-04T09:17:14.5148296Z","updatedOn":"2023-01-04T09:17:14.5148296Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/5c4e131f-5843-5474-af9f-427c1fca982d","type":"Microsoft.Authorization/roleAssignments","name":"5c4e131f-5843-5474-af9f-427c1fca982d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"c0c54612-5a75-40a2-8a0c-bf70ab0847ba","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2023-01-13T04:47:48.8296778Z","updatedOn":"2023-01-13T04:47:48.8296778Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b56bdd79-3e27-4d79-b73b-4dc8625a172a","type":"Microsoft.Authorization/roleAssignments","name":"b56bdd79-3e27-4d79-b73b-4dc8625a172a"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a4eae46b-a9d0-4586-8ac9-ba91b29f1d57","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-02-01T10:05:44.6784242Z","updatedOn":"2022-02-01T10:05:44.6784242Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8af2fb3a-292c-42a8-a870-1751c4ec4870","type":"Microsoft.Authorization/roleAssignments","name":"8af2fb3a-292c-42a8-a870-1751c4ec4870"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"662a0ec2-cfbc-45f9-ae31-2cc53070e765","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T12:46:49.6216206Z","updatedOn":"2022-04-12T12:46:49.6216206Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/85cc2dff-c5d4-42a3-acb6-255cd4208ef4","type":"Microsoft.Authorization/roleAssignments","name":"85cc2dff-c5d4-42a3-acb6-255cd4208ef4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"662a0ec2-cfbc-45f9-ae31-2cc53070e765","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T12:46:57.1459341Z","updatedOn":"2022-04-12T12:46:57.1459341Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/aba8e90d-d951-4cb5-a346-b71e478f4d1b","type":"Microsoft.Authorization/roleAssignments","name":"aba8e90d-d951-4cb5-a346-b71e478f4d1b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"30bc1f3b-ca1a-4c55-96ff-4c026f12eaa1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T13:09:28.3678603Z","updatedOn":"2022-04-12T13:09:28.3678603Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/79d87d90-f984-4f53-a169-2eca51c00104","type":"Microsoft.Authorization/roleAssignments","name":"79d87d90-f984-4f53-a169-2eca51c00104"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"30bc1f3b-ca1a-4c55-96ff-4c026f12eaa1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T13:09:33.3916295Z","updatedOn":"2022-04-12T13:09:33.3916295Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/5e185742-c91a-4efe-b0d8-db9524685ec5","type":"Microsoft.Authorization/roleAssignments","name":"5e185742-c91a-4efe-b0d8-db9524685ec5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3c582fc7-e68a-4991-a2f6-3d8a7a1f23c1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:01:02.2689248Z","updatedOn":"2022-04-13T07:01:02.2689248Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/c9b4f9ab-d687-4a65-910a-5bcb2f974bfe","type":"Microsoft.Authorization/roleAssignments","name":"c9b4f9ab-d687-4a65-910a-5bcb2f974bfe"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"3c582fc7-e68a-4991-a2f6-3d8a7a1f23c1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:01:09.3571703Z","updatedOn":"2022-04-13T07:01:09.3571703Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/8bedf13c-aa1a-4191-aa97-573f14fd97ee","type":"Microsoft.Authorization/roleAssignments","name":"8bedf13c-aa1a-4191-aa97-573f14fd97ee"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"a31004b5-ce06-49e1-8706-e8c7afe68695","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:43:04.6456354Z","updatedOn":"2022-04-13T07:43:04.6456354Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/bd0fc30a-6ccf-4c22-a26b-0e31aba16035","type":"Microsoft.Authorization/roleAssignments","name":"bd0fc30a-6ccf-4c22-a26b-0e31aba16035"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"a31004b5-ce06-49e1-8706-e8c7afe68695","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:43:10.1186881Z","updatedOn":"2022-04-13T07:43:10.1186881Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/dadaa3cd-f442-4d5c-aed3-7cbab2fba3e0","type":"Microsoft.Authorization/roleAssignments","name":"dadaa3cd-f442-4d5c-aed3-7cbab2fba3e0"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"6f6a803e-4dc5-488a-8566-a4f0a984975e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T08:58:57.7706882Z","updatedOn":"2022-04-13T08:58:57.7706882Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9e3d10bf-9bfa-4a97-9ab1-b972a348abd0","type":"Microsoft.Authorization/roleAssignments","name":"9e3d10bf-9bfa-4a97-9ab1-b972a348abd0"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"6f6a803e-4dc5-488a-8566-a4f0a984975e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T08:59:03.2414961Z","updatedOn":"2022-04-13T08:59:03.2414961Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/66eefd94-4bda-46df-9c61-7e92f83d91e7","type":"Microsoft.Authorization/roleAssignments","name":"66eefd94-4bda-46df-9c61-7e92f83d91e7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"829da4fd-a5f4-4ca7-bc3d-0679d104c5f0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T10:17:35.8887781Z","updatedOn":"2022-04-13T10:17:35.8887781Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/77f4f7a3-a377-49f7-a094-945b82b2bfff","type":"Microsoft.Authorization/roleAssignments","name":"77f4f7a3-a377-49f7-a094-945b82b2bfff"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"829da4fd-a5f4-4ca7-bc3d-0679d104c5f0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T10:17:41.2233089Z","updatedOn":"2022-04-13T10:17:41.2233089Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/1a71aac6-e9ce-40ff-a39f-7594df2ea6e9","type":"Microsoft.Authorization/roleAssignments","name":"1a71aac6-e9ce-40ff-a39f-7594df2ea6e9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3f74f5b7-f4f6-4b65-a45d-f1c60467e115","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-21T06:57:19.4532093Z","updatedOn":"2022-04-21T06:57:19.4532093Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/eede4548-9f71-44b7-8077-c49aa44894b4","type":"Microsoft.Authorization/roleAssignments","name":"eede4548-9f71-44b7-8077-c49aa44894b4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"3f74f5b7-f4f6-4b65-a45d-f1c60467e115","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-21T06:57:24.3439247Z","updatedOn":"2022-04-21T06:57:24.3439247Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/c011acd2-8b5d-45d6-b6c1-4ffe1867ce31","type":"Microsoft.Authorization/roleAssignments","name":"c011acd2-8b5d-45d6-b6c1-4ffe1867ce31"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"85c33f6f-5d69-4b0e-bc06-95a7d3193519","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-05-04T09:52:52.7340040Z","updatedOn":"2022-05-04T09:52:52.7340040Z","createdBy":"447bbed8-9839-4d6e-9e39-fb9aeee1ec1d","updatedBy":"447bbed8-9839-4d6e-9e39-fb9aeee1ec1d","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/6a4f635c-309c-4a1d-8eea-86fb5aa91d80","type":"Microsoft.Authorization/roleAssignments","name":"6a4f635c-309c-4a1d-8eea-86fb5aa91d80"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"e6234342-a3d7-4b04-9041-3e8526f5861a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-05-12T06:55:02.9137483Z","updatedOn":"2022-05-12T06:55:02.9137483Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a5bd1b6d-0084-40ec-9126-2250536b4778","type":"Microsoft.Authorization/roleAssignments","name":"a5bd1b6d-0084-40ec-9126-2250536b4778"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"0b2dcd24-9585-4bb4-a7c3-83e0e3bd0dc7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-05-24T11:54:25.7258076Z","updatedOn":"2022-05-24T11:54:25.7258076Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9a7dc348-d24e-438b-84b0-c7cda5bf92c4","type":"Microsoft.Authorization/roleAssignments","name":"9a7dc348-d24e-438b-84b0-c7cda5bf92c4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"0b2dcd24-9585-4bb4-a7c3-83e0e3bd0dc7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-05-24T11:54:29.8931759Z","updatedOn":"2022-05-24T11:54:29.8931759Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/aeb54d04-84b8-4530-bd7e-fe01dafd82ab","type":"Microsoft.Authorization/roleAssignments","name":"aeb54d04-84b8-4530-bd7e-fe01dafd82ab"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"f2cee52e-3d75-4f49-acc4-b5aaf72232ee","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T11:01:05.6238088Z","updatedOn":"2022-06-03T11:01:05.6238088Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2bd63fbe-e197-434f-ba1e-016bad298ff7","type":"Microsoft.Authorization/roleAssignments","name":"2bd63fbe-e197-434f-ba1e-016bad298ff7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"8be185b2-5cbf-45c1-b9af-cbbd9b59144d","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T13:20:41.1511200Z","updatedOn":"2022-06-03T13:22:39.1076287Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/f12c7867-43e5-5530-98e9-9d8a2f39fb92","type":"Microsoft.Authorization/roleAssignments","name":"f12c7867-43e5-5530-98e9-9d8a2f39fb92"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"8be185b2-5cbf-45c1-b9af-cbbd9b59144d","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T13:37:09.9515887Z","updatedOn":"2022-06-03T14:40:22.4040874Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/bace23ac-6978-5318-a146-d49599599b02","type":"Microsoft.Authorization/roleAssignments","name":"bace23ac-6978-5318-a146-d49599599b02"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"e6234342-a3d7-4b04-9041-3e8526f5861a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-06T11:22:08.5127363Z","updatedOn":"2022-06-06T11:22:08.5127363Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/df253c65-35fc-4ff6-9a32-39b3fe20a6e3","type":"Microsoft.Authorization/roleAssignments","name":"df253c65-35fc-4ff6-9a32-39b3fe20a6e3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"5f137a67-1b88-4f98-aa20-b71a7082dc56","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-10T14:11:57.5623976Z","updatedOn":"2022-06-10T14:11:57.5623976Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e409f573-8bda-4b7e-854a-61c445d36c6f","type":"Microsoft.Authorization/roleAssignments","name":"e409f573-8bda-4b7e-854a-61c445d36c6f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"961a41dc-cbb6-4777-9b6c-a6d4d1ea4faa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:02:09.6478601Z","updatedOn":"2022-06-21T12:02:09.6478601Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/efc8d400-cd5e-41d3-99e6-65878c1f888c","type":"Microsoft.Authorization/roleAssignments","name":"efc8d400-cd5e-41d3-99e6-65878c1f888c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"961a41dc-cbb6-4777-9b6c-a6d4d1ea4faa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:02:31.1213523Z","updatedOn":"2022-06-21T12:02:31.1213523Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/1ad6de95-d660-4f0a-84cf-1b297eafe5f6","type":"Microsoft.Authorization/roleAssignments","name":"1ad6de95-d660-4f0a-84cf-1b297eafe5f6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"1831aada-7907-4673-a5e2-b11217764c9e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:22:14.2181104Z","updatedOn":"2022-06-21T12:22:14.2181104Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/c5856647-b5ff-4264-a966-049b6a58a42f","type":"Microsoft.Authorization/roleAssignments","name":"c5856647-b5ff-4264-a966-049b6a58a42f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"1831aada-7907-4673-a5e2-b11217764c9e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:22:40.2874069Z","updatedOn":"2022-06-21T12:22:40.2874069Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/a3560e50-7085-48f4-85a1-97487179cc5d","type":"Microsoft.Authorization/roleAssignments","name":"a3560e50-7085-48f4-85a1-97487179cc5d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-22T11:28:57.2073063Z","updatedOn":"2022-06-22T11:28:57.2073063Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c5b3bcf3-fd4c-4b57-9f73-f075ce7afccb","type":"Microsoft.Authorization/roleAssignments","name":"c5b3bcf3-fd4c-4b57-9f73-f075ce7afccb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-23T09:19:22.2256200Z","updatedOn":"2022-06-23T09:19:22.2256200Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/344b17ae-cabf-4a33-9a9d-ba30fefcbadc","type":"Microsoft.Authorization/roleAssignments","name":"344b17ae-cabf-4a33-9a9d-ba30fefcbadc"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"2b81557b-8e7a-4df8-9a41-e59844f627c2","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-23T09:25:03.9969293Z","updatedOn":"2022-06-23T09:25:03.9969293Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/13a7f7c7-7364-4f9b-ba92-5430f17b29b5","type":"Microsoft.Authorization/roleAssignments","name":"13a7f7c7-7364-4f9b-ba92-5430f17b29b5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-24T07:04:04.5965087Z","updatedOn":"2022-06-24T07:04:04.5965087Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ba604c54-80e1-490e-a123-9ef9d477536b","type":"Microsoft.Authorization/roleAssignments","name":"ba604c54-80e1-490e-a123-9ef9d477536b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-25T04:10:10.7065168Z","updatedOn":"2022-06-25T04:10:10.7065168Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/916a749f-b61f-4ba4-8c28-46217c3a7b4e","type":"Microsoft.Authorization/roleAssignments","name":"916a749f-b61f-4ba4-8c28-46217c3a7b4e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T07:37:58.3152810Z","updatedOn":"2022-06-27T07:37:58.3152810Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/0a1046d6-ba58-491f-b473-403ec29cd2be","type":"Microsoft.Authorization/roleAssignments","name":"0a1046d6-ba58-491f-b473-403ec29cd2be"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:21:12.2347431Z","updatedOn":"2022-06-27T08:21:12.2347431Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/abc6fbbe-d4a8-4315-9532-82e90334dcc9","type":"Microsoft.Authorization/roleAssignments","name":"abc6fbbe-d4a8-4315-9532-82e90334dcc9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"381295fa-e67d-4943-a2eb-90ffcf09577b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:43:17.8582970Z","updatedOn":"2022-06-27T08:43:17.8582970Z","createdBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","updatedBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b8f0bb0e-1495-48f0-aa68-33c364310cfb","type":"Microsoft.Authorization/roleAssignments","name":"b8f0bb0e-1495-48f0-aa68-33c364310cfb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"381295fa-e67d-4943-a2eb-90ffcf09577b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:43:18.7801612Z","updatedOn":"2022-06-27T08:43:18.7801612Z","createdBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","updatedBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b8eb5d9d-85e3-4ba8-9458-fdd2c48ba8e1","type":"Microsoft.Authorization/roleAssignments","name":"b8eb5d9d-85e3-4ba8-9458-fdd2c48ba8e1"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"3de34697-a180-45dc-aff8-c16061f1143b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-01T08:15:11.7388086Z","updatedOn":"2022-07-01T08:15:11.7388086Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/86db086e-0442-5eef-8ebc-1d8d28a4d03a","type":"Microsoft.Authorization/roleAssignments","name":"86db086e-0442-5eef-8ebc-1d8d28a4d03a"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3de34697-a180-45dc-aff8-c16061f1143b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-01T08:15:12.7940996Z","updatedOn":"2022-07-01T08:15:12.7940996Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/cbcefba6-df6c-5670-9e02-9e09f7964d9c","type":"Microsoft.Authorization/roleAssignments","name":"cbcefba6-df6c-5670-9e02-9e09f7964d9c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"fe7b070d-f778-4cfd-8acf-eda94f397a89","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-29T07:15:07.9544255Z","updatedOn":"2022-07-29T07:15:07.9544255Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/efb13d06-875d-40e3-81d5-195824e19188","type":"Microsoft.Authorization/roleAssignments","name":"efb13d06-875d-40e3-81d5-195824e19188"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"aa7a0e3a-c2c6-41e2-9838-2ae541c08a88","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-01T10:57:25.8183048Z","updatedOn":"2022-08-01T10:57:25.8183048Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/e179ab30-f6f9-44c6-9806-801d4240a604","type":"Microsoft.Authorization/roleAssignments","name":"e179ab30-f6f9-44c6-9806-801d4240a604"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"da112a02-e7cf-4b53-93a0-96958f47f77f","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-01T12:19:56.7716607Z","updatedOn":"2022-08-01T12:19:56.7716607Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/859af8cf-cf8d-4a41-b5cb-b492bbebfa96","type":"Microsoft.Authorization/roleAssignments","name":"859af8cf-cf8d-4a41-b5cb-b492bbebfa96"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"d9334401-f342-4fc7-88c4-6fb936fb3a6f","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-02T06:53:24.5190593Z","updatedOn":"2022-08-02T06:53:24.5190593Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/babd18e7-662a-4f61-b03b-d2790ad8ad2b","type":"Microsoft.Authorization/roleAssignments","name":"babd18e7-662a-4f61-b03b-d2790ad8ad2b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"d9334401-f342-4fc7-88c4-6fb936fb3a6f","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-02T06:56:06.5673047Z","updatedOn":"2022-08-02T06:56:06.5673047Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9b61e48d-b011-4da0-8daa-a65f34af5a33","type":"Microsoft.Authorization/roleAssignments","name":"9b61e48d-b011-4da0-8daa-a65f34af5a33"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f8520195-1c62-47ff-8c01-e394155b52f1","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-10T11:13:36.6792855Z","updatedOn":"2022-08-10T11:13:36.6792855Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3c9150af-abd1-4d00-9c16-acb375857df6","type":"Microsoft.Authorization/roleAssignments","name":"3c9150af-abd1-4d00-9c16-acb375857df6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f4bfeb83-a4cc-43e8-bee0-9808b5d0918d","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-24T05:51:56.3337713Z","updatedOn":"2022-08-24T05:51:56.3337713Z","createdBy":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","updatedBy":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3caa2a04-62bf-4a33-80f5-056840e59fb4","type":"Microsoft.Authorization/roleAssignments","name":"3caa2a04-62bf-4a33-80f5-056840e59fb4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"608ca1e9-e854-46c6-984f-d812d0e657e6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-30T13:32:28.1332524Z","updatedOn":"2022-08-30T13:32:28.1332524Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2719b245-3aeb-4cc0-92bc-6f63eea0dcbf","type":"Microsoft.Authorization/roleAssignments","name":"2719b245-3aeb-4cc0-92bc-6f63eea0dcbf"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"76710889-6dec-4b99-a529-cfd36fcb16ec","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:30:49.7733486Z","updatedOn":"2022-09-05T11:30:49.7733486Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/bbc4ec43-5e44-4b5d-8de0-cdf89486bb41","type":"Microsoft.Authorization/roleAssignments","name":"bbc4ec43-5e44-4b5d-8de0-cdf89486bb41"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"76710889-6dec-4b99-a529-cfd36fcb16ec","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:33:36.9049436Z","updatedOn":"2022-09-05T11:33:36.9049436Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/3f21962f-d606-4223-b80f-43344d5dc933","type":"Microsoft.Authorization/roleAssignments","name":"3f21962f-d606-4223-b80f-43344d5dc933"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"f41bd262-eb21-47f1-9706-f12132d865e3","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:49:52.6105159Z","updatedOn":"2022-09-05T11:49:52.6105159Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/14d078a0-ff7d-4677-aba3-9dc54afca23f","type":"Microsoft.Authorization/roleAssignments","name":"14d078a0-ff7d-4677-aba3-9dc54afca23f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"f41bd262-eb21-47f1-9706-f12132d865e3","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:52:24.6920598Z","updatedOn":"2022-09-05T11:52:24.6920598Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/19633fe8-03e5-4a16-8ca8-6132e216935f","type":"Microsoft.Authorization/roleAssignments","name":"19633fe8-03e5-4a16-8ca8-6132e216935f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"12f8ea5c-1212-449e-b31c-0a574f43076e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2023-01-31T05:55:25.5617539Z","updatedOn":"2023-01-31T05:55:25.5617539Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9d33f09a-0f43-47cf-bde2-27143c6633e7","type":"Microsoft.Authorization/roleAssignments","name":"9d33f09a-0f43-47cf-bde2-27143c6633e7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"9ca84dd8-bc7f-493f-aad6-5776fe5cfcf1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-07T11:46:18.7367949Z","updatedOn":"2023-02-07T11:46:18.7367949Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/5d4c800c-2937-4424-a276-0ce194654572","type":"Microsoft.Authorization/roleAssignments","name":"5d4c800c-2937-4424-a276-0ce194654572"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"cfc56492-7710-42ce-aa54-bacfddcd15f5","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-07T14:37:44.2986908Z","updatedOn":"2023-02-07T14:37:44.2986908Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/f5dfe629-7f08-42b1-a0e1-3557f3bf3da6","type":"Microsoft.Authorization/roleAssignments","name":"f5dfe629-7f08-42b1-a0e1-3557f3bf3da6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"cfc56492-7710-42ce-aa54-bacfddcd15f5","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-07T14:40:10.8368679Z","updatedOn":"2023-02-07T14:40:10.8368679Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/cb18b5b2-f705-48bd-a21a-01a616187728","type":"Microsoft.Authorization/roleAssignments","name":"cb18b5b2-f705-48bd-a21a-01a616187728"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"ab864caf-15e7-4817-a2e9-fb976dfa9d92","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-07T18:24:58.0770208Z","updatedOn":"2023-02-07T18:24:58.0770208Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/a38a7654-d866-4caa-964d-bf247954ce6f","type":"Microsoft.Authorization/roleAssignments","name":"a38a7654-d866-4caa-964d-bf247954ce6f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"ab864caf-15e7-4817-a2e9-fb976dfa9d92","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-07T18:27:30.1142529Z","updatedOn":"2023-02-07T18:27:30.1142529Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/4b91f0d6-a6a8-451e-9d66-a9ae6b33890c","type":"Microsoft.Authorization/roleAssignments","name":"4b91f0d6-a6a8-451e-9d66-a9ae6b33890c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"7e358fea-2c3c-4c77-bbf5-d4c433fa937a","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-08T06:59:01.0691008Z","updatedOn":"2023-02-08T06:59:01.0691008Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/ef38f5ad-dfa1-444f-a59c-4228a2fcb601","type":"Microsoft.Authorization/roleAssignments","name":"ef38f5ad-dfa1-444f-a59c-4228a2fcb601"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"7e358fea-2c3c-4c77-bbf5-d4c433fa937a","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-08T07:01:22.2694457Z","updatedOn":"2023-02-08T07:01:22.2694457Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/a65516eb-abd7-4b4c-824c-60cc075fecd1","type":"Microsoft.Authorization/roleAssignments","name":"a65516eb-abd7-4b4c-824c-60cc075fecd1"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"41753b57-b4fa-4774-80aa-414a3af0f706","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-13T07:37:24.2216257Z","updatedOn":"2023-02-13T07:37:24.2216257Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/0dc7ade2-b7bc-416f-8ab9-9c89cf9396a8","type":"Microsoft.Authorization/roleAssignments","name":"0dc7ade2-b7bc-416f-8ab9-9c89cf9396a8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a51d0ef9-9895-4b63-b3f8-354bb7d1a6bb","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-05-21T08:47:39.8177538Z","updatedOn":"2021-05-21T08:47:39.8177538Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/17db6abb-bc45-4967-b313-e470ec9cbbd7","type":"Microsoft.Authorization/roleAssignments","name":"17db6abb-bc45-4967-b313-e470ec9cbbd7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"7c567124-5292-4819-aa73-0224bf1c42e1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-05-23T13:38:54.7542852Z","updatedOn":"2021-05-23T13:38:54.7542852Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/0809d692-f58f-43f2-b597-7f115957407e","type":"Microsoft.Authorization/roleAssignments","name":"0809d692-f58f-43f2-b597-7f115957407e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"955c9d1b-0cb6-4ff6-91c9-f4aadf67ffe8","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-05-24T16:45:08.3835615Z","updatedOn":"2021-05-24T16:45:08.3835615Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/1b1ac6ab-19e7-4c4f-91d2-5be73096da2c","type":"Microsoft.Authorization/roleAssignments","name":"1b1ac6ab-19e7-4c4f-91d2-5be73096da2c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"7221c906-782c-44a0-ab2f-f23d8a95ce25","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-05-24T16:56:16.2751421Z","updatedOn":"2021-05-24T16:56:16.2751421Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/ca8f2433-76dc-49fa-828d-9cd2861ec25c","type":"Microsoft.Authorization/roleAssignments","name":"ca8f2433-76dc-49fa-828d-9cd2861ec25c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"e1a3bbaa-4ffb-41a6-a154-b4870d9e86b4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T06:40:53.5542743Z","updatedOn":"2021-06-04T06:40:53.5542743Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9d9ac2a8-dbac-41bb-9f17-c473f02c6370","type":"Microsoft.Authorization/roleAssignments","name":"9d9ac2a8-dbac-41bb-9f17-c473f02c6370"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"e1a3bbaa-4ffb-41a6-a154-b4870d9e86b4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T06:40:57.1326805Z","updatedOn":"2021-06-04T06:40:57.1326805Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/14b1338c-95f6-44f9-ad22-395f8ebbb1fe","type":"Microsoft.Authorization/roleAssignments","name":"14b1338c-95f6-44f9-ad22-395f8ebbb1fe"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"1da90707-df56-4d40-a805-2e646c9d95ab","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:02:18.2829699Z","updatedOn":"2021-06-04T07:02:18.2829699Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/bf5f4821-9baa-4dc6-9bd5-8c62f31c1a93","type":"Microsoft.Authorization/roleAssignments","name":"bf5f4821-9baa-4dc6-9bd5-8c62f31c1a93"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"1da90707-df56-4d40-a805-2e646c9d95ab","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:02:22.4343547Z","updatedOn":"2021-06-04T07:02:22.4343547Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/26bab283-0772-4c03-8dc1-a50c8ffa597d","type":"Microsoft.Authorization/roleAssignments","name":"26bab283-0772-4c03-8dc1-a50c8ffa597d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"ab6b1184-ff37-4d3e-b460-fbe654f7ad5c","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:19:08.8293677Z","updatedOn":"2021-06-04T07:19:08.8293677Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/d972f611-a4bd-4b80-9e78-980984602450","type":"Microsoft.Authorization/roleAssignments","name":"d972f611-a4bd-4b80-9e78-980984602450"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"ab6b1184-ff37-4d3e-b460-fbe654f7ad5c","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:19:12.8400651Z","updatedOn":"2021-06-04T07:19:12.8400651Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/b9393755-f5ca-41ef-a631-fb62184c57a8","type":"Microsoft.Authorization/roleAssignments","name":"b9393755-f5ca-41ef-a631-fb62184c57a8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3ffa4e46-39a3-4002-9292-e2adf0d1a8c6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T09:14:15.2633798Z","updatedOn":"2021-06-04T09:14:15.2633798Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/094981c0-d59c-4f5b-9581-72c08da65454","type":"Microsoft.Authorization/roleAssignments","name":"094981c0-d59c-4f5b-9581-72c08da65454"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"3ffa4e46-39a3-4002-9292-e2adf0d1a8c6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T09:14:19.9554484Z","updatedOn":"2021-06-04T09:14:19.9554484Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/0cac59e0-0464-4bf6-9bef-f1fadc2b08f4","type":"Microsoft.Authorization/roleAssignments","name":"0cac59e0-0464-4bf6-9bef-f1fadc2b08f4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"93e2b483-3ffa-44f8-9965-fdb104b541a2","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-06-29T05:43:19.7216795Z","updatedOn":"2021-06-29T05:43:19.7216795Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c6aff8c2-08b1-5b1a-9c80-d91164226985","type":"Microsoft.Authorization/roleAssignments","name":"c6aff8c2-08b1-5b1a-9c80-d91164226985"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"4f285ac8-5610-4d2f-854c-bfa3d16a2679","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-11T06:55:02.4909144Z","updatedOn":"2021-07-11T06:55:02.4909144Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/0cec2ad2-d080-4126-a99f-f61c559b799c","type":"Microsoft.Authorization/roleAssignments","name":"0cec2ad2-d080-4126-a99f-f61c559b799c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"630db480-3ee6-47ec-ae72-5f917d466bad","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:16:28.8833400Z","updatedOn":"2021-07-13T10:16:28.8833400Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/37fe4b2d-0aca-4c27-8511-1e0d18063ec8","type":"Microsoft.Authorization/roleAssignments","name":"37fe4b2d-0aca-4c27-8511-1e0d18063ec8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"279982e7-46cf-4e40-9a3b-156c98285cb7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:18:48.5647062Z","updatedOn":"2021-07-13T10:18:48.5647062Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/7907f38d-57a7-431d-82d7-5dfa2ef0a628","type":"Microsoft.Authorization/roleAssignments","name":"7907f38d-57a7-431d-82d7-5dfa2ef0a628"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"790004d0-0112-41ad-92e8-95c464c34476","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:18:48.6068337Z","updatedOn":"2021-07-13T10:18:48.6068337Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8c9bda26-83c4-4d4c-b00b-c4b58301e539","type":"Microsoft.Authorization/roleAssignments","name":"8c9bda26-83c4-4d4c-b00b-c4b58301e539"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-21T06:38:43.9281998Z","updatedOn":"2021-07-21T06:38:43.9281998Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b553fa81-60dd-45d6-9781-8c2313d68b03","type":"Microsoft.Authorization/roleAssignments","name":"b553fa81-60dd-45d6-9781-8c2313d68b03"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:20.4258578Z","updatedOn":"2021-07-27T04:31:20.4258578Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/4b2f7b08-f9ef-4fc1-b9c4-2bb34fdef258","type":"Microsoft.Authorization/roleAssignments","name":"4b2f7b08-f9ef-4fc1-b9c4-2bb34fdef258"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:32.4566300Z","updatedOn":"2021-07-27T04:31:32.4566300Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8176bf09-8e96-448a-ab12-eeed360ecce2","type":"Microsoft.Authorization/roleAssignments","name":"8176bf09-8e96-448a-ab12-eeed360ecce2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:48.4577322Z","updatedOn":"2021-07-27T04:31:48.4577322Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/45949217-58cc-4c18-93f3-f4c90710ae2d","type":"Microsoft.Authorization/roleAssignments","name":"45949217-58cc-4c18-93f3-f4c90710ae2d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:20.8138038Z","updatedOn":"2021-07-27T10:13:20.8138038Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2382b52f-1ec5-430e-ae2a-74f9ed331ced","type":"Microsoft.Authorization/roleAssignments","name":"2382b52f-1ec5-430e-ae2a-74f9ed331ced"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:23.6551958Z","updatedOn":"2021-07-27T10:13:23.6551958Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e5863947-0b21-41b7-9997-c0dfc73eec29","type":"Microsoft.Authorization/roleAssignments","name":"e5863947-0b21-41b7-9997-c0dfc73eec29"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:29.6985440Z","updatedOn":"2021-07-27T10:13:29.6985440Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/28c1cefa-942f-44c5-a4d4-c33bb92abd45","type":"Microsoft.Authorization/roleAssignments","name":"28c1cefa-942f-44c5-a4d4-c33bb92abd45"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8039a424-299a-4014-8b22-4f6d6cc60065","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-11T07:08:31.9935560Z","updatedOn":"2021-08-11T07:08:31.9935560Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/69e0bcfc-b024-4d8b-a3d5-dac447f8986c","type":"Microsoft.Authorization/roleAssignments","name":"69e0bcfc-b024-4d8b-a3d5-dac447f8986c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"8f0340b8-4b70-412b-be19-c4612d49e353","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-20T11:58:29.6857641Z","updatedOn":"2021-08-20T11:58:29.6857641Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fd88236f-eacb-5303-912f-ba1741cf02bd","type":"Microsoft.Authorization/roleAssignments","name":"fd88236f-eacb-5303-912f-ba1741cf02bd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"0d8f6e68-d6c5-4a67-b6c4-3107609bbdbc","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-20T12:31:58.7980661Z","updatedOn":"2021-08-20T12:31:58.7980661Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/146f4a11-8712-583d-89eb-a7b8b82dbaa9","type":"Microsoft.Authorization/roleAssignments","name":"146f4a11-8712-583d-89eb-a7b8b82dbaa9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"e2072d83-2379-4f36-ab51-b5df7460c61e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-21T14:40:08.5987892Z","updatedOn":"2021-08-21T14:40:10.5055205Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/842af679-0b58-5eb5-b94c-ff59e4105d7e","type":"Microsoft.Authorization/roleAssignments","name":"842af679-0b58-5eb5-b94c-ff59e4105d7e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"0242778c-29df-4863-ac18-2fb8fd004135","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-08-30T06:31:52.6766200Z","updatedOn":"2021-08-30T06:31:52.6766200Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/f67c65e2-e609-4ffe-b504-294b00cbd2fd","type":"Microsoft.Authorization/roleAssignments","name":"f67c65e2-e609-4ffe-b504-294b00cbd2fd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"0242778c-29df-4863-ac18-2fb8fd004135","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-08-30T06:31:57.1552781Z","updatedOn":"2021-08-30T06:31:57.1552781Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/aaeab926-d6e2-4bb6-9e9e-0607e75cc75f","type":"Microsoft.Authorization/roleAssignments","name":"aaeab926-d6e2-4bb6-9e9e-0607e75cc75f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"2ab5fb95-b72e-4d12-948b-4223754d8ffa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-09-08T08:24:19.3547440Z","updatedOn":"2021-09-08T08:24:19.3547440Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/43ee13b8-5abd-51e0-88e3-ae84049da70e","type":"Microsoft.Authorization/roleAssignments","name":"43ee13b8-5abd-51e0-88e3-ae84049da70e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-17T09:41:38.5634940Z","updatedOn":"2021-09-17T09:41:38.5634940Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":"for + temp testing purpose"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/98fe0117-1e9c-4e37-b8a7-c4a1031d6916","type":"Microsoft.Authorization/roleAssignments","name":"98fe0117-1e9c-4e37-b8a7-c4a1031d6916"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"9c973a07-b207-473c-9687-bd693ba8e460","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-25T15:23:32.6168771Z","updatedOn":"2021-09-25T15:23:32.6168771Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/d852f084-bc9f-4258-9e2c-fcf48b9eaf85","type":"Microsoft.Authorization/roleAssignments","name":"d852f084-bc9f-4258-9e2c-fcf48b9eaf85"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"2778738c-452b-45ca-b8d6-f085836a1458","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-30T07:51:25.2399474Z","updatedOn":"2021-09-30T07:51:25.2399474Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b04a3bdf-b6a6-5ffb-9394-ee5743741597","type":"Microsoft.Authorization/roleAssignments","name":"b04a3bdf-b6a6-5ffb-9394-ee5743741597"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"0ac1f52a-325b-486a-a095-f46ffdd6a9e4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-10-26T01:59:18.6998395Z","updatedOn":"2021-10-26T01:59:18.6998395Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/53a3b238-b4b0-4d3f-b416-8d6dc8d755f6","type":"Microsoft.Authorization/roleAssignments","name":"53a3b238-b4b0-4d3f-b416-8d6dc8d755f6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"c3c0d020-16f0-44d8-9950-0250120a33ff","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-02T06:11:03.5575284Z","updatedOn":"2021-11-02T06:11:03.5575284Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/1d017732-f67e-5aa1-a4a6-47570078d9f3","type":"Microsoft.Authorization/roleAssignments","name":"1d017732-f67e-5aa1-a4a6-47570078d9f3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-10T08:59:19.7285159Z","updatedOn":"2021-11-10T08:59:19.7285159Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a60357fa-dc0a-4479-a2a9-4329c2d0ae89","type":"Microsoft.Authorization/roleAssignments","name":"a60357fa-dc0a-4479-a2a9-4329c2d0ae89"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8dd77695-d6a5-450d-a43c-67ca01be9fbc","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-12T10:55:38.3698246Z","updatedOn":"2021-11-12T10:55:38.3698246Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/dda5bb75-b74a-4430-975f-5bc9611c4b2d","type":"Microsoft.Authorization/roleAssignments","name":"dda5bb75-b74a-4430-975f-5bc9611c4b2d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/36243c78-bf99-498c-9df9-86d9f8d28608","principalId":"2152c794-9ca2-41fe-a313-2d0e1ee3eb80","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-18T06:28:12.0181010Z","updatedOn":"2021-02-18T06:28:12.0181010Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/804f6223-03eb-4091-b460-82160fc5f818","type":"Microsoft.Authorization/roleAssignments","name":"804f6223-03eb-4091-b460-82160fc5f818"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"2152c794-9ca2-41fe-a313-2d0e1ee3eb80","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-18T06:28:12.0168587Z","updatedOn":"2021-02-18T06:28:12.0168587Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8d80e2d6-315c-495c-ab2c-91ddf75edf41","type":"Microsoft.Authorization/roleAssignments","name":"8d80e2d6-315c-495c-ab2c-91ddf75edf41"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"cf46d636-b6c1-406c-aba7-b2c3d9ed07da","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-26T13:53:53.1151640Z","updatedOn":"2021-02-26T13:53:53.1151640Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/735e98ed-f4b8-4b7d-9cc9-af4f8ae77252","type":"Microsoft.Authorization/roleAssignments","name":"735e98ed-f4b8-4b7d-9cc9-af4f8ae77252"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8505e3f4-1ee7-427c-a175-a06595231d46","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-26T13:54:27.5624477Z","updatedOn":"2021-02-26T13:54:27.5624477Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/98c87a9f-b9e7-414b-8b59-bf3ec62dbc74","type":"Microsoft.Authorization/roleAssignments","name":"98c87a9f-b9e7-414b-8b59-bf3ec62dbc74"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-25T12:25:27.2277610Z","updatedOn":"2020-07-25T12:25:27.2277610Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fd6b8ff4-9edb-43f5-aa2a-32133fa09b1d","type":"Microsoft.Authorization/roleAssignments","name":"fd6b8ff4-9edb-43f5-aa2a-32133fa09b1d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"21ae6127-c385-4ae0-b895-a8559e9aa574","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-31T08:35:35.2993523Z","updatedOn":"2020-07-31T08:35:35.2993523Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/6af9fbf3-7085-4bcb-b399-88b89fac16d3","type":"Microsoft.Authorization/roleAssignments","name":"6af9fbf3-7085-4bcb-b399-88b89fac16d3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"1e845bc3-37db-4639-be09-d0cf1e448221","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-31T08:44:16.2909420Z","updatedOn":"2020-07-31T08:44:16.2909420Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/65080390-e9b5-4566-b362-d1e96c23dae2","type":"Microsoft.Authorization/roleAssignments","name":"65080390-e9b5-4566-b362-d1e96c23dae2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-11-03T06:12:01.6760584Z","updatedOn":"2020-11-03T06:12:01.6760584Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a7a12420-2dce-4a47-822e-68cadf239da3","type":"Microsoft.Authorization/roleAssignments","name":"a7a12420-2dce-4a47-822e-68cadf239da3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3282af51-433d-47e8-b2b5-633fbe0fecc0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-11-03T06:25:32.6790913Z","updatedOn":"2020-11-03T06:25:32.6790913Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/36da831d-10ce-4f42-ba28-362960f6ea36","type":"Microsoft.Authorization/roleAssignments","name":"36da831d-10ce-4f42-ba28-362960f6ea36"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-10-04T07:35:39.6626948Z","updatedOn":"2019-10-04T07:35:39.6626948Z","createdBy":"8031e009-cc05-4950-8a8d-78942c4492ac","updatedBy":"8031e009-cc05-4950-8a8d-78942c4492ac","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/730fa65e-c74c-4c3d-9cc3-9457f9b97274","type":"Microsoft.Authorization/roleAssignments","name":"730fa65e-c74c-4c3d-9cc3-9457f9b97274"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-04-08T01:03:29.8241478Z","updatedOn":"2021-04-08T01:03:29.8241478Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/63818ccb-a05c-4083-9e1d-64b4c7c0e1cd","type":"Microsoft.Authorization/roleAssignments","name":"63818ccb-a05c-4083-9e1d-64b4c7c0e1cd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"c87d9afe-4463-41d5-81e3-3bd162af9183","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-07-10T09:38:17.4348497Z","updatedOn":"2019-07-10T09:38:17.4348497Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/ebc56c6d-c5de-4d99-b166-89d4ac815acd","type":"Microsoft.Authorization/roleAssignments","name":"ebc56c6d-c5de-4d99-b166-89d4ac815acd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-03-15T11:01:18.6794974Z","updatedOn":"2019-03-15T11:01:18.6794974Z","createdBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","updatedBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/9fb9b151-1d53-4eff-9336-75cf634e1e3d","type":"Microsoft.Authorization/roleAssignments","name":"9fb9b151-1d53-4eff-9336-75cf634e1e3d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f87f6638-3a1b-4562-8603-aacd59537149","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-05-03T06:47:05.1411825Z","updatedOn":"2019-05-03T06:47:05.1411825Z","createdBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","updatedBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/24ffbb29-061f-4b1d-8c26-c6e90ef53303","type":"Microsoft.Authorization/roleAssignments","name":"24ffbb29-061f-4b1d-8c26-c6e90ef53303"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"becb4b6b-fe16-413b-a5c3-90355e0b2982","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-06-26T06:33:50.1123976Z","updatedOn":"2019-06-26T06:33:50.1123976Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/4c3721e8-06f4-4115-a2d8-90c4a9a57d56","type":"Microsoft.Authorization/roleAssignments","name":"4c3721e8-06f4-4115-a2d8-90c4a9a57d56"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-04-07T16:59:19.6098216Z","updatedOn":"2021-04-07T16:59:19.6098216Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/9d2de631-e451-450b-8237-e5bc19624eee","type":"Microsoft.Authorization/roleAssignments","name":"9d2de631-e451-450b-8237-e5bc19624eee"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/17d1049b-9a84-46fb-8f53-869881c3d3ab","principalId":"f61a8f2d-c22b-47c9-9e09-71c6dc1686a2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2022-10-17T05:35:15.3185857Z","updatedOn":"2022-10-17T05:35:15.3185857Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/112e70a2-19dc-47b1-8a5f-b6b0ebe3101a","type":"Microsoft.Authorization/roleAssignments","name":"112e70a2-19dc-47b1-8a5f-b6b0ebe3101a"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/17d1049b-9a84-46fb-8f53-869881c3d3ab","principalId":"38bb424d-6106-4a59-800e-90ee180570f1","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2022-10-26T02:55:09.1249140Z","updatedOn":"2022-10-26T02:55:09.1249140Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/7cdb04d8-94ce-4084-b154-6ab26e1b0041","type":"Microsoft.Authorization/roleAssignments","name":"7cdb04d8-94ce-4084-b154-6ab26e1b0041"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"b1b96a90-235c-4668-a931-ee1c08db7681","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-02-01T04:47:38.5676012Z","updatedOn":"2021-02-01T04:47:38.5676012Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/a9e38032-c21b-4c41-8960-1c9c982d98e2","type":"Microsoft.Authorization/roleAssignments","name":"a9e38032-c21b-4c41-8960-1c9c982d98e2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a51d0ef9-9895-4b63-b3f8-354bb7d1a6bb","principalType":"Group","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-03-03T05:31:57.4716459Z","updatedOn":"2021-03-03T05:31:57.4716459Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/77aa0ff2-42c2-4e01-a51d-01cf2dd7ce04","type":"Microsoft.Authorization/roleAssignments","name":"77aa0ff2-42c2-4e01-a51d-01cf2dd7ce04"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"ce2366a6-64d7-441b-939c-c9d23f91cccd","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47","condition":null,"conditionVersion":null,"createdOn":"2020-03-12T20:43:06.5941189Z","updatedOn":"2020-03-12T20:43:06.5941189Z","createdBy":"606f48c8-d219-4875-991d-ae6befaf0756","updatedBy":"606f48c8-d219-4875-991d-ae6befaf0756","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47/providers/Microsoft.Authorization/roleAssignments/ad9e2cd7-0ff7-4931-9b17-656c8f17934b","type":"Microsoft.Authorization/roleAssignments","name":"ad9e2cd7-0ff7-4931-9b17-656c8f17934b"}]}' + headers: + cache-control: + - no-cache + content-length: + - '132039' + content-type: + - application/json; charset=utf-8 date: - - Mon, 05 Sep 2022 11:49:34 GMT + - Mon, 13 Feb 2023 07:38:28 GMT expires: - '-1' pragma: - no-cache - server: - - Microsoft-IIS/10.0 + set-cookie: + - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -2936,10 +6850,6 @@ interactions: - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '196' - x-powered-by: - - ASP.NET status: code: 200 message: OK @@ -2954,31 +6864,36 @@ interactions: - dataprotection backup-instance update-msi-permissions Connection: - keep-alive + Cookie: + - x-ms-gateway-slice=Production ParameterSetName: - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance --yes User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - python/3.10.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 + azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.45.0 (PIP) + accept-language: + - en-US method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Storage%20Account%20Backup%20Contributor%27&api-version=2018-01-01-preview response: body: - string: '{"location":"centraluseuap","identity":{"type":"SystemAssigned","principalId":"f41bd262-eb21-47f1-9706-f12132d865e3","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"properties":{"provisioningState":"Succeeded","storageSettings":[{"datastoreType":"VaultStore","type":"LocallyRedundant"}],"isVaultProtectedByResourceGuard":false,"monitoringSettings":{"azureMonitorAlertSettings":{"alertsForAllJobFailures":"Disabled"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault","name":"cli-test-new-vault","type":"Microsoft.DataProtection/backupVaults"}' + string: '{"value":[{"properties":{"roleName":"Storage Account Backup Contributor","type":"BuiltInRole","description":"Lets + you perform backup and restore operations using Azure Backup on the storage + account.","assignableScopes":["/"],"permissions":[{"actions":["Microsoft.Authorization/*/read","Microsoft.Authorization/locks/read","Microsoft.Authorization/locks/write","Microsoft.Authorization/locks/delete","Microsoft.Features/features/read","Microsoft.Features/providers/features/read","Microsoft.Resources/subscriptions/resourceGroups/read","Microsoft.Storage/operations/read","Microsoft.Storage/storageAccounts/objectReplicationPolicies/delete","Microsoft.Storage/storageAccounts/objectReplicationPolicies/read","Microsoft.Storage/storageAccounts/objectReplicationPolicies/write","Microsoft.Storage/storageAccounts/objectReplicationPolicies/restorePointMarkers/write","Microsoft.Storage/storageAccounts/blobServices/containers/read","Microsoft.Storage/storageAccounts/blobServices/containers/write","Microsoft.Storage/storageAccounts/blobServices/read","Microsoft.Storage/storageAccounts/blobServices/write","Microsoft.Storage/storageAccounts/read","Microsoft.Storage/storageAccounts/restoreBlobRanges/action"],"notActions":[],"dataActions":[],"notDataActions":[]}],"createdOn":"2020-11-02T23:32:50.4203469Z","updatedOn":"2022-04-20T01:44:55.2577307Z","createdBy":null,"updatedBy":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","type":"Microsoft.Authorization/roleDefinitions","name":"e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1"}]}' headers: cache-control: - no-cache content-length: - - '648' + - '1625' content-type: - - application/json + - application/json; charset=utf-8 date: - - Mon, 05 Sep 2022 11:49:34 GMT + - Mon, 13 Feb 2023 07:38:29 GMT expires: - '-1' pragma: - no-cache - server: - - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -2987,10 +6902,6 @@ interactions: - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '499' - x-powered-by: - - ASP.NET status: code: 200 message: OK @@ -3009,9 +6920,9 @@ interactions: - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance --yes User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) AZURECLI/2.39.0 + - python/3.10.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.45.0 (PIP) method: GET - uri: https://graph.microsoft.com/v1.0/servicePrincipals?$filter=servicePrincipalNames%2Fany%28c%3Ac%20eq%20%27f41bd262-eb21-47f1-9706-f12132d865e3%27%29 + uri: https://graph.microsoft.com/v1.0/servicePrincipals?$filter=servicePrincipalNames%2Fany%28c%3Ac%20eq%20%2741753b57-b4fa-4774-80aa-414a3af0f706%27%29 response: body: string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#servicePrincipals","value":[]}' @@ -3023,11 +6934,11 @@ interactions: content-type: - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 date: - - Mon, 05 Sep 2022 11:49:35 GMT + - Mon, 13 Feb 2023 07:38:29 GMT odata-version: - '4.0' request-id: - - e72d8152-5a2c-4fa4-9b74-cdeadbfa13dc + - 219b2b24-a003-422c-8457-be964f057127 strict-transport-security: - max-age=31536000 transfer-encoding: @@ -3035,14 +6946,14 @@ interactions: vary: - Accept-Encoding x-ms-ags-diagnostic: - - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"000","RoleInstance":"MA1PEPF00002029"}}' + - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"001","RoleInstance":"MA1PEPF0000146B"}}' x-ms-resource-unit: - '1' status: code: 200 message: OK - request: - body: '{"ids": ["f41bd262-eb21-47f1-9706-f12132d865e3"], "types": ["user", "group", + body: '{"ids": ["41753b57-b4fa-4774-80aa-414a3af0f706"], "types": ["user", "group", "servicePrincipal", "directoryObjectPartnerReference"]}' headers: Accept: @@ -3061,27 +6972,27 @@ interactions: - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance --yes User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) AZURECLI/2.39.0 + - python/3.10.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.45.0 (PIP) method: POST uri: https://graph.microsoft.com/v1.0/directoryObjects/getByIds response: body: - string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#directoryObjects","value":[{"@odata.type":"#microsoft.graph.servicePrincipal","id":"f41bd262-eb21-47f1-9706-f12132d865e3","deletedDateTime":null,"accountEnabled":true,"alternativeNames":["isExplicit=False","/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg/providers/Microsoft.DataProtection/BackupVaults/cli-test-new-vault"],"appDisplayName":null,"appDescription":null,"appId":"1666ae40-2096-498b-9acd-d5cc76560b85","applicationTemplateId":null,"appOwnerOrganizationId":null,"appRoleAssignmentRequired":false,"createdDateTime":"2022-09-05T11:45:43Z","description":null,"disabledByMicrosoftStatus":null,"displayName":"cli-test-new-vault","homepage":null,"loginUrl":null,"logoutUrl":null,"notes":null,"notificationEmailAddresses":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyThumbprint":null,"replyUrls":[],"servicePrincipalNames":["1666ae40-2096-498b-9acd-d5cc76560b85","https://identity.azure.net/yHvRErNNmOMZ4EezrAqFKc6Ca0cDdhCvjeK23cGv1hE="],"servicePrincipalType":"ManagedIdentity","signInAudience":null,"tags":[],"tokenEncryptionKeyId":null,"info":null,"samlSingleSignOnSettings":null,"addIns":[],"appRoles":[],"keyCredentials":[{"customKeyIdentifier":"2E54114573727C7AB82A79610024368806BB3E76","displayName":"CN=1666ae40-2096-498b-9acd-d5cc76560b85","endDateTime":"2022-12-04T11:40:00Z","key":null,"keyId":"091f0c89-7baf-4d09-9c75-83c18191f1f0","startDateTime":"2022-09-05T11:40:00Z","type":"AsymmetricX509Cert","usage":"Verify"}],"oauth2PermissionScopes":[],"passwordCredentials":[],"resourceSpecificApplicationPermissions":[],"verifiedPublisher":{"displayName":null,"verifiedPublisherId":null,"addedDateTime":null}}]}' + string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#directoryObjects","value":[{"@odata.type":"#microsoft.graph.servicePrincipal","id":"41753b57-b4fa-4774-80aa-414a3af0f706","deletedDateTime":null,"accountEnabled":true,"alternativeNames":["isExplicit=False","/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg/providers/Microsoft.DataProtection/BackupVaults/cli-test-new-vault1"],"appDisplayName":null,"appDescription":null,"appId":"fea0857b-fd83-4708-b252-0c5f0a38d6b0","applicationTemplateId":null,"appOwnerOrganizationId":null,"appRoleAssignmentRequired":false,"createdDateTime":"2023-02-13T07:30:29Z","description":null,"disabledByMicrosoftStatus":null,"displayName":"cli-test-new-vault1","homepage":null,"loginUrl":null,"logoutUrl":null,"notes":null,"notificationEmailAddresses":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyThumbprint":null,"replyUrls":[],"servicePrincipalNames":["fea0857b-fd83-4708-b252-0c5f0a38d6b0","https://identity.azure.net/2czira6fp81UmSQY0i+P6p1ObGIy33lZb5C/K/6SyDY="],"servicePrincipalType":"ManagedIdentity","signInAudience":null,"tags":[],"tokenEncryptionKeyId":null,"info":null,"samlSingleSignOnSettings":null,"addIns":[],"appRoles":[],"keyCredentials":[{"customKeyIdentifier":"81B4BF05CBCD13C46538514E74E2057DB2DD092E","displayName":"CN=fea0857b-fd83-4708-b252-0c5f0a38d6b0","endDateTime":"2023-05-14T07:25:00Z","key":null,"keyId":"3dac063a-25ed-4f07-a638-ed0fc6455a6e","startDateTime":"2023-02-13T07:25:00Z","type":"AsymmetricX509Cert","usage":"Verify"}],"oauth2PermissionScopes":[],"passwordCredentials":[],"resourceSpecificApplicationPermissions":[],"verifiedPublisher":{"displayName":null,"verifiedPublisherId":null,"addedDateTime":null}}]}' headers: cache-control: - no-cache content-length: - - '1730' + - '1732' content-type: - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 date: - - Mon, 05 Sep 2022 11:49:35 GMT + - Mon, 13 Feb 2023 07:38:29 GMT location: - https://graph.microsoft.com odata-version: - '4.0' request-id: - - 25c45745-2623-4ce3-bf40-b6702d810e73 + - 6ac8e47a-88d5-4a6e-9cae-545c0c32cde5 strict-transport-security: - max-age=31536000 transfer-encoding: @@ -3089,7 +7000,7 @@ interactions: vary: - Accept-Encoding x-ms-ags-diagnostic: - - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"000","RoleInstance":"MA1PEPF00003151"}}' + - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"001","RoleInstance":"MA1PEPF00004345"}}' x-ms-resource-unit: - '3' status: @@ -3110,25 +7021,26 @@ interactions: - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance --yes User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 - Azure-SDK-For-Python AZURECLI/2.39.0 + - python/3.10.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 + azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.45.0 (PIP) accept-language: - en-US method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new/providers/Microsoft.Authorization/roleAssignments?$filter=atScope%28%29&api-version=2020-04-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Storage%20Account%20Backup%20Contributor%27&api-version=2018-01-01-preview response: body: - string: '{"value":[{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"5c617d2b-99f8-4c90-98fe-dfe040fa33c1","principalType":"ServicePrincipal","scope":"/","condition":null,"conditionVersion":null,"createdOn":"2018-02-27T19:19:50.2663941Z","updatedOn":"2018-02-27T19:19:50.2663941Z","createdBy":null,"updatedBy":null,"delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Authorization/roleAssignments/3e883d24-b106-42ff-ad13-d7bf271b964d","type":"Microsoft.Authorization/roleAssignments","name":"3e883d24-b106-42ff-ad13-d7bf271b964d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"1d8b8d73-0cc6-4db8-b112-724b4a932253","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-26T12:22:13.7498923Z","updatedOn":"2019-08-26T12:22:13.7498923Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8c3a4de9-1ebd-47ce-9dd9-bebf87a4e28f","type":"Microsoft.Authorization/roleAssignments","name":"8c3a4de9-1ebd-47ce-9dd9-bebf87a4e28f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"1e845bc3-37db-4639-be09-d0cf1e448221","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-05-24T11:02:27.8515917Z","updatedOn":"2019-05-24T11:02:27.8515917Z","createdBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","updatedBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b5eee4d7-5f9f-4f63-8040-8aec158c289b","type":"Microsoft.Authorization/roleAssignments","name":"b5eee4d7-5f9f-4f63-8040-8aec158c289b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"235b2664-75e2-4741-bb6f-37e49babf6cd","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-02-12T11:34:59.7104212Z","updatedOn":"2020-02-12T11:34:59.7104212Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/f0618702-8404-4858-9a26-e61f23e7d44f","type":"Microsoft.Authorization/roleAssignments","name":"f0618702-8404-4858-9a26-e61f23e7d44f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8bb5b214-1182-465c-892f-ca7235abe1e7","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-11-14T08:52:42.2795010Z","updatedOn":"2019-11-14T08:52:42.2795010Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/77daac38-9839-4b00-921b-e5d5a03e728c","type":"Microsoft.Authorization/roleAssignments","name":"77daac38-9839-4b00-921b-e5d5a03e728c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"9693df58-7f72-4974-9bd3-1c3ceb0382f1","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-11-29T09:40:04.3180033Z","updatedOn":"2018-11-29T09:40:04.3180033Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ed3bf874-9c97-43f9-a5e9-b4ee6f8982f7","type":"Microsoft.Authorization/roleAssignments","name":"ed3bf874-9c97-43f9-a5e9-b4ee6f8982f7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"d1f96755-9bcf-44b8-ab82-df67360496c4","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-05-08T10:28:08.2854940Z","updatedOn":"2020-05-08T10:28:08.2854940Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/dfb3ca56-a0d4-44ce-ba35-b716c3fdab86","type":"Microsoft.Authorization/roleAssignments","name":"dfb3ca56-a0d4-44ce-ba35-b716c3fdab86"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-12-31T09:26:43.6440415Z","updatedOn":"2018-12-31T09:26:43.6440415Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/45744ea8-780f-4f3e-88aa-b73d7f6997b2","type":"Microsoft.Authorization/roleAssignments","name":"45744ea8-780f-4f3e-88aa-b73d7f6997b2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e65078fb-6b02-434a-9f11-d06bf9bc0600","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-10-25T23:42:36.3444507Z","updatedOn":"2018-10-25T23:42:36.3444507Z","createdBy":"66cb55a5-e2a8-44ef-ae4b-5ab8fa2ec8d9","updatedBy":"66cb55a5-e2a8-44ef-ae4b-5ab8fa2ec8d9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e7ce51e8-4109-41d7-bc10-538b089599db","type":"Microsoft.Authorization/roleAssignments","name":"e7ce51e8-4109-41d7-bc10-538b089599db"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"a7782e0f-1f9a-4882-b2c9-11227aad244e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-06-16T04:32:50.9673703Z","updatedOn":"2020-06-16T04:32:50.9673703Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9fa21f2f-81c3-47b6-b706-650b359b96c3","type":"Microsoft.Authorization/roleAssignments","name":"9fa21f2f-81c3-47b6-b706-650b359b96c3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"00b14177-f4d2-4a4b-94f6-6e80f75745c9","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-03-12T09:49:11.3750683Z","updatedOn":"2020-03-12T09:49:11.3750683Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fff0abf3-3cf7-46be-8bc7-1d1619a160fb","type":"Microsoft.Authorization/roleAssignments","name":"fff0abf3-3cf7-46be-8bc7-1d1619a160fb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"1d8b8d73-0cc6-4db8-b112-724b4a932253","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-26T10:28:45.4880023Z","updatedOn":"2019-08-26T10:28:45.4880023Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/397a3c9c-c258-4d4e-834d-00cc08227796","type":"Microsoft.Authorization/roleAssignments","name":"397a3c9c-c258-4d4e-834d-00cc08227796"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"235b2664-75e2-4741-bb6f-37e49babf6cd","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-12-05T04:29:28.7359096Z","updatedOn":"2018-12-05T04:29:28.7359096Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3c830f42-5f89-4d8b-8f93-d3dc936f33bd","type":"Microsoft.Authorization/roleAssignments","name":"3c830f42-5f89-4d8b-8f93-d3dc936f33bd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-04-08T08:38:50.1742930Z","updatedOn":"2020-04-08T08:38:50.1742930Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/5293a96b-830e-45f4-9e9e-22d7d020f0d8","type":"Microsoft.Authorization/roleAssignments","name":"5293a96b-830e-45f4-9e9e-22d7d020f0d8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3421d717-ca60-44e7-a9a1-773acec4e503","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-10-23T09:40:14.7658272Z","updatedOn":"2019-10-23T09:40:14.7658272Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/34b29558-faf9-43f0-a194-35ca0aa99fc5","type":"Microsoft.Authorization/roleAssignments","name":"34b29558-faf9-43f0-a194-35ca0aa99fc5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3dc88d41-4d03-4105-970d-937e56de3839","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-06-27T12:59:44.6557891Z","updatedOn":"2019-06-27T12:59:44.6557891Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e57ab8d1-ce9a-4925-b09f-2567492d9b22","type":"Microsoft.Authorization/roleAssignments","name":"e57ab8d1-ce9a-4925-b09f-2567492d9b22"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"62c799b8-9b54-4c3d-97c9-9490d16a6a9a","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-08T13:01:20.9953919Z","updatedOn":"2019-08-08T13:01:20.9953919Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e1b91810-0781-462d-9517-764e4a033822","type":"Microsoft.Authorization/roleAssignments","name":"e1b91810-0781-462d-9517-764e4a033822"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8bb5b214-1182-465c-892f-ca7235abe1e7","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-10-23T08:03:15.6803676Z","updatedOn":"2019-10-23T08:03:15.6803676Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/facbac06-ddab-437d-949a-207593fddfff","type":"Microsoft.Authorization/roleAssignments","name":"facbac06-ddab-437d-949a-207593fddfff"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"978b254a-54be-42af-80f5-e2a37b2e40e5","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-07-08T06:57:57.0377373Z","updatedOn":"2019-07-08T06:57:57.0377373Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/89be5b0a-dfa8-4bdf-b667-c6f63f7f3f0e","type":"Microsoft.Authorization/roleAssignments","name":"89be5b0a-dfa8-4bdf-b667-c6f63f7f3f0e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"9c973a07-b207-473c-9687-bd693ba8e460","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-04-17T09:14:08.7913669Z","updatedOn":"2020-04-17T09:14:08.7913669Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/950c635a-23a5-4a0e-8eb6-c53e929c9699","type":"Microsoft.Authorization/roleAssignments","name":"950c635a-23a5-4a0e-8eb6-c53e929c9699"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a4eae46b-a9d0-4586-8ac9-ba91b29f1d57","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-02-01T10:05:44.6784242Z","updatedOn":"2022-02-01T10:05:44.6784242Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8af2fb3a-292c-42a8-a870-1751c4ec4870","type":"Microsoft.Authorization/roleAssignments","name":"8af2fb3a-292c-42a8-a870-1751c4ec4870"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"662a0ec2-cfbc-45f9-ae31-2cc53070e765","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T12:46:49.6216206Z","updatedOn":"2022-04-12T12:46:49.6216206Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/85cc2dff-c5d4-42a3-acb6-255cd4208ef4","type":"Microsoft.Authorization/roleAssignments","name":"85cc2dff-c5d4-42a3-acb6-255cd4208ef4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"662a0ec2-cfbc-45f9-ae31-2cc53070e765","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T12:46:57.1459341Z","updatedOn":"2022-04-12T12:46:57.1459341Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/aba8e90d-d951-4cb5-a346-b71e478f4d1b","type":"Microsoft.Authorization/roleAssignments","name":"aba8e90d-d951-4cb5-a346-b71e478f4d1b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"30bc1f3b-ca1a-4c55-96ff-4c026f12eaa1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T13:09:28.3678603Z","updatedOn":"2022-04-12T13:09:28.3678603Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/79d87d90-f984-4f53-a169-2eca51c00104","type":"Microsoft.Authorization/roleAssignments","name":"79d87d90-f984-4f53-a169-2eca51c00104"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"30bc1f3b-ca1a-4c55-96ff-4c026f12eaa1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T13:09:33.3916295Z","updatedOn":"2022-04-12T13:09:33.3916295Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/5e185742-c91a-4efe-b0d8-db9524685ec5","type":"Microsoft.Authorization/roleAssignments","name":"5e185742-c91a-4efe-b0d8-db9524685ec5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3c582fc7-e68a-4991-a2f6-3d8a7a1f23c1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:01:02.2689248Z","updatedOn":"2022-04-13T07:01:02.2689248Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/c9b4f9ab-d687-4a65-910a-5bcb2f974bfe","type":"Microsoft.Authorization/roleAssignments","name":"c9b4f9ab-d687-4a65-910a-5bcb2f974bfe"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"3c582fc7-e68a-4991-a2f6-3d8a7a1f23c1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:01:09.3571703Z","updatedOn":"2022-04-13T07:01:09.3571703Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/8bedf13c-aa1a-4191-aa97-573f14fd97ee","type":"Microsoft.Authorization/roleAssignments","name":"8bedf13c-aa1a-4191-aa97-573f14fd97ee"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"a31004b5-ce06-49e1-8706-e8c7afe68695","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:43:04.6456354Z","updatedOn":"2022-04-13T07:43:04.6456354Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/bd0fc30a-6ccf-4c22-a26b-0e31aba16035","type":"Microsoft.Authorization/roleAssignments","name":"bd0fc30a-6ccf-4c22-a26b-0e31aba16035"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"a31004b5-ce06-49e1-8706-e8c7afe68695","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:43:10.1186881Z","updatedOn":"2022-04-13T07:43:10.1186881Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/dadaa3cd-f442-4d5c-aed3-7cbab2fba3e0","type":"Microsoft.Authorization/roleAssignments","name":"dadaa3cd-f442-4d5c-aed3-7cbab2fba3e0"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"6f6a803e-4dc5-488a-8566-a4f0a984975e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T08:58:57.7706882Z","updatedOn":"2022-04-13T08:58:57.7706882Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9e3d10bf-9bfa-4a97-9ab1-b972a348abd0","type":"Microsoft.Authorization/roleAssignments","name":"9e3d10bf-9bfa-4a97-9ab1-b972a348abd0"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"6f6a803e-4dc5-488a-8566-a4f0a984975e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T08:59:03.2414961Z","updatedOn":"2022-04-13T08:59:03.2414961Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/66eefd94-4bda-46df-9c61-7e92f83d91e7","type":"Microsoft.Authorization/roleAssignments","name":"66eefd94-4bda-46df-9c61-7e92f83d91e7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"829da4fd-a5f4-4ca7-bc3d-0679d104c5f0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T10:17:35.8887781Z","updatedOn":"2022-04-13T10:17:35.8887781Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/77f4f7a3-a377-49f7-a094-945b82b2bfff","type":"Microsoft.Authorization/roleAssignments","name":"77f4f7a3-a377-49f7-a094-945b82b2bfff"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"829da4fd-a5f4-4ca7-bc3d-0679d104c5f0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T10:17:41.2233089Z","updatedOn":"2022-04-13T10:17:41.2233089Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/1a71aac6-e9ce-40ff-a39f-7594df2ea6e9","type":"Microsoft.Authorization/roleAssignments","name":"1a71aac6-e9ce-40ff-a39f-7594df2ea6e9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3f74f5b7-f4f6-4b65-a45d-f1c60467e115","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-21T06:57:19.4532093Z","updatedOn":"2022-04-21T06:57:19.4532093Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/eede4548-9f71-44b7-8077-c49aa44894b4","type":"Microsoft.Authorization/roleAssignments","name":"eede4548-9f71-44b7-8077-c49aa44894b4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"3f74f5b7-f4f6-4b65-a45d-f1c60467e115","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-21T06:57:24.3439247Z","updatedOn":"2022-04-21T06:57:24.3439247Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/c011acd2-8b5d-45d6-b6c1-4ffe1867ce31","type":"Microsoft.Authorization/roleAssignments","name":"c011acd2-8b5d-45d6-b6c1-4ffe1867ce31"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"85c33f6f-5d69-4b0e-bc06-95a7d3193519","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-05-04T09:52:52.7340040Z","updatedOn":"2022-05-04T09:52:52.7340040Z","createdBy":"447bbed8-9839-4d6e-9e39-fb9aeee1ec1d","updatedBy":"447bbed8-9839-4d6e-9e39-fb9aeee1ec1d","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/6a4f635c-309c-4a1d-8eea-86fb5aa91d80","type":"Microsoft.Authorization/roleAssignments","name":"6a4f635c-309c-4a1d-8eea-86fb5aa91d80"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"e6234342-a3d7-4b04-9041-3e8526f5861a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-05-12T06:55:02.9137483Z","updatedOn":"2022-05-12T06:55:02.9137483Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a5bd1b6d-0084-40ec-9126-2250536b4778","type":"Microsoft.Authorization/roleAssignments","name":"a5bd1b6d-0084-40ec-9126-2250536b4778"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"0b2dcd24-9585-4bb4-a7c3-83e0e3bd0dc7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-05-24T11:54:25.7258076Z","updatedOn":"2022-05-24T11:54:25.7258076Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9a7dc348-d24e-438b-84b0-c7cda5bf92c4","type":"Microsoft.Authorization/roleAssignments","name":"9a7dc348-d24e-438b-84b0-c7cda5bf92c4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"0b2dcd24-9585-4bb4-a7c3-83e0e3bd0dc7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-05-24T11:54:29.8931759Z","updatedOn":"2022-05-24T11:54:29.8931759Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/aeb54d04-84b8-4530-bd7e-fe01dafd82ab","type":"Microsoft.Authorization/roleAssignments","name":"aeb54d04-84b8-4530-bd7e-fe01dafd82ab"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"f2cee52e-3d75-4f49-acc4-b5aaf72232ee","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T11:01:05.6238088Z","updatedOn":"2022-06-03T11:01:05.6238088Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2bd63fbe-e197-434f-ba1e-016bad298ff7","type":"Microsoft.Authorization/roleAssignments","name":"2bd63fbe-e197-434f-ba1e-016bad298ff7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"8be185b2-5cbf-45c1-b9af-cbbd9b59144d","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T13:20:41.1511200Z","updatedOn":"2022-06-03T13:22:39.1076287Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/f12c7867-43e5-5530-98e9-9d8a2f39fb92","type":"Microsoft.Authorization/roleAssignments","name":"f12c7867-43e5-5530-98e9-9d8a2f39fb92"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"8be185b2-5cbf-45c1-b9af-cbbd9b59144d","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T13:37:09.9515887Z","updatedOn":"2022-06-03T14:40:22.4040874Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/bace23ac-6978-5318-a146-d49599599b02","type":"Microsoft.Authorization/roleAssignments","name":"bace23ac-6978-5318-a146-d49599599b02"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"e6234342-a3d7-4b04-9041-3e8526f5861a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-06T11:22:08.5127363Z","updatedOn":"2022-06-06T11:22:08.5127363Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/df253c65-35fc-4ff6-9a32-39b3fe20a6e3","type":"Microsoft.Authorization/roleAssignments","name":"df253c65-35fc-4ff6-9a32-39b3fe20a6e3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"5f137a67-1b88-4f98-aa20-b71a7082dc56","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-10T14:11:57.5623976Z","updatedOn":"2022-06-10T14:11:57.5623976Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e409f573-8bda-4b7e-854a-61c445d36c6f","type":"Microsoft.Authorization/roleAssignments","name":"e409f573-8bda-4b7e-854a-61c445d36c6f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"961a41dc-cbb6-4777-9b6c-a6d4d1ea4faa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:02:09.6478601Z","updatedOn":"2022-06-21T12:02:09.6478601Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/efc8d400-cd5e-41d3-99e6-65878c1f888c","type":"Microsoft.Authorization/roleAssignments","name":"efc8d400-cd5e-41d3-99e6-65878c1f888c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"961a41dc-cbb6-4777-9b6c-a6d4d1ea4faa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:02:31.1213523Z","updatedOn":"2022-06-21T12:02:31.1213523Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/1ad6de95-d660-4f0a-84cf-1b297eafe5f6","type":"Microsoft.Authorization/roleAssignments","name":"1ad6de95-d660-4f0a-84cf-1b297eafe5f6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"1831aada-7907-4673-a5e2-b11217764c9e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:22:14.2181104Z","updatedOn":"2022-06-21T12:22:14.2181104Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/c5856647-b5ff-4264-a966-049b6a58a42f","type":"Microsoft.Authorization/roleAssignments","name":"c5856647-b5ff-4264-a966-049b6a58a42f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"1831aada-7907-4673-a5e2-b11217764c9e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:22:40.2874069Z","updatedOn":"2022-06-21T12:22:40.2874069Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/a3560e50-7085-48f4-85a1-97487179cc5d","type":"Microsoft.Authorization/roleAssignments","name":"a3560e50-7085-48f4-85a1-97487179cc5d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-22T11:28:57.2073063Z","updatedOn":"2022-06-22T11:28:57.2073063Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c5b3bcf3-fd4c-4b57-9f73-f075ce7afccb","type":"Microsoft.Authorization/roleAssignments","name":"c5b3bcf3-fd4c-4b57-9f73-f075ce7afccb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-23T09:19:22.2256200Z","updatedOn":"2022-06-23T09:19:22.2256200Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/344b17ae-cabf-4a33-9a9d-ba30fefcbadc","type":"Microsoft.Authorization/roleAssignments","name":"344b17ae-cabf-4a33-9a9d-ba30fefcbadc"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"2b81557b-8e7a-4df8-9a41-e59844f627c2","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-23T09:25:03.9969293Z","updatedOn":"2022-06-23T09:25:03.9969293Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/13a7f7c7-7364-4f9b-ba92-5430f17b29b5","type":"Microsoft.Authorization/roleAssignments","name":"13a7f7c7-7364-4f9b-ba92-5430f17b29b5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-24T07:04:04.5965087Z","updatedOn":"2022-06-24T07:04:04.5965087Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ba604c54-80e1-490e-a123-9ef9d477536b","type":"Microsoft.Authorization/roleAssignments","name":"ba604c54-80e1-490e-a123-9ef9d477536b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-25T04:10:10.7065168Z","updatedOn":"2022-06-25T04:10:10.7065168Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/916a749f-b61f-4ba4-8c28-46217c3a7b4e","type":"Microsoft.Authorization/roleAssignments","name":"916a749f-b61f-4ba4-8c28-46217c3a7b4e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T07:37:58.3152810Z","updatedOn":"2022-06-27T07:37:58.3152810Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/0a1046d6-ba58-491f-b473-403ec29cd2be","type":"Microsoft.Authorization/roleAssignments","name":"0a1046d6-ba58-491f-b473-403ec29cd2be"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:21:12.2347431Z","updatedOn":"2022-06-27T08:21:12.2347431Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/abc6fbbe-d4a8-4315-9532-82e90334dcc9","type":"Microsoft.Authorization/roleAssignments","name":"abc6fbbe-d4a8-4315-9532-82e90334dcc9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"381295fa-e67d-4943-a2eb-90ffcf09577b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:43:17.8582970Z","updatedOn":"2022-06-27T08:43:17.8582970Z","createdBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","updatedBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b8f0bb0e-1495-48f0-aa68-33c364310cfb","type":"Microsoft.Authorization/roleAssignments","name":"b8f0bb0e-1495-48f0-aa68-33c364310cfb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"381295fa-e67d-4943-a2eb-90ffcf09577b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:43:18.7801612Z","updatedOn":"2022-06-27T08:43:18.7801612Z","createdBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","updatedBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b8eb5d9d-85e3-4ba8-9458-fdd2c48ba8e1","type":"Microsoft.Authorization/roleAssignments","name":"b8eb5d9d-85e3-4ba8-9458-fdd2c48ba8e1"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"3de34697-a180-45dc-aff8-c16061f1143b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-01T08:15:11.7388086Z","updatedOn":"2022-07-01T08:15:11.7388086Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/86db086e-0442-5eef-8ebc-1d8d28a4d03a","type":"Microsoft.Authorization/roleAssignments","name":"86db086e-0442-5eef-8ebc-1d8d28a4d03a"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3de34697-a180-45dc-aff8-c16061f1143b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-01T08:15:12.7940996Z","updatedOn":"2022-07-01T08:15:12.7940996Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/cbcefba6-df6c-5670-9e02-9e09f7964d9c","type":"Microsoft.Authorization/roleAssignments","name":"cbcefba6-df6c-5670-9e02-9e09f7964d9c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"fe7b070d-f778-4cfd-8acf-eda94f397a89","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-29T07:15:07.9544255Z","updatedOn":"2022-07-29T07:15:07.9544255Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/efb13d06-875d-40e3-81d5-195824e19188","type":"Microsoft.Authorization/roleAssignments","name":"efb13d06-875d-40e3-81d5-195824e19188"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"aa7a0e3a-c2c6-41e2-9838-2ae541c08a88","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-01T10:57:25.8183048Z","updatedOn":"2022-08-01T10:57:25.8183048Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/e179ab30-f6f9-44c6-9806-801d4240a604","type":"Microsoft.Authorization/roleAssignments","name":"e179ab30-f6f9-44c6-9806-801d4240a604"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"da112a02-e7cf-4b53-93a0-96958f47f77f","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-01T12:19:56.7716607Z","updatedOn":"2022-08-01T12:19:56.7716607Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/859af8cf-cf8d-4a41-b5cb-b492bbebfa96","type":"Microsoft.Authorization/roleAssignments","name":"859af8cf-cf8d-4a41-b5cb-b492bbebfa96"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"d9334401-f342-4fc7-88c4-6fb936fb3a6f","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-02T06:53:24.5190593Z","updatedOn":"2022-08-02T06:53:24.5190593Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/babd18e7-662a-4f61-b03b-d2790ad8ad2b","type":"Microsoft.Authorization/roleAssignments","name":"babd18e7-662a-4f61-b03b-d2790ad8ad2b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"d9334401-f342-4fc7-88c4-6fb936fb3a6f","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-02T06:56:06.5673047Z","updatedOn":"2022-08-02T06:56:06.5673047Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9b61e48d-b011-4da0-8daa-a65f34af5a33","type":"Microsoft.Authorization/roleAssignments","name":"9b61e48d-b011-4da0-8daa-a65f34af5a33"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f8520195-1c62-47ff-8c01-e394155b52f1","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-10T11:13:36.6792855Z","updatedOn":"2022-08-10T11:13:36.6792855Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3c9150af-abd1-4d00-9c16-acb375857df6","type":"Microsoft.Authorization/roleAssignments","name":"3c9150af-abd1-4d00-9c16-acb375857df6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f4bfeb83-a4cc-43e8-bee0-9808b5d0918d","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-24T05:51:56.3337713Z","updatedOn":"2022-08-24T05:51:56.3337713Z","createdBy":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","updatedBy":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3caa2a04-62bf-4a33-80f5-056840e59fb4","type":"Microsoft.Authorization/roleAssignments","name":"3caa2a04-62bf-4a33-80f5-056840e59fb4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"608ca1e9-e854-46c6-984f-d812d0e657e6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-30T13:32:28.1332524Z","updatedOn":"2022-08-30T13:32:28.1332524Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2719b245-3aeb-4cc0-92bc-6f63eea0dcbf","type":"Microsoft.Authorization/roleAssignments","name":"2719b245-3aeb-4cc0-92bc-6f63eea0dcbf"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"76710889-6dec-4b99-a529-cfd36fcb16ec","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:30:49.7733486Z","updatedOn":"2022-09-05T11:30:49.7733486Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/bbc4ec43-5e44-4b5d-8de0-cdf89486bb41","type":"Microsoft.Authorization/roleAssignments","name":"bbc4ec43-5e44-4b5d-8de0-cdf89486bb41"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"76710889-6dec-4b99-a529-cfd36fcb16ec","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:33:36.9049436Z","updatedOn":"2022-09-05T11:33:36.9049436Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/3f21962f-d606-4223-b80f-43344d5dc933","type":"Microsoft.Authorization/roleAssignments","name":"3f21962f-d606-4223-b80f-43344d5dc933"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a51d0ef9-9895-4b63-b3f8-354bb7d1a6bb","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-05-21T08:47:39.8177538Z","updatedOn":"2021-05-21T08:47:39.8177538Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/17db6abb-bc45-4967-b313-e470ec9cbbd7","type":"Microsoft.Authorization/roleAssignments","name":"17db6abb-bc45-4967-b313-e470ec9cbbd7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"7c567124-5292-4819-aa73-0224bf1c42e1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-05-23T13:38:54.7542852Z","updatedOn":"2021-05-23T13:38:54.7542852Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/0809d692-f58f-43f2-b597-7f115957407e","type":"Microsoft.Authorization/roleAssignments","name":"0809d692-f58f-43f2-b597-7f115957407e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"955c9d1b-0cb6-4ff6-91c9-f4aadf67ffe8","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-05-24T16:45:08.3835615Z","updatedOn":"2021-05-24T16:45:08.3835615Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/1b1ac6ab-19e7-4c4f-91d2-5be73096da2c","type":"Microsoft.Authorization/roleAssignments","name":"1b1ac6ab-19e7-4c4f-91d2-5be73096da2c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"7221c906-782c-44a0-ab2f-f23d8a95ce25","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-05-24T16:56:16.2751421Z","updatedOn":"2021-05-24T16:56:16.2751421Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/ca8f2433-76dc-49fa-828d-9cd2861ec25c","type":"Microsoft.Authorization/roleAssignments","name":"ca8f2433-76dc-49fa-828d-9cd2861ec25c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"e1a3bbaa-4ffb-41a6-a154-b4870d9e86b4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T06:40:53.5542743Z","updatedOn":"2021-06-04T06:40:53.5542743Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9d9ac2a8-dbac-41bb-9f17-c473f02c6370","type":"Microsoft.Authorization/roleAssignments","name":"9d9ac2a8-dbac-41bb-9f17-c473f02c6370"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"e1a3bbaa-4ffb-41a6-a154-b4870d9e86b4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T06:40:57.1326805Z","updatedOn":"2021-06-04T06:40:57.1326805Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/14b1338c-95f6-44f9-ad22-395f8ebbb1fe","type":"Microsoft.Authorization/roleAssignments","name":"14b1338c-95f6-44f9-ad22-395f8ebbb1fe"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"1da90707-df56-4d40-a805-2e646c9d95ab","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:02:18.2829699Z","updatedOn":"2021-06-04T07:02:18.2829699Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/bf5f4821-9baa-4dc6-9bd5-8c62f31c1a93","type":"Microsoft.Authorization/roleAssignments","name":"bf5f4821-9baa-4dc6-9bd5-8c62f31c1a93"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"1da90707-df56-4d40-a805-2e646c9d95ab","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:02:22.4343547Z","updatedOn":"2021-06-04T07:02:22.4343547Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/26bab283-0772-4c03-8dc1-a50c8ffa597d","type":"Microsoft.Authorization/roleAssignments","name":"26bab283-0772-4c03-8dc1-a50c8ffa597d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"ab6b1184-ff37-4d3e-b460-fbe654f7ad5c","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:19:08.8293677Z","updatedOn":"2021-06-04T07:19:08.8293677Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/d972f611-a4bd-4b80-9e78-980984602450","type":"Microsoft.Authorization/roleAssignments","name":"d972f611-a4bd-4b80-9e78-980984602450"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"ab6b1184-ff37-4d3e-b460-fbe654f7ad5c","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:19:12.8400651Z","updatedOn":"2021-06-04T07:19:12.8400651Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/b9393755-f5ca-41ef-a631-fb62184c57a8","type":"Microsoft.Authorization/roleAssignments","name":"b9393755-f5ca-41ef-a631-fb62184c57a8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3ffa4e46-39a3-4002-9292-e2adf0d1a8c6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T09:14:15.2633798Z","updatedOn":"2021-06-04T09:14:15.2633798Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/094981c0-d59c-4f5b-9581-72c08da65454","type":"Microsoft.Authorization/roleAssignments","name":"094981c0-d59c-4f5b-9581-72c08da65454"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"3ffa4e46-39a3-4002-9292-e2adf0d1a8c6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T09:14:19.9554484Z","updatedOn":"2021-06-04T09:14:19.9554484Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/0cac59e0-0464-4bf6-9bef-f1fadc2b08f4","type":"Microsoft.Authorization/roleAssignments","name":"0cac59e0-0464-4bf6-9bef-f1fadc2b08f4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"93e2b483-3ffa-44f8-9965-fdb104b541a2","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-06-29T05:43:19.7216795Z","updatedOn":"2021-06-29T05:43:19.7216795Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c6aff8c2-08b1-5b1a-9c80-d91164226985","type":"Microsoft.Authorization/roleAssignments","name":"c6aff8c2-08b1-5b1a-9c80-d91164226985"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"4f285ac8-5610-4d2f-854c-bfa3d16a2679","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-11T06:55:02.4909144Z","updatedOn":"2021-07-11T06:55:02.4909144Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/0cec2ad2-d080-4126-a99f-f61c559b799c","type":"Microsoft.Authorization/roleAssignments","name":"0cec2ad2-d080-4126-a99f-f61c559b799c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"630db480-3ee6-47ec-ae72-5f917d466bad","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:16:28.8833400Z","updatedOn":"2021-07-13T10:16:28.8833400Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/37fe4b2d-0aca-4c27-8511-1e0d18063ec8","type":"Microsoft.Authorization/roleAssignments","name":"37fe4b2d-0aca-4c27-8511-1e0d18063ec8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"279982e7-46cf-4e40-9a3b-156c98285cb7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:18:48.5647062Z","updatedOn":"2021-07-13T10:18:48.5647062Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/7907f38d-57a7-431d-82d7-5dfa2ef0a628","type":"Microsoft.Authorization/roleAssignments","name":"7907f38d-57a7-431d-82d7-5dfa2ef0a628"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"790004d0-0112-41ad-92e8-95c464c34476","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:18:48.6068337Z","updatedOn":"2021-07-13T10:18:48.6068337Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8c9bda26-83c4-4d4c-b00b-c4b58301e539","type":"Microsoft.Authorization/roleAssignments","name":"8c9bda26-83c4-4d4c-b00b-c4b58301e539"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-21T06:38:43.9281998Z","updatedOn":"2021-07-21T06:38:43.9281998Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b553fa81-60dd-45d6-9781-8c2313d68b03","type":"Microsoft.Authorization/roleAssignments","name":"b553fa81-60dd-45d6-9781-8c2313d68b03"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:20.4258578Z","updatedOn":"2021-07-27T04:31:20.4258578Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/4b2f7b08-f9ef-4fc1-b9c4-2bb34fdef258","type":"Microsoft.Authorization/roleAssignments","name":"4b2f7b08-f9ef-4fc1-b9c4-2bb34fdef258"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:32.4566300Z","updatedOn":"2021-07-27T04:31:32.4566300Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8176bf09-8e96-448a-ab12-eeed360ecce2","type":"Microsoft.Authorization/roleAssignments","name":"8176bf09-8e96-448a-ab12-eeed360ecce2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:48.4577322Z","updatedOn":"2021-07-27T04:31:48.4577322Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/45949217-58cc-4c18-93f3-f4c90710ae2d","type":"Microsoft.Authorization/roleAssignments","name":"45949217-58cc-4c18-93f3-f4c90710ae2d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:20.8138038Z","updatedOn":"2021-07-27T10:13:20.8138038Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2382b52f-1ec5-430e-ae2a-74f9ed331ced","type":"Microsoft.Authorization/roleAssignments","name":"2382b52f-1ec5-430e-ae2a-74f9ed331ced"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:23.6551958Z","updatedOn":"2021-07-27T10:13:23.6551958Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e5863947-0b21-41b7-9997-c0dfc73eec29","type":"Microsoft.Authorization/roleAssignments","name":"e5863947-0b21-41b7-9997-c0dfc73eec29"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:29.6985440Z","updatedOn":"2021-07-27T10:13:29.6985440Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/28c1cefa-942f-44c5-a4d4-c33bb92abd45","type":"Microsoft.Authorization/roleAssignments","name":"28c1cefa-942f-44c5-a4d4-c33bb92abd45"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8039a424-299a-4014-8b22-4f6d6cc60065","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-11T07:08:31.9935560Z","updatedOn":"2021-08-11T07:08:31.9935560Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/69e0bcfc-b024-4d8b-a3d5-dac447f8986c","type":"Microsoft.Authorization/roleAssignments","name":"69e0bcfc-b024-4d8b-a3d5-dac447f8986c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"8f0340b8-4b70-412b-be19-c4612d49e353","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-20T11:58:29.6857641Z","updatedOn":"2021-08-20T11:58:29.6857641Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fd88236f-eacb-5303-912f-ba1741cf02bd","type":"Microsoft.Authorization/roleAssignments","name":"fd88236f-eacb-5303-912f-ba1741cf02bd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"0d8f6e68-d6c5-4a67-b6c4-3107609bbdbc","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-20T12:31:58.7980661Z","updatedOn":"2021-08-20T12:31:58.7980661Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/146f4a11-8712-583d-89eb-a7b8b82dbaa9","type":"Microsoft.Authorization/roleAssignments","name":"146f4a11-8712-583d-89eb-a7b8b82dbaa9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"e2072d83-2379-4f36-ab51-b5df7460c61e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-21T14:40:08.5987892Z","updatedOn":"2021-08-21T14:40:10.5055205Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/842af679-0b58-5eb5-b94c-ff59e4105d7e","type":"Microsoft.Authorization/roleAssignments","name":"842af679-0b58-5eb5-b94c-ff59e4105d7e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"0242778c-29df-4863-ac18-2fb8fd004135","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-08-30T06:31:52.6766200Z","updatedOn":"2021-08-30T06:31:52.6766200Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/f67c65e2-e609-4ffe-b504-294b00cbd2fd","type":"Microsoft.Authorization/roleAssignments","name":"f67c65e2-e609-4ffe-b504-294b00cbd2fd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"0242778c-29df-4863-ac18-2fb8fd004135","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-08-30T06:31:57.1552781Z","updatedOn":"2021-08-30T06:31:57.1552781Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/aaeab926-d6e2-4bb6-9e9e-0607e75cc75f","type":"Microsoft.Authorization/roleAssignments","name":"aaeab926-d6e2-4bb6-9e9e-0607e75cc75f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"2ab5fb95-b72e-4d12-948b-4223754d8ffa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-09-08T08:24:19.3547440Z","updatedOn":"2021-09-08T08:24:19.3547440Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/43ee13b8-5abd-51e0-88e3-ae84049da70e","type":"Microsoft.Authorization/roleAssignments","name":"43ee13b8-5abd-51e0-88e3-ae84049da70e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-17T09:41:38.5634940Z","updatedOn":"2021-09-17T09:41:38.5634940Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":"for - temp testing purpose"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/98fe0117-1e9c-4e37-b8a7-c4a1031d6916","type":"Microsoft.Authorization/roleAssignments","name":"98fe0117-1e9c-4e37-b8a7-c4a1031d6916"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"9c973a07-b207-473c-9687-bd693ba8e460","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-25T15:23:32.6168771Z","updatedOn":"2021-09-25T15:23:32.6168771Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/d852f084-bc9f-4258-9e2c-fcf48b9eaf85","type":"Microsoft.Authorization/roleAssignments","name":"d852f084-bc9f-4258-9e2c-fcf48b9eaf85"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"2778738c-452b-45ca-b8d6-f085836a1458","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-30T07:51:25.2399474Z","updatedOn":"2021-09-30T07:51:25.2399474Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b04a3bdf-b6a6-5ffb-9394-ee5743741597","type":"Microsoft.Authorization/roleAssignments","name":"b04a3bdf-b6a6-5ffb-9394-ee5743741597"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"0ac1f52a-325b-486a-a095-f46ffdd6a9e4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-10-26T01:59:18.6998395Z","updatedOn":"2021-10-26T01:59:18.6998395Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/53a3b238-b4b0-4d3f-b416-8d6dc8d755f6","type":"Microsoft.Authorization/roleAssignments","name":"53a3b238-b4b0-4d3f-b416-8d6dc8d755f6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"c3c0d020-16f0-44d8-9950-0250120a33ff","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-02T06:11:03.5575284Z","updatedOn":"2021-11-02T06:11:03.5575284Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/1d017732-f67e-5aa1-a4a6-47570078d9f3","type":"Microsoft.Authorization/roleAssignments","name":"1d017732-f67e-5aa1-a4a6-47570078d9f3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-10T08:59:19.7285159Z","updatedOn":"2021-11-10T08:59:19.7285159Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a60357fa-dc0a-4479-a2a9-4329c2d0ae89","type":"Microsoft.Authorization/roleAssignments","name":"a60357fa-dc0a-4479-a2a9-4329c2d0ae89"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8dd77695-d6a5-450d-a43c-67ca01be9fbc","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-12T10:55:38.3698246Z","updatedOn":"2021-11-12T10:55:38.3698246Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/dda5bb75-b74a-4430-975f-5bc9611c4b2d","type":"Microsoft.Authorization/roleAssignments","name":"dda5bb75-b74a-4430-975f-5bc9611c4b2d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/36243c78-bf99-498c-9df9-86d9f8d28608","principalId":"2152c794-9ca2-41fe-a313-2d0e1ee3eb80","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-18T06:28:12.0181010Z","updatedOn":"2021-02-18T06:28:12.0181010Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/804f6223-03eb-4091-b460-82160fc5f818","type":"Microsoft.Authorization/roleAssignments","name":"804f6223-03eb-4091-b460-82160fc5f818"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"2152c794-9ca2-41fe-a313-2d0e1ee3eb80","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-18T06:28:12.0168587Z","updatedOn":"2021-02-18T06:28:12.0168587Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8d80e2d6-315c-495c-ab2c-91ddf75edf41","type":"Microsoft.Authorization/roleAssignments","name":"8d80e2d6-315c-495c-ab2c-91ddf75edf41"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"cf46d636-b6c1-406c-aba7-b2c3d9ed07da","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-26T13:53:53.1151640Z","updatedOn":"2021-02-26T13:53:53.1151640Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/735e98ed-f4b8-4b7d-9cc9-af4f8ae77252","type":"Microsoft.Authorization/roleAssignments","name":"735e98ed-f4b8-4b7d-9cc9-af4f8ae77252"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8505e3f4-1ee7-427c-a175-a06595231d46","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-26T13:54:27.5624477Z","updatedOn":"2021-02-26T13:54:27.5624477Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/98c87a9f-b9e7-414b-8b59-bf3ec62dbc74","type":"Microsoft.Authorization/roleAssignments","name":"98c87a9f-b9e7-414b-8b59-bf3ec62dbc74"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-25T12:25:27.2277610Z","updatedOn":"2020-07-25T12:25:27.2277610Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fd6b8ff4-9edb-43f5-aa2a-32133fa09b1d","type":"Microsoft.Authorization/roleAssignments","name":"fd6b8ff4-9edb-43f5-aa2a-32133fa09b1d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"21ae6127-c385-4ae0-b895-a8559e9aa574","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-31T08:35:35.2993523Z","updatedOn":"2020-07-31T08:35:35.2993523Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/6af9fbf3-7085-4bcb-b399-88b89fac16d3","type":"Microsoft.Authorization/roleAssignments","name":"6af9fbf3-7085-4bcb-b399-88b89fac16d3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"1e845bc3-37db-4639-be09-d0cf1e448221","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-31T08:44:16.2909420Z","updatedOn":"2020-07-31T08:44:16.2909420Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/65080390-e9b5-4566-b362-d1e96c23dae2","type":"Microsoft.Authorization/roleAssignments","name":"65080390-e9b5-4566-b362-d1e96c23dae2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-11-03T06:12:01.6760584Z","updatedOn":"2020-11-03T06:12:01.6760584Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a7a12420-2dce-4a47-822e-68cadf239da3","type":"Microsoft.Authorization/roleAssignments","name":"a7a12420-2dce-4a47-822e-68cadf239da3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3282af51-433d-47e8-b2b5-633fbe0fecc0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-11-03T06:25:32.6790913Z","updatedOn":"2020-11-03T06:25:32.6790913Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/36da831d-10ce-4f42-ba28-362960f6ea36","type":"Microsoft.Authorization/roleAssignments","name":"36da831d-10ce-4f42-ba28-362960f6ea36"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-10-04T07:35:39.6626948Z","updatedOn":"2019-10-04T07:35:39.6626948Z","createdBy":"8031e009-cc05-4950-8a8d-78942c4492ac","updatedBy":"8031e009-cc05-4950-8a8d-78942c4492ac","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/730fa65e-c74c-4c3d-9cc3-9457f9b97274","type":"Microsoft.Authorization/roleAssignments","name":"730fa65e-c74c-4c3d-9cc3-9457f9b97274"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-04-08T01:03:29.8241478Z","updatedOn":"2021-04-08T01:03:29.8241478Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/63818ccb-a05c-4083-9e1d-64b4c7c0e1cd","type":"Microsoft.Authorization/roleAssignments","name":"63818ccb-a05c-4083-9e1d-64b4c7c0e1cd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"c87d9afe-4463-41d5-81e3-3bd162af9183","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-07-10T09:38:17.4348497Z","updatedOn":"2019-07-10T09:38:17.4348497Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/ebc56c6d-c5de-4d99-b166-89d4ac815acd","type":"Microsoft.Authorization/roleAssignments","name":"ebc56c6d-c5de-4d99-b166-89d4ac815acd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-03-15T11:01:18.6794974Z","updatedOn":"2019-03-15T11:01:18.6794974Z","createdBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","updatedBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/9fb9b151-1d53-4eff-9336-75cf634e1e3d","type":"Microsoft.Authorization/roleAssignments","name":"9fb9b151-1d53-4eff-9336-75cf634e1e3d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f87f6638-3a1b-4562-8603-aacd59537149","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-05-03T06:47:05.1411825Z","updatedOn":"2019-05-03T06:47:05.1411825Z","createdBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","updatedBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/24ffbb29-061f-4b1d-8c26-c6e90ef53303","type":"Microsoft.Authorization/roleAssignments","name":"24ffbb29-061f-4b1d-8c26-c6e90ef53303"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"becb4b6b-fe16-413b-a5c3-90355e0b2982","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-06-26T06:33:50.1123976Z","updatedOn":"2019-06-26T06:33:50.1123976Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/4c3721e8-06f4-4115-a2d8-90c4a9a57d56","type":"Microsoft.Authorization/roleAssignments","name":"4c3721e8-06f4-4115-a2d8-90c4a9a57d56"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-04-07T16:59:19.6098216Z","updatedOn":"2021-04-07T16:59:19.6098216Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/9d2de631-e451-450b-8237-e5bc19624eee","type":"Microsoft.Authorization/roleAssignments","name":"9d2de631-e451-450b-8237-e5bc19624eee"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"b1b96a90-235c-4668-a931-ee1c08db7681","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-02-01T04:47:38.5676012Z","updatedOn":"2021-02-01T04:47:38.5676012Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/a9e38032-c21b-4c41-8960-1c9c982d98e2","type":"Microsoft.Authorization/roleAssignments","name":"a9e38032-c21b-4c41-8960-1c9c982d98e2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a51d0ef9-9895-4b63-b3f8-354bb7d1a6bb","principalType":"Group","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-03-03T05:31:57.4716459Z","updatedOn":"2021-03-03T05:31:57.4716459Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/77aa0ff2-42c2-4e01-a51d-01cf2dd7ce04","type":"Microsoft.Authorization/roleAssignments","name":"77aa0ff2-42c2-4e01-a51d-01cf2dd7ce04"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"ce2366a6-64d7-441b-939c-c9d23f91cccd","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47","condition":null,"conditionVersion":null,"createdOn":"2020-03-12T20:43:06.5941189Z","updatedOn":"2020-03-12T20:43:06.5941189Z","createdBy":"606f48c8-d219-4875-991d-ae6befaf0756","updatedBy":"606f48c8-d219-4875-991d-ae6befaf0756","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47/providers/Microsoft.Authorization/roleAssignments/ad9e2cd7-0ff7-4931-9b17-656c8f17934b","type":"Microsoft.Authorization/roleAssignments","name":"ad9e2cd7-0ff7-4931-9b17-656c8f17934b"}]}' + string: '{"value":[{"properties":{"roleName":"Storage Account Backup Contributor","type":"BuiltInRole","description":"Lets + you perform backup and restore operations using Azure Backup on the storage + account.","assignableScopes":["/"],"permissions":[{"actions":["Microsoft.Authorization/*/read","Microsoft.Authorization/locks/read","Microsoft.Authorization/locks/write","Microsoft.Authorization/locks/delete","Microsoft.Features/features/read","Microsoft.Features/providers/features/read","Microsoft.Resources/subscriptions/resourceGroups/read","Microsoft.Storage/operations/read","Microsoft.Storage/storageAccounts/objectReplicationPolicies/delete","Microsoft.Storage/storageAccounts/objectReplicationPolicies/read","Microsoft.Storage/storageAccounts/objectReplicationPolicies/write","Microsoft.Storage/storageAccounts/objectReplicationPolicies/restorePointMarkers/write","Microsoft.Storage/storageAccounts/blobServices/containers/read","Microsoft.Storage/storageAccounts/blobServices/containers/write","Microsoft.Storage/storageAccounts/blobServices/read","Microsoft.Storage/storageAccounts/blobServices/write","Microsoft.Storage/storageAccounts/read","Microsoft.Storage/storageAccounts/restoreBlobRanges/action"],"notActions":[],"dataActions":[],"notDataActions":[]}],"createdOn":"2020-11-02T23:32:50.4203469Z","updatedOn":"2022-04-20T01:44:55.2577307Z","createdBy":null,"updatedBy":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","type":"Microsoft.Authorization/roleDefinitions","name":"e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1"}]}' headers: cache-control: - no-cache content-length: - - '109973' + - '1625' content-type: - application/json; charset=utf-8 date: - - Mon, 05 Sep 2022 11:49:37 GMT + - Mon, 13 Feb 2023 07:38:31 GMT expires: - '-1' pragma: @@ -3147,7 +7059,8 @@ interactions: code: 200 message: OK - request: - body: null + body: '{"properties": {"roleDefinitionId": "/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1", + "principalId": "41753b57-b4fa-4774-80aa-414a3af0f706", "principalType": "ServicePrincipal"}}' headers: Accept: - application/json @@ -3157,53 +7070,52 @@ interactions: - dataprotection backup-instance update-msi-permissions Connection: - keep-alive + Content-Length: + - '270' + Content-Type: + - application/json; charset=utf-8 Cookie: - x-ms-gateway-slice=Production ParameterSetName: - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance --yes User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 - Azure-SDK-For-Python AZURECLI/2.39.0 + - python/3.10.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 + azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.45.0 (PIP) accept-language: - en-US - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Disk%20Backup%20Reader%27&api-version=2018-01-01-preview + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount/providers/Microsoft.Authorization/roleAssignments/9a7304aa-a0f8-416d-a8a5-e72f568e02d2?api-version=2020-04-01-preview response: body: - string: '{"value":[{"properties":{"roleName":"Disk Backup Reader","type":"BuiltInRole","description":"Provides - permission to backup vault to perform disk backup.","assignableScopes":["/"],"permissions":[{"actions":["Microsoft.Authorization/*/read","Microsoft.Compute/disks/read","Microsoft.Compute/disks/beginGetAccess/action"],"notActions":[],"dataActions":[],"notDataActions":[]}],"createdOn":"2020-12-15T07:39:03.8394514Z","updatedOn":"2021-11-11T20:14:56.0178737Z","createdBy":null,"updatedBy":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","type":"Microsoft.Authorization/roleDefinitions","name":"3e5e47e6-65f7-47ef-90b5-e5dd4d455f24"}]}' + string: '{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"41753b57-b4fa-4774-80aa-414a3af0f706","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount","condition":null,"conditionVersion":null,"createdOn":"2023-02-13T07:38:32.1444513Z","updatedOn":"2023-02-13T07:38:32.5814576Z","createdBy":null,"updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount/providers/Microsoft.Authorization/roleAssignments/9a7304aa-a0f8-416d-a8a5-e72f568e02d2","type":"Microsoft.Authorization/roleAssignments","name":"9a7304aa-a0f8-416d-a8a5-e72f568e02d2"}' headers: cache-control: - no-cache content-length: - - '738' + - '1001' content-type: - application/json; charset=utf-8 date: - - Mon, 05 Sep 2022 11:49:37 GMT + - Mon, 13 Feb 2023 07:38:34 GMT expires: - '-1' pragma: - no-cache - set-cookie: - - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly strict-transport-security: - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding x-content-type-options: - nosniff + x-ms-ratelimit-remaining-subscription-writes: + - '1194' status: - code: 200 - message: OK + code: 201 + message: Created - request: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: @@ -3211,201 +7123,202 @@ interactions: Connection: - keep-alive ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes + - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance + --keyvault-id --yes User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) AZURECLI/2.39.0 + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://graph.microsoft.com/v1.0/servicePrincipals?$filter=servicePrincipalNames%2Fany%28c%3Ac%20eq%20%27f41bd262-eb21-47f1-9706-f12132d865e3%27%29 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault?api-version=2022-05-01 response: body: - string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#servicePrincipals","value":[]}' + string: '{"location":"centraluseuap","tags":{"Owner":"akneema","Purpose":"Testing","MABUsed":"Yes","DeleteBy":"12-9999"},"identity":{"type":"SystemAssigned","principalId":"b864e281-c12e-45c6-a0c7-6046a7de5481","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"properties":{"provisioningState":"Succeeded","storageSettings":[{"datastoreType":"VaultStore","type":"LocallyRedundant"}],"isVaultProtectedByResourceGuard":false},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault","name":"oss-clitest-vault","type":"Microsoft.DataProtection/backupVaults"}' headers: cache-control: - no-cache content-length: - - '92' + - '645' content-type: - - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 + - application/json date: - - Mon, 05 Sep 2022 11:49:37 GMT - odata-version: - - '4.0' - request-id: - - 087af74f-830a-4581-bb3b-68318f48019e + - Mon, 13 Feb 2023 07:39:35 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 strict-transport-security: - - max-age=31536000 + - max-age=31536000; includeSubDomains transfer-encoding: - chunked vary: - Accept-Encoding - x-ms-ags-diagnostic: - - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"000","RoleInstance":"MA1PEPF00002721"}}' - x-ms-resource-unit: - - '1' + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '495' + x-powered-by: + - ASP.NET status: code: 200 message: OK - request: - body: '{"ids": ["f41bd262-eb21-47f1-9706-f12132d865e3"], "types": ["user", "group", - "servicePrincipal", "directoryObjectPartnerReference"]}' + body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - dataprotection backup-instance update-msi-permissions Connection: - keep-alive - Content-Length: - - '132' - Content-Type: - - application/json ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes + - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance + --keyvault-id --yes User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) AZURECLI/2.39.0 - method: POST - uri: https://graph.microsoft.com/v1.0/directoryObjects/getByIds + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-keyvault/10.1.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.KeyVault/vaults/oss-clitest-keyvault?api-version=2022-07-01 response: body: - string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#directoryObjects","value":[{"@odata.type":"#microsoft.graph.servicePrincipal","id":"f41bd262-eb21-47f1-9706-f12132d865e3","deletedDateTime":null,"accountEnabled":true,"alternativeNames":["isExplicit=False","/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg/providers/Microsoft.DataProtection/BackupVaults/cli-test-new-vault"],"appDisplayName":null,"appDescription":null,"appId":"1666ae40-2096-498b-9acd-d5cc76560b85","applicationTemplateId":null,"appOwnerOrganizationId":null,"appRoleAssignmentRequired":false,"createdDateTime":"2022-09-05T11:45:43Z","description":null,"disabledByMicrosoftStatus":null,"displayName":"cli-test-new-vault","homepage":null,"loginUrl":null,"logoutUrl":null,"notes":null,"notificationEmailAddresses":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyThumbprint":null,"replyUrls":[],"servicePrincipalNames":["1666ae40-2096-498b-9acd-d5cc76560b85","https://identity.azure.net/yHvRErNNmOMZ4EezrAqFKc6Ca0cDdhCvjeK23cGv1hE="],"servicePrincipalType":"ManagedIdentity","signInAudience":null,"tags":[],"tokenEncryptionKeyId":null,"info":null,"samlSingleSignOnSettings":null,"addIns":[],"appRoles":[],"keyCredentials":[{"customKeyIdentifier":"2E54114573727C7AB82A79610024368806BB3E76","displayName":"CN=1666ae40-2096-498b-9acd-d5cc76560b85","endDateTime":"2022-12-04T11:40:00Z","key":null,"keyId":"091f0c89-7baf-4d09-9c75-83c18191f1f0","startDateTime":"2022-09-05T11:40:00Z","type":"AsymmetricX509Cert","usage":"Verify"}],"oauth2PermissionScopes":[],"passwordCredentials":[],"resourceSpecificApplicationPermissions":[],"verifiedPublisher":{"displayName":null,"verifiedPublisherId":null,"addedDateTime":null}}]}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.KeyVault/vaults/oss-clitest-keyvault","name":"oss-clitest-keyvault","type":"Microsoft.KeyVault/vaults","location":"centraluseuap","tags":{"Owner":"akneema","Purpose":"Testing","MABUsed":"Yes","DeleteBy":"12-9999"},"systemData":{"lastModifiedBy":"zubairabid@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-07T12:23:27.276Z"},"properties":{"sku":{"family":"A","name":"Standard"},"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","networkAcls":{"bypass":"AzureServices","defaultAction":"Allow","ipRules":[{"value":"20.69.149.128/32"}],"virtualNetworkRules":[]},"accessPolicies":[{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"5095196a-def9-4146-8d92-e38f24b6e378","permissions":{"keys":["Get","List","Update","Create","Import","Delete","Recover","Backup","Restore","Decrypt","Encrypt","UnwrapKey","WrapKey","Verify","Sign","Purge","Release","Rotate","GetRotationPolicy","SetRotationPolicy"],"secrets":["Get","List","Set","Delete","Recover","Backup","Restore","Purge"],"certificates":["Get","List","Update","Create","Import","Delete","Recover","Backup","Restore","ManageContacts","ManageIssuers","GetIssuers","ListIssuers","SetIssuers","DeleteIssuers","Purge"]}},{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","permissions":{"keys":["Get","List","Update","Create","Import","Delete","Recover","Backup","Restore","Decrypt","Encrypt","UnwrapKey","WrapKey","Verify","Sign","Purge","Release","Rotate","GetRotationPolicy","SetRotationPolicy"],"secrets":["Get","List","Set","Delete","Recover","Backup","Restore","Purge"],"certificates":["Get","List","Update","Create","Import","Delete","Recover","Backup","Restore","ManageContacts","ManageIssuers","GetIssuers","ListIssuers","SetIssuers","DeleteIssuers","Purge"]}},{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"f40e18f0-6544-45c2-9d24-639a8bb3b41a","permissions":{"keys":["Get","List","Backup"],"secrets":["Get","List","Backup"],"certificates":[]}},{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"b864e281-c12e-45c6-a0c7-6046a7de5481","permissions":{"secrets":["List","Get"],"keys":[],"certificates":[]}},{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"12f8ea5c-1212-449e-b31c-0a574f43076e","permissions":{"certificates":["Get","List","Update","Create","Import","Delete","Recover","Backup","Restore","ManageContacts","ManageIssuers","GetIssuers","ListIssuers","SetIssuers","DeleteIssuers","Purge"],"keys":["Get","List","Update","Create","Import","Delete","Recover","Backup","Restore","GetRotationPolicy","SetRotationPolicy","Rotate","Encrypt","Decrypt","UnwrapKey","WrapKey","Verify","Sign","Release","Purge"],"secrets":["Get","List","Set","Delete","Recover","Backup","Restore","Purge"]}}],"enabledForDeployment":false,"enabledForDiskEncryption":false,"enabledForTemplateDeployment":false,"enableSoftDelete":true,"softDeleteRetentionInDays":90,"enableRbacAuthorization":false,"vaultUri":"https://oss-clitest-keyvault.vault.azure.net/","provisioningState":"Succeeded","publicNetworkAccess":"Enabled"}}' headers: cache-control: - no-cache content-length: - - '1730' + - '3186' content-type: - - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 + - application/json; charset=utf-8 date: - - Mon, 05 Sep 2022 11:49:37 GMT - location: - - https://graph.microsoft.com - odata-version: - - '4.0' - request-id: - - 31e924cf-9556-49ea-acfe-8fa786d100d9 + - Mon, 13 Feb 2023 07:39:37 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 strict-transport-security: - - max-age=31536000 + - max-age=31536000; includeSubDomains transfer-encoding: - chunked vary: - Accept-Encoding - x-ms-ags-diagnostic: - - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"000","RoleInstance":"MA1PEPF00003101"}}' - x-ms-resource-unit: - - '3' + x-aspnet-version: + - 4.0.30319 + x-content-type-options: + - nosniff + x-ms-keyvault-service-version: + - 1.5.666.2 + x-powered-by: + - ASP.NET status: code: 200 message: OK - request: - body: null + body: '' headers: Accept: - application/json Accept-Encoding: - gzip, deflate - CommandName: - - dataprotection backup-instance update-msi-permissions Connection: - keep-alive - ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes + Content-Length: + - 0 + Content-Type: + - application/json; charset=utf-8 User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 - Azure-SDK-For-Python AZURECLI/2.39.0 + - python/3.10.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 + azure-keyvault/7.0 Azure-SDK-For-Python accept-language: - en-US method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Disk%20Backup%20Reader%27&api-version=2018-01-01-preview + uri: https://oss-clitest-keyvault.vault.azure.net/secrets?api-version=7.0 response: body: - string: '{"value":[{"properties":{"roleName":"Disk Backup Reader","type":"BuiltInRole","description":"Provides - permission to backup vault to perform disk backup.","assignableScopes":["/"],"permissions":[{"actions":["Microsoft.Authorization/*/read","Microsoft.Compute/disks/read","Microsoft.Compute/disks/beginGetAccess/action"],"notActions":[],"dataActions":[],"notDataActions":[]}],"createdOn":"2020-12-15T07:39:03.8394514Z","updatedOn":"2021-11-11T20:14:56.0178737Z","createdBy":null,"updatedBy":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","type":"Microsoft.Authorization/roleDefinitions","name":"3e5e47e6-65f7-47ef-90b5-e5dd4d455f24"}]}' + string: '{"error":{"code":"Unauthorized","message":"AKV10000: Request is missing + a Bearer or PoP token."}}' headers: cache-control: - no-cache content-length: - - '738' + - '97' content-type: - application/json; charset=utf-8 date: - - Mon, 05 Sep 2022 11:49:38 GMT + - Mon, 13 Feb 2023 07:39:38 GMT expires: - '-1' pragma: - no-cache - set-cookie: - - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding + - max-age=31536000;includeSubDomains + www-authenticate: + - Bearer authorization="https://login.microsoftonline.com/72f988bf-86f1-41af-91ab-2d7cd011db47", + resource="https://vault.azure.net" x-content-type-options: - nosniff + x-ms-keyvault-network-info: + - conn_type=Ipv4;addr=49.205.115.241;act_addr_fam=InterNetwork; + x-ms-keyvault-region: + - centraluseuap + x-ms-keyvault-service-version: + - 1.9.713.1 status: - code: 200 - message: OK + code: 401 + message: Unauthorized - request: - body: '{"properties": {"roleDefinitionId": "/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24", - "principalId": "f41bd262-eb21-47f1-9706-f12132d865e3", "principalType": "ServicePrincipal"}}' + body: '' headers: Accept: - application/json Accept-Encoding: - gzip, deflate - CommandName: - - dataprotection backup-instance update-msi-permissions Connection: - keep-alive Content-Length: - - '270' + - 0 Content-Type: - application/json; charset=utf-8 - Cookie: - - x-ms-gateway-slice=Production - ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 - Azure-SDK-For-Python AZURECLI/2.39.0 + - python/3.10.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 + azure-keyvault/7.0 Azure-SDK-For-Python accept-language: - en-US - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new/providers/Microsoft.Authorization/roleAssignments/fa021117-3d0c-451f-aa8c-9f843315a92e?api-version=2020-04-01-preview + method: GET + uri: https://oss-clitest-keyvault.vault.azure.net/secrets?api-version=7.0 response: body: - string: '{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"f41bd262-eb21-47f1-9706-f12132d865e3","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:49:39.6813714Z","updatedOn":"2022-09-05T11:49:40.3688920Z","createdBy":null,"updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new/providers/Microsoft.Authorization/roleAssignments/fa021117-3d0c-451f-aa8c-9f843315a92e","type":"Microsoft.Authorization/roleAssignments","name":"fa021117-3d0c-451f-aa8c-9f843315a92e"}' + string: '{"value":[{"contentType":"Wrapped BEK","id":"https://oss-clitest-keyvault.vault.azure.net/secrets/ADEA19F9-2D87-46AC-91CD-492758A0C8A7","attributes":{"enabled":true,"created":1645419092,"updated":1645419092,"recoveryLevel":"Recoverable+Purgeable"},"tags":{"DiskEncryptionKeyFileName":"ADEA19F9-2D87-46AC-91CD-492758A0C8A7.BEK","VolumeLetter":"C:\\","VolumeLabel":"Windows","MachineName":"sql-clicloudtes","DiskEncryptionKeyEncryptionKeyURL":"https://oss-clitest-keyvault.vault.azure.net/keys/sql-clitest-key/fad6b3422cc1472c8bfd9f6f5b923d0d","DiskEncryptionKeyEncryptionAlgorithm":"RSA-OAEP"}},{"id":"https://oss-clitest-keyvault.vault.azure.net/secrets/oss-clitest-secret","attributes":{"enabled":true,"created":1629969650,"updated":1629969650,"recoveryLevel":"Recoverable+Purgeable"},"tags":{}}],"nextLink":null}' headers: cache-control: - no-cache content-length: - - '977' + - '814' content-type: - application/json; charset=utf-8 date: - - Mon, 05 Sep 2022 11:49:47 GMT + - Mon, 13 Feb 2023 07:39:40 GMT expires: - '-1' pragma: - no-cache - set-cookie: - - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly strict-transport-security: - - max-age=31536000; includeSubDomains + - max-age=31536000;includeSubDomains x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1197' + x-ms-keyvault-network-info: + - conn_type=Ipv4;addr=49.205.115.241;act_addr_fam=InterNetwork; + x-ms-keyvault-region: + - centraluseuap + x-ms-keyvault-service-version: + - 1.9.713.1 status: - code: 201 - message: Created + code: 200 + message: OK - request: body: null headers: @@ -3418,12 +7331,12 @@ interactions: Connection: - keep-alive ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes + - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance + --keyvault-id --yes User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) AZURECLI/2.39.0 + - python/3.10.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.45.0 (PIP) method: GET - uri: https://graph.microsoft.com/v1.0/servicePrincipals?$filter=servicePrincipalNames%2Fany%28c%3Ac%20eq%20%27f41bd262-eb21-47f1-9706-f12132d865e3%27%29 + uri: https://graph.microsoft.com/v1.0/servicePrincipals?$filter=servicePrincipalNames%2Fany%28c%3Ac%20eq%20%27b864e281-c12e-45c6-a0c7-6046a7de5481%27%29 response: body: string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#servicePrincipals","value":[]}' @@ -3435,11 +7348,11 @@ interactions: content-type: - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 date: - - Mon, 05 Sep 2022 11:49:47 GMT + - Mon, 13 Feb 2023 07:39:40 GMT odata-version: - '4.0' request-id: - - 42c3282a-c59d-4151-a2fc-ca7dfb9688b4 + - 02b39dba-01dc-48c9-b4b5-05437efba539 strict-transport-security: - max-age=31536000 transfer-encoding: @@ -3447,14 +7360,14 @@ interactions: vary: - Accept-Encoding x-ms-ags-diagnostic: - - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"000","RoleInstance":"MA1PEPF00002027"}}' + - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"001","RoleInstance":"MA1PEPF00003104"}}' x-ms-resource-unit: - '1' status: code: 200 message: OK - request: - body: '{"ids": ["f41bd262-eb21-47f1-9706-f12132d865e3"], "types": ["user", "group", + body: '{"ids": ["b864e281-c12e-45c6-a0c7-6046a7de5481"], "types": ["user", "group", "servicePrincipal", "directoryObjectPartnerReference"]}' headers: Accept: @@ -3470,30 +7383,30 @@ interactions: Content-Type: - application/json ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes + - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance + --keyvault-id --yes User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) AZURECLI/2.39.0 + - python/3.10.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.45.0 (PIP) method: POST uri: https://graph.microsoft.com/v1.0/directoryObjects/getByIds response: body: - string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#directoryObjects","value":[{"@odata.type":"#microsoft.graph.servicePrincipal","id":"f41bd262-eb21-47f1-9706-f12132d865e3","deletedDateTime":null,"accountEnabled":true,"alternativeNames":["isExplicit=False","/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg/providers/Microsoft.DataProtection/BackupVaults/cli-test-new-vault"],"appDisplayName":null,"appDescription":null,"appId":"1666ae40-2096-498b-9acd-d5cc76560b85","applicationTemplateId":null,"appOwnerOrganizationId":null,"appRoleAssignmentRequired":false,"createdDateTime":"2022-09-05T11:45:43Z","description":null,"disabledByMicrosoftStatus":null,"displayName":"cli-test-new-vault","homepage":null,"loginUrl":null,"logoutUrl":null,"notes":null,"notificationEmailAddresses":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyThumbprint":null,"replyUrls":[],"servicePrincipalNames":["1666ae40-2096-498b-9acd-d5cc76560b85","https://identity.azure.net/yHvRErNNmOMZ4EezrAqFKc6Ca0cDdhCvjeK23cGv1hE="],"servicePrincipalType":"ManagedIdentity","signInAudience":null,"tags":[],"tokenEncryptionKeyId":null,"info":null,"samlSingleSignOnSettings":null,"addIns":[],"appRoles":[],"keyCredentials":[{"customKeyIdentifier":"2E54114573727C7AB82A79610024368806BB3E76","displayName":"CN=1666ae40-2096-498b-9acd-d5cc76560b85","endDateTime":"2022-12-04T11:40:00Z","key":null,"keyId":"091f0c89-7baf-4d09-9c75-83c18191f1f0","startDateTime":"2022-09-05T11:40:00Z","type":"AsymmetricX509Cert","usage":"Verify"}],"oauth2PermissionScopes":[],"passwordCredentials":[],"resourceSpecificApplicationPermissions":[],"verifiedPublisher":{"displayName":null,"verifiedPublisherId":null,"addedDateTime":null}}]}' + string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#directoryObjects","value":[{"@odata.type":"#microsoft.graph.servicePrincipal","id":"b864e281-c12e-45c6-a0c7-6046a7de5481","deletedDateTime":null,"accountEnabled":true,"alternativeNames":["isExplicit=False","/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault"],"appDisplayName":null,"appDescription":null,"appId":"49bc63b1-190a-4f4e-a962-58db2c2f7112","applicationTemplateId":null,"appOwnerOrganizationId":null,"appRoleAssignmentRequired":false,"createdDateTime":"2021-08-26T09:13:20Z","description":null,"disabledByMicrosoftStatus":null,"displayName":"oss-clitest-vault","homepage":null,"loginUrl":null,"logoutUrl":null,"notes":null,"notificationEmailAddresses":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyThumbprint":null,"replyUrls":[],"servicePrincipalNames":["49bc63b1-190a-4f4e-a962-58db2c2f7112","https://identity.azure.net/QVMExgU4rxwt5XEm5whEdHZLrmsaL9M/n/eZXzCcN54="],"servicePrincipalType":"ManagedIdentity","signInAudience":null,"tags":[],"tokenEncryptionKeyId":null,"info":null,"samlSingleSignOnSettings":null,"addIns":[],"appRoles":[],"keyCredentials":[{"customKeyIdentifier":"D81E29CF74F0D83AE8C4D6E335C80A846694493A","displayName":"CN=49bc63b1-190a-4f4e-a962-58db2c2f7112","endDateTime":"2023-05-07T10:47:00Z","key":null,"keyId":"ba62a45a-7c3e-48d9-8a26-4674ca0d2e6b","startDateTime":"2023-02-06T10:47:00Z","type":"AsymmetricX509Cert","usage":"Verify"},{"customKeyIdentifier":"50D92789D8B8CDCCD8F24C7C3E728CC31A604273","displayName":"CN=49bc63b1-190a-4f4e-a962-58db2c2f7112","endDateTime":"2023-03-20T10:44:00Z","key":null,"keyId":"889476c3-7ce1-4171-a0f1-8e5deff2b55c","startDateTime":"2022-12-20T10:44:00Z","type":"AsymmetricX509Cert","usage":"Verify"},{"customKeyIdentifier":"EA95E9828C3105C61A487EB9C460DD23219283B7","displayName":"CN=49bc63b1-190a-4f4e-a962-58db2c2f7112","endDateTime":"2023-01-31T10:42:00Z","key":null,"keyId":"a12bf698-5738-4bf0-9f17-e514f4365719","startDateTime":"2022-11-02T10:42:00Z","type":"AsymmetricX509Cert","usage":"Verify"}],"oauth2PermissionScopes":[],"passwordCredentials":[],"resourceSpecificApplicationPermissions":[],"verifiedPublisher":{"displayName":null,"verifiedPublisherId":null,"addedDateTime":null}}]}' headers: cache-control: - no-cache content-length: - - '1730' + - '2337' content-type: - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 date: - - Mon, 05 Sep 2022 11:49:47 GMT + - Mon, 13 Feb 2023 07:39:40 GMT location: - https://graph.microsoft.com odata-version: - '4.0' request-id: - - 7be90d7e-1ffa-4368-a38a-0e9b097488c7 + - 9a21cc90-27af-4927-8a67-df8634081696 strict-transport-security: - max-age=31536000 transfer-encoding: @@ -3501,7 +7414,7 @@ interactions: vary: - Accept-Encoding x-ms-ags-diagnostic: - - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"000","RoleInstance":"MA1PEPF000012F3"}}' + - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"001","RoleInstance":"MA1PEPF0000146D"}}' x-ms-resource-unit: - '3' status: @@ -3519,28 +7432,28 @@ interactions: Connection: - keep-alive ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes + - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance + --keyvault-id --yes User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 - Azure-SDK-For-Python AZURECLI/2.39.0 + - python/3.10.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 + azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.45.0 (PIP) accept-language: - en-US method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments?$filter=atScope%28%29&api-version=2020-04-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/providers/Microsoft.Authorization/roleAssignments?$filter=atScope%28%29&api-version=2020-04-01-preview response: body: - string: '{"value":[{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"5c617d2b-99f8-4c90-98fe-dfe040fa33c1","principalType":"ServicePrincipal","scope":"/","condition":null,"conditionVersion":null,"createdOn":"2018-02-27T19:19:50.2663941Z","updatedOn":"2018-02-27T19:19:50.2663941Z","createdBy":null,"updatedBy":null,"delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Authorization/roleAssignments/3e883d24-b106-42ff-ad13-d7bf271b964d","type":"Microsoft.Authorization/roleAssignments","name":"3e883d24-b106-42ff-ad13-d7bf271b964d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"1d8b8d73-0cc6-4db8-b112-724b4a932253","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-26T12:22:13.7498923Z","updatedOn":"2019-08-26T12:22:13.7498923Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8c3a4de9-1ebd-47ce-9dd9-bebf87a4e28f","type":"Microsoft.Authorization/roleAssignments","name":"8c3a4de9-1ebd-47ce-9dd9-bebf87a4e28f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"1e845bc3-37db-4639-be09-d0cf1e448221","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-05-24T11:02:27.8515917Z","updatedOn":"2019-05-24T11:02:27.8515917Z","createdBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","updatedBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b5eee4d7-5f9f-4f63-8040-8aec158c289b","type":"Microsoft.Authorization/roleAssignments","name":"b5eee4d7-5f9f-4f63-8040-8aec158c289b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"235b2664-75e2-4741-bb6f-37e49babf6cd","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-02-12T11:34:59.7104212Z","updatedOn":"2020-02-12T11:34:59.7104212Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/f0618702-8404-4858-9a26-e61f23e7d44f","type":"Microsoft.Authorization/roleAssignments","name":"f0618702-8404-4858-9a26-e61f23e7d44f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8bb5b214-1182-465c-892f-ca7235abe1e7","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-11-14T08:52:42.2795010Z","updatedOn":"2019-11-14T08:52:42.2795010Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/77daac38-9839-4b00-921b-e5d5a03e728c","type":"Microsoft.Authorization/roleAssignments","name":"77daac38-9839-4b00-921b-e5d5a03e728c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"9693df58-7f72-4974-9bd3-1c3ceb0382f1","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-11-29T09:40:04.3180033Z","updatedOn":"2018-11-29T09:40:04.3180033Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ed3bf874-9c97-43f9-a5e9-b4ee6f8982f7","type":"Microsoft.Authorization/roleAssignments","name":"ed3bf874-9c97-43f9-a5e9-b4ee6f8982f7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"d1f96755-9bcf-44b8-ab82-df67360496c4","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-05-08T10:28:08.2854940Z","updatedOn":"2020-05-08T10:28:08.2854940Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/dfb3ca56-a0d4-44ce-ba35-b716c3fdab86","type":"Microsoft.Authorization/roleAssignments","name":"dfb3ca56-a0d4-44ce-ba35-b716c3fdab86"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-12-31T09:26:43.6440415Z","updatedOn":"2018-12-31T09:26:43.6440415Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/45744ea8-780f-4f3e-88aa-b73d7f6997b2","type":"Microsoft.Authorization/roleAssignments","name":"45744ea8-780f-4f3e-88aa-b73d7f6997b2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e65078fb-6b02-434a-9f11-d06bf9bc0600","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-10-25T23:42:36.3444507Z","updatedOn":"2018-10-25T23:42:36.3444507Z","createdBy":"66cb55a5-e2a8-44ef-ae4b-5ab8fa2ec8d9","updatedBy":"66cb55a5-e2a8-44ef-ae4b-5ab8fa2ec8d9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e7ce51e8-4109-41d7-bc10-538b089599db","type":"Microsoft.Authorization/roleAssignments","name":"e7ce51e8-4109-41d7-bc10-538b089599db"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"a7782e0f-1f9a-4882-b2c9-11227aad244e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-06-16T04:32:50.9673703Z","updatedOn":"2020-06-16T04:32:50.9673703Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9fa21f2f-81c3-47b6-b706-650b359b96c3","type":"Microsoft.Authorization/roleAssignments","name":"9fa21f2f-81c3-47b6-b706-650b359b96c3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"00b14177-f4d2-4a4b-94f6-6e80f75745c9","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-03-12T09:49:11.3750683Z","updatedOn":"2020-03-12T09:49:11.3750683Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fff0abf3-3cf7-46be-8bc7-1d1619a160fb","type":"Microsoft.Authorization/roleAssignments","name":"fff0abf3-3cf7-46be-8bc7-1d1619a160fb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"1d8b8d73-0cc6-4db8-b112-724b4a932253","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-26T10:28:45.4880023Z","updatedOn":"2019-08-26T10:28:45.4880023Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/397a3c9c-c258-4d4e-834d-00cc08227796","type":"Microsoft.Authorization/roleAssignments","name":"397a3c9c-c258-4d4e-834d-00cc08227796"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"235b2664-75e2-4741-bb6f-37e49babf6cd","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-12-05T04:29:28.7359096Z","updatedOn":"2018-12-05T04:29:28.7359096Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3c830f42-5f89-4d8b-8f93-d3dc936f33bd","type":"Microsoft.Authorization/roleAssignments","name":"3c830f42-5f89-4d8b-8f93-d3dc936f33bd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-04-08T08:38:50.1742930Z","updatedOn":"2020-04-08T08:38:50.1742930Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/5293a96b-830e-45f4-9e9e-22d7d020f0d8","type":"Microsoft.Authorization/roleAssignments","name":"5293a96b-830e-45f4-9e9e-22d7d020f0d8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3421d717-ca60-44e7-a9a1-773acec4e503","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-10-23T09:40:14.7658272Z","updatedOn":"2019-10-23T09:40:14.7658272Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/34b29558-faf9-43f0-a194-35ca0aa99fc5","type":"Microsoft.Authorization/roleAssignments","name":"34b29558-faf9-43f0-a194-35ca0aa99fc5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3dc88d41-4d03-4105-970d-937e56de3839","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-06-27T12:59:44.6557891Z","updatedOn":"2019-06-27T12:59:44.6557891Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e57ab8d1-ce9a-4925-b09f-2567492d9b22","type":"Microsoft.Authorization/roleAssignments","name":"e57ab8d1-ce9a-4925-b09f-2567492d9b22"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"62c799b8-9b54-4c3d-97c9-9490d16a6a9a","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-08T13:01:20.9953919Z","updatedOn":"2019-08-08T13:01:20.9953919Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e1b91810-0781-462d-9517-764e4a033822","type":"Microsoft.Authorization/roleAssignments","name":"e1b91810-0781-462d-9517-764e4a033822"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8bb5b214-1182-465c-892f-ca7235abe1e7","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-10-23T08:03:15.6803676Z","updatedOn":"2019-10-23T08:03:15.6803676Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/facbac06-ddab-437d-949a-207593fddfff","type":"Microsoft.Authorization/roleAssignments","name":"facbac06-ddab-437d-949a-207593fddfff"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"978b254a-54be-42af-80f5-e2a37b2e40e5","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-07-08T06:57:57.0377373Z","updatedOn":"2019-07-08T06:57:57.0377373Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/89be5b0a-dfa8-4bdf-b667-c6f63f7f3f0e","type":"Microsoft.Authorization/roleAssignments","name":"89be5b0a-dfa8-4bdf-b667-c6f63f7f3f0e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"9c973a07-b207-473c-9687-bd693ba8e460","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-04-17T09:14:08.7913669Z","updatedOn":"2020-04-17T09:14:08.7913669Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/950c635a-23a5-4a0e-8eb6-c53e929c9699","type":"Microsoft.Authorization/roleAssignments","name":"950c635a-23a5-4a0e-8eb6-c53e929c9699"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a4eae46b-a9d0-4586-8ac9-ba91b29f1d57","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-02-01T10:05:44.6784242Z","updatedOn":"2022-02-01T10:05:44.6784242Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8af2fb3a-292c-42a8-a870-1751c4ec4870","type":"Microsoft.Authorization/roleAssignments","name":"8af2fb3a-292c-42a8-a870-1751c4ec4870"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"662a0ec2-cfbc-45f9-ae31-2cc53070e765","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T12:46:49.6216206Z","updatedOn":"2022-04-12T12:46:49.6216206Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/85cc2dff-c5d4-42a3-acb6-255cd4208ef4","type":"Microsoft.Authorization/roleAssignments","name":"85cc2dff-c5d4-42a3-acb6-255cd4208ef4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"662a0ec2-cfbc-45f9-ae31-2cc53070e765","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T12:46:57.1459341Z","updatedOn":"2022-04-12T12:46:57.1459341Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/aba8e90d-d951-4cb5-a346-b71e478f4d1b","type":"Microsoft.Authorization/roleAssignments","name":"aba8e90d-d951-4cb5-a346-b71e478f4d1b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"30bc1f3b-ca1a-4c55-96ff-4c026f12eaa1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T13:09:28.3678603Z","updatedOn":"2022-04-12T13:09:28.3678603Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/79d87d90-f984-4f53-a169-2eca51c00104","type":"Microsoft.Authorization/roleAssignments","name":"79d87d90-f984-4f53-a169-2eca51c00104"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"30bc1f3b-ca1a-4c55-96ff-4c026f12eaa1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T13:09:33.3916295Z","updatedOn":"2022-04-12T13:09:33.3916295Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/5e185742-c91a-4efe-b0d8-db9524685ec5","type":"Microsoft.Authorization/roleAssignments","name":"5e185742-c91a-4efe-b0d8-db9524685ec5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3c582fc7-e68a-4991-a2f6-3d8a7a1f23c1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:01:02.2689248Z","updatedOn":"2022-04-13T07:01:02.2689248Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/c9b4f9ab-d687-4a65-910a-5bcb2f974bfe","type":"Microsoft.Authorization/roleAssignments","name":"c9b4f9ab-d687-4a65-910a-5bcb2f974bfe"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"3c582fc7-e68a-4991-a2f6-3d8a7a1f23c1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:01:09.3571703Z","updatedOn":"2022-04-13T07:01:09.3571703Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/8bedf13c-aa1a-4191-aa97-573f14fd97ee","type":"Microsoft.Authorization/roleAssignments","name":"8bedf13c-aa1a-4191-aa97-573f14fd97ee"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"a31004b5-ce06-49e1-8706-e8c7afe68695","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:43:04.6456354Z","updatedOn":"2022-04-13T07:43:04.6456354Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/bd0fc30a-6ccf-4c22-a26b-0e31aba16035","type":"Microsoft.Authorization/roleAssignments","name":"bd0fc30a-6ccf-4c22-a26b-0e31aba16035"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"a31004b5-ce06-49e1-8706-e8c7afe68695","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:43:10.1186881Z","updatedOn":"2022-04-13T07:43:10.1186881Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/dadaa3cd-f442-4d5c-aed3-7cbab2fba3e0","type":"Microsoft.Authorization/roleAssignments","name":"dadaa3cd-f442-4d5c-aed3-7cbab2fba3e0"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"6f6a803e-4dc5-488a-8566-a4f0a984975e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T08:58:57.7706882Z","updatedOn":"2022-04-13T08:58:57.7706882Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9e3d10bf-9bfa-4a97-9ab1-b972a348abd0","type":"Microsoft.Authorization/roleAssignments","name":"9e3d10bf-9bfa-4a97-9ab1-b972a348abd0"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"6f6a803e-4dc5-488a-8566-a4f0a984975e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T08:59:03.2414961Z","updatedOn":"2022-04-13T08:59:03.2414961Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/66eefd94-4bda-46df-9c61-7e92f83d91e7","type":"Microsoft.Authorization/roleAssignments","name":"66eefd94-4bda-46df-9c61-7e92f83d91e7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"829da4fd-a5f4-4ca7-bc3d-0679d104c5f0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T10:17:35.8887781Z","updatedOn":"2022-04-13T10:17:35.8887781Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/77f4f7a3-a377-49f7-a094-945b82b2bfff","type":"Microsoft.Authorization/roleAssignments","name":"77f4f7a3-a377-49f7-a094-945b82b2bfff"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"829da4fd-a5f4-4ca7-bc3d-0679d104c5f0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T10:17:41.2233089Z","updatedOn":"2022-04-13T10:17:41.2233089Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/1a71aac6-e9ce-40ff-a39f-7594df2ea6e9","type":"Microsoft.Authorization/roleAssignments","name":"1a71aac6-e9ce-40ff-a39f-7594df2ea6e9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3f74f5b7-f4f6-4b65-a45d-f1c60467e115","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-21T06:57:19.4532093Z","updatedOn":"2022-04-21T06:57:19.4532093Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/eede4548-9f71-44b7-8077-c49aa44894b4","type":"Microsoft.Authorization/roleAssignments","name":"eede4548-9f71-44b7-8077-c49aa44894b4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"3f74f5b7-f4f6-4b65-a45d-f1c60467e115","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-21T06:57:24.3439247Z","updatedOn":"2022-04-21T06:57:24.3439247Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/c011acd2-8b5d-45d6-b6c1-4ffe1867ce31","type":"Microsoft.Authorization/roleAssignments","name":"c011acd2-8b5d-45d6-b6c1-4ffe1867ce31"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"85c33f6f-5d69-4b0e-bc06-95a7d3193519","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-05-04T09:52:52.7340040Z","updatedOn":"2022-05-04T09:52:52.7340040Z","createdBy":"447bbed8-9839-4d6e-9e39-fb9aeee1ec1d","updatedBy":"447bbed8-9839-4d6e-9e39-fb9aeee1ec1d","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/6a4f635c-309c-4a1d-8eea-86fb5aa91d80","type":"Microsoft.Authorization/roleAssignments","name":"6a4f635c-309c-4a1d-8eea-86fb5aa91d80"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"e6234342-a3d7-4b04-9041-3e8526f5861a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-05-12T06:55:02.9137483Z","updatedOn":"2022-05-12T06:55:02.9137483Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a5bd1b6d-0084-40ec-9126-2250536b4778","type":"Microsoft.Authorization/roleAssignments","name":"a5bd1b6d-0084-40ec-9126-2250536b4778"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"0b2dcd24-9585-4bb4-a7c3-83e0e3bd0dc7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-05-24T11:54:25.7258076Z","updatedOn":"2022-05-24T11:54:25.7258076Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9a7dc348-d24e-438b-84b0-c7cda5bf92c4","type":"Microsoft.Authorization/roleAssignments","name":"9a7dc348-d24e-438b-84b0-c7cda5bf92c4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"0b2dcd24-9585-4bb4-a7c3-83e0e3bd0dc7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-05-24T11:54:29.8931759Z","updatedOn":"2022-05-24T11:54:29.8931759Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/aeb54d04-84b8-4530-bd7e-fe01dafd82ab","type":"Microsoft.Authorization/roleAssignments","name":"aeb54d04-84b8-4530-bd7e-fe01dafd82ab"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"f2cee52e-3d75-4f49-acc4-b5aaf72232ee","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T11:01:05.6238088Z","updatedOn":"2022-06-03T11:01:05.6238088Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2bd63fbe-e197-434f-ba1e-016bad298ff7","type":"Microsoft.Authorization/roleAssignments","name":"2bd63fbe-e197-434f-ba1e-016bad298ff7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"8be185b2-5cbf-45c1-b9af-cbbd9b59144d","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T13:20:41.1511200Z","updatedOn":"2022-06-03T13:22:39.1076287Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/f12c7867-43e5-5530-98e9-9d8a2f39fb92","type":"Microsoft.Authorization/roleAssignments","name":"f12c7867-43e5-5530-98e9-9d8a2f39fb92"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"8be185b2-5cbf-45c1-b9af-cbbd9b59144d","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T13:37:09.9515887Z","updatedOn":"2022-06-03T14:40:22.4040874Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/bace23ac-6978-5318-a146-d49599599b02","type":"Microsoft.Authorization/roleAssignments","name":"bace23ac-6978-5318-a146-d49599599b02"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"e6234342-a3d7-4b04-9041-3e8526f5861a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-06T11:22:08.5127363Z","updatedOn":"2022-06-06T11:22:08.5127363Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/df253c65-35fc-4ff6-9a32-39b3fe20a6e3","type":"Microsoft.Authorization/roleAssignments","name":"df253c65-35fc-4ff6-9a32-39b3fe20a6e3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"5f137a67-1b88-4f98-aa20-b71a7082dc56","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-10T14:11:57.5623976Z","updatedOn":"2022-06-10T14:11:57.5623976Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e409f573-8bda-4b7e-854a-61c445d36c6f","type":"Microsoft.Authorization/roleAssignments","name":"e409f573-8bda-4b7e-854a-61c445d36c6f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"961a41dc-cbb6-4777-9b6c-a6d4d1ea4faa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:02:09.6478601Z","updatedOn":"2022-06-21T12:02:09.6478601Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/efc8d400-cd5e-41d3-99e6-65878c1f888c","type":"Microsoft.Authorization/roleAssignments","name":"efc8d400-cd5e-41d3-99e6-65878c1f888c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"961a41dc-cbb6-4777-9b6c-a6d4d1ea4faa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:02:31.1213523Z","updatedOn":"2022-06-21T12:02:31.1213523Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/1ad6de95-d660-4f0a-84cf-1b297eafe5f6","type":"Microsoft.Authorization/roleAssignments","name":"1ad6de95-d660-4f0a-84cf-1b297eafe5f6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"1831aada-7907-4673-a5e2-b11217764c9e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:22:14.2181104Z","updatedOn":"2022-06-21T12:22:14.2181104Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/c5856647-b5ff-4264-a966-049b6a58a42f","type":"Microsoft.Authorization/roleAssignments","name":"c5856647-b5ff-4264-a966-049b6a58a42f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"1831aada-7907-4673-a5e2-b11217764c9e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:22:40.2874069Z","updatedOn":"2022-06-21T12:22:40.2874069Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/a3560e50-7085-48f4-85a1-97487179cc5d","type":"Microsoft.Authorization/roleAssignments","name":"a3560e50-7085-48f4-85a1-97487179cc5d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-22T11:28:57.2073063Z","updatedOn":"2022-06-22T11:28:57.2073063Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c5b3bcf3-fd4c-4b57-9f73-f075ce7afccb","type":"Microsoft.Authorization/roleAssignments","name":"c5b3bcf3-fd4c-4b57-9f73-f075ce7afccb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-23T09:19:22.2256200Z","updatedOn":"2022-06-23T09:19:22.2256200Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/344b17ae-cabf-4a33-9a9d-ba30fefcbadc","type":"Microsoft.Authorization/roleAssignments","name":"344b17ae-cabf-4a33-9a9d-ba30fefcbadc"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"2b81557b-8e7a-4df8-9a41-e59844f627c2","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-23T09:25:03.9969293Z","updatedOn":"2022-06-23T09:25:03.9969293Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/13a7f7c7-7364-4f9b-ba92-5430f17b29b5","type":"Microsoft.Authorization/roleAssignments","name":"13a7f7c7-7364-4f9b-ba92-5430f17b29b5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-24T07:04:04.5965087Z","updatedOn":"2022-06-24T07:04:04.5965087Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ba604c54-80e1-490e-a123-9ef9d477536b","type":"Microsoft.Authorization/roleAssignments","name":"ba604c54-80e1-490e-a123-9ef9d477536b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-25T04:10:10.7065168Z","updatedOn":"2022-06-25T04:10:10.7065168Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/916a749f-b61f-4ba4-8c28-46217c3a7b4e","type":"Microsoft.Authorization/roleAssignments","name":"916a749f-b61f-4ba4-8c28-46217c3a7b4e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T07:37:58.3152810Z","updatedOn":"2022-06-27T07:37:58.3152810Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/0a1046d6-ba58-491f-b473-403ec29cd2be","type":"Microsoft.Authorization/roleAssignments","name":"0a1046d6-ba58-491f-b473-403ec29cd2be"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:21:12.2347431Z","updatedOn":"2022-06-27T08:21:12.2347431Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/abc6fbbe-d4a8-4315-9532-82e90334dcc9","type":"Microsoft.Authorization/roleAssignments","name":"abc6fbbe-d4a8-4315-9532-82e90334dcc9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"381295fa-e67d-4943-a2eb-90ffcf09577b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:43:17.8582970Z","updatedOn":"2022-06-27T08:43:17.8582970Z","createdBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","updatedBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b8f0bb0e-1495-48f0-aa68-33c364310cfb","type":"Microsoft.Authorization/roleAssignments","name":"b8f0bb0e-1495-48f0-aa68-33c364310cfb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"381295fa-e67d-4943-a2eb-90ffcf09577b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:43:18.7801612Z","updatedOn":"2022-06-27T08:43:18.7801612Z","createdBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","updatedBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b8eb5d9d-85e3-4ba8-9458-fdd2c48ba8e1","type":"Microsoft.Authorization/roleAssignments","name":"b8eb5d9d-85e3-4ba8-9458-fdd2c48ba8e1"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"3de34697-a180-45dc-aff8-c16061f1143b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-01T08:15:11.7388086Z","updatedOn":"2022-07-01T08:15:11.7388086Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/86db086e-0442-5eef-8ebc-1d8d28a4d03a","type":"Microsoft.Authorization/roleAssignments","name":"86db086e-0442-5eef-8ebc-1d8d28a4d03a"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3de34697-a180-45dc-aff8-c16061f1143b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-01T08:15:12.7940996Z","updatedOn":"2022-07-01T08:15:12.7940996Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/cbcefba6-df6c-5670-9e02-9e09f7964d9c","type":"Microsoft.Authorization/roleAssignments","name":"cbcefba6-df6c-5670-9e02-9e09f7964d9c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"fe7b070d-f778-4cfd-8acf-eda94f397a89","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-29T07:15:07.9544255Z","updatedOn":"2022-07-29T07:15:07.9544255Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/efb13d06-875d-40e3-81d5-195824e19188","type":"Microsoft.Authorization/roleAssignments","name":"efb13d06-875d-40e3-81d5-195824e19188"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"aa7a0e3a-c2c6-41e2-9838-2ae541c08a88","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-01T10:57:25.8183048Z","updatedOn":"2022-08-01T10:57:25.8183048Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/e179ab30-f6f9-44c6-9806-801d4240a604","type":"Microsoft.Authorization/roleAssignments","name":"e179ab30-f6f9-44c6-9806-801d4240a604"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"da112a02-e7cf-4b53-93a0-96958f47f77f","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-01T12:19:56.7716607Z","updatedOn":"2022-08-01T12:19:56.7716607Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/859af8cf-cf8d-4a41-b5cb-b492bbebfa96","type":"Microsoft.Authorization/roleAssignments","name":"859af8cf-cf8d-4a41-b5cb-b492bbebfa96"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"d9334401-f342-4fc7-88c4-6fb936fb3a6f","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-02T06:53:24.5190593Z","updatedOn":"2022-08-02T06:53:24.5190593Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/babd18e7-662a-4f61-b03b-d2790ad8ad2b","type":"Microsoft.Authorization/roleAssignments","name":"babd18e7-662a-4f61-b03b-d2790ad8ad2b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"d9334401-f342-4fc7-88c4-6fb936fb3a6f","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-02T06:56:06.5673047Z","updatedOn":"2022-08-02T06:56:06.5673047Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9b61e48d-b011-4da0-8daa-a65f34af5a33","type":"Microsoft.Authorization/roleAssignments","name":"9b61e48d-b011-4da0-8daa-a65f34af5a33"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f8520195-1c62-47ff-8c01-e394155b52f1","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-10T11:13:36.6792855Z","updatedOn":"2022-08-10T11:13:36.6792855Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3c9150af-abd1-4d00-9c16-acb375857df6","type":"Microsoft.Authorization/roleAssignments","name":"3c9150af-abd1-4d00-9c16-acb375857df6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f4bfeb83-a4cc-43e8-bee0-9808b5d0918d","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-24T05:51:56.3337713Z","updatedOn":"2022-08-24T05:51:56.3337713Z","createdBy":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","updatedBy":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3caa2a04-62bf-4a33-80f5-056840e59fb4","type":"Microsoft.Authorization/roleAssignments","name":"3caa2a04-62bf-4a33-80f5-056840e59fb4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"608ca1e9-e854-46c6-984f-d812d0e657e6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-30T13:32:28.1332524Z","updatedOn":"2022-08-30T13:32:28.1332524Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2719b245-3aeb-4cc0-92bc-6f63eea0dcbf","type":"Microsoft.Authorization/roleAssignments","name":"2719b245-3aeb-4cc0-92bc-6f63eea0dcbf"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"76710889-6dec-4b99-a529-cfd36fcb16ec","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:30:49.7733486Z","updatedOn":"2022-09-05T11:30:49.7733486Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/bbc4ec43-5e44-4b5d-8de0-cdf89486bb41","type":"Microsoft.Authorization/roleAssignments","name":"bbc4ec43-5e44-4b5d-8de0-cdf89486bb41"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"76710889-6dec-4b99-a529-cfd36fcb16ec","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:33:36.9049436Z","updatedOn":"2022-09-05T11:33:36.9049436Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/3f21962f-d606-4223-b80f-43344d5dc933","type":"Microsoft.Authorization/roleAssignments","name":"3f21962f-d606-4223-b80f-43344d5dc933"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a51d0ef9-9895-4b63-b3f8-354bb7d1a6bb","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-05-21T08:47:39.8177538Z","updatedOn":"2021-05-21T08:47:39.8177538Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/17db6abb-bc45-4967-b313-e470ec9cbbd7","type":"Microsoft.Authorization/roleAssignments","name":"17db6abb-bc45-4967-b313-e470ec9cbbd7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"7c567124-5292-4819-aa73-0224bf1c42e1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-05-23T13:38:54.7542852Z","updatedOn":"2021-05-23T13:38:54.7542852Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/0809d692-f58f-43f2-b597-7f115957407e","type":"Microsoft.Authorization/roleAssignments","name":"0809d692-f58f-43f2-b597-7f115957407e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"955c9d1b-0cb6-4ff6-91c9-f4aadf67ffe8","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-05-24T16:45:08.3835615Z","updatedOn":"2021-05-24T16:45:08.3835615Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/1b1ac6ab-19e7-4c4f-91d2-5be73096da2c","type":"Microsoft.Authorization/roleAssignments","name":"1b1ac6ab-19e7-4c4f-91d2-5be73096da2c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"7221c906-782c-44a0-ab2f-f23d8a95ce25","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-05-24T16:56:16.2751421Z","updatedOn":"2021-05-24T16:56:16.2751421Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/ca8f2433-76dc-49fa-828d-9cd2861ec25c","type":"Microsoft.Authorization/roleAssignments","name":"ca8f2433-76dc-49fa-828d-9cd2861ec25c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"e1a3bbaa-4ffb-41a6-a154-b4870d9e86b4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T06:40:53.5542743Z","updatedOn":"2021-06-04T06:40:53.5542743Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9d9ac2a8-dbac-41bb-9f17-c473f02c6370","type":"Microsoft.Authorization/roleAssignments","name":"9d9ac2a8-dbac-41bb-9f17-c473f02c6370"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"e1a3bbaa-4ffb-41a6-a154-b4870d9e86b4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T06:40:57.1326805Z","updatedOn":"2021-06-04T06:40:57.1326805Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/14b1338c-95f6-44f9-ad22-395f8ebbb1fe","type":"Microsoft.Authorization/roleAssignments","name":"14b1338c-95f6-44f9-ad22-395f8ebbb1fe"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"1da90707-df56-4d40-a805-2e646c9d95ab","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:02:18.2829699Z","updatedOn":"2021-06-04T07:02:18.2829699Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/bf5f4821-9baa-4dc6-9bd5-8c62f31c1a93","type":"Microsoft.Authorization/roleAssignments","name":"bf5f4821-9baa-4dc6-9bd5-8c62f31c1a93"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"1da90707-df56-4d40-a805-2e646c9d95ab","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:02:22.4343547Z","updatedOn":"2021-06-04T07:02:22.4343547Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/26bab283-0772-4c03-8dc1-a50c8ffa597d","type":"Microsoft.Authorization/roleAssignments","name":"26bab283-0772-4c03-8dc1-a50c8ffa597d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"ab6b1184-ff37-4d3e-b460-fbe654f7ad5c","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:19:08.8293677Z","updatedOn":"2021-06-04T07:19:08.8293677Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/d972f611-a4bd-4b80-9e78-980984602450","type":"Microsoft.Authorization/roleAssignments","name":"d972f611-a4bd-4b80-9e78-980984602450"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"ab6b1184-ff37-4d3e-b460-fbe654f7ad5c","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:19:12.8400651Z","updatedOn":"2021-06-04T07:19:12.8400651Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/b9393755-f5ca-41ef-a631-fb62184c57a8","type":"Microsoft.Authorization/roleAssignments","name":"b9393755-f5ca-41ef-a631-fb62184c57a8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3ffa4e46-39a3-4002-9292-e2adf0d1a8c6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T09:14:15.2633798Z","updatedOn":"2021-06-04T09:14:15.2633798Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/094981c0-d59c-4f5b-9581-72c08da65454","type":"Microsoft.Authorization/roleAssignments","name":"094981c0-d59c-4f5b-9581-72c08da65454"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"3ffa4e46-39a3-4002-9292-e2adf0d1a8c6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T09:14:19.9554484Z","updatedOn":"2021-06-04T09:14:19.9554484Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/0cac59e0-0464-4bf6-9bef-f1fadc2b08f4","type":"Microsoft.Authorization/roleAssignments","name":"0cac59e0-0464-4bf6-9bef-f1fadc2b08f4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"93e2b483-3ffa-44f8-9965-fdb104b541a2","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-06-29T05:43:19.7216795Z","updatedOn":"2021-06-29T05:43:19.7216795Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c6aff8c2-08b1-5b1a-9c80-d91164226985","type":"Microsoft.Authorization/roleAssignments","name":"c6aff8c2-08b1-5b1a-9c80-d91164226985"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"4f285ac8-5610-4d2f-854c-bfa3d16a2679","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-11T06:55:02.4909144Z","updatedOn":"2021-07-11T06:55:02.4909144Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/0cec2ad2-d080-4126-a99f-f61c559b799c","type":"Microsoft.Authorization/roleAssignments","name":"0cec2ad2-d080-4126-a99f-f61c559b799c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"630db480-3ee6-47ec-ae72-5f917d466bad","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:16:28.8833400Z","updatedOn":"2021-07-13T10:16:28.8833400Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/37fe4b2d-0aca-4c27-8511-1e0d18063ec8","type":"Microsoft.Authorization/roleAssignments","name":"37fe4b2d-0aca-4c27-8511-1e0d18063ec8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"279982e7-46cf-4e40-9a3b-156c98285cb7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:18:48.5647062Z","updatedOn":"2021-07-13T10:18:48.5647062Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/7907f38d-57a7-431d-82d7-5dfa2ef0a628","type":"Microsoft.Authorization/roleAssignments","name":"7907f38d-57a7-431d-82d7-5dfa2ef0a628"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"790004d0-0112-41ad-92e8-95c464c34476","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:18:48.6068337Z","updatedOn":"2021-07-13T10:18:48.6068337Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8c9bda26-83c4-4d4c-b00b-c4b58301e539","type":"Microsoft.Authorization/roleAssignments","name":"8c9bda26-83c4-4d4c-b00b-c4b58301e539"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-21T06:38:43.9281998Z","updatedOn":"2021-07-21T06:38:43.9281998Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b553fa81-60dd-45d6-9781-8c2313d68b03","type":"Microsoft.Authorization/roleAssignments","name":"b553fa81-60dd-45d6-9781-8c2313d68b03"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:20.4258578Z","updatedOn":"2021-07-27T04:31:20.4258578Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/4b2f7b08-f9ef-4fc1-b9c4-2bb34fdef258","type":"Microsoft.Authorization/roleAssignments","name":"4b2f7b08-f9ef-4fc1-b9c4-2bb34fdef258"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:32.4566300Z","updatedOn":"2021-07-27T04:31:32.4566300Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8176bf09-8e96-448a-ab12-eeed360ecce2","type":"Microsoft.Authorization/roleAssignments","name":"8176bf09-8e96-448a-ab12-eeed360ecce2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:48.4577322Z","updatedOn":"2021-07-27T04:31:48.4577322Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/45949217-58cc-4c18-93f3-f4c90710ae2d","type":"Microsoft.Authorization/roleAssignments","name":"45949217-58cc-4c18-93f3-f4c90710ae2d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:20.8138038Z","updatedOn":"2021-07-27T10:13:20.8138038Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2382b52f-1ec5-430e-ae2a-74f9ed331ced","type":"Microsoft.Authorization/roleAssignments","name":"2382b52f-1ec5-430e-ae2a-74f9ed331ced"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:23.6551958Z","updatedOn":"2021-07-27T10:13:23.6551958Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e5863947-0b21-41b7-9997-c0dfc73eec29","type":"Microsoft.Authorization/roleAssignments","name":"e5863947-0b21-41b7-9997-c0dfc73eec29"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:29.6985440Z","updatedOn":"2021-07-27T10:13:29.6985440Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/28c1cefa-942f-44c5-a4d4-c33bb92abd45","type":"Microsoft.Authorization/roleAssignments","name":"28c1cefa-942f-44c5-a4d4-c33bb92abd45"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8039a424-299a-4014-8b22-4f6d6cc60065","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-11T07:08:31.9935560Z","updatedOn":"2021-08-11T07:08:31.9935560Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/69e0bcfc-b024-4d8b-a3d5-dac447f8986c","type":"Microsoft.Authorization/roleAssignments","name":"69e0bcfc-b024-4d8b-a3d5-dac447f8986c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"8f0340b8-4b70-412b-be19-c4612d49e353","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-20T11:58:29.6857641Z","updatedOn":"2021-08-20T11:58:29.6857641Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fd88236f-eacb-5303-912f-ba1741cf02bd","type":"Microsoft.Authorization/roleAssignments","name":"fd88236f-eacb-5303-912f-ba1741cf02bd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"0d8f6e68-d6c5-4a67-b6c4-3107609bbdbc","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-20T12:31:58.7980661Z","updatedOn":"2021-08-20T12:31:58.7980661Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/146f4a11-8712-583d-89eb-a7b8b82dbaa9","type":"Microsoft.Authorization/roleAssignments","name":"146f4a11-8712-583d-89eb-a7b8b82dbaa9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"e2072d83-2379-4f36-ab51-b5df7460c61e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-21T14:40:08.5987892Z","updatedOn":"2021-08-21T14:40:10.5055205Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/842af679-0b58-5eb5-b94c-ff59e4105d7e","type":"Microsoft.Authorization/roleAssignments","name":"842af679-0b58-5eb5-b94c-ff59e4105d7e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"0242778c-29df-4863-ac18-2fb8fd004135","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-08-30T06:31:52.6766200Z","updatedOn":"2021-08-30T06:31:52.6766200Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/f67c65e2-e609-4ffe-b504-294b00cbd2fd","type":"Microsoft.Authorization/roleAssignments","name":"f67c65e2-e609-4ffe-b504-294b00cbd2fd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"0242778c-29df-4863-ac18-2fb8fd004135","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-08-30T06:31:57.1552781Z","updatedOn":"2021-08-30T06:31:57.1552781Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/aaeab926-d6e2-4bb6-9e9e-0607e75cc75f","type":"Microsoft.Authorization/roleAssignments","name":"aaeab926-d6e2-4bb6-9e9e-0607e75cc75f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"2ab5fb95-b72e-4d12-948b-4223754d8ffa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-09-08T08:24:19.3547440Z","updatedOn":"2021-09-08T08:24:19.3547440Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/43ee13b8-5abd-51e0-88e3-ae84049da70e","type":"Microsoft.Authorization/roleAssignments","name":"43ee13b8-5abd-51e0-88e3-ae84049da70e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-17T09:41:38.5634940Z","updatedOn":"2021-09-17T09:41:38.5634940Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":"for - temp testing purpose"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/98fe0117-1e9c-4e37-b8a7-c4a1031d6916","type":"Microsoft.Authorization/roleAssignments","name":"98fe0117-1e9c-4e37-b8a7-c4a1031d6916"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"9c973a07-b207-473c-9687-bd693ba8e460","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-25T15:23:32.6168771Z","updatedOn":"2021-09-25T15:23:32.6168771Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/d852f084-bc9f-4258-9e2c-fcf48b9eaf85","type":"Microsoft.Authorization/roleAssignments","name":"d852f084-bc9f-4258-9e2c-fcf48b9eaf85"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"2778738c-452b-45ca-b8d6-f085836a1458","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-30T07:51:25.2399474Z","updatedOn":"2021-09-30T07:51:25.2399474Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b04a3bdf-b6a6-5ffb-9394-ee5743741597","type":"Microsoft.Authorization/roleAssignments","name":"b04a3bdf-b6a6-5ffb-9394-ee5743741597"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"0ac1f52a-325b-486a-a095-f46ffdd6a9e4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-10-26T01:59:18.6998395Z","updatedOn":"2021-10-26T01:59:18.6998395Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/53a3b238-b4b0-4d3f-b416-8d6dc8d755f6","type":"Microsoft.Authorization/roleAssignments","name":"53a3b238-b4b0-4d3f-b416-8d6dc8d755f6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"c3c0d020-16f0-44d8-9950-0250120a33ff","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-02T06:11:03.5575284Z","updatedOn":"2021-11-02T06:11:03.5575284Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/1d017732-f67e-5aa1-a4a6-47570078d9f3","type":"Microsoft.Authorization/roleAssignments","name":"1d017732-f67e-5aa1-a4a6-47570078d9f3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-10T08:59:19.7285159Z","updatedOn":"2021-11-10T08:59:19.7285159Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a60357fa-dc0a-4479-a2a9-4329c2d0ae89","type":"Microsoft.Authorization/roleAssignments","name":"a60357fa-dc0a-4479-a2a9-4329c2d0ae89"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8dd77695-d6a5-450d-a43c-67ca01be9fbc","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-12T10:55:38.3698246Z","updatedOn":"2021-11-12T10:55:38.3698246Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/dda5bb75-b74a-4430-975f-5bc9611c4b2d","type":"Microsoft.Authorization/roleAssignments","name":"dda5bb75-b74a-4430-975f-5bc9611c4b2d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/36243c78-bf99-498c-9df9-86d9f8d28608","principalId":"2152c794-9ca2-41fe-a313-2d0e1ee3eb80","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-18T06:28:12.0181010Z","updatedOn":"2021-02-18T06:28:12.0181010Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/804f6223-03eb-4091-b460-82160fc5f818","type":"Microsoft.Authorization/roleAssignments","name":"804f6223-03eb-4091-b460-82160fc5f818"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"2152c794-9ca2-41fe-a313-2d0e1ee3eb80","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-18T06:28:12.0168587Z","updatedOn":"2021-02-18T06:28:12.0168587Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8d80e2d6-315c-495c-ab2c-91ddf75edf41","type":"Microsoft.Authorization/roleAssignments","name":"8d80e2d6-315c-495c-ab2c-91ddf75edf41"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"cf46d636-b6c1-406c-aba7-b2c3d9ed07da","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-26T13:53:53.1151640Z","updatedOn":"2021-02-26T13:53:53.1151640Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/735e98ed-f4b8-4b7d-9cc9-af4f8ae77252","type":"Microsoft.Authorization/roleAssignments","name":"735e98ed-f4b8-4b7d-9cc9-af4f8ae77252"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8505e3f4-1ee7-427c-a175-a06595231d46","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-26T13:54:27.5624477Z","updatedOn":"2021-02-26T13:54:27.5624477Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/98c87a9f-b9e7-414b-8b59-bf3ec62dbc74","type":"Microsoft.Authorization/roleAssignments","name":"98c87a9f-b9e7-414b-8b59-bf3ec62dbc74"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-25T12:25:27.2277610Z","updatedOn":"2020-07-25T12:25:27.2277610Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fd6b8ff4-9edb-43f5-aa2a-32133fa09b1d","type":"Microsoft.Authorization/roleAssignments","name":"fd6b8ff4-9edb-43f5-aa2a-32133fa09b1d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"21ae6127-c385-4ae0-b895-a8559e9aa574","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-31T08:35:35.2993523Z","updatedOn":"2020-07-31T08:35:35.2993523Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/6af9fbf3-7085-4bcb-b399-88b89fac16d3","type":"Microsoft.Authorization/roleAssignments","name":"6af9fbf3-7085-4bcb-b399-88b89fac16d3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"1e845bc3-37db-4639-be09-d0cf1e448221","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-31T08:44:16.2909420Z","updatedOn":"2020-07-31T08:44:16.2909420Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/65080390-e9b5-4566-b362-d1e96c23dae2","type":"Microsoft.Authorization/roleAssignments","name":"65080390-e9b5-4566-b362-d1e96c23dae2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-11-03T06:12:01.6760584Z","updatedOn":"2020-11-03T06:12:01.6760584Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a7a12420-2dce-4a47-822e-68cadf239da3","type":"Microsoft.Authorization/roleAssignments","name":"a7a12420-2dce-4a47-822e-68cadf239da3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3282af51-433d-47e8-b2b5-633fbe0fecc0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-11-03T06:25:32.6790913Z","updatedOn":"2020-11-03T06:25:32.6790913Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/36da831d-10ce-4f42-ba28-362960f6ea36","type":"Microsoft.Authorization/roleAssignments","name":"36da831d-10ce-4f42-ba28-362960f6ea36"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-10-04T07:35:39.6626948Z","updatedOn":"2019-10-04T07:35:39.6626948Z","createdBy":"8031e009-cc05-4950-8a8d-78942c4492ac","updatedBy":"8031e009-cc05-4950-8a8d-78942c4492ac","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/730fa65e-c74c-4c3d-9cc3-9457f9b97274","type":"Microsoft.Authorization/roleAssignments","name":"730fa65e-c74c-4c3d-9cc3-9457f9b97274"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-04-08T01:03:29.8241478Z","updatedOn":"2021-04-08T01:03:29.8241478Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/63818ccb-a05c-4083-9e1d-64b4c7c0e1cd","type":"Microsoft.Authorization/roleAssignments","name":"63818ccb-a05c-4083-9e1d-64b4c7c0e1cd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"c87d9afe-4463-41d5-81e3-3bd162af9183","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-07-10T09:38:17.4348497Z","updatedOn":"2019-07-10T09:38:17.4348497Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/ebc56c6d-c5de-4d99-b166-89d4ac815acd","type":"Microsoft.Authorization/roleAssignments","name":"ebc56c6d-c5de-4d99-b166-89d4ac815acd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-03-15T11:01:18.6794974Z","updatedOn":"2019-03-15T11:01:18.6794974Z","createdBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","updatedBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/9fb9b151-1d53-4eff-9336-75cf634e1e3d","type":"Microsoft.Authorization/roleAssignments","name":"9fb9b151-1d53-4eff-9336-75cf634e1e3d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f87f6638-3a1b-4562-8603-aacd59537149","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-05-03T06:47:05.1411825Z","updatedOn":"2019-05-03T06:47:05.1411825Z","createdBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","updatedBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/24ffbb29-061f-4b1d-8c26-c6e90ef53303","type":"Microsoft.Authorization/roleAssignments","name":"24ffbb29-061f-4b1d-8c26-c6e90ef53303"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"becb4b6b-fe16-413b-a5c3-90355e0b2982","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-06-26T06:33:50.1123976Z","updatedOn":"2019-06-26T06:33:50.1123976Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/4c3721e8-06f4-4115-a2d8-90c4a9a57d56","type":"Microsoft.Authorization/roleAssignments","name":"4c3721e8-06f4-4115-a2d8-90c4a9a57d56"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-04-07T16:59:19.6098216Z","updatedOn":"2021-04-07T16:59:19.6098216Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/9d2de631-e451-450b-8237-e5bc19624eee","type":"Microsoft.Authorization/roleAssignments","name":"9d2de631-e451-450b-8237-e5bc19624eee"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"b1b96a90-235c-4668-a931-ee1c08db7681","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-02-01T04:47:38.5676012Z","updatedOn":"2021-02-01T04:47:38.5676012Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/a9e38032-c21b-4c41-8960-1c9c982d98e2","type":"Microsoft.Authorization/roleAssignments","name":"a9e38032-c21b-4c41-8960-1c9c982d98e2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a51d0ef9-9895-4b63-b3f8-354bb7d1a6bb","principalType":"Group","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-03-03T05:31:57.4716459Z","updatedOn":"2021-03-03T05:31:57.4716459Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/77aa0ff2-42c2-4e01-a51d-01cf2dd7ce04","type":"Microsoft.Authorization/roleAssignments","name":"77aa0ff2-42c2-4e01-a51d-01cf2dd7ce04"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"ce2366a6-64d7-441b-939c-c9d23f91cccd","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47","condition":null,"conditionVersion":null,"createdOn":"2020-03-12T20:43:06.5941189Z","updatedOn":"2020-03-12T20:43:06.5941189Z","createdBy":"606f48c8-d219-4875-991d-ae6befaf0756","updatedBy":"606f48c8-d219-4875-991d-ae6befaf0756","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47/providers/Microsoft.Authorization/roleAssignments/ad9e2cd7-0ff7-4931-9b17-656c8f17934b","type":"Microsoft.Authorization/roleAssignments","name":"ad9e2cd7-0ff7-4931-9b17-656c8f17934b"}]}' + string: '{"value":[{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"5c617d2b-99f8-4c90-98fe-dfe040fa33c1","principalType":"ServicePrincipal","scope":"/","condition":null,"conditionVersion":null,"createdOn":"2018-02-27T19:19:50.2663941Z","updatedOn":"2018-02-27T19:19:50.2663941Z","createdBy":null,"updatedBy":null,"delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Authorization/roleAssignments/3e883d24-b106-42ff-ad13-d7bf271b964d","type":"Microsoft.Authorization/roleAssignments","name":"3e883d24-b106-42ff-ad13-d7bf271b964d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"1d8b8d73-0cc6-4db8-b112-724b4a932253","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-26T12:22:13.7498923Z","updatedOn":"2019-08-26T12:22:13.7498923Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8c3a4de9-1ebd-47ce-9dd9-bebf87a4e28f","type":"Microsoft.Authorization/roleAssignments","name":"8c3a4de9-1ebd-47ce-9dd9-bebf87a4e28f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"1e845bc3-37db-4639-be09-d0cf1e448221","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-05-24T11:02:27.8515917Z","updatedOn":"2019-05-24T11:02:27.8515917Z","createdBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","updatedBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b5eee4d7-5f9f-4f63-8040-8aec158c289b","type":"Microsoft.Authorization/roleAssignments","name":"b5eee4d7-5f9f-4f63-8040-8aec158c289b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"235b2664-75e2-4741-bb6f-37e49babf6cd","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-02-12T11:34:59.7104212Z","updatedOn":"2020-02-12T11:34:59.7104212Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/f0618702-8404-4858-9a26-e61f23e7d44f","type":"Microsoft.Authorization/roleAssignments","name":"f0618702-8404-4858-9a26-e61f23e7d44f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8bb5b214-1182-465c-892f-ca7235abe1e7","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-11-14T08:52:42.2795010Z","updatedOn":"2019-11-14T08:52:42.2795010Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/77daac38-9839-4b00-921b-e5d5a03e728c","type":"Microsoft.Authorization/roleAssignments","name":"77daac38-9839-4b00-921b-e5d5a03e728c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"9693df58-7f72-4974-9bd3-1c3ceb0382f1","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-11-29T09:40:04.3180033Z","updatedOn":"2018-11-29T09:40:04.3180033Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ed3bf874-9c97-43f9-a5e9-b4ee6f8982f7","type":"Microsoft.Authorization/roleAssignments","name":"ed3bf874-9c97-43f9-a5e9-b4ee6f8982f7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"d1f96755-9bcf-44b8-ab82-df67360496c4","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-05-08T10:28:08.2854940Z","updatedOn":"2020-05-08T10:28:08.2854940Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/dfb3ca56-a0d4-44ce-ba35-b716c3fdab86","type":"Microsoft.Authorization/roleAssignments","name":"dfb3ca56-a0d4-44ce-ba35-b716c3fdab86"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-12-31T09:26:43.6440415Z","updatedOn":"2018-12-31T09:26:43.6440415Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/45744ea8-780f-4f3e-88aa-b73d7f6997b2","type":"Microsoft.Authorization/roleAssignments","name":"45744ea8-780f-4f3e-88aa-b73d7f6997b2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e65078fb-6b02-434a-9f11-d06bf9bc0600","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-10-25T23:42:36.3444507Z","updatedOn":"2018-10-25T23:42:36.3444507Z","createdBy":"66cb55a5-e2a8-44ef-ae4b-5ab8fa2ec8d9","updatedBy":"66cb55a5-e2a8-44ef-ae4b-5ab8fa2ec8d9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e7ce51e8-4109-41d7-bc10-538b089599db","type":"Microsoft.Authorization/roleAssignments","name":"e7ce51e8-4109-41d7-bc10-538b089599db"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"a7782e0f-1f9a-4882-b2c9-11227aad244e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-06-16T04:32:50.9673703Z","updatedOn":"2020-06-16T04:32:50.9673703Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9fa21f2f-81c3-47b6-b706-650b359b96c3","type":"Microsoft.Authorization/roleAssignments","name":"9fa21f2f-81c3-47b6-b706-650b359b96c3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"00b14177-f4d2-4a4b-94f6-6e80f75745c9","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-03-12T09:49:11.3750683Z","updatedOn":"2020-03-12T09:49:11.3750683Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fff0abf3-3cf7-46be-8bc7-1d1619a160fb","type":"Microsoft.Authorization/roleAssignments","name":"fff0abf3-3cf7-46be-8bc7-1d1619a160fb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"1d8b8d73-0cc6-4db8-b112-724b4a932253","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-26T10:28:45.4880023Z","updatedOn":"2019-08-26T10:28:45.4880023Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/397a3c9c-c258-4d4e-834d-00cc08227796","type":"Microsoft.Authorization/roleAssignments","name":"397a3c9c-c258-4d4e-834d-00cc08227796"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"235b2664-75e2-4741-bb6f-37e49babf6cd","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-12-05T04:29:28.7359096Z","updatedOn":"2018-12-05T04:29:28.7359096Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3c830f42-5f89-4d8b-8f93-d3dc936f33bd","type":"Microsoft.Authorization/roleAssignments","name":"3c830f42-5f89-4d8b-8f93-d3dc936f33bd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-04-08T08:38:50.1742930Z","updatedOn":"2020-04-08T08:38:50.1742930Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/5293a96b-830e-45f4-9e9e-22d7d020f0d8","type":"Microsoft.Authorization/roleAssignments","name":"5293a96b-830e-45f4-9e9e-22d7d020f0d8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3421d717-ca60-44e7-a9a1-773acec4e503","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-10-23T09:40:14.7658272Z","updatedOn":"2019-10-23T09:40:14.7658272Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/34b29558-faf9-43f0-a194-35ca0aa99fc5","type":"Microsoft.Authorization/roleAssignments","name":"34b29558-faf9-43f0-a194-35ca0aa99fc5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3dc88d41-4d03-4105-970d-937e56de3839","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-06-27T12:59:44.6557891Z","updatedOn":"2019-06-27T12:59:44.6557891Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e57ab8d1-ce9a-4925-b09f-2567492d9b22","type":"Microsoft.Authorization/roleAssignments","name":"e57ab8d1-ce9a-4925-b09f-2567492d9b22"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"62c799b8-9b54-4c3d-97c9-9490d16a6a9a","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-08T13:01:20.9953919Z","updatedOn":"2019-08-08T13:01:20.9953919Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e1b91810-0781-462d-9517-764e4a033822","type":"Microsoft.Authorization/roleAssignments","name":"e1b91810-0781-462d-9517-764e4a033822"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8bb5b214-1182-465c-892f-ca7235abe1e7","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-10-23T08:03:15.6803676Z","updatedOn":"2019-10-23T08:03:15.6803676Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/facbac06-ddab-437d-949a-207593fddfff","type":"Microsoft.Authorization/roleAssignments","name":"facbac06-ddab-437d-949a-207593fddfff"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"978b254a-54be-42af-80f5-e2a37b2e40e5","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-07-08T06:57:57.0377373Z","updatedOn":"2019-07-08T06:57:57.0377373Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/89be5b0a-dfa8-4bdf-b667-c6f63f7f3f0e","type":"Microsoft.Authorization/roleAssignments","name":"89be5b0a-dfa8-4bdf-b667-c6f63f7f3f0e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"9c973a07-b207-473c-9687-bd693ba8e460","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-04-17T09:14:08.7913669Z","updatedOn":"2020-04-17T09:14:08.7913669Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/950c635a-23a5-4a0e-8eb6-c53e929c9699","type":"Microsoft.Authorization/roleAssignments","name":"950c635a-23a5-4a0e-8eb6-c53e929c9699"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"058c04ea-b176-4e7b-b8d9-9e1f2f713ffe","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-10-03T10:52:46.8918844Z","updatedOn":"2022-10-03T10:52:46.8918844Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c5a8b530-0e4c-40d9-a003-167e38138f34","type":"Microsoft.Authorization/roleAssignments","name":"c5a8b530-0e4c-40d9-a003-167e38138f34"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"ce439730-9009-4c60-b582-277f5b9b5c47","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-10-03T10:52:47.6507241Z","updatedOn":"2022-10-03T10:52:47.6507241Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/adfaf7e6-895a-432b-9f63-650c5855b6b5","type":"Microsoft.Authorization/roleAssignments","name":"adfaf7e6-895a-432b-9f63-650c5855b6b5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8a1cd6d0-5c03-4720-8cc7-22adbc865bad","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-10-06T10:00:44.6775425Z","updatedOn":"2022-10-06T10:00:44.6775425Z","createdBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","updatedBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/21a219c4-e4ea-4572-9b97-ab829ee70b0b","type":"Microsoft.Authorization/roleAssignments","name":"21a219c4-e4ea-4572-9b97-ab829ee70b0b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"ba20023e-4ef7-4929-8693-f3f37fdb7667","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-10-19T06:48:34.7902721Z","updatedOn":"2022-10-19T06:48:34.7902721Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/70fc8a72-c6e9-4644-95d6-f27efe137007","type":"Microsoft.Authorization/roleAssignments","name":"70fc8a72-c6e9-4644-95d6-f27efe137007"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/17d1049b-9a84-46fb-8f53-869881c3d3ab","principalId":"cda54502-7b02-4c29-bacd-2ac17bb3fee4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-10-20T05:10:54.0749901Z","updatedOn":"2022-10-20T05:10:54.0749901Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a49a99d3-cfb9-4f66-b694-b3a7803fe02b","type":"Microsoft.Authorization/roleAssignments","name":"a49a99d3-cfb9-4f66-b694-b3a7803fe02b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"d6e6b7d9-6bee-44e9-a115-608b26453747","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-11-04T09:20:20.9539814Z","updatedOn":"2022-11-04T09:20:20.9539814Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/5ead22ad-d09b-4591-8d0f-a571ef0dedb2","type":"Microsoft.Authorization/roleAssignments","name":"5ead22ad-d09b-4591-8d0f-a571ef0dedb2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"21369ac4-7db8-402f-8b5b-c3c47bac68bd","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-12-13T12:39:32.2924849Z","updatedOn":"2022-12-13T12:39:32.2924849Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/1a2a40b4-9a41-4578-a6f5-e34068ff3bf6","type":"Microsoft.Authorization/roleAssignments","name":"1a2a40b4-9a41-4578-a6f5-e34068ff3bf6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"21369ac4-7db8-402f-8b5b-c3c47bac68bd","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-12-13T12:39:32.4781119Z","updatedOn":"2022-12-13T12:39:32.4781119Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9fc9183c-bfec-41be-8c2b-2cc55420f6c1","type":"Microsoft.Authorization/roleAssignments","name":"9fc9183c-bfec-41be-8c2b-2cc55420f6c1"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"fc8bd99b-292d-4396-ac07-7e46bf989efa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2023-01-04T09:17:14.5148296Z","updatedOn":"2023-01-04T09:17:14.5148296Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/5c4e131f-5843-5474-af9f-427c1fca982d","type":"Microsoft.Authorization/roleAssignments","name":"5c4e131f-5843-5474-af9f-427c1fca982d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"c0c54612-5a75-40a2-8a0c-bf70ab0847ba","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2023-01-13T04:47:48.8296778Z","updatedOn":"2023-01-13T04:47:48.8296778Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b56bdd79-3e27-4d79-b73b-4dc8625a172a","type":"Microsoft.Authorization/roleAssignments","name":"b56bdd79-3e27-4d79-b73b-4dc8625a172a"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a4eae46b-a9d0-4586-8ac9-ba91b29f1d57","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-02-01T10:05:44.6784242Z","updatedOn":"2022-02-01T10:05:44.6784242Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8af2fb3a-292c-42a8-a870-1751c4ec4870","type":"Microsoft.Authorization/roleAssignments","name":"8af2fb3a-292c-42a8-a870-1751c4ec4870"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"85c33f6f-5d69-4b0e-bc06-95a7d3193519","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-05-04T09:52:52.7340040Z","updatedOn":"2022-05-04T09:52:52.7340040Z","createdBy":"447bbed8-9839-4d6e-9e39-fb9aeee1ec1d","updatedBy":"447bbed8-9839-4d6e-9e39-fb9aeee1ec1d","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/6a4f635c-309c-4a1d-8eea-86fb5aa91d80","type":"Microsoft.Authorization/roleAssignments","name":"6a4f635c-309c-4a1d-8eea-86fb5aa91d80"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"e6234342-a3d7-4b04-9041-3e8526f5861a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-05-12T06:55:02.9137483Z","updatedOn":"2022-05-12T06:55:02.9137483Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a5bd1b6d-0084-40ec-9126-2250536b4778","type":"Microsoft.Authorization/roleAssignments","name":"a5bd1b6d-0084-40ec-9126-2250536b4778"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"f2cee52e-3d75-4f49-acc4-b5aaf72232ee","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T11:01:05.6238088Z","updatedOn":"2022-06-03T11:01:05.6238088Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2bd63fbe-e197-434f-ba1e-016bad298ff7","type":"Microsoft.Authorization/roleAssignments","name":"2bd63fbe-e197-434f-ba1e-016bad298ff7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"8be185b2-5cbf-45c1-b9af-cbbd9b59144d","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T13:20:41.1511200Z","updatedOn":"2022-06-03T13:22:39.1076287Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/f12c7867-43e5-5530-98e9-9d8a2f39fb92","type":"Microsoft.Authorization/roleAssignments","name":"f12c7867-43e5-5530-98e9-9d8a2f39fb92"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"8be185b2-5cbf-45c1-b9af-cbbd9b59144d","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T13:37:09.9515887Z","updatedOn":"2022-06-03T14:40:22.4040874Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/bace23ac-6978-5318-a146-d49599599b02","type":"Microsoft.Authorization/roleAssignments","name":"bace23ac-6978-5318-a146-d49599599b02"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"e6234342-a3d7-4b04-9041-3e8526f5861a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-06T11:22:08.5127363Z","updatedOn":"2022-06-06T11:22:08.5127363Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/df253c65-35fc-4ff6-9a32-39b3fe20a6e3","type":"Microsoft.Authorization/roleAssignments","name":"df253c65-35fc-4ff6-9a32-39b3fe20a6e3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"5f137a67-1b88-4f98-aa20-b71a7082dc56","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-10T14:11:57.5623976Z","updatedOn":"2022-06-10T14:11:57.5623976Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e409f573-8bda-4b7e-854a-61c445d36c6f","type":"Microsoft.Authorization/roleAssignments","name":"e409f573-8bda-4b7e-854a-61c445d36c6f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-22T11:28:57.2073063Z","updatedOn":"2022-06-22T11:28:57.2073063Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c5b3bcf3-fd4c-4b57-9f73-f075ce7afccb","type":"Microsoft.Authorization/roleAssignments","name":"c5b3bcf3-fd4c-4b57-9f73-f075ce7afccb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-23T09:19:22.2256200Z","updatedOn":"2022-06-23T09:19:22.2256200Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/344b17ae-cabf-4a33-9a9d-ba30fefcbadc","type":"Microsoft.Authorization/roleAssignments","name":"344b17ae-cabf-4a33-9a9d-ba30fefcbadc"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"2b81557b-8e7a-4df8-9a41-e59844f627c2","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-23T09:25:03.9969293Z","updatedOn":"2022-06-23T09:25:03.9969293Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/13a7f7c7-7364-4f9b-ba92-5430f17b29b5","type":"Microsoft.Authorization/roleAssignments","name":"13a7f7c7-7364-4f9b-ba92-5430f17b29b5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-24T07:04:04.5965087Z","updatedOn":"2022-06-24T07:04:04.5965087Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ba604c54-80e1-490e-a123-9ef9d477536b","type":"Microsoft.Authorization/roleAssignments","name":"ba604c54-80e1-490e-a123-9ef9d477536b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-25T04:10:10.7065168Z","updatedOn":"2022-06-25T04:10:10.7065168Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/916a749f-b61f-4ba4-8c28-46217c3a7b4e","type":"Microsoft.Authorization/roleAssignments","name":"916a749f-b61f-4ba4-8c28-46217c3a7b4e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T07:37:58.3152810Z","updatedOn":"2022-06-27T07:37:58.3152810Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/0a1046d6-ba58-491f-b473-403ec29cd2be","type":"Microsoft.Authorization/roleAssignments","name":"0a1046d6-ba58-491f-b473-403ec29cd2be"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:21:12.2347431Z","updatedOn":"2022-06-27T08:21:12.2347431Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/abc6fbbe-d4a8-4315-9532-82e90334dcc9","type":"Microsoft.Authorization/roleAssignments","name":"abc6fbbe-d4a8-4315-9532-82e90334dcc9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"381295fa-e67d-4943-a2eb-90ffcf09577b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:43:17.8582970Z","updatedOn":"2022-06-27T08:43:17.8582970Z","createdBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","updatedBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b8f0bb0e-1495-48f0-aa68-33c364310cfb","type":"Microsoft.Authorization/roleAssignments","name":"b8f0bb0e-1495-48f0-aa68-33c364310cfb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"381295fa-e67d-4943-a2eb-90ffcf09577b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:43:18.7801612Z","updatedOn":"2022-06-27T08:43:18.7801612Z","createdBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","updatedBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b8eb5d9d-85e3-4ba8-9458-fdd2c48ba8e1","type":"Microsoft.Authorization/roleAssignments","name":"b8eb5d9d-85e3-4ba8-9458-fdd2c48ba8e1"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"b864e281-c12e-45c6-a0c7-6046a7de5481","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-30T10:50:49.6196941Z","updatedOn":"2022-06-30T10:50:49.6196941Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.Authorization/roleAssignments/61b7cfe4-f4db-49b0-b329-bb5fad775973","type":"Microsoft.Authorization/roleAssignments","name":"61b7cfe4-f4db-49b0-b329-bb5fad775973"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"3de34697-a180-45dc-aff8-c16061f1143b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-01T08:15:11.7388086Z","updatedOn":"2022-07-01T08:15:11.7388086Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/86db086e-0442-5eef-8ebc-1d8d28a4d03a","type":"Microsoft.Authorization/roleAssignments","name":"86db086e-0442-5eef-8ebc-1d8d28a4d03a"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3de34697-a180-45dc-aff8-c16061f1143b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-01T08:15:12.7940996Z","updatedOn":"2022-07-01T08:15:12.7940996Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/cbcefba6-df6c-5670-9e02-9e09f7964d9c","type":"Microsoft.Authorization/roleAssignments","name":"cbcefba6-df6c-5670-9e02-9e09f7964d9c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"fe7b070d-f778-4cfd-8acf-eda94f397a89","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-29T07:15:07.9544255Z","updatedOn":"2022-07-29T07:15:07.9544255Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/efb13d06-875d-40e3-81d5-195824e19188","type":"Microsoft.Authorization/roleAssignments","name":"efb13d06-875d-40e3-81d5-195824e19188"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f8520195-1c62-47ff-8c01-e394155b52f1","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-10T11:13:36.6792855Z","updatedOn":"2022-08-10T11:13:36.6792855Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3c9150af-abd1-4d00-9c16-acb375857df6","type":"Microsoft.Authorization/roleAssignments","name":"3c9150af-abd1-4d00-9c16-acb375857df6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f4bfeb83-a4cc-43e8-bee0-9808b5d0918d","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-24T05:51:56.3337713Z","updatedOn":"2022-08-24T05:51:56.3337713Z","createdBy":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","updatedBy":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3caa2a04-62bf-4a33-80f5-056840e59fb4","type":"Microsoft.Authorization/roleAssignments","name":"3caa2a04-62bf-4a33-80f5-056840e59fb4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"608ca1e9-e854-46c6-984f-d812d0e657e6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-30T13:32:28.1332524Z","updatedOn":"2022-08-30T13:32:28.1332524Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2719b245-3aeb-4cc0-92bc-6f63eea0dcbf","type":"Microsoft.Authorization/roleAssignments","name":"2719b245-3aeb-4cc0-92bc-6f63eea0dcbf"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"12f8ea5c-1212-449e-b31c-0a574f43076e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2023-01-31T05:55:25.5617539Z","updatedOn":"2023-01-31T05:55:25.5617539Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9d33f09a-0f43-47cf-bde2-27143c6633e7","type":"Microsoft.Authorization/roleAssignments","name":"9d33f09a-0f43-47cf-bde2-27143c6633e7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a51d0ef9-9895-4b63-b3f8-354bb7d1a6bb","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-05-21T08:47:39.8177538Z","updatedOn":"2021-05-21T08:47:39.8177538Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/17db6abb-bc45-4967-b313-e470ec9cbbd7","type":"Microsoft.Authorization/roleAssignments","name":"17db6abb-bc45-4967-b313-e470ec9cbbd7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"93e2b483-3ffa-44f8-9965-fdb104b541a2","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-06-29T05:43:19.7216795Z","updatedOn":"2021-06-29T05:43:19.7216795Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c6aff8c2-08b1-5b1a-9c80-d91164226985","type":"Microsoft.Authorization/roleAssignments","name":"c6aff8c2-08b1-5b1a-9c80-d91164226985"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"4f285ac8-5610-4d2f-854c-bfa3d16a2679","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-11T06:55:02.4909144Z","updatedOn":"2021-07-11T06:55:02.4909144Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/0cec2ad2-d080-4126-a99f-f61c559b799c","type":"Microsoft.Authorization/roleAssignments","name":"0cec2ad2-d080-4126-a99f-f61c559b799c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"630db480-3ee6-47ec-ae72-5f917d466bad","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:16:28.8833400Z","updatedOn":"2021-07-13T10:16:28.8833400Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/37fe4b2d-0aca-4c27-8511-1e0d18063ec8","type":"Microsoft.Authorization/roleAssignments","name":"37fe4b2d-0aca-4c27-8511-1e0d18063ec8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"279982e7-46cf-4e40-9a3b-156c98285cb7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:18:48.5647062Z","updatedOn":"2021-07-13T10:18:48.5647062Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/7907f38d-57a7-431d-82d7-5dfa2ef0a628","type":"Microsoft.Authorization/roleAssignments","name":"7907f38d-57a7-431d-82d7-5dfa2ef0a628"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"790004d0-0112-41ad-92e8-95c464c34476","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:18:48.6068337Z","updatedOn":"2021-07-13T10:18:48.6068337Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8c9bda26-83c4-4d4c-b00b-c4b58301e539","type":"Microsoft.Authorization/roleAssignments","name":"8c9bda26-83c4-4d4c-b00b-c4b58301e539"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-21T06:38:43.9281998Z","updatedOn":"2021-07-21T06:38:43.9281998Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b553fa81-60dd-45d6-9781-8c2313d68b03","type":"Microsoft.Authorization/roleAssignments","name":"b553fa81-60dd-45d6-9781-8c2313d68b03"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:20.4258578Z","updatedOn":"2021-07-27T04:31:20.4258578Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/4b2f7b08-f9ef-4fc1-b9c4-2bb34fdef258","type":"Microsoft.Authorization/roleAssignments","name":"4b2f7b08-f9ef-4fc1-b9c4-2bb34fdef258"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:32.4566300Z","updatedOn":"2021-07-27T04:31:32.4566300Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8176bf09-8e96-448a-ab12-eeed360ecce2","type":"Microsoft.Authorization/roleAssignments","name":"8176bf09-8e96-448a-ab12-eeed360ecce2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:48.4577322Z","updatedOn":"2021-07-27T04:31:48.4577322Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/45949217-58cc-4c18-93f3-f4c90710ae2d","type":"Microsoft.Authorization/roleAssignments","name":"45949217-58cc-4c18-93f3-f4c90710ae2d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:20.8138038Z","updatedOn":"2021-07-27T10:13:20.8138038Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2382b52f-1ec5-430e-ae2a-74f9ed331ced","type":"Microsoft.Authorization/roleAssignments","name":"2382b52f-1ec5-430e-ae2a-74f9ed331ced"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:23.6551958Z","updatedOn":"2021-07-27T10:13:23.6551958Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e5863947-0b21-41b7-9997-c0dfc73eec29","type":"Microsoft.Authorization/roleAssignments","name":"e5863947-0b21-41b7-9997-c0dfc73eec29"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:29.6985440Z","updatedOn":"2021-07-27T10:13:29.6985440Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/28c1cefa-942f-44c5-a4d4-c33bb92abd45","type":"Microsoft.Authorization/roleAssignments","name":"28c1cefa-942f-44c5-a4d4-c33bb92abd45"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8039a424-299a-4014-8b22-4f6d6cc60065","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-11T07:08:31.9935560Z","updatedOn":"2021-08-11T07:08:31.9935560Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/69e0bcfc-b024-4d8b-a3d5-dac447f8986c","type":"Microsoft.Authorization/roleAssignments","name":"69e0bcfc-b024-4d8b-a3d5-dac447f8986c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"8f0340b8-4b70-412b-be19-c4612d49e353","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-20T11:58:29.6857641Z","updatedOn":"2021-08-20T11:58:29.6857641Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fd88236f-eacb-5303-912f-ba1741cf02bd","type":"Microsoft.Authorization/roleAssignments","name":"fd88236f-eacb-5303-912f-ba1741cf02bd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"0d8f6e68-d6c5-4a67-b6c4-3107609bbdbc","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-20T12:31:58.7980661Z","updatedOn":"2021-08-20T12:31:58.7980661Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/146f4a11-8712-583d-89eb-a7b8b82dbaa9","type":"Microsoft.Authorization/roleAssignments","name":"146f4a11-8712-583d-89eb-a7b8b82dbaa9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"e2072d83-2379-4f36-ab51-b5df7460c61e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-21T14:40:08.5987892Z","updatedOn":"2021-08-21T14:40:10.5055205Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/842af679-0b58-5eb5-b94c-ff59e4105d7e","type":"Microsoft.Authorization/roleAssignments","name":"842af679-0b58-5eb5-b94c-ff59e4105d7e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-17T09:41:38.5634940Z","updatedOn":"2021-09-17T09:41:38.5634940Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":"for + temp testing purpose"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/98fe0117-1e9c-4e37-b8a7-c4a1031d6916","type":"Microsoft.Authorization/roleAssignments","name":"98fe0117-1e9c-4e37-b8a7-c4a1031d6916"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"9c973a07-b207-473c-9687-bd693ba8e460","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-25T15:23:32.6168771Z","updatedOn":"2021-09-25T15:23:32.6168771Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/d852f084-bc9f-4258-9e2c-fcf48b9eaf85","type":"Microsoft.Authorization/roleAssignments","name":"d852f084-bc9f-4258-9e2c-fcf48b9eaf85"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"2778738c-452b-45ca-b8d6-f085836a1458","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-30T07:51:25.2399474Z","updatedOn":"2021-09-30T07:51:25.2399474Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b04a3bdf-b6a6-5ffb-9394-ee5743741597","type":"Microsoft.Authorization/roleAssignments","name":"b04a3bdf-b6a6-5ffb-9394-ee5743741597"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"0ac1f52a-325b-486a-a095-f46ffdd6a9e4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-10-26T01:59:18.6998395Z","updatedOn":"2021-10-26T01:59:18.6998395Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/53a3b238-b4b0-4d3f-b416-8d6dc8d755f6","type":"Microsoft.Authorization/roleAssignments","name":"53a3b238-b4b0-4d3f-b416-8d6dc8d755f6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"c3c0d020-16f0-44d8-9950-0250120a33ff","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-02T06:11:03.5575284Z","updatedOn":"2021-11-02T06:11:03.5575284Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/1d017732-f67e-5aa1-a4a6-47570078d9f3","type":"Microsoft.Authorization/roleAssignments","name":"1d017732-f67e-5aa1-a4a6-47570078d9f3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-10T08:59:19.7285159Z","updatedOn":"2021-11-10T08:59:19.7285159Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a60357fa-dc0a-4479-a2a9-4329c2d0ae89","type":"Microsoft.Authorization/roleAssignments","name":"a60357fa-dc0a-4479-a2a9-4329c2d0ae89"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8dd77695-d6a5-450d-a43c-67ca01be9fbc","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-12T10:55:38.3698246Z","updatedOn":"2021-11-12T10:55:38.3698246Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/dda5bb75-b74a-4430-975f-5bc9611c4b2d","type":"Microsoft.Authorization/roleAssignments","name":"dda5bb75-b74a-4430-975f-5bc9611c4b2d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/36243c78-bf99-498c-9df9-86d9f8d28608","principalId":"2152c794-9ca2-41fe-a313-2d0e1ee3eb80","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-18T06:28:12.0181010Z","updatedOn":"2021-02-18T06:28:12.0181010Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/804f6223-03eb-4091-b460-82160fc5f818","type":"Microsoft.Authorization/roleAssignments","name":"804f6223-03eb-4091-b460-82160fc5f818"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"2152c794-9ca2-41fe-a313-2d0e1ee3eb80","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-18T06:28:12.0168587Z","updatedOn":"2021-02-18T06:28:12.0168587Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8d80e2d6-315c-495c-ab2c-91ddf75edf41","type":"Microsoft.Authorization/roleAssignments","name":"8d80e2d6-315c-495c-ab2c-91ddf75edf41"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"cf46d636-b6c1-406c-aba7-b2c3d9ed07da","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-26T13:53:53.1151640Z","updatedOn":"2021-02-26T13:53:53.1151640Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/735e98ed-f4b8-4b7d-9cc9-af4f8ae77252","type":"Microsoft.Authorization/roleAssignments","name":"735e98ed-f4b8-4b7d-9cc9-af4f8ae77252"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8505e3f4-1ee7-427c-a175-a06595231d46","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-26T13:54:27.5624477Z","updatedOn":"2021-02-26T13:54:27.5624477Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/98c87a9f-b9e7-414b-8b59-bf3ec62dbc74","type":"Microsoft.Authorization/roleAssignments","name":"98c87a9f-b9e7-414b-8b59-bf3ec62dbc74"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-25T12:25:27.2277610Z","updatedOn":"2020-07-25T12:25:27.2277610Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fd6b8ff4-9edb-43f5-aa2a-32133fa09b1d","type":"Microsoft.Authorization/roleAssignments","name":"fd6b8ff4-9edb-43f5-aa2a-32133fa09b1d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"21ae6127-c385-4ae0-b895-a8559e9aa574","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-31T08:35:35.2993523Z","updatedOn":"2020-07-31T08:35:35.2993523Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/6af9fbf3-7085-4bcb-b399-88b89fac16d3","type":"Microsoft.Authorization/roleAssignments","name":"6af9fbf3-7085-4bcb-b399-88b89fac16d3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"1e845bc3-37db-4639-be09-d0cf1e448221","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-31T08:44:16.2909420Z","updatedOn":"2020-07-31T08:44:16.2909420Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/65080390-e9b5-4566-b362-d1e96c23dae2","type":"Microsoft.Authorization/roleAssignments","name":"65080390-e9b5-4566-b362-d1e96c23dae2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-11-03T06:12:01.6760584Z","updatedOn":"2020-11-03T06:12:01.6760584Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a7a12420-2dce-4a47-822e-68cadf239da3","type":"Microsoft.Authorization/roleAssignments","name":"a7a12420-2dce-4a47-822e-68cadf239da3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3282af51-433d-47e8-b2b5-633fbe0fecc0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-11-03T06:25:32.6790913Z","updatedOn":"2020-11-03T06:25:32.6790913Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/36da831d-10ce-4f42-ba28-362960f6ea36","type":"Microsoft.Authorization/roleAssignments","name":"36da831d-10ce-4f42-ba28-362960f6ea36"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-10-04T07:35:39.6626948Z","updatedOn":"2019-10-04T07:35:39.6626948Z","createdBy":"8031e009-cc05-4950-8a8d-78942c4492ac","updatedBy":"8031e009-cc05-4950-8a8d-78942c4492ac","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/730fa65e-c74c-4c3d-9cc3-9457f9b97274","type":"Microsoft.Authorization/roleAssignments","name":"730fa65e-c74c-4c3d-9cc3-9457f9b97274"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-04-08T01:03:29.8241478Z","updatedOn":"2021-04-08T01:03:29.8241478Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/63818ccb-a05c-4083-9e1d-64b4c7c0e1cd","type":"Microsoft.Authorization/roleAssignments","name":"63818ccb-a05c-4083-9e1d-64b4c7c0e1cd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"c87d9afe-4463-41d5-81e3-3bd162af9183","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-07-10T09:38:17.4348497Z","updatedOn":"2019-07-10T09:38:17.4348497Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/ebc56c6d-c5de-4d99-b166-89d4ac815acd","type":"Microsoft.Authorization/roleAssignments","name":"ebc56c6d-c5de-4d99-b166-89d4ac815acd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-03-15T11:01:18.6794974Z","updatedOn":"2019-03-15T11:01:18.6794974Z","createdBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","updatedBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/9fb9b151-1d53-4eff-9336-75cf634e1e3d","type":"Microsoft.Authorization/roleAssignments","name":"9fb9b151-1d53-4eff-9336-75cf634e1e3d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f87f6638-3a1b-4562-8603-aacd59537149","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-05-03T06:47:05.1411825Z","updatedOn":"2019-05-03T06:47:05.1411825Z","createdBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","updatedBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/24ffbb29-061f-4b1d-8c26-c6e90ef53303","type":"Microsoft.Authorization/roleAssignments","name":"24ffbb29-061f-4b1d-8c26-c6e90ef53303"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"becb4b6b-fe16-413b-a5c3-90355e0b2982","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-06-26T06:33:50.1123976Z","updatedOn":"2019-06-26T06:33:50.1123976Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/4c3721e8-06f4-4115-a2d8-90c4a9a57d56","type":"Microsoft.Authorization/roleAssignments","name":"4c3721e8-06f4-4115-a2d8-90c4a9a57d56"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-04-07T16:59:19.6098216Z","updatedOn":"2021-04-07T16:59:19.6098216Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/9d2de631-e451-450b-8237-e5bc19624eee","type":"Microsoft.Authorization/roleAssignments","name":"9d2de631-e451-450b-8237-e5bc19624eee"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/17d1049b-9a84-46fb-8f53-869881c3d3ab","principalId":"f61a8f2d-c22b-47c9-9e09-71c6dc1686a2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2022-10-17T05:35:15.3185857Z","updatedOn":"2022-10-17T05:35:15.3185857Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/112e70a2-19dc-47b1-8a5f-b6b0ebe3101a","type":"Microsoft.Authorization/roleAssignments","name":"112e70a2-19dc-47b1-8a5f-b6b0ebe3101a"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/17d1049b-9a84-46fb-8f53-869881c3d3ab","principalId":"38bb424d-6106-4a59-800e-90ee180570f1","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2022-10-26T02:55:09.1249140Z","updatedOn":"2022-10-26T02:55:09.1249140Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/7cdb04d8-94ce-4084-b154-6ab26e1b0041","type":"Microsoft.Authorization/roleAssignments","name":"7cdb04d8-94ce-4084-b154-6ab26e1b0041"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"b1b96a90-235c-4668-a931-ee1c08db7681","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-02-01T04:47:38.5676012Z","updatedOn":"2021-02-01T04:47:38.5676012Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/a9e38032-c21b-4c41-8960-1c9c982d98e2","type":"Microsoft.Authorization/roleAssignments","name":"a9e38032-c21b-4c41-8960-1c9c982d98e2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a51d0ef9-9895-4b63-b3f8-354bb7d1a6bb","principalType":"Group","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-03-03T05:31:57.4716459Z","updatedOn":"2021-03-03T05:31:57.4716459Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/77aa0ff2-42c2-4e01-a51d-01cf2dd7ce04","type":"Microsoft.Authorization/roleAssignments","name":"77aa0ff2-42c2-4e01-a51d-01cf2dd7ce04"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"ce2366a6-64d7-441b-939c-c9d23f91cccd","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47","condition":null,"conditionVersion":null,"createdOn":"2020-03-12T20:43:06.5941189Z","updatedOn":"2020-03-12T20:43:06.5941189Z","createdBy":"606f48c8-d219-4875-991d-ae6befaf0756","updatedBy":"606f48c8-d219-4875-991d-ae6befaf0756","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47/providers/Microsoft.Authorization/roleAssignments/ad9e2cd7-0ff7-4931-9b17-656c8f17934b","type":"Microsoft.Authorization/roleAssignments","name":"ad9e2cd7-0ff7-4931-9b17-656c8f17934b"}]}' headers: cache-control: - no-cache content-length: - - '109973' + - '85765' content-type: - application/json; charset=utf-8 date: - - Mon, 05 Sep 2022 11:49:47 GMT + - Mon, 13 Feb 2023 07:39:41 GMT expires: - '-1' pragma: @@ -3572,34 +7485,32 @@ interactions: Cookie: - x-ms-gateway-slice=Production ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes + - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance + --keyvault-id --yes User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 - Azure-SDK-For-Python AZURECLI/2.39.0 + - python/3.10.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 + azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.45.0 (PIP) accept-language: - en-US method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Disk%20Snapshot%20Contributor%27&api-version=2018-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Reader%27&api-version=2018-01-01-preview response: body: - string: '{"value":[{"properties":{"roleName":"Disk Snapshot Contributor","type":"BuiltInRole","description":"Provides - permission to backup vault to manage disk snapshots.","assignableScopes":["/"],"permissions":[{"actions":["Microsoft.Authorization/*/read","Microsoft.Resources/subscriptions/resourceGroups/read","Microsoft.Compute/snapshots/delete","Microsoft.Compute/snapshots/write","Microsoft.Compute/snapshots/read","Microsoft.Compute/snapshots/beginGetAccess/action","Microsoft.Compute/snapshots/endGetAccess/action","Microsoft.Compute/disks/beginGetAccess/action","Microsoft.Storage/storageAccounts/listkeys/action","Microsoft.Storage/storageAccounts/write","Microsoft.Storage/storageAccounts/read","Microsoft.Storage/storageAccounts/delete"],"notActions":[],"dataActions":[],"notDataActions":[]}],"createdOn":"2020-12-15T12:18:51.4471411Z","updatedOn":"2021-11-11T20:14:56.9158814Z","createdBy":null,"updatedBy":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","type":"Microsoft.Authorization/roleDefinitions","name":"7efff54f-a5b4-42b5-a1c5-5411624893ce"}]}' + string: '{"value":[{"properties":{"roleName":"Reader","type":"BuiltInRole","description":"View + all resources, but does not allow you to make any changes.","assignableScopes":["/"],"permissions":[{"actions":["*/read"],"notActions":[],"dataActions":[],"notDataActions":[]}],"createdOn":"2015-02-02T21:55:09.8806423Z","updatedOn":"2021-11-11T20:13:47.8628684Z","createdBy":null,"updatedBy":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","type":"Microsoft.Authorization/roleDefinitions","name":"acdd72a7-3385-48ef-bd42-f606fba81ae7"}]}' headers: cache-control: - no-cache content-length: - - '1160' + - '627' content-type: - application/json; charset=utf-8 date: - - Mon, 05 Sep 2022 11:49:47 GMT + - Mon, 13 Feb 2023 07:39:42 GMT expires: - '-1' pragma: - no-cache - set-cookie: - - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -3615,51 +7526,5212 @@ interactions: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - dataprotection backup-instance update-msi-permissions Connection: - keep-alive + Cookie: + - x-ms-gateway-slice=Production ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes + - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance + --keyvault-id --yes User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) AZURECLI/2.39.0 + - python/3.10.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 + azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.45.0 (PIP) + accept-language: + - en-US method: GET - uri: https://graph.microsoft.com/v1.0/servicePrincipals?$filter=servicePrincipalNames%2Fany%28c%3Ac%20eq%20%27f41bd262-eb21-47f1-9706-f12132d865e3%27%29 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/providers/Microsoft.Authorization/roleDefinitions?api-version=2018-01-01-preview response: body: - string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#servicePrincipals","value":[]}' + string: "{\"value\":[{\"properties\":{\"roleName\":\"Avere Cluster Create\"\ + ,\"type\":\"CustomRole\",\"description\":\"Avere cluster create role used\ + \ by the Avere controller to create a vFXT cluster.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Authorization/roleAssignments/*\",\"Microsoft.Authorization/roleDefinitions/*\"\ + ,\"Microsoft.Compute/*/read\",\"Microsoft.Compute/availabilitySets/*\",\"\ + Microsoft.Compute/virtualMachines/*\",\"Microsoft.Network/*/read\",\"Microsoft.Network/networkInterfaces/*\"\ + ,\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/virtualNetworks/subnets/read\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/resourceGroups/resources/read\"\ + ,\"Microsoft.Storage/*/read\",\"Microsoft.Storage/storageAccounts/listKeys/action\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2018-11-29T18:46:55.0492387Z\",\"updatedOn\":\"2018-11-29T18:46:55.0492387Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a7b1b19a-0e83-4fe5-935c-faaefbfd18c3\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a7b1b19a-0e83-4fe5-935c-faaefbfd18c3\"\ + },{\"properties\":{\"roleName\":\"Avere Cluster Runtime Operator\",\"type\"\ + :\"CustomRole\",\"description\":\"Avere cluster runtime role used by Avere\ + \ clusters running in subscriptions, for the purpose of failing over IP addresses,\ + \ accessing BLOB storage, etc\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Network/networkInterfaces/read\"\ + ,\"Microsoft.Network/networkInterfaces/write\",\"Microsoft.Network/virtualNetworks/subnets/read\"\ + ,\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/networkSecurityGroups/join/action\"\ + ,\"Microsoft.Network/routeTables/read\",\"Microsoft.Network/routeTables/routes/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/delete\"\ + ,\"Microsoft.Storage/storageAccounts/blobServices/containers/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/write\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/delete\"\ + ,\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/read\"\ + ,\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/write\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2018-08-26T00:41:26.2170858Z\",\"\ + updatedOn\":\"2018-08-26T00:41:26.2170858Z\",\"createdBy\":\"dda50086-5e3d-4a4b-b8bc-f54771104d89\"\ + ,\"updatedBy\":\"dda50086-5e3d-4a4b-b8bc-f54771104d89\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e078ab98-ef3a-4c9a-aba7-12f5172b45d0\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e078ab98-ef3a-4c9a-aba7-12f5172b45d0\"\ + },{\"properties\":{\"roleName\":\"Azure Service Deploy Release Management\ + \ Contributor\",\"type\":\"CustomRole\",\"description\":\"Contributor role\ + \ for services deploying through Azure Service Deploy.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"*\"],\"notActions\":[\"Microsoft.Authorization/*/Delete\"\ + ,\"Microsoft.Authorization/*/Write\"],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2016-02-04T02:26:31.5413362Z\",\"updatedOn\":\"2018-01-08T20:20:16.3660174Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/21d96096-b162-414a-8302-d8354f9d91b2\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"21d96096-b162-414a-8302-d8354f9d91b2\"\ + },{\"properties\":{\"roleName\":\"CAL-Custom-Role\",\"type\":\"CustomRole\"\ + ,\"description\":\"Lets SAP Cloud Appliance Library application manage Network\ + \ and Compute services, manage Resource Groups and Management locks.\",\"\ + assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/locks/*\"\ + ,\"Microsoft.Authorization/roleDefinitions/*\",\"Microsoft.Authorization/roleAssignments/*\"\ + ,\"Microsoft.Compute/*\",\"Microsoft.Network/*\",\"Microsoft.Resources/*\"\ + ,\"Microsoft.Storage/*\",\"Microsoft.ContainerService/*\",\"Microsoft.ContainerRegistry/*\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2018-05-14T19:30:51.0664585Z\",\"updatedOn\":\"2019-02-19T19:11:57.5963229Z\"\ + ,\"createdBy\":\"dda50086-5e3d-4a4b-b8bc-f54771104d89\",\"updatedBy\":null},\"\ + id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7b266cd7-0bba-4ae2-8423-90ede5e1e898\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7b266cd7-0bba-4ae2-8423-90ede5e1e898\"\ + },{\"properties\":{\"roleName\":\"Dsms Role (deprecated)\",\"type\":\"CustomRole\"\ + ,\"description\":\"Custom role used by Dsms to perform operations. Can list\ + \ and regnerate storage account keys.\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.ClassicStorage/storageAccounts/listKeys/action\"\ + ,\"Microsoft.ClassicStorage/storageAccounts/regenerateKey/action\",\"Microsoft.Storage/storageAccounts/listkeys/action\"\ + ,\"Microsoft.Storage/storageAccounts/regeneratekey/action\"],\"notActions\"\ + :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-05-17T18:02:11.1225951Z\"\ + ,\"updatedOn\":\"2018-01-13T00:21:52.7211696Z\",\"createdBy\":\"ca5f3715-e7dd-427b-b2db-45b6a4a2df87\"\ + ,\"updatedBy\":\"ca5f3715-e7dd-427b-b2db-45b6a4a2df87\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b91f4c0b-46e3-47bb-a242-eecfe23b3b5b\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b91f4c0b-46e3-47bb-a242-eecfe23b3b5b\"\ + },{\"properties\":{\"roleName\":\"Dsms Role (do not use)\",\"type\":\"CustomRole\"\ + ,\"description\":\"Custom role used by Dsms to perform operations. Can list\ + \ and regnerate storage account keys.\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.ClassicStorage/storageAccounts/listKeys/action\"\ + ,\"Microsoft.ClassicStorage/storageAccounts/regenerateKey/action\",\"Microsoft.Storage/storageAccounts/listkeys/action\"\ + ,\"Microsoft.Storage/storageAccounts/regeneratekey/action\"],\"notActions\"\ + :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-02-01T07:56:12.5880222Z\"\ + ,\"updatedOn\":\"2018-08-09T17:53:48.5432297Z\",\"createdBy\":\"becb4b6b-fe16-413b-a5c3-90355e0b2982\"\ + ,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7aff565e-6c55-448d-83db-ccf482c6da2f\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7aff565e-6c55-448d-83db-ccf482c6da2f\"\ + },{\"properties\":{\"roleName\":\"ExpressRoute Administrator\",\"type\":\"\ + CustomRole\",\"description\":\"Can create, delete and manage ExpressRoutes\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/locks/*\"\ + ,\"Microsoft.Authorization/policyAssignments/*\",\"Microsoft.Authorization/policyDefinitions/*\"\ + ,\"Microsoft.Authorization/roleAssignments/*\",\"Microsoft.ClassicNetwork/*\"\ + ,\"Microsoft.EventGrid/*\",\"Microsoft.Insights/*\",\"Microsoft.Network/*\"\ + ,\"Microsoft.Resources/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2018-08-31T03:51:32.2843055Z\",\"updatedOn\":\"2019-03-20T22:55:18.8222085Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a48d7896-14b4-4889-afef-fbb65a96e5a2\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a48d7896-14b4-4889-afef-fbb65a96e5a2\"\ + },{\"properties\":{\"roleName\":\"GenevaWarmPathResourceContributor\",\"type\"\ + :\"CustomRole\",\"description\":\"Can manage service bus and storage accounts.\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.EventHub/namespaces/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/*\",\"Microsoft.ServiceBus/namespaces/*\"\ + ,\"Microsoft.Storage/storageAccounts/*\",\"Microsoft.Storage/storageAccounts/managementPolicies/write\"\ + ,\"Microsoft.Storage/storageAccounts/managementPolicies/read\",\"Microsoft.Storage/storageAccounts/managementPolicies/delete\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2017-03-14T22:30:10.1999436Z\",\"updatedOn\":\"2022-02-28T23:26:40.0052537Z\"\ + ,\"createdBy\":null,\"updatedBy\":\"acis\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9f15f5f5-77bd-413a-aa88-4b9c68b1e7bc\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"9f15f5f5-77bd-413a-aa88-4b9c68b1e7bc\"\ + },{\"properties\":{\"roleName\":\"masterreader\",\"type\":\"CustomRole\",\"\ + description\":\"Lets you view everything, but not make any changes.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"*/read\"],\"notActions\":[],\"dataActions\"\ + :[],\"notDataActions\":[]}],\"createdOn\":\"2017-11-14T23:38:05.3353858Z\"\ + ,\"updatedOn\":\"2017-11-14T23:38:05.3353858Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a48d7796-14b4-4889-afef-fbb65a93e5a2\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a48d7796-14b4-4889-afef-fbb65a93e5a2\"\ + },{\"properties\":{\"roleName\":\"Microsoft OneAsset Reader\",\"type\":\"\ + CustomRole\",\"description\":\"This role is for Microsoft OneAsset team (CSEO)\ + \ to track internal security compliance and resource utilization.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/virtualMachines/*/read\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2019-03-27T23:51:08.6333052Z\",\"updatedOn\":\"2019-04-02T20:35:43.3396263Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fd1bb084-1503-4bd2-99c0-630220046786\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fd1bb084-1503-4bd2-99c0-630220046786\"\ + },{\"properties\":{\"roleName\":\"Office DevOps\",\"type\":\"CustomRole\"\ + ,\"description\":\"Custom access for developers to operations but not secrets.\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/virtualMachineScaleSets/restart/action\"\ + ,\"Microsoft.Compute/virtualMachineScaleSets/virtualMachines/restart/action\"\ + ,\"Microsoft.Sql/servers/databases/replicationLinks/delete\",\"Microsoft.Sql/servers/databases/replicationLinks/failover/action\"\ + ,\"Microsoft.Sql/servers/databases/replicationLinks/forceFailoverAllowDataLoss/action\"\ + ,\"Microsoft.Sql/servers/databases/replicationLinks/operationResults/read\"\ + ,\"Microsoft.Sql/servers/databases/replicationLinks/read\",\"Microsoft.Sql/servers/databases/replicationLinks/unlink/action\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2016-10-07T08:11:46.1639398Z\",\"updatedOn\":\"2017-03-16T18:43:08.3234306Z\"\ + ,\"createdBy\":\"25aea6be-b605-4347-a92d-33e178e412ec\",\"updatedBy\":\"25aea6be-b605-4347-a92d-33e178e412ec\"\ + },\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7fd64851-3279-459b-b614-e2b2ba760f5b\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7fd64851-3279-459b-b614-e2b2ba760f5b\"\ + },{\"properties\":{\"roleName\":\"GenevaWarmPathStorageBlobContributor\",\"\ + type\":\"CustomRole\",\"description\":\"Geneva Warm Path Storage Blob Contributor\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/delete\"\ + ,\"Microsoft.Storage/storageAccounts/blobServices/containers/lease/action\"\ + ,\"Microsoft.Storage/storageAccounts/blobServices/containers/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/write\"\ + ,\"Microsoft.Storage/storageAccounts/blobServices/containers/immutabilityPolicies/lock/action\"\ + ,\"Microsoft.Storage/storageAccounts/blobServices/containers/immutabilityPolicies/read\"\ + ,\"Microsoft.Storage/storageAccounts/blobServices/containers/immutabilityPolicies/write\"\ + ,\"Microsoft.Storage/storageAccounts/blobServices/containers/immutabilityPolicies/extend/action\"\ + ,\"Microsoft.Storage/storageAccounts/blobServices/containers/immutabilityPolicies/delete\"\ + ,\"Microsoft.Storage/storageAccounts/managementPolicies/write\",\"Microsoft.Storage/storageAccounts/managementPolicies/read\"\ + ,\"Microsoft.Storage/storageAccounts/managementPolicies/delete\"],\"notActions\"\ + :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-12-06T22:46:27.1365630Z\"\ + ,\"updatedOn\":\"2022-02-28T23:26:40.4152515Z\",\"createdBy\":null,\"updatedBy\"\ + :\"acis\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a16c43ca-2d67-4dcd-9ded-6412f5edc51a\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a16c43ca-2d67-4dcd-9ded-6412f5edc51a\"\ + },{\"properties\":{\"roleName\":\"Azure Service Deploy Release Management\ + \ Restricted Owner\",\"type\":\"CustomRole\",\"description\":\"Restricted\ + \ owner role for services deploying through Azure Service Deploy.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"*\"],\"notActions\":[\"Microsoft.Authorization/*/Delete\"\ + ,\"Microsoft.Authorization/*/Write\"],\"dataActions\":[],\"notDataActions\"\ + :[]},{\"actions\":[\"Microsoft.Authorization/roleAssignments/write\"],\"notActions\"\ + :[],\"dataActions\":[],\"notDataActions\":[]},{\"actions\":[\"Microsoft.Authorization/locks/write\"\ + ,\"Microsoft.Authorization/policyassignments/write\",\"Microsoft.Authorization/policydefinitions/write\"\ + ,\"Microsoft.Authorization/policysetdefinitions/write\"],\"notActions\":[],\"\ + dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-03-07T22:16:06.8803898Z\"\ + ,\"updatedOn\":\"2022-03-07T22:16:06.8803898Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/94ddc4bc-25f5-4f3e-b527-c587da93cfe4\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"94ddc4bc-25f5-4f3e-b527-c587da93cfe4\"\ + },{\"properties\":{\"roleName\":\"Azure Service Deploy Test Release Management\ + \ Key Vault Secrets User\",\"type\":\"CustomRole\",\"description\":\"Read\ + \ secret and certificate contents. Only works for key vaults that use the\ + \ 'Azure role-based access control' permission model.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\"\ + :[\"Microsoft.KeyVault/vaults/secrets/getSecret/action\",\"Microsoft.KeyVault/vaults/certificates/read\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2022-07-20T22:52:19.9944274Z\",\"\ + updatedOn\":\"2022-08-31T23:25:32.0649353Z\",\"createdBy\":\"19669f00-ee56-44ec-94c3-83159a41292e\"\ + ,\"updatedBy\":\"19669f00-ee56-44ec-94c3-83159a41292e\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/87d31636-ad85-4caa-802d-1535972b5612\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"87d31636-ad85-4caa-802d-1535972b5612\"\ + },{\"properties\":{\"roleName\":\"Azure Service Deploy Release Management\ + \ Key Vault Secrets User\",\"type\":\"CustomRole\",\"description\":\"Read\ + \ secret and certificate contents. Only works for key vaults that use the\ + \ 'Azure role-based access control' permission model.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\"\ + :[\"Microsoft.KeyVault/vaults/secrets/getSecret/action\",\"Microsoft.KeyVault/vaults/certificates/read\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2022-08-02T21:14:21.3331588Z\",\"\ + updatedOn\":\"2022-09-10T00:44:34.5904437Z\",\"createdBy\":\"19669f00-ee56-44ec-94c3-83159a41292e\"\ + ,\"updatedBy\":\"19669f00-ee56-44ec-94c3-83159a41292e\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/260691e6-68c2-47cf-bd4a-97d5fd4dbcd5\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"260691e6-68c2-47cf-bd4a-97d5fd4dbcd5\"\ + },{\"properties\":{\"roleName\":\"Owner\",\"type\":\"BuiltInRole\",\"description\"\ + :\"Grants full access to manage all resources, including the ability to assign\ + \ roles in Azure RBAC.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ + actions\":[\"*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:45.8978856Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8e3af657-a8ff-443c-a75c-2fe8c4bcb635\"\ + },{\"properties\":{\"roleName\":\"AcrPush\",\"type\":\"BuiltInRole\",\"description\"\ + :\"acr push\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"\ + Microsoft.ContainerRegistry/registries/pull/read\",\"Microsoft.ContainerRegistry/registries/push/write\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2018-10-29T17:52:32.5201177Z\",\"updatedOn\":\"2021-11-11T20:13:07.4993029Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8311e382-0749-4cb8-b61a-304f252e45ec\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8311e382-0749-4cb8-b61a-304f252e45ec\"\ + },{\"properties\":{\"roleName\":\"API Management Service Contributor\",\"\ + type\":\"BuiltInRole\",\"description\":\"Can manage service and the APIs\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ApiManagement/service/*\"\ + ,\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"\ + Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2015-02-02T21:55:09.8650193Z\",\"updatedOn\":\"2021-11-11T20:13:08.3179618Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/312a565d-c81f-4fd8-895a-4e21e48d571c\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"312a565d-c81f-4fd8-895a-4e21e48d571c\"\ + },{\"properties\":{\"roleName\":\"AcrPull\",\"type\":\"BuiltInRole\",\"description\"\ + :\"acr pull\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"\ + Microsoft.ContainerRegistry/registries/pull/read\"],\"notActions\":[],\"dataActions\"\ + :[],\"notDataActions\":[]}],\"createdOn\":\"2018-10-22T19:01:56.8227182Z\"\ + ,\"updatedOn\":\"2021-11-11T20:13:08.8779328Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7f951dda-4ed3-4680-a7ca-43fe172d538d\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7f951dda-4ed3-4680-a7ca-43fe172d538d\"\ + },{\"properties\":{\"roleName\":\"AcrImageSigner\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"acr image signer\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.ContainerRegistry/registries/sign/write\"],\"\ + notActions\":[],\"dataActions\":[\"Microsoft.ContainerRegistry/registries/trustedCollections/write\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2018-03-15T23:23:08.4038322Z\",\"\ + updatedOn\":\"2021-11-11T20:13:09.6070759Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6cef56e8-d556-48e5-a04f-b8e64114680f\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6cef56e8-d556-48e5-a04f-b8e64114680f\"\ + },{\"properties\":{\"roleName\":\"AcrDelete\",\"type\":\"BuiltInRole\",\"\ + description\":\"acr delete\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.ContainerRegistry/registries/artifacts/delete\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2019-03-11T20:19:31.6682804Z\",\"updatedOn\":\"2021-11-11T20:13:09.9631744Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c2f4ef07-c644-48eb-af81-4b1b4947fb11\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c2f4ef07-c644-48eb-af81-4b1b4947fb11\"\ + },{\"properties\":{\"roleName\":\"AcrQuarantineReader\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"acr quarantine data reader\",\"assignableScopes\":[\"/\"\ + ],\"permissions\":[{\"actions\":[\"Microsoft.ContainerRegistry/registries/quarantine/read\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerRegistry/registries/quarantinedArtifacts/read\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2018-03-16T00:27:39.9596835Z\",\"\ + updatedOn\":\"2021-11-11T20:13:10.3188052Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/cdda3590-29a3-44f6-95f2-9f980659eb04\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"cdda3590-29a3-44f6-95f2-9f980659eb04\"\ + },{\"properties\":{\"roleName\":\"AcrQuarantineWriter\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"acr quarantine data writer\",\"assignableScopes\":[\"/\"\ + ],\"permissions\":[{\"actions\":[\"Microsoft.ContainerRegistry/registries/quarantine/read\"\ + ,\"Microsoft.ContainerRegistry/registries/quarantine/write\"],\"notActions\"\ + :[],\"dataActions\":[\"Microsoft.ContainerRegistry/registries/quarantinedArtifacts/read\"\ + ,\"Microsoft.ContainerRegistry/registries/quarantinedArtifacts/write\"],\"\ + notDataActions\":[]}],\"createdOn\":\"2018-03-16T00:26:37.5871820Z\",\"updatedOn\"\ + :\"2021-11-11T20:13:11.3488079Z\",\"createdBy\":null,\"updatedBy\":null},\"\ + id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c8d4ff99-41c3-41a8-9f60-21dfdad59608\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c8d4ff99-41c3-41a8-9f60-21dfdad59608\"\ + },{\"properties\":{\"roleName\":\"API Management Service Operator Role\",\"\ + type\":\"BuiltInRole\",\"description\":\"Can manage service but not the APIs\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ApiManagement/service/*/read\"\ + ,\"Microsoft.ApiManagement/service/backup/action\",\"Microsoft.ApiManagement/service/delete\"\ + ,\"Microsoft.ApiManagement/service/managedeployments/action\",\"Microsoft.ApiManagement/service/read\"\ + ,\"Microsoft.ApiManagement/service/restore/action\",\"Microsoft.ApiManagement/service/updatecertificate/action\"\ + ,\"Microsoft.ApiManagement/service/updatehostname/action\",\"Microsoft.ApiManagement/service/write\"\ + ,\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"\ + Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ + ],\"notActions\":[\"Microsoft.ApiManagement/service/users/keys/read\"],\"\ + dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-11-09T00:03:42.1194019Z\"\ + ,\"updatedOn\":\"2021-11-11T20:13:11.5244023Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e022efe7-f5ba-4159-bbe4-b44f577e9b61\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e022efe7-f5ba-4159-bbe4-b44f577e9b61\"\ + },{\"properties\":{\"roleName\":\"API Management Service Reader Role\",\"\ + type\":\"BuiltInRole\",\"description\":\"Read-only access to service and APIs\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ApiManagement/service/*/read\"\ + ,\"Microsoft.ApiManagement/service/read\",\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Support/*\"],\"notActions\":[\"Microsoft.ApiManagement/service/users/keys/read\"\ + ],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-11-09T00:26:45.1540473Z\"\ + ,\"updatedOn\":\"2021-11-11T20:13:11.8704466Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/71522526-b88f-4d52-b57f-d31fc3546d0d\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"71522526-b88f-4d52-b57f-d31fc3546d0d\"\ + },{\"properties\":{\"roleName\":\"Application Insights Component Contributor\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Can manage Application Insights\ + \ components\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"\ + Microsoft.Insights/generateLiveToken/read\",\"Microsoft.Insights/metricAlerts/*\"\ + ,\"Microsoft.Insights/components/*\",\"Microsoft.Insights/scheduledqueryrules/*\"\ + ,\"Microsoft.Insights/topology/read\",\"Microsoft.Insights/transactions/read\"\ + ,\"Microsoft.Insights/webtests/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:12.6428401Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ae349356-3a1b-4a5e-921d-050484c6347e\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ae349356-3a1b-4a5e-921d-050484c6347e\"\ + },{\"properties\":{\"roleName\":\"Application Insights Snapshot Debugger\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Gives user permission to use Application\ + \ Insights Snapshot Debugger features\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\"\ + ,\"Microsoft.Insights/components/*/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2017-04-19T21:25:12.3728747Z\",\"updatedOn\":\"2021-11-11T20:13:13.0034435Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/08954f03-6346-4c2e-81c0-ec3a5cfae23b\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"08954f03-6346-4c2e-81c0-ec3a5cfae23b\"\ + },{\"properties\":{\"roleName\":\"Attestation Reader\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Can read the attestation provider properties\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Attestation/attestationProviders/attestation/read\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2019-03-25T19:42:59.1576710Z\",\"updatedOn\":\"2021-11-11T20:13:13.3634724Z\"\ + ,\"createdBy\":null,\"updatedBy\":\"SYSTEM\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fd1bd22b-8476-40bc-a0bc-69b95687b9f3\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fd1bd22b-8476-40bc-a0bc-69b95687b9f3\"\ + },{\"properties\":{\"roleName\":\"Automation Job Operator\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Create and Manage Jobs using Automation Runbooks.\",\"\ + assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Automation/automationAccounts/hybridRunbookWorkerGroups/read\"\ + ,\"Microsoft.Automation/automationAccounts/jobs/read\",\"Microsoft.Automation/automationAccounts/jobs/resume/action\"\ + ,\"Microsoft.Automation/automationAccounts/jobs/stop/action\",\"Microsoft.Automation/automationAccounts/jobs/streams/read\"\ + ,\"Microsoft.Automation/automationAccounts/jobs/suspend/action\",\"Microsoft.Automation/automationAccounts/jobs/write\"\ + ,\"Microsoft.Automation/automationAccounts/jobs/output/read\",\"Microsoft.Insights/alertRules/*\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2017-04-19T20:52:41.0020018Z\",\"updatedOn\":\"2021-11-11T20:13:13.7065660Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4fe576fe-1146-4730-92eb-48519fa6bf9f\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4fe576fe-1146-4730-92eb-48519fa6bf9f\"\ + },{\"properties\":{\"roleName\":\"Automation Runbook Operator\",\"type\":\"\ + BuiltInRole\",\"description\":\"Read Runbook properties - to be able to create\ + \ Jobs of the runbook.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ + actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Automation/automationAccounts/runbooks/read\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2017-04-19T20:47:49.5640674Z\",\"updatedOn\":\"2021-11-11T20:13:13.8815461Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5fb5aef8-1081-4b8e-bb16-9d5d0385bab5\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5fb5aef8-1081-4b8e-bb16-9d5d0385bab5\"\ + },{\"properties\":{\"roleName\":\"Automation Operator\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Automation Operators are able to start, stop, suspend,\ + \ and resume jobs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.Authorization/*/read\",\"Microsoft.Automation/automationAccounts/hybridRunbookWorkerGroups/read\"\ + ,\"Microsoft.Automation/automationAccounts/jobs/read\",\"Microsoft.Automation/automationAccounts/jobs/resume/action\"\ + ,\"Microsoft.Automation/automationAccounts/jobs/stop/action\",\"Microsoft.Automation/automationAccounts/jobs/streams/read\"\ + ,\"Microsoft.Automation/automationAccounts/jobs/suspend/action\",\"Microsoft.Automation/automationAccounts/jobs/write\"\ + ,\"Microsoft.Automation/automationAccounts/jobSchedules/read\",\"Microsoft.Automation/automationAccounts/jobSchedules/write\"\ + ,\"Microsoft.Automation/automationAccounts/linkedWorkspace/read\",\"Microsoft.Automation/automationAccounts/read\"\ + ,\"Microsoft.Automation/automationAccounts/runbooks/read\",\"Microsoft.Automation/automationAccounts/schedules/read\"\ + ,\"Microsoft.Automation/automationAccounts/schedules/write\",\"Microsoft.Insights/alertRules/*\"\ + ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Automation/automationAccounts/jobs/output/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2015-08-18T01:05:03.3916130Z\",\"updatedOn\":\"2021-11-11T20:13:14.0515408Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d3881f73-407a-4167-8283-e981cbba0404\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d3881f73-407a-4167-8283-e981cbba0404\"\ + },{\"properties\":{\"roleName\":\"Avere Contributor\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Can create and manage an Avere vFXT cluster.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Compute/*/read\",\"Microsoft.Compute/availabilitySets/*\",\"\ + Microsoft.Compute/proximityPlacementGroups/*\",\"Microsoft.Compute/virtualMachines/*\"\ + ,\"Microsoft.Compute/disks/*\",\"Microsoft.Network/*/read\",\"Microsoft.Network/networkInterfaces/*\"\ + ,\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/subnets/read\"\ + ,\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/virtualNetworks/subnets/joinViaServiceEndpoint/action\"\ + ,\"Microsoft.Network/networkSecurityGroups/join/action\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Storage/*/read\",\"Microsoft.Storage/storageAccounts/*\",\"Microsoft.Support/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/resources/read\"],\"notActions\"\ + :[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/delete\"\ + ,\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/read\"\ + ,\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/write\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2019-03-18T20:00:58.9207889Z\",\"\ + updatedOn\":\"2021-11-11T20:13:14.2265665Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4f8fab4f-1852-4a58-a46a-8eaf358af14a\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4f8fab4f-1852-4a58-a46a-8eaf358af14a\"\ + },{\"properties\":{\"roleName\":\"Avere Operator\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Used by the Avere vFXT cluster to manage the cluster\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/virtualMachines/read\"\ + ,\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Network/networkInterfaces/write\"\ + ,\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/subnets/read\"\ + ,\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/networkSecurityGroups/join/action\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/delete\"\ + ,\"Microsoft.Storage/storageAccounts/blobServices/containers/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/write\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/delete\"\ + ,\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/read\"\ + ,\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/write\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2019-03-18T20:02:38.3399857Z\",\"\ + updatedOn\":\"2021-11-11T20:13:15.1065886Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c025889f-8102-4ebf-b32c-fc0c6f0c6bd9\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c025889f-8102-4ebf-b32c-fc0c6f0c6bd9\"\ + },{\"properties\":{\"roleName\":\"Azure Kubernetes Service Cluster Admin Role\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"List cluster admin credential\ + \ action.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"\ + Microsoft.ContainerService/managedClusters/listClusterAdminCredential/action\"\ + ,\"Microsoft.ContainerService/managedClusters/accessProfiles/listCredential/action\"\ + ,\"Microsoft.ContainerService/managedClusters/read\",\"Microsoft.ContainerService/managedClusters/runcommand/action\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2018-08-15T21:38:18.5953853Z\",\"updatedOn\":\"2022-05-16T21:47:03.0625910Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0ab0b1a8-8aac-4efd-b8c2-3ee1fb270be8\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0ab0b1a8-8aac-4efd-b8c2-3ee1fb270be8\"\ + },{\"properties\":{\"roleName\":\"Azure Kubernetes Service Cluster User Role\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"List cluster user credential action.\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerService/managedClusters/listClusterUserCredential/action\"\ + ,\"Microsoft.ContainerService/managedClusters/read\"],\"notActions\":[],\"\ + dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-08-15T22:04:53.4037241Z\"\ + ,\"updatedOn\":\"2021-11-11T20:13:20.4351976Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4abbcc35-e782-43d8-92c5-2d3f1bd2253f\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4abbcc35-e782-43d8-92c5-2d3f1bd2253f\"\ + },{\"properties\":{\"roleName\":\"Azure Maps Data Reader\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Grants access to read map related data from an Azure maps\ + \ account.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"\ + notActions\":[],\"dataActions\":[\"Microsoft.Maps/accounts/*/read\"],\"notDataActions\"\ + :[]}],\"createdOn\":\"2018-10-05T19:47:03.4723070Z\",\"updatedOn\":\"2021-11-11T20:13:20.9582685Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/423170ca-a8f6-4b0f-8487-9e4eb8f49bfa\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"423170ca-a8f6-4b0f-8487-9e4eb8f49bfa\"\ + },{\"properties\":{\"roleName\":\"Azure Stack Registration Owner\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Lets you manage Azure Stack registrations.\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.AzureStack/edgeSubscriptions/read\"\ + ,\"Microsoft.AzureStack/registrations/products/*/action\",\"Microsoft.AzureStack/registrations/products/read\"\ + ,\"Microsoft.AzureStack/registrations/read\"],\"notActions\":[],\"dataActions\"\ + :[],\"notDataActions\":[]}],\"createdOn\":\"2017-11-13T23:42:06.2161827Z\"\ + ,\"updatedOn\":\"2021-11-11T20:13:23.2957820Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6f12a6df-dd06-4f3e-bcb1-ce8be600526a\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6f12a6df-dd06-4f3e-bcb1-ce8be600526a\"\ + },{\"properties\":{\"roleName\":\"Backup Contributor\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Lets you manage backup service,but can't create vaults\ + \ and give access to others\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Network/virtualNetworks/read\"\ + ,\"Microsoft.RecoveryServices/locations/*\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/operationResults/*\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/*\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/refreshContainers/action\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupJobs/*\",\"Microsoft.RecoveryServices/Vaults/backupJobsExport/action\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupOperationResults/*\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/*\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupProtectableItems/*\",\"Microsoft.RecoveryServices/Vaults/backupProtectedItems/*\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupProtectionContainers/*\",\"Microsoft.RecoveryServices/Vaults/backupSecurityPIN/*\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupUsageSummaries/read\",\"Microsoft.RecoveryServices/Vaults/certificates/*\"\ + ,\"Microsoft.RecoveryServices/Vaults/extendedInformation/*\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/monitoringConfigurations/*\",\"Microsoft.RecoveryServices/Vaults/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/registeredIdentities/*\",\"Microsoft.RecoveryServices/Vaults/usages/*\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.RecoveryServices/Vaults/backupstorageconfig/*\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupconfig/*\",\"Microsoft.RecoveryServices/Vaults/backupValidateOperation/action\"\ + ,\"Microsoft.RecoveryServices/Vaults/write\",\"Microsoft.RecoveryServices/Vaults/backupOperations/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupEngines/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/backupProtectionIntent/*\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectableContainers/read\"\ + ,\"Microsoft.RecoveryServices/locations/backupStatus/action\",\"Microsoft.RecoveryServices/locations/backupPreValidateProtection/action\"\ + ,\"Microsoft.RecoveryServices/locations/backupValidateFeatures/action\",\"\ + Microsoft.RecoveryServices/Vaults/monitoringAlerts/write\",\"Microsoft.RecoveryServices/operations/read\"\ + ,\"Microsoft.RecoveryServices/locations/operationStatus/read\",\"Microsoft.RecoveryServices/Vaults/backupProtectionIntents/read\"\ + ,\"Microsoft.Support/*\",\"Microsoft.DataProtection/locations/getBackupStatus/action\"\ + ,\"Microsoft.DataProtection/backupVaults/backupInstances/write\",\"Microsoft.DataProtection/backupVaults/backupInstances/delete\"\ + ,\"Microsoft.DataProtection/backupVaults/backupInstances/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/read\"\ + ,\"Microsoft.DataProtection/backupVaults/deletedBackupInstances/read\",\"\ + Microsoft.DataProtection/backupVaults/deletedBackupInstances/undelete/action\"\ + ,\"Microsoft.DataProtection/backupVaults/backupInstances/backup/action\",\"\ + Microsoft.DataProtection/backupVaults/backupInstances/validateRestore/action\"\ + ,\"Microsoft.DataProtection/backupVaults/backupInstances/restore/action\"\ + ,\"Microsoft.DataProtection/backupVaults/backupPolicies/write\",\"Microsoft.DataProtection/backupVaults/backupPolicies/delete\"\ + ,\"Microsoft.DataProtection/backupVaults/backupPolicies/read\",\"Microsoft.DataProtection/backupVaults/backupPolicies/read\"\ + ,\"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints/read\"\ + ,\"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints/read\"\ + ,\"Microsoft.DataProtection/backupVaults/backupInstances/findRestorableTimeRanges/action\"\ + ,\"Microsoft.DataProtection/backupVaults/write\",\"Microsoft.DataProtection/backupVaults/read\"\ + ,\"Microsoft.DataProtection/backupVaults/operationResults/read\",\"Microsoft.DataProtection/backupVaults/operationStatus/read\"\ + ,\"Microsoft.DataProtection/locations/checkNameAvailability/action\",\"Microsoft.DataProtection/backupVaults/read\"\ + ,\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/locations/operationStatus/read\"\ + ,\"Microsoft.DataProtection/locations/operationResults/read\",\"Microsoft.DataProtection/backupVaults/validateForBackup/action\"\ + ,\"Microsoft.DataProtection/operations/read\"],\"notActions\":[],\"dataActions\"\ + :[],\"notDataActions\":[]}],\"createdOn\":\"2017-01-03T13:12:15.7321344Z\"\ + ,\"updatedOn\":\"2022-10-13T06:51:28.1654179Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5e467623-bb1f-42f4-a55d-6e525e11384b\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5e467623-bb1f-42f4-a55d-6e525e11384b\"\ + },{\"properties\":{\"roleName\":\"Billing Reader\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Allows read access to billing data\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Billing/*/read\",\"Microsoft.Commerce/*/read\",\"Microsoft.Consumption/*/read\"\ + ,\"Microsoft.Management/managementGroups/read\",\"Microsoft.CostManagement/*/read\"\ + ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2017-04-25T02:13:38.9054151Z\",\"updatedOn\":\"2021-11-11T20:13:24.5342563Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fa23ad8b-c56e-40d8-ac0c-ce449e1d2c64\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fa23ad8b-c56e-40d8-ac0c-ce449e1d2c64\"\ + },{\"properties\":{\"roleName\":\"Backup Operator\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Lets you manage backup services, except removal of backup,\ + \ vault creation and giving access to others\",\"assignableScopes\":[\"/\"\ + ],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Network/virtualNetworks/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/operationResults/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/operationResults/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/backup/action\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/operationResults/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/operationsStatus/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/recoveryPoints/provisionInstantItemRecovery/action\"\ + ,\"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/recoveryPoints/accessToken/action\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/recoveryPoints/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/recoveryPoints/restore/action\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/recoveryPoints/revokeInstantItemRecovery/action\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/write\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/refreshContainers/action\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupJobs/*\",\"Microsoft.RecoveryServices/Vaults/backupJobsExport/action\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupOperationResults/*\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/operationResults/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupPolicies/read\",\"Microsoft.RecoveryServices/Vaults/backupProtectableItems/*\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupProtectedItems/read\",\"Microsoft.RecoveryServices/Vaults/backupProtectionContainers/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupUsageSummaries/read\",\"Microsoft.RecoveryServices/Vaults/certificates/write\"\ + ,\"Microsoft.RecoveryServices/Vaults/extendedInformation/read\",\"Microsoft.RecoveryServices/Vaults/extendedInformation/write\"\ + ,\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/read\",\"Microsoft.RecoveryServices/Vaults/monitoringConfigurations/*\"\ + ,\"Microsoft.RecoveryServices/Vaults/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/operationResults/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/registeredIdentities/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/write\"\ + ,\"Microsoft.RecoveryServices/Vaults/usages/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupstorageconfig/*\",\"Microsoft.RecoveryServices/Vaults/backupValidateOperation/action\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupTriggerValidateOperation/action\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupValidateOperationResults/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupValidateOperationsStatuses/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupOperations/read\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/operations/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/write\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/inquire/action\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupEngines/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/backupProtectionIntent/write\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/backupProtectionIntent/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectableContainers/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/items/read\"\ + ,\"Microsoft.RecoveryServices/locations/backupStatus/action\",\"Microsoft.RecoveryServices/locations/backupPreValidateProtection/action\"\ + ,\"Microsoft.RecoveryServices/locations/backupValidateFeatures/action\",\"\ + Microsoft.RecoveryServices/locations/backupAadProperties/read\",\"Microsoft.RecoveryServices/locations/backupCrrJobs/action\"\ + ,\"Microsoft.RecoveryServices/locations/backupCrrJob/action\",\"Microsoft.RecoveryServices/locations/backupCrossRegionRestore/action\"\ + ,\"Microsoft.RecoveryServices/locations/backupCrrOperationResults/read\",\"\ + Microsoft.RecoveryServices/locations/backupCrrOperationsStatus/read\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/write\"\ + ,\"Microsoft.RecoveryServices/operations/read\",\"Microsoft.RecoveryServices/locations/operationStatus/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupProtectionIntents/read\",\"Microsoft.Support/*\"\ + ,\"Microsoft.DataProtection/backupVaults/backupInstances/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/read\"\ + ,\"Microsoft.DataProtection/backupVaults/deletedBackupInstances/read\",\"\ + Microsoft.DataProtection/backupVaults/backupPolicies/read\",\"Microsoft.DataProtection/backupVaults/backupPolicies/read\"\ + ,\"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints/read\"\ + ,\"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints/read\"\ + ,\"Microsoft.DataProtection/backupVaults/backupInstances/findRestorableTimeRanges/action\"\ + ,\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/backupVaults/operationResults/read\"\ + ,\"Microsoft.DataProtection/backupVaults/operationStatus/read\",\"Microsoft.DataProtection/backupVaults/read\"\ + ,\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/locations/operationStatus/read\"\ + ,\"Microsoft.DataProtection/locations/operationResults/read\",\"Microsoft.DataProtection/operations/read\"\ + ,\"Microsoft.DataProtection/backupVaults/validateForBackup/action\",\"Microsoft.DataProtection/backupVaults/backupInstances/backup/action\"\ + ,\"Microsoft.DataProtection/backupVaults/backupInstances/validateRestore/action\"\ + ,\"Microsoft.DataProtection/backupVaults/backupInstances/restore/action\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2017-01-03T13:21:11.8947640Z\",\"updatedOn\":\"2022-10-13T06:51:28.1654179Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/00c29273-979b-4161-815c-10b084fb9324\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"00c29273-979b-4161-815c-10b084fb9324\"\ + },{\"properties\":{\"roleName\":\"Backup Reader\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Can view backup services, but can't make changes\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.RecoveryServices/locations/allocatedStamp/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/operationResults/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/operationResults/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/operationResults/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/operationsStatus/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/recoveryPoints/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupJobs/operationResults/read\",\"\ + Microsoft.RecoveryServices/Vaults/backupJobs/read\",\"Microsoft.RecoveryServices/Vaults/backupJobsExport/action\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupOperationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/operationResults/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupPolicies/read\",\"Microsoft.RecoveryServices/Vaults/backupProtectedItems/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupProtectionContainers/read\",\"\ + Microsoft.RecoveryServices/Vaults/backupUsageSummaries/read\",\"Microsoft.RecoveryServices/Vaults/extendedInformation/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/read\",\"Microsoft.RecoveryServices/Vaults/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/registeredIdentities/operationResults/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/registeredIdentities/read\",\"Microsoft.RecoveryServices/Vaults/backupstorageconfig/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupconfig/read\",\"Microsoft.RecoveryServices/Vaults/backupOperations/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupPolicies/operations/read\",\"Microsoft.RecoveryServices/Vaults/backupEngines/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/backupProtectionIntent/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/items/read\"\ + ,\"Microsoft.RecoveryServices/locations/backupStatus/action\",\"Microsoft.RecoveryServices/Vaults/monitoringConfigurations/*\"\ + ,\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/write\",\"Microsoft.RecoveryServices/operations/read\"\ + ,\"Microsoft.RecoveryServices/locations/operationStatus/read\",\"Microsoft.RecoveryServices/Vaults/backupProtectionIntents/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/usages/read\",\"Microsoft.RecoveryServices/locations/backupValidateFeatures/action\"\ + ,\"Microsoft.RecoveryServices/locations/backupCrrJobs/action\",\"Microsoft.RecoveryServices/locations/backupCrrJob/action\"\ + ,\"Microsoft.RecoveryServices/locations/backupCrrOperationResults/read\",\"\ + Microsoft.RecoveryServices/locations/backupCrrOperationsStatus/read\",\"Microsoft.DataProtection/locations/getBackupStatus/action\"\ + ,\"Microsoft.DataProtection/backupVaults/backupInstances/write\",\"Microsoft.DataProtection/backupVaults/backupInstances/read\"\ + ,\"Microsoft.DataProtection/backupVaults/deletedBackupInstances/read\",\"\ + Microsoft.DataProtection/backupVaults/backupInstances/backup/action\",\"Microsoft.DataProtection/backupVaults/backupInstances/validateRestore/action\"\ + ,\"Microsoft.DataProtection/backupVaults/backupInstances/restore/action\"\ + ,\"Microsoft.DataProtection/backupVaults/backupPolicies/read\",\"Microsoft.DataProtection/backupVaults/backupPolicies/read\"\ + ,\"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints/read\"\ + ,\"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints/read\"\ + ,\"Microsoft.DataProtection/backupVaults/backupInstances/findRestorableTimeRanges/action\"\ + ,\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/backupVaults/operationResults/read\"\ + ,\"Microsoft.DataProtection/backupVaults/operationStatus/read\",\"Microsoft.DataProtection/backupVaults/read\"\ + ,\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/locations/operationStatus/read\"\ + ,\"Microsoft.DataProtection/locations/operationResults/read\",\"Microsoft.DataProtection/backupVaults/validateForBackup/action\"\ + ,\"Microsoft.DataProtection/operations/read\"],\"notActions\":[],\"dataActions\"\ + :[],\"notDataActions\":[]}],\"createdOn\":\"2017-01-03T13:18:41.3893065Z\"\ + ,\"updatedOn\":\"2022-10-13T06:51:28.1654179Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a795c7a0-d4a2-40c1-ae25-d81f01202912\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a795c7a0-d4a2-40c1-ae25-d81f01202912\"\ + },{\"properties\":{\"roleName\":\"Blockchain Member Node Access (Preview)\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Allows for access to Blockchain\ + \ Member nodes\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.Blockchain/blockchainMembers/transactionNodes/read\"],\"notActions\"\ + :[],\"dataActions\":[\"Microsoft.Blockchain/blockchainMembers/transactionNodes/connect/action\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2018-12-21T10:33:01.9604839Z\",\"\ + updatedOn\":\"2021-11-11T20:13:25.0558920Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/31a002a1-acaf-453e-8a5b-297c9ca1ea24\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"31a002a1-acaf-453e-8a5b-297c9ca1ea24\"\ + },{\"properties\":{\"roleName\":\"BizTalk Contributor\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Lets you manage BizTalk services, but not access to them.\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.BizTalkServices/BizTalk/*\",\"Microsoft.Insights/alertRules/*\"\ + ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:25.2359269Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5e3c6656-6cfa-4708-81fe-0de47ac73342\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5e3c6656-6cfa-4708-81fe-0de47ac73342\"\ + },{\"properties\":{\"roleName\":\"CDN Endpoint Contributor\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Can manage CDN endpoints, but can\u2019t grant access to\ + \ other users.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.Authorization/*/read\",\"Microsoft.Cdn/edgenodes/read\",\"Microsoft.Cdn/operationresults/*\"\ + ,\"Microsoft.Cdn/profiles/endpoints/*\",\"Microsoft.Insights/alertRules/*\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2016-01-23T02:48:46.4996252Z\",\"updatedOn\":\"2021-11-11T20:13:25.4059314Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/426e0c7f-0c7e-4658-b36f-ff54d6c29b45\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"426e0c7f-0c7e-4658-b36f-ff54d6c29b45\"\ + },{\"properties\":{\"roleName\":\"CDN Endpoint Reader\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Can view CDN endpoints, but can\u2019t make changes.\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Cdn/edgenodes/read\",\"Microsoft.Cdn/operationresults/*\",\"\ + Microsoft.Cdn/profiles/endpoints/*/read\",\"Microsoft.Cdn/profiles/afdendpoints/validateCustomDomain/action\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2016-01-23T02:48:46.4996252Z\",\"updatedOn\":\"2022-01-26T19:51:29.2636610Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/871e35f6-b5c1-49cc-a043-bde969a0f2cd\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"871e35f6-b5c1-49cc-a043-bde969a0f2cd\"\ + },{\"properties\":{\"roleName\":\"CDN Profile Contributor\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Can manage CDN profiles and their endpoints, but can\u2019\ + t grant access to other users.\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Cdn/edgenodes/read\"\ + ,\"Microsoft.Cdn/operationresults/*\",\"Microsoft.Cdn/profiles/*\",\"Microsoft.Insights/alertRules/*\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2016-01-23T02:48:46.4996252Z\",\"updatedOn\":\"2021-11-11T20:13:25.9224344Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ec156ff8-a8d1-4d15-830c-5b80698ca432\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ec156ff8-a8d1-4d15-830c-5b80698ca432\"\ + },{\"properties\":{\"roleName\":\"CDN Profile Reader\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Can view CDN profiles and their endpoints, but can\u2019\ + t make changes.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.Authorization/*/read\",\"Microsoft.Cdn/edgenodes/read\",\"Microsoft.Cdn/operationresults/*\"\ + ,\"Microsoft.Cdn/profiles/*/read\",\"Microsoft.Insights/alertRules/*\",\"\ + Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2016-01-23T02:48:46.4996252Z\",\"updatedOn\":\"2021-11-11T20:13:26.0983652Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8f96442b-4075-438f-813d-ad51ab4019af\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8f96442b-4075-438f-813d-ad51ab4019af\"\ + },{\"properties\":{\"roleName\":\"Classic Network Contributor\",\"type\":\"\ + BuiltInRole\",\"description\":\"Lets you manage classic networks, but not\ + \ access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.Authorization/*/read\",\"Microsoft.ClassicNetwork/*\",\"Microsoft.Insights/alertRules/*\"\ + ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:26.4433301Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b34d265f-36f7-4a0d-a4d4-e158ca92e90f\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b34d265f-36f7-4a0d-a4d4-e158ca92e90f\"\ + },{\"properties\":{\"roleName\":\"Classic Storage Account Contributor\",\"\ + type\":\"BuiltInRole\",\"description\":\"Lets you manage classic storage accounts,\ + \ but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ + actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.ClassicStorage/storageAccounts/*\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:26.6183566Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/86e8f5dc-a6e9-4c67-9d15-de283e8eac25\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"86e8f5dc-a6e9-4c67-9d15-de283e8eac25\"\ + },{\"properties\":{\"roleName\":\"Classic Storage Account Key Operator Service\ + \ Role\",\"type\":\"BuiltInRole\",\"description\":\"Classic Storage Account\ + \ Key Operators are allowed to list and regenerate keys on Classic Storage\ + \ Accounts\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"\ + Microsoft.ClassicStorage/storageAccounts/listkeys/action\",\"Microsoft.ClassicStorage/storageAccounts/regeneratekey/action\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2017-04-13T18:22:52.1461100Z\",\"updatedOn\":\"2021-11-11T20:13:26.9796021Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/985d6b00-f706-48f5-a6fe-d0ca12fb668d\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"985d6b00-f706-48f5-a6fe-d0ca12fb668d\"\ + },{\"properties\":{\"roleName\":\"ClearDB MySQL DB Contributor\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Lets you manage ClearDB MySQL databases,\ + \ but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ + actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\"\ + ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ + ,\"successbricks.cleardb/databases/*\"],\"notActions\":[],\"dataActions\"\ + :[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\"\ + ,\"updatedOn\":\"2021-11-11T20:13:27.1646373Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9106cda0-8a86-4e81-b686-29a22c54effe\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"9106cda0-8a86-4e81-b686-29a22c54effe\"\ + },{\"properties\":{\"roleName\":\"Classic Virtual Machine Contributor\",\"\ + type\":\"BuiltInRole\",\"description\":\"Lets you manage classic virtual machines,\ + \ but not access to them, and not the virtual network or storage account they\u2019\ + re connected to.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.Authorization/*/read\",\"Microsoft.ClassicCompute/domainNames/*\"\ + ,\"Microsoft.ClassicCompute/virtualMachines/*\",\"Microsoft.ClassicNetwork/networkSecurityGroups/join/action\"\ + ,\"Microsoft.ClassicNetwork/reservedIps/link/action\",\"Microsoft.ClassicNetwork/reservedIps/read\"\ + ,\"Microsoft.ClassicNetwork/virtualNetworks/join/action\",\"Microsoft.ClassicNetwork/virtualNetworks/read\"\ + ,\"Microsoft.ClassicStorage/storageAccounts/disks/read\",\"Microsoft.ClassicStorage/storageAccounts/images/read\"\ + ,\"Microsoft.ClassicStorage/storageAccounts/listKeys/action\",\"Microsoft.ClassicStorage/storageAccounts/read\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2015-04-25T00:37:56.5416086Z\",\"updatedOn\":\"2021-11-11T20:13:27.3446332Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d73bb868-a0df-4d4d-bd69-98a00b01fccb\"\ + },{\"properties\":{\"roleName\":\"Cognitive Services User\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Lets you read and list keys of Cognitive Services.\",\"\ + assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"\ + ,\"Microsoft.CognitiveServices/accounts/listkeys/action\",\"Microsoft.Insights/alertRules/read\"\ + ,\"Microsoft.Insights/diagnosticSettings/read\",\"Microsoft.Insights/logDefinitions/read\"\ + ,\"Microsoft.Insights/metricdefinitions/read\",\"Microsoft.Insights/metrics/read\"\ + ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/operations/read\"\ + ,\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/*\"],\"\ + notDataActions\":[]}],\"createdOn\":\"2018-08-08T23:23:43.7701274Z\",\"updatedOn\"\ + :\"2021-11-11T20:13:27.5316443Z\",\"createdBy\":null,\"updatedBy\":null},\"\ + id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a97b65f3-24c7-4388-baec-2e87135dc908\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a97b65f3-24c7-4388-baec-2e87135dc908\"\ + },{\"properties\":{\"roleName\":\"Cognitive Services Data Reader (Preview)\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Lets you read Cognitive Services\ + \ data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"\ + notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/*/read\"],\"\ + notDataActions\":[]}],\"createdOn\":\"2019-02-13T20:02:12.6849986Z\",\"updatedOn\"\ + :\"2021-11-11T20:13:27.7138054Z\",\"createdBy\":null,\"updatedBy\":null},\"\ + id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b59867f0-fa02-499b-be73-45a86b5b3e1c\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b59867f0-fa02-499b-be73-45a86b5b3e1c\"\ + },{\"properties\":{\"roleName\":\"Cognitive Services Contributor\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Lets you create, read, update, delete and\ + \ manage keys of Cognitive Services.\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.CognitiveServices/*\"\ + ,\"Microsoft.Features/features/read\",\"Microsoft.Features/providers/features/read\"\ + ,\"Microsoft.Features/providers/features/register/action\",\"Microsoft.Insights/alertRules/*\"\ + ,\"Microsoft.Insights/diagnosticSettings/*\",\"Microsoft.Insights/logDefinitions/read\"\ + ,\"Microsoft.Insights/metricdefinitions/read\",\"Microsoft.Insights/metrics/read\"\ + ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/subscriptions/operationresults/read\"\ + ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2018-08-08T23:18:39.2257848Z\",\"updatedOn\":\"2021-11-11T20:13:27.9116230Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/25fbc0a9-bd7c-42a3-aa1a-3b75d497ee68\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"25fbc0a9-bd7c-42a3-aa1a-3b75d497ee68\"\ + },{\"properties\":{\"roleName\":\"CosmosBackupOperator\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Can submit restore request for a Cosmos DB database or\ + \ a container for an account\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.DocumentDB/databaseAccounts/backup/action\",\"\ + Microsoft.DocumentDB/databaseAccounts/restore/action\"],\"notActions\":[],\"\ + dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-12-07T19:47:14.9651560Z\"\ + ,\"updatedOn\":\"2021-11-11T20:13:28.4333692Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/db7b14f2-5adf-42da-9f96-f2ee17bab5cb\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"db7b14f2-5adf-42da-9f96-f2ee17bab5cb\"\ + },{\"properties\":{\"roleName\":\"Contributor\",\"type\":\"BuiltInRole\",\"\ + description\":\"Grants full access to manage all resources, but does not allow\ + \ you to assign roles in Azure RBAC, manage assignments in Azure Blueprints,\ + \ or share image galleries.\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"*\"],\"notActions\":[\"Microsoft.Authorization/*/Delete\"\ + ,\"Microsoft.Authorization/*/Write\",\"Microsoft.Authorization/elevateAccess/Action\"\ + ,\"Microsoft.Blueprint/blueprintAssignments/write\",\"Microsoft.Blueprint/blueprintAssignments/delete\"\ + ,\"Microsoft.Compute/galleries/share/action\"],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:28.6061853Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b24988ac-6180-42a0-ab88-20f7382dd24c\"\ + },{\"properties\":{\"roleName\":\"Cosmos DB Account Reader Role\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Can read Azure Cosmos DB Accounts data\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.DocumentDB/*/read\",\"Microsoft.DocumentDB/databaseAccounts/readonlykeys/action\"\ + ,\"Microsoft.Insights/MetricDefinitions/read\",\"Microsoft.Insights/Metrics/read\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2017-10-30T17:53:54.6005577Z\",\"updatedOn\":\"2021-11-11T20:13:28.7911765Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fbdf93bf-df7d-467e-a4d2-9458aa1360c8\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fbdf93bf-df7d-467e-a4d2-9458aa1360c8\"\ + },{\"properties\":{\"roleName\":\"Cost Management Contributor\",\"type\":\"\ + BuiltInRole\",\"description\":\"Can view costs and manage cost configuration\ + \ (e.g. budgets, exports)\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ + actions\":[\"Microsoft.Consumption/*\",\"Microsoft.CostManagement/*\",\"Microsoft.Billing/billingPeriods/read\"\ + ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Support/*\",\"Microsoft.Advisor/configurations/read\",\"Microsoft.Advisor/recommendations/read\"\ + ,\"Microsoft.Management/managementGroups/read\",\"Microsoft.Billing/billingProperty/read\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2018-03-14T16:09:22.8834827Z\",\"updatedOn\":\"2021-11-11T20:13:29.4851851Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/434105ed-43f6-45c7-a02f-909b2ba83430\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"434105ed-43f6-45c7-a02f-909b2ba83430\"\ + },{\"properties\":{\"roleName\":\"Cost Management Reader\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Can view cost data and configuration (e.g. budgets, exports)\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Consumption/*/read\"\ + ,\"Microsoft.CostManagement/*/read\",\"Microsoft.Billing/billingPeriods/read\"\ + ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Support/*\",\"Microsoft.Advisor/configurations/read\",\"Microsoft.Advisor/recommendations/read\"\ + ,\"Microsoft.Management/managementGroups/read\",\"Microsoft.Billing/billingProperty/read\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2018-03-14T16:09:22.8834827Z\",\"updatedOn\":\"2021-11-11T20:13:29.6601800Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/72fafb9e-0641-4937-9268-a91bfd8191a3\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"72fafb9e-0641-4937-9268-a91bfd8191a3\"\ + },{\"properties\":{\"roleName\":\"Data Box Contributor\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Lets you manage everything under Data Box Service except\ + \ giving access to others.\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Support/*\",\"Microsoft.Databox/*\"],\"notActions\":[],\"dataActions\"\ + :[],\"notDataActions\":[]}],\"createdOn\":\"2018-07-27T08:28:42.7140210Z\"\ + ,\"updatedOn\":\"2021-11-11T20:13:30.3737856Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/add466c9-e687-43fc-8d98-dfcf8d720be5\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"add466c9-e687-43fc-8d98-dfcf8d720be5\"\ + },{\"properties\":{\"roleName\":\"Data Box Reader\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Lets you manage Data Box Service except creating order\ + \ or editing order details and giving access to others.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Databox/*/read\",\"Microsoft.Databox/jobs/listsecrets/action\"\ + ,\"Microsoft.Databox/jobs/listcredentials/action\",\"Microsoft.Databox/locations/availableSkus/action\"\ + ,\"Microsoft.Databox/locations/validateInputs/action\",\"Microsoft.Databox/locations/regionConfiguration/action\"\ + ,\"Microsoft.Databox/locations/validateAddress/action\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ + ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2018-07-27T08:26:21.9284772Z\",\"updatedOn\":\"2021-11-11T20:13:30.5546117Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/028f4ed7-e2a9-465e-a8f4-9c0ffdfdc027\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"028f4ed7-e2a9-465e-a8f4-9c0ffdfdc027\"\ + },{\"properties\":{\"roleName\":\"Data Factory Contributor\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Create and manage data factories, as well as child resources\ + \ within them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.Authorization/*/read\",\"Microsoft.DataFactory/dataFactories/*\"\ + ,\"Microsoft.DataFactory/factories/*\",\"Microsoft.Insights/alertRules/*\"\ + ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ + ,\"Microsoft.EventGrid/eventSubscriptions/write\"],\"notActions\":[],\"dataActions\"\ + :[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\"\ + ,\"updatedOn\":\"2021-11-11T20:13:30.7420174Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/673868aa-7521-48a0-acc6-0f60742d39f5\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"673868aa-7521-48a0-acc6-0f60742d39f5\"\ + },{\"properties\":{\"roleName\":\"Data Purger\",\"type\":\"BuiltInRole\",\"\ + description\":\"Can purge analytics data\",\"assignableScopes\":[\"/\"],\"\ + permissions\":[{\"actions\":[\"Microsoft.Insights/components/*/read\",\"Microsoft.Insights/components/purge/action\"\ + ,\"Microsoft.OperationalInsights/workspaces/*/read\",\"Microsoft.OperationalInsights/workspaces/purge/action\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2018-04-30T22:39:49.6167700Z\",\"updatedOn\":\"2021-11-11T20:13:31.2788395Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/150f5e0c-0603-4f03-8c7f-cf70034c4e90\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"150f5e0c-0603-4f03-8c7f-cf70034c4e90\"\ + },{\"properties\":{\"roleName\":\"Data Lake Analytics Developer\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Lets you submit, monitor, and manage your\ + \ own jobs but not create or delete Data Lake Analytics accounts.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.BigAnalytics/accounts/*\",\"Microsoft.DataLakeAnalytics/accounts/*\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Support/*\"],\"notActions\":[\"Microsoft.BigAnalytics/accounts/Delete\"\ + ,\"Microsoft.BigAnalytics/accounts/TakeOwnership/action\",\"Microsoft.BigAnalytics/accounts/Write\"\ + ,\"Microsoft.DataLakeAnalytics/accounts/Delete\",\"Microsoft.DataLakeAnalytics/accounts/TakeOwnership/action\"\ + ,\"Microsoft.DataLakeAnalytics/accounts/Write\",\"Microsoft.DataLakeAnalytics/accounts/dataLakeStoreAccounts/Write\"\ + ,\"Microsoft.DataLakeAnalytics/accounts/dataLakeStoreAccounts/Delete\",\"\ + Microsoft.DataLakeAnalytics/accounts/storageAccounts/Write\",\"Microsoft.DataLakeAnalytics/accounts/storageAccounts/Delete\"\ + ,\"Microsoft.DataLakeAnalytics/accounts/firewallRules/Write\",\"Microsoft.DataLakeAnalytics/accounts/firewallRules/Delete\"\ + ,\"Microsoft.DataLakeAnalytics/accounts/computePolicies/Write\",\"Microsoft.DataLakeAnalytics/accounts/computePolicies/Delete\"\ + ],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-10-20T00:33:29.3115234Z\"\ + ,\"updatedOn\":\"2021-11-11T20:13:31.4688491Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/47b7735b-770e-4598-a7da-8b91488b4c88\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"47b7735b-770e-4598-a7da-8b91488b4c88\"\ + },{\"properties\":{\"roleName\":\"DevTest Labs User\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Lets you connect, start, restart, and shutdown your virtual\ + \ machines in your Azure DevTest Labs.\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Compute/availabilitySets/read\"\ + ,\"Microsoft.Compute/virtualMachines/*/read\",\"Microsoft.Compute/virtualMachines/deallocate/action\"\ + ,\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Compute/virtualMachines/restart/action\"\ + ,\"Microsoft.Compute/virtualMachines/start/action\",\"Microsoft.DevTestLab/*/read\"\ + ,\"Microsoft.DevTestLab/labs/claimAnyVm/action\",\"Microsoft.DevTestLab/labs/createEnvironment/action\"\ + ,\"Microsoft.DevTestLab/labs/ensureCurrentUserProfile/action\",\"Microsoft.DevTestLab/labs/formulas/delete\"\ + ,\"Microsoft.DevTestLab/labs/formulas/read\",\"Microsoft.DevTestLab/labs/formulas/write\"\ + ,\"Microsoft.DevTestLab/labs/policySets/evaluatePolicies/action\",\"Microsoft.DevTestLab/labs/virtualMachines/claim/action\"\ + ,\"Microsoft.DevTestLab/labs/virtualmachines/listApplicableSchedules/action\"\ + ,\"Microsoft.DevTestLab/labs/virtualMachines/getRdpFileContents/action\",\"\ + Microsoft.Network/loadBalancers/backendAddressPools/join/action\",\"Microsoft.Network/loadBalancers/inboundNatRules/join/action\"\ + ,\"Microsoft.Network/networkInterfaces/*/read\",\"Microsoft.Network/networkInterfaces/join/action\"\ + ,\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Network/networkInterfaces/write\"\ + ,\"Microsoft.Network/publicIPAddresses/*/read\",\"Microsoft.Network/publicIPAddresses/join/action\"\ + ,\"Microsoft.Network/publicIPAddresses/read\",\"Microsoft.Network/virtualNetworks/subnets/join/action\"\ + ,\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/read\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/listKeys/action\"\ + ],\"notActions\":[\"Microsoft.Compute/virtualMachines/vmSizes/read\"],\"dataActions\"\ + :[],\"notDataActions\":[]}],\"createdOn\":\"2015-06-08T21:52:45.0657582Z\"\ + ,\"updatedOn\":\"2021-11-11T20:13:32.1746507Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/76283e04-6283-4c54-8f91-bcf1374a3c64\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"76283e04-6283-4c54-8f91-bcf1374a3c64\"\ + },{\"properties\":{\"roleName\":\"DocumentDB Account Contributor\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Lets you manage DocumentDB accounts, but\ + \ not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ + actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.DocumentDb/databaseAccounts/*\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Support/*\",\"Microsoft.Network/virtualNetworks/subnets/joinViaServiceEndpoint/action\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:32.3496502Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5bd9cd88-fe45-4216-938b-f97437e15450\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5bd9cd88-fe45-4216-938b-f97437e15450\"\ + },{\"properties\":{\"roleName\":\"DNS Zone Contributor\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Lets you manage DNS zones and record sets in Azure DNS,\ + \ but does not let you control who has access to them.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Network/dnsZones/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2015-10-15T23:33:25.9730842Z\",\"updatedOn\":\"2021-11-11T20:13:32.5233957Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/befefa01-2a29-4197-83a8-272ff33ce314\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"befefa01-2a29-4197-83a8-272ff33ce314\"\ + },{\"properties\":{\"roleName\":\"EventGrid EventSubscription Contributor\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Lets you manage EventGrid event\ + \ subscription operations.\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.EventGrid/eventSubscriptions/*\"\ + ,\"Microsoft.EventGrid/topicTypes/eventSubscriptions/read\",\"Microsoft.EventGrid/locations/eventSubscriptions/read\"\ + ,\"Microsoft.EventGrid/locations/topicTypes/eventSubscriptions/read\",\"Microsoft.Insights/alertRules/*\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2018-10-08T23:27:28.3130743Z\",\"updatedOn\":\"2021-11-11T20:13:33.4166738Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/428e0ff0-5e57-4d9c-a221-2c70d0e0a443\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"428e0ff0-5e57-4d9c-a221-2c70d0e0a443\"\ + },{\"properties\":{\"roleName\":\"EventGrid EventSubscription Reader\",\"\ + type\":\"BuiltInRole\",\"description\":\"Lets you read EventGrid event subscriptions.\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.EventGrid/eventSubscriptions/read\",\"Microsoft.EventGrid/topicTypes/eventSubscriptions/read\"\ + ,\"Microsoft.EventGrid/locations/eventSubscriptions/read\",\"Microsoft.EventGrid/locations/topicTypes/eventSubscriptions/read\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\"\ + :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-10-09T17:29:28.1417894Z\"\ + ,\"updatedOn\":\"2021-11-11T20:13:33.7846748Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2414bbcf-6497-4faf-8c65-045460748405\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2414bbcf-6497-4faf-8c65-045460748405\"\ + },{\"properties\":{\"roleName\":\"Graph Owner\",\"type\":\"BuiltInRole\",\"\ + description\":\"Create and manage all aspects of the Enterprise Graph - Ontology,\ + \ Schema mapping, Conflation and Conversational AI and Ingestions\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.EnterpriseKnowledgeGraph/services/conflation/read\"\ + ,\"Microsoft.EnterpriseKnowledgeGraph/services/conflation/write\",\"Microsoft.EnterpriseKnowledgeGraph/services/sourceschema/read\"\ + ,\"Microsoft.EnterpriseKnowledgeGraph/services/sourceschema/write\",\"Microsoft.EnterpriseKnowledgeGraph/services/knowledge/read\"\ + ,\"Microsoft.EnterpriseKnowledgeGraph/services/knowledge/write\",\"Microsoft.EnterpriseKnowledgeGraph/services/intentclassification/read\"\ + ,\"Microsoft.EnterpriseKnowledgeGraph/services/intentclassification/write\"\ + ,\"Microsoft.EnterpriseKnowledgeGraph/services/ingestion/read\",\"Microsoft.EnterpriseKnowledgeGraph/services/ingestion/write\"\ + ,\"Microsoft.EnterpriseKnowledgeGraph/services/ontology/read\",\"Microsoft.EnterpriseKnowledgeGraph/services/ontology/write\"\ + ,\"Microsoft.EnterpriseKnowledgeGraph/services/delete\",\"Microsoft.EnterpriseKnowledgeGraph/operations/read\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2019-02-23T21:07:22.5844236Z\",\"updatedOn\":\"2021-11-11T20:13:34.6707886Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b60367af-1334-4454-b71e-769d9a4f83d9\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b60367af-1334-4454-b71e-769d9a4f83d9\"\ + },{\"properties\":{\"roleName\":\"HDInsight Domain Services Contributor\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Can Read, Create, Modify and Delete\ + \ Domain Services related operations needed for HDInsight Enterprise Security\ + \ Package\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"\ + Microsoft.AAD/*/read\",\"Microsoft.AAD/domainServices/*/read\",\"Microsoft.AAD/domainServices/oucontainer/*\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2018-09-12T22:42:51.7451109Z\",\"updatedOn\":\"2021-11-11T20:13:35.3921342Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8d8d5a11-05d3-4bda-a417-a08778121c7c\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8d8d5a11-05d3-4bda-a417-a08778121c7c\"\ + },{\"properties\":{\"roleName\":\"Intelligent Systems Account Contributor\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Lets you manage Intelligent Systems\ + \ accounts, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\"\ + ,\"Microsoft.IntelligentSystems/accounts/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:35.9371582Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/03a6d094-3444-4b3d-88af-7477090a9e5e\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"03a6d094-3444-4b3d-88af-7477090a9e5e\"\ + },{\"properties\":{\"roleName\":\"Key Vault Contributor\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Lets you manage key vaults, but not access to them.\",\"\ + assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.KeyVault/*\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ + ],\"notActions\":[\"Microsoft.KeyVault/locations/deletedVaults/purge/action\"\ + ,\"Microsoft.KeyVault/hsmPools/*\",\"Microsoft.KeyVault/managedHsms/*\"],\"\ + dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-02-25T17:08:28.5184971Z\"\ + ,\"updatedOn\":\"2021-11-11T20:13:36.1170988Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f25e0fa2-a7c8-4377-a976-54943a77a395\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f25e0fa2-a7c8-4377-a976-54943a77a395\"\ + },{\"properties\":{\"roleName\":\"Knowledge Consumer\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Knowledge Read permission to consume Enterprise Graph Knowledge\ + \ using entity search and graph query\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.EnterpriseKnowledgeGraph/services/knowledge/read\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2019-02-23T21:23:31.4037552Z\",\"updatedOn\":\"2021-11-11T20:13:37.0021342Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ee361c5d-f7b5-4119-b4b6-892157c8f64c\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ee361c5d-f7b5-4119-b4b6-892157c8f64c\"\ + },{\"properties\":{\"roleName\":\"Lab Creator\",\"type\":\"BuiltInRole\",\"\ + description\":\"Lets you create new labs under your Azure Lab Accounts.\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.LabServices/labAccounts/*/read\",\"Microsoft.LabServices/labAccounts/createLab/action\"\ + ,\"Microsoft.LabServices/labAccounts/getPricingAndAvailability/action\",\"\ + Microsoft.LabServices/labAccounts/getRestrictionsAndUsage/action\",\"Microsoft.Insights/alertRules/*\"\ + ,\"Microsoft.LabServices/labPlans/images/read\",\"Microsoft.LabServices/labPlans/read\"\ + ,\"Microsoft.LabServices/labPlans/saveImage/action\",\"Microsoft.LabServices/labs/read\"\ + ,\"Microsoft.LabServices/labs/schedules/read\",\"Microsoft.LabServices/labs/users/read\"\ + ,\"Microsoft.LabServices/labs/virtualMachines/read\",\"Microsoft.LabServices/locations/usages/read\"\ + ,\"Microsoft.LabServices/skus/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.LabServices/labPlans/createLab/action\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2018-01-18T23:38:58.1036141Z\",\"\ + updatedOn\":\"2021-11-11T20:13:37.1821588Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b97fb8bc-a8b2-4522-a38b-dd33c7e65ead\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b97fb8bc-a8b2-4522-a38b-dd33c7e65ead\"\ + },{\"properties\":{\"roleName\":\"Log Analytics Reader\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Log Analytics Reader can view and search all monitoring\ + \ data as well as and view monitoring settings, including viewing the configuration\ + \ of Azure diagnostics on all Azure resources.\",\"assignableScopes\":[\"\ + /\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.OperationalInsights/workspaces/analytics/query/action\"\ + ,\"Microsoft.OperationalInsights/workspaces/search/action\",\"Microsoft.Support/*\"\ + ],\"notActions\":[\"Microsoft.OperationalInsights/workspaces/sharedKeys/read\"\ + ],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-05-02T00:20:28.1449012Z\"\ + ,\"updatedOn\":\"2021-11-11T20:13:37.7071371Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/73c42c96-874c-492b-b04d-ab87d138a893\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"73c42c96-874c-492b-b04d-ab87d138a893\"\ + },{\"properties\":{\"roleName\":\"Log Analytics Contributor\",\"type\":\"\ + BuiltInRole\",\"description\":\"Log Analytics Contributor can read all monitoring\ + \ data and edit monitoring settings. Editing monitoring settings includes\ + \ adding the VM extension to VMs; reading storage account keys to be able\ + \ to configure collection of logs from Azure Storage; adding solutions; and\ + \ configuring Azure diagnostics on all Azure resources.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.ClassicCompute/virtualMachines/extensions/*\"\ + ,\"Microsoft.ClassicStorage/storageAccounts/listKeys/action\",\"Microsoft.Compute/virtualMachines/extensions/*\"\ + ,\"Microsoft.HybridCompute/machines/extensions/write\",\"Microsoft.Insights/alertRules/*\"\ + ,\"Microsoft.Insights/diagnosticSettings/*\",\"Microsoft.OperationalInsights/*\"\ + ,\"Microsoft.OperationsManagement/*\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/*\",\"Microsoft.Storage/storageAccounts/listKeys/action\"\ + ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2017-04-25T21:51:45.3174711Z\",\"updatedOn\":\"2021-11-11T20:13:37.8823618Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/92aaf0da-9dab-42b6-94a3-d43ce8d16293\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"92aaf0da-9dab-42b6-94a3-d43ce8d16293\"\ + },{\"properties\":{\"roleName\":\"Logic App Operator\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Lets you read, enable and disable logic app.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Insights/alertRules/*/read\",\"Microsoft.Insights/metricAlerts/*/read\"\ + ,\"Microsoft.Insights/diagnosticSettings/*/read\",\"Microsoft.Insights/metricDefinitions/*/read\"\ + ,\"Microsoft.Logic/*/read\",\"Microsoft.Logic/workflows/disable/action\",\"\ + Microsoft.Logic/workflows/enable/action\",\"Microsoft.Logic/workflows/validate/action\"\ + ,\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/subscriptions/operationresults/read\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ + ,\"Microsoft.Web/connectionGateways/*/read\",\"Microsoft.Web/connections/*/read\"\ + ,\"Microsoft.Web/customApis/*/read\",\"Microsoft.Web/serverFarms/read\"],\"\ + notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"\ + 2016-04-28T21:33:30.4656007Z\",\"updatedOn\":\"2021-11-11T20:13:38.0573444Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/515c2055-d9d4-4321-b1b9-bd0c9a0f79fe\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"515c2055-d9d4-4321-b1b9-bd0c9a0f79fe\"\ + },{\"properties\":{\"roleName\":\"Logic App Contributor\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Lets you manage logic app, but not access to them.\",\"\ + assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.ClassicStorage/storageAccounts/listKeys/action\",\"Microsoft.ClassicStorage/storageAccounts/read\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/metricAlerts/*\"\ + ,\"Microsoft.Insights/diagnosticSettings/*\",\"Microsoft.Insights/logdefinitions/*\"\ + ,\"Microsoft.Insights/metricDefinitions/*\",\"Microsoft.Logic/*\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Storage/storageAccounts/listkeys/action\",\"Microsoft.Storage/storageAccounts/read\"\ + ,\"Microsoft.Support/*\",\"Microsoft.Web/connectionGateways/*\",\"Microsoft.Web/connections/*\"\ + ,\"Microsoft.Web/customApis/*\",\"Microsoft.Web/serverFarms/join/action\"\ + ,\"Microsoft.Web/serverFarms/read\",\"Microsoft.Web/sites/functions/listSecrets/action\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2016-04-28T21:33:30.4656007Z\",\"updatedOn\":\"2021-11-11T20:13:38.2523833Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/87a39d53-fc1b-424a-814c-f7e04687dc9e\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"87a39d53-fc1b-424a-814c-f7e04687dc9e\"\ + },{\"properties\":{\"roleName\":\"Managed Application Operator Role\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Lets you read and perform actions on Managed\ + \ Application resources\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ + actions\":[\"*/read\",\"Microsoft.Solutions/applications/read\",\"Microsoft.Solutions/*/action\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2018-07-27T00:59:33.7988813Z\",\"updatedOn\":\"2021-11-11T20:13:38.5973763Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c7393b34-138c-406f-901b-d8cf2b17e6ae\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c7393b34-138c-406f-901b-d8cf2b17e6ae\"\ + },{\"properties\":{\"roleName\":\"Managed Applications Reader\",\"type\":\"\ + BuiltInRole\",\"description\":\"Lets you read resources in a managed app and\ + \ request JIT access.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ + actions\":[\"*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Solutions/jitRequests/*\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2018-09-06T00:33:58.3651522Z\",\"updatedOn\":\"2021-11-11T20:13:38.7723523Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b9331d33-8a36-4f8c-b097-4f54124fdb44\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b9331d33-8a36-4f8c-b097-4f54124fdb44\"\ + },{\"properties\":{\"roleName\":\"Managed Identity Operator\",\"type\":\"\ + BuiltInRole\",\"description\":\"Read and Assign User Assigned Identity\",\"\ + assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ManagedIdentity/userAssignedIdentities/*/read\"\ + ,\"Microsoft.ManagedIdentity/userAssignedIdentities/*/assign/action\",\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Support/*\"],\"notActions\"\ + :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-12-14T19:52:04.3924594Z\"\ + ,\"updatedOn\":\"2021-11-11T20:13:38.9523759Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f1a07417-d97a-45cb-824c-7a7467783830\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f1a07417-d97a-45cb-824c-7a7467783830\"\ + },{\"properties\":{\"roleName\":\"Managed Identity Contributor\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Create, Read, Update, and Delete User Assigned\ + \ Identity\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"\ + Microsoft.ManagedIdentity/userAssignedIdentities/read\",\"Microsoft.ManagedIdentity/userAssignedIdentities/write\"\ + ,\"Microsoft.ManagedIdentity/userAssignedIdentities/delete\",\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Support/*\"],\"notActions\"\ + :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-12-14T19:53:42.8804692Z\"\ + ,\"updatedOn\":\"2021-11-11T20:13:39.3023761Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e40ec5ca-96e0-45a2-b4ff-59039f2c2b59\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e40ec5ca-96e0-45a2-b4ff-59039f2c2b59\"\ + },{\"properties\":{\"roleName\":\"Management Group Contributor\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Management Group Contributor Role\",\"\ + assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Management/managementGroups/delete\"\ + ,\"Microsoft.Management/managementGroups/read\",\"Microsoft.Management/managementGroups/subscriptions/delete\"\ + ,\"Microsoft.Management/managementGroups/subscriptions/write\",\"Microsoft.Management/managementGroups/write\"\ + ,\"Microsoft.Management/managementGroups/subscriptions/read\",\"Microsoft.Authorization/*/read\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2018-06-22T00:28:29.0523964Z\",\"updatedOn\":\"2022-09-15T21:48:24.8299981Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5d58bcaf-24a5-4b20-bdb6-eed9f69fbe4c\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5d58bcaf-24a5-4b20-bdb6-eed9f69fbe4c\"\ + },{\"properties\":{\"roleName\":\"Management Group Reader\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Management Group Reader Role\",\"assignableScopes\":[\"\ + /\"],\"permissions\":[{\"actions\":[\"Microsoft.Management/managementGroups/read\"\ + ,\"Microsoft.Management/managementGroups/subscriptions/read\",\"Microsoft.Authorization/*/read\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2018-06-22T00:31:03.4295347Z\",\"updatedOn\":\"2022-09-15T21:48:24.8299981Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ac63b705-f282-497d-ac71-919bf39d939d\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ac63b705-f282-497d-ac71-919bf39d939d\"\ + },{\"properties\":{\"roleName\":\"Monitoring Metrics Publisher\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Enables publishing metrics against Azure\ + \ resources\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"\ + Microsoft.Insights/Register/Action\",\"Microsoft.Support/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.Insights/Metrics/Write\"\ + ,\"Microsoft.Insights/Telemetry/Write\"],\"notDataActions\":[]}],\"createdOn\"\ + :\"2018-08-14T00:36:16.5610279Z\",\"updatedOn\":\"2022-01-04T00:38:04.0289073Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3913510d-42f4-4e42-8a64-420c390055eb\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3913510d-42f4-4e42-8a64-420c390055eb\"\ + },{\"properties\":{\"roleName\":\"Monitoring Reader\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Can read all monitoring data.\",\"assignableScopes\":[\"\ + /\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.OperationalInsights/workspaces/search/action\"\ + ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2016-09-21T19:19:52.4939376Z\",\"updatedOn\":\"2022-09-05T15:10:49.4071427Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/43d0d8ad-25c7-4714-9337-8ba259a9fe05\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"43d0d8ad-25c7-4714-9337-8ba259a9fe05\"\ + },{\"properties\":{\"roleName\":\"Network Contributor\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Lets you manage networks, but not access to them.\",\"\ + assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Network/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2015-06-02T00:18:27.3542698Z\",\"updatedOn\":\"2021-11-11T20:13:44.6328966Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4d97b98b-1d4f-4787-a291-c67834d212e7\"\ + },{\"properties\":{\"roleName\":\"Monitoring Contributor\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Can read all monitoring data and update monitoring settings.\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"\ + Microsoft.AlertsManagement/alerts/*\",\"Microsoft.AlertsManagement/alertsSummary/*\"\ + ,\"Microsoft.Insights/actiongroups/*\",\"Microsoft.Insights/activityLogAlerts/*\"\ + ,\"Microsoft.Insights/AlertRules/*\",\"Microsoft.Insights/components/*\",\"\ + Microsoft.Insights/createNotifications/*\",\"Microsoft.Insights/dataCollectionEndpoints/*\"\ + ,\"Microsoft.Insights/dataCollectionRules/*\",\"Microsoft.Insights/dataCollectionRuleAssociations/*\"\ + ,\"Microsoft.Insights/DiagnosticSettings/*\",\"Microsoft.Insights/eventtypes/*\"\ + ,\"Microsoft.Insights/LogDefinitions/*\",\"Microsoft.Insights/metricalerts/*\"\ + ,\"Microsoft.Insights/MetricDefinitions/*\",\"Microsoft.Insights/Metrics/*\"\ + ,\"Microsoft.Insights/notificationStatus/*\",\"Microsoft.Insights/Register/Action\"\ + ,\"Microsoft.Insights/scheduledqueryrules/*\",\"Microsoft.Insights/webtests/*\"\ + ,\"Microsoft.Insights/workbooks/*\",\"Microsoft.Insights/workbooktemplates/*\"\ + ,\"Microsoft.Insights/privateLinkScopes/*\",\"Microsoft.Insights/privateLinkScopeOperationStatuses/*\"\ + ,\"Microsoft.OperationalInsights/workspaces/write\",\"Microsoft.OperationalInsights/workspaces/intelligencepacks/*\"\ + ,\"Microsoft.OperationalInsights/workspaces/savedSearches/*\",\"Microsoft.OperationalInsights/workspaces/search/action\"\ + ,\"Microsoft.OperationalInsights/workspaces/sharedKeys/action\",\"Microsoft.OperationalInsights/workspaces/storageinsightconfigs/*\"\ + ,\"Microsoft.Support/*\",\"Microsoft.WorkloadMonitor/monitors/*\",\"Microsoft.AlertsManagement/smartDetectorAlertRules/*\"\ + ,\"Microsoft.AlertsManagement/actionRules/*\",\"Microsoft.AlertsManagement/smartGroups/*\"\ + ,\"Microsoft.AlertsManagement/migrateFromSmartDetection/*\"],\"notActions\"\ + :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-09-21T19:21:08.4345976Z\"\ + ,\"updatedOn\":\"2022-09-05T15:10:49.4071427Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/749f88d5-cbae-40b8-bcfc-e573ddc772fa\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"749f88d5-cbae-40b8-bcfc-e573ddc772fa\"\ + },{\"properties\":{\"roleName\":\"New Relic APM Account Contributor\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Lets you manage New Relic Application Performance\ + \ Management accounts and applications, but not access to them.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Support/*\",\"NewRelic.APM/accounts/*\"],\"notActions\":[],\"\ + dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\"\ + ,\"updatedOn\":\"2021-11-11T20:13:45.7178576Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5d28c62d-5b37-4476-8438-e587778df237\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5d28c62d-5b37-4476-8438-e587778df237\"\ + },{\"properties\":{\"roleName\":\"Reader\",\"type\":\"BuiltInRole\",\"description\"\ + :\"View all resources, but does not allow you to make any changes.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"*/read\"],\"notActions\":[],\"dataActions\"\ + :[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\"\ + ,\"updatedOn\":\"2021-11-11T20:13:47.8628684Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"acdd72a7-3385-48ef-bd42-f606fba81ae7\"\ + },{\"properties\":{\"roleName\":\"Redis Cache Contributor\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Lets you manage Redis caches, but not access to them.\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Cache/register/action\",\"Microsoft.Cache/redis/*\",\"Microsoft.Insights/alertRules/*\"\ + ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:48.0528671Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e0f68234-74aa-48ed-b826-c38b57376e17\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e0f68234-74aa-48ed-b826-c38b57376e17\"\ + },{\"properties\":{\"roleName\":\"Reader and Data Access\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Lets you view everything but will not let you delete or\ + \ create a storage account or contained resource. It will also allow read/write\ + \ access to all data contained in a storage account via access to storage\ + \ account keys.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.Storage/storageAccounts/listKeys/action\",\"Microsoft.Storage/storageAccounts/ListAccountSas/action\"\ + ,\"Microsoft.Storage/storageAccounts/read\"],\"notActions\":[],\"dataActions\"\ + :[],\"notDataActions\":[]}],\"createdOn\":\"2018-03-27T23:20:46.1498906Z\"\ + ,\"updatedOn\":\"2021-11-11T20:13:48.2278951Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c12c1c16-33a1-487b-954d-41c89c60f349\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c12c1c16-33a1-487b-954d-41c89c60f349\"\ + },{\"properties\":{\"roleName\":\"Resource Policy Contributor\",\"type\":\"\ + BuiltInRole\",\"description\":\"Users with rights to create/modify resource\ + \ policy, create support ticket and read resources/hierarchy.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.Authorization/policyassignments/*\"\ + ,\"Microsoft.Authorization/policydefinitions/*\",\"Microsoft.Authorization/policyexemptions/*\"\ + ,\"Microsoft.Authorization/policysetdefinitions/*\",\"Microsoft.PolicyInsights/*\"\ + ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2017-08-25T19:08:01.3861639Z\",\"updatedOn\":\"2021-11-11T20:13:49.6679217Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/36243c78-bf99-498c-9df9-86d9f8d28608\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"36243c78-bf99-498c-9df9-86d9f8d28608\"\ + },{\"properties\":{\"roleName\":\"Scheduler Job Collections Contributor\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Lets you manage Scheduler job\ + \ collections, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\"\ + ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Scheduler/jobcollections/*\"\ + ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:49.8429293Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/188a0f2f-5c9e-469b-ae67-2aa5ce574b94\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"188a0f2f-5c9e-469b-ae67-2aa5ce574b94\"\ + },{\"properties\":{\"roleName\":\"Search Service Contributor\",\"type\":\"\ + BuiltInRole\",\"description\":\"Lets you manage Search services, but not access\ + \ to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"\ + Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Search/searchServices/*\",\"Microsoft.Support/*\"],\"notActions\"\ + :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\"\ + ,\"updatedOn\":\"2021-11-11T20:13:50.0229309Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7ca78c08-252a-4471-8644-bb5ff32d4ba0\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7ca78c08-252a-4471-8644-bb5ff32d4ba0\"\ + },{\"properties\":{\"roleName\":\"Security Manager (Legacy)\",\"type\":\"\ + BuiltInRole\",\"description\":\"This is a legacy role. Please use Security\ + \ Administrator instead\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ + actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.ClassicCompute/*/read\"\ + ,\"Microsoft.ClassicCompute/virtualMachines/*/write\",\"Microsoft.ClassicNetwork/*/read\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Security/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\"\ + :[],\"notDataActions\":[]}],\"createdOn\":\"2015-06-22T17:45:15.8986455Z\"\ + ,\"updatedOn\":\"2021-11-11T20:13:50.5729549Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e3d13bf0-dd5a-482e-ba6b-9b8433878d10\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e3d13bf0-dd5a-482e-ba6b-9b8433878d10\"\ + },{\"properties\":{\"roleName\":\"Security Reader\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Security Reader Role\",\"assignableScopes\":[\"/\"],\"\ + permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/read\"\ + ,\"Microsoft.operationalInsights/workspaces/*/read\",\"Microsoft.Resources/deployments/*/read\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Security/*/read\"\ + ,\"Microsoft.IoTSecurity/*/read\",\"Microsoft.Support/*/read\",\"Microsoft.Security/iotDefenderSettings/packageDownloads/action\"\ + ,\"Microsoft.Security/iotDefenderSettings/downloadManagerActivation/action\"\ + ,\"Microsoft.Security/iotSensors/downloadResetPassword/action\",\"Microsoft.IoTSecurity/defenderSettings/packageDownloads/action\"\ + ,\"Microsoft.IoTSecurity/defenderSettings/downloadManagerActivation/action\"\ + ,\"Microsoft.Management/managementGroups/read\"],\"notActions\":[],\"dataActions\"\ + :[],\"notDataActions\":[]}],\"createdOn\":\"2017-05-03T07:48:49.0516559Z\"\ + ,\"updatedOn\":\"2021-11-11T20:13:50.7479015Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/39bc4728-0917-49c7-9d2c-d95423bc2eb4\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"39bc4728-0917-49c7-9d2c-d95423bc2eb4\"\ + },{\"properties\":{\"roleName\":\"Spatial Anchors Account Contributor\",\"\ + type\":\"BuiltInRole\",\"description\":\"Lets you manage spatial anchors in\ + \ your account, but not delete them\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/SpatialAnchorsAccounts/create/action\"\ + ,\"Microsoft.MixedReality/SpatialAnchorsAccounts/discovery/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/properties/read\"\ + ,\"Microsoft.MixedReality/SpatialAnchorsAccounts/query/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/submitdiag/read\"\ + ,\"Microsoft.MixedReality/SpatialAnchorsAccounts/write\"],\"notDataActions\"\ + :[]}],\"createdOn\":\"2018-12-21T17:57:41.1420864Z\",\"updatedOn\":\"2021-11-11T20:13:52.2829400Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8bbe83f1-e2a6-4df7-8cb4-4e04d4e5c827\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8bbe83f1-e2a6-4df7-8cb4-4e04d4e5c827\"\ + },{\"properties\":{\"roleName\":\"Site Recovery Contributor\",\"type\":\"\ + BuiltInRole\",\"description\":\"Lets you manage Site Recovery service except\ + \ vault creation and role assignment\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\"\ + ,\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.RecoveryServices/locations/allocatedStamp/read\"\ + ,\"Microsoft.RecoveryServices/locations/allocateStamp/action\",\"Microsoft.RecoveryServices/Vaults/certificates/write\"\ + ,\"Microsoft.RecoveryServices/Vaults/extendedInformation/*\",\"Microsoft.RecoveryServices/Vaults/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/refreshContainers/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/*\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationAlertSettings/*\",\"Microsoft.RecoveryServices/vaults/replicationEvents/read\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/*\",\"Microsoft.RecoveryServices/vaults/replicationJobs/*\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationPolicies/*\",\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/*\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationVaultSettings/*\",\"Microsoft.RecoveryServices/Vaults/storageConfig/*\"\ + ,\"Microsoft.RecoveryServices/Vaults/tokenInfo/read\",\"Microsoft.RecoveryServices/Vaults/usages/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/vaultTokens/read\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/*\"\ + ,\"Microsoft.RecoveryServices/Vaults/monitoringConfigurations/notificationConfiguration/read\"\ + ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/read\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationOperationStatus/read\",\"\ + Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2017-05-19T13:46:17.4592776Z\",\"updatedOn\":\"2021-11-11T20:13:52.4579503Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6670b86e-a3f7-4917-ac9b-5d6ab1be4567\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6670b86e-a3f7-4917-ac9b-5d6ab1be4567\"\ + },{\"properties\":{\"roleName\":\"Site Recovery Operator\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Lets you failover and failback but not perform other Site\ + \ Recovery management operations\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\"\ + ,\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.RecoveryServices/locations/allocatedStamp/read\"\ + ,\"Microsoft.RecoveryServices/locations/allocateStamp/action\",\"Microsoft.RecoveryServices/Vaults/extendedInformation/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/read\",\"Microsoft.RecoveryServices/Vaults/refreshContainers/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/registeredIdentities/operationResults/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/registeredIdentities/read\",\"Microsoft.RecoveryServices/vaults/replicationAlertSettings/read\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationEvents/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/checkConsistency/action\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/reassociateGateway/action\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/renewcertificate/action\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationNetworks/read\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationNetworks/replicationNetworkMappings/read\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/read\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectableItems/read\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/applyRecoveryPoint/action\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/failoverCommit/action\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/plannedFailover/action\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/read\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/recoveryPoints/read\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/repairReplication/action\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/reProtect/action\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/switchprotection/action\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/testFailover/action\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/testFailoverCleanup/action\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/unplannedFailover/action\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/updateMobilityService/action\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectionContainerMappings/read\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationRecoveryServicesProviders/read\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationRecoveryServicesProviders/refreshProvider/action\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationStorageClassifications/read\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationStorageClassifications/replicationStorageClassificationMappings/read\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationvCenters/read\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationJobs/*\",\"Microsoft.RecoveryServices/vaults/replicationPolicies/read\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/failoverCommit/action\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/plannedFailover/action\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/read\",\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/reProtect/action\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/testFailover/action\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/testFailoverCleanup/action\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/unplannedFailover/action\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationVaultSettings/read\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/*\"\ + ,\"Microsoft.RecoveryServices/Vaults/monitoringConfigurations/notificationConfiguration/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/storageConfig/read\",\"Microsoft.RecoveryServices/Vaults/tokenInfo/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/usages/read\",\"Microsoft.RecoveryServices/Vaults/vaultTokens/read\"\ + ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/read\"\ + ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2017-05-19T13:47:50.1341148Z\",\"updatedOn\":\"2021-11-11T20:13:52.6263418Z\"\ + ,\"createdBy\":null,\"updatedBy\":\"\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/494ae006-db33-4328-bf46-533a6560a3ca\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"494ae006-db33-4328-bf46-533a6560a3ca\"\ + },{\"properties\":{\"roleName\":\"Spatial Anchors Account Reader\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Lets you locate and read properties of\ + \ spatial anchors in your account\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/SpatialAnchorsAccounts/discovery/read\"\ + ,\"Microsoft.MixedReality/SpatialAnchorsAccounts/properties/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/query/read\"\ + ,\"Microsoft.MixedReality/SpatialAnchorsAccounts/submitdiag/read\"],\"notDataActions\"\ + :[]}],\"createdOn\":\"2018-12-21T17:57:42.9271004Z\",\"updatedOn\":\"2021-11-11T20:13:52.8013467Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5d51204f-eb77-4b1c-b86a-2ec626c49413\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5d51204f-eb77-4b1c-b86a-2ec626c49413\"\ + },{\"properties\":{\"roleName\":\"Site Recovery Reader\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Lets you view Site Recovery status but not perform other\ + \ management operations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ + actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.RecoveryServices/locations/allocatedStamp/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/extendedInformation/read\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/monitoringConfigurations/notificationConfiguration/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/read\",\"Microsoft.RecoveryServices/Vaults/refreshContainers/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/registeredIdentities/operationResults/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/registeredIdentities/read\",\"Microsoft.RecoveryServices/vaults/replicationAlertSettings/read\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationEvents/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/read\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationNetworks/read\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationNetworks/replicationNetworkMappings/read\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/read\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectableItems/read\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/read\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/recoveryPoints/read\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectionContainerMappings/read\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationRecoveryServicesProviders/read\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationStorageClassifications/read\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationStorageClassifications/replicationStorageClassificationMappings/read\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationvCenters/read\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationJobs/read\",\"Microsoft.RecoveryServices/vaults/replicationPolicies/read\"\ + ,\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/read\",\"Microsoft.RecoveryServices/vaults/replicationVaultSettings/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/storageConfig/read\",\"Microsoft.RecoveryServices/Vaults/tokenInfo/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/usages/read\",\"Microsoft.RecoveryServices/Vaults/vaultTokens/read\"\ + ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2017-05-19T13:35:40.0093634Z\",\"updatedOn\":\"2021-11-11T20:13:52.9763366Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/dbaa88c4-0c30-4179-9fb3-46319faa6149\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"dbaa88c4-0c30-4179-9fb3-46319faa6149\"\ + },{\"properties\":{\"roleName\":\"Spatial Anchors Account Owner\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Lets you manage spatial anchors in your\ + \ account, including deleting them\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/SpatialAnchorsAccounts/create/action\"\ + ,\"Microsoft.MixedReality/SpatialAnchorsAccounts/delete\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/discovery/read\"\ + ,\"Microsoft.MixedReality/SpatialAnchorsAccounts/properties/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/query/read\"\ + ,\"Microsoft.MixedReality/SpatialAnchorsAccounts/submitdiag/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/write\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2018-12-21T17:57:43.5489832Z\",\"\ + updatedOn\":\"2021-11-11T20:13:53.1663250Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/70bbe301-9835-447d-afdd-19eb3167307c\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"70bbe301-9835-447d-afdd-19eb3167307c\"\ + },{\"properties\":{\"roleName\":\"SQL Managed Instance Contributor\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Lets you manage SQL Managed Instances and\ + \ required network configuration, but can\u2019t give access to others.\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Network/networkSecurityGroups/*\",\"Microsoft.Network/routeTables/*\"\ + ,\"Microsoft.Sql/locations/*/read\",\"Microsoft.Sql/locations/instanceFailoverGroups/*\"\ + ,\"Microsoft.Sql/managedInstances/*\",\"Microsoft.Support/*\",\"Microsoft.Network/virtualNetworks/subnets/*\"\ + ,\"Microsoft.Network/virtualNetworks/*\",\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/metrics/read\",\"\ + Microsoft.Insights/metricDefinitions/read\"],\"notActions\":[\"Microsoft.Sql/managedInstances/azureADOnlyAuthentications/delete\"\ + ,\"Microsoft.Sql/managedInstances/azureADOnlyAuthentications/write\"],\"dataActions\"\ + :[],\"notDataActions\":[]}],\"createdOn\":\"2018-12-10T22:57:14.2937983Z\"\ + ,\"updatedOn\":\"2021-11-11T20:13:53.3513507Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4939a1f6-9ae0-4e48-a1e0-f2cbe897382d\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4939a1f6-9ae0-4e48-a1e0-f2cbe897382d\"\ + },{\"properties\":{\"roleName\":\"SQL DB Contributor\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Lets you manage SQL databases, but not access to them.\ + \ Also, you can't manage their security-related policies or their parent SQL\ + \ servers.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"\ + Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Sql/locations/*/read\",\"Microsoft.Sql/servers/databases/*\"\ + ,\"Microsoft.Sql/servers/read\",\"Microsoft.Support/*\",\"Microsoft.Insights/metrics/read\"\ + ,\"Microsoft.Insights/metricDefinitions/read\"],\"notActions\":[\"Microsoft.Sql/servers/databases/ledgerDigestUploads/write\"\ + ,\"Microsoft.Sql/servers/databases/ledgerDigestUploads/disable/action\",\"\ + Microsoft.Sql/managedInstances/databases/currentSensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/recommendedSensitivityLabels/*\"\ + ,\"Microsoft.Sql/managedInstances/databases/schemas/tables/columns/sensitivityLabels/*\"\ + ,\"Microsoft.Sql/managedInstances/databases/securityAlertPolicies/*\",\"Microsoft.Sql/managedInstances/databases/sensitivityLabels/*\"\ + ,\"Microsoft.Sql/managedInstances/databases/vulnerabilityAssessments/*\",\"\ + Microsoft.Sql/managedInstances/securityAlertPolicies/*\",\"Microsoft.Sql/managedInstances/vulnerabilityAssessments/*\"\ + ,\"Microsoft.Sql/servers/databases/auditingSettings/*\",\"Microsoft.Sql/servers/databases/auditRecords/read\"\ + ,\"Microsoft.Sql/servers/databases/currentSensitivityLabels/*\",\"Microsoft.Sql/servers/databases/dataMaskingPolicies/*\"\ + ,\"Microsoft.Sql/servers/databases/extendedAuditingSettings/*\",\"Microsoft.Sql/servers/databases/recommendedSensitivityLabels/*\"\ + ,\"Microsoft.Sql/servers/databases/schemas/tables/columns/sensitivityLabels/*\"\ + ,\"Microsoft.Sql/servers/databases/securityAlertPolicies/*\",\"Microsoft.Sql/servers/databases/securityMetrics/*\"\ + ,\"Microsoft.Sql/servers/databases/sensitivityLabels/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessments/*\"\ + ,\"Microsoft.Sql/servers/databases/vulnerabilityAssessmentScans/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessmentSettings/*\"\ + ,\"Microsoft.Sql/servers/vulnerabilityAssessments/*\"],\"dataActions\":[],\"\ + notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\"\ + :\"2021-11-11T20:13:53.5363219Z\",\"createdBy\":null,\"updatedBy\":null},\"\ + id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9b7fa17d-e63e-47b0-bb0a-15c516ac86ec\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"9b7fa17d-e63e-47b0-bb0a-15c516ac86ec\"\ + },{\"properties\":{\"roleName\":\"SQL Security Manager\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Lets you manage the security-related policies of SQL servers\ + \ and databases, but not access to them.\",\"assignableScopes\":[\"/\"],\"\ + permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\"\ + ,\"Microsoft.Network/virtualNetworks/subnets/joinViaServiceEndpoint/action\"\ + ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Sql/locations/administratorAzureAsyncOperation/read\"\ + ,\"Microsoft.Sql/managedInstances/advancedThreatProtectionSettings/read\"\ + ,\"Microsoft.Sql/managedInstances/advancedThreatProtectionSettings/write\"\ + ,\"Microsoft.Sql/managedInstances/databases/advancedThreatProtectionSettings/read\"\ + ,\"Microsoft.Sql/managedInstances/databases/advancedThreatProtectionSettings/write\"\ + ,\"Microsoft.Sql/managedInstances/advancedThreatProtectionSettings/read\"\ + ,\"Microsoft.Sql/managedInstances/advancedThreatProtectionSettings/write\"\ + ,\"Microsoft.Sql/managedInstances/databases/advancedThreatProtectionSettings/read\"\ + ,\"Microsoft.Sql/managedInstances/databases/advancedThreatProtectionSettings/write\"\ + ,\"Microsoft.Sql/managedInstances/databases/currentSensitivityLabels/*\",\"\ + Microsoft.Sql/managedInstances/databases/recommendedSensitivityLabels/*\"\ + ,\"Microsoft.Sql/managedInstances/databases/schemas/tables/columns/sensitivityLabels/*\"\ + ,\"Microsoft.Sql/managedInstances/databases/securityAlertPolicies/*\",\"Microsoft.Sql/managedInstances/databases/sensitivityLabels/*\"\ + ,\"Microsoft.Sql/managedInstances/databases/vulnerabilityAssessments/*\",\"\ + Microsoft.Sql/servers/advancedThreatProtectionSettings/read\",\"Microsoft.Sql/servers/advancedThreatProtectionSettings/write\"\ + ,\"Microsoft.Sql/managedInstances/securityAlertPolicies/*\",\"Microsoft.Sql/managedInstances/databases/transparentDataEncryption/*\"\ + ,\"Microsoft.Sql/managedInstances/vulnerabilityAssessments/*\",\"Microsoft.Sql/servers/advancedThreatProtectionSettings/read\"\ + ,\"Microsoft.Sql/servers/advancedThreatProtectionSettings/write\",\"Microsoft.Sql/servers/auditingSettings/*\"\ + ,\"Microsoft.Sql/servers/extendedAuditingSettings/read\",\"Microsoft.Sql/servers/databases/advancedThreatProtectionSettings/read\"\ + ,\"Microsoft.Sql/servers/databases/advancedThreatProtectionSettings/write\"\ + ,\"Microsoft.Sql/servers/databases/advancedThreatProtectionSettings/read\"\ + ,\"Microsoft.Sql/servers/databases/advancedThreatProtectionSettings/write\"\ + ,\"Microsoft.Sql/servers/databases/auditingSettings/*\",\"Microsoft.Sql/servers/databases/auditRecords/read\"\ + ,\"Microsoft.Sql/servers/databases/currentSensitivityLabels/*\",\"Microsoft.Sql/servers/databases/dataMaskingPolicies/*\"\ + ,\"Microsoft.Sql/servers/databases/extendedAuditingSettings/read\",\"Microsoft.Sql/servers/databases/read\"\ + ,\"Microsoft.Sql/servers/databases/recommendedSensitivityLabels/*\",\"Microsoft.Sql/servers/databases/schemas/read\"\ + ,\"Microsoft.Sql/servers/databases/schemas/tables/columns/read\",\"Microsoft.Sql/servers/databases/schemas/tables/columns/sensitivityLabels/*\"\ + ,\"Microsoft.Sql/servers/databases/schemas/tables/read\",\"Microsoft.Sql/servers/databases/securityAlertPolicies/*\"\ + ,\"Microsoft.Sql/servers/databases/securityMetrics/*\",\"Microsoft.Sql/servers/databases/sensitivityLabels/*\"\ + ,\"Microsoft.Sql/servers/databases/transparentDataEncryption/*\",\"Microsoft.Sql/servers/databases/sqlvulnerabilityAssessments/*\"\ + ,\"Microsoft.Sql/servers/databases/vulnerabilityAssessments/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessmentScans/*\"\ + ,\"Microsoft.Sql/servers/databases/vulnerabilityAssessmentSettings/*\",\"\ + Microsoft.Sql/servers/devOpsAuditingSettings/*\",\"Microsoft.Sql/servers/firewallRules/*\"\ + ,\"Microsoft.Sql/servers/read\",\"Microsoft.Sql/servers/securityAlertPolicies/*\"\ + ,\"Microsoft.Sql/servers/sqlvulnerabilityAssessments/*\",\"Microsoft.Sql/servers/vulnerabilityAssessments/*\"\ + ,\"Microsoft.Support/*\",\"Microsoft.Sql/servers/azureADOnlyAuthentications/*\"\ + ,\"Microsoft.Sql/managedInstances/read\",\"Microsoft.Sql/managedInstances/azureADOnlyAuthentications/*\"\ + ,\"Microsoft.Security/sqlVulnerabilityAssessments/*\",\"Microsoft.Sql/managedInstances/administrators/read\"\ + ,\"Microsoft.Sql/servers/administrators/read\",\"Microsoft.Sql/servers/databases/ledgerDigestUploads/*\"\ + ,\"Microsoft.Sql/locations/ledgerDigestUploadsAzureAsyncOperation/read\",\"\ + Microsoft.Sql/locations/ledgerDigestUploadsOperationResults/read\",\"Microsoft.Sql/servers/externalPolicyBasedAuthorizations/*\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2015-06-16T18:44:40.4607572Z\",\"updatedOn\":\"2022-12-08T21:09:48.6705495Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/056cd41c-7e88-42e1-933e-88ba6a50c9c3\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"056cd41c-7e88-42e1-933e-88ba6a50c9c3\"\ + },{\"properties\":{\"roleName\":\"Storage Account Contributor\",\"type\":\"\ + BuiltInRole\",\"description\":\"Lets you manage storage accounts, including\ + \ accessing storage account keys which provide full access to storage account\ + \ data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/diagnosticSettings/*\"\ + ,\"Microsoft.Network/virtualNetworks/subnets/joinViaServiceEndpoint/action\"\ + ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/*\"\ + ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2015-06-02T00:18:27.3542698Z\",\"updatedOn\":\"2021-11-11T20:13:54.2363539Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/17d1049b-9a84-46fb-8f53-869881c3d3ab\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"17d1049b-9a84-46fb-8f53-869881c3d3ab\"\ + },{\"properties\":{\"roleName\":\"SQL Server Contributor\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Lets you manage SQL servers and databases, but not access\ + \ to them, and not their security -related policies.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Sql/locations/*/read\",\"Microsoft.Sql/servers/*\",\"Microsoft.Support/*\"\ + ,\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\"\ + ],\"notActions\":[\"Microsoft.Sql/managedInstances/databases/currentSensitivityLabels/*\"\ + ,\"Microsoft.Sql/managedInstances/databases/recommendedSensitivityLabels/*\"\ + ,\"Microsoft.Sql/managedInstances/databases/schemas/tables/columns/sensitivityLabels/*\"\ + ,\"Microsoft.Sql/managedInstances/databases/securityAlertPolicies/*\",\"Microsoft.Sql/managedInstances/databases/sensitivityLabels/*\"\ + ,\"Microsoft.Sql/managedInstances/databases/vulnerabilityAssessments/*\",\"\ + Microsoft.Sql/managedInstances/securityAlertPolicies/*\",\"Microsoft.Sql/managedInstances/vulnerabilityAssessments/*\"\ + ,\"Microsoft.Sql/servers/auditingSettings/*\",\"Microsoft.Sql/servers/databases/auditingSettings/*\"\ + ,\"Microsoft.Sql/servers/databases/auditRecords/read\",\"Microsoft.Sql/servers/databases/currentSensitivityLabels/*\"\ + ,\"Microsoft.Sql/servers/databases/dataMaskingPolicies/*\",\"Microsoft.Sql/servers/databases/extendedAuditingSettings/*\"\ + ,\"Microsoft.Sql/servers/databases/recommendedSensitivityLabels/*\",\"Microsoft.Sql/servers/databases/schemas/tables/columns/sensitivityLabels/*\"\ + ,\"Microsoft.Sql/servers/databases/securityAlertPolicies/*\",\"Microsoft.Sql/servers/databases/securityMetrics/*\"\ + ,\"Microsoft.Sql/servers/databases/sensitivityLabels/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessments/*\"\ + ,\"Microsoft.Sql/servers/databases/vulnerabilityAssessmentScans/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessmentSettings/*\"\ + ,\"Microsoft.Sql/servers/devOpsAuditingSettings/*\",\"Microsoft.Sql/servers/extendedAuditingSettings/*\"\ + ,\"Microsoft.Sql/servers/securityAlertPolicies/*\",\"Microsoft.Sql/servers/vulnerabilityAssessments/*\"\ + ,\"Microsoft.Sql/servers/azureADOnlyAuthentications/delete\",\"Microsoft.Sql/servers/azureADOnlyAuthentications/write\"\ + ,\"Microsoft.Sql/servers/externalPolicyBasedAuthorizations/delete\",\"Microsoft.Sql/servers/externalPolicyBasedAuthorizations/write\"\ + ],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\"\ + ,\"updatedOn\":\"2022-04-28T19:08:55.4448647Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6d8ee4ec-f05a-4a1d-8b00-a9b17e38b437\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6d8ee4ec-f05a-4a1d-8b00-a9b17e38b437\"\ + },{\"properties\":{\"roleName\":\"Storage Account Key Operator Service Role\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Storage Account Key Operators\ + \ are allowed to list and regenerate keys on Storage Accounts\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/listkeys/action\"\ + ,\"Microsoft.Storage/storageAccounts/regeneratekey/action\"],\"notActions\"\ + :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-04-13T18:26:11.5770570Z\"\ + ,\"updatedOn\":\"2021-11-11T20:13:54.7697481Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/81a9662b-bebf-436f-a333-f67b29880f12\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"81a9662b-bebf-436f-a333-f67b29880f12\"\ + },{\"properties\":{\"roleName\":\"Storage Blob Data Contributor\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Allows for read, write and delete access\ + \ to Azure Storage blob containers and data\",\"assignableScopes\":[\"/\"\ + ],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/delete\"\ + ,\"Microsoft.Storage/storageAccounts/blobServices/containers/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/write\"\ + ,\"Microsoft.Storage/storageAccounts/blobServices/generateUserDelegationKey/action\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/delete\"\ + ,\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/read\"\ + ,\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/write\"\ + ,\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/move/action\"\ + ,\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/add/action\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2017-12-21T00:01:24.7972312Z\",\"\ + updatedOn\":\"2021-11-11T20:13:54.9397456Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ba92f5b4-2d11-453d-a403-e96b0029c9fe\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ba92f5b4-2d11-453d-a403-e96b0029c9fe\"\ + },{\"properties\":{\"roleName\":\"Storage Blob Data Owner\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Allows for full access to Azure Storage blob containers\ + \ and data, including assigning POSIX access control.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/*\"\ + ,\"Microsoft.Storage/storageAccounts/blobServices/generateUserDelegationKey/action\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/*\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2018-12-04T07:02:58.2775257Z\",\"\ + updatedOn\":\"2021-11-11T20:13:55.1225062Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b7e6dc6d-f1e8-4753-8033-0f276bb0955b\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b7e6dc6d-f1e8-4753-8033-0f276bb0955b\"\ + },{\"properties\":{\"roleName\":\"Storage Blob Data Reader\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Allows for read access to Azure Storage blob containers\ + \ and data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"\ + Microsoft.Storage/storageAccounts/blobServices/containers/read\",\"Microsoft.Storage/storageAccounts/blobServices/generateUserDelegationKey/action\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/read\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2017-12-21T00:01:24.7972312Z\",\"\ + updatedOn\":\"2021-11-11T20:13:55.2975076Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2a2b9908-6ea1-4ae2-8e65-a410df84e7d1\"\ + },{\"properties\":{\"roleName\":\"Storage Queue Data Contributor\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Allows for read, write, and delete access\ + \ to Azure Storage queues and queue messages\",\"assignableScopes\":[\"/\"\ + ],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/queueServices/queues/delete\"\ + ,\"Microsoft.Storage/storageAccounts/queueServices/queues/read\",\"Microsoft.Storage/storageAccounts/queueServices/queues/write\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/delete\"\ + ,\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/read\"\ + ,\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/write\"\ + ,\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/process/action\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2017-12-21T00:01:24.7972312Z\",\"\ + updatedOn\":\"2021-11-11T20:13:55.4725469Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/974c5e8b-45b9-4653-ba55-5f855dd0fb88\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"974c5e8b-45b9-4653-ba55-5f855dd0fb88\"\ + },{\"properties\":{\"roleName\":\"Storage Queue Data Message Processor\",\"\ + type\":\"BuiltInRole\",\"description\":\"Allows for peek, receive, and delete\ + \ access to Azure Storage queue messages\",\"assignableScopes\":[\"/\"],\"\ + permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/read\"\ + ,\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/process/action\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2019-01-28T22:27:04.8947111Z\",\"\ + updatedOn\":\"2021-11-11T20:13:55.6575408Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8a0f0c08-91a1-4084-bc3d-661d67233fed\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8a0f0c08-91a1-4084-bc3d-661d67233fed\"\ + },{\"properties\":{\"roleName\":\"Storage Queue Data Message Sender\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Allows for sending of Azure Storage queue\ + \ messages\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"\ + notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/add/action\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2019-01-28T22:28:34.7459724Z\",\"\ + updatedOn\":\"2021-11-11T20:13:55.8325508Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c6a89b2d-59bc-44d0-9896-0f6e12d7b80a\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c6a89b2d-59bc-44d0-9896-0f6e12d7b80a\"\ + },{\"properties\":{\"roleName\":\"Storage Queue Data Reader\",\"type\":\"\ + BuiltInRole\",\"description\":\"Allows for read access to Azure Storage queues\ + \ and queue messages\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.Storage/storageAccounts/queueServices/queues/read\"],\"notActions\"\ + :[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/read\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2017-12-21T00:01:24.7972312Z\",\"\ + updatedOn\":\"2021-11-11T20:13:56.0178497Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/19e7f393-937e-4f77-808e-94535e297925\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"19e7f393-937e-4f77-808e-94535e297925\"\ + },{\"properties\":{\"roleName\":\"Support Request Contributor\",\"type\":\"\ + BuiltInRole\",\"description\":\"Lets you create and manage Support requests\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2017-06-22T22:25:37.8053068Z\",\"updatedOn\":\"2021-11-11T20:13:56.7444481Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/cfd33db0-3dd1-45e3-aa9d-cdbdf3b6f24e\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"cfd33db0-3dd1-45e3-aa9d-cdbdf3b6f24e\"\ + },{\"properties\":{\"roleName\":\"Traffic Manager Contributor\",\"type\":\"\ + BuiltInRole\",\"description\":\"Lets you manage Traffic Manager profiles,\ + \ but does not let you control who has access to them.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Network/trafficManagerProfiles/*\"\ + ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2015-10-15T23:33:25.9730842Z\",\"updatedOn\":\"2021-11-11T20:13:57.2744497Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a4b10055-b0c7-44c2-b00f-c7b5b3550cf7\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a4b10055-b0c7-44c2-b00f-c7b5b3550cf7\"\ + },{\"properties\":{\"roleName\":\"User Access Administrator\",\"type\":\"\ + BuiltInRole\",\"description\":\"Lets you manage user access to Azure resources.\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"\ + Microsoft.Authorization/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"\ + dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\"\ + ,\"updatedOn\":\"2021-11-11T20:13:57.7932023Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"18d7d88d-d35e-4fb5-a5c3-7773c20a72d9\"\ + },{\"properties\":{\"roleName\":\"Virtual Machine Contributor\",\"type\":\"\ + BuiltInRole\",\"description\":\"Lets you manage virtual machines, but not\ + \ access to them, and not the virtual network or storage account they're connected\ + \ to.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Compute/availabilitySets/*\",\"Microsoft.Compute/locations/*\"\ + ,\"Microsoft.Compute/virtualMachines/*\",\"Microsoft.Compute/virtualMachineScaleSets/*\"\ + ,\"Microsoft.Compute/cloudServices/*\",\"Microsoft.Compute/disks/write\",\"\ + Microsoft.Compute/disks/read\",\"Microsoft.Compute/disks/delete\",\"Microsoft.DevTestLab/schedules/*\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Network/applicationGateways/backendAddressPools/join/action\"\ + ,\"Microsoft.Network/loadBalancers/backendAddressPools/join/action\",\"Microsoft.Network/loadBalancers/inboundNatPools/join/action\"\ + ,\"Microsoft.Network/loadBalancers/inboundNatRules/join/action\",\"Microsoft.Network/loadBalancers/probes/join/action\"\ + ,\"Microsoft.Network/loadBalancers/read\",\"Microsoft.Network/locations/*\"\ + ,\"Microsoft.Network/networkInterfaces/*\",\"Microsoft.Network/networkSecurityGroups/join/action\"\ + ,\"Microsoft.Network/networkSecurityGroups/read\",\"Microsoft.Network/publicIPAddresses/join/action\"\ + ,\"Microsoft.Network/publicIPAddresses/read\",\"Microsoft.Network/virtualNetworks/read\"\ + ,\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.RecoveryServices/locations/*\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/backupProtectionIntent/write\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/*/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/write\"\ + ,\"Microsoft.RecoveryServices/Vaults/backupPolicies/read\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/write\"\ + ,\"Microsoft.RecoveryServices/Vaults/read\",\"Microsoft.RecoveryServices/Vaults/usages/read\"\ + ,\"Microsoft.RecoveryServices/Vaults/write\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.SerialConsole/serialPorts/connect/action\",\"Microsoft.SqlVirtualMachine/*\"\ + ,\"Microsoft.Storage/storageAccounts/listKeys/action\",\"Microsoft.Storage/storageAccounts/read\"\ + ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2015-06-02T00:18:27.3542698Z\",\"updatedOn\":\"2021-11-11T20:13:58.3176075Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"9980e02c-c2be-4d73-94e8-173b1dc7cf3c\"\ + },{\"properties\":{\"roleName\":\"Web Plan Contributor\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Lets you manage the web plans for websites, but not access\ + \ to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"\ + Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Support/*\",\"Microsoft.Web/serverFarms/*\",\"Microsoft.Web/hostingEnvironments/Join/Action\"\ + ,\"Microsoft.Insights/autoscalesettings/*\"],\"notActions\":[],\"dataActions\"\ + :[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\"\ + ,\"updatedOn\":\"2022-09-01T21:58:00.7022464Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2cc479cb-7b4d-49a8-b449-8c00fd0f0a4b\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2cc479cb-7b4d-49a8-b449-8c00fd0f0a4b\"\ + },{\"properties\":{\"roleName\":\"Website Contributor\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Lets you manage websites (not web plans), but not access\ + \ to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"\ + Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/components/*\"\ + ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ + ,\"Microsoft.Web/certificates/*\",\"Microsoft.Web/listSitesAssignedToHostName/read\"\ + ,\"Microsoft.Web/serverFarms/join/action\",\"Microsoft.Web/serverFarms/read\"\ + ,\"Microsoft.Web/sites/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2015-05-12T23:10:23.6193952Z\",\"updatedOn\":\"2021-11-11T20:13:58.6655647Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/de139f84-1756-47ae-9be6-808fbbe84772\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"de139f84-1756-47ae-9be6-808fbbe84772\"\ + },{\"properties\":{\"roleName\":\"Azure Service Bus Data Owner\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Allows for full access to Azure Service\ + \ Bus resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.ServiceBus/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ServiceBus/*\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2019-04-16T21:33:36.7445745Z\",\"\ + updatedOn\":\"2021-11-11T20:13:59.2005807Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/090c5cfd-751d-490a-894a-3ce6f1109419\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"090c5cfd-751d-490a-894a-3ce6f1109419\"\ + },{\"properties\":{\"roleName\":\"Azure Event Hubs Data Owner\",\"type\":\"\ + BuiltInRole\",\"description\":\"Allows for full access to Azure Event Hubs\ + \ resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.EventHub/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.EventHub/*\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2019-04-16T21:34:29.8656362Z\",\"\ + updatedOn\":\"2021-11-11T20:13:59.3721538Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f526a384-b230-433a-b45c-95f59c4a2dec\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f526a384-b230-433a-b45c-95f59c4a2dec\"\ + },{\"properties\":{\"roleName\":\"Attestation Contributor\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Can read write or delete the attestation provider instance\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Attestation/attestationProviders/attestation/read\"\ + ,\"Microsoft.Attestation/attestationProviders/attestation/write\",\"Microsoft.Attestation/attestationProviders/attestation/delete\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2019-04-19T00:24:09.3354177Z\",\"updatedOn\":\"2021-11-11T20:13:59.7271218Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/bbf86eb8-f7b4-4cce-96e4-18cddf81d86e\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"bbf86eb8-f7b4-4cce-96e4-18cddf81d86e\"\ + },{\"properties\":{\"roleName\":\"HDInsight Cluster Operator\",\"type\":\"\ + BuiltInRole\",\"description\":\"Lets you read and modify HDInsight cluster\ + \ configurations.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.HDInsight/*/read\",\"Microsoft.HDInsight/clusters/getGatewaySettings/action\"\ + ,\"Microsoft.HDInsight/clusters/updateGatewaySettings/action\",\"Microsoft.HDInsight/clusters/configurations/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/operations/read\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Authorization/*/read\",\"\ + Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2019-04-20T00:03:01.7110732Z\",\"updatedOn\":\"2021-11-11T20:13:59.9052180Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/61ed4efc-fab3-44fd-b111-e24485cc132a\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"61ed4efc-fab3-44fd-b111-e24485cc132a\"\ + },{\"properties\":{\"roleName\":\"Cosmos DB Operator\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Lets you manage Azure Cosmos DB accounts, but not access\ + \ data in them. Prevents access to account keys and connection strings.\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DocumentDb/databaseAccounts/*\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Authorization/*/read\",\"\ + Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ + ,\"Microsoft.Network/virtualNetworks/subnets/joinViaServiceEndpoint/action\"\ + ],\"notActions\":[\"Microsoft.DocumentDB/databaseAccounts/readonlyKeys/*\"\ + ,\"Microsoft.DocumentDB/databaseAccounts/regenerateKey/*\",\"Microsoft.DocumentDB/databaseAccounts/listKeys/*\"\ + ,\"Microsoft.DocumentDB/databaseAccounts/listConnectionStrings/*\",\"Microsoft.DocumentDB/databaseAccounts/sqlRoleDefinitions/write\"\ + ,\"Microsoft.DocumentDB/databaseAccounts/sqlRoleDefinitions/delete\",\"Microsoft.DocumentDB/databaseAccounts/sqlRoleAssignments/write\"\ + ,\"Microsoft.DocumentDB/databaseAccounts/sqlRoleAssignments/delete\",\"Microsoft.DocumentDB/databaseAccounts/mongodbRoleDefinitions/write\"\ + ,\"Microsoft.DocumentDB/databaseAccounts/mongodbRoleDefinitions/delete\",\"\ + Microsoft.DocumentDB/databaseAccounts/mongodbUserDefinitions/write\",\"Microsoft.DocumentDB/databaseAccounts/mongodbUserDefinitions/delete\"\ + ],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-04-26T17:01:17.0169383Z\"\ + ,\"updatedOn\":\"2023-01-11T18:59:29.2865530Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/230815da-be43-4aae-9cb4-875f7bd000aa\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"230815da-be43-4aae-9cb4-875f7bd000aa\"\ + },{\"properties\":{\"roleName\":\"Hybrid Server Resource Administrator\",\"\ + type\":\"BuiltInRole\",\"description\":\"Can read, write, delete, and re-onboard\ + \ Hybrid servers to the Hybrid Resource Provider.\",\"assignableScopes\":[\"\ + /\"],\"permissions\":[{\"actions\":[\"Microsoft.HybridCompute/machines/*\"\ + ,\"Microsoft.HybridCompute/*/read\"],\"notActions\":[],\"dataActions\":[],\"\ + notDataActions\":[]}],\"createdOn\":\"2019-04-29T21:39:32.3132923Z\",\"updatedOn\"\ + :\"2021-11-11T20:14:00.2548257Z\",\"createdBy\":null,\"updatedBy\":null},\"\ + id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/48b40c6e-82e0-4eb3-90d5-19e40f49b624\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"48b40c6e-82e0-4eb3-90d5-19e40f49b624\"\ + },{\"properties\":{\"roleName\":\"Hybrid Server Onboarding\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Can onboard new Hybrid servers to the Hybrid Resource Provider.\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HybridCompute/machines/read\"\ + ,\"Microsoft.HybridCompute/machines/write\"],\"notActions\":[],\"dataActions\"\ + :[],\"notDataActions\":[]}],\"createdOn\":\"2019-04-29T22:36:28.1873756Z\"\ + ,\"updatedOn\":\"2021-11-11T20:14:00.4308999Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5d1e5ee4-7c68-4a71-ac8b-0739630a3dfb\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5d1e5ee4-7c68-4a71-ac8b-0739630a3dfb\"\ + },{\"properties\":{\"roleName\":\"Azure Event Hubs Data Receiver\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Allows receive access to Azure Event Hubs\ + \ resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.EventHub/*/eventhubs/consumergroups/read\"],\"notActions\":[],\"\ + dataActions\":[\"Microsoft.EventHub/*/receive/action\"],\"notDataActions\"\ + :[]}],\"createdOn\":\"2019-05-10T06:25:21.1056666Z\",\"updatedOn\":\"2021-11-11T20:14:01.3225169Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a638d3c7-ab3a-418d-83e6-5f17a39d4fde\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a638d3c7-ab3a-418d-83e6-5f17a39d4fde\"\ + },{\"properties\":{\"roleName\":\"Azure Event Hubs Data Sender\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Allows send access to Azure Event Hubs\ + \ resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.EventHub/*/eventhubs/read\"],\"notActions\":[],\"dataActions\"\ + :[\"Microsoft.EventHub/*/send/action\"],\"notDataActions\":[]}],\"createdOn\"\ + :\"2019-05-10T06:26:12.4673714Z\",\"updatedOn\":\"2021-11-11T20:14:01.4925583Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2b629674-e913-4c01-ae53-ef4638d8f975\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2b629674-e913-4c01-ae53-ef4638d8f975\"\ + },{\"properties\":{\"roleName\":\"Azure Service Bus Data Receiver\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Allows for receive access to Azure Service\ + \ Bus resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.ServiceBus/*/queues/read\",\"Microsoft.ServiceBus/*/topics/read\"\ + ,\"Microsoft.ServiceBus/*/topics/subscriptions/read\"],\"notActions\":[],\"\ + dataActions\":[\"Microsoft.ServiceBus/*/receive/action\"],\"notDataActions\"\ + :[]}],\"createdOn\":\"2019-05-10T06:43:01.6343849Z\",\"updatedOn\":\"2021-11-11T20:14:01.6629685Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4f6d3b9b-027b-4f4c-9142-0e5a2a2247e0\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4f6d3b9b-027b-4f4c-9142-0e5a2a2247e0\"\ + },{\"properties\":{\"roleName\":\"Azure Service Bus Data Sender\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Allows for send access to Azure Service\ + \ Bus resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.ServiceBus/*/queues/read\",\"Microsoft.ServiceBus/*/topics/read\"\ + ,\"Microsoft.ServiceBus/*/topics/subscriptions/read\"],\"notActions\":[],\"\ + dataActions\":[\"Microsoft.ServiceBus/*/send/action\"],\"notDataActions\"\ + :[]}],\"createdOn\":\"2019-05-10T06:43:46.7046934Z\",\"updatedOn\":\"2021-11-11T20:14:01.8479199Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/69a216fc-b8fb-44d8-bc22-1f3c2cd27a39\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"69a216fc-b8fb-44d8-bc22-1f3c2cd27a39\"\ + },{\"properties\":{\"roleName\":\"Storage File Data SMB Share Reader\",\"\ + type\":\"BuiltInRole\",\"description\":\"Allows for read access to Azure File\ + \ Share over SMB\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/read\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2019-07-01T20:19:31.8620471Z\",\"\ + updatedOn\":\"2021-11-11T20:14:04.3642909Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/aba4ae5f-2193-4029-9191-0cb91df5e314\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"aba4ae5f-2193-4029-9191-0cb91df5e314\"\ + },{\"properties\":{\"roleName\":\"Storage File Data SMB Share Contributor\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Allows for read, write, and delete\ + \ access in Azure Storage file shares over SMB\",\"assignableScopes\":[\"\ + /\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"\ + Microsoft.Storage/storageAccounts/fileServices/fileshares/files/read\",\"\ + Microsoft.Storage/storageAccounts/fileServices/fileshares/files/write\",\"\ + Microsoft.Storage/storageAccounts/fileServices/fileshares/files/delete\"],\"\ + notDataActions\":[]}],\"createdOn\":\"2019-07-01T20:54:35.4834310Z\",\"updatedOn\"\ + :\"2021-11-11T20:14:04.5443323Z\",\"createdBy\":null,\"updatedBy\":null},\"\ + id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0c867c2a-1d8c-454a-a3db-ab2ea1bdc8bb\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0c867c2a-1d8c-454a-a3db-ab2ea1bdc8bb\"\ + },{\"properties\":{\"roleName\":\"Private DNS Zone Contributor\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Lets you manage private DNS zone resources,\ + \ but not the virtual networks they are linked to.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Insights/alertRules/*\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Support/*\",\"Microsoft.Network/privateDnsZones/*\",\"Microsoft.Network/privateDnsOperationResults/*\"\ + ,\"Microsoft.Network/privateDnsOperationStatuses/*\",\"Microsoft.Network/virtualNetworks/read\"\ + ,\"Microsoft.Network/virtualNetworks/join/action\",\"Microsoft.Authorization/*/read\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2019-07-10T19:31:15.5645518Z\",\"updatedOn\":\"2021-11-11T20:14:04.7342851Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b12aa53e-6015-4669-85d0-8515ebb3ae7f\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b12aa53e-6015-4669-85d0-8515ebb3ae7f\"\ + },{\"properties\":{\"roleName\":\"Storage Blob Delegator\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Allows for generation of a user delegation key which can\ + \ be used to sign SAS tokens\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.Storage/storageAccounts/blobServices/generateUserDelegationKey/action\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2019-07-23T00:51:16.3376761Z\",\"updatedOn\":\"2021-11-11T20:14:05.4321714Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/db58b8e5-c6ad-4a2a-8342-4190687cbf4a\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"db58b8e5-c6ad-4a2a-8342-4190687cbf4a\"\ + },{\"properties\":{\"roleName\":\"Desktop Virtualization User\",\"type\":\"\ + BuiltInRole\",\"description\":\"Allows user to use the applications in an\ + \ application group.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[],\"notActions\":[],\"dataActions\":[\"Microsoft.DesktopVirtualization/applicationGroups/useApplications/action\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2019-08-07T00:29:03.8727621Z\",\"\ + updatedOn\":\"2021-11-11T20:14:05.9821791Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1d18fff3-a72a-46b5-b4a9-0b38a3cd7e63\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1d18fff3-a72a-46b5-b4a9-0b38a3cd7e63\"\ + },{\"properties\":{\"roleName\":\"Storage File Data SMB Share Elevated Contributor\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Allows for read, write, delete\ + \ and modify NTFS permission access in Azure Storage file shares over SMB\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\"\ + :[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/read\"\ + ,\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/write\"\ + ,\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/delete\"\ + ,\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/modifypermissions/action\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2019-08-07T01:35:36.9935457Z\",\"\ + updatedOn\":\"2021-11-11T20:14:06.1571744Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a7264617-510b-434b-a828-9731dc254ea7\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a7264617-510b-434b-a828-9731dc254ea7\"\ + },{\"properties\":{\"roleName\":\"Blueprint Contributor\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Can manage blueprint definitions, but not assign them.\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Blueprint/blueprints/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Support/*\"],\"notActions\"\ + :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-08-14T21:55:16.9683949Z\"\ + ,\"updatedOn\":\"2021-11-11T20:14:06.5171828Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/41077137-e803-4205-871c-5a86e6a753b4\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"41077137-e803-4205-871c-5a86e6a753b4\"\ + },{\"properties\":{\"roleName\":\"Blueprint Operator\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Can assign existing published blueprints, but cannot create\ + \ new blueprints. NOTE: this only works if the assignment is done with a user-assigned\ + \ managed identity.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.Authorization/*/read\",\"Microsoft.Blueprint/blueprintAssignments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2019-08-14T21:56:48.7897875Z\",\"updatedOn\":\"2021-11-11T20:14:06.6971401Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/437d2ced-4a38-4302-8479-ed2bcb43d090\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"437d2ced-4a38-4302-8479-ed2bcb43d090\"\ + },{\"properties\":{\"roleName\":\"Microsoft Sentinel Contributor\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Microsoft Sentinel Contributor\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.SecurityInsights/*\",\"\ + Microsoft.OperationalInsights/workspaces/analytics/query/action\",\"Microsoft.OperationalInsights/workspaces/*/read\"\ + ,\"Microsoft.OperationalInsights/workspaces/savedSearches/*\",\"Microsoft.OperationsManagement/solutions/read\"\ + ,\"Microsoft.OperationalInsights/workspaces/query/read\",\"Microsoft.OperationalInsights/workspaces/query/*/read\"\ + ,\"Microsoft.OperationalInsights/workspaces/dataSources/read\",\"Microsoft.OperationalInsights/querypacks/*/read\"\ + ,\"Microsoft.Insights/workbooks/*\",\"Microsoft.Insights/myworkbooks/read\"\ + ,\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"\ + Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Support/*\"],\"notActions\":[\"Microsoft.SecurityInsights/ConfidentialWatchlists/*\"\ + ,\"Microsoft.OperationalInsights/workspaces/query/ConfidentialWatchlist/*\"\ + ],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-08-28T16:39:03.8725173Z\"\ + ,\"updatedOn\":\"2022-07-22T17:40:38.3700257Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ab8e14d6-4a74-4a29-9ba8-549422addade\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ab8e14d6-4a74-4a29-9ba8-549422addade\"\ + },{\"properties\":{\"roleName\":\"Microsoft Sentinel Responder\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Microsoft Sentinel Responder\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.SecurityInsights/*/read\"\ + ,\"Microsoft.SecurityInsights/dataConnectorsCheckRequirements/action\",\"\ + Microsoft.SecurityInsights/automationRules/*\",\"Microsoft.SecurityInsights/cases/*\"\ + ,\"Microsoft.SecurityInsights/incidents/*\",\"Microsoft.SecurityInsights/threatIntelligence/indicators/appendTags/action\"\ + ,\"Microsoft.SecurityInsights/threatIntelligence/indicators/query/action\"\ + ,\"Microsoft.SecurityInsights/threatIntelligence/bulkTag/action\",\"Microsoft.SecurityInsights/threatIntelligence/indicators/appendTags/action\"\ + ,\"Microsoft.SecurityInsights/threatIntelligence/indicators/replaceTags/action\"\ + ,\"Microsoft.SecurityInsights/threatIntelligence/queryIndicators/action\"\ + ,\"Microsoft.OperationalInsights/workspaces/analytics/query/action\",\"Microsoft.OperationalInsights/workspaces/*/read\"\ + ,\"Microsoft.OperationalInsights/workspaces/dataSources/read\",\"Microsoft.OperationalInsights/workspaces/savedSearches/read\"\ + ,\"Microsoft.OperationsManagement/solutions/read\",\"Microsoft.OperationalInsights/workspaces/query/read\"\ + ,\"Microsoft.OperationalInsights/workspaces/query/*/read\",\"Microsoft.OperationalInsights/workspaces/dataSources/read\"\ + ,\"Microsoft.OperationalInsights/querypacks/*/read\",\"Microsoft.Insights/workbooks/read\"\ + ,\"Microsoft.Insights/myworkbooks/read\",\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ + ],\"notActions\":[\"Microsoft.SecurityInsights/cases/*/Delete\",\"Microsoft.SecurityInsights/incidents/*/Delete\"\ + ,\"Microsoft.SecurityInsights/ConfidentialWatchlists/*\",\"Microsoft.OperationalInsights/workspaces/query/ConfidentialWatchlist/*\"\ + ],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-08-28T16:54:07.6467264Z\"\ + ,\"updatedOn\":\"2022-07-21T23:37:54.2486838Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e150937-b8fe-4cfb-8069-0eaf05ecd056\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3e150937-b8fe-4cfb-8069-0eaf05ecd056\"\ + },{\"properties\":{\"roleName\":\"Microsoft Sentinel Reader\",\"type\":\"\ + BuiltInRole\",\"description\":\"Microsoft Sentinel Reader\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.SecurityInsights/*/read\"\ + ,\"Microsoft.SecurityInsights/dataConnectorsCheckRequirements/action\",\"\ + Microsoft.SecurityInsights/threatIntelligence/indicators/query/action\",\"\ + Microsoft.SecurityInsights/threatIntelligence/queryIndicators/action\",\"\ + Microsoft.OperationalInsights/workspaces/analytics/query/action\",\"Microsoft.OperationalInsights/workspaces/*/read\"\ + ,\"Microsoft.OperationalInsights/workspaces/LinkedServices/read\",\"Microsoft.OperationalInsights/workspaces/savedSearches/read\"\ + ,\"Microsoft.OperationsManagement/solutions/read\",\"Microsoft.OperationalInsights/workspaces/query/read\"\ + ,\"Microsoft.OperationalInsights/workspaces/query/*/read\",\"Microsoft.OperationalInsights/querypacks/*/read\"\ + ,\"Microsoft.OperationalInsights/workspaces/dataSources/read\",\"Microsoft.Insights/workbooks/read\"\ + ,\"Microsoft.Insights/myworkbooks/read\",\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/templateSpecs/*/read\"\ + ,\"Microsoft.Support/*\"],\"notActions\":[\"Microsoft.SecurityInsights/ConfidentialWatchlists/*\"\ + ,\"Microsoft.OperationalInsights/workspaces/query/ConfidentialWatchlist/*\"\ + ],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-08-28T16:58:50.1132117Z\"\ + ,\"updatedOn\":\"2022-07-22T17:40:38.3700257Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8d289c81-5878-46d4-8554-54e1e3d8b5cb\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8d289c81-5878-46d4-8554-54e1e3d8b5cb\"\ + },{\"properties\":{\"roleName\":\"Workbook Reader\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Can read workbooks.\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"microsoft.insights/workbooks/read\",\"microsoft.insights/workbooks/revisions/read\"\ + ,\"microsoft.insights/workbooktemplates/read\"],\"notActions\":[],\"dataActions\"\ + :[],\"notDataActions\":[]}],\"createdOn\":\"2019-08-28T20:56:17.6808140Z\"\ + ,\"updatedOn\":\"2022-12-08T19:53:26.7526140Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b279062a-9be3-42a0-92ae-8b3cf002ec4d\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b279062a-9be3-42a0-92ae-8b3cf002ec4d\"\ + },{\"properties\":{\"roleName\":\"Workbook Contributor\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Can save shared workbooks.\",\"assignableScopes\":[\"/\"\ + ],\"permissions\":[{\"actions\":[\"Microsoft.Insights/workbooks/write\",\"\ + Microsoft.Insights/workbooks/delete\",\"Microsoft.Insights/workbooks/read\"\ + ,\"Microsoft.Insights/workbooks/revisions/read\",\"Microsoft.Insights/workbooktemplates/write\"\ + ,\"Microsoft.Insights/workbooktemplates/delete\",\"Microsoft.Insights/workbooktemplates/read\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2019-08-28T20:59:42.4820277Z\",\"updatedOn\":\"2022-12-08T21:25:04.5651887Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e8ddcd69-c73f-4f9f-9844-4100522f16ad\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e8ddcd69-c73f-4f9f-9844-4100522f16ad\"\ + },{\"properties\":{\"roleName\":\"Policy Insights Data Writer (Preview)\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Allows read access to resource\ + \ policies and write access to resource component policy events.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/policyassignments/read\"\ + ,\"Microsoft.Authorization/policydefinitions/read\",\"Microsoft.Authorization/policyexemptions/read\"\ + ,\"Microsoft.Authorization/policysetdefinitions/read\"],\"notActions\":[],\"\ + dataActions\":[\"Microsoft.PolicyInsights/checkDataPolicyCompliance/action\"\ + ,\"Microsoft.PolicyInsights/policyEvents/logDataEvents/action\"],\"notDataActions\"\ + :[]}],\"createdOn\":\"2019-09-19T19:35:20.9504127Z\",\"updatedOn\":\"2021-11-11T20:14:09.4235132Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/66bb4e9e-b016-4a94-8249-4c0511c2be84\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"66bb4e9e-b016-4a94-8249-4c0511c2be84\"\ + },{\"properties\":{\"roleName\":\"SignalR AccessKey Reader\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Read SignalR Service Access Keys\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.SignalRService/*/read\"\ + ,\"Microsoft.SignalRService/SignalR/listkeys/action\",\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2019-09-20T09:33:19.6236874Z\",\"updatedOn\":\"2021-11-11T20:14:09.6134860Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/04165923-9d83-45d5-8227-78b77b0a687e\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"04165923-9d83-45d5-8227-78b77b0a687e\"\ + },{\"properties\":{\"roleName\":\"SignalR/Web PubSub Contributor\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Create, Read, Update, and Delete SignalR\ + \ service resources\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.SignalRService/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2019-09-20T09:58:09.0009662Z\",\"updatedOn\":\"2021-11-11T20:14:09.7884765Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8cf5e20a-e4b2-4e9d-b3a1-5ceb692c2761\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8cf5e20a-e4b2-4e9d-b3a1-5ceb692c2761\"\ + },{\"properties\":{\"roleName\":\"Azure Connected Machine Onboarding\",\"\ + type\":\"BuiltInRole\",\"description\":\"Can onboard Azure Connected Machines.\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HybridCompute/machines/read\"\ + ,\"Microsoft.HybridCompute/machines/write\",\"Microsoft.HybridCompute/privateLinkScopes/read\"\ + ,\"Microsoft.GuestConfiguration/guestConfigurationAssignments/read\"],\"notActions\"\ + :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-10-23T20:15:07.1372870Z\"\ + ,\"updatedOn\":\"2021-11-11T20:14:10.8735219Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b64e21ea-ac4e-4cdf-9dc9-5b892992bee7\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b64e21ea-ac4e-4cdf-9dc9-5b892992bee7\"\ + },{\"properties\":{\"roleName\":\"Azure Connected Machine Resource Administrator\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Can read, write, delete and re-onboard\ + \ Azure Connected Machines.\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.HybridCompute/machines/read\",\"Microsoft.HybridCompute/machines/write\"\ + ,\"Microsoft.HybridCompute/machines/delete\",\"Microsoft.HybridCompute/machines/UpgradeExtensions/action\"\ + ,\"Microsoft.HybridCompute/machines/extensions/read\",\"Microsoft.HybridCompute/machines/extensions/write\"\ + ,\"Microsoft.HybridCompute/machines/extensions/delete\",\"Microsoft.HybridCompute/privateLinkScopes/*\"\ + ,\"Microsoft.HybridCompute/*/read\",\"Microsoft.Resources/deployments/*\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2019-10-23T20:24:59.1474607Z\",\"updatedOn\":\"2021-12-15T16:10:25.5898511Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/cd570a14-e51a-42ad-bac8-bafd67325302\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"cd570a14-e51a-42ad-bac8-bafd67325302\"\ + },{\"properties\":{\"roleName\":\"Managed Services Registration assignment\ + \ Delete Role\",\"type\":\"BuiltInRole\",\"description\":\"Managed Services\ + \ Registration Assignment Delete Role allows the managing tenant users to\ + \ delete the registration assignment assigned to their tenant.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ManagedServices/registrationAssignments/read\"\ + ,\"Microsoft.ManagedServices/registrationAssignments/delete\",\"Microsoft.ManagedServices/operationStatuses/read\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2019-10-23T22:33:33.1183469Z\",\"updatedOn\":\"2021-11-11T20:14:11.2336400Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/91c1777a-f3dc-4fae-b103-61d183457e46\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"91c1777a-f3dc-4fae-b103-61d183457e46\"\ + },{\"properties\":{\"roleName\":\"App Configuration Data Owner\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Allows full access to App Configuration\ + \ data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"\ + notActions\":[],\"dataActions\":[\"Microsoft.AppConfiguration/configurationStores/*/read\"\ + ,\"Microsoft.AppConfiguration/configurationStores/*/write\",\"Microsoft.AppConfiguration/configurationStores/*/delete\"\ + ,\"Microsoft.AppConfiguration/configurationStores/*/action\"],\"notDataActions\"\ + :[]}],\"createdOn\":\"2019-10-25T18:41:40.1185063Z\",\"updatedOn\":\"2023-02-01T23:20:05.7772785Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5ae67dd6-50cb-40e7-96ff-dc2bfa4b606b\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5ae67dd6-50cb-40e7-96ff-dc2bfa4b606b\"\ + },{\"properties\":{\"roleName\":\"App Configuration Data Reader\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Allows read access to App Configuration\ + \ data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"\ + notActions\":[],\"dataActions\":[\"Microsoft.AppConfiguration/configurationStores/*/read\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2019-10-25T18:45:33.7975332Z\",\"\ + updatedOn\":\"2021-11-11T20:14:11.5885341Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/516239f1-63e1-4d78-a4de-a74fb236a071\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"516239f1-63e1-4d78-a4de-a74fb236a071\"\ + },{\"properties\":{\"roleName\":\"Kubernetes Cluster - Azure Arc Onboarding\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Role definition to authorize any\ + \ user/service to create connectedClusters resource\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\"\ + ,\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Kubernetes/connectedClusters/Write\"\ + ,\"Microsoft.Kubernetes/connectedClusters/read\",\"Microsoft.Support/*\"],\"\ + notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"\ + 2019-11-18T17:00:02.2087147Z\",\"updatedOn\":\"2021-11-11T20:14:12.4685303Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/34e09817-6cbe-4d01-b1a2-e0eac5743d41\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"34e09817-6cbe-4d01-b1a2-e0eac5743d41\"\ + },{\"properties\":{\"roleName\":\"Experimentation Contributor\",\"type\":\"\ + BuiltInRole\",\"description\":\"Experimentation Contributor\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Experimentation/experimentWorkspaces/read\"],\"notActions\":[],\"\ + dataActions\":[\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/read\"\ + ,\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/write\"\ + ,\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/delete\"\ + ,\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/experiment/action\"\ + ,\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/emergencystop/action\"\ + ,\"Microsoft.Experimentation/experimentWorkspaces/read\",\"Microsoft.Experimentation/experimentWorkspaces/write\"\ + ,\"Microsoft.Experimentation/experimentWorkspaces/delete\"],\"notDataActions\"\ + :[]}],\"createdOn\":\"2019-12-13T00:08:08.6679591Z\",\"updatedOn\":\"2021-11-11T20:14:14.6454147Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7f646f1b-fa08-80eb-a22b-edd6ce5c915c\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7f646f1b-fa08-80eb-a22b-edd6ce5c915c\"\ + },{\"properties\":{\"roleName\":\"Cognitive Services QnA Maker Reader\",\"\ + type\":\"BuiltInRole\",\"description\":\"Let\u2019s you read and test a KB\ + \ only.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"\ + ,\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/read\"\ + ,\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/download/read\"\ + ,\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/generateanswer/action\"\ + ,\"Microsoft.CognitiveServices/accounts/QnAMaker/alterations/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/endpointkeys/read\"\ + ,\"Microsoft.CognitiveServices/accounts/QnAMaker/endpointsettings/read\",\"\ + Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/read\",\"\ + Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/download/read\"\ + ,\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/generateanswer/action\"\ + ,\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/alterations/read\",\"\ + Microsoft.CognitiveServices/accounts/QnAMaker.v2/endpointkeys/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/endpointsettings/read\"\ + ,\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/read\"\ + ,\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/download/read\"\ + ,\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/generateanswer/action\"\ + ,\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/alterations/read\"\ + ,\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/endpointkeys/read\"\ + ,\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/endpointsettings/read\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2019-12-17T18:26:12.3329439Z\",\"\ + updatedOn\":\"2021-11-11T20:14:14.8254033Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/466ccd10-b268-4a11-b098-b4849f024126\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"466ccd10-b268-4a11-b098-b4849f024126\"\ + },{\"properties\":{\"roleName\":\"Cognitive Services QnA Maker Editor\",\"\ + type\":\"BuiltInRole\",\"description\":\"Let\u2019s you create, edit, import\ + \ and export a KB. You cannot publish or delete a KB.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"\ + ,\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/read\"\ + ,\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/download/read\"\ + ,\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/create/write\"\ + ,\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/write\",\"\ + Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/generateanswer/action\"\ + ,\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/train/action\"\ + ,\"Microsoft.CognitiveServices/accounts/QnAMaker/alterations/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/alterations/write\"\ + ,\"Microsoft.CognitiveServices/accounts/QnAMaker/endpointkeys/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/endpointkeys/refreshkeys/action\"\ + ,\"Microsoft.CognitiveServices/accounts/QnAMaker/endpointsettings/read\",\"\ + Microsoft.CognitiveServices/accounts/QnAMaker/endpointsettings/write\",\"\ + Microsoft.CognitiveServices/accounts/QnAMaker/operations/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/read\"\ + ,\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/download/read\"\ + ,\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/create/write\"\ + ,\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/write\"\ + ,\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/generateanswer/action\"\ + ,\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/train/action\"\ + ,\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/alterations/read\",\"\ + Microsoft.CognitiveServices/accounts/QnAMaker.v2/alterations/write\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/endpointkeys/read\"\ + ,\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/endpointkeys/refreshkeys/action\"\ + ,\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/endpointsettings/read\"\ + ,\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/endpointsettings/write\"\ + ,\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/operations/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/read\"\ + ,\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/download/read\"\ + ,\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/create/write\"\ + ,\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/write\"\ + ,\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/generateanswer/action\"\ + ,\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/train/action\"\ + ,\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/alterations/read\"\ + ,\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/alterations/write\"\ + ,\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/endpointkeys/read\"\ + ,\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/endpointkeys/refreshkeys/action\"\ + ,\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/endpointsettings/read\"\ + ,\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/endpointsettings/write\"\ + ,\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/operations/read\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2019-12-17T18:27:30.6434556Z\",\"\ + updatedOn\":\"2021-11-11T20:14:14.9961559Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f4cc2bf9-21be-47a1-bdf1-5c5804381025\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f4cc2bf9-21be-47a1-bdf1-5c5804381025\"\ + },{\"properties\":{\"roleName\":\"Experimentation Administrator\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Experimentation Administrator\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Experimentation/experimentWorkspaces/read\"],\"notActions\":[],\"\ + dataActions\":[\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/admin/action\"\ + ,\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/read\"\ + ,\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/write\"\ + ,\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/delete\"\ + ,\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/experimentadmin/action\"\ + ,\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/experiment/action\"\ + ,\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/emergencystop/action\"\ + ,\"Microsoft.Experimentation/experimentWorkspaces/read\",\"Microsoft.Experimentation/experimentWorkspaces/write\"\ + ,\"Microsoft.Experimentation/experimentWorkspaces/delete\",\"Microsoft.Experimentation/experimentWorkspaces/admin/action\"\ + ,\"Microsoft.Experimentation/experimentWorkspaces/metricwrite/action\",\"\ + Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/metricwrite/action\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2019-12-18T22:46:33.1116612Z\",\"\ + updatedOn\":\"2021-11-11T20:14:15.1811577Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7f646f1b-fa08-80eb-a33b-edd6ce5c915c\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7f646f1b-fa08-80eb-a33b-edd6ce5c915c\"\ + },{\"properties\":{\"roleName\":\"Remote Rendering Administrator\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Provides user with conversion, manage session,\ + \ rendering and diagnostics capabilities for Azure Remote Rendering\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\"\ + :[\"Microsoft.MixedReality/RemoteRenderingAccounts/convert/action\",\"Microsoft.MixedReality/RemoteRenderingAccounts/convert/read\"\ + ,\"Microsoft.MixedReality/RemoteRenderingAccounts/convert/delete\",\"Microsoft.MixedReality/RemoteRenderingAccounts/managesessions/read\"\ + ,\"Microsoft.MixedReality/RemoteRenderingAccounts/managesessions/action\"\ + ,\"Microsoft.MixedReality/RemoteRenderingAccounts/managesessions/delete\"\ + ,\"Microsoft.MixedReality/RemoteRenderingAccounts/render/read\",\"Microsoft.MixedReality/RemoteRenderingAccounts/diagnostic/read\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2020-01-23T18:15:31.3450348Z\",\"\ + updatedOn\":\"2021-11-11T20:14:16.7621737Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3df8b902-2a6f-47c7-8cc5-360e9b272a7e\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3df8b902-2a6f-47c7-8cc5-360e9b272a7e\"\ + },{\"properties\":{\"roleName\":\"Remote Rendering Client\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Provides user with manage session, rendering and diagnostics\ + \ capabilities for Azure Remote Rendering.\",\"assignableScopes\":[\"/\"],\"\ + permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/RemoteRenderingAccounts/managesessions/read\"\ + ,\"Microsoft.MixedReality/RemoteRenderingAccounts/managesessions/action\"\ + ,\"Microsoft.MixedReality/RemoteRenderingAccounts/managesessions/delete\"\ + ,\"Microsoft.MixedReality/RemoteRenderingAccounts/render/read\",\"Microsoft.MixedReality/RemoteRenderingAccounts/diagnostic/read\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2020-01-23T18:32:52.7069824Z\",\"\ + updatedOn\":\"2021-11-11T20:14:16.9421512Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d39065c4-c120-43c9-ab0a-63eed9795f0a\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d39065c4-c120-43c9-ab0a-63eed9795f0a\"\ + },{\"properties\":{\"roleName\":\"Managed Application Contributor Role\",\"\ + type\":\"BuiltInRole\",\"description\":\"Allows for creating managed application\ + \ resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"*/read\",\"Microsoft.Solutions/applications/*\",\"Microsoft.Solutions/register/action\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/*\",\"Microsoft.Resources/deployments/*\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2020-02-08T03:39:11.8933879Z\",\"updatedOn\":\"2021-11-11T20:14:19.1271536Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/641177b8-a67a-45b9-a033-47bc880bb21e\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"641177b8-a67a-45b9-a033-47bc880bb21e\"\ + },{\"properties\":{\"roleName\":\"Security Assessment Contributor\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Lets you push assessments to Security Center\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Security/assessments/write\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2020-02-13T08:23:47.7656161Z\",\"updatedOn\":\"2021-11-11T20:14:19.3021974Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/612c2aa1-cb24-443b-ac28-3ab7272de6f5\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"612c2aa1-cb24-443b-ac28-3ab7272de6f5\"\ + },{\"properties\":{\"roleName\":\"Tag Contributor\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Lets you manage tags on entities, without providing access\ + \ to the entities themselves.\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/resources/read\",\"Microsoft.Resources/subscriptions/resources/read\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Insights/alertRules/*\"\ + ,\"Microsoft.Support/*\",\"Microsoft.Resources/tags/*\"],\"notActions\":[],\"\ + dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-02-18T23:19:19.2977644Z\"\ + ,\"updatedOn\":\"2021-11-11T20:14:20.0172041Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4a9ae827-6dc8-4573-8ac7-8239d42aa03f\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4a9ae827-6dc8-4573-8ac7-8239d42aa03f\"\ + },{\"properties\":{\"roleName\":\"Integration Service Environment Developer\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Allows developers to create and\ + \ update workflows, integration accounts and API connections in integration\ + \ service environments.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ + actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Support/*\",\"Microsoft.Logic/integrationServiceEnvironments/read\"\ + ,\"Microsoft.Logic/integrationServiceEnvironments/*/join/action\"],\"notActions\"\ + :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-02-20T21:09:00.5627875Z\"\ + ,\"updatedOn\":\"2021-11-11T20:14:20.1871986Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c7aa55d3-1abb-444a-a5ca-5e51e485d6ec\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c7aa55d3-1abb-444a-a5ca-5e51e485d6ec\"\ + },{\"properties\":{\"roleName\":\"Integration Service Environment Contributor\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Lets you manage integration service\ + \ environments, but not access to them.\",\"assignableScopes\":[\"/\"],\"\ + permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Support/*\"\ + ,\"Microsoft.Logic/integrationServiceEnvironments/*\"],\"notActions\":[],\"\ + dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-02-20T21:10:44.4008319Z\"\ + ,\"updatedOn\":\"2021-11-11T20:14:20.3622058Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a41e2c5b-bd99-4a07-88f4-9bf657a760b8\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a41e2c5b-bd99-4a07-88f4-9bf657a760b8\"\ + },{\"properties\":{\"roleName\":\"Azure Kubernetes Service Contributor Role\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Grants access to read and write\ + \ Azure Kubernetes Service clusters\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.ContainerService/managedClusters/read\",\"Microsoft.ContainerService/managedClusters/write\"\ + ,\"Microsoft.Resources/deployments/*\"],\"notActions\":[],\"dataActions\"\ + :[],\"notDataActions\":[]}],\"createdOn\":\"2020-02-27T19:27:15.0739970Z\"\ + ,\"updatedOn\":\"2021-11-11T20:14:21.2621727Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ed7f3fbd-7b88-4dd4-9017-9adb7ce333f8\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ed7f3fbd-7b88-4dd4-9017-9adb7ce333f8\"\ + },{\"properties\":{\"roleName\":\"Azure Digital Twins Data Reader\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Read-only role for Digital Twins data-plane\ + \ properties\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[],\"notActions\":[],\"dataActions\":[\"Microsoft.DigitalTwins/digitaltwins/read\"\ + ,\"Microsoft.DigitalTwins/digitaltwins/relationships/read\",\"Microsoft.DigitalTwins/eventroutes/read\"\ + ,\"Microsoft.DigitalTwins/jobs/import/read\",\"Microsoft.DigitalTwins/models/read\"\ + ,\"Microsoft.DigitalTwins/query/action\"],\"notDataActions\":[]}],\"createdOn\"\ + :\"2020-03-10T23:48:14.7057381Z\",\"updatedOn\":\"2022-09-07T00:28:28.1102931Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d57506d4-4c8d-48b1-8587-93c323f6a5a3\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d57506d4-4c8d-48b1-8587-93c323f6a5a3\"\ + },{\"properties\":{\"roleName\":\"Azure Digital Twins Data Owner\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Full access role for Digital Twins data-plane\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\"\ + :[],\"dataActions\":[\"Microsoft.DigitalTwins/digitaltwins/*\",\"Microsoft.DigitalTwins/digitaltwins/commands/*\"\ + ,\"Microsoft.DigitalTwins/digitaltwins/relationships/*\",\"Microsoft.DigitalTwins/eventroutes/*\"\ + ,\"Microsoft.DigitalTwins/jobs/*\",\"Microsoft.DigitalTwins/models/*\",\"\ + Microsoft.DigitalTwins/query/*\"],\"notDataActions\":[]}],\"createdOn\":\"\ + 2020-03-10T23:49:33.7821930Z\",\"updatedOn\":\"2022-09-06T21:40:35.0694732Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/bcd981a7-7f74-457b-83e1-cceb9e632ffe\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"bcd981a7-7f74-457b-83e1-cceb9e632ffe\"\ + },{\"properties\":{\"roleName\":\"Hierarchy Settings Administrator\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Allows users to edit and delete Hierarchy\ + \ Settings\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"\ + Microsoft.Management/managementGroups/settings/write\",\"Microsoft.Management/managementGroups/settings/delete\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2020-03-13T23:55:11.0212387Z\",\"updatedOn\":\"2021-11-11T20:14:23.0882347Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/350f8d15-c687-4448-8ae1-157740a3936d\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"350f8d15-c687-4448-8ae1-157740a3936d\"\ + },{\"properties\":{\"roleName\":\"FHIR Data Contributor\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Role allows user or principal full access to FHIR Data\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\"\ + :[],\"dataActions\":[\"Microsoft.HealthcareApis/services/fhir/resources/*\"\ + ,\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/*\"],\"notDataActions\"\ + :[]}],\"createdOn\":\"2020-03-17T18:35:04.4949547Z\",\"updatedOn\":\"2021-11-11T20:14:23.6235473Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5a1fc7df-4bf1-4951-a576-89034ee01acd\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5a1fc7df-4bf1-4951-a576-89034ee01acd\"\ + },{\"properties\":{\"roleName\":\"FHIR Data Exporter\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Role allows user or principal to read and export FHIR Data\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\"\ + :[],\"dataActions\":[\"Microsoft.HealthcareApis/services/fhir/resources/read\"\ + ,\"Microsoft.HealthcareApis/services/fhir/resources/export/action\",\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/read\"\ + ,\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/export/action\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2020-03-17T18:45:01.9764073Z\",\"\ + updatedOn\":\"2021-11-11T20:14:23.7992557Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3db33094-8700-4567-8da5-1501d4e7e843\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3db33094-8700-4567-8da5-1501d4e7e843\"\ + },{\"properties\":{\"roleName\":\"FHIR Data Reader\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Role allows user or principal to read FHIR Data\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\"\ + :[\"Microsoft.HealthcareApis/services/fhir/resources/read\",\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/read\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2020-03-17T18:49:04.8353499Z\",\"\ + updatedOn\":\"2021-11-11T20:14:23.9692275Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4c8d0bbc-75d3-4935-991f-5f3c56d81508\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4c8d0bbc-75d3-4935-991f-5f3c56d81508\"\ + },{\"properties\":{\"roleName\":\"FHIR Data Writer\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Role allows user or principal to read and write FHIR Data\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\"\ + :[],\"dataActions\":[\"Microsoft.HealthcareApis/services/fhir/resources/*\"\ + ,\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/*\"],\"notDataActions\"\ + :[\"Microsoft.HealthcareApis/services/fhir/resources/hardDelete/action\",\"\ + Microsoft.HealthcareApis/workspaces/fhirservices/resources/hardDelete/action\"\ + ]}],\"createdOn\":\"2020-03-17T18:55:35.2413335Z\",\"updatedOn\":\"2021-11-11T20:14:24.1442783Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3f88fce4-5892-4214-ae73-ba5294559913\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3f88fce4-5892-4214-ae73-ba5294559913\"\ + },{\"properties\":{\"roleName\":\"Experimentation Reader\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Experimentation Reader\",\"assignableScopes\":[\"/\"],\"\ + permissions\":[{\"actions\":[\"Microsoft.Experimentation/experimentWorkspaces/read\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.Experimentation/experimentWorkspaces/read\"\ + ,\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/read\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2020-03-25T18:05:14.8375678Z\",\"\ + updatedOn\":\"2021-11-11T20:14:24.5042390Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/49632ef5-d9ac-41f4-b8e7-bbe587fa74a1\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"49632ef5-d9ac-41f4-b8e7-bbe587fa74a1\"\ + },{\"properties\":{\"roleName\":\"Object Understanding Account Owner\",\"\ + type\":\"BuiltInRole\",\"description\":\"Provides user with ingestion capabilities\ + \ for Azure Object Understanding.\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/ObjectUnderstandingAccounts/ingest/action\"\ + ,\"Microsoft.MixedReality/ObjectUnderstandingAccounts/ingest/read\"],\"notDataActions\"\ + :[]}],\"createdOn\":\"2020-04-22T19:15:09.0697923Z\",\"updatedOn\":\"2021-11-11T20:14:26.8743132Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4dd61c23-6743-42fe-a388-d8bdd41cb745\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4dd61c23-6743-42fe-a388-d8bdd41cb745\"\ + },{\"properties\":{\"roleName\":\"Azure Maps Data Contributor\",\"type\":\"\ + BuiltInRole\",\"description\":\"Grants access to read, write, and delete access\ + \ to map related data from an Azure maps account.\",\"assignableScopes\":[\"\ + /\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"\ + Microsoft.Maps/accounts/*/read\",\"Microsoft.Maps/accounts/*/write\",\"Microsoft.Maps/accounts/*/delete\"\ + ,\"Microsoft.Maps/accounts/*/action\"],\"notDataActions\":[]}],\"createdOn\"\ + :\"2020-05-07T20:55:05.0645410Z\",\"updatedOn\":\"2021-11-11T20:14:28.3092598Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8f5e0ce6-4f7b-4dcf-bddf-e6f48634a204\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8f5e0ce6-4f7b-4dcf-bddf-e6f48634a204\"\ + },{\"properties\":{\"roleName\":\"Cognitive Services Custom Vision Contributor\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Full access to the project, including\ + \ the ability to view, create, edit, or delete projects.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/*\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2020-05-08T23:47:07.0779345Z\",\"\ + updatedOn\":\"2021-11-11T20:14:28.8342655Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c1ff6cc2-c111-46fe-8896-e0ef812ad9f3\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c1ff6cc2-c111-46fe-8896-e0ef812ad9f3\"\ + },{\"properties\":{\"roleName\":\"Cognitive Services Custom Vision Deployment\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Publish, unpublish or export models.\ + \ Deployment can view the project but can\u2019t update.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/*/read\"\ + ,\"Microsoft.CognitiveServices/accounts/CustomVision/projects/predictions/*\"\ + ,\"Microsoft.CognitiveServices/accounts/CustomVision/projects/iterations/publish/*\"\ + ,\"Microsoft.CognitiveServices/accounts/CustomVision/projects/iterations/export/*\"\ + ,\"Microsoft.CognitiveServices/accounts/CustomVision/projects/quicktest/*\"\ + ,\"Microsoft.CognitiveServices/accounts/CustomVision/classify/*\",\"Microsoft.CognitiveServices/accounts/CustomVision/detect/*\"\ + ],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/projects/export/read\"\ + ]}],\"createdOn\":\"2020-05-09T01:31:05.9528620Z\",\"updatedOn\":\"2021-11-11T20:14:29.0142669Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5c4089e1-6d96-4d2f-b296-c1bc7137275f\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5c4089e1-6d96-4d2f-b296-c1bc7137275f\"\ + },{\"properties\":{\"roleName\":\"Cognitive Services Custom Vision Labeler\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"View, edit training images and\ + \ create, add, remove, or delete the image tags. Labelers can view the project\ + \ but can\u2019t update anything other than training images and tags.\",\"\ + assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/*/read\"\ + ,\"Microsoft.CognitiveServices/accounts/CustomVision/projects/predictions/query/action\"\ + ,\"Microsoft.CognitiveServices/accounts/CustomVision/projects/images/*\",\"\ + Microsoft.CognitiveServices/accounts/CustomVision/projects/tags/*\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/images/suggested/*\"\ + ,\"Microsoft.CognitiveServices/accounts/CustomVision/projects/tagsandregions/suggestions/action\"\ + ],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/projects/export/read\"\ + ]}],\"createdOn\":\"2020-05-09T01:33:20.8278896Z\",\"updatedOn\":\"2021-11-11T20:14:29.1892871Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/88424f51-ebe7-446f-bc41-7fa16989e96c\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"88424f51-ebe7-446f-bc41-7fa16989e96c\"\ + },{\"properties\":{\"roleName\":\"Cognitive Services Custom Vision Reader\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Read-only actions in the project.\ + \ Readers can\u2019t create or update the project.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/*/read\"\ + ,\"Microsoft.CognitiveServices/accounts/CustomVision/projects/predictions/query/action\"\ + ],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/projects/export/read\"\ + ]}],\"createdOn\":\"2020-05-09T01:34:18.5328818Z\",\"updatedOn\":\"2021-11-11T20:14:29.3642707Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/93586559-c37d-4a6b-ba08-b9f0940c2d73\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"93586559-c37d-4a6b-ba08-b9f0940c2d73\"\ + },{\"properties\":{\"roleName\":\"Cognitive Services Custom Vision Trainer\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"View, edit projects and train\ + \ the models, including the ability to publish, unpublish, export the models.\ + \ Trainers can\u2019t create or delete the project.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/*\"\ + ],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/projects/action\"\ + ,\"Microsoft.CognitiveServices/accounts/CustomVision/projects/delete\",\"\ + Microsoft.CognitiveServices/accounts/CustomVision/projects/import/action\"\ + ,\"Microsoft.CognitiveServices/accounts/CustomVision/projects/export/read\"\ + ]}],\"createdOn\":\"2020-05-09T01:35:13.8147804Z\",\"updatedOn\":\"2021-11-11T20:14:29.5442713Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0a5ae4ab-0d65-4eeb-be61-29fc9b54394b\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0a5ae4ab-0d65-4eeb-be61-29fc9b54394b\"\ + },{\"properties\":{\"roleName\":\"Key Vault Administrator\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Perform all data plane operations on a key vault and all\ + \ objects in it, including certificates, keys, and secrets. Cannot manage\ + \ key vault resources or manage role assignments. Only works for key vaults\ + \ that use the 'Azure role-based access control' permission model.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ + ,\"Microsoft.KeyVault/checkNameAvailability/read\",\"Microsoft.KeyVault/deletedVaults/read\"\ + ,\"Microsoft.KeyVault/locations/*/read\",\"Microsoft.KeyVault/vaults/*/read\"\ + ,\"Microsoft.KeyVault/operations/read\"],\"notActions\":[],\"dataActions\"\ + :[\"Microsoft.KeyVault/vaults/*\"],\"notDataActions\":[]}],\"createdOn\":\"\ + 2020-05-19T17:52:46.2349235Z\",\"updatedOn\":\"2021-11-11T20:14:30.2542755Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/00482a5a-887f-4fb3-b363-3b7fe8e74483\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"00482a5a-887f-4fb3-b363-3b7fe8e74483\"\ + },{\"properties\":{\"roleName\":\"Key Vault Crypto Officer\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Perform any action on the keys of a key vault, except manage\ + \ permissions. Only works for key vaults that use the 'Azure role-based access\ + \ control' permission model.\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Support/*\",\"Microsoft.KeyVault/checkNameAvailability/read\"\ + ,\"Microsoft.KeyVault/deletedVaults/read\",\"Microsoft.KeyVault/locations/*/read\"\ + ,\"Microsoft.KeyVault/vaults/*/read\",\"Microsoft.KeyVault/operations/read\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/keys/*\"\ + ,\"Microsoft.KeyVault/vaults/keyrotationpolicies/*\"],\"notDataActions\":[]}],\"\ + createdOn\":\"2020-05-19T17:52:47.0099249Z\",\"updatedOn\":\"2022-01-06T23:21:17.9760884Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/14b46e9e-c2b7-41b4-b07b-48a6ebf60603\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"14b46e9e-c2b7-41b4-b07b-48a6ebf60603\"\ + },{\"properties\":{\"roleName\":\"Key Vault Crypto User\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Perform cryptographic operations using keys. Only works\ + \ for key vaults that use the 'Azure role-based access control' permission\ + \ model.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"\ + notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/keys/read\",\"\ + Microsoft.KeyVault/vaults/keys/update/action\",\"Microsoft.KeyVault/vaults/keys/backup/action\"\ + ,\"Microsoft.KeyVault/vaults/keys/encrypt/action\",\"Microsoft.KeyVault/vaults/keys/decrypt/action\"\ + ,\"Microsoft.KeyVault/vaults/keys/wrap/action\",\"Microsoft.KeyVault/vaults/keys/unwrap/action\"\ + ,\"Microsoft.KeyVault/vaults/keys/sign/action\",\"Microsoft.KeyVault/vaults/keys/verify/action\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2020-05-19T17:52:47.0699268Z\",\"\ + updatedOn\":\"2021-11-11T20:14:30.6042921Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/12338af0-0e69-4776-bea7-57ae8d297424\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"12338af0-0e69-4776-bea7-57ae8d297424\"\ + },{\"properties\":{\"roleName\":\"Key Vault Secrets Officer\",\"type\":\"\ + BuiltInRole\",\"description\":\"Perform any action on the secrets of a key\ + \ vault, except manage permissions. Only works for key vaults that use the\ + \ 'Azure role-based access control' permission model.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ + ,\"Microsoft.KeyVault/checkNameAvailability/read\",\"Microsoft.KeyVault/deletedVaults/read\"\ + ,\"Microsoft.KeyVault/locations/*/read\",\"Microsoft.KeyVault/vaults/*/read\"\ + ,\"Microsoft.KeyVault/operations/read\"],\"notActions\":[],\"dataActions\"\ + :[\"Microsoft.KeyVault/vaults/secrets/*\"],\"notDataActions\":[]}],\"createdOn\"\ + :\"2020-05-19T17:52:47.1449242Z\",\"updatedOn\":\"2021-11-11T20:14:30.7793470Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b86a8fe4-44ce-4948-aee5-eccb2c155cd7\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b86a8fe4-44ce-4948-aee5-eccb2c155cd7\"\ + },{\"properties\":{\"roleName\":\"Key Vault Secrets User\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Read secret contents. Only works for key vaults that use\ + \ the 'Azure role-based access control' permission model.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\"\ + :[\"Microsoft.KeyVault/vaults/secrets/getSecret/action\",\"Microsoft.KeyVault/vaults/secrets/readMetadata/action\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2020-05-19T17:52:47.2049241Z\",\"\ + updatedOn\":\"2021-11-11T20:14:30.9542829Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4633458b-17de-408a-b874-0445c86b69e6\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4633458b-17de-408a-b874-0445c86b69e6\"\ + },{\"properties\":{\"roleName\":\"Key Vault Certificates Officer\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Perform any action on the certificates\ + \ of a key vault, except manage permissions. Only works for key vaults that\ + \ use the 'Azure role-based access control' permission model.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ + ,\"Microsoft.KeyVault/checkNameAvailability/read\",\"Microsoft.KeyVault/deletedVaults/read\"\ + ,\"Microsoft.KeyVault/locations/*/read\",\"Microsoft.KeyVault/vaults/*/read\"\ + ,\"Microsoft.KeyVault/operations/read\"],\"notActions\":[],\"dataActions\"\ + :[\"Microsoft.KeyVault/vaults/certificatecas/*\",\"Microsoft.KeyVault/vaults/certificates/*\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2020-05-19T17:52:47.2499247Z\",\"\ + updatedOn\":\"2021-11-11T20:14:31.1292967Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a4417e6f-fecd-4de8-b567-7b0420556985\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a4417e6f-fecd-4de8-b567-7b0420556985\"\ + },{\"properties\":{\"roleName\":\"Key Vault Reader\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Read metadata of key vaults and its certificates, keys,\ + \ and secrets. Cannot read sensitive values such as secret contents or key\ + \ material. Only works for key vaults that use the 'Azure role-based access\ + \ control' permission model.\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Support/*\",\"Microsoft.KeyVault/checkNameAvailability/read\"\ + ,\"Microsoft.KeyVault/deletedVaults/read\",\"Microsoft.KeyVault/locations/*/read\"\ + ,\"Microsoft.KeyVault/vaults/*/read\",\"Microsoft.KeyVault/operations/read\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/*/read\"\ + ,\"Microsoft.KeyVault/vaults/secrets/readMetadata/action\"],\"notDataActions\"\ + :[]}],\"createdOn\":\"2020-05-19T17:52:47.2949294Z\",\"updatedOn\":\"2021-11-11T20:14:31.3043292Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/21090545-7ca7-4776-b22c-e363652d74d2\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"21090545-7ca7-4776-b22c-e363652d74d2\"\ + },{\"properties\":{\"roleName\":\"Key Vault Crypto Service Encryption User\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Read metadata of keys and perform\ + \ wrap/unwrap operations. Only works for key vaults that use the 'Azure role-based\ + \ access control' permission model.\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.EventGrid/eventSubscriptions/write\",\"Microsoft.EventGrid/eventSubscriptions/read\"\ + ,\"Microsoft.EventGrid/eventSubscriptions/delete\"],\"notActions\":[],\"dataActions\"\ + :[\"Microsoft.KeyVault/vaults/keys/read\",\"Microsoft.KeyVault/vaults/keys/wrap/action\"\ + ,\"Microsoft.KeyVault/vaults/keys/unwrap/action\"],\"notDataActions\":[]}],\"\ + createdOn\":\"2020-05-20T20:55:19.2398470Z\",\"updatedOn\":\"2021-11-11T20:14:31.8443056Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e147488a-f6f5-4113-8e2d-b22465e65bf6\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e147488a-f6f5-4113-8e2d-b22465e65bf6\"\ + },{\"properties\":{\"roleName\":\"Azure Arc Kubernetes Viewer\",\"type\":\"\ + BuiltInRole\",\"description\":\"Lets you view all resources in cluster/namespace,\ + \ except secrets.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"\ + Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\"\ + ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Kubernetes/connectedClusters/apps/controllerrevisions/read\"\ + ,\"Microsoft.Kubernetes/connectedClusters/apps/daemonsets/read\",\"Microsoft.Kubernetes/connectedClusters/apps/deployments/read\"\ + ,\"Microsoft.Kubernetes/connectedClusters/apps/replicasets/read\",\"Microsoft.Kubernetes/connectedClusters/apps/statefulsets/read\"\ + ,\"Microsoft.Kubernetes/connectedClusters/autoscaling/horizontalpodautoscalers/read\"\ + ,\"Microsoft.Kubernetes/connectedClusters/batch/cronjobs/read\",\"Microsoft.Kubernetes/connectedClusters/batch/jobs/read\"\ + ,\"Microsoft.Kubernetes/connectedClusters/configmaps/read\",\"Microsoft.Kubernetes/connectedClusters/endpoints/read\"\ + ,\"Microsoft.Kubernetes/connectedClusters/events.k8s.io/events/read\",\"Microsoft.Kubernetes/connectedClusters/events/read\"\ + ,\"Microsoft.Kubernetes/connectedClusters/extensions/daemonsets/read\",\"\ + Microsoft.Kubernetes/connectedClusters/extensions/deployments/read\",\"Microsoft.Kubernetes/connectedClusters/extensions/ingresses/read\"\ + ,\"Microsoft.Kubernetes/connectedClusters/extensions/networkpolicies/read\"\ + ,\"Microsoft.Kubernetes/connectedClusters/extensions/replicasets/read\",\"\ + Microsoft.Kubernetes/connectedClusters/limitranges/read\",\"Microsoft.Kubernetes/connectedClusters/namespaces/read\"\ + ,\"Microsoft.Kubernetes/connectedClusters/networking.k8s.io/ingresses/read\"\ + ,\"Microsoft.Kubernetes/connectedClusters/networking.k8s.io/networkpolicies/read\"\ + ,\"Microsoft.Kubernetes/connectedClusters/persistentvolumeclaims/read\",\"\ + Microsoft.Kubernetes/connectedClusters/pods/read\",\"Microsoft.Kubernetes/connectedClusters/policy/poddisruptionbudgets/read\"\ + ,\"Microsoft.Kubernetes/connectedClusters/replicationcontrollers/read\",\"\ + Microsoft.Kubernetes/connectedClusters/replicationcontrollers/read\",\"Microsoft.Kubernetes/connectedClusters/resourcequotas/read\"\ + ,\"Microsoft.Kubernetes/connectedClusters/serviceaccounts/read\",\"Microsoft.Kubernetes/connectedClusters/services/read\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2020-06-12T20:51:12.8801199Z\",\"\ + updatedOn\":\"2021-11-11T20:14:33.8193353Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/63f0a09d-1495-4db4-a681-037d84835eb4\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"63f0a09d-1495-4db4-a681-037d84835eb4\"\ + },{\"properties\":{\"roleName\":\"Azure Arc Kubernetes Writer\",\"type\":\"\ + BuiltInRole\",\"description\":\"Lets you update everything in cluster/namespace,\ + \ except (cluster)roles and (cluster)role bindings.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\"\ + ,\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.Kubernetes/connectedClusters/apps/controllerrevisions/read\"\ + ,\"Microsoft.Kubernetes/connectedClusters/apps/daemonsets/*\",\"Microsoft.Kubernetes/connectedClusters/apps/deployments/*\"\ + ,\"Microsoft.Kubernetes/connectedClusters/apps/replicasets/*\",\"Microsoft.Kubernetes/connectedClusters/apps/statefulsets/*\"\ + ,\"Microsoft.Kubernetes/connectedClusters/autoscaling/horizontalpodautoscalers/*\"\ + ,\"Microsoft.Kubernetes/connectedClusters/batch/cronjobs/*\",\"Microsoft.Kubernetes/connectedClusters/batch/jobs/*\"\ + ,\"Microsoft.Kubernetes/connectedClusters/configmaps/*\",\"Microsoft.Kubernetes/connectedClusters/endpoints/*\"\ + ,\"Microsoft.Kubernetes/connectedClusters/events.k8s.io/events/read\",\"Microsoft.Kubernetes/connectedClusters/events/read\"\ + ,\"Microsoft.Kubernetes/connectedClusters/extensions/daemonsets/*\",\"Microsoft.Kubernetes/connectedClusters/extensions/deployments/*\"\ + ,\"Microsoft.Kubernetes/connectedClusters/extensions/ingresses/*\",\"Microsoft.Kubernetes/connectedClusters/extensions/networkpolicies/*\"\ + ,\"Microsoft.Kubernetes/connectedClusters/extensions/replicasets/*\",\"Microsoft.Kubernetes/connectedClusters/limitranges/read\"\ + ,\"Microsoft.Kubernetes/connectedClusters/namespaces/read\",\"Microsoft.Kubernetes/connectedClusters/networking.k8s.io/ingresses/*\"\ + ,\"Microsoft.Kubernetes/connectedClusters/networking.k8s.io/networkpolicies/*\"\ + ,\"Microsoft.Kubernetes/connectedClusters/persistentvolumeclaims/*\",\"Microsoft.Kubernetes/connectedClusters/pods/*\"\ + ,\"Microsoft.Kubernetes/connectedClusters/policy/poddisruptionbudgets/*\"\ + ,\"Microsoft.Kubernetes/connectedClusters/replicationcontrollers/*\",\"Microsoft.Kubernetes/connectedClusters/replicationcontrollers/*\"\ + ,\"Microsoft.Kubernetes/connectedClusters/resourcequotas/read\",\"Microsoft.Kubernetes/connectedClusters/secrets/*\"\ + ,\"Microsoft.Kubernetes/connectedClusters/serviceaccounts/*\",\"Microsoft.Kubernetes/connectedClusters/services/*\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2020-06-12T20:53:50.6749823Z\",\"\ + updatedOn\":\"2021-11-11T20:14:34.0043462Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5b999177-9696-4545-85c7-50de3797e5a1\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5b999177-9696-4545-85c7-50de3797e5a1\"\ + },{\"properties\":{\"roleName\":\"Azure Arc Kubernetes Cluster Admin\",\"\ + type\":\"BuiltInRole\",\"description\":\"Lets you manage all resources in\ + \ the cluster.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"\ + Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\"\ + ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Kubernetes/connectedClusters/*\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2020-06-12T20:55:30.9910462Z\",\"\ + updatedOn\":\"2021-11-11T20:14:34.1743694Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8393591c-06b9-48a2-a542-1bd6b377f6a2\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8393591c-06b9-48a2-a542-1bd6b377f6a2\"\ + },{\"properties\":{\"roleName\":\"Azure Arc Kubernetes Admin\",\"type\":\"\ + BuiltInRole\",\"description\":\"Lets you manage all resources under cluster/namespace,\ + \ except update or delete resource quotas and namespaces.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\"\ + ,\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.Kubernetes/connectedClusters/apps/controllerrevisions/read\"\ + ,\"Microsoft.Kubernetes/connectedClusters/apps/daemonsets/*\",\"Microsoft.Kubernetes/connectedClusters/apps/deployments/*\"\ + ,\"Microsoft.Kubernetes/connectedClusters/apps/replicasets/*\",\"Microsoft.Kubernetes/connectedClusters/apps/statefulsets/*\"\ + ,\"Microsoft.Kubernetes/connectedClusters/authorization.k8s.io/localsubjectaccessreviews/write\"\ + ,\"Microsoft.Kubernetes/connectedClusters/autoscaling/horizontalpodautoscalers/*\"\ + ,\"Microsoft.Kubernetes/connectedClusters/batch/cronjobs/*\",\"Microsoft.Kubernetes/connectedClusters/batch/jobs/*\"\ + ,\"Microsoft.Kubernetes/connectedClusters/configmaps/*\",\"Microsoft.Kubernetes/connectedClusters/endpoints/*\"\ + ,\"Microsoft.Kubernetes/connectedClusters/events.k8s.io/events/read\",\"Microsoft.Kubernetes/connectedClusters/events/read\"\ + ,\"Microsoft.Kubernetes/connectedClusters/extensions/daemonsets/*\",\"Microsoft.Kubernetes/connectedClusters/extensions/deployments/*\"\ + ,\"Microsoft.Kubernetes/connectedClusters/extensions/ingresses/*\",\"Microsoft.Kubernetes/connectedClusters/extensions/networkpolicies/*\"\ + ,\"Microsoft.Kubernetes/connectedClusters/extensions/replicasets/*\",\"Microsoft.Kubernetes/connectedClusters/limitranges/read\"\ + ,\"Microsoft.Kubernetes/connectedClusters/namespaces/read\",\"Microsoft.Kubernetes/connectedClusters/networking.k8s.io/ingresses/*\"\ + ,\"Microsoft.Kubernetes/connectedClusters/networking.k8s.io/networkpolicies/*\"\ + ,\"Microsoft.Kubernetes/connectedClusters/persistentvolumeclaims/*\",\"Microsoft.Kubernetes/connectedClusters/pods/*\"\ + ,\"Microsoft.Kubernetes/connectedClusters/policy/poddisruptionbudgets/*\"\ + ,\"Microsoft.Kubernetes/connectedClusters/rbac.authorization.k8s.io/rolebindings/*\"\ + ,\"Microsoft.Kubernetes/connectedClusters/rbac.authorization.k8s.io/roles/*\"\ + ,\"Microsoft.Kubernetes/connectedClusters/replicationcontrollers/*\",\"Microsoft.Kubernetes/connectedClusters/replicationcontrollers/*\"\ + ,\"Microsoft.Kubernetes/connectedClusters/resourcequotas/read\",\"Microsoft.Kubernetes/connectedClusters/secrets/*\"\ + ,\"Microsoft.Kubernetes/connectedClusters/serviceaccounts/*\",\"Microsoft.Kubernetes/connectedClusters/services/*\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2020-06-12T20:57:06.0391177Z\",\"\ + updatedOn\":\"2021-11-11T20:14:34.3593384Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/dffb1e0c-446f-4dde-a09f-99eb5cc68b96\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"dffb1e0c-446f-4dde-a09f-99eb5cc68b96\"\ + },{\"properties\":{\"roleName\":\"Azure Kubernetes Service RBAC Cluster Admin\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Lets you manage all resources\ + \ in the cluster.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/operationresults/read\"\ + ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.ContainerService/managedClusters/listClusterUserCredential/action\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/managedClusters/*\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2020-07-02T17:47:24.4071415Z\",\"\ + updatedOn\":\"2022-10-11T23:23:28.2303454Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b1ff04bb-8a4e-4dc4-8eb5-8693973ce19b\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b1ff04bb-8a4e-4dc4-8eb5-8693973ce19b\"\ + },{\"properties\":{\"roleName\":\"Azure Kubernetes Service RBAC Admin\",\"\ + type\":\"BuiltInRole\",\"description\":\"Lets you manage all resources under\ + \ cluster/namespace, except update or delete resource quotas and namespaces.\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ContainerService/managedClusters/listClusterUserCredential/action\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/managedClusters/*\"\ + ],\"notDataActions\":[\"Microsoft.ContainerService/managedClusters/resourcequotas/write\"\ + ,\"Microsoft.ContainerService/managedClusters/resourcequotas/delete\",\"Microsoft.ContainerService/managedClusters/namespaces/write\"\ + ,\"Microsoft.ContainerService/managedClusters/namespaces/delete\"]}],\"createdOn\"\ + :\"2020-07-02T17:50:30.4020311Z\",\"updatedOn\":\"2022-10-11T23:23:28.2459713Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3498e952-d568-435e-9b2c-8d77e338d7f7\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3498e952-d568-435e-9b2c-8d77e338d7f7\"\ + },{\"properties\":{\"roleName\":\"Azure Kubernetes Service RBAC Reader\",\"\ + type\":\"BuiltInRole\",\"description\":\"Allows read-only access to see most\ + \ objects in a namespace. It does not allow viewing roles or role bindings.\ + \ This role does not allow viewing Secrets, since reading the contents of\ + \ Secrets enables access to ServiceAccount credentials in the namespace, which\ + \ would allow API access as any ServiceAccount in the namespace (a form of\ + \ privilege escalation). Applying this role at cluster scope will give access\ + \ across all namespaces.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ + actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/operationresults/read\"\ + ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/managedClusters/apps/controllerrevisions/read\"\ + ,\"Microsoft.ContainerService/managedClusters/apps/daemonsets/read\",\"Microsoft.ContainerService/managedClusters/apps/deployments/read\"\ + ,\"Microsoft.ContainerService/managedClusters/apps/replicasets/read\",\"Microsoft.ContainerService/managedClusters/apps/statefulsets/read\"\ + ,\"Microsoft.ContainerService/managedClusters/autoscaling/horizontalpodautoscalers/read\"\ + ,\"Microsoft.ContainerService/managedClusters/batch/cronjobs/read\",\"Microsoft.ContainerService/managedClusters/batch/jobs/read\"\ + ,\"Microsoft.ContainerService/managedClusters/configmaps/read\",\"Microsoft.ContainerService/managedClusters/endpoints/read\"\ + ,\"Microsoft.ContainerService/managedClusters/events.k8s.io/events/read\"\ + ,\"Microsoft.ContainerService/managedClusters/events/read\",\"Microsoft.ContainerService/managedClusters/extensions/daemonsets/read\"\ + ,\"Microsoft.ContainerService/managedClusters/extensions/deployments/read\"\ + ,\"Microsoft.ContainerService/managedClusters/extensions/ingresses/read\"\ + ,\"Microsoft.ContainerService/managedClusters/extensions/networkpolicies/read\"\ + ,\"Microsoft.ContainerService/managedClusters/extensions/replicasets/read\"\ + ,\"Microsoft.ContainerService/managedClusters/limitranges/read\",\"Microsoft.ContainerService/managedClusters/namespaces/read\"\ + ,\"Microsoft.ContainerService/managedClusters/networking.k8s.io/ingresses/read\"\ + ,\"Microsoft.ContainerService/managedClusters/networking.k8s.io/networkpolicies/read\"\ + ,\"Microsoft.ContainerService/managedClusters/persistentvolumeclaims/read\"\ + ,\"Microsoft.ContainerService/managedClusters/pods/read\",\"Microsoft.ContainerService/managedClusters/policy/poddisruptionbudgets/read\"\ + ,\"Microsoft.ContainerService/managedClusters/replicationcontrollers/read\"\ + ,\"Microsoft.ContainerService/managedClusters/replicationcontrollers/read\"\ + ,\"Microsoft.ContainerService/managedClusters/resourcequotas/read\",\"Microsoft.ContainerService/managedClusters/serviceaccounts/read\"\ + ,\"Microsoft.ContainerService/managedClusters/services/read\"],\"notDataActions\"\ + :[]}],\"createdOn\":\"2020-07-02T17:53:05.5728294Z\",\"updatedOn\":\"2022-10-11T23:23:28.2303454Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7f6c6a51-bcf8-42ba-9220-52d62157d7db\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7f6c6a51-bcf8-42ba-9220-52d62157d7db\"\ + },{\"properties\":{\"roleName\":\"Azure Kubernetes Service RBAC Writer\",\"\ + type\":\"BuiltInRole\",\"description\":\"Allows read/write access to most\ + \ objects in a namespace.This role does not allow viewing or modifying roles\ + \ or role bindings. However, this role allows accessing Secrets and running\ + \ Pods as any ServiceAccount in the namespace, so it can be used to gain the\ + \ API access levels of any ServiceAccount in the namespace. Applying this\ + \ role at cluster scope will give access across all namespaces.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\"\ + :[],\"dataActions\":[\"Microsoft.ContainerService/managedClusters/apps/controllerrevisions/read\"\ + ,\"Microsoft.ContainerService/managedClusters/apps/daemonsets/*\",\"Microsoft.ContainerService/managedClusters/apps/deployments/*\"\ + ,\"Microsoft.ContainerService/managedClusters/apps/replicasets/*\",\"Microsoft.ContainerService/managedClusters/apps/statefulsets/*\"\ + ,\"Microsoft.ContainerService/managedClusters/autoscaling/horizontalpodautoscalers/*\"\ + ,\"Microsoft.ContainerService/managedClusters/batch/cronjobs/*\",\"Microsoft.ContainerService/managedClusters/batch/jobs/*\"\ + ,\"Microsoft.ContainerService/managedClusters/configmaps/*\",\"Microsoft.ContainerService/managedClusters/endpoints/*\"\ + ,\"Microsoft.ContainerService/managedClusters/events.k8s.io/events/read\"\ + ,\"Microsoft.ContainerService/managedClusters/events/read\",\"Microsoft.ContainerService/managedClusters/extensions/daemonsets/*\"\ + ,\"Microsoft.ContainerService/managedClusters/extensions/deployments/*\",\"\ + Microsoft.ContainerService/managedClusters/extensions/ingresses/*\",\"Microsoft.ContainerService/managedClusters/extensions/networkpolicies/*\"\ + ,\"Microsoft.ContainerService/managedClusters/extensions/replicasets/*\",\"\ + Microsoft.ContainerService/managedClusters/limitranges/read\",\"Microsoft.ContainerService/managedClusters/namespaces/read\"\ + ,\"Microsoft.ContainerService/managedClusters/networking.k8s.io/ingresses/*\"\ + ,\"Microsoft.ContainerService/managedClusters/networking.k8s.io/networkpolicies/*\"\ + ,\"Microsoft.ContainerService/managedClusters/persistentvolumeclaims/*\",\"\ + Microsoft.ContainerService/managedClusters/pods/*\",\"Microsoft.ContainerService/managedClusters/policy/poddisruptionbudgets/*\"\ + ,\"Microsoft.ContainerService/managedClusters/replicationcontrollers/*\",\"\ + Microsoft.ContainerService/managedClusters/replicationcontrollers/*\",\"Microsoft.ContainerService/managedClusters/resourcequotas/read\"\ + ,\"Microsoft.ContainerService/managedClusters/secrets/*\",\"Microsoft.ContainerService/managedClusters/serviceaccounts/*\"\ + ,\"Microsoft.ContainerService/managedClusters/services/*\"],\"notDataActions\"\ + :[]}],\"createdOn\":\"2020-07-02T17:54:51.9644983Z\",\"updatedOn\":\"2022-10-11T23:23:28.2303454Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a7ffa36f-339b-4b5c-8bdf-e2c188b2c0eb\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a7ffa36f-339b-4b5c-8bdf-e2c188b2c0eb\"\ + },{\"properties\":{\"roleName\":\"Services Hub Operator\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Services Hub Operator allows you to perform all read, write,\ + \ and deletion operations related to Services Hub Connectors.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.ServicesHub/connectors/write\",\"Microsoft.ServicesHub/connectors/read\"\ + ,\"Microsoft.ServicesHub/connectors/delete\",\"Microsoft.ServicesHub/connectors/checkAssessmentEntitlement/action\"\ + ,\"Microsoft.ServicesHub/supportOfferingEntitlement/read\",\"Microsoft.ServicesHub/workspaces/read\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2020-07-20T17:57:22.0644902Z\",\"updatedOn\":\"2021-11-11T20:14:37.5544021Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/82200a5b-e217-47a5-b665-6d8765ee745b\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"82200a5b-e217-47a5-b665-6d8765ee745b\"\ + },{\"properties\":{\"roleName\":\"Object Understanding Account Reader\",\"\ + type\":\"BuiltInRole\",\"description\":\"Lets you read ingestion jobs for\ + \ an object understanding account.\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/ObjectUnderstandingAccounts/ingest/read\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2020-07-23T19:16:31.9929119Z\",\"\ + updatedOn\":\"2021-11-11T20:14:37.9070085Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d18777c0-1514-4662-8490-608db7d334b6\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d18777c0-1514-4662-8490-608db7d334b6\"\ + },{\"properties\":{\"roleName\":\"Azure Arc Enabled Kubernetes Cluster User\ + \ Role\",\"type\":\"BuiltInRole\",\"description\":\"List cluster user credentials\ + \ action.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"\ + Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\"\ + ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Kubernetes/connectedClusters/listClusterUserCredentials/action\"\ + ,\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"\ + Microsoft.Support/*\",\"Microsoft.Kubernetes/connectedClusters/listClusterUserCredential/action\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2020-07-28T17:37:00.7637445Z\",\"updatedOn\":\"2022-02-17T02:29:05.1000798Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/00493d72-78f6-4148-b6c5-d3ce8e4799dd\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"00493d72-78f6-4148-b6c5-d3ce8e4799dd\"\ + },{\"properties\":{\"roleName\":\"SignalR REST API Owner\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Full access to Azure SignalR Service REST APIs\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\"\ + :[\"Microsoft.SignalRService/SignalR/auth/clientToken/action\",\"Microsoft.SignalRService/SignalR/hub/send/action\"\ + ,\"Microsoft.SignalRService/SignalR/group/send/action\",\"Microsoft.SignalRService/SignalR/group/read\"\ + ,\"Microsoft.SignalRService/SignalR/group/write\",\"Microsoft.SignalRService/SignalR/clientConnection/send/action\"\ + ,\"Microsoft.SignalRService/SignalR/clientConnection/read\",\"Microsoft.SignalRService/SignalR/clientConnection/write\"\ + ,\"Microsoft.SignalRService/SignalR/user/send/action\",\"Microsoft.SignalRService/SignalR/user/read\"\ + ,\"Microsoft.SignalRService/SignalR/user/write\"],\"notDataActions\":[]}],\"\ + createdOn\":\"2020-07-29T09:35:32.2764751Z\",\"updatedOn\":\"2021-11-11T20:14:38.8028020Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fd53cd77-2268-407a-8f46-7e7863d0f521\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fd53cd77-2268-407a-8f46-7e7863d0f521\"\ + },{\"properties\":{\"roleName\":\"Collaborative Data Contributor\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Can manage data packages of a collaborative.\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.IndustryDataLifecycle/custodianCollaboratives/*/read\"\ + ,\"Microsoft.IndustryDataLifecycle/memberCollaboratives/*/read\",\"Microsoft.IndustryDataLifecycle/locations/dataPackages/*\"\ + ,\"Microsoft.IndustryDataLifecycle/custodianCollaboratives/receivedDataPackages/*\"\ + ,\"Microsoft.IndustryDataLifecycle/custodianCollaboratives/rejectDataPackage/action\"\ + ,\"Microsoft.IndustryDataLifecycle/memberCollaboratives/sharedDataPackages/*\"\ + ,\"Microsoft.IndustryDataLifecycle/custodianCollaboratives/dataModels/*\"\ + ,\"Microsoft.IndustryDataLifecycle/custodianCollaboratives/auditLogs/action\"\ + ,\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"\ + Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2020-08-14T11:58:31.8973556Z\",\"updatedOn\":\"2021-11-11T20:14:40.2428145Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/daa9e50b-21df-454c-94a6-a8050adab352\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"daa9e50b-21df-454c-94a6-a8050adab352\"\ + },{\"properties\":{\"roleName\":\"Device Update Reader\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Gives you read access to management and content operations,\ + \ but does not allow making changes\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ + ,\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"\ + Microsoft.DeviceUpdate/accounts/instances/updates/read\",\"Microsoft.DeviceUpdate/accounts/instances/management/read\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2020-08-21T23:40:19.2373610Z\",\"\ + updatedOn\":\"2021-11-11T20:14:40.7922672Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e9dba6fb-3d52-4cf0-bce3-f06ce71b9e0f\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e9dba6fb-3d52-4cf0-bce3-f06ce71b9e0f\"\ + },{\"properties\":{\"roleName\":\"Device Update Administrator\",\"type\":\"\ + BuiltInRole\",\"description\":\"Gives you full access to management and content\ + \ operations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ + ,\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"\ + Microsoft.DeviceUpdate/accounts/instances/updates/read\",\"Microsoft.DeviceUpdate/accounts/instances/updates/write\"\ + ,\"Microsoft.DeviceUpdate/accounts/instances/updates/delete\",\"Microsoft.DeviceUpdate/accounts/instances/management/read\"\ + ,\"Microsoft.DeviceUpdate/accounts/instances/management/write\",\"Microsoft.DeviceUpdate/accounts/instances/management/delete\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2020-08-21T23:56:22.3520510Z\",\"\ + updatedOn\":\"2021-11-11T20:14:40.9672678Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/02ca0879-e8e4-47a5-a61e-5c618b76e64a\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"02ca0879-e8e4-47a5-a61e-5c618b76e64a\"\ + },{\"properties\":{\"roleName\":\"Device Update Content Administrator\",\"\ + type\":\"BuiltInRole\",\"description\":\"Gives you full access to content\ + \ operations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ + ,\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"\ + Microsoft.DeviceUpdate/accounts/instances/updates/read\",\"Microsoft.DeviceUpdate/accounts/instances/updates/write\"\ + ,\"Microsoft.DeviceUpdate/accounts/instances/updates/delete\"],\"notDataActions\"\ + :[]}],\"createdOn\":\"2020-08-21T23:58:18.4255500Z\",\"updatedOn\":\"2021-11-11T20:14:41.1433368Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0378884a-3af5-44ab-8323-f5b22f9f3c98\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0378884a-3af5-44ab-8323-f5b22f9f3c98\"\ + },{\"properties\":{\"roleName\":\"Device Update Deployments Administrator\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Gives you full access to management\ + \ operations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ + ,\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"\ + Microsoft.DeviceUpdate/accounts/instances/management/read\",\"Microsoft.DeviceUpdate/accounts/instances/management/write\"\ + ,\"Microsoft.DeviceUpdate/accounts/instances/management/delete\",\"Microsoft.DeviceUpdate/accounts/instances/updates/read\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2020-08-21T23:59:52.1001666Z\",\"\ + updatedOn\":\"2022-01-13T01:59:19.4616366Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e4237640-0e3d-4a46-8fda-70bc94856432\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e4237640-0e3d-4a46-8fda-70bc94856432\"\ + },{\"properties\":{\"roleName\":\"Device Update Deployments Reader\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Gives you read access to management operations,\ + \ but does not allow making changes\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ + ,\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"\ + Microsoft.DeviceUpdate/accounts/instances/management/read\",\"Microsoft.DeviceUpdate/accounts/instances/updates/read\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2020-08-22T00:01:34.7053630Z\",\"\ + updatedOn\":\"2022-01-13T01:35:51.6463216Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/49e2f5d2-7741-4835-8efa-19e1fe35e47f\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"49e2f5d2-7741-4835-8efa-19e1fe35e47f\"\ + },{\"properties\":{\"roleName\":\"Device Update Content Reader\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Gives you read access to content operations,\ + \ but does not allow making changes\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ + ,\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"\ + Microsoft.DeviceUpdate/accounts/instances/updates/read\"],\"notDataActions\"\ + :[]}],\"createdOn\":\"2020-08-22T00:02:43.3299181Z\",\"updatedOn\":\"2021-11-11T20:14:41.6754856Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d1ee9a80-8b14-47f0-bdc2-f4a351625a7b\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d1ee9a80-8b14-47f0-bdc2-f4a351625a7b\"\ + },{\"properties\":{\"roleName\":\"Cognitive Services Metrics Advisor Administrator\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Full access to the project, including\ + \ the system level configuration.\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"],\"notActions\":[],\"\ + dataActions\":[\"Microsoft.CognitiveServices/accounts/MetricsAdvisor/*\"],\"\ + notDataActions\":[]}],\"createdOn\":\"2020-09-10T07:46:47.5804491Z\",\"updatedOn\"\ + :\"2021-11-11T20:14:43.6930781Z\",\"createdBy\":null,\"updatedBy\":null},\"\ + id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/cb43c632-a144-4ec5-977c-e80c4affc34a\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"cb43c632-a144-4ec5-977c-e80c4affc34a\"\ + },{\"properties\":{\"roleName\":\"Cognitive Services Metrics Advisor User\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Access to the project.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/MetricsAdvisor/*\"\ + ],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/MetricsAdvisor/stats/*\"\ + ]}],\"createdOn\":\"2020-09-10T07:47:59.6195639Z\",\"updatedOn\":\"2021-11-11T20:14:43.8780761Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3b20f47b-3825-43cb-8114-4bd2201156a8\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3b20f47b-3825-43cb-8114-4bd2201156a8\"\ + },{\"properties\":{\"roleName\":\"Schema Registry Reader (Preview)\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Read and list Schema Registry groups and\ + \ schemas.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"\ + Microsoft.EventHub/namespaces/schemagroups/read\"],\"notActions\":[],\"dataActions\"\ + :[\"Microsoft.EventHub/namespaces/schemas/read\"],\"notDataActions\":[]}],\"\ + createdOn\":\"2020-09-13T06:31:38.0272740Z\",\"updatedOn\":\"2021-11-11T20:14:44.6350450Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2c56ea50-c6b3-40a6-83c0-9d98858bc7d2\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2c56ea50-c6b3-40a6-83c0-9d98858bc7d2\"\ + },{\"properties\":{\"roleName\":\"Schema Registry Contributor (Preview)\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Read, write, and delete Schema\ + \ Registry groups and schemas.\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.EventHub/namespaces/schemagroups/*\"],\"notActions\"\ + :[],\"dataActions\":[\"Microsoft.EventHub/namespaces/schemas/*\"],\"notDataActions\"\ + :[]}],\"createdOn\":\"2020-09-13T06:48:26.6032931Z\",\"updatedOn\":\"2021-11-11T20:14:44.8200370Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5dffeca3-4936-4216-b2bc-10343a5abb25\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5dffeca3-4936-4216-b2bc-10343a5abb25\"\ + },{\"properties\":{\"roleName\":\"AgFood Platform Service Reader\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Provides read access to AgFood Platform\ + \ Service\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"\ + notActions\":[],\"dataActions\":[\"Microsoft.AgFoodPlatform/*/list/action\"\ + ,\"Microsoft.AgFoodPlatform/*/read\",\"Microsoft.AgFoodPlatform/*/search/action\"\ + ,\"Microsoft.AgFoodPlatform/*/download/action\",\"Microsoft.AgFoodPlatform/*/overlap/action\"\ + ,\"Microsoft.AgFoodPlatform/*/checkConsent/action\"],\"notDataActions\":[]}],\"\ + createdOn\":\"2020-09-14T10:21:08.9138820Z\",\"updatedOn\":\"2022-12-09T07:32:44.6602284Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7ec7ccdc-f61e-41fe-9aaf-980df0a44eba\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7ec7ccdc-f61e-41fe-9aaf-980df0a44eba\"\ + },{\"properties\":{\"roleName\":\"AgFood Platform Service Contributor\",\"\ + type\":\"BuiltInRole\",\"description\":\"Provides contribute access to AgFood\ + \ Platform Service\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[],\"notActions\":[],\"dataActions\":[\"Microsoft.AgFoodPlatform/*/action\"\ + ,\"Microsoft.AgFoodPlatform/*/read\",\"Microsoft.AgFoodPlatform/*/write\"\ + ],\"notDataActions\":[\"Microsoft.AgFoodPlatform/farmBeats/farmers/write\"\ + ,\"Microsoft.AgFoodPlatform/farmBeats/deletionJobs/*/write\",\"Microsoft.AgFoodPlatform/farmBeats/parties/write\"\ + ]}],\"createdOn\":\"2020-09-14T10:21:09.7239169Z\",\"updatedOn\":\"2023-01-19T17:29:21.6287051Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8508508a-4469-4e45-963b-2518ee0bb728\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8508508a-4469-4e45-963b-2518ee0bb728\"\ + },{\"properties\":{\"roleName\":\"AgFood Platform Service Admin\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Provides admin access to AgFood Platform\ + \ Service\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"\ + notActions\":[],\"dataActions\":[\"Microsoft.AgFoodPlatform/*\"],\"notDataActions\"\ + :[]}],\"createdOn\":\"2020-09-14T10:21:09.8039209Z\",\"updatedOn\":\"2021-11-11T20:14:45.3613128Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f8da80de-1ff9-4747-ad80-a19b7f6079e3\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f8da80de-1ff9-4747-ad80-a19b7f6079e3\"\ + },{\"properties\":{\"roleName\":\"Managed HSM contributor\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Lets you manage managed HSM pools, but not access to them.\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.KeyVault/managedHSMs/*\"\ + ,\"Microsoft.KeyVault/deletedManagedHsms/read\",\"Microsoft.KeyVault/locations/deletedManagedHsms/read\"\ + ,\"Microsoft.KeyVault/locations/deletedManagedHsms/purge/action\",\"Microsoft.KeyVault/locations/managedHsmOperationResults/read\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2020-09-16T21:47:01.1291104Z\",\"updatedOn\":\"2022-03-07T20:20:10.2940363Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18500a29-7fe2-46b2-a342-b16a415e101d\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"18500a29-7fe2-46b2-a342-b16a415e101d\"\ + },{\"properties\":{\"roleName\":\"Security Detonation Chamber Submitter\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Allowed to create submissions\ + \ to Security Detonation Chamber\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SecurityDetonation/chambers/submissions/delete\"\ + ,\"Microsoft.SecurityDetonation/chambers/submissions/write\",\"Microsoft.SecurityDetonation/chambers/submissions/read\"\ + ,\"Microsoft.SecurityDetonation/chambers/submissions/files/read\",\"Microsoft.SecurityDetonation/chambers/submissions/accesskeyview/read\"\ + ,\"Microsoft.SecurityDetonation/chambers/platforms/metadata/read\",\"Microsoft.SecurityDetonation/chambers/workflows/metadata/read\"\ + ,\"Microsoft.SecurityDetonation/chambers/toolsets/metadata/read\"],\"notDataActions\"\ + :[]}],\"createdOn\":\"2020-10-01T08:55:21.3980274Z\",\"updatedOn\":\"2021-11-11T20:14:47.5471350Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0b555d9b-b4a7-4f43-b330-627f0e5be8f0\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0b555d9b-b4a7-4f43-b330-627f0e5be8f0\"\ + },{\"properties\":{\"roleName\":\"SignalR REST API Reader\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Read-only access to Azure SignalR Service REST APIs\",\"\ + assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\"\ + :[],\"dataActions\":[\"Microsoft.SignalRService/SignalR/group/read\",\"Microsoft.SignalRService/SignalR/clientConnection/read\"\ + ,\"Microsoft.SignalRService/SignalR/user/read\"],\"notDataActions\":[]}],\"\ + createdOn\":\"2020-10-13T09:19:05.6463616Z\",\"updatedOn\":\"2021-11-11T20:14:48.7902970Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ddde6b66-c0df-4114-a159-3618637b3035\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ddde6b66-c0df-4114-a159-3618637b3035\"\ + },{\"properties\":{\"roleName\":\"SignalR Service Owner\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Full access to Azure SignalR Service REST APIs\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\"\ + :[\"Microsoft.SignalRService/SignalR/auth/accessKey/action\",\"Microsoft.SignalRService/SignalR/auth/clientToken/action\"\ + ,\"Microsoft.SignalRService/SignalR/hub/send/action\",\"Microsoft.SignalRService/SignalR/group/send/action\"\ + ,\"Microsoft.SignalRService/SignalR/group/read\",\"Microsoft.SignalRService/SignalR/group/write\"\ + ,\"Microsoft.SignalRService/SignalR/clientConnection/send/action\",\"Microsoft.SignalRService/SignalR/clientConnection/read\"\ + ,\"Microsoft.SignalRService/SignalR/clientConnection/write\",\"Microsoft.SignalRService/SignalR/serverConnection/write\"\ + ,\"Microsoft.SignalRService/SignalR/user/send/action\",\"Microsoft.SignalRService/SignalR/user/read\"\ + ,\"Microsoft.SignalRService/SignalR/user/write\",\"Microsoft.SignalRService/SignalR/livetrace/*\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2020-10-13T09:20:32.1501410Z\",\"\ + updatedOn\":\"2022-09-14T04:23:14.1771585Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7e4f1700-ea5a-4f59-8f37-079cfe29dce3\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7e4f1700-ea5a-4f59-8f37-079cfe29dce3\"\ + },{\"properties\":{\"roleName\":\"Reservation Purchaser\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Lets you purchase reservations\",\"assignableScopes\":[\"\ + /\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/roleAssignments/read\"\ + ,\"Microsoft.Capacity/catalogs/read\",\"Microsoft.Capacity/register/action\"\ + ,\"Microsoft.Compute/register/action\",\"Microsoft.Consumption/register/action\"\ + ,\"Microsoft.Consumption/reservationRecommendationDetails/read\",\"Microsoft.Consumption/reservationRecommendations/read\"\ + ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.SQL/register/action\",\"Microsoft.Support/supporttickets/write\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2020-10-23T20:22:48.9217751Z\",\"updatedOn\":\"2022-04-13T22:08:56.7905675Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f7b75c60-3036-4b75-91c3-6b41c27c1689\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f7b75c60-3036-4b75-91c3-6b41c27c1689\"\ + },{\"properties\":{\"roleName\":\"AzureML Metrics Writer (preview)\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Lets you write metrics to AzureML workspace\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.MachineLearningServices/workspaces/metrics/*/write\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2020-10-27T16:55:19.5664950Z\",\"updatedOn\":\"2021-11-11T20:14:49.8655015Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/635dd51f-9968-44d3-b7fb-6d9a6bd613ae\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"635dd51f-9968-44d3-b7fb-6d9a6bd613ae\"\ + },{\"properties\":{\"roleName\":\"Storage Account Backup Contributor\",\"\ + type\":\"BuiltInRole\",\"description\":\"Lets you perform backup and restore\ + \ operations using Azure Backup on the storage account.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Authorization/locks/read\",\"Microsoft.Authorization/locks/write\"\ + ,\"Microsoft.Authorization/locks/delete\",\"Microsoft.Features/features/read\"\ + ,\"Microsoft.Features/providers/features/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Storage/operations/read\",\"Microsoft.Storage/storageAccounts/objectReplicationPolicies/delete\"\ + ,\"Microsoft.Storage/storageAccounts/objectReplicationPolicies/read\",\"Microsoft.Storage/storageAccounts/objectReplicationPolicies/write\"\ + ,\"Microsoft.Storage/storageAccounts/objectReplicationPolicies/restorePointMarkers/write\"\ + ,\"Microsoft.Storage/storageAccounts/blobServices/containers/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/write\"\ + ,\"Microsoft.Storage/storageAccounts/blobServices/read\",\"Microsoft.Storage/storageAccounts/blobServices/write\"\ + ,\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.Storage/storageAccounts/restoreBlobRanges/action\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2020-11-02T23:32:50.4203469Z\",\"updatedOn\":\"2022-04-20T01:44:55.2577307Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1\"\ + },{\"properties\":{\"roleName\":\"Experimentation Metric Contributor\",\"\ + type\":\"BuiltInRole\",\"description\":\"Allows for creation, writes and reads\ + \ to the metric set via the metrics service APIs.\",\"assignableScopes\":[\"\ + /\"],\"permissions\":[{\"actions\":[\"Microsoft.Experimentation/experimentWorkspaces/read\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/read\"\ + ,\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/metricwrite/action\"\ + ,\"Microsoft.Experimentation/experimentWorkspaces/metricwrite/action\",\"\ + Microsoft.Experimentation/experimentWorkspaces/read\"],\"notDataActions\"\ + :[]}],\"createdOn\":\"2020-11-10T20:07:53.7535885Z\",\"updatedOn\":\"2021-11-11T20:14:50.9524177Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6188b7c9-7d01-4f99-a59f-c88b630326c0\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6188b7c9-7d01-4f99-a59f-c88b630326c0\"\ + },{\"properties\":{\"roleName\":\"Project Babylon Data Curator\",\"type\"\ + :\"BuiltInRole\",\"description\":\"The Microsoft.ProjectBabylon data curator\ + \ can create, read, modify and delete catalog data objects and establish relationships\ + \ between objects. This role is in preview and subject to change.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ProjectBabylon/accounts/read\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.ProjectBabylon/accounts/data/read\"\ + ,\"Microsoft.ProjectBabylon/accounts/data/write\"],\"notDataActions\":[]}],\"\ + createdOn\":\"2020-11-14T02:31:33.7988825Z\",\"updatedOn\":\"2021-11-11T20:14:51.4929515Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9ef4ef9c-a049-46b0-82ab-dd8ac094c889\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"9ef4ef9c-a049-46b0-82ab-dd8ac094c889\"\ + },{\"properties\":{\"roleName\":\"Project Babylon Data Reader\",\"type\":\"\ + BuiltInRole\",\"description\":\"The Microsoft.ProjectBabylon data reader can\ + \ read catalog data objects. This role is in preview and subject to change.\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ProjectBabylon/accounts/read\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.ProjectBabylon/accounts/data/read\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2020-11-14T02:33:13.5342351Z\",\"\ + updatedOn\":\"2021-11-11T20:14:51.6729667Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c8d896ba-346d-4f50-bc1d-7d1c84130446\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c8d896ba-346d-4f50-bc1d-7d1c84130446\"\ + },{\"properties\":{\"roleName\":\"Project Babylon Data Source Administrator\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"The Microsoft.ProjectBabylon data\ + \ source administrator can manage data sources and data scans. This role is\ + \ in preview and subject to change.\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.ProjectBabylon/accounts/read\"],\"notActions\"\ + :[],\"dataActions\":[\"Microsoft.ProjectBabylon/accounts/scan/read\",\"Microsoft.ProjectBabylon/accounts/scan/write\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2020-11-14T02:34:01.8401954Z\",\"\ + updatedOn\":\"2021-11-11T20:14:51.8529643Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/05b7651b-dc44-475e-b74d-df3db49fae0f\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"05b7651b-dc44-475e-b74d-df3db49fae0f\"\ + },{\"properties\":{\"roleName\":\"Purview role 1 (Deprecated)\",\"type\":\"\ + BuiltInRole\",\"description\":\"Deprecated role.\",\"assignableScopes\":[\"\ + /\"],\"permissions\":[{\"actions\":[\"Microsoft.Purview/accounts/read\"],\"\ + notActions\":[],\"dataActions\":[\"Microsoft.Purview/accounts/data/read\"\ + ,\"Microsoft.Purview/accounts/data/write\"],\"notDataActions\":[]}],\"createdOn\"\ + :\"2020-11-14T02:37:15.0123345Z\",\"updatedOn\":\"2022-01-04T00:43:15.6924286Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8a3c2885-9b38-4fd2-9d99-91af537c1347\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8a3c2885-9b38-4fd2-9d99-91af537c1347\"\ + },{\"properties\":{\"roleName\":\"Purview role 3 (Deprecated)\",\"type\":\"\ + BuiltInRole\",\"description\":\"Deprecated role.\",\"assignableScopes\":[\"\ + /\"],\"permissions\":[{\"actions\":[\"Microsoft.Purview/accounts/read\"],\"\ + notActions\":[],\"dataActions\":[\"Microsoft.Purview/accounts/data/read\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2020-11-14T02:39:22.2344740Z\",\"\ + updatedOn\":\"2022-01-04T00:48:08.2844802Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ff100721-1b9d-43d8-af52-42b69c1272db\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ff100721-1b9d-43d8-af52-42b69c1272db\"\ + },{\"properties\":{\"roleName\":\"Purview role 2 (Deprecated)\",\"type\":\"\ + BuiltInRole\",\"description\":\"Deprecated role.\",\"assignableScopes\":[\"\ + /\"],\"permissions\":[{\"actions\":[\"Microsoft.Purview/accounts/read\"],\"\ + notActions\":[],\"dataActions\":[\"Microsoft.Purview/accounts/scan/read\"\ + ,\"Microsoft.Purview/accounts/scan/write\"],\"notDataActions\":[]}],\"createdOn\"\ + :\"2020-11-14T02:40:05.0975648Z\",\"updatedOn\":\"2022-01-04T00:47:22.9678219Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/200bba9e-f0c8-430f-892b-6f0794863803\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"200bba9e-f0c8-430f-892b-6f0794863803\"\ + },{\"properties\":{\"roleName\":\"Application Group Contributor\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Contributor of the Application Group.\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/applicationgroups/*\"\ + ,\"Microsoft.DesktopVirtualization/hostpools/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/read\"\ + ,\"Microsoft.DesktopVirtualization/workspaces/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Support/*\"],\"notActions\"\ + :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-03T23:26:00.2784962Z\"\ + ,\"updatedOn\":\"2021-11-11T20:14:52.9432015Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ca6382a4-1721-4bcf-a114-ff0c70227b6b\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ca6382a4-1721-4bcf-a114-ff0c70227b6b\"\ + },{\"properties\":{\"roleName\":\"Desktop Virtualization Reader\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Reader of Desktop Virtualization.\",\"\ + assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/*/read\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/read\"\ + ,\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/read\"\ + ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2020-12-11T21:36:19.0140629Z\",\"updatedOn\":\"2021-11-11T20:14:54.0407838Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/49a72310-ab8d-41df-bbb0-79b649203868\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"49a72310-ab8d-41df-bbb0-79b649203868\"\ + },{\"properties\":{\"roleName\":\"Desktop Virtualization Contributor\",\"\ + type\":\"BuiltInRole\",\"description\":\"Contributor of Desktop Virtualization.\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"\ + Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2020-12-11T21:37:16.2910337Z\",\"updatedOn\":\"2021-11-11T20:14:54.2107872Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/082f0a83-3be5-4ba1-904c-961cca79b387\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"082f0a83-3be5-4ba1-904c-961cca79b387\"\ + },{\"properties\":{\"roleName\":\"Desktop Virtualization Workspace Contributor\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Contributor of the Desktop Virtualization\ + \ Workspace.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.DesktopVirtualization/workspaces/*\",\"Microsoft.DesktopVirtualization/applicationgroups/read\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"\ + Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2020-12-11T21:38:29.6089216Z\",\"updatedOn\":\"2021-11-11T20:14:54.3907854Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/21efdde3-836f-432b-bf3d-3e8e734d4b2b\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"21efdde3-836f-432b-bf3d-3e8e734d4b2b\"\ + },{\"properties\":{\"roleName\":\"Desktop Virtualization User Session Operator\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Operator of the Desktop Virtualization\ + \ Uesr Session.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.DesktopVirtualization/hostpools/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/read\"\ + ,\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"\ + Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2020-12-11T21:39:16.9100273Z\",\"updatedOn\":\"2021-11-11T20:14:54.5657970Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ea4bfff8-7fb4-485a-aadd-d4129a0ffaa6\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ea4bfff8-7fb4-485a-aadd-d4129a0ffaa6\"\ + },{\"properties\":{\"roleName\":\"Desktop Virtualization Session Host Operator\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Operator of the Desktop Virtualization\ + \ Session Host.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.DesktopVirtualization/hostpools/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"\ + Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2020-12-11T21:39:53.2569741Z\",\"updatedOn\":\"2021-11-11T20:14:54.7508042Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2ad6aaab-ead9-4eaa-8ac5-da422f562408\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2ad6aaab-ead9-4eaa-8ac5-da422f562408\"\ + },{\"properties\":{\"roleName\":\"Desktop Virtualization Host Pool Reader\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Reader of the Desktop Virtualization\ + \ Host Pool.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.DesktopVirtualization/hostpools/*/read\",\"Microsoft.DesktopVirtualization/hostpools/read\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/read\"\ + ,\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/read\"\ + ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2020-12-11T21:40:33.1430834Z\",\"updatedOn\":\"2021-11-11T20:14:54.9257967Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ceadfde2-b300-400a-ab7b-6143895aa822\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ceadfde2-b300-400a-ab7b-6143895aa822\"\ + },{\"properties\":{\"roleName\":\"Desktop Virtualization Host Pool Contributor\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Contributor of the Desktop Virtualization\ + \ Host Pool.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.DesktopVirtualization/hostpools/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Support/*\"],\"notActions\"\ + :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:40:57.2976187Z\"\ + ,\"updatedOn\":\"2021-11-11T20:14:55.1057701Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e307426c-f9b6-4e81-87de-d99efb3c32bc\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e307426c-f9b6-4e81-87de-d99efb3c32bc\"\ + },{\"properties\":{\"roleName\":\"Desktop Virtualization Application Group\ + \ Reader\",\"type\":\"BuiltInRole\",\"description\":\"Reader of the Desktop\ + \ Virtualization Application Group.\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.DesktopVirtualization/applicationgroups/*/read\"\ + ,\"Microsoft.DesktopVirtualization/applicationgroups/read\",\"Microsoft.DesktopVirtualization/hostpools/read\"\ + ,\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Resources/deployments/read\",\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Insights/alertRules/read\",\"Microsoft.Support/*\"],\"notActions\"\ + :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:41:18.0287398Z\"\ + ,\"updatedOn\":\"2021-11-11T20:14:55.2858006Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/aebf23d0-b568-4e86-b8f9-fe83a2c6ab55\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"aebf23d0-b568-4e86-b8f9-fe83a2c6ab55\"\ + },{\"properties\":{\"roleName\":\"Desktop Virtualization Application Group\ + \ Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Contributor of\ + \ the Desktop Virtualization Application Group.\",\"assignableScopes\":[\"\ + /\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/applicationgroups/*\"\ + ,\"Microsoft.DesktopVirtualization/hostpools/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/read\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"\ + Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2020-12-11T21:41:38.6205531Z\",\"updatedOn\":\"2021-11-11T20:14:55.4677136Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/86240b0e-9422-4c43-887b-b61143f32ba8\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"86240b0e-9422-4c43-887b-b61143f32ba8\"\ + },{\"properties\":{\"roleName\":\"Desktop Virtualization Workspace Reader\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Reader of the Desktop Virtualization\ + \ Workspace.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.DesktopVirtualization/workspaces/read\",\"Microsoft.DesktopVirtualization/applicationgroups/read\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/read\"\ + ,\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/read\"\ + ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2020-12-11T21:41:58.1892707Z\",\"updatedOn\":\"2021-11-11T20:14:55.6577168Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0fa44ee9-7a7d-466b-9bb2-2bf446b1204d\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0fa44ee9-7a7d-466b-9bb2-2bf446b1204d\"\ + },{\"properties\":{\"roleName\":\"Disk Backup Reader\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Provides permission to backup vault to perform disk backup.\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Compute/disks/read\",\"Microsoft.Compute/disks/beginGetAccess/action\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2020-12-15T07:39:03.8394514Z\",\"updatedOn\":\"2021-11-11T20:14:56.0178737Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3e5e47e6-65f7-47ef-90b5-e5dd4d455f24\"\ + },{\"properties\":{\"roleName\":\"Autonomous Development Platform Data Contributor\ + \ (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Grants permissions\ + \ to upload and manage new Autonomous Development Platform measurements.\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.AutonomousDevelopmentPlatform/*/read\"\ + ,\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.AutonomousDevelopmentPlatform/accounts/dataPools/discoveries/*\"\ + ,\"Microsoft.AutonomousDevelopmentPlatform/accounts/dataPools/uploads/*\"\ + ,\"Microsoft.AutonomousDevelopmentPlatform/accounts/dataPools/measurements/states/new/*\"\ + ,\"Microsoft.AutonomousDevelopmentPlatform/accounts/dataPools/measurementCollections/*\"\ + ,\"Microsoft.AutonomousDevelopmentPlatform/accounts/measurementCollections/*\"\ + ,\"Microsoft.AutonomousDevelopmentPlatform/workspaces/read\",\"Microsoft.AutonomousDevelopmentPlatform/workspaces/discoveries/*\"\ + ,\"Microsoft.AutonomousDevelopmentPlatform/workspaces/uploads/*\",\"Microsoft.AutonomousDevelopmentPlatform/workspaces/measurements/states/new/*\"\ + ,\"Microsoft.AutonomousDevelopmentPlatform/workspaces/measurements/classifications/*\"\ + ,\"Microsoft.AutonomousDevelopmentPlatform/workspaces/measurements/dataStreams/classifications/*\"\ + ,\"Microsoft.AutonomousDevelopmentPlatform/workspaces/measurementCollections/*\"\ + ],\"notDataActions\":[\"Microsoft.AutonomousDevelopmentPlatform/accounts/dataPools/measurements/states/new/changeState/action\"\ + ,\"Microsoft.AutonomousDevelopmentPlatform/workspaces/measurements/states/new/changeState/action\"\ + ]}],\"createdOn\":\"2020-12-15T11:30:01.7459379Z\",\"updatedOn\":\"2022-09-14T15:02:38.0071890Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b8b15564-4fa6-4a59-ab12-03e1d9594795\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b8b15564-4fa6-4a59-ab12-03e1d9594795\"\ + },{\"properties\":{\"roleName\":\"Autonomous Development Platform Data Reader\ + \ (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Grants read access\ + \ to Autonomous Development Platform data.\",\"assignableScopes\":[\"/\"],\"\ + permissions\":[{\"actions\":[\"Microsoft.AutonomousDevelopmentPlatform/*/read\"\ + ,\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.AutonomousDevelopmentPlatform/*/read\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2020-12-15T12:11:31.9843256Z\",\"\ + updatedOn\":\"2022-01-04T13:21:04.3207709Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d63b75f7-47ea-4f27-92ac-e0d173aaf093\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d63b75f7-47ea-4f27-92ac-e0d173aaf093\"\ + },{\"properties\":{\"roleName\":\"Autonomous Development Platform Data Owner\ + \ (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Grants full access\ + \ to Autonomous Development Platform data.\",\"assignableScopes\":[\"/\"],\"\ + permissions\":[{\"actions\":[\"Microsoft.AutonomousDevelopmentPlatform/*/read\"\ + ,\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.AutonomousDevelopmentPlatform/*\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2020-12-15T12:13:59.9702378Z\",\"\ + updatedOn\":\"2022-01-04T13:20:26.2040404Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/27f8b550-c507-4db9-86f2-f4b8e816d59d\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"27f8b550-c507-4db9-86f2-f4b8e816d59d\"\ + },{\"properties\":{\"roleName\":\"Disk Restore Operator\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Provides permission to backup vault to perform disk restore.\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Compute/disks/write\"\ + ,\"Microsoft.Compute/disks/read\"],\"notActions\":[],\"dataActions\":[],\"\ + notDataActions\":[]}],\"createdOn\":\"2020-12-15T12:18:31.8481619Z\",\"updatedOn\"\ + :\"2021-11-11T20:14:56.7408912Z\",\"createdBy\":null,\"updatedBy\":null},\"\ + id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b50d9833-a0cb-478e-945f-707fcc997c13\"\ + },{\"properties\":{\"roleName\":\"Disk Snapshot Contributor\",\"type\":\"\ + BuiltInRole\",\"description\":\"Provides permission to backup vault to manage\ + \ disk snapshots.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Compute/snapshots/delete\",\"Microsoft.Compute/snapshots/write\"\ + ,\"Microsoft.Compute/snapshots/read\",\"Microsoft.Compute/snapshots/beginGetAccess/action\"\ + ,\"Microsoft.Compute/snapshots/endGetAccess/action\",\"Microsoft.Compute/disks/beginGetAccess/action\"\ + ,\"Microsoft.Storage/storageAccounts/listkeys/action\",\"Microsoft.Storage/storageAccounts/write\"\ + ,\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.Storage/storageAccounts/delete\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2020-12-15T12:18:51.4471411Z\",\"updatedOn\":\"2021-11-11T20:14:56.9158814Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7efff54f-a5b4-42b5-a1c5-5411624893ce\"\ + },{\"properties\":{\"roleName\":\"Microsoft.Kubernetes connected cluster role\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Microsoft.Kubernetes connected\ + \ cluster role.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.Kubernetes/connectedClusters/read\",\"Microsoft.Kubernetes/connectedClusters/write\"\ + ,\"Microsoft.Kubernetes/connectedClusters/delete\",\"Microsoft.Kubernetes/registeredSubscriptions/read\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2021-01-07T23:57:10.9923232Z\",\"updatedOn\":\"2021-11-11T20:14:58.2039838Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5548b2cf-c94c-4228-90ba-30851930a12f\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5548b2cf-c94c-4228-90ba-30851930a12f\"\ + },{\"properties\":{\"roleName\":\"Security Detonation Chamber Submission Manager\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Allowed to create and manage submissions\ + \ to Security Detonation Chamber\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SecurityDetonation/chambers/submissions/delete\"\ + ,\"Microsoft.SecurityDetonation/chambers/submissions/write\",\"Microsoft.SecurityDetonation/chambers/submissions/read\"\ + ,\"Microsoft.SecurityDetonation/chambers/submissions/files/read\",\"Microsoft.SecurityDetonation/chambers/submissions/accesskeyview/read\"\ + ,\"Microsoft.SecurityDetonation/chambers/submissions/adminview/read\",\"Microsoft.SecurityDetonation/chambers/submissions/analystview/read\"\ + ,\"Microsoft.SecurityDetonation/chambers/submissions/publicview/read\",\"\ + Microsoft.SecurityDetonation/chambers/platforms/metadata/read\",\"Microsoft.SecurityDetonation/chambers/workflows/metadata/read\"\ + ,\"Microsoft.SecurityDetonation/chambers/toolsets/metadata/read\"],\"notDataActions\"\ + :[]}],\"createdOn\":\"2021-01-18T09:35:36.5739297Z\",\"updatedOn\":\"2021-11-11T20:14:58.3939604Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a37b566d-3efa-4beb-a2f2-698963fa42ce\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a37b566d-3efa-4beb-a2f2-698963fa42ce\"\ + },{\"properties\":{\"roleName\":\"Security Detonation Chamber Publisher\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Allowed to publish and modify\ + \ platforms, workflows and toolsets to Security Detonation Chamber\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\"\ + :[\"Microsoft.SecurityDetonation/chambers/platforms/read\",\"Microsoft.SecurityDetonation/chambers/platforms/write\"\ + ,\"Microsoft.SecurityDetonation/chambers/platforms/delete\",\"Microsoft.SecurityDetonation/chambers/platforms/metadata/read\"\ + ,\"Microsoft.SecurityDetonation/chambers/workflows/read\",\"Microsoft.SecurityDetonation/chambers/workflows/write\"\ + ,\"Microsoft.SecurityDetonation/chambers/workflows/delete\",\"Microsoft.SecurityDetonation/chambers/workflows/metadata/read\"\ + ,\"Microsoft.SecurityDetonation/chambers/toolsets/read\",\"Microsoft.SecurityDetonation/chambers/toolsets/write\"\ + ,\"Microsoft.SecurityDetonation/chambers/toolsets/delete\",\"Microsoft.SecurityDetonation/chambers/toolsets/metadata/read\"\ + ,\"Microsoft.SecurityDetonation/chambers/publishRequests/read\",\"Microsoft.SecurityDetonation/chambers/publishRequests/cancel/action\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2021-01-18T11:43:14.0858184Z\",\"\ + updatedOn\":\"2021-11-11T20:14:58.5639749Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/352470b3-6a9c-4686-b503-35deb827e500\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"352470b3-6a9c-4686-b503-35deb827e500\"\ + },{\"properties\":{\"roleName\":\"Collaborative Runtime Operator\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Can manage resources created by AICS at\ + \ runtime\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"\ + Microsoft.IndustryDataLifecycle/derivedModels/*\",\"Microsoft.IndustryDataLifecycle/pipelineSets/*\"\ + ,\"Microsoft.IndustryDataLifecycle/modelMappings/*\",\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2021-01-19T10:00:27.3464971Z\",\"updatedOn\":\"2021-11-11T20:14:58.7442136Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7a6f0e70-c033-4fb1-828c-08514e5f4102\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7a6f0e70-c033-4fb1-828c-08514e5f4102\"\ + },{\"properties\":{\"roleName\":\"CosmosRestoreOperator\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Can perform restore action for Cosmos DB database account\ + \ with continuous backup mode\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.DocumentDB/locations/restorableDatabaseAccounts/restore/action\"\ + ,\"Microsoft.DocumentDB/locations/restorableDatabaseAccounts/*/read\",\"Microsoft.DocumentDB/locations/restorableDatabaseAccounts/read\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2021-01-21T19:51:35.3884884Z\",\"updatedOn\":\"2021-11-11T20:14:59.4892686Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5432c526-bc82-444a-b7ba-57c5b0b5b34f\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5432c526-bc82-444a-b7ba-57c5b0b5b34f\"\ + },{\"properties\":{\"roleName\":\"FHIR Data Converter\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Role allows user or principal to convert data from legacy\ + \ format to FHIR\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[],\"notActions\":[],\"dataActions\":[\"Microsoft.HealthcareApis/services/fhir/resources/convertData/action\"\ + ,\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/convertData/action\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2021-01-22T19:39:01.1601069Z\",\"\ + updatedOn\":\"2021-11-11T20:14:59.8605937Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a1705bd2-3a8f-45a5-8683-466fcfd5cc24\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a1705bd2-3a8f-45a5-8683-466fcfd5cc24\"\ + },{\"properties\":{\"roleName\":\"Microsoft Sentinel Automation Contributor\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Microsoft Sentinel Automation\ + \ Contributor\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.Authorization/*/read\",\"Microsoft.Logic/workflows/triggers/read\"\ + ,\"Microsoft.Logic/workflows/triggers/listCallbackUrl/action\",\"Microsoft.Logic/workflows/runs/read\"\ + ,\"Microsoft.Web/sites/hostruntime/webhooks/api/workflows/triggers/read\"\ + ,\"Microsoft.Web/sites/hostruntime/webhooks/api/workflows/triggers/listCallbackUrl/action\"\ + ,\"Microsoft.Web/sites/hostruntime/webhooks/api/workflows/runs/read\"],\"\ + notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"\ + 2021-01-24T08:50:52.0382991Z\",\"updatedOn\":\"2022-01-26T09:25:00.4699337Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f4c81013-99ee-4d62-a7ee-b3f1f648599a\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f4c81013-99ee-4d62-a7ee-b3f1f648599a\"\ + },{\"properties\":{\"roleName\":\"Quota Request Operator\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Read and create quota requests, get quota request status,\ + \ and create support tickets.\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.Capacity/resourceProviders/locations/serviceLimits/read\"\ + ,\"Microsoft.Capacity/resourceProviders/locations/serviceLimits/write\",\"\ + Microsoft.Capacity/resourceProviders/locations/serviceLimitsRequests/read\"\ + ,\"Microsoft.Capacity/register/action\",\"Microsoft.Quota/usages/read\",\"\ + Microsoft.Quota/quotas/read\",\"Microsoft.Quota/quotas/write\",\"Microsoft.Quota/quotaRequests/read\"\ + ,\"Microsoft.Quota/register/action\",\"Microsoft.Authorization/*/read\",\"\ + Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"\ + Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2021-02-03T00:06:35.8404575Z\",\"updatedOn\":\"2022-12-05T21:28:33.3264217Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0e5f05e5-9ab9-446b-b98d-1e2157c94125\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0e5f05e5-9ab9-446b-b98d-1e2157c94125\"\ + },{\"properties\":{\"roleName\":\"EventGrid Contributor\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Lets you manage EventGrid operations.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.EventGrid/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2021-02-08T18:46:18.8999557Z\",\"updatedOn\":\"2021-11-11T20:15:01.6867802Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1e241071-0855-49ea-94dc-649edcd759de\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1e241071-0855-49ea-94dc-649edcd759de\"\ + },{\"properties\":{\"roleName\":\"Security Detonation Chamber Reader\",\"\ + type\":\"BuiltInRole\",\"description\":\"Allowed to query submission info\ + \ and files from Security Detonation Chamber\",\"assignableScopes\":[\"/\"\ + ],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SecurityDetonation/chambers/submissions/read\"\ + ,\"Microsoft.SecurityDetonation/chambers/submissions/files/read\"],\"notDataActions\"\ + :[]}],\"createdOn\":\"2021-03-01T14:06:46.2814905Z\",\"updatedOn\":\"2021-11-11T20:15:03.3274090Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/28241645-39f8-410b-ad48-87863e2951d5\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"28241645-39f8-410b-ad48-87863e2951d5\"\ + },{\"properties\":{\"roleName\":\"Object Anchors Account Reader\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Lets you read ingestion jobs for an object\ + \ anchors account.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/ObjectAnchorsAccounts/ingest/read\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2021-03-02T01:20:47.0279813Z\",\"\ + updatedOn\":\"2021-11-11T20:15:03.5006082Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4a167cdf-cb95-4554-9203-2347fe489bd9\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4a167cdf-cb95-4554-9203-2347fe489bd9\"\ + },{\"properties\":{\"roleName\":\"Object Anchors Account Owner\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Provides user with ingestion capabilities\ + \ for an object anchors account.\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/ObjectAnchorsAccounts/ingest/action\"\ + ,\"Microsoft.MixedReality/ObjectAnchorsAccounts/ingest/read\"],\"notDataActions\"\ + :[]}],\"createdOn\":\"2021-03-02T01:42:02.0014737Z\",\"updatedOn\":\"2021-11-11T20:15:03.6855873Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ca0835dd-bacc-42dd-8ed2-ed5e7230d15b\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ca0835dd-bacc-42dd-8ed2-ed5e7230d15b\"\ + },{\"properties\":{\"roleName\":\"WorkloadBuilder Migration Agent Role\",\"\ + type\":\"BuiltInRole\",\"description\":\"WorkloadBuilder Migration Agent Role.\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.WorkloadBuilder/migrationAgents/Read\"\ + ,\"Microsoft.WorkloadBuilder/migrationAgents/Write\"],\"notActions\":[],\"\ + dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-03-11T17:07:20.0828003Z\"\ + ,\"updatedOn\":\"2021-11-11T20:15:04.2456706Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d17ce0a2-0697-43bc-aac5-9113337ab61c\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d17ce0a2-0697-43bc-aac5-9113337ab61c\"\ + },{\"properties\":{\"roleName\":\"Azure Spring Cloud Data Reader\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Allow read access to Azure Spring Cloud\ + \ Data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"\ + notActions\":[],\"dataActions\":[\"Microsoft.AppPlatform/Spring/*/read\"],\"\ + notDataActions\":[]}],\"createdOn\":\"2021-03-25T11:12:12.6786010Z\",\"updatedOn\"\ + :\"2021-11-11T20:15:05.3368606Z\",\"createdBy\":null,\"updatedBy\":null},\"\ + id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b5537268-8956-4941-a8f0-646150406f0c\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b5537268-8956-4941-a8f0-646150406f0c\"\ + },{\"properties\":{\"roleName\":\"Cognitive Services Speech User\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Access to the real-time speech recognition\ + \ and batch transcription APIs, real-time speech synthesis and long audio\ + \ APIs, as well as to read the data/test/model/endpoint for custom models,\ + \ but can\u2019t create, delete or modify the data/test/model/endpoint for\ + \ custom models.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\"\ + ,\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\"\ + :[\"Microsoft.CognitiveServices/accounts/SpeechServices/*/read\",\"Microsoft.CognitiveServices/accounts/SpeechServices/*/transcriptions/read\"\ + ,\"Microsoft.CognitiveServices/accounts/SpeechServices/*/transcriptions/write\"\ + ,\"Microsoft.CognitiveServices/accounts/SpeechServices/*/transcriptions/delete\"\ + ,\"Microsoft.CognitiveServices/accounts/SpeechServices/*/frontend/action\"\ + ,\"Microsoft.CognitiveServices/accounts/SpeechServices/text-dependent/*/action\"\ + ,\"Microsoft.CognitiveServices/accounts/SpeechServices/text-independent/*/action\"\ + ,\"Microsoft.CognitiveServices/accounts/CustomVoice/*/read\",\"Microsoft.CognitiveServices/accounts/CustomVoice/evaluations/*\"\ + ,\"Microsoft.CognitiveServices/accounts/CustomVoice/longaudiosynthesis/*\"\ + ,\"Microsoft.CognitiveServices/accounts/AudioContentCreation/*\"],\"notDataActions\"\ + :[\"Microsoft.CognitiveServices/accounts/CustomVoice/datasets/files/read\"\ + ,\"Microsoft.CognitiveServices/accounts/CustomVoice/datasets/utterances/read\"\ + ]}],\"createdOn\":\"2021-03-30T11:28:27.4339032Z\",\"updatedOn\":\"2022-05-19T23:26:56.1473805Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f2dc8367-1007-4938-bd23-fe263f013447\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f2dc8367-1007-4938-bd23-fe263f013447\"\ + },{\"properties\":{\"roleName\":\"Cognitive Services Speech Contributor\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Full access to Speech projects,\ + \ including read, write and delete all entities, for real-time speech recognition\ + \ and batch transcription tasks, real-time speech synthesis and long audio\ + \ tasks, custom speech and custom voice.\",\"assignableScopes\":[\"/\"],\"\ + permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\"\ + ,\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\"\ + :[\"Microsoft.CognitiveServices/accounts/SpeechServices/*\",\"Microsoft.CognitiveServices/accounts/CustomVoice/*\"\ + ,\"Microsoft.CognitiveServices/accounts/AudioContentCreation/*\"],\"notDataActions\"\ + :[]}],\"createdOn\":\"2021-03-30T11:28:49.7826633Z\",\"updatedOn\":\"2022-05-19T23:26:56.1473805Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0e75ca1e-0464-4b4d-8b93-68208a576181\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0e75ca1e-0464-4b4d-8b93-68208a576181\"\ + },{\"properties\":{\"roleName\":\"Cognitive Services Face Recognizer\",\"\ + type\":\"BuiltInRole\",\"description\":\"Lets you perform detect, verify,\ + \ identify, group, and find similar operations on Face API. This role does\ + \ not allow create or delete operations, which makes it well suited for endpoints\ + \ that only need inferencing capabilities, following 'least privilege' best\ + \ practices.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/Face/detect/action\"\ + ,\"Microsoft.CognitiveServices/accounts/Face/verify/action\",\"Microsoft.CognitiveServices/accounts/Face/identify/action\"\ + ,\"Microsoft.CognitiveServices/accounts/Face/group/action\",\"Microsoft.CognitiveServices/accounts/Face/findsimilars/action\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2021-03-31T01:51:41.3557295Z\",\"\ + updatedOn\":\"2021-11-11T20:15:05.8818362Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9894cab4-e18a-44aa-828b-cb588cd6f2d7\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"9894cab4-e18a-44aa-828b-cb588cd6f2d7\"\ + },{\"properties\":{\"roleName\":\"Media Services Account Administrator\",\"\ + type\":\"BuiltInRole\",\"description\":\"Create, read, modify, and delete\ + \ Media Services accounts; read-only access to other Media Services resources.\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/metrics/read\",\"\ + Microsoft.Insights/metricDefinitions/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ + ,\"Microsoft.Media/mediaservices/*/read\",\"Microsoft.Media/mediaservices/assets/listStreamingLocators/action\"\ + ,\"Microsoft.Media/mediaservices/streamingLocators/listPaths/action\",\"Microsoft.Media/mediaservices/write\"\ + ,\"Microsoft.Media/mediaservices/delete\",\"Microsoft.Media/mediaservices/privateEndpointConnectionsApproval/action\"\ + ,\"Microsoft.Media/mediaservices/privateEndpointConnections/*\"],\"notActions\"\ + :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-04-19T23:20:32.2956636Z\"\ + ,\"updatedOn\":\"2021-11-11T20:15:07.1518844Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/054126f8-9a2b-4f1c-a9ad-eca461f08466\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"054126f8-9a2b-4f1c-a9ad-eca461f08466\"\ + },{\"properties\":{\"roleName\":\"Media Services Live Events Administrator\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Create, read, modify, and delete\ + \ Live Events, Assets, Asset Filters, and Streaming Locators; read-only access\ + \ to other Media Services resources.\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\"\ + ,\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Media/mediaservices/*/read\"\ + ,\"Microsoft.Media/mediaservices/assets/*\",\"Microsoft.Media/mediaservices/assets/assetfilters/*\"\ + ,\"Microsoft.Media/mediaservices/streamingLocators/*\",\"Microsoft.Media/mediaservices/liveEvents/*\"\ + ],\"notActions\":[\"Microsoft.Media/mediaservices/assets/getEncryptionKey/action\"\ + ,\"Microsoft.Media/mediaservices/streamingLocators/listContentKeys/action\"\ + ],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-04-19T23:21:00.6119555Z\"\ + ,\"updatedOn\":\"2021-11-11T20:15:07.3318873Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/532bc159-b25e-42c0-969e-a1d439f60d77\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"532bc159-b25e-42c0-969e-a1d439f60d77\"\ + },{\"properties\":{\"roleName\":\"Media Services Media Operator\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Create, read, modify, and delete Assets,\ + \ Asset Filters, Streaming Locators, and Jobs; read-only access to other Media\ + \ Services resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ + actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\"\ + ,\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Media/mediaservices/*/read\"\ + ,\"Microsoft.Media/mediaservices/assets/*\",\"Microsoft.Media/mediaservices/assets/assetfilters/*\"\ + ,\"Microsoft.Media/mediaservices/streamingLocators/*\",\"Microsoft.Media/mediaservices/transforms/jobs/*\"\ + ],\"notActions\":[\"Microsoft.Media/mediaservices/assets/getEncryptionKey/action\"\ + ,\"Microsoft.Media/mediaservices/streamingLocators/listContentKeys/action\"\ + ],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-04-19T23:21:23.2236495Z\"\ + ,\"updatedOn\":\"2021-11-11T20:15:07.5068487Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e4395492-1534-4db2-bedf-88c14621589c\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e4395492-1534-4db2-bedf-88c14621589c\"\ + },{\"properties\":{\"roleName\":\"Media Services Policy Administrator\",\"\ + type\":\"BuiltInRole\",\"description\":\"Create, read, modify, and delete\ + \ Account Filters, Streaming Policies, Content Key Policies, and Transforms;\ + \ read-only access to other Media Services resources. Cannot create Jobs,\ + \ Assets or Streaming resources.\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\"\ + ,\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Media/mediaservices/*/read\"\ + ,\"Microsoft.Media/mediaservices/assets/listStreamingLocators/action\",\"\ + Microsoft.Media/mediaservices/streamingLocators/listPaths/action\",\"Microsoft.Media/mediaservices/accountFilters/*\"\ + ,\"Microsoft.Media/mediaservices/streamingPolicies/*\",\"Microsoft.Media/mediaservices/contentKeyPolicies/*\"\ + ,\"Microsoft.Media/mediaservices/transforms/*\"],\"notActions\":[\"Microsoft.Media/mediaservices/contentKeyPolicies/getPolicyPropertiesWithSecrets/action\"\ + ],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-04-19T23:21:46.9534330Z\"\ + ,\"updatedOn\":\"2021-11-11T20:15:07.6968496Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c4bba371-dacd-4a26-b320-7250bca963ae\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c4bba371-dacd-4a26-b320-7250bca963ae\"\ + },{\"properties\":{\"roleName\":\"Media Services Streaming Endpoints Administrator\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Create, read, modify, and delete\ + \ Streaming Endpoints; read-only access to other Media Services resources.\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/metrics/read\",\"\ + Microsoft.Insights/metricDefinitions/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ + ,\"Microsoft.Media/mediaservices/*/read\",\"Microsoft.Media/mediaservices/assets/listStreamingLocators/action\"\ + ,\"Microsoft.Media/mediaservices/streamingLocators/listPaths/action\",\"Microsoft.Media/mediaservices/streamingEndpoints/*\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2021-04-19T23:22:04.4594851Z\",\"updatedOn\":\"2021-11-11T20:15:07.8718907Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/99dba123-b5fe-44d5-874c-ced7199a5804\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"99dba123-b5fe-44d5-874c-ced7199a5804\"\ + },{\"properties\":{\"roleName\":\"Stream Analytics Query Tester\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Lets you perform query testing without\ + \ creating a stream analytics job first\",\"assignableScopes\":[\"/\"],\"\ + permissions\":[{\"actions\":[\"Microsoft.StreamAnalytics/locations/TestQuery/action\"\ + ,\"Microsoft.StreamAnalytics/locations/OperationResults/read\",\"Microsoft.StreamAnalytics/locations/SampleInput/action\"\ + ,\"Microsoft.StreamAnalytics/locations/CompileQuery/action\"],\"notActions\"\ + :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-04-20T17:33:24.5727870Z\"\ + ,\"updatedOn\":\"2021-11-11T20:15:08.0481551Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1ec5b3c1-b17e-4e25-8312-2acb3c3c5abf\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1ec5b3c1-b17e-4e25-8312-2acb3c3c5abf\"\ + },{\"properties\":{\"roleName\":\"AnyBuild Builder\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Basic user role for AnyBuild. This role allows listing\ + \ of agent information and execution of remote build capabilities.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\"\ + :[\"Microsoft.AnyBuild/clusters/build/write\",\"Microsoft.AnyBuild/clusters/build/read\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2021-04-20T22:07:00.4963853Z\",\"\ + updatedOn\":\"2021-11-11T20:15:08.4254134Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a2138dac-4907-4679-a376-736901ed8ad8\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a2138dac-4907-4679-a376-736901ed8ad8\"\ + },{\"properties\":{\"roleName\":\"IoT Hub Data Reader\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Allows for full read access to IoT Hub data-plane properties\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\"\ + :[],\"dataActions\":[\"Microsoft.Devices/IotHubs/*/read\",\"Microsoft.Devices/IotHubs/fileUpload/notifications/action\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2021-04-22T18:03:29.8843192Z\",\"\ + updatedOn\":\"2021-11-11T20:15:08.6054154Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b447c946-2db7-41ec-983d-d8bf3b1c77e3\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b447c946-2db7-41ec-983d-d8bf3b1c77e3\"\ + },{\"properties\":{\"roleName\":\"IoT Hub Twin Contributor\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Allows for read and write access to all IoT Hub device\ + \ and module twins.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[],\"notActions\":[],\"dataActions\":[\"Microsoft.Devices/IotHubs/twins/*\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2021-04-22T20:36:10.1136903Z\",\"\ + updatedOn\":\"2021-11-11T20:15:08.7855063Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/494bdba2-168f-4f31-a0a1-191d2f7c028c\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"494bdba2-168f-4f31-a0a1-191d2f7c028c\"\ + },{\"properties\":{\"roleName\":\"IoT Hub Registry Contributor\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Allows for full access to IoT Hub device\ + \ registry.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"\ + notActions\":[],\"dataActions\":[\"Microsoft.Devices/IotHubs/devices/*\"],\"\ + notDataActions\":[]}],\"createdOn\":\"2021-04-22T20:36:47.5532704Z\",\"updatedOn\"\ + :\"2021-11-11T20:15:08.9804295Z\",\"createdBy\":null,\"updatedBy\":null},\"\ + id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4ea46cd5-c1b2-4a8e-910b-273211f9ce47\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4ea46cd5-c1b2-4a8e-910b-273211f9ce47\"\ + },{\"properties\":{\"roleName\":\"IoT Hub Data Contributor\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Allows for full access to IoT Hub data plane operations.\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\"\ + :[],\"dataActions\":[\"Microsoft.Devices/IotHubs/*\"],\"notDataActions\":[]}],\"\ + createdOn\":\"2021-04-22T20:37:16.9927761Z\",\"updatedOn\":\"2021-11-11T20:15:09.1754206Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4fc6c259-987e-4a07-842e-c321cc9d413f\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4fc6c259-987e-4a07-842e-c321cc9d413f\"\ + },{\"properties\":{\"roleName\":\"Test Base Reader\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Let you view and download packages and test results.\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.TestBase/testBaseAccounts/packages/testResults/getDownloadUrl/action\"\ + ,\"Microsoft.TestBase/testBaseAccounts/packages/testResults/getVideoDownloadUrl/action\"\ + ,\"Microsoft.TestBase/testBaseAccounts/packages/getDownloadUrl/action\",\"\ + Microsoft.TestBase/*/read\",\"Microsoft.TestBase/testBaseAccounts/customerEvents/write\"\ + ,\"Microsoft.TestBase/testBaseAccounts/customerEvents/delete\"],\"notActions\"\ + :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-05-11T23:41:33.1038367Z\"\ + ,\"updatedOn\":\"2021-11-11T20:15:10.8004347Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/15e0f5a1-3450-4248-8e25-e2afe88a9e85\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"15e0f5a1-3450-4248-8e25-e2afe88a9e85\"\ + },{\"properties\":{\"roleName\":\"Search Index Data Reader\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Grants read access to Azure Cognitive Search index data.\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\"\ + :[],\"dataActions\":[\"Microsoft.Search/searchServices/indexes/documents/read\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2021-06-01T20:26:13.4850461Z\",\"\ + updatedOn\":\"2021-11-11T20:15:11.3604371Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1407120a-92aa-4202-b7e9-c0e197c71c8f\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1407120a-92aa-4202-b7e9-c0e197c71c8f\"\ + },{\"properties\":{\"roleName\":\"Search Index Data Contributor\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Grants full access to Azure Cognitive Search\ + \ index data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[],\"notActions\":[],\"dataActions\":[\"Microsoft.Search/searchServices/indexes/documents/*\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2021-06-01T22:15:16.5388472Z\",\"\ + updatedOn\":\"2021-11-11T20:15:11.5504385Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8ebe5a00-799e-43f5-93ac-243d3dce84a7\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8ebe5a00-799e-43f5-93ac-243d3dce84a7\"\ + },{\"properties\":{\"roleName\":\"Storage Table Data Reader\",\"type\":\"\ + BuiltInRole\",\"description\":\"Allows for read access to Azure Storage tables\ + \ and entities\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.Storage/storageAccounts/tableServices/tables/read\"],\"notActions\"\ + :[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/tableServices/tables/entities/read\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2021-06-15T06:40:54.9150717Z\",\"\ + updatedOn\":\"2021-11-11T20:15:12.1005298Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/76199698-9eea-4c19-bc75-cec21354c6b6\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"76199698-9eea-4c19-bc75-cec21354c6b6\"\ + },{\"properties\":{\"roleName\":\"Storage Table Data Contributor\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Allows for read, write and delete access\ + \ to Azure Storage tables and entities\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.Storage/storageAccounts/tableServices/tables/read\"\ + ,\"Microsoft.Storage/storageAccounts/tableServices/tables/write\",\"Microsoft.Storage/storageAccounts/tableServices/tables/delete\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/tableServices/tables/entities/read\"\ + ,\"Microsoft.Storage/storageAccounts/tableServices/tables/entities/write\"\ + ,\"Microsoft.Storage/storageAccounts/tableServices/tables/entities/delete\"\ + ,\"Microsoft.Storage/storageAccounts/tableServices/tables/entities/add/action\"\ + ,\"Microsoft.Storage/storageAccounts/tableServices/tables/entities/update/action\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2021-06-15T06:51:59.8207610Z\",\"\ + updatedOn\":\"2021-11-11T20:15:12.2854966Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0a9a7e1f-b9d0-4cc4-a60d-0319b160aaa3\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0a9a7e1f-b9d0-4cc4-a60d-0319b160aaa3\"\ + },{\"properties\":{\"roleName\":\"DICOM Data Reader\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Read and search DICOM data.\",\"assignableScopes\":[\"\ + /\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"\ + Microsoft.HealthcareApis/workspaces/dicomservices/resources/read\"],\"notDataActions\"\ + :[]}],\"createdOn\":\"2021-06-17T20:58:30.1630494Z\",\"updatedOn\":\"2021-11-11T20:15:13.0154948Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e89c7a3c-2f64-4fa1-a847-3e4c9ba4283a\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e89c7a3c-2f64-4fa1-a847-3e4c9ba4283a\"\ + },{\"properties\":{\"roleName\":\"DICOM Data Owner\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Full access to DICOM data.\",\"assignableScopes\":[\"/\"\ + ],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.HealthcareApis/workspaces/dicomservices/resources/*\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2021-06-17T20:59:30.8659515Z\",\"\ + updatedOn\":\"2021-11-11T20:15:13.1904985Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/58a3b984-7adf-4c20-983a-32417c86fbc8\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"58a3b984-7adf-4c20-983a-32417c86fbc8\"\ + },{\"properties\":{\"roleName\":\"EventGrid Data Sender\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Allows send access to event grid events.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.EventGrid/topics/read\",\"Microsoft.EventGrid/domains/read\"\ + ,\"Microsoft.EventGrid/partnerNamespaces/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.EventGrid/events/send/action\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2021-07-02T21:55:40.4847495Z\",\"\ + updatedOn\":\"2021-11-11T20:15:13.5605134Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d5a91429-5739-47e2-a06b-3470a27159e7\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d5a91429-5739-47e2-a06b-3470a27159e7\"\ + },{\"properties\":{\"roleName\":\"Disk Pool Operator\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Used by the StoragePool Resource Provider to manage Disks\ + \ added to a Disk Pool.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ + actions\":[\"Microsoft.Compute/disks/write\",\"Microsoft.Compute/disks/read\"\ + ,\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"\ + Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2021-07-08T17:26:05.1079972Z\",\"updatedOn\":\"2021-11-11T20:15:13.9154612Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/60fc6e62-5479-42d4-8bf4-67625fcc2840\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"60fc6e62-5479-42d4-8bf4-67625fcc2840\"\ + },{\"properties\":{\"roleName\":\"AzureML Data Scientist\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Can perform all actions within an Azure Machine Learning\ + \ workspace, except for creating or deleting compute resources and modifying\ + \ the workspace itself.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ + actions\":[\"Microsoft.MachineLearningServices/workspaces/*/read\",\"Microsoft.MachineLearningServices/workspaces/*/action\"\ + ,\"Microsoft.MachineLearningServices/workspaces/*/delete\",\"Microsoft.MachineLearningServices/workspaces/*/write\"\ + ],\"notActions\":[\"Microsoft.MachineLearningServices/workspaces/delete\"\ + ,\"Microsoft.MachineLearningServices/workspaces/write\",\"Microsoft.MachineLearningServices/workspaces/computes/*/write\"\ + ,\"Microsoft.MachineLearningServices/workspaces/computes/*/delete\",\"Microsoft.MachineLearningServices/workspaces/computes/listKeys/action\"\ + ,\"Microsoft.MachineLearningServices/workspaces/listKeys/action\"],\"dataActions\"\ + :[],\"notDataActions\":[]}],\"createdOn\":\"2021-07-14T21:51:06.0361218Z\"\ + ,\"updatedOn\":\"2021-11-11T20:15:14.6405263Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f6c7c914-8db3-469d-8ca1-694a8f32e121\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f6c7c914-8db3-469d-8ca1-694a8f32e121\"\ + },{\"properties\":{\"roleName\":\"Grafana Admin\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Built-in Grafana admin role\",\"assignableScopes\":[\"\ + /\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"\ + Microsoft.Dashboard/grafana/ActAsGrafanaAdmin/action\"],\"notDataActions\"\ + :[]}],\"createdOn\":\"2021-07-15T21:32:35.3802340Z\",\"updatedOn\":\"2021-11-11T20:15:14.8104670Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/22926164-76b3-42b3-bc55-97df8dab3e41\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"22926164-76b3-42b3-bc55-97df8dab3e41\"\ + },{\"properties\":{\"roleName\":\"Azure Connected SQL Server Onboarding\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Microsoft.AzureArcData\_service\_\ + role\_to\_access\_the\_resources\_of\_Microsoft.AzureArcData\_stored\_with\_\ + RPSAAS.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.AzureArcData/sqlServerInstances/read\"\ + ,\"Microsoft.AzureArcData/sqlServerInstances/write\"],\"notActions\":[],\"\ + dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-07-19T23:52:15.8885739Z\"\ + ,\"updatedOn\":\"2021-11-11T20:15:15.1754742Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e8113dce-c529-4d33-91fa-e9b972617508\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e8113dce-c529-4d33-91fa-e9b972617508\"\ + },{\"properties\":{\"roleName\":\"Azure Relay Sender\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Allows for send access to Azure Relay resources.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Relay/*/wcfRelays/read\"\ + ,\"Microsoft.Relay/*/hybridConnections/read\"],\"notActions\":[],\"dataActions\"\ + :[\"Microsoft.Relay/*/send/action\"],\"notDataActions\":[]}],\"createdOn\"\ + :\"2021-07-20T15:37:20.7558643Z\",\"updatedOn\":\"2021-11-11T20:15:15.5454755Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/26baccc8-eea7-41f1-98f4-1762cc7f685d\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"26baccc8-eea7-41f1-98f4-1762cc7f685d\"\ + },{\"properties\":{\"roleName\":\"Azure Relay Owner\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Allows for full access to Azure Relay resources.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Relay/*\"],\"notActions\"\ + :[],\"dataActions\":[\"Microsoft.Relay/*\"],\"notDataActions\":[]}],\"createdOn\"\ + :\"2021-07-20T15:44:26.3023126Z\",\"updatedOn\":\"2021-11-11T20:15:15.7154782Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2787bf04-f1f5-4bfe-8383-c8a24483ee38\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2787bf04-f1f5-4bfe-8383-c8a24483ee38\"\ + },{\"properties\":{\"roleName\":\"Azure Relay Listener\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Allows for listen access to Azure Relay resources.\",\"\ + assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Relay/*/wcfRelays/read\"\ + ,\"Microsoft.Relay/*/hybridConnections/read\"],\"notActions\":[],\"dataActions\"\ + :[\"Microsoft.Relay/*/listen/action\"],\"notDataActions\":[]}],\"createdOn\"\ + :\"2021-07-20T18:38:03.1437496Z\",\"updatedOn\":\"2021-11-11T20:15:15.9005232Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/26e0b698-aa6d-4085-9386-aadae190014d\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"26e0b698-aa6d-4085-9386-aadae190014d\"\ + },{\"properties\":{\"roleName\":\"Grafana Viewer\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Built-in Grafana Viewer role\",\"assignableScopes\":[\"\ + /\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"\ + Microsoft.Dashboard/grafana/ActAsGrafanaViewer/action\"],\"notDataActions\"\ + :[]}],\"createdOn\":\"2021-08-05T16:36:18.7737511Z\",\"updatedOn\":\"2021-11-11T20:15:16.9904932Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/60921a7e-fef1-4a43-9b16-a26c52ad4769\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"60921a7e-fef1-4a43-9b16-a26c52ad4769\"\ + },{\"properties\":{\"roleName\":\"Grafana Editor\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Built-in Grafana Editor role\",\"assignableScopes\":[\"\ + /\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"\ + Microsoft.Dashboard/grafana/ActAsGrafanaEditor/action\"],\"notDataActions\"\ + :[]}],\"createdOn\":\"2021-08-05T16:37:32.5299593Z\",\"updatedOn\":\"2021-11-11T20:15:17.1805426Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a79a5197-3a5c-4973-a920-486035ffd60f\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a79a5197-3a5c-4973-a920-486035ffd60f\"\ + },{\"properties\":{\"roleName\":\"Automation Contributor\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Manage azure automation resources and other resources using\ + \ azure automation.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.Automation/automationAccounts/*\",\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Support/*\",\"Microsoft.Insights/ActionGroups/*\",\"Microsoft.Insights/ActivityLogAlerts/*\"\ + ,\"Microsoft.Insights/MetricAlerts/*\",\"Microsoft.Insights/ScheduledQueryRules/*\"\ + ,\"Microsoft.Insights/diagnosticSettings/*\",\"Microsoft.OperationalInsights/workspaces/sharedKeys/action\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2021-08-09T10:18:19.1054699Z\",\"updatedOn\":\"2021-11-11T20:15:17.7304954Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f353d9bd-d4a6-484e-a77a-8050b599b867\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f353d9bd-d4a6-484e-a77a-8050b599b867\"\ + },{\"properties\":{\"roleName\":\"Kubernetes Extension Contributor\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Can create, update, get, list and delete\ + \ Kubernetes Extensions, and get extension async operations\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.KubernetesConfiguration/extensions/write\"\ + ,\"Microsoft.KubernetesConfiguration/extensions/read\",\"Microsoft.KubernetesConfiguration/extensions/delete\"\ + ,\"Microsoft.KubernetesConfiguration/extensions/operations/read\"],\"notActions\"\ + :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-08-09T19:47:50.6828896Z\"\ + ,\"updatedOn\":\"2021-11-11T20:15:17.9155393Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/85cb6faf-e071-4c9b-8136-154b5a04f717\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"85cb6faf-e071-4c9b-8136-154b5a04f717\"\ + },{\"properties\":{\"roleName\":\"Device Provisioning Service Data Reader\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Allows for full read access to\ + \ Device Provisioning Service data-plane properties.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\"\ + :[\"Microsoft.Devices/provisioningServices/*/read\"],\"notDataActions\":[]}],\"\ + createdOn\":\"2021-08-09T19:53:12.1374732Z\",\"updatedOn\":\"2021-11-11T20:15:18.0905503Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/10745317-c249-44a1-a5ce-3a4353c0bbd8\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"10745317-c249-44a1-a5ce-3a4353c0bbd8\"\ + },{\"properties\":{\"roleName\":\"Device Provisioning Service Data Contributor\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Allows for full access to Device\ + \ Provisioning Service data-plane operations.\",\"assignableScopes\":[\"/\"\ + ],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Devices/provisioningServices/*\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2021-08-09T19:54:03.2783227Z\",\"\ + updatedOn\":\"2021-11-11T20:15:18.2605302Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/dfce44e4-17b7-4bd1-a6d1-04996ec95633\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"dfce44e4-17b7-4bd1-a6d1-04996ec95633\"\ + },{\"properties\":{\"roleName\":\"Code Signing Certificate Profile Signer\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Sign files with a certificate\ + \ profile. This role is in preview and subject to change.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CodeSigning/*/read\",\"\ + Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"\ + Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"\ + dataActions\":[\"Microsoft.CodeSigning/certificateProfiles/Sign/action\"],\"\ + notDataActions\":[]}],\"createdOn\":\"2021-08-16T23:17:53.0002693Z\",\"updatedOn\"\ + :\"2022-12-12T16:05:53.8213702Z\",\"createdBy\":null,\"updatedBy\":null},\"\ + id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2837e146-70d7-4cfd-ad55-7efa6464f958\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2837e146-70d7-4cfd-ad55-7efa6464f958\"\ + },{\"properties\":{\"roleName\":\"Azure Spring Cloud Service Registry Reader\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Allow read access to Azure Spring\ + \ Cloud Service Registry\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ + actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AppPlatform/Spring/eurekaService/read\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2021-08-20T04:40:17.9785063Z\",\"\ + updatedOn\":\"2021-11-11T20:15:18.9655101Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/cff1b556-2399-4e7e-856d-a8f754be7b65\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"cff1b556-2399-4e7e-856d-a8f754be7b65\"\ + },{\"properties\":{\"roleName\":\"Azure Spring Cloud Service Registry Contributor\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Allow read, write and delete access\ + \ to Azure Spring Cloud Service Registry\",\"assignableScopes\":[\"/\"],\"\ + permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AppPlatform/Spring/eurekaService/read\"\ + ,\"Microsoft.AppPlatform/Spring/eurekaService/write\",\"Microsoft.AppPlatform/Spring/eurekaService/delete\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2021-08-20T04:42:38.9153779Z\",\"\ + updatedOn\":\"2021-11-11T20:15:19.1405497Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f5880b48-c26d-48be-b172-7927bfa1c8f1\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f5880b48-c26d-48be-b172-7927bfa1c8f1\"\ + },{\"properties\":{\"roleName\":\"Azure Spring Cloud Config Server Reader\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Allow read access to Azure Spring\ + \ Cloud Config Server\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ + actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AppPlatform/Spring/configService/read\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2021-08-26T01:50:51.5123701Z\",\"\ + updatedOn\":\"2021-11-11T20:15:19.3155517Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d04c6db6-4947-4782-9e91-30a88feb7be7\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d04c6db6-4947-4782-9e91-30a88feb7be7\"\ + },{\"properties\":{\"roleName\":\"Azure Spring Cloud Config Server Contributor\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Allow read, write and delete access\ + \ to Azure Spring Cloud Config Server\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AppPlatform/Spring/configService/read\"\ + ,\"Microsoft.AppPlatform/Spring/configService/write\",\"Microsoft.AppPlatform/Spring/configService/delete\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2021-09-06T02:30:47.8611580Z\",\"\ + updatedOn\":\"2021-11-11T20:15:20.0405208Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a06f5c24-21a7-4e1a-aa2b-f19eb6684f5b\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a06f5c24-21a7-4e1a-aa2b-f19eb6684f5b\"\ + },{\"properties\":{\"roleName\":\"Azure VM Managed identities restore Contributor\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Azure VM Managed identities restore\ + \ Contributors are allowed to perform Azure VM Restores with managed identities\ + \ both user and system\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ + actions\":[\"Microsoft.Authorization/*/read\"],\"notActions\":[],\"dataActions\"\ + :[],\"notDataActions\":[]}],\"createdOn\":\"2021-09-13T05:27:59.2180214Z\"\ + ,\"updatedOn\":\"2021-11-11T20:15:20.5805266Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6ae96244-5829-4925-a7d3-5975537d91dd\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6ae96244-5829-4925-a7d3-5975537d91dd\"\ + },{\"properties\":{\"roleName\":\"Azure Maps Search and Render Data Reader\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Grants access to very limited\ + \ set of data APIs for common visual web SDK scenarios. Specifically, render\ + \ and search data APIs.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ + actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Maps/accounts/services/render/read\"\ + ,\"Microsoft.Maps/accounts/services/search/read\"],\"notDataActions\":[]}],\"\ + createdOn\":\"2021-10-01T22:17:50.5178931Z\",\"updatedOn\":\"2021-11-11T20:15:22.0455410Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6be48352-4f82-47c9-ad5e-0acacefdb005\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6be48352-4f82-47c9-ad5e-0acacefdb005\"\ + },{\"properties\":{\"roleName\":\"Azure Maps Contributor\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Grants access all Azure Maps resource management.\",\"\ + assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Maps/*\"\ + ,\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\"\ + :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-10-01T22:19:13.1357904Z\"\ + ,\"updatedOn\":\"2021-11-11T20:15:22.2455414Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/dba33070-676a-4fb0-87fa-064dc56ff7fb\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"dba33070-676a-4fb0-87fa-064dc56ff7fb\"\ + },{\"properties\":{\"roleName\":\"Azure Arc VMware VM Contributor\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Arc VMware VM Contributor has permissions\ + \ to perform all VM actions.\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.ConnectedVMwarevSphere/virtualmachines/*\",\"\ + Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\"\ + ,\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\"\ + ,\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\"\ + ,\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Resources/deployments/read\"\ + ,\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\"\ + ,\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\"\ + ,\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\"\ + ,\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\"\ + ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\",\"\ + Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\"\ + ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\"\ + ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Resources/subscriptions/operationresults/read\"],\"notActions\"\ + :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-10-18T20:19:53.0087024Z\"\ + ,\"updatedOn\":\"2021-11-11T20:15:23.8706020Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b748a06d-6150-4f8a-aaa9-ce3940cd96cb\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b748a06d-6150-4f8a-aaa9-ce3940cd96cb\"\ + },{\"properties\":{\"roleName\":\"Azure Arc VMware Private Cloud User\",\"\ + type\":\"BuiltInRole\",\"description\":\"Azure Arc VMware Private Cloud User\ + \ has permissions to use the VMware cloud resources to deploy VMs.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Insights/AlertRules/Write\"\ + ,\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\"\ + ,\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\"\ + ,\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\"\ + ,\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\"\ + ,\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\"\ + ,\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\"\ + ,\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\"\ + ,\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\"\ + ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"\ + Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\"\ + ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\"\ + ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.ConnectedVMwarevSphere/virtualnetworks/join/action\"\ + ,\"Microsoft.ConnectedVMwarevSphere/virtualnetworks/Read\",\"Microsoft.ConnectedVMwarevSphere/virtualmachinetemplates/clone/action\"\ + ,\"Microsoft.ConnectedVMwarevSphere/virtualmachinetemplates/Read\",\"Microsoft.ConnectedVMwarevSphere/resourcepools/deploy/action\"\ + ,\"Microsoft.ConnectedVMwarevSphere/resourcepools/Read\",\"Microsoft.ConnectedVMwarevSphere/hosts/deploy/action\"\ + ,\"Microsoft.ConnectedVMwarevSphere/hosts/Read\",\"Microsoft.ConnectedVMwarevSphere/clusters/deploy/action\"\ + ,\"Microsoft.ConnectedVMwarevSphere/clusters/Read\",\"Microsoft.ConnectedVMwarevSphere/datastores/allocateSpace/action\"\ + ,\"Microsoft.ConnectedVMwarevSphere/datastores/Read\",\"Microsoft.ExtendedLocation/customLocations/Read\"\ + ,\"Microsoft.ExtendedLocation/customLocations/deploy/action\"],\"notActions\"\ + :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-10-18T20:20:46.5105444Z\"\ + ,\"updatedOn\":\"2022-11-04T08:03:56.3033480Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ce551c02-7c42-47e0-9deb-e3b6fc3a9a83\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ce551c02-7c42-47e0-9deb-e3b6fc3a9a83\"\ + },{\"properties\":{\"roleName\":\"Azure Arc VMware Administrator role \",\"\ + type\":\"BuiltInRole\",\"description\":\"Arc VMware VM Contributor has permissions\ + \ to perform all connected VMwarevSphere actions.\",\"assignableScopes\":[\"\ + /\"],\"permissions\":[{\"actions\":[\"Microsoft.ConnectedVMwarevSphere/*\"\ + ,\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\"\ + ,\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\"\ + ,\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\"\ + ,\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Resources/deployments/read\"\ + ,\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\"\ + ,\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\"\ + ,\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\"\ + ,\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\"\ + ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\",\"\ + Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\"\ + ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\"\ + ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Resources/subscriptions/operationresults/read\"],\"notActions\"\ + :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-11-01T17:12:42.6172725Z\"\ + ,\"updatedOn\":\"2021-11-11T20:15:25.1275776Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ddc140ed-e463-4246-9145-7c664192013f\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ddc140ed-e463-4246-9145-7c664192013f\"\ + },{\"properties\":{\"roleName\":\"Cognitive Services LUIS Owner\",\"type\"\ + :\"BuiltInRole\",\"description\":\" Has access to all Read, Test, Write, Deploy\ + \ and Delete functions under LUIS\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.CognitiveServices/accounts/listkeys/action\"\ + ,\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/LUIS/*\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2021-11-04T03:28:02.9611800Z\",\"\ + updatedOn\":\"2021-11-11T20:15:25.4884913Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f72c8140-2111-481c-87ff-72b910f6e3f8\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f72c8140-2111-481c-87ff-72b910f6e3f8\"\ + },{\"properties\":{\"roleName\":\"Cognitive Services Language Reader\",\"\ + type\":\"BuiltInRole\",\"description\":\"Has access to Read and Test functions\ + \ under Language portal\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ + actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\"\ + ,\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\"\ + :[\"Microsoft.CognitiveServices/accounts/LanguageAuthoring/*/read\",\"Microsoft.CognitiveServices/accounts/ConversationalLanguageUnderstanding/*/read\"\ + ,\"Microsoft.CognitiveServices/accounts/ConversationalLanguageUnderstanding/projects/export/action\"\ + ,\"Microsoft.CognitiveServices/accounts/Language/*/read\",\"Microsoft.CognitiveServices/accounts/Language/*/projects/export/action\"\ + ,\"Microsoft.CognitiveServices/accounts/Language/query-text/action\",\"Microsoft.CognitiveServices/accounts/Language/query-dataverse/action\"\ + ,\"Microsoft.CognitiveServices/accounts/Language/analyze-text/jobs/action\"\ + ,\"Microsoft.CognitiveServices/accounts/Language/analyze-text/action\",\"\ + Microsoft.CognitiveServices/accounts/Language/analyze-text/jobscancel/action\"\ + ,\"Microsoft.CognitiveServices/accounts/Language/analyze-conversations/action\"\ + ,\"Microsoft.CognitiveServices/accounts/Language/analyze-conversations/jobscancel/action\"\ + ,\"Microsoft.CognitiveServices/accounts/Language/analyze-conversations/jobs/action\"\ + ,\"Microsoft.CognitiveServices/accounts/Language/query-knowledgebases/action\"\ + ,\"Microsoft.CognitiveServices/accounts/TextAnalytics/*\"],\"notDataActions\"\ + :[\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnaMaker/*\"]}],\"\ + createdOn\":\"2021-11-04T03:29:14.7643336Z\",\"updatedOn\":\"2022-06-16T06:07:21.3821763Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7628b7b8-a8b2-4cdc-b46f-e9b35248918e\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7628b7b8-a8b2-4cdc-b46f-e9b35248918e\"\ + },{\"properties\":{\"roleName\":\"Cognitive Services Language Writer\",\"\ + type\":\"BuiltInRole\",\"description\":\" Has access to all Read, Test, and\ + \ Write functions under Language Portal\",\"assignableScopes\":[\"/\"],\"\ + permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\"\ + ,\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\"\ + :[\"Microsoft.CognitiveServices/accounts/LanguageAuthoring/*\",\"Microsoft.CognitiveServices/accounts/ConversationalLanguageUnderstanding/*\"\ + ,\"Microsoft.CognitiveServices/accounts/Language/*\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/*\"\ + ],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/LanguageAuthoring/projects/publish/action\"\ + ,\"Microsoft.CognitiveServices/accounts/ConversationalLanguageUnderstanding/projects/deployments/write\"\ + ,\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnaMaker/*\",\"Microsoft.CognitiveServices/accounts/Language/*/projects/delete\"\ + ,\"Microsoft.CognitiveServices/accounts/Language/*/projects/deployments/write\"\ + ,\"Microsoft.CognitiveServices/accounts/Language/*/projects/deployments/delete\"\ + ,\"Microsoft.CognitiveServices/accounts/Language/*/projects/deployments/swap/action\"\ + ]}],\"createdOn\":\"2021-11-04T03:29:39.5761019Z\",\"updatedOn\":\"2022-03-29T18:03:27.1607583Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f2310ca1-dc64-4889-bb49-c8e0fa3d47a8\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f2310ca1-dc64-4889-bb49-c8e0fa3d47a8\"\ + },{\"properties\":{\"roleName\":\"Cognitive Services Language Owner\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Has access to all Read, Test, Write, Deploy\ + \ and Delete functions under Language portal\",\"assignableScopes\":[\"/\"\ + ],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"\ + Microsoft.CognitiveServices/accounts/listkeys/action\",\"Microsoft.Authorization/roleAssignments/read\"\ + ,\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\"\ + :[\"Microsoft.CognitiveServices/accounts/LanguageAuthoring/*\",\"Microsoft.CognitiveServices/accounts/ConversationalLanguageUnderstanding/*\"\ + ,\"Microsoft.CognitiveServices/accounts/Language/*\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/*\"\ + ],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnaMaker/*\"\ + ]}],\"createdOn\":\"2021-11-04T03:30:07.6173528Z\",\"updatedOn\":\"2022-03-29T18:03:50.9741690Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f07febfe-79bc-46b1-8b37-790e26e6e498\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f07febfe-79bc-46b1-8b37-790e26e6e498\"\ + },{\"properties\":{\"roleName\":\"Cognitive Services LUIS Reader\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Has access to Read and Test functions under\ + \ LUIS.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"\ + ,\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/LUIS/*/read\"\ + ,\"Microsoft.CognitiveServices/accounts/LUIS/apps/testdatasets/write\"],\"\ + notDataActions\":[]}],\"createdOn\":\"2021-11-04T03:30:31.2704834Z\",\"updatedOn\"\ + :\"2021-11-11T20:15:26.2134821Z\",\"createdBy\":null,\"updatedBy\":null},\"\ + id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18e81cdc-4e98-4e29-a639-e7d10c5a6226\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"18e81cdc-4e98-4e29-a639-e7d10c5a6226\"\ + },{\"properties\":{\"roleName\":\"Cognitive Services LUIS Writer\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Has access to all Read, Test, and Write\ + \ functions under LUIS\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ + actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\"\ + ,\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\"\ + :[\"Microsoft.CognitiveServices/accounts/LUIS/*\"],\"notDataActions\":[\"\ + Microsoft.CognitiveServices/accounts/LUIS/apps/delete\",\"Microsoft.CognitiveServices/accounts/LUIS/apps/move/action\"\ + ,\"Microsoft.CognitiveServices/accounts/LUIS/apps/publish/action\",\"Microsoft.CognitiveServices/accounts/LUIS/apps/settings/write\"\ + ,\"Microsoft.CognitiveServices/accounts/LUIS/apps/azureaccounts/action\",\"\ + Microsoft.CognitiveServices/accounts/LUIS/apps/azureaccounts/delete\"]}],\"\ + createdOn\":\"2021-11-04T03:31:12.1580052Z\",\"updatedOn\":\"2021-11-11T20:15:26.3934523Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6322a993-d5c9-4bed-b113-e49bbea25b27\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6322a993-d5c9-4bed-b113-e49bbea25b27\"\ + },{\"properties\":{\"roleName\":\"PlayFab Reader\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Provides read access to PlayFab resources\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Authorization/*/read\",\"Microsoft.PlayFab/*/read\"],\"notActions\"\ + :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-11-04T23:26:57.2248605Z\"\ + ,\"updatedOn\":\"2021-11-11T20:15:26.5784834Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a9a19cc5-31f4-447c-901f-56c0bb18fcaf\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a9a19cc5-31f4-447c-901f-56c0bb18fcaf\"\ + },{\"properties\":{\"roleName\":\"Load Test Contributor\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"View, create, update, delete and execute load tests. View\ + \ and list load test resources but can not make any changes.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.LoadTestService/*/read\"\ + ,\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Insights/alertRules/*\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.LoadTestService/loadtests/*\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2021-11-09T08:11:21.0936461Z\",\"\ + updatedOn\":\"2021-11-11T20:15:27.1189225Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/749a398d-560b-491b-bb21-08924219302e\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"749a398d-560b-491b-bb21-08924219302e\"\ + },{\"properties\":{\"roleName\":\"Load Test Owner\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Execute all operations on load test resources and load\ + \ tests\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.LoadTestService/*\"\ + ,\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Insights/alertRules/*\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.LoadTestService/*\"],\"notDataActions\"\ + :[]}],\"createdOn\":\"2021-11-09T08:12:24.5500195Z\",\"updatedOn\":\"2021-11-11T20:15:27.2897153Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/45bb0b16-2f0c-4e78-afaa-a07599b003f6\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"45bb0b16-2f0c-4e78-afaa-a07599b003f6\"\ + },{\"properties\":{\"roleName\":\"PlayFab Contributor\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Provides contributor access to PlayFab resources\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.PlayFab/*/read\",\"Microsoft.PlayFab/*/write\",\"Microsoft.PlayFab/*/delete\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2021-11-10T00:55:37.3326276Z\",\"updatedOn\":\"2021-11-11T20:15:28.0547167Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0c8b84dc-067c-4039-9615-fa1a4b77c726\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0c8b84dc-067c-4039-9615-fa1a4b77c726\"\ + },{\"properties\":{\"roleName\":\"Load Test Reader\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"View and list all load tests and load test resources but\ + \ can not make any changes\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.LoadTestService/*/read\",\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"\ + Microsoft.LoadTestService/loadtests/readTest/action\"],\"notDataActions\"\ + :[]}],\"createdOn\":\"2021-11-10T06:14:08.3903105Z\",\"updatedOn\":\"2021-11-11T20:15:28.2297181Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3ae3fb29-0000-4ccd-bf80-542e7b26e081\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3ae3fb29-0000-4ccd-bf80-542e7b26e081\"\ + },{\"properties\":{\"roleName\":\"Cognitive Services Immersive Reader User\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Provides access to create Immersive\ + \ Reader sessions and call APIs\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/ImmersiveReader/getcontentmodelforreader/action\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2021-11-10T19:52:14.4487503Z\",\"\ + updatedOn\":\"2021-11-11T20:15:28.4146975Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b2de6794-95db-4659-8781-7e080d3f2b9d\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b2de6794-95db-4659-8781-7e080d3f2b9d\"\ + },{\"properties\":{\"roleName\":\"Lab Services Contributor\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"The lab services contributor role\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.LabServices/*\",\"Microsoft.Insights/alertRules/*\"\ + ,\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\"\ + :[],\"dataActions\":[\"Microsoft.LabServices/labPlans/createLab/action\"],\"\ + notDataActions\":[]}],\"createdOn\":\"2021-11-11T00:51:03.3308981Z\",\"updatedOn\"\ + :\"2021-11-11T20:15:28.7792013Z\",\"createdBy\":null,\"updatedBy\":null},\"\ + id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f69b8690-cc87-41d6-b77a-a4bc3c0a966f\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f69b8690-cc87-41d6-b77a-a4bc3c0a966f\"\ + },{\"properties\":{\"roleName\":\"Lab Services Reader\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"The lab services reader role\",\"assignableScopes\":[\"\ + /\"],\"permissions\":[{\"actions\":[\"Microsoft.LabServices/*/read\",\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2021-11-11T00:55:30.4208618Z\",\"updatedOn\":\"2021-11-11T20:15:28.9592032Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a5c394f-5eb7-4d4f-9c8e-e8eae39faebc\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2a5c394f-5eb7-4d4f-9c8e-e8eae39faebc\"\ + },{\"properties\":{\"roleName\":\"Lab Assistant\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"The lab assistant role\",\"assignableScopes\":[\"/\"],\"\ + permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\"\ + ,\"Microsoft.LabServices/labPlans/images/read\",\"Microsoft.LabServices/labPlans/read\"\ + ,\"Microsoft.LabServices/labs/read\",\"Microsoft.LabServices/labs/schedules/read\"\ + ,\"Microsoft.LabServices/labs/users/read\",\"Microsoft.LabServices/labs/users/invite/action\"\ + ,\"Microsoft.LabServices/labs/virtualMachines/read\",\"Microsoft.LabServices/labs/virtualMachines/start/action\"\ + ,\"Microsoft.LabServices/labs/virtualMachines/stop/action\",\"Microsoft.LabServices/labs/virtualMachines/reimage/action\"\ + ,\"Microsoft.LabServices/labs/virtualMachines/redeploy/action\",\"Microsoft.LabServices/locations/usages/read\"\ + ,\"Microsoft.LabServices/skus/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\"\ + :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-11-11T00:56:10.4295443Z\"\ + ,\"updatedOn\":\"2021-11-11T20:15:29.1442530Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ce40b423-cede-4313-a93f-9b28290b72e1\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ce40b423-cede-4313-a93f-9b28290b72e1\"\ + },{\"properties\":{\"roleName\":\"Lab Operator\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"The lab operator role\",\"assignableScopes\":[\"/\"],\"\ + permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\"\ + ,\"Microsoft.LabServices/labPlans/images/read\",\"Microsoft.LabServices/labPlans/read\"\ + ,\"Microsoft.LabServices/labPlans/saveImage/action\",\"Microsoft.LabServices/labs/publish/action\"\ + ,\"Microsoft.LabServices/labs/read\",\"Microsoft.LabServices/labs/schedules/read\"\ + ,\"Microsoft.LabServices/labs/schedules/write\",\"Microsoft.LabServices/labs/schedules/delete\"\ + ,\"Microsoft.LabServices/labs/users/read\",\"Microsoft.LabServices/labs/users/write\"\ + ,\"Microsoft.LabServices/labs/users/delete\",\"Microsoft.LabServices/labs/users/invite/action\"\ + ,\"Microsoft.LabServices/labs/virtualMachines/read\",\"Microsoft.LabServices/labs/virtualMachines/start/action\"\ + ,\"Microsoft.LabServices/labs/virtualMachines/stop/action\",\"Microsoft.LabServices/labs/virtualMachines/reimage/action\"\ + ,\"Microsoft.LabServices/labs/virtualMachines/redeploy/action\",\"Microsoft.LabServices/labs/virtualMachines/resetPassword/action\"\ + ,\"Microsoft.LabServices/locations/usages/read\",\"Microsoft.LabServices/skus/read\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2021-11-11T00:56:41.9942935Z\",\"updatedOn\":\"2021-11-11T20:15:29.3242664Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a36e6959-b6be-4b12-8e9f-ef4b474d304d\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a36e6959-b6be-4b12-8e9f-ef4b474d304d\"\ + },{\"properties\":{\"roleName\":\"Lab Contributor\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"The lab contributor role\",\"assignableScopes\":[\"/\"\ + ],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\"\ + ,\"Microsoft.LabServices/labPlans/images/read\",\"Microsoft.LabServices/labPlans/read\"\ + ,\"Microsoft.LabServices/labPlans/saveImage/action\",\"Microsoft.LabServices/labs/read\"\ + ,\"Microsoft.LabServices/labs/write\",\"Microsoft.LabServices/labs/delete\"\ + ,\"Microsoft.LabServices/labs/publish/action\",\"Microsoft.LabServices/labs/syncGroup/action\"\ + ,\"Microsoft.LabServices/labs/schedules/read\",\"Microsoft.LabServices/labs/schedules/write\"\ + ,\"Microsoft.LabServices/labs/schedules/delete\",\"Microsoft.LabServices/labs/users/read\"\ + ,\"Microsoft.LabServices/labs/users/write\",\"Microsoft.LabServices/labs/users/delete\"\ + ,\"Microsoft.LabServices/labs/users/invite/action\",\"Microsoft.LabServices/labs/virtualMachines/read\"\ + ,\"Microsoft.LabServices/labs/virtualMachines/start/action\",\"Microsoft.LabServices/labs/virtualMachines/stop/action\"\ + ,\"Microsoft.LabServices/labs/virtualMachines/reimage/action\",\"Microsoft.LabServices/labs/virtualMachines/redeploy/action\"\ + ,\"Microsoft.LabServices/labs/virtualMachines/resetPassword/action\",\"Microsoft.LabServices/locations/usages/read\"\ + ,\"Microsoft.LabServices/skus/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\"\ + :[],\"dataActions\":[\"Microsoft.LabServices/labPlans/createLab/action\"],\"\ + notDataActions\":[]}],\"createdOn\":\"2021-11-11T00:57:05.9018065Z\",\"updatedOn\"\ + :\"2021-11-11T20:15:29.4992096Z\",\"createdBy\":null,\"updatedBy\":null},\"\ + id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5daaa2af-1fe8-407c-9122-bba179798270\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5daaa2af-1fe8-407c-9122-bba179798270\"\ + },{\"properties\":{\"roleName\":\"Security Admin\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Security Admin Role\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Authorization/policyAssignments/*\"\ + ,\"Microsoft.Authorization/policyDefinitions/*\",\"Microsoft.Authorization/policyExemptions/*\"\ + ,\"Microsoft.Authorization/policySetDefinitions/*\",\"Microsoft.Insights/alertRules/*\"\ + ,\"Microsoft.Management/managementGroups/read\",\"Microsoft.operationalInsights/workspaces/*/read\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Security/*\",\"Microsoft.IoTSecurity/*\",\"Microsoft.Support/*\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2017-05-03T07:51:23.0917487Z\",\"updatedOn\":\"2021-11-15T06:42:49.8263550Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fb1c8493-542b-48eb-b624-b4c8fea62acd\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fb1c8493-542b-48eb-b624-b4c8fea62acd\"\ + },{\"properties\":{\"roleName\":\"Web PubSub Service Owner (Preview)\",\"\ + type\":\"BuiltInRole\",\"description\":\"Full access to Azure Web PubSub Service\ + \ REST APIs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"\ + notActions\":[],\"dataActions\":[\"Microsoft.SignalRService/WebPubSub/*\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2021-03-24T09:10:11.8335180Z\",\"\ + updatedOn\":\"2021-11-16T05:16:52.6491279Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/12cf5a90-567b-43ae-8102-96cf46c7d9b4\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"12cf5a90-567b-43ae-8102-96cf46c7d9b4\"\ + },{\"properties\":{\"roleName\":\"Web PubSub Service Reader (Preview)\",\"\ + type\":\"BuiltInRole\",\"description\":\"Read-only access to Azure Web PubSub\ + \ Service REST APIs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[],\"notActions\":[],\"dataActions\":[\"Microsoft.SignalRService/WebPubSub/*/read\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2021-03-24T09:11:12.6235436Z\",\"\ + updatedOn\":\"2021-11-16T05:17:12.8340953Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/bfb1c7d2-fb1a-466b-b2ba-aee63b92deaf\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"bfb1c7d2-fb1a-466b-b2ba-aee63b92deaf\"\ + },{\"properties\":{\"roleName\":\"SignalR App Server\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Lets your app server access SignalR Service with AAD auth\ + \ options.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"\ + notActions\":[],\"dataActions\":[\"Microsoft.SignalRService/SignalR/auth/accessKey/action\"\ + ,\"Microsoft.SignalRService/SignalR/serverConnection/write\",\"Microsoft.SignalRService/SignalR/clientConnection/write\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2020-07-29T06:54:40.1201435Z\",\"\ + updatedOn\":\"2021-11-16T05:19:04.8579948Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/420fcaa2-552c-430f-98ca-3264be4806c7\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"420fcaa2-552c-430f-98ca-3264be4806c7\"\ + },{\"properties\":{\"roleName\":\"Virtual Machine User Login\",\"type\":\"\ + BuiltInRole\",\"description\":\"View Virtual Machines in the portal and login\ + \ as a regular user.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.Network/publicIPAddresses/read\",\"Microsoft.Network/virtualNetworks/read\"\ + ,\"Microsoft.Network/loadBalancers/read\",\"Microsoft.Network/networkInterfaces/read\"\ + ,\"Microsoft.Compute/virtualMachines/*/read\",\"Microsoft.HybridCompute/machines/*/read\"\ + ,\"Microsoft.HybridConnectivity/endpoints/listCredentials/action\"],\"notActions\"\ + :[],\"dataActions\":[\"Microsoft.Compute/virtualMachines/login/action\",\"\ + Microsoft.HybridCompute/machines/login/action\"],\"notDataActions\":[]}],\"\ + createdOn\":\"2018-02-09T18:36:13.3315744Z\",\"updatedOn\":\"2021-11-18T00:55:50.6185845Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fb879df8-f326-4884-b1cf-06f3ad86be52\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fb879df8-f326-4884-b1cf-06f3ad86be52\"\ + },{\"properties\":{\"roleName\":\"Virtual Machine Administrator Login\",\"\ + type\":\"BuiltInRole\",\"description\":\"View Virtual Machines in the portal\ + \ and login as administrator\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.Network/publicIPAddresses/read\",\"Microsoft.Network/virtualNetworks/read\"\ + ,\"Microsoft.Network/loadBalancers/read\",\"Microsoft.Network/networkInterfaces/read\"\ + ,\"Microsoft.Compute/virtualMachines/*/read\",\"Microsoft.HybridCompute/machines/*/read\"\ + ,\"Microsoft.HybridConnectivity/endpoints/listCredentials/action\"],\"notActions\"\ + :[],\"dataActions\":[\"Microsoft.Compute/virtualMachines/login/action\",\"\ + Microsoft.Compute/virtualMachines/loginAsAdmin/action\",\"Microsoft.HybridCompute/machines/login/action\"\ + ,\"Microsoft.HybridCompute/machines/loginAsAdmin/action\"],\"notDataActions\"\ + :[]}],\"createdOn\":\"2018-02-09T18:36:13.3315744Z\",\"updatedOn\":\"2021-11-18T00:56:53.8134295Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1c0163c0-47e6-4577-8991-ea5c82e286e4\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1c0163c0-47e6-4577-8991-ea5c82e286e4\"\ + },{\"properties\":{\"roleName\":\"Azure Arc VMware Private Clouds Onboarding\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Azure Arc VMware Private Clouds\ + \ Onboarding role has permissions to provision all the required resources\ + \ for onboard and deboard vCenter instances to Azure.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ConnectedVMwarevSphere/vcenters/Write\"\ + ,\"Microsoft.ConnectedVMwarevSphere/vcenters/Read\",\"Microsoft.ConnectedVMwarevSphere/vcenters/Delete\"\ + ,\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\"\ + ,\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\"\ + ,\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\"\ + ,\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Resources/deployments/read\"\ + ,\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\"\ + ,\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\"\ + ,\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\"\ + ,\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\"\ + ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\",\"\ + Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\"\ + ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\"\ + ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.KubernetesConfiguration/extensions/Write\"\ + ,\"Microsoft.KubernetesConfiguration/extensions/Read\",\"Microsoft.KubernetesConfiguration/extensions/Delete\"\ + ,\"Microsoft.KubernetesConfiguration/operations/read\",\"Microsoft.ExtendedLocation/customLocations/Read\"\ + ,\"Microsoft.ExtendedLocation/customLocations/Write\",\"Microsoft.ExtendedLocation/customLocations/Delete\"\ + ,\"Microsoft.ExtendedLocation/customLocations/deploy/action\",\"Microsoft.ResourceConnector/appliances/Read\"\ + ,\"Microsoft.ResourceConnector/appliances/Write\",\"Microsoft.ResourceConnector/appliances/Delete\"\ + ,\"Microsoft.BackupSolutions/vmwareapplications/write\",\"Microsoft.BackupSolutions/vmwareapplications/delete\"\ + ,\"Microsoft.BackupSolutions/vmwareapplications/read\"],\"notActions\":[],\"\ + dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-11-01T22:18:08.4480747Z\"\ + ,\"updatedOn\":\"2022-09-26T15:06:14.2584743Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/67d33e57-3129-45e6-bb0b-7cc522f762fa\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"67d33e57-3129-45e6-bb0b-7cc522f762fa\"\ + },{\"properties\":{\"roleName\":\"Chamber Admin\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Lets you manage everything under your Modeling and Simulation\ + \ Workbench chamber.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.ModSimWorkbench/*/read\",\"Microsoft.ModSimWorkbench/workbenches/chambers/*\"\ + ,\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\"\ + :[\"Microsoft.ModSimWorkbench/workbenches/chambers/fileRequests/manage/action\"\ + ],\"dataActions\":[\"Microsoft.ModSimWorkbench/workbenches/chambers/upload/action\"\ + ,\"Microsoft.ModSimWorkbench/workbenches/chambers/files/*\"],\"notDataActions\"\ + :[]}],\"createdOn\":\"2021-12-15T20:53:14.4428297Z\",\"updatedOn\":\"2023-02-08T21:48:40.8992376Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4e9b8407-af2e-495b-ae54-bb60a55b1b5a\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4e9b8407-af2e-495b-ae54-bb60a55b1b5a\"\ + },{\"properties\":{\"roleName\":\"Chamber User\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Lets you view everything under your Modeling and Simulation\ + \ Workbench chamber, but not make any changes.\",\"assignableScopes\":[\"\ + /\"],\"permissions\":[{\"actions\":[\"Microsoft.ModSimWorkbench/workbenches/chambers/*/read\"\ + ,\"Microsoft.ModSimWorkbench/workbenches/chambers/workloads/*\",\"Microsoft.ModSimWorkbench/workbenches/chambers/getUploadUri/action\"\ + ,\"Microsoft.ModSimWorkbench/workbenches/chambers/fileRequests/getDownloadUri/action\"\ + ,\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\"\ + :[],\"dataActions\":[\"Microsoft.ModSimWorkbench/workbenches/chambers/upload/action\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2021-12-15T20:51:06.2119764Z\",\"\ + updatedOn\":\"2023-02-08T21:48:40.8982384Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4447db05-44ed-4da3-ae60-6cbece780e32\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4447db05-44ed-4da3-ae60-6cbece780e32\"\ + },{\"properties\":{\"roleName\":\"Windows Admin Center Administrator Login\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Let's you manage the OS of your\ + \ resource via Windows Admin Center as an administrator.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HybridCompute/machines/*/read\"\ + ,\"Microsoft.HybridCompute/machines/extensions/*\",\"Microsoft.HybridCompute/machines/upgradeExtensions/action\"\ + ,\"Microsoft.HybridCompute/operations/read\",\"Microsoft.Network/networkInterfaces/read\"\ + ,\"Microsoft.Network/loadBalancers/read\",\"Microsoft.Network/publicIPAddresses/read\"\ + ,\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/networkSecurityGroups/read\"\ + ,\"Microsoft.Network/networkSecurityGroups/defaultSecurityRules/read\",\"\ + Microsoft.Network/networkWatchers/securityGroupView/action\",\"Microsoft.Network/networkSecurityGroups/securityRules/read\"\ + ,\"Microsoft.Network/networkSecurityGroups/securityRules/write\",\"Microsoft.HybridConnectivity/endpoints/write\"\ + ,\"Microsoft.HybridConnectivity/endpoints/read\",\"Microsoft.HybridConnectivity/endpoints/listManagedProxyDetails/action\"\ + ,\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Compute/virtualMachines/patchAssessmentResults/latest/read\"\ + ,\"Microsoft.Compute/virtualMachines/patchAssessmentResults/latest/softwarePatches/read\"\ + ,\"Microsoft.Compute/virtualMachines/patchInstallationResults/read\",\"Microsoft.Compute/virtualMachines/patchInstallationResults/softwarePatches/read\"\ + ,\"Microsoft.Compute/virtualMachines/extensions/read\",\"Microsoft.Compute/virtualMachines/instanceView/read\"\ + ,\"Microsoft.Compute/virtualMachines/runCommands/read\",\"Microsoft.Compute/virtualMachines/vmSizes/read\"\ + ,\"Microsoft.Compute/locations/publishers/artifacttypes/types/read\",\"Microsoft.Compute/locations/publishers/artifacttypes/types/versions/read\"\ + ,\"Microsoft.Compute/diskAccesses/read\",\"Microsoft.Compute/galleries/images/read\"\ + ,\"Microsoft.Compute/images/read\",\"Microsoft.AzureStackHCI/Clusters/Read\"\ + ,\"Microsoft.AzureStackHCI/Clusters/ArcSettings/Read\",\"Microsoft.AzureStackHCI/Clusters/ArcSettings/Extensions/Read\"\ + ,\"Microsoft.AzureStackHCI/Clusters/ArcSettings/Extensions/Write\",\"Microsoft.AzureStackHCI/Clusters/ArcSettings/Extensions/Delete\"\ + ,\"Microsoft.AzureStackHCI/Operations/Read\",\"Microsoft.ConnectedVMwarevSphere/VirtualMachines/Read\"\ + ,\"Microsoft.ConnectedVMwarevSphere/VirtualMachines/Extensions/Write\",\"\ + Microsoft.ConnectedVMwarevSphere/VirtualMachines/Extensions/Read\"],\"notActions\"\ + :[],\"dataActions\":[\"Microsoft.HybridCompute/machines/WACLoginAsAdmin/action\"\ + ,\"Microsoft.Compute/virtualMachines/WACloginAsAdmin/action\",\"Microsoft.AzureStackHCI/Clusters/WACloginAsAdmin/Action\"\ + ,\"Microsoft.ConnectedVMwarevSphere/virtualmachines/WACloginAsAdmin/action\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2022-01-12T00:51:19.5581155Z\",\"\ + updatedOn\":\"2022-12-06T08:55:26.6040760Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a6333a3e-0164-44c3-b281-7a577aff287f\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a6333a3e-0164-44c3-b281-7a577aff287f\"\ + },{\"properties\":{\"roleName\":\"Azure Kubernetes Service Policy Add-on Deployment\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Deploy the Azure Policy add-on\ + \ on Azure Kubernetes Service clusters\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.Resources/deployments/*\",\"Microsoft.Network/virtualNetworks/subnets/join/action\"\ + ,\"Microsoft.Network/publicIPPrefixes/join/action\",\"Microsoft.Network/publicIPAddresses/join/action\"\ + ,\"Microsoft.Compute/diskEncryptionSets/read\",\"Microsoft.Compute/proximityPlacementGroups/write\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2022-02-07T20:51:48.5662807Z\",\"updatedOn\":\"2022-03-15T19:19:34.9035909Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18ed5180-3e48-46fd-8541-4ea054d57064\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"18ed5180-3e48-46fd-8541-4ea054d57064\"\ + },{\"properties\":{\"roleName\":\"Guest Configuration Resource Contributor\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Lets you read, write Guest Configuration\ + \ Resource.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"\ + Microsoft.GuestConfiguration/guestConfigurationAssignments/write\",\"Microsoft.GuestConfiguration/guestConfigurationAssignments/read\"\ + ,\"Microsoft.GuestConfiguration/guestConfigurationAssignments/*/read\",\"\ + Microsoft.Resources/deployments/*\"],\"notActions\":[],\"dataActions\":[],\"\ + notDataActions\":[]}],\"createdOn\":\"2022-01-13T21:31:41.9626667Z\",\"updatedOn\"\ + :\"2022-02-10T19:22:44.9057916Z\",\"createdBy\":null,\"updatedBy\":null},\"\ + id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/088ab73d-1256-47ae-bea9-9de8e7131f31\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"088ab73d-1256-47ae-bea9-9de8e7131f31\"\ + },{\"properties\":{\"roleName\":\"Domain Services Reader\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Can view Azure AD Domain Services and related network configurations\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/operations/read\"\ + ,\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Incidents/Read\"\ + ,\"Microsoft.Insights/Logs/Read\",\"Microsoft.Insights/Metrics/read\",\"Microsoft.Insights/DiagnosticSettings/read\"\ + ,\"Microsoft.Insights/DiagnosticSettingsCategories/Read\",\"Microsoft.AAD/domainServices/*/read\"\ + ,\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/subnets/read\"\ + ,\"Microsoft.Network/virtualNetworks/virtualNetworkPeerings/read\",\"Microsoft.Network/virtualNetworks/providers/Microsoft.Insights/diagnosticSettings/read\"\ + ,\"Microsoft.Network/virtualNetworks/providers/Microsoft.Insights/metricDefinitions/read\"\ + ,\"Microsoft.Network/azureFirewalls/read\",\"Microsoft.Network/ddosProtectionPlans/read\"\ + ,\"Microsoft.Network/loadBalancers/read\",\"Microsoft.Network/loadBalancers/*/read\"\ + ,\"Microsoft.Network/natGateways/read\",\"Microsoft.Network/networkInterfaces/read\"\ + ,\"Microsoft.Network/networkSecurityGroups/defaultSecurityRules/read\",\"\ + Microsoft.Network/networkSecurityGroups/read\",\"Microsoft.Network/networkSecurityGroups/securityRules/read\"\ + ,\"Microsoft.Network/routeTables/read\",\"Microsoft.Network/routeTables/routes/read\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2022-02-15T19:38:46.9043170Z\",\"updatedOn\":\"2022-06-24T19:00:35.7895894Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/361898ef-9ed1-48c2-849c-a832951106bb\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"361898ef-9ed1-48c2-849c-a832951106bb\"\ + },{\"properties\":{\"roleName\":\"Domain Services Contributor\",\"type\":\"\ + BuiltInRole\",\"description\":\"Can manage Azure AD Domain Services and related\ + \ network configurations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ + actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/read\"\ + ,\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\"\ + ,\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\"\ + ,\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\"\ + ,\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Insights/AlertRules/Write\"\ + ,\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\"\ + ,\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\"\ + ,\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\"\ + ,\"Microsoft.Insights/Logs/Read\",\"Microsoft.Insights/Metrics/Read\",\"Microsoft.Insights/DiagnosticSettings/*\"\ + ,\"Microsoft.Insights/DiagnosticSettingsCategories/Read\",\"Microsoft.AAD/register/action\"\ + ,\"Microsoft.AAD/unregister/action\",\"Microsoft.AAD/domainServices/*\",\"\ + Microsoft.Network/register/action\",\"Microsoft.Network/unregister/action\"\ + ,\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/write\"\ + ,\"Microsoft.Network/virtualNetworks/delete\",\"Microsoft.Network/virtualNetworks/peer/action\"\ + ,\"Microsoft.Network/virtualNetworks/join/action\",\"Microsoft.Network/virtualNetworks/subnets/read\"\ + ,\"Microsoft.Network/virtualNetworks/subnets/write\",\"Microsoft.Network/virtualNetworks/subnets/delete\"\ + ,\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/virtualNetworks/virtualNetworkPeerings/read\"\ + ,\"Microsoft.Network/virtualNetworks/virtualNetworkPeerings/write\",\"Microsoft.Network/virtualNetworks/virtualNetworkPeerings/delete\"\ + ,\"Microsoft.Network/virtualNetworks/providers/Microsoft.Insights/diagnosticSettings/read\"\ + ,\"Microsoft.Network/virtualNetworks/providers/Microsoft.Insights/metricDefinitions/read\"\ + ,\"Microsoft.Network/azureFirewalls/read\",\"Microsoft.Network/ddosProtectionPlans/read\"\ + ,\"Microsoft.Network/ddosProtectionPlans/join/action\",\"Microsoft.Network/loadBalancers/read\"\ + ,\"Microsoft.Network/loadBalancers/delete\",\"Microsoft.Network/loadBalancers/*/read\"\ + ,\"Microsoft.Network/loadBalancers/backendAddressPools/join/action\",\"Microsoft.Network/loadBalancers/inboundNatRules/join/action\"\ + ,\"Microsoft.Network/natGateways/join/action\",\"Microsoft.Network/networkInterfaces/read\"\ + ,\"Microsoft.Network/networkInterfaces/write\",\"Microsoft.Network/networkInterfaces/delete\"\ + ,\"Microsoft.Network/networkInterfaces/join/action\",\"Microsoft.Network/networkSecurityGroups/defaultSecurityRules/read\"\ + ,\"Microsoft.Network/networkSecurityGroups/read\",\"Microsoft.Network/networkSecurityGroups/write\"\ + ,\"Microsoft.Network/networkSecurityGroups/delete\",\"Microsoft.Network/networkSecurityGroups/join/action\"\ + ,\"Microsoft.Network/networkSecurityGroups/securityRules/read\",\"Microsoft.Network/networkSecurityGroups/securityRules/write\"\ + ,\"Microsoft.Network/networkSecurityGroups/securityRules/delete\",\"Microsoft.Network/routeTables/read\"\ + ,\"Microsoft.Network/routeTables/write\",\"Microsoft.Network/routeTables/delete\"\ + ,\"Microsoft.Network/routeTables/join/action\",\"Microsoft.Network/routeTables/routes/read\"\ + ,\"Microsoft.Network/routeTables/routes/write\",\"Microsoft.Network/routeTables/routes/delete\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2022-02-15T19:40:22.3943189Z\",\"updatedOn\":\"2022-06-24T19:00:35.7895894Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/eeaeda52-9324-47f6-8069-5d5bade478b2\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"eeaeda52-9324-47f6-8069-5d5bade478b2\"\ + },{\"properties\":{\"roleName\":\"DNS Resolver Contributor\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Lets you manage DNS resolver resources.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Network/dnsResolvers/read\"\ + ,\"Microsoft.Network/dnsResolvers/write\",\"Microsoft.Network/dnsResolvers/delete\"\ + ,\"Microsoft.Network/dnsResolvers/join/action\",\"Microsoft.Network/dnsResolvers/inboundEndpoints/read\"\ + ,\"Microsoft.Network/dnsResolvers/inboundEndpoints/write\",\"Microsoft.Network/dnsResolvers/inboundEndpoints/delete\"\ + ,\"Microsoft.Network/dnsResolvers/inboundEndpoints/join/action\",\"Microsoft.Network/dnsResolvers/outboundEndpoints/read\"\ + ,\"Microsoft.Network/dnsResolvers/outboundEndpoints/write\",\"Microsoft.Network/dnsResolvers/outboundEndpoints/delete\"\ + ,\"Microsoft.Network/dnsResolvers/outboundEndpoints/join/action\",\"Microsoft.Network/dnsForwardingRulesets/read\"\ + ,\"Microsoft.Network/dnsForwardingRulesets/write\",\"Microsoft.Network/dnsForwardingRulesets/delete\"\ + ,\"Microsoft.Network/dnsForwardingRulesets/join/action\",\"Microsoft.Network/dnsForwardingRulesets/forwardingRules/read\"\ + ,\"Microsoft.Network/dnsForwardingRulesets/forwardingRules/write\",\"Microsoft.Network/dnsForwardingRulesets/forwardingRules/delete\"\ + ,\"Microsoft.Network/dnsForwardingRulesets/virtualNetworkLinks/read\",\"Microsoft.Network/dnsForwardingRulesets/virtualNetworkLinks/write\"\ + ,\"Microsoft.Network/dnsForwardingRulesets/virtualNetworkLinks/delete\",\"\ + Microsoft.Network/locations/dnsResolverOperationResults/read\",\"Microsoft.Network/locations/dnsResolverOperationStatuses/read\"\ + ,\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/join/action\"\ + ,\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Network/virtualNetworks/subnets/write\"\ + ,\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/virtualNetworks/join/action\"\ + ,\"Microsoft.Network/virtualNetworks/joinLoadBalancer/action\",\"Microsoft.Network/virtualNetworks/subnets/join/action\"\ + ,\"Microsoft.Network/virtualNetworks/subnets/joinLoadBalancer/action\",\"\ + Microsoft.Network/natGateways/join/action\",\"Microsoft.Network/networkSecurityGroups/join/action\"\ + ,\"Microsoft.Network/routeTables/join/action\",\"Microsoft.Network/serviceEndpointPolicies/join/action\"\ + ,\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2022-02-16T23:25:04.4308795Z\",\"updatedOn\":\"2022-03-11T20:54:26.6355690Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0f2ebee7-ffd4-4fc0-b3b7-664099fdad5d\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0f2ebee7-ffd4-4fc0-b3b7-664099fdad5d\"\ + },{\"properties\":{\"roleName\":\"Data Operator for Managed Disks\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Provides permissions to upload data to\ + \ empty managed disks, read, or export data of managed disks (not attached\ + \ to running VMs) and snapshots using SAS URIs and Azure AD authentication.\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\"\ + :[],\"dataActions\":[\"Microsoft.Compute/disks/download/action\",\"Microsoft.Compute/disks/upload/action\"\ + ,\"Microsoft.Compute/snapshots/download/action\",\"Microsoft.Compute/snapshots/upload/action\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2022-03-01T01:28:23.8601778Z\",\"\ + updatedOn\":\"2022-03-01T01:28:23.8601778Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/959f8984-c045-4866-89c7-12bf9737be2e\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"959f8984-c045-4866-89c7-12bf9737be2e\"\ + },{\"properties\":{\"roleName\":\"AgFood Platform Sensor Partner Contributor\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Provides contribute access to\ + \ manage sensor related entities in AgFood Platform Service\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\"\ + :[\"Microsoft.AgFoodPlatform/farmBeats/sensorPartnerScope/*\"],\"notDataActions\"\ + :[\"Microsoft.AgFoodPlatform/farmBeats/sensorPartnerScope/sensors/delete\"\ + ]}],\"createdOn\":\"2022-03-09T04:58:21.1168561Z\",\"updatedOn\":\"2022-10-26T05:24:21.6704842Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6b77f0a0-0d89-41cc-acd1-579c22c17a67\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6b77f0a0-0d89-41cc-acd1-579c22c17a67\"\ + },{\"properties\":{\"roleName\":\"Compute Gallery Sharing Admin\",\"type\"\ + :\"BuiltInRole\",\"description\":\"This role allows user to share gallery\ + \ to another subscription/tenant or share it to the public.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/galleries/share/action\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2022-03-10T00:33:29.0395291Z\",\"updatedOn\":\"2022-03-25T20:37:05.1839457Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1ef6a3be-d0ac-425d-8c01-acb62866290b\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1ef6a3be-d0ac-425d-8c01-acb62866290b\"\ + },{\"properties\":{\"roleName\":\"Scheduled Patching Contributor\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Provides access to manage maintenance configurations\ + \ with maintenance scope InGuestPatch and corresponding configuration assignments\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Maintenance/maintenanceConfigurations/read\"\ + ,\"Microsoft.Maintenance/maintenanceConfigurations/write\",\"Microsoft.Maintenance/maintenanceConfigurations/delete\"\ + ,\"Microsoft.Maintenance/configurationAssignments/read\",\"Microsoft.Maintenance/configurationAssignments/write\"\ + ,\"Microsoft.Maintenance/configurationAssignments/delete\",\"Microsoft.Maintenance/configurationAssignments/maintenanceScope/InGuestPatch/read\"\ + ,\"Microsoft.Maintenance/configurationAssignments/maintenanceScope/InGuestPatch/write\"\ + ,\"Microsoft.Maintenance/configurationAssignments/maintenanceScope/InGuestPatch/delete\"\ + ,\"Microsoft.Maintenance/maintenanceConfigurations/maintenanceScope/InGuestPatch/read\"\ + ,\"Microsoft.Maintenance/maintenanceConfigurations/maintenanceScope/InGuestPatch/write\"\ + ,\"Microsoft.Maintenance/maintenanceConfigurations/maintenanceScope/InGuestPatch/delete\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2022-03-21T10:28:02.1319658Z\",\"updatedOn\":\"2022-04-13T08:04:33.5842713Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/cd08ab90-6b14-449c-ad9a-8f8e549482c6\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"cd08ab90-6b14-449c-ad9a-8f8e549482c6\"\ + },{\"properties\":{\"roleName\":\"DevCenter Dev Box User\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Provides access to create and manage dev boxes.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DevCenter/projects/read\"\ + ,\"Microsoft.DevCenter/projects/*/read\",\"Microsoft.Fidalgo/projects/read\"\ + ,\"Microsoft.Fidalgo/projects/*/read\",\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\"\ + :[],\"dataActions\":[\"Microsoft.DevCenter/projects/users/devboxes/userStop/action\"\ + ,\"Microsoft.DevCenter/projects/users/devboxes/userStart/action\",\"Microsoft.DevCenter/projects/users/devboxes/userGetRemoteConnection/action\"\ + ,\"Microsoft.DevCenter/projects/users/devboxes/userRead/action\",\"Microsoft.DevCenter/projects/users/devboxes/userWrite/action\"\ + ,\"Microsoft.DevCenter/projects/users/devboxes/userDelete/action\",\"Microsoft.DevCenter/projects/users/devboxes/userUpcomingActionRead/action\"\ + ,\"Microsoft.DevCenter/projects/users/devboxes/userUpcomingActionManage/action\"\ + ,\"Microsoft.Fidalgo/projects/users/virtualMachines/userStop/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userStart/action\"\ + ,\"Microsoft.Fidalgo/projects/users/virtualMachines/userGetRdpFileContent/action\"\ + ,\"Microsoft.Fidalgo/projects/users/virtualMachines/userRead/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userWrite/action\"\ + ,\"Microsoft.Fidalgo/projects/users/virtualMachines/userDelete/action\"],\"\ + notDataActions\":[]}],\"createdOn\":\"2022-03-31T18:38:03.5210123Z\",\"updatedOn\"\ + :\"2023-01-09T21:52:29.5985029Z\",\"createdBy\":null,\"updatedBy\":null},\"\ + id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/45d50f46-0b78-4001-a660-4198cbe8cd05\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"45d50f46-0b78-4001-a660-4198cbe8cd05\"\ + },{\"properties\":{\"roleName\":\"DevCenter Project Admin\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Provides access to manage project resources.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DevCenter/projects/*\"\ + ,\"Microsoft.Fidalgo/projects/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\"\ + :[\"Microsoft.DevCenter/projects/write\",\"Microsoft.DevCenter/projects/delete\"\ + ,\"Microsoft.Fidalgo/projects/write\",\"Microsoft.Fidalgo/projects/delete\"\ + ],\"dataActions\":[\"Microsoft.DevCenter/projects/users/devboxes/adminStart/action\"\ + ,\"Microsoft.DevCenter/projects/users/devboxes/adminStop/action\",\"Microsoft.DevCenter/projects/users/devboxes/adminRead/action\"\ + ,\"Microsoft.DevCenter/projects/users/devboxes/adminWrite/action\",\"Microsoft.DevCenter/projects/users/devboxes/adminDelete/action\"\ + ,\"Microsoft.DevCenter/projects/users/devboxes/userStop/action\",\"Microsoft.DevCenter/projects/users/devboxes/userStart/action\"\ + ,\"Microsoft.DevCenter/projects/users/devboxes/userGetRemoteConnection/action\"\ + ,\"Microsoft.DevCenter/projects/users/devboxes/userRead/action\",\"Microsoft.DevCenter/projects/users/devboxes/userWrite/action\"\ + ,\"Microsoft.DevCenter/projects/users/devboxes/userDelete/action\",\"Microsoft.DevCenter/projects/users/environments/adminRead/action\"\ + ,\"Microsoft.DevCenter/projects/users/environments/userWrite/action\",\"Microsoft.DevCenter/projects/users/environments/userDelete/action\"\ + ,\"Microsoft.DevCenter/projects/users/environments/adminDelete/action\",\"\ + Microsoft.DevCenter/projects/users/environments/adminAction/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/adminStart/action\"\ + ,\"Microsoft.Fidalgo/projects/users/virtualMachines/adminStop/action\",\"\ + Microsoft.Fidalgo/projects/users/virtualMachines/adminRead/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/adminWrite/action\"\ + ,\"Microsoft.Fidalgo/projects/users/virtualMachines/adminDelete/action\",\"\ + Microsoft.Fidalgo/projects/users/virtualMachines/userStop/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userStart/action\"\ + ,\"Microsoft.Fidalgo/projects/users/virtualMachines/userGetRdpFileContent/action\"\ + ,\"Microsoft.Fidalgo/projects/users/virtualMachines/userRead/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userWrite/action\"\ + ,\"Microsoft.Fidalgo/projects/users/virtualMachines/userDelete/action\"],\"\ + notDataActions\":[]}],\"createdOn\":\"2022-03-31T19:42:55.7106886Z\",\"updatedOn\"\ + :\"2022-10-11T07:53:29.7067755Z\",\"createdBy\":null,\"updatedBy\":null},\"\ + id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/331c37c6-af14-46d9-b9f4-e1909e1b95a0\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"331c37c6-af14-46d9-b9f4-e1909e1b95a0\"\ + },{\"properties\":{\"roleName\":\"Virtual Machine Local User Login\",\"type\"\ + :\"BuiltInRole\",\"description\":\"View Virtual Machines in the portal and\ + \ login as a local user configured on the arc server\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HybridCompute/machines/*/read\"\ + ,\"Microsoft.HybridConnectivity/endpoints/listCredentials/action\"],\"notActions\"\ + :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-04-06T23:57:10.4104571Z\"\ + ,\"updatedOn\":\"2022-04-16T18:55:26.3037328Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/602da2ba-a5c2-41da-b01d-5360126ab525\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"602da2ba-a5c2-41da-b01d-5360126ab525\"\ + },{\"properties\":{\"roleName\":\"Azure Arc ScVmm VM Contributor\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Arc ScVmm VM Contributor has permissions\ + \ to perform all VM actions.\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"microsoft.scvmm/virtualmachines/*\",\"Microsoft.Insights/AlertRules/Write\"\ + ,\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\"\ + ,\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\"\ + ,\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\"\ + ,\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\"\ + ,\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\"\ + ,\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\"\ + ,\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\"\ + ,\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\"\ + ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"\ + Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\"\ + ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\"\ + ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Resources/subscriptions/operationresults/read\"],\"notActions\"\ + :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-04-13T17:19:45.4667566Z\"\ + ,\"updatedOn\":\"2022-05-05T20:34:37.0090465Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e582369a-e17b-42a5-b10c-874c387c530b\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e582369a-e17b-42a5-b10c-874c387c530b\"\ + },{\"properties\":{\"roleName\":\"Azure Arc ScVmm Private Clouds Onboarding\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Azure Arc ScVmm Private Clouds\ + \ Onboarding role has permissions to provision all the required resources\ + \ for onboard and deboard vmm server instances to Azure.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"microsoft.scvmm/vmmservers/Read\"\ + ,\"microsoft.scvmm/vmmservers/Write\",\"microsoft.scvmm/vmmservers/Delete\"\ + ,\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\"\ + ,\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\"\ + ,\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\"\ + ,\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Resources/deployments/read\"\ + ,\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\"\ + ,\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\"\ + ,\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\"\ + ,\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\"\ + ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\",\"\ + Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\"\ + ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\"\ + ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Resources/subscriptions/operationresults/read\"],\"notActions\"\ + :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-04-13T17:20:24.2592061Z\"\ + ,\"updatedOn\":\"2022-05-05T20:34:37.0246727Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6aac74c4-6311-40d2-bbdd-7d01e7c6e3a9\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6aac74c4-6311-40d2-bbdd-7d01e7c6e3a9\"\ + },{\"properties\":{\"roleName\":\"Azure Arc ScVmm Private Cloud User\",\"\ + type\":\"BuiltInRole\",\"description\":\"Azure Arc ScVmm Private Cloud User\ + \ has permissions to use the ScVmm resources to deploy VMs.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Insights/AlertRules/Write\"\ + ,\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\"\ + ,\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\"\ + ,\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\"\ + ,\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\"\ + ,\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\"\ + ,\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\"\ + ,\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\"\ + ,\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\"\ + ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"\ + Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\"\ + ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\"\ + ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Resources/subscriptions/operationresults/read\",\"microsoft.scvmm/virtualnetworks/join/action\"\ + ,\"microsoft.scvmm/virtualnetworks/Read\",\"microsoft.scvmm/virtualmachinetemplates/clone/action\"\ + ,\"microsoft.scvmm/virtualmachinetemplates/Read\",\"microsoft.scvmm/clouds/deploy/action\"\ + ,\"microsoft.scvmm/clouds/Read\"],\"notActions\":[],\"dataActions\":[],\"\ + notDataActions\":[]}],\"createdOn\":\"2022-04-13T17:21:33.4624374Z\",\"updatedOn\"\ + :\"2022-05-05T20:34:37.0246727Z\",\"createdBy\":null,\"updatedBy\":null},\"\ + id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c0781e91-8102-4553-8951-97c6d4243cda\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c0781e91-8102-4553-8951-97c6d4243cda\"\ + },{\"properties\":{\"roleName\":\"Azure Arc ScVmm Administrator role\",\"\ + type\":\"BuiltInRole\",\"description\":\"Arc ScVmm VM Administrator has permissions\ + \ to perform all ScVmm actions.\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.ScVmm/*\",\"Microsoft.Insights/AlertRules/Write\"\ + ,\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\"\ + ,\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\"\ + ,\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\"\ + ,\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\"\ + ,\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\"\ + ,\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\"\ + ,\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\"\ + ,\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\"\ + ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"\ + Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\"\ + ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\"\ + ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Resources/subscriptions/operationresults/read\"],\"notActions\"\ + :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-04-13T17:23:36.5115227Z\"\ + ,\"updatedOn\":\"2022-05-05T20:34:37.0246727Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a92dfd61-77f9-4aec-a531-19858b406c87\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a92dfd61-77f9-4aec-a531-19858b406c87\"\ + },{\"properties\":{\"roleName\":\"FHIR Data Importer\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Role allows user or principal to read and import FHIR Data\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\"\ + :[],\"dataActions\":[\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/read\"\ + ,\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/import/action\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2022-04-19T07:59:50.0236181Z\",\"\ + updatedOn\":\"2022-04-21T09:16:15.3849248Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4465e953-8ced-4406-a58e-0f6e3f3b530b\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4465e953-8ced-4406-a58e-0f6e3f3b530b\"\ + },{\"properties\":{\"roleName\":\"API Management Developer Portal Content\ + \ Editor\",\"type\":\"BuiltInRole\",\"description\":\"Can customize the developer\ + \ portal, edit its content, and publish it.\",\"assignableScopes\":[\"/\"\ + ],\"permissions\":[{\"actions\":[\"Microsoft.ApiManagement/service/portalRevisions/read\"\ + ,\"Microsoft.ApiManagement/service/portalRevisions/write\",\"Microsoft.ApiManagement/service/contentTypes/read\"\ + ,\"Microsoft.ApiManagement/service/contentTypes/delete\",\"Microsoft.ApiManagement/service/contentTypes/write\"\ + ,\"Microsoft.ApiManagement/service/contentTypes/contentItems/read\",\"Microsoft.ApiManagement/service/contentTypes/contentItems/write\"\ + ,\"Microsoft.ApiManagement/service/contentTypes/contentItems/delete\"],\"\ + notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"\ + 2022-05-06T17:42:10.1276527Z\",\"updatedOn\":\"2022-05-10T21:44:17.7458996Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c031e6a8-4391-4de0-8d69-4706a7ed3729\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c031e6a8-4391-4de0-8d69-4706a7ed3729\"\ + },{\"properties\":{\"roleName\":\"VM Scanner Operator\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Role that provides access to disk snapshot for security\ + \ analysis.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"\ + Microsoft.Compute/disks/read\",\"Microsoft.Compute/disks/beginGetAccess/action\"\ + ,\"Microsoft.Compute/virtualMachines/instanceView/read\",\"Microsoft.Compute/virtualMachines/read\"\ + ,\"Microsoft.Compute/virtualMachineScaleSets/instanceView/read\",\"Microsoft.Compute/virtualMachineScaleSets/read\"\ + ,\"Microsoft.Compute/virtualMachineScaleSets/virtualMachines/read\",\"Microsoft.Compute/virtualMachineScaleSets/virtualMachines/instanceView/read\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2022-05-15T14:44:58.0697864Z\",\"updatedOn\":\"2022-06-06T17:44:18.2603469Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d24ecba3-c1f4-40fa-a7bb-4588a071e8fd\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d24ecba3-c1f4-40fa-a7bb-4588a071e8fd\"\ + },{\"properties\":{\"roleName\":\"Elastic SAN Owner\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Allows for full access to all resources under Azure Elastic\ + \ SAN including changing network security policies to unblock data path access\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ElasticSan/elasticSans/*\"\ + ,\"Microsoft.ElasticSan/locations/*\"],\"notActions\":[],\"dataActions\":[],\"\ + notDataActions\":[]}],\"createdOn\":\"2022-05-25T10:31:53.7129003Z\",\"updatedOn\"\ + :\"2022-08-22T15:27:30.0884957Z\",\"createdBy\":null,\"updatedBy\":null},\"\ + id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/80dcbedb-47ef-405d-95bd-188a1b4ac406\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"80dcbedb-47ef-405d-95bd-188a1b4ac406\"\ + },{\"properties\":{\"roleName\":\"Elastic SAN Reader\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Allows for control path read access to Azure Elastic SAN\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/roleAssignments/read\"\ + ,\"Microsoft.Authorization/roleDefinitions/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ElasticSan/elasticSans/*/read\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2022-05-31T04:56:26.3763359Z\",\"updatedOn\":\"2022-08-22T15:27:30.0884957Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/af6a70f8-3c9f-4105-acf1-d719e9fca4ca\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"af6a70f8-3c9f-4105-acf1-d719e9fca4ca\"\ + },{\"properties\":{\"roleName\":\"Desktop Virtualization Virtual Machine Contributor\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"This role is in preview and subject\ + \ to change. Provide permission to the Azure Virtual Desktop Resource Provider\ + \ to create, delete, update, start, and stop virtual machines.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/hostpools/read\"\ + ,\"Microsoft.DesktopVirtualization/hostpools/write\",\"Microsoft.DesktopVirtualization/hostpools/retrieveRegistrationToken/action\"\ + ,\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/write\"\ + ,\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/delete\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/read\"\ + ,\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/disconnect/action\"\ + ,\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/sendMessage/action\"\ + ,\"Microsoft.DesktopVirtualization/hostpools/sessionHostConfigurations/read\"\ + ,\"Microsoft.Compute/availabilitySets/read\",\"Microsoft.Compute/availabilitySets/write\"\ + ,\"Microsoft.Compute/availabilitySets/vmSizes/read\",\"Microsoft.Compute/disks/read\"\ + ,\"Microsoft.Compute/disks/write\",\"Microsoft.Compute/disks/delete\",\"Microsoft.Compute/galleries/read\"\ + ,\"Microsoft.Compute/galleries/images/read\",\"Microsoft.Compute/galleries/images/versions/read\"\ + ,\"Microsoft.Compute/images/read\",\"Microsoft.Compute/locations/usages/read\"\ + ,\"Microsoft.Compute/locations/vmSizes/read\",\"Microsoft.Compute/operations/read\"\ + ,\"Microsoft.Compute/skus/read\",\"Microsoft.Compute/virtualMachines/read\"\ + ,\"Microsoft.Compute/virtualMachines/write\",\"Microsoft.Compute/virtualMachines/delete\"\ + ,\"Microsoft.Compute/virtualMachines/start/action\",\"Microsoft.Compute/virtualMachines/powerOff/action\"\ + ,\"Microsoft.Compute/virtualMachines/restart/action\",\"Microsoft.Compute/virtualMachines/deallocate/action\"\ + ,\"Microsoft.Compute/virtualMachines/runCommand/action\",\"Microsoft.Compute/virtualMachines/extensions/read\"\ + ,\"Microsoft.Compute/virtualMachines/extensions/write\",\"Microsoft.Compute/virtualMachines/extensions/delete\"\ + ,\"Microsoft.Compute/virtualMachines/runCommands/read\",\"Microsoft.Compute/virtualMachines/runCommands/write\"\ + ,\"Microsoft.Compute/virtualMachines/vmSizes/read\",\"Microsoft.Network/networkSecurityGroups/read\"\ + ,\"Microsoft.Network/networkInterfaces/write\",\"Microsoft.Network/networkInterfaces/read\"\ + ,\"Microsoft.Network/networkInterfaces/join/action\",\"Microsoft.Network/networkInterfaces/delete\"\ + ,\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Network/virtualNetworks/subnets/join/action\"\ + ,\"Microsoft.Marketplace/offerTypes/publishers/offers/plans/agreements/read\"\ + ,\"Microsoft.KeyVault/vaults/deploy/action\",\"Microsoft.Storage/storageAccounts/read\"\ + ,\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"\ + Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2022-06-27T23:34:34.2924270Z\",\"updatedOn\":\"2022-07-14T23:59:09.6368154Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a959dbd1-f747-45e3-8ba6-dd80f235f97c\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a959dbd1-f747-45e3-8ba6-dd80f235f97c\"\ + },{\"properties\":{\"roleName\":\"Desktop Virtualization Power On Contributor\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"This role is in preview and subject\ + \ to change. Provide permission to the Azure Virtual Desktop Resource Provider\ + \ to start virtual machines.\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.Compute/virtualMachines/start/action\",\"Microsoft.Compute/virtualMachines/read\"\ + ,\"Microsoft.Compute/virtualMachines/instanceView/read\",\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\"\ + :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-06-27T23:34:34.8048994Z\"\ + ,\"updatedOn\":\"2022-07-14T23:59:09.6368154Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/489581de-a3bd-480d-9518-53dea7416b33\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"489581de-a3bd-480d-9518-53dea7416b33\"\ + },{\"properties\":{\"roleName\":\"Desktop Virtualization Power On Off Contributor\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"This role is in preview and subject\ + \ to change. Provide permission to the Azure Virtual Desktop Resource Provider\ + \ to start and stop virtual machines.\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.Compute/virtualMachines/start/action\",\"Microsoft.Compute/virtualMachines/read\"\ + ,\"Microsoft.Compute/virtualMachines/instanceView/read\",\"Microsoft.Compute/virtualMachines/deallocate/action\"\ + ,\"Microsoft.Compute/virtualMachines/restart/action\",\"Microsoft.Compute/virtualMachines/powerOff/action\"\ + ,\"Microsoft.Insights/eventtypes/values/read\",\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.DesktopVirtualization/hostpools/read\"\ + ,\"Microsoft.DesktopVirtualization/hostpools/write\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/read\"\ + ,\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/write\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/delete\"\ + ,\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/read\"\ + ,\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/sendMessage/action\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2022-06-27T23:34:34.8048994Z\",\"updatedOn\":\"2022-07-14T23:59:09.6368154Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/40c5ff49-9181-41f8-ae61-143b0e78555e\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"40c5ff49-9181-41f8-ae61-143b0e78555e\"\ + },{\"properties\":{\"roleName\":\"Elastic SAN Volume Group Owner\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Allows for full access to a volume group\ + \ in Azure Elastic SAN including changing network security policies to unblock\ + \ data path access\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"\ + ,\"Microsoft.ElasticSan/elasticSans/volumeGroups/*\",\"Microsoft.ElasticSan/locations/asyncoperations/read\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2022-07-01T12:56:46.0182642Z\",\"updatedOn\":\"2022-08-22T15:27:30.0884957Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a8281131-f312-4f34-8d98-ae12be9f0d23\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a8281131-f312-4f34-8d98-ae12be9f0d23\"\ + },{\"properties\":{\"roleName\":\"Access Review Operator Service Role\",\"\ + type\":\"BuiltInRole\",\"description\":\"Lets you grant Access Review System\ + \ app permissions to discover and revoke access as needed by the access review\ + \ process.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"\ + Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleAssignments/delete\"\ + ,\"Microsoft.Management/getEntities/action\"],\"notActions\":[],\"dataActions\"\ + :[],\"notDataActions\":[]}],\"createdOn\":\"2022-07-01T20:18:33.8473541Z\"\ + ,\"updatedOn\":\"2022-07-01T20:18:33.8473541Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/76cc9ee4-d5d3-4a45-a930-26add3d73475\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"76cc9ee4-d5d3-4a45-a930-26add3d73475\"\ + },{\"properties\":{\"roleName\":\"Code Signing Identity Verifier\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Manage identity or business verification\ + \ requests. This role is in preview and subject to change.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CodeSigning/*/read\"],\"\ + notActions\":[],\"dataActions\":[\"Microsoft.CodeSigning/IdentityVerification/Read\"\ + ,\"Microsoft.CodeSigning/IdentityVerification/Write\"],\"notDataActions\"\ + :[]}],\"createdOn\":\"2022-07-28T05:30:15.0114431Z\",\"updatedOn\":\"2022-11-01T05:16:07.2974025Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4339b7cf-9826-4e41-b4ed-c7f4505dac08\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4339b7cf-9826-4e41-b4ed-c7f4505dac08\"\ + },{\"properties\":{\"roleName\":\"Video Indexer Restricted Viewer\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Has access to view and search through all\ + \ video's insights and transcription in the Video Indexer portal. No access\ + \ to model customization, embedding of widget, downloading videos, or sharing\ + \ the account.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.VideoIndexer/*/read\",\"Microsoft.VideoIndexer/accounts/*/action\"\ + ],\"notActions\":[\"Microsoft.VideoIndexer/*/write\",\"Microsoft.VideoIndexer/*/delete\"\ + ,\"Microsoft.VideoIndexer/accounts/generateAccessToken/action\"],\"dataActions\"\ + :[],\"notDataActions\":[]}],\"createdOn\":\"2022-08-08T18:06:28.4761091Z\"\ + ,\"updatedOn\":\"2022-08-08T18:06:28.4761091Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a2c4a527-7dc0-4ee3-897b-403ade70fafb\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a2c4a527-7dc0-4ee3-897b-403ade70fafb\"\ + },{\"properties\":{\"roleName\":\"Monitoring Data Reader\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Can access the data in an Azure Monitor Workspace.\",\"\ + assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\"\ + :[],\"dataActions\":[\"Microsoft.Monitor/accounts/data/metrics/read\"],\"\ + notDataActions\":[]}],\"createdOn\":\"2022-08-18T21:42:07.5907559Z\",\"updatedOn\"\ + :\"2022-10-06T18:45:11.9001059Z\",\"createdBy\":null,\"updatedBy\":null},\"\ + id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b0d8363b-8ddd-447d-831f-62ca05bff136\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b0d8363b-8ddd-447d-831f-62ca05bff136\"\ + },{\"properties\":{\"roleName\":\"Azure Kubernetes Fleet Manager RBAC Writer\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Allows read/write access to most\ + \ objects in a namespace.This role does not allow viewing or modifying roles\ + \ or role bindings. However, this role allows accessing Secrets as any ServiceAccount\ + \ in the namespace, so it can be used to gain the API access levels of any\ + \ ServiceAccount in the namespace. Applying this role at cluster scope will\ + \ give access across all namespaces.\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/operationresults/read\"\ + ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.ContainerService/fleets/read\",\"Microsoft.ContainerService/fleets/listCredentials/action\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/fleets/apps/controllerrevisions/read\"\ + ,\"Microsoft.ContainerService/fleets/apps/daemonsets/*\",\"Microsoft.ContainerService/fleets/apps/deployments/*\"\ + ,\"Microsoft.ContainerService/fleets/apps/statefulsets/*\",\"Microsoft.ContainerService/fleets/autoscaling/horizontalpodautoscalers/*\"\ + ,\"Microsoft.ContainerService/fleets/batch/cronjobs/*\",\"Microsoft.ContainerService/fleets/batch/jobs/*\"\ + ,\"Microsoft.ContainerService/fleets/configmaps/*\",\"Microsoft.ContainerService/fleets/endpoints/*\"\ + ,\"Microsoft.ContainerService/fleets/events.k8s.io/events/read\",\"Microsoft.ContainerService/fleets/events/read\"\ + ,\"Microsoft.ContainerService/fleets/extensions/daemonsets/*\",\"Microsoft.ContainerService/fleets/extensions/deployments/*\"\ + ,\"Microsoft.ContainerService/fleets/extensions/ingresses/*\",\"Microsoft.ContainerService/fleets/extensions/networkpolicies/*\"\ + ,\"Microsoft.ContainerService/fleets/limitranges/read\",\"Microsoft.ContainerService/fleets/namespaces/read\"\ + ,\"Microsoft.ContainerService/fleets/networking.k8s.io/ingresses/*\",\"Microsoft.ContainerService/fleets/networking.k8s.io/networkpolicies/*\"\ + ,\"Microsoft.ContainerService/fleets/persistentvolumeclaims/*\",\"Microsoft.ContainerService/fleets/policy/poddisruptionbudgets/*\"\ + ,\"Microsoft.ContainerService/fleets/replicationcontrollers/*\",\"Microsoft.ContainerService/fleets/replicationcontrollers/*\"\ + ,\"Microsoft.ContainerService/fleets/resourcequotas/read\",\"Microsoft.ContainerService/fleets/secrets/*\"\ + ,\"Microsoft.ContainerService/fleets/serviceaccounts/*\",\"Microsoft.ContainerService/fleets/services/*\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2022-08-19T21:54:44.6234342Z\",\"\ + updatedOn\":\"2022-08-25T18:08:36.2213166Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5af6afb3-c06c-4fa4-8848-71a8aee05683\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5af6afb3-c06c-4fa4-8848-71a8aee05683\"\ + },{\"properties\":{\"roleName\":\"Azure Kubernetes Fleet Manager Contributor\ + \ Role\",\"type\":\"BuiltInRole\",\"description\":\"Grants access to read\ + \ and write Azure Kubernetes Fleet Manager clusters\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerService/fleets/*\"\ + ,\"Microsoft.Resources/deployments/*\"],\"notActions\":[],\"dataActions\"\ + :[],\"notDataActions\":[]}],\"createdOn\":\"2022-08-19T21:54:44.6234342Z\"\ + ,\"updatedOn\":\"2022-08-19T21:54:44.6234342Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/63bb64ad-9799-4770-b5c3-24ed299a07bf\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"63bb64ad-9799-4770-b5c3-24ed299a07bf\"\ + },{\"properties\":{\"roleName\":\"Azure Kubernetes Fleet Manager RBAC Cluster\ + \ Admin\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage all resources\ + \ in the fleet manager cluster.\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/operationresults/read\"\ + ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.ContainerService/fleets/read\",\"Microsoft.ContainerService/fleets/listCredentials/action\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/fleets/*\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2022-08-19T21:54:44.6234342Z\",\"\ + updatedOn\":\"2022-08-19T21:54:44.6234342Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18ab4d3d-a1bf-4477-8ad9-8359bc988f69\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"18ab4d3d-a1bf-4477-8ad9-8359bc988f69\"\ + },{\"properties\":{\"roleName\":\"Azure Kubernetes Fleet Manager RBAC Admin\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"This role grants admin access\ + \ - provides write permissions on most objects within a a namespace, with\ + \ the exception of ResourceQuota object and the namespace object itself. Applying\ + \ this role at cluster scope will give access across all namespaces.\",\"\ + assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ContainerService/fleets/read\"\ + ,\"Microsoft.ContainerService/fleets/listCredentials/action\"],\"notActions\"\ + :[],\"dataActions\":[\"Microsoft.ContainerService/fleets/apps/controllerrevisions/read\"\ + ,\"Microsoft.ContainerService/fleets/apps/daemonsets/*\",\"Microsoft.ContainerService/fleets/apps/deployments/*\"\ + ,\"Microsoft.ContainerService/fleets/apps/statefulsets/*\",\"Microsoft.ContainerService/fleets/authorization.k8s.io/localsubjectaccessreviews/write\"\ + ,\"Microsoft.ContainerService/fleets/autoscaling/horizontalpodautoscalers/*\"\ + ,\"Microsoft.ContainerService/fleets/batch/cronjobs/*\",\"Microsoft.ContainerService/fleets/batch/jobs/*\"\ + ,\"Microsoft.ContainerService/fleets/configmaps/*\",\"Microsoft.ContainerService/fleets/endpoints/*\"\ + ,\"Microsoft.ContainerService/fleets/events.k8s.io/events/read\",\"Microsoft.ContainerService/fleets/events/read\"\ + ,\"Microsoft.ContainerService/fleets/extensions/daemonsets/*\",\"Microsoft.ContainerService/fleets/extensions/deployments/*\"\ + ,\"Microsoft.ContainerService/fleets/extensions/ingresses/*\",\"Microsoft.ContainerService/fleets/extensions/networkpolicies/*\"\ + ,\"Microsoft.ContainerService/fleets/limitranges/read\",\"Microsoft.ContainerService/fleets/namespaces/read\"\ + ,\"Microsoft.ContainerService/fleets/networking.k8s.io/ingresses/*\",\"Microsoft.ContainerService/fleets/networking.k8s.io/networkpolicies/*\"\ + ,\"Microsoft.ContainerService/fleets/persistentvolumeclaims/*\",\"Microsoft.ContainerService/fleets/policy/poddisruptionbudgets/*\"\ + ,\"Microsoft.ContainerService/fleets/rbac.authorization.k8s.io/rolebindings/*\"\ + ,\"Microsoft.ContainerService/fleets/rbac.authorization.k8s.io/roles/*\",\"\ + Microsoft.ContainerService/fleets/replicationcontrollers/*\",\"Microsoft.ContainerService/fleets/replicationcontrollers/*\"\ + ,\"Microsoft.ContainerService/fleets/resourcequotas/read\",\"Microsoft.ContainerService/fleets/secrets/*\"\ + ,\"Microsoft.ContainerService/fleets/serviceaccounts/*\",\"Microsoft.ContainerService/fleets/services/*\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2022-08-19T21:54:44.6234342Z\",\"\ + updatedOn\":\"2022-08-25T18:08:36.2213166Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/434fb43a-c01c-447e-9f67-c3ad923cfaba\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"434fb43a-c01c-447e-9f67-c3ad923cfaba\"\ + },{\"properties\":{\"roleName\":\"Azure Kubernetes Fleet Manager RBAC Reader\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Allows read-only access to see\ + \ most objects in a namespace. It does not allow viewing roles or role bindings.\ + \ This role does not allow viewing Secrets, since reading the contents of\ + \ Secrets enables access to ServiceAccount credentials in the namespace, which\ + \ would allow API access as any ServiceAccount in the namespace (a form of\ + \ privilege escalation). Applying this role at cluster scope will give access\ + \ across all namespaces.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ + actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/operationresults/read\"\ + ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.ContainerService/fleets/read\",\"Microsoft.ContainerService/fleets/listCredentials/action\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/fleets/apps/controllerrevisions/read\"\ + ,\"Microsoft.ContainerService/fleets/apps/daemonsets/read\",\"Microsoft.ContainerService/fleets/apps/deployments/read\"\ + ,\"Microsoft.ContainerService/fleets/apps/statefulsets/read\",\"Microsoft.ContainerService/fleets/autoscaling/horizontalpodautoscalers/read\"\ + ,\"Microsoft.ContainerService/fleets/batch/cronjobs/read\",\"Microsoft.ContainerService/fleets/batch/jobs/read\"\ + ,\"Microsoft.ContainerService/fleets/configmaps/read\",\"Microsoft.ContainerService/fleets/endpoints/read\"\ + ,\"Microsoft.ContainerService/fleets/events.k8s.io/events/read\",\"Microsoft.ContainerService/fleets/events/read\"\ + ,\"Microsoft.ContainerService/fleets/extensions/daemonsets/read\",\"Microsoft.ContainerService/fleets/extensions/deployments/read\"\ + ,\"Microsoft.ContainerService/fleets/extensions/ingresses/read\",\"Microsoft.ContainerService/fleets/extensions/networkpolicies/read\"\ + ,\"Microsoft.ContainerService/fleets/limitranges/read\",\"Microsoft.ContainerService/fleets/namespaces/read\"\ + ,\"Microsoft.ContainerService/fleets/networking.k8s.io/ingresses/read\",\"\ + Microsoft.ContainerService/fleets/networking.k8s.io/networkpolicies/read\"\ + ,\"Microsoft.ContainerService/fleets/persistentvolumeclaims/read\",\"Microsoft.ContainerService/fleets/policy/poddisruptionbudgets/read\"\ + ,\"Microsoft.ContainerService/fleets/replicationcontrollers/read\",\"Microsoft.ContainerService/fleets/replicationcontrollers/read\"\ + ,\"Microsoft.ContainerService/fleets/resourcequotas/read\",\"Microsoft.ContainerService/fleets/serviceaccounts/read\"\ + ,\"Microsoft.ContainerService/fleets/services/read\"],\"notDataActions\":[]}],\"\ + createdOn\":\"2022-08-19T21:54:44.6234342Z\",\"updatedOn\":\"2022-08-25T18:08:36.2213166Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/30b27cfc-9c84-438e-b0ce-70e35255df80\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"30b27cfc-9c84-438e-b0ce-70e35255df80\"\ + },{\"properties\":{\"roleName\":\"Kubernetes Namespace User\",\"type\":\"\ + BuiltInRole\",\"description\":\"Allows a user to read namespace resources\ + \ and retrieve kubeconfig for the cluster\",\"assignableScopes\":[\"/\"],\"\ + permissions\":[{\"actions\":[\"Microsoft.KubernetesConfiguration/namespaces/read\"\ + ,\"Microsoft.KubernetesConfiguration/namespaces/listUserCredential/action\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2022-08-23T05:53:29.2401441Z\",\"updatedOn\":\"2022-08-23T05:53:29.2401441Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ba79058c-0414-4a34-9e42-c3399d80cd5a\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ba79058c-0414-4a34-9e42-c3399d80cd5a\"\ + },{\"properties\":{\"roleName\":\"Data Labeling - Labeler\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Can label data in Labeling.\",\"assignableScopes\":[\"\ + /\"],\"permissions\":[{\"actions\":[\"Microsoft.MachineLearningServices/workspaces/read\"\ + ,\"Microsoft.MachineLearningServices/workspaces/experiments/runs/read\",\"\ + Microsoft.MachineLearningServices/workspaces/labeling/projects/read\",\"Microsoft.MachineLearningServices/workspaces/labeling/projects/summary/read\"\ + ,\"Microsoft.MachineLearningServices/workspaces/labeling/labels/read\",\"\ + Microsoft.MachineLearningServices/workspaces/labeling/labels/write\"],\"notActions\"\ + :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-09-01T18:26:59.8559741Z\"\ + ,\"updatedOn\":\"2022-09-07T18:52:08.6907182Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c6decf44-fd0a-444c-a844-d653c394e7ab\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c6decf44-fd0a-444c-a844-d653c394e7ab\"\ + },{\"properties\":{\"roleName\":\"Template Spec Contributor\",\"type\":\"\ + BuiltInRole\",\"description\":\"Allows full access to Template Spec operations\ + \ at the assigned scope.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ + actions\":[\"Microsoft.Resources/templateSpecs/*\",\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2022-09-06T21:40:35.0538486Z\",\"updatedOn\":\"2022-09-06T21:40:35.0538486Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1c9b6475-caf0-4164-b5a1-2142a7116f4b\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1c9b6475-caf0-4164-b5a1-2142a7116f4b\"\ + },{\"properties\":{\"roleName\":\"Template Spec Reader\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Allows read access to Template Specs at the assigned scope.\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Resources/templateSpecs/*/read\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2022-09-06T21:40:35.0538486Z\",\"updatedOn\":\"2022-09-06T21:40:35.0538486Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/392ae280-861d-42bd-9ea5-08ee6d83b80e\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"392ae280-861d-42bd-9ea5-08ee6d83b80e\"\ + },{\"properties\":{\"roleName\":\"Role Based Access Control Administrator\ + \ (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Manage access to\ + \ Azure resources by assigning roles using Azure RBAC. This role does not\ + \ allow you to manage access using other ways, such as Azure Policy.\",\"\ + assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/roleAssignments/write\"\ + ,\"Microsoft.Authorization/roleAssignments/delete\",\"*/read\",\"Microsoft.Support/*\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2022-09-06T22:11:11.4458675Z\",\"updatedOn\":\"2022-09-06T22:11:11.4458675Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f58310d9-a9f6-439a-9e8d-f62e7b41a168\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f58310d9-a9f6-439a-9e8d-f62e7b41a168\"\ + },{\"properties\":{\"roleName\":\"Microsoft Sentinel Playbook Operator\",\"\ + type\":\"BuiltInRole\",\"description\":\"Microsoft Sentinel Playbook Operator\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Logic/workflows/read\"\ + ,\"Microsoft.Logic/workflows/triggers/listCallbackUrl/action\",\"Microsoft.Web/sites/hostruntime/webhooks/api/workflows/triggers/listCallbackUrl/action\"\ + ,\"Microsoft.Web/sites/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2022-09-19T15:10:00.4803785Z\",\"updatedOn\":\"2022-12-05T18:09:08.3556749Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/51d6186e-6489-4900-b93f-92e23144cca5\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"51d6186e-6489-4900-b93f-92e23144cca5\"\ + },{\"properties\":{\"roleName\":\"Deployment Environments User\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Provides access to manage environment resources.\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DevCenter/projects/read\"\ + ,\"Microsoft.DevCenter/projects/*/read\",\"Microsoft.Fidalgo/projects/read\"\ + ,\"Microsoft.Fidalgo/projects/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Authorization/*/read\"],\"notActions\":[\"Microsoft.DevCenter/projects/pools/read\"\ + ,\"Microsoft.Fidalgo/projects/pools/read\",\"Microsoft.DevCenter/projects/pools/schedules/read\"\ + ],\"dataActions\":[\"Microsoft.DevCenter/projects/users/environments/adminRead/action\"\ + ,\"Microsoft.DevCenter/projects/users/environments/userWrite/action\",\"Microsoft.DevCenter/projects/users/environments/userDelete/action\"\ + ,\"Microsoft.DevCenter/projects/users/environments/adminAction/action\"],\"\ + notDataActions\":[]}],\"createdOn\":\"2022-09-20T20:51:42.7384536Z\",\"updatedOn\"\ + :\"2022-10-11T07:53:29.7067755Z\",\"createdBy\":null,\"updatedBy\":null},\"\ + id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18e40d4e-8d2e-438d-97e1-9528336e149c\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"18e40d4e-8d2e-438d-97e1-9528336e149c\"\ + },{\"properties\":{\"roleName\":\"Azure Spring Apps Connect Role\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Azure Spring Apps Connect Role\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\"\ + :[\"Microsoft.AppPlatform/Spring/apps/deployments/connect/action\"],\"notDataActions\"\ + :[]}],\"createdOn\":\"2022-09-22T06:55:16.9189450Z\",\"updatedOn\":\"2022-09-22T06:55:16.9189450Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/80558df3-64f9-4c0f-b32d-e5094b036b0b\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"80558df3-64f9-4c0f-b32d-e5094b036b0b\"\ + },{\"properties\":{\"roleName\":\"Azure Spring Apps Remote Debugging Role\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Azure Spring Apps Remote Debugging\ + \ Role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"\ + notActions\":[],\"dataActions\":[\"Microsoft.AppPlatform/Spring/apps/deployments/remotedebugging/action\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2022-09-22T07:10:29.3874610Z\",\"\ + updatedOn\":\"2022-09-22T07:10:29.3874610Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a99b0159-1064-4c22-a57b-c9b3caa1c054\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a99b0159-1064-4c22-a57b-c9b3caa1c054\"\ + },{\"properties\":{\"roleName\":\"AzureML Registry User\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Can perform all actions on Machine Learning Services Registry\ + \ assets\_as well as get Registry resources.\",\"assignableScopes\":[\"/\"\ + ],\"permissions\":[{\"actions\":[\"Microsoft.MachineLearningServices/registries/read\"\ + ,\"Microsoft.MachineLearningServices/registries/assets/*\"],\"notActions\"\ + :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-09-26T15:06:14.4270097Z\"\ + ,\"updatedOn\":\"2022-09-26T15:06:14.4270097Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1823dd4f-9b8c-4ab6-ab4e-7397a3684615\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1823dd4f-9b8c-4ab6-ab4e-7397a3684615\"\ + },{\"properties\":{\"roleName\":\"AzureML Compute Operator\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Can access and perform CRUD operations on Machine Learning\ + \ Services managed compute resources (including Notebook VMs).\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.MachineLearningServices/workspaces/computes/*\"\ + ,\"Microsoft.MachineLearningServices/workspaces/notebooks/vm/*\"],\"notActions\"\ + :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-09-26T15:06:14.4270097Z\"\ + ,\"updatedOn\":\"2022-09-26T15:06:14.4270097Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e503ece1-11d0-4e8e-8e2c-7a6c3bf38815\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e503ece1-11d0-4e8e-8e2c-7a6c3bf38815\"\ + },{\"properties\":{\"roleName\":\"Azure Center for SAP solutions reader\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"This role provides read access\ + \ to all capabilities of Azure Center for SAP solutions.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Workloads/sapvirtualInstances/*/read\"\ + ,\"Microsoft.Workloads/Locations/*/action\",\"Microsoft.Workloads/Operations/read\"\ + ,\"Microsoft.Workloads/Locations/OperationStatuses/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/metrics/read\",\"\ + Microsoft.Insights/metricDefinitions/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/read\"\ + ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ + ,\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/providers/Microsoft.Insights/metricDefinitions/read\"\ + ,\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Network/virtualNetworks/subnets/virtualMachines/read\"\ + ,\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Network/networkInterfaces/ipconfigurations/read\"\ + ,\"Microsoft.Network/networkInterfaces/loadBalancers/read\",\"Microsoft.Network/networkInterfaces/providers/Microsoft.Insights/metricDefinitions/read\"\ + ,\"Microsoft.Network/loadBalancers/read\",\"Microsoft.Network/loadBalancers/backendAddressPools/read\"\ + ,\"Microsoft.Network/loadBalancers/frontendIPConfigurations/read\",\"Microsoft.Network/loadBalancers/loadBalancingRules/read\"\ + ,\"Microsoft.Network/loadBalancers/inboundNatRules/read\",\"Microsoft.Network/loadBalancers/providers/Microsoft.Insights/logDefinitions/read\"\ + ,\"Microsoft.Network/loadBalancers/networkInterfaces/read\",\"Microsoft.Network/loadBalancers/outboundRules/read\"\ + ,\"Microsoft.Network/loadBalancers/virtualMachines/read\",\"Microsoft.Network/loadBalancers/providers/Microsoft.Insights/metricDefinitions/read\"\ + ,\"Microsoft.Network/privateEndpoints/read\",\"Microsoft.Storage/storageAccounts/read\"\ + ,\"Microsoft.Storage/storageAccounts/blobServices/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/read\"\ + ,\"Microsoft.Storage/storageAccounts/fileServices/read\",\"Microsoft.Storage/storageAccounts/fileServices/shares/read\"\ + ,\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Compute/availabilitySets/read\"\ + ,\"Microsoft.Compute/virtualMachines/extensions/read\",\"Microsoft.Compute/disks/read\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2022-09-30T06:12:33.9068922Z\",\"updatedOn\":\"2023-01-31T07:06:15.6671218Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/05352d14-a920-4328-a0de-4cbe7430e26b\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"05352d14-a920-4328-a0de-4cbe7430e26b\"\ + },{\"properties\":{\"roleName\":\"Azure Center for SAP solutions service role\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Azure Center for SAP solutions\ + \ service role - This role is intended to be used for providing the permissions\ + \ to user assigned managed identity. Azure Center for SAP solutions will use\ + \ this identity to deploy and manage SAP systems.\",\"assignableScopes\":[\"\ + /\"],\"permissions\":[{\"actions\":[\"Microsoft.Resources/subscriptions/resourceGroups/write\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\"\ + ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/*\"\ + ,\"Microsoft.Network/loadBalancers/read\",\"Microsoft.Network/loadBalancers/write\"\ + ,\"Microsoft.Network/loadBalancers/backendAddressPools/read\",\"Microsoft.Network/loadBalancers/backendAddressPools/write\"\ + ,\"Microsoft.Network/loadBalancers/frontendIPConfigurations/read\",\"Microsoft.Network/loadBalancers/loadBalancingRules/read\"\ + ,\"Microsoft.Network/loadBalancers/inboundNatRules/read\",\"Microsoft.Network/loadBalancers/providers/Microsoft.Insights/logDefinitions/read\"\ + ,\"Microsoft.Network/loadBalancers/networkInterfaces/read\",\"Microsoft.Network/loadBalancers/outboundRules/read\"\ + ,\"Microsoft.Network/loadBalancers/virtualMachines/read\",\"Microsoft.Network/loadBalancers/providers/Microsoft.Insights/metricDefinitions/read\"\ + ,\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Network/networkInterfaces/write\"\ + ,\"Microsoft.Network/networkInterfaces/ipconfigurations/read\",\"Microsoft.Network/networkInterfaces/loadBalancers/read\"\ + ,\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/checkIpAddressAvailability/read\"\ + ,\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Network/virtualNetworks/subnets/virtualMachines/read\"\ + ,\"Microsoft.Network/virtualNetworks/virtualMachines/read\",\"Microsoft.Network/networkInterfaces/ipconfigurations/join/action\"\ + ,\"Microsoft.Network/privateEndpoints/read\",\"Microsoft.Network/privateEndpoints/write\"\ + ,\"Microsoft.Network/networkInterfaces/join/action\",\"Microsoft.Network/loadBalancers/backendAddressPools/join/action\"\ + ,\"Microsoft.Network/loadBalancers/frontendIPConfigurations/join/action\"\ + ,\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/virtualNetworks/subnets/joinLoadBalancer/action\"\ + ,\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.Storage/storageAccounts/write\"\ + ,\"Microsoft.Storage/storageAccounts/PrivateEndpointConnectionsApproval/action\"\ + ,\"Microsoft.Storage/storageAccounts/blobServices/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/read\"\ + ,\"Microsoft.Storage/storageAccounts/fileServices/read\",\"Microsoft.Storage/storageAccounts/fileServices/write\"\ + ,\"Microsoft.Storage/storageAccounts/fileServices/shares/read\",\"Microsoft.Storage/storageAccounts/fileServices/shares/write\"\ + ,\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Compute/virtualMachines/write\"\ + ,\"Microsoft.Compute/virtualMachines/instanceView/read\",\"Microsoft.Compute/availabilitySets/read\"\ + ,\"Microsoft.Compute/availabilitySets/write\",\"Microsoft.Compute/skus/read\"\ + ,\"Microsoft.Compute/sshPublicKeys/read\",\"Microsoft.Compute/virtualMachines/extensions/read\"\ + ,\"Microsoft.Compute/virtualMachines/extensions/write\",\"Microsoft.Compute/virtualMachines/extensions/delete\"\ + ,\"Microsoft.Compute/disks/read\",\"Microsoft.Compute/disks/write\"],\"notActions\"\ + :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-09-30T06:12:34.4541883Z\"\ + ,\"updatedOn\":\"2023-01-31T07:21:28.5445523Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/aabbc5dd-1af0-458b-a942-81af88f9c138\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"aabbc5dd-1af0-458b-a942-81af88f9c138\"\ + },{\"properties\":{\"roleName\":\"Azure Center for SAP solutions administrator\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"This role provides read and write\ + \ access to all capabilities of Azure Center for SAP solutions.\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Workloads/sapvirtualInstances/*/read\"\ + ,\"Microsoft.Workloads/sapVirtualInstances/*/write\",\"Microsoft.Workloads/sapVirtualInstances/*/delete\"\ + ,\"Microsoft.Workloads/Locations/*/action\",\"Microsoft.Workloads/Locations/*/read\"\ + ,\"Microsoft.Workloads/sapVirtualInstances/*/start/action\",\"Microsoft.Workloads/sapVirtualInstances/*/stop/action\"\ + ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Insights/alertRules/*\"\ + ,\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Authorization/*/read\"\ + ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/write\"\ + ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ + ,\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/providers/Microsoft.Insights/metricDefinitions/read\"\ + ,\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Network/virtualNetworks/subnets/write\"\ + ,\"Microsoft.Network/virtualNetworks/subnets/virtualMachines/read\",\"Microsoft.Network/networkInterfaces/read\"\ + ,\"Microsoft.Network/networkInterfaces/ipconfigurations/read\",\"Microsoft.Network/networkInterfaces/loadBalancers/read\"\ + ,\"Microsoft.Network/networkInterfaces/providers/Microsoft.Insights/metricDefinitions/read\"\ + ,\"Microsoft.Network/loadBalancers/read\",\"Microsoft.Network/loadBalancers/backendAddressPools/read\"\ + ,\"Microsoft.Network/loadBalancers/frontendIPConfigurations/read\",\"Microsoft.Network/loadBalancers/loadBalancingRules/read\"\ + ,\"Microsoft.Network/loadBalancers/inboundNatRules/read\",\"Microsoft.Network/loadBalancers/providers/Microsoft.Insights/logDefinitions/read\"\ + ,\"Microsoft.Network/loadBalancers/networkInterfaces/read\",\"Microsoft.Network/loadBalancers/outboundRules/read\"\ + ,\"Microsoft.Network/loadBalancers/virtualMachines/read\",\"Microsoft.Network/loadBalancers/providers/Microsoft.Insights/metricDefinitions/read\"\ + ,\"Microsoft.Network/privateEndpoints/read\",\"Microsoft.Network/networkSecurityGroups/join/action\"\ + ,\"Microsoft.Network/routeTables/join/action\",\"Microsoft.Storage/storageAccounts/read\"\ + ,\"Microsoft.Storage/storageAccounts/blobServices/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/read\"\ + ,\"Microsoft.Storage/storageAccounts/fileServices/read\",\"Microsoft.Storage/storageAccounts/fileServices/shares/read\"\ + ,\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Compute/availabilitySets/read\"\ + ,\"Microsoft.Compute/sshPublicKeys/read\",\"Microsoft.Compute/sshPublicKeys/write\"\ + ,\"Microsoft.Compute/sshPublicKeys/*/generateKeyPair/action\",\"Microsoft.Compute/virtualMachines/extensions/read\"\ + ,\"Microsoft.Compute/virtualMachines/extensions/delete\",\"Microsoft.Compute/disks/read\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/read\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2022-10-03T15:02:12.4663451Z\",\"\ + updatedOn\":\"2023-02-01T17:46:41.4114907Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7b0c7e81-271f-4c71-90bf-e30bdfdbc2f7\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7b0c7e81-271f-4c71-90bf-e30bdfdbc2f7\"\ + },{\"properties\":{\"roleName\":\"Azure Traffic Controller Configuration Manager\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Allows access to traffic controller\ + \ resource. Also allows all confiuration Updates on traffic controller\",\"\ + assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ServiceNetworking/trafficControllers/read\"\ + ,\"Microsoft.ServiceNetworking/trafficControllers/write\",\"Microsoft.ServiceNetworking/trafficControllers/delete\"\ + ,\"Microsoft.ServiceNetworking/trafficControllers/frontends/read\",\"Microsoft.ServiceNetworking/trafficControllers/frontends/write\"\ + ,\"Microsoft.ServiceNetworking/trafficControllers/frontends/delete\",\"Microsoft.ServiceNetworking/trafficControllers/associations/read\"\ + ,\"Microsoft.ServiceNetworking/trafficControllers/associations/write\",\"\ + Microsoft.ServiceNetworking/trafficControllers/associations/delete\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\"\ + ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"\ + Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\"\ + ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.ServiceNetworking/trafficControllers/serviceRoutingConfigurations/read\"\ + ,\"Microsoft.ServiceNetworking/trafficControllers/serviceRoutingConfigurations/write\"\ + ,\"Microsoft.ServiceNetworking/trafficControllers/serviceRoutingConfigurations/delete\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2022-10-05T01:07:25.0493972Z\",\"\ + updatedOn\":\"2022-10-26T23:56:58.2547550Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fbc52c3f-28ad-4303-a892-8a056630b8f1\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fbc52c3f-28ad-4303-a892-8a056630b8f1\"\ + },{\"properties\":{\"roleName\":\"FHIR SMART User\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Role allows user to access FHIR Service according to SMART\ + \ on FHIR specification\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ + actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.HealthcareApis/services/fhir/resources/read\"\ + ,\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/read\",\"Microsoft.HealthcareApis/services/fhir/resources/smart/action\"\ + ,\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/smart/action\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2022-10-25T15:11:56.8461766Z\",\"\ + updatedOn\":\"2022-12-05T20:11:06.0992340Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4ba50f17-9666-485c-a643-ff00808643f0\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4ba50f17-9666-485c-a643-ff00808643f0\"\ + },{\"properties\":{\"roleName\":\"Cognitive Services OpenAI Contributor\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Full access including the ability\ + \ to fine-tune, deploy and generate text\",\"assignableScopes\":[\"/\"],\"\ + permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\"\ + ,\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\"\ + :[\"Microsoft.CognitiveServices/accounts/OpenAI/*\"],\"notDataActions\":[]}],\"\ + createdOn\":\"2022-10-25T20:16:34.9493725Z\",\"updatedOn\":\"2022-10-25T20:16:34.9493725Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a001fd3d-188f-4b5d-821b-7da978bf7442\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a001fd3d-188f-4b5d-821b-7da978bf7442\"\ + },{\"properties\":{\"roleName\":\"Cognitive Services OpenAI User\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Ability to view files, models, deployments.\ + \ Readers can't make any changes They can inference\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"\ + ,\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"\ + ],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/OpenAI/*/read\"\ + ,\"Microsoft.CognitiveServices/accounts/OpenAI/engines/completions/action\"\ + ,\"Microsoft.CognitiveServices/accounts/OpenAI/engines/search/action\",\"\ + Microsoft.CognitiveServices/accounts/OpenAI/engines/generate/action\",\"Microsoft.CognitiveServices/accounts/OpenAI/engines/completions/write\"\ + ,\"Microsoft.CognitiveServices/accounts/OpenAI/deployments/search/action\"\ + ,\"Microsoft.CognitiveServices/accounts/OpenAI/deployments/completions/action\"\ + ,\"Microsoft.CognitiveServices/accounts/OpenAI/deployments/embeddings/action\"\ + ,\"Microsoft.CognitiveServices/accounts/OpenAI/deployments/completions/write\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2022-10-25T20:16:34.9493725Z\",\"\ + updatedOn\":\"2022-10-25T20:16:34.9493725Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5e0bd9bd-7b93-4f28-af87-19fc36ad61bd\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5e0bd9bd-7b93-4f28-af87-19fc36ad61bd\"\ + },{\"properties\":{\"roleName\":\"Impact Reporter\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Allows access to create/report, read and delete impacts\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Impact/WorkloadImpacts/*\"\ + ,\"Microsoft.Impact/ImpactCategories/read\"],\"notActions\":[],\"dataActions\"\ + :[],\"notDataActions\":[]}],\"createdOn\":\"2022-10-26T20:23:26.2218757Z\"\ + ,\"updatedOn\":\"2022-11-04T20:01:52.7464373Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/36e80216-a7e8-4f42-a7e1-f12c98cbaf8a\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"36e80216-a7e8-4f42-a7e1-f12c98cbaf8a\"\ + },{\"properties\":{\"roleName\":\"Impact Reader\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"Allows read-only access to reported impacts and impact\ + \ categories\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.Impact/WorkloadImpacts/read\",\"Microsoft.Impact/ImpactCategories/read\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2022-10-26T20:38:41.9711782Z\",\"updatedOn\":\"2022-11-04T20:01:52.7464373Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/68ff5d27-c7f5-4fa9-a21c-785d0df7bd9e\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"68ff5d27-c7f5-4fa9-a21c-785d0df7bd9e\"\ + },{\"properties\":{\"roleName\":\"ContainerApp Reader\",\"type\":\"BuiltInRole\"\ + ,\"description\":\"View all containerapp resources, but does not allow you\ + \ to make any changes.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ + actions\":[\"Microsoft.App/containerApps/*/read\",\"Microsoft.App/containerApps/read\"\ + ,\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"\ + Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2022-11-04T22:03:42.8478872Z\",\"updatedOn\":\"2022-12-20T18:33:40.2659251Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ad2dd5fb-cd4b-4fd4-a9b6-4fed3630980b\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ad2dd5fb-cd4b-4fd4-a9b6-4fed3630980b\"\ + },{\"properties\":{\"roleName\":\"Azure Kubernetes Service Cluster Monitoring\ + \ User\",\"type\":\"BuiltInRole\",\"description\":\"List cluster monitoring\ + \ user credential action.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ + actions\":[\"Microsoft.ContainerService/managedClusters/listClusterMonitoringUserCredential/action\"\ + ,\"Microsoft.ContainerService/managedClusters/read\"],\"notActions\":[],\"\ + dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-11-07T16:03:48.7116491Z\"\ + ,\"updatedOn\":\"2023-02-02T03:07:23.3237688Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1afdec4b-e479-420e-99e7-f82237c7c5e6\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1afdec4b-e479-420e-99e7-f82237c7c5e6\"\ + },{\"properties\":{\"roleName\":\"Azure Connected Machine Resource Manager\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Custom Role for AzureStackHCI\ + \ RP to manage hybrid compute machines and hybrid connectivity endpoints in\ + \ a resource group\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.HybridConnectivity/endpoints/read\",\"Microsoft.HybridConnectivity/endpoints/write\"\ + ,\"Microsoft.HybridCompute/machines/read\",\"Microsoft.HybridCompute/machines/write\"\ + ,\"Microsoft.HybridCompute/machines/delete\",\"Microsoft.HybridCompute/machines/extensions/read\"\ + ,\"Microsoft.HybridCompute/machines/extensions/write\",\"Microsoft.HybridCompute/machines/extensions/delete\"\ + ,\"Microsoft.HybridCompute/*/read\",\"Microsoft.HybridCompute/machines/UpgradeExtensions/action\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2022-11-11T07:00:46.0732593Z\",\"updatedOn\":\"2022-11-15T20:31:55.6998835Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f5819b54-e033-4d82-ac66-4fec3cbf3f4c\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f5819b54-e033-4d82-ac66-4fec3cbf3f4c\"\ + },{\"properties\":{\"roleName\":\"Bayer Ag Powered Services Imagery Solution\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Provide access to Imagery Solution\ + \ by Bayer Ag Powered Services\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AgFoodPlatform/farmBeats/parties/boundaries/read\"\ + ,\"Microsoft.AgFoodPlatform/farmBeats/parties/boundaries/write\",\"Microsoft.AgFoodPlatform/farmBeats/ingestionJobs/satelliteDataIngestionJobs/*\"\ + ,\"Microsoft.AgFoodPlatform/farmBeats/scenes/*\",\"Microsoft.AgFoodPlatform/farmBeats/parties/models/resourceTypes/resources/insights/*\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2023-01-10T09:47:50.1779616Z\",\"\ + updatedOn\":\"2023-01-23T16:15:00.1034258Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ef29765d-0d37-4119-a4f8-f9f9902c9588\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ef29765d-0d37-4119-a4f8-f9f9902c9588\"\ + },{\"properties\":{\"roleName\":\"Bayer Ag Powered Services GDU Solution\"\ + ,\"type\":\"BuiltInRole\",\"description\":\"Provide access to GDU Solution\ + \ by Bayer Ag Powered Services\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AgFoodPlatform/farmBeats/parties/boundaries/read\"\ + ,\"Microsoft.AgFoodPlatform/farmBeats/parties/models/resourceTypes/resources/insights/*\"\ + ],\"notDataActions\":[]}],\"createdOn\":\"2023-01-10T09:47:50.1779616Z\",\"\ + updatedOn\":\"2023-01-23T16:15:00.1034258Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c4bc862a-3b64-4a35-a021-a380c159b042\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c4bc862a-3b64-4a35-a021-a380c159b042\"\ + },{\"properties\":{\"roleName\":\"Azure Center for SAP solutions Service role\ + \ for management\",\"type\":\"BuiltInRole\",\"description\":\"This role has\ + \ permissions that the user assigned managed identity must have to enable\ + \ registration for the existing systems.\",\"assignableScopes\":[\"/\"],\"\ + permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ + :[]}],\"createdOn\":\"2023-01-11T08:53:15.6986879Z\",\"updatedOn\":\"2023-01-31T07:21:28.5445523Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0105a6b0-4bb9-43d2-982a-12806f9faddb\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0105a6b0-4bb9-43d2-982a-12806f9faddb\"\ + },{\"properties\":{\"roleName\":\"Azure Center for SAP solutions Management\ + \ role\",\"type\":\"BuiltInRole\",\"description\":\"This role has permissions\ + \ which allow users to register existing systems, view and manage systems.\"\ + ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\"\ + :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2023-01-11T08:53:15.6986879Z\"\ + ,\"updatedOn\":\"2023-01-31T07:21:28.5445523Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6d949e1d-41e2-46e3-8920-c6e4f31a8310\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6d949e1d-41e2-46e3-8920-c6e4f31a8310\"\ + },{\"properties\":{\"roleName\":\"Azure Usage Billing Data Sender\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Azure Usage Billing shared BuiltIn role\ + \ to be used for all Customer Account Authentication\",\"assignableScopes\"\ + :[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\"\ + :[\"Microsoft.UsageBilling/accounts/inputs/send/action\"],\"notDataActions\"\ + :[]}],\"createdOn\":\"2023-01-11T20:30:19.7013219Z\",\"updatedOn\":\"2023-01-24T19:01:11.7372358Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f0310ce6-e953-4cf8-b892-fb1c87eaf7f6\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f0310ce6-e953-4cf8-b892-fb1c87eaf7f6\"\ + },{\"properties\":{\"roleName\":\"Azure Front Door Secret Reader\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Can view Azure Front Door secrets, but\ + \ can't make changes.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ + actions\":[\"Microsoft.Cdn/operationresults/profileresults/secretresults/read\"\ + ,\"Microsoft.Cdn/profiles/secrets/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2023-01-31T15:27:34.9715174Z\",\"updatedOn\":\"2023-01-31T15:27:34.9715174Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0db238c4-885e-4c4f-a933-aa2cef684fca\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0db238c4-885e-4c4f-a933-aa2cef684fca\"\ + },{\"properties\":{\"roleName\":\"Azure Front Door Domain Contributor\",\"\ + type\":\"BuiltInRole\",\"description\":\"Can manage Azure Front Door domains,\ + \ but can't grant access to other users.\",\"assignableScopes\":[\"/\"],\"\ + permissions\":[{\"actions\":[\"Microsoft.Cdn/operationresults/profileresults/customdomainresults/read\"\ + ,\"Microsoft.Cdn/profiles/customdomains/read\",\"Microsoft.Cdn/profiles/customdomains/write\"\ + ,\"Microsoft.Cdn/profiles/customdomains/delete\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2023-01-31T15:27:34.9715174Z\",\"updatedOn\":\"2023-01-31T15:27:34.9715174Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0ab34830-df19-4f8c-b84e-aa85b8afa6e8\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0ab34830-df19-4f8c-b84e-aa85b8afa6e8\"\ + },{\"properties\":{\"roleName\":\"Azure Front Door Domain Reader\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Can view Azure Front Door domains, but\ + \ can't make changes.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ + actions\":[\"Microsoft.Cdn/operationresults/profileresults/customdomainresults/read\"\ + ,\"Microsoft.Cdn/profiles/customdomains/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2023-01-31T15:27:34.9725169Z\",\"updatedOn\":\"2023-01-31T15:27:34.9725169Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0f99d363-226e-4dca-9920-b807cf8e1a5f\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0f99d363-226e-4dca-9920-b807cf8e1a5f\"\ + },{\"properties\":{\"roleName\":\"Azure Front Door Secret Contributor\",\"\ + type\":\"BuiltInRole\",\"description\":\"Can manage Azure Front Door secrets,\ + \ but can't grant access to other users.\",\"assignableScopes\":[\"/\"],\"\ + permissions\":[{\"actions\":[\"Microsoft.Cdn/operationresults/profileresults/secretresults/read\"\ + ,\"Microsoft.Cdn/profiles/secrets/read\",\"Microsoft.Cdn/profiles/secrets/write\"\ + ,\"Microsoft.Cdn/profiles/secrets/delete\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2023-01-31T15:27:34.9715174Z\",\"updatedOn\":\"2023-01-31T15:27:34.9715174Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3f2eb865-5811-4578-b90a-6fc6fa0df8e5\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3f2eb865-5811-4578-b90a-6fc6fa0df8e5\"\ + },{\"properties\":{\"roleName\":\"Azure Stack HCI registration role\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Custom Azure role to allow subscription-level\ + \ access to register Azure Stack HCI\",\"assignableScopes\":[\"/\"],\"permissions\"\ + :[{\"actions\":[\"Microsoft.AzureStackHCI/register/action\",\"Microsoft.AzureStackHCI/Unregister/Action\"\ + ,\"Microsoft.AzureStackHCI/clusters/*\"],\"notActions\":[],\"dataActions\"\ + :[],\"notDataActions\":[]}],\"createdOn\":\"2023-02-01T05:07:09.8184980Z\"\ + ,\"updatedOn\":\"2023-02-01T05:07:09.8184980Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/bda0d508-adf1-4af0-9c28-88919fc3ae06\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"bda0d508-adf1-4af0-9c28-88919fc3ae06\"\ + },{\"properties\":{\"roleName\":\"MySQL Backup And Export Operator\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Grants full access to manage backup and\ + \ export resources\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ + :[\"Microsoft.DBforMySQL/flexibleServers/validateBackup/action\",\"Microsoft.DBforMySQL/flexibleServers/backupAndExport/action\"\ + ,\"Microsoft.DBforMySQL/locations/operationResults/read\",\"Microsoft.DBforMySQL/locations/azureAsyncOperation/read\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2023-02-01T06:07:53.2476095Z\",\"updatedOn\":\"2023-02-10T01:05:53.9294183Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d18ad5f3-1baf-4119-b49b-d944edb1f9d0\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d18ad5f3-1baf-4119-b49b-d944edb1f9d0\"\ + },{\"properties\":{\"roleName\":\"LocalNGFirewallAdministrator role\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Allows user to create, modify, describe,\ + \ or delete NGFirewalls.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ + actions\":[\"PaloAltoNetworks.Cloudngfw/firewalls/*\",\"PaloAltoNetworks.Cloudngfw/localRulestacks/read\"\ + ,\"PaloAltoNetworks.Cloudngfw/globalRulestacks/read\",\"PaloAltoNetworks.Cloudngfw/Locations/operationStatuses/read\"\ + ,\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"\ + Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.ResourceHealth/availabilityStatuses/read\"],\"notActions\":[],\"\ + dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2023-02-01T11:41:41.0153565Z\"\ + ,\"updatedOn\":\"2023-02-08T05:23:32.2826735Z\",\"createdBy\":null,\"updatedBy\"\ + :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a8835c7d-b5cb-47fa-b6f0-65ea10ce07a2\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a8835c7d-b5cb-47fa-b6f0-65ea10ce07a2\"\ + },{\"properties\":{\"roleName\":\"LocalRulestacksAdministrator role\",\"type\"\ + :\"BuiltInRole\",\"description\":\"Allows users to create, modify, describe,\ + \ or delete Rulestacks.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ + actions\":[\"PaloAltoNetworks.Cloudngfw/localRulestacks/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ + ,\"Microsoft.Authorization/*/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ + ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Insights/alertRules/*\"\ + ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ + :\"2023-02-01T11:41:41.0153565Z\",\"updatedOn\":\"2023-02-08T05:23:32.2806744Z\"\ + ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/bfc3b73d-c6ff-45eb-9a5f-40298295bf20\"\ + ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"bfc3b73d-c6ff-45eb-9a5f-40298295bf20\"\ + }]}" headers: cache-control: - no-cache content-length: - - '92' + - '469134' content-type: - - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 + - application/json; charset=utf-8 date: - - Mon, 05 Sep 2022 11:49:47 GMT - odata-version: - - '4.0' - request-id: - - 89614de0-eb8c-4844-b45c-1361cc221cf6 + - Mon, 13 Feb 2023 07:39:42 GMT + expires: + - '-1' + pragma: + - no-cache strict-transport-security: - - max-age=31536000 + - max-age=31536000; includeSubDomains transfer-encoding: - chunked vary: - Accept-Encoding - x-ms-ags-diagnostic: - - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"000","RoleInstance":"MA1PEPF00002511"}}' - x-ms-resource-unit: - - '1' + x-content-type-options: + - nosniff status: code: 200 message: OK - request: - body: '{"ids": ["f41bd262-eb21-47f1-9706-f12132d865e3"], "types": ["user", "group", + body: '{"ids": ["b864e281-c12e-45c6-a0c7-6046a7de5481"], "types": ["user", "group", "servicePrincipal", "directoryObjectPartnerReference"]}' headers: Accept: @@ -3675,30 +12747,30 @@ interactions: Content-Type: - application/json ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes + - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance + --keyvault-id --yes User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) AZURECLI/2.39.0 + - python/3.10.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.45.0 (PIP) method: POST uri: https://graph.microsoft.com/v1.0/directoryObjects/getByIds response: body: - string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#directoryObjects","value":[{"@odata.type":"#microsoft.graph.servicePrincipal","id":"f41bd262-eb21-47f1-9706-f12132d865e3","deletedDateTime":null,"accountEnabled":true,"alternativeNames":["isExplicit=False","/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg/providers/Microsoft.DataProtection/BackupVaults/cli-test-new-vault"],"appDisplayName":null,"appDescription":null,"appId":"1666ae40-2096-498b-9acd-d5cc76560b85","applicationTemplateId":null,"appOwnerOrganizationId":null,"appRoleAssignmentRequired":false,"createdDateTime":"2022-09-05T11:45:43Z","description":null,"disabledByMicrosoftStatus":null,"displayName":"cli-test-new-vault","homepage":null,"loginUrl":null,"logoutUrl":null,"notes":null,"notificationEmailAddresses":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyThumbprint":null,"replyUrls":[],"servicePrincipalNames":["1666ae40-2096-498b-9acd-d5cc76560b85","https://identity.azure.net/yHvRErNNmOMZ4EezrAqFKc6Ca0cDdhCvjeK23cGv1hE="],"servicePrincipalType":"ManagedIdentity","signInAudience":null,"tags":[],"tokenEncryptionKeyId":null,"info":null,"samlSingleSignOnSettings":null,"addIns":[],"appRoles":[],"keyCredentials":[{"customKeyIdentifier":"2E54114573727C7AB82A79610024368806BB3E76","displayName":"CN=1666ae40-2096-498b-9acd-d5cc76560b85","endDateTime":"2022-12-04T11:40:00Z","key":null,"keyId":"091f0c89-7baf-4d09-9c75-83c18191f1f0","startDateTime":"2022-09-05T11:40:00Z","type":"AsymmetricX509Cert","usage":"Verify"}],"oauth2PermissionScopes":[],"passwordCredentials":[],"resourceSpecificApplicationPermissions":[],"verifiedPublisher":{"displayName":null,"verifiedPublisherId":null,"addedDateTime":null}}]}' + string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#directoryObjects","value":[{"@odata.type":"#microsoft.graph.servicePrincipal","id":"b864e281-c12e-45c6-a0c7-6046a7de5481","deletedDateTime":null,"accountEnabled":true,"alternativeNames":["isExplicit=False","/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault"],"appDisplayName":null,"appDescription":null,"appId":"49bc63b1-190a-4f4e-a962-58db2c2f7112","applicationTemplateId":null,"appOwnerOrganizationId":null,"appRoleAssignmentRequired":false,"createdDateTime":"2021-08-26T09:13:20Z","description":null,"disabledByMicrosoftStatus":null,"displayName":"oss-clitest-vault","homepage":null,"loginUrl":null,"logoutUrl":null,"notes":null,"notificationEmailAddresses":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyThumbprint":null,"replyUrls":[],"servicePrincipalNames":["49bc63b1-190a-4f4e-a962-58db2c2f7112","https://identity.azure.net/QVMExgU4rxwt5XEm5whEdHZLrmsaL9M/n/eZXzCcN54="],"servicePrincipalType":"ManagedIdentity","signInAudience":null,"tags":[],"tokenEncryptionKeyId":null,"info":null,"samlSingleSignOnSettings":null,"addIns":[],"appRoles":[],"keyCredentials":[{"customKeyIdentifier":"D81E29CF74F0D83AE8C4D6E335C80A846694493A","displayName":"CN=49bc63b1-190a-4f4e-a962-58db2c2f7112","endDateTime":"2023-05-07T10:47:00Z","key":null,"keyId":"ba62a45a-7c3e-48d9-8a26-4674ca0d2e6b","startDateTime":"2023-02-06T10:47:00Z","type":"AsymmetricX509Cert","usage":"Verify"},{"customKeyIdentifier":"50D92789D8B8CDCCD8F24C7C3E728CC31A604273","displayName":"CN=49bc63b1-190a-4f4e-a962-58db2c2f7112","endDateTime":"2023-03-20T10:44:00Z","key":null,"keyId":"889476c3-7ce1-4171-a0f1-8e5deff2b55c","startDateTime":"2022-12-20T10:44:00Z","type":"AsymmetricX509Cert","usage":"Verify"},{"customKeyIdentifier":"EA95E9828C3105C61A487EB9C460DD23219283B7","displayName":"CN=49bc63b1-190a-4f4e-a962-58db2c2f7112","endDateTime":"2023-01-31T10:42:00Z","key":null,"keyId":"a12bf698-5738-4bf0-9f17-e514f4365719","startDateTime":"2022-11-02T10:42:00Z","type":"AsymmetricX509Cert","usage":"Verify"}],"oauth2PermissionScopes":[],"passwordCredentials":[],"resourceSpecificApplicationPermissions":[],"verifiedPublisher":{"displayName":null,"verifiedPublisherId":null,"addedDateTime":null}}]}' headers: cache-control: - no-cache content-length: - - '1730' + - '2337' content-type: - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 date: - - Mon, 05 Sep 2022 11:49:48 GMT + - Mon, 13 Feb 2023 07:39:43 GMT location: - https://graph.microsoft.com odata-version: - '4.0' request-id: - - f9b5ed0c-6b8a-49c1-b08e-c2ea6f79867b + - 160ad172-732e-46dd-88a7-20b887516534 strict-transport-security: - max-age=31536000 transfer-encoding: @@ -3706,7 +12778,7 @@ interactions: vary: - Accept-Encoding x-ms-ags-diagnostic: - - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"000","RoleInstance":"MA1PEPF000012F4"}}' + - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"001","RoleInstance":"MA1PEPF0000272F"}}' x-ms-resource-unit: - '3' status: @@ -3724,105 +12796,146 @@ interactions: Connection: - keep-alive ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes + - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance + --keyvault-id --yes User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 - Azure-SDK-For-Python AZURECLI/2.39.0 - accept-language: - - en-US + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-rdbms/10.2.0b6 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Disk%20Snapshot%20Contributor%27&api-version=2018-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/firewallRules?api-version=2017-12-01 response: body: - string: '{"value":[{"properties":{"roleName":"Disk Snapshot Contributor","type":"BuiltInRole","description":"Provides - permission to backup vault to manage disk snapshots.","assignableScopes":["/"],"permissions":[{"actions":["Microsoft.Authorization/*/read","Microsoft.Resources/subscriptions/resourceGroups/read","Microsoft.Compute/snapshots/delete","Microsoft.Compute/snapshots/write","Microsoft.Compute/snapshots/read","Microsoft.Compute/snapshots/beginGetAccess/action","Microsoft.Compute/snapshots/endGetAccess/action","Microsoft.Compute/disks/beginGetAccess/action","Microsoft.Storage/storageAccounts/listkeys/action","Microsoft.Storage/storageAccounts/write","Microsoft.Storage/storageAccounts/read","Microsoft.Storage/storageAccounts/delete"],"notActions":[],"dataActions":[],"notDataActions":[]}],"createdOn":"2020-12-15T12:18:51.4471411Z","updatedOn":"2021-11-11T20:14:56.9158814Z","createdBy":null,"updatedBy":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","type":"Microsoft.Authorization/roleDefinitions","name":"7efff54f-a5b4-42b5-a1c5-5411624893ce"}]}' + string: '{"value":[]}' headers: cache-control: - no-cache content-length: - - '1160' + - '12' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 13 Feb 2023 07:39:45 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: '{"properties": {"startIpAddress": "0.0.0.0", "endIpAddress": "0.0.0.0"}}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-instance update-msi-permissions + Connection: + - keep-alive + Content-Length: + - '72' + Content-Type: + - application/json + ParameterSetName: + - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance + --keyvault-id --yes + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-rdbms/10.2.0b6 Python/3.10.7 (Windows-10-10.0.22621-SP0) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/firewallRules/AllowAllWindowsAzureIps?api-version=2017-12-01 + response: + body: + string: '{"operation":"UpsertElasticServerFirewallRules","startTime":"2023-02-13T07:39:45.673Z"}' + headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DBforPostgreSQL/locations/centraluseuap/azureAsyncOperation/54d19a62-e6a4-4954-9ab6-6fcb310d0ad2?api-version=2017-12-01 + cache-control: + - no-cache + content-length: + - '87' content-type: - application/json; charset=utf-8 date: - - Mon, 05 Sep 2022 11:49:48 GMT + - Mon, 13 Feb 2023 07:39:45 GMT expires: - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DBforPostgreSQL/locations/centraluseuap/operationResults/54d19a62-e6a4-4954-9ab6-6fcb310d0ad2?api-version=2017-12-01 pragma: - no-cache - set-cookie: - - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly + server: + - Microsoft-HTTPAPI/2.0 strict-transport-security: - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding x-content-type-options: - nosniff + x-ms-ratelimit-remaining-subscription-writes: + - '1193' status: - code: 200 - message: OK + code: 202 + message: Accepted - request: - body: '{"properties": {"roleDefinitionId": "/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce", - "principalId": "f41bd262-eb21-47f1-9706-f12132d865e3", "principalType": "ServicePrincipal"}}' + body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - dataprotection backup-instance update-msi-permissions Connection: - keep-alive - Content-Length: - - '270' - Content-Type: - - application/json; charset=utf-8 - Cookie: - - x-ms-gateway-slice=Production ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes + - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance + --keyvault-id --yes User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 - Azure-SDK-For-Python AZURECLI/2.39.0 - accept-language: - - en-US - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/14d078a0-ff7d-4677-aba3-9dc54afca23f?api-version=2020-04-01-preview + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-rdbms/10.2.0b6 Python/3.10.7 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DBforPostgreSQL/locations/centraluseuap/azureAsyncOperation/54d19a62-e6a4-4954-9ab6-6fcb310d0ad2?api-version=2017-12-01 response: body: - string: '{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"f41bd262-eb21-47f1-9706-f12132d865e3","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:49:49.5928772Z","updatedOn":"2022-09-05T11:49:50.0303876Z","createdBy":null,"updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/14d078a0-ff7d-4677-aba3-9dc54afca23f","type":"Microsoft.Authorization/roleAssignments","name":"14d078a0-ff7d-4677-aba3-9dc54afca23f"}' + string: '{"name":"54d19a62-e6a4-4954-9ab6-6fcb310d0ad2","status":"Succeeded","startTime":"2023-02-13T07:39:45.673Z"}' headers: cache-control: - no-cache content-length: - - '873' + - '107' content-type: - application/json; charset=utf-8 date: - - Mon, 05 Sep 2022 11:49:54 GMT + - Mon, 13 Feb 2023 07:40:01 GMT expires: - '-1' pragma: - no-cache - set-cookie: - - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly + server: + - Microsoft-HTTPAPI/2.0 strict-transport-security: - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1199' status: - code: 201 - message: Created + code: 200 + message: OK - request: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: @@ -3830,30 +12943,30 @@ interactions: Connection: - keep-alive ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes + - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance + --keyvault-id --yes User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-rdbms/10.2.0b6 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/firewallRules/AllowAllWindowsAzureIps?api-version=2017-12-01 response: body: - string: '{"location":"centraluseuap","identity":{"type":"SystemAssigned","principalId":"f41bd262-eb21-47f1-9706-f12132d865e3","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"properties":{"provisioningState":"Succeeded","storageSettings":[{"datastoreType":"VaultStore","type":"LocallyRedundant"}],"isVaultProtectedByResourceGuard":false,"monitoringSettings":{"azureMonitorAlertSettings":{"alertsForAllJobFailures":"Disabled"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault","name":"cli-test-new-vault","type":"Microsoft.DataProtection/backupVaults"}' + string: '{"properties":{"startIpAddress":"0.0.0.0","endIpAddress":"0.0.0.0"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/firewallRules/AllowAllWindowsAzureIps","name":"AllowAllWindowsAzureIps","type":"Microsoft.DBforPostgreSQL/servers/firewallRules"}' headers: cache-control: - no-cache content-length: - - '648' + - '348' content-type: - - application/json + - application/json; charset=utf-8 date: - - Mon, 05 Sep 2022 11:50:56 GMT + - Mon, 13 Feb 2023 07:40:01 GMT expires: - '-1' pragma: - no-cache server: - - Microsoft-IIS/10.0 + - Microsoft-HTTPAPI/2.0 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -3862,10 +12975,6 @@ interactions: - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '499' - x-powered-by: - - ASP.NET status: code: 200 message: OK @@ -3877,16 +12986,15 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance update-msi-permissions + - role assignment create Connection: - keep-alive ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes + - --assignee --role --scope User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) AZURECLI/2.39.0 + - python/3.10.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.45.0 (PIP) method: GET - uri: https://graph.microsoft.com/v1.0/servicePrincipals?$filter=servicePrincipalNames%2Fany%28c%3Ac%20eq%20%27f41bd262-eb21-47f1-9706-f12132d865e3%27%29 + uri: https://graph.microsoft.com/v1.0/servicePrincipals?$filter=servicePrincipalNames%2Fany%28c%3Ac%20eq%20%2741753b57-b4fa-4774-80aa-414a3af0f706%27%29 response: body: string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#servicePrincipals","value":[]}' @@ -3898,11 +13006,11 @@ interactions: content-type: - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 date: - - Mon, 05 Sep 2022 11:50:56 GMT + - Mon, 13 Feb 2023 07:41:02 GMT odata-version: - '4.0' request-id: - - cb52e6c1-5dbe-4b72-a4af-b39353e2341d + - a473a16a-3dab-46d1-8cfb-bf14d23f3458 strict-transport-security: - max-age=31536000 transfer-encoding: @@ -3910,14 +13018,14 @@ interactions: vary: - Accept-Encoding x-ms-ags-diagnostic: - - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"000","RoleInstance":"MA1PEPF00002728"}}' + - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"000","RoleInstance":"MA1PEPF00004251"}}' x-ms-resource-unit: - '1' status: code: 200 message: OK - request: - body: '{"ids": ["f41bd262-eb21-47f1-9706-f12132d865e3"], "types": ["user", "group", + body: '{"ids": ["41753b57-b4fa-4774-80aa-414a3af0f706"], "types": ["user", "group", "servicePrincipal", "directoryObjectPartnerReference"]}' headers: Accept: @@ -3925,7 +13033,7 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance update-msi-permissions + - role assignment create Connection: - keep-alive Content-Length: @@ -3933,30 +13041,29 @@ interactions: Content-Type: - application/json ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes + - --assignee --role --scope User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) AZURECLI/2.39.0 + - python/3.10.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.45.0 (PIP) method: POST uri: https://graph.microsoft.com/v1.0/directoryObjects/getByIds response: body: - string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#directoryObjects","value":[{"@odata.type":"#microsoft.graph.servicePrincipal","id":"f41bd262-eb21-47f1-9706-f12132d865e3","deletedDateTime":null,"accountEnabled":true,"alternativeNames":["isExplicit=False","/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg/providers/Microsoft.DataProtection/BackupVaults/cli-test-new-vault"],"appDisplayName":null,"appDescription":null,"appId":"1666ae40-2096-498b-9acd-d5cc76560b85","applicationTemplateId":null,"appOwnerOrganizationId":null,"appRoleAssignmentRequired":false,"createdDateTime":"2022-09-05T11:45:43Z","description":null,"disabledByMicrosoftStatus":null,"displayName":"cli-test-new-vault","homepage":null,"loginUrl":null,"logoutUrl":null,"notes":null,"notificationEmailAddresses":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyThumbprint":null,"replyUrls":[],"servicePrincipalNames":["1666ae40-2096-498b-9acd-d5cc76560b85","https://identity.azure.net/yHvRErNNmOMZ4EezrAqFKc6Ca0cDdhCvjeK23cGv1hE="],"servicePrincipalType":"ManagedIdentity","signInAudience":null,"tags":[],"tokenEncryptionKeyId":null,"info":null,"samlSingleSignOnSettings":null,"addIns":[],"appRoles":[],"keyCredentials":[{"customKeyIdentifier":"2E54114573727C7AB82A79610024368806BB3E76","displayName":"CN=1666ae40-2096-498b-9acd-d5cc76560b85","endDateTime":"2022-12-04T11:40:00Z","key":null,"keyId":"091f0c89-7baf-4d09-9c75-83c18191f1f0","startDateTime":"2022-09-05T11:40:00Z","type":"AsymmetricX509Cert","usage":"Verify"}],"oauth2PermissionScopes":[],"passwordCredentials":[],"resourceSpecificApplicationPermissions":[],"verifiedPublisher":{"displayName":null,"verifiedPublisherId":null,"addedDateTime":null}}]}' + string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#directoryObjects","value":[{"@odata.type":"#microsoft.graph.servicePrincipal","id":"41753b57-b4fa-4774-80aa-414a3af0f706","deletedDateTime":null,"accountEnabled":true,"alternativeNames":["isExplicit=False","/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg/providers/Microsoft.DataProtection/BackupVaults/cli-test-new-vault1"],"appDisplayName":null,"appDescription":null,"appId":"fea0857b-fd83-4708-b252-0c5f0a38d6b0","applicationTemplateId":null,"appOwnerOrganizationId":null,"appRoleAssignmentRequired":false,"createdDateTime":"2023-02-13T07:30:29Z","description":null,"disabledByMicrosoftStatus":null,"displayName":"cli-test-new-vault1","homepage":null,"loginUrl":null,"logoutUrl":null,"notes":null,"notificationEmailAddresses":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyThumbprint":null,"replyUrls":[],"servicePrincipalNames":["fea0857b-fd83-4708-b252-0c5f0a38d6b0","https://identity.azure.net/2czira6fp81UmSQY0i+P6p1ObGIy33lZb5C/K/6SyDY="],"servicePrincipalType":"ManagedIdentity","signInAudience":null,"tags":[],"tokenEncryptionKeyId":null,"info":null,"samlSingleSignOnSettings":null,"addIns":[],"appRoles":[],"keyCredentials":[{"customKeyIdentifier":"81B4BF05CBCD13C46538514E74E2057DB2DD092E","displayName":"CN=fea0857b-fd83-4708-b252-0c5f0a38d6b0","endDateTime":"2023-05-14T07:25:00Z","key":null,"keyId":"3dac063a-25ed-4f07-a638-ed0fc6455a6e","startDateTime":"2023-02-13T07:25:00Z","type":"AsymmetricX509Cert","usage":"Verify"}],"oauth2PermissionScopes":[],"passwordCredentials":[],"resourceSpecificApplicationPermissions":[],"verifiedPublisher":{"displayName":null,"verifiedPublisherId":null,"addedDateTime":null}}]}' headers: cache-control: - no-cache content-length: - - '1730' + - '1732' content-type: - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 date: - - Mon, 05 Sep 2022 11:50:56 GMT + - Mon, 13 Feb 2023 07:41:02 GMT location: - https://graph.microsoft.com odata-version: - '4.0' request-id: - - 2bb9bd4d-1c7d-4647-a1f7-53a9c957a924 + - fc13837d-2091-4e02-ba2b-69a1999878f6 strict-transport-security: - max-age=31536000 transfer-encoding: @@ -3964,7 +13071,7 @@ interactions: vary: - Accept-Encoding x-ms-ags-diagnostic: - - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"000","RoleInstance":"MA1PEPF00002511"}}' + - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"000","RoleInstance":"MA1PEPF00002722"}}' x-ms-resource-unit: - '3' status: @@ -3978,32 +13085,31 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance update-msi-permissions + - role assignment create Connection: - keep-alive ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes + - --assignee --role --scope User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 - Azure-SDK-For-Python AZURECLI/2.39.0 + - python/3.10.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 + azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.45.0 (PIP) accept-language: - en-US method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount/providers/Microsoft.Authorization/roleAssignments?$filter=atScope%28%29&api-version=2020-04-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Disk%20Restore%20Operator%27&api-version=2018-01-01-preview response: body: - string: '{"value":[{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"5c617d2b-99f8-4c90-98fe-dfe040fa33c1","principalType":"ServicePrincipal","scope":"/","condition":null,"conditionVersion":null,"createdOn":"2018-02-27T19:19:50.2663941Z","updatedOn":"2018-02-27T19:19:50.2663941Z","createdBy":null,"updatedBy":null,"delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Authorization/roleAssignments/3e883d24-b106-42ff-ad13-d7bf271b964d","type":"Microsoft.Authorization/roleAssignments","name":"3e883d24-b106-42ff-ad13-d7bf271b964d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"1d8b8d73-0cc6-4db8-b112-724b4a932253","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-26T12:22:13.7498923Z","updatedOn":"2019-08-26T12:22:13.7498923Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8c3a4de9-1ebd-47ce-9dd9-bebf87a4e28f","type":"Microsoft.Authorization/roleAssignments","name":"8c3a4de9-1ebd-47ce-9dd9-bebf87a4e28f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"1e845bc3-37db-4639-be09-d0cf1e448221","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-05-24T11:02:27.8515917Z","updatedOn":"2019-05-24T11:02:27.8515917Z","createdBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","updatedBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b5eee4d7-5f9f-4f63-8040-8aec158c289b","type":"Microsoft.Authorization/roleAssignments","name":"b5eee4d7-5f9f-4f63-8040-8aec158c289b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"235b2664-75e2-4741-bb6f-37e49babf6cd","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-02-12T11:34:59.7104212Z","updatedOn":"2020-02-12T11:34:59.7104212Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/f0618702-8404-4858-9a26-e61f23e7d44f","type":"Microsoft.Authorization/roleAssignments","name":"f0618702-8404-4858-9a26-e61f23e7d44f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8bb5b214-1182-465c-892f-ca7235abe1e7","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-11-14T08:52:42.2795010Z","updatedOn":"2019-11-14T08:52:42.2795010Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/77daac38-9839-4b00-921b-e5d5a03e728c","type":"Microsoft.Authorization/roleAssignments","name":"77daac38-9839-4b00-921b-e5d5a03e728c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"9693df58-7f72-4974-9bd3-1c3ceb0382f1","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-11-29T09:40:04.3180033Z","updatedOn":"2018-11-29T09:40:04.3180033Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ed3bf874-9c97-43f9-a5e9-b4ee6f8982f7","type":"Microsoft.Authorization/roleAssignments","name":"ed3bf874-9c97-43f9-a5e9-b4ee6f8982f7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"d1f96755-9bcf-44b8-ab82-df67360496c4","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-05-08T10:28:08.2854940Z","updatedOn":"2020-05-08T10:28:08.2854940Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/dfb3ca56-a0d4-44ce-ba35-b716c3fdab86","type":"Microsoft.Authorization/roleAssignments","name":"dfb3ca56-a0d4-44ce-ba35-b716c3fdab86"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-12-31T09:26:43.6440415Z","updatedOn":"2018-12-31T09:26:43.6440415Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/45744ea8-780f-4f3e-88aa-b73d7f6997b2","type":"Microsoft.Authorization/roleAssignments","name":"45744ea8-780f-4f3e-88aa-b73d7f6997b2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e65078fb-6b02-434a-9f11-d06bf9bc0600","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-10-25T23:42:36.3444507Z","updatedOn":"2018-10-25T23:42:36.3444507Z","createdBy":"66cb55a5-e2a8-44ef-ae4b-5ab8fa2ec8d9","updatedBy":"66cb55a5-e2a8-44ef-ae4b-5ab8fa2ec8d9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e7ce51e8-4109-41d7-bc10-538b089599db","type":"Microsoft.Authorization/roleAssignments","name":"e7ce51e8-4109-41d7-bc10-538b089599db"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"a7782e0f-1f9a-4882-b2c9-11227aad244e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-06-16T04:32:50.9673703Z","updatedOn":"2020-06-16T04:32:50.9673703Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9fa21f2f-81c3-47b6-b706-650b359b96c3","type":"Microsoft.Authorization/roleAssignments","name":"9fa21f2f-81c3-47b6-b706-650b359b96c3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"00b14177-f4d2-4a4b-94f6-6e80f75745c9","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-03-12T09:49:11.3750683Z","updatedOn":"2020-03-12T09:49:11.3750683Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fff0abf3-3cf7-46be-8bc7-1d1619a160fb","type":"Microsoft.Authorization/roleAssignments","name":"fff0abf3-3cf7-46be-8bc7-1d1619a160fb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"1d8b8d73-0cc6-4db8-b112-724b4a932253","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-26T10:28:45.4880023Z","updatedOn":"2019-08-26T10:28:45.4880023Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/397a3c9c-c258-4d4e-834d-00cc08227796","type":"Microsoft.Authorization/roleAssignments","name":"397a3c9c-c258-4d4e-834d-00cc08227796"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"235b2664-75e2-4741-bb6f-37e49babf6cd","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-12-05T04:29:28.7359096Z","updatedOn":"2018-12-05T04:29:28.7359096Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3c830f42-5f89-4d8b-8f93-d3dc936f33bd","type":"Microsoft.Authorization/roleAssignments","name":"3c830f42-5f89-4d8b-8f93-d3dc936f33bd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-04-08T08:38:50.1742930Z","updatedOn":"2020-04-08T08:38:50.1742930Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/5293a96b-830e-45f4-9e9e-22d7d020f0d8","type":"Microsoft.Authorization/roleAssignments","name":"5293a96b-830e-45f4-9e9e-22d7d020f0d8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3421d717-ca60-44e7-a9a1-773acec4e503","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-10-23T09:40:14.7658272Z","updatedOn":"2019-10-23T09:40:14.7658272Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/34b29558-faf9-43f0-a194-35ca0aa99fc5","type":"Microsoft.Authorization/roleAssignments","name":"34b29558-faf9-43f0-a194-35ca0aa99fc5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3dc88d41-4d03-4105-970d-937e56de3839","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-06-27T12:59:44.6557891Z","updatedOn":"2019-06-27T12:59:44.6557891Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e57ab8d1-ce9a-4925-b09f-2567492d9b22","type":"Microsoft.Authorization/roleAssignments","name":"e57ab8d1-ce9a-4925-b09f-2567492d9b22"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"62c799b8-9b54-4c3d-97c9-9490d16a6a9a","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-08T13:01:20.9953919Z","updatedOn":"2019-08-08T13:01:20.9953919Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e1b91810-0781-462d-9517-764e4a033822","type":"Microsoft.Authorization/roleAssignments","name":"e1b91810-0781-462d-9517-764e4a033822"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8bb5b214-1182-465c-892f-ca7235abe1e7","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-10-23T08:03:15.6803676Z","updatedOn":"2019-10-23T08:03:15.6803676Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/facbac06-ddab-437d-949a-207593fddfff","type":"Microsoft.Authorization/roleAssignments","name":"facbac06-ddab-437d-949a-207593fddfff"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"978b254a-54be-42af-80f5-e2a37b2e40e5","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-07-08T06:57:57.0377373Z","updatedOn":"2019-07-08T06:57:57.0377373Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/89be5b0a-dfa8-4bdf-b667-c6f63f7f3f0e","type":"Microsoft.Authorization/roleAssignments","name":"89be5b0a-dfa8-4bdf-b667-c6f63f7f3f0e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"9c973a07-b207-473c-9687-bd693ba8e460","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-04-17T09:14:08.7913669Z","updatedOn":"2020-04-17T09:14:08.7913669Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/950c635a-23a5-4a0e-8eb6-c53e929c9699","type":"Microsoft.Authorization/roleAssignments","name":"950c635a-23a5-4a0e-8eb6-c53e929c9699"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a4eae46b-a9d0-4586-8ac9-ba91b29f1d57","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-02-01T10:05:44.6784242Z","updatedOn":"2022-02-01T10:05:44.6784242Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8af2fb3a-292c-42a8-a870-1751c4ec4870","type":"Microsoft.Authorization/roleAssignments","name":"8af2fb3a-292c-42a8-a870-1751c4ec4870"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"662a0ec2-cfbc-45f9-ae31-2cc53070e765","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T12:46:49.6216206Z","updatedOn":"2022-04-12T12:46:49.6216206Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/85cc2dff-c5d4-42a3-acb6-255cd4208ef4","type":"Microsoft.Authorization/roleAssignments","name":"85cc2dff-c5d4-42a3-acb6-255cd4208ef4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"662a0ec2-cfbc-45f9-ae31-2cc53070e765","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T12:46:57.1459341Z","updatedOn":"2022-04-12T12:46:57.1459341Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/aba8e90d-d951-4cb5-a346-b71e478f4d1b","type":"Microsoft.Authorization/roleAssignments","name":"aba8e90d-d951-4cb5-a346-b71e478f4d1b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"30bc1f3b-ca1a-4c55-96ff-4c026f12eaa1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T13:09:28.3678603Z","updatedOn":"2022-04-12T13:09:28.3678603Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/79d87d90-f984-4f53-a169-2eca51c00104","type":"Microsoft.Authorization/roleAssignments","name":"79d87d90-f984-4f53-a169-2eca51c00104"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"30bc1f3b-ca1a-4c55-96ff-4c026f12eaa1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T13:09:33.3916295Z","updatedOn":"2022-04-12T13:09:33.3916295Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/5e185742-c91a-4efe-b0d8-db9524685ec5","type":"Microsoft.Authorization/roleAssignments","name":"5e185742-c91a-4efe-b0d8-db9524685ec5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3c582fc7-e68a-4991-a2f6-3d8a7a1f23c1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:01:02.2689248Z","updatedOn":"2022-04-13T07:01:02.2689248Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/c9b4f9ab-d687-4a65-910a-5bcb2f974bfe","type":"Microsoft.Authorization/roleAssignments","name":"c9b4f9ab-d687-4a65-910a-5bcb2f974bfe"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"3c582fc7-e68a-4991-a2f6-3d8a7a1f23c1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:01:09.3571703Z","updatedOn":"2022-04-13T07:01:09.3571703Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/8bedf13c-aa1a-4191-aa97-573f14fd97ee","type":"Microsoft.Authorization/roleAssignments","name":"8bedf13c-aa1a-4191-aa97-573f14fd97ee"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"a31004b5-ce06-49e1-8706-e8c7afe68695","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:43:04.6456354Z","updatedOn":"2022-04-13T07:43:04.6456354Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/bd0fc30a-6ccf-4c22-a26b-0e31aba16035","type":"Microsoft.Authorization/roleAssignments","name":"bd0fc30a-6ccf-4c22-a26b-0e31aba16035"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"a31004b5-ce06-49e1-8706-e8c7afe68695","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:43:10.1186881Z","updatedOn":"2022-04-13T07:43:10.1186881Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/dadaa3cd-f442-4d5c-aed3-7cbab2fba3e0","type":"Microsoft.Authorization/roleAssignments","name":"dadaa3cd-f442-4d5c-aed3-7cbab2fba3e0"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"6f6a803e-4dc5-488a-8566-a4f0a984975e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T08:58:57.7706882Z","updatedOn":"2022-04-13T08:58:57.7706882Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9e3d10bf-9bfa-4a97-9ab1-b972a348abd0","type":"Microsoft.Authorization/roleAssignments","name":"9e3d10bf-9bfa-4a97-9ab1-b972a348abd0"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"6f6a803e-4dc5-488a-8566-a4f0a984975e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T08:59:03.2414961Z","updatedOn":"2022-04-13T08:59:03.2414961Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/66eefd94-4bda-46df-9c61-7e92f83d91e7","type":"Microsoft.Authorization/roleAssignments","name":"66eefd94-4bda-46df-9c61-7e92f83d91e7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"829da4fd-a5f4-4ca7-bc3d-0679d104c5f0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T10:17:35.8887781Z","updatedOn":"2022-04-13T10:17:35.8887781Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/77f4f7a3-a377-49f7-a094-945b82b2bfff","type":"Microsoft.Authorization/roleAssignments","name":"77f4f7a3-a377-49f7-a094-945b82b2bfff"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"829da4fd-a5f4-4ca7-bc3d-0679d104c5f0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T10:17:41.2233089Z","updatedOn":"2022-04-13T10:17:41.2233089Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/1a71aac6-e9ce-40ff-a39f-7594df2ea6e9","type":"Microsoft.Authorization/roleAssignments","name":"1a71aac6-e9ce-40ff-a39f-7594df2ea6e9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3f74f5b7-f4f6-4b65-a45d-f1c60467e115","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-21T06:57:19.4532093Z","updatedOn":"2022-04-21T06:57:19.4532093Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/eede4548-9f71-44b7-8077-c49aa44894b4","type":"Microsoft.Authorization/roleAssignments","name":"eede4548-9f71-44b7-8077-c49aa44894b4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"3f74f5b7-f4f6-4b65-a45d-f1c60467e115","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-21T06:57:24.3439247Z","updatedOn":"2022-04-21T06:57:24.3439247Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/c011acd2-8b5d-45d6-b6c1-4ffe1867ce31","type":"Microsoft.Authorization/roleAssignments","name":"c011acd2-8b5d-45d6-b6c1-4ffe1867ce31"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"85c33f6f-5d69-4b0e-bc06-95a7d3193519","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-05-04T09:52:52.7340040Z","updatedOn":"2022-05-04T09:52:52.7340040Z","createdBy":"447bbed8-9839-4d6e-9e39-fb9aeee1ec1d","updatedBy":"447bbed8-9839-4d6e-9e39-fb9aeee1ec1d","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/6a4f635c-309c-4a1d-8eea-86fb5aa91d80","type":"Microsoft.Authorization/roleAssignments","name":"6a4f635c-309c-4a1d-8eea-86fb5aa91d80"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"e6234342-a3d7-4b04-9041-3e8526f5861a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-05-12T06:55:02.9137483Z","updatedOn":"2022-05-12T06:55:02.9137483Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a5bd1b6d-0084-40ec-9126-2250536b4778","type":"Microsoft.Authorization/roleAssignments","name":"a5bd1b6d-0084-40ec-9126-2250536b4778"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"0b2dcd24-9585-4bb4-a7c3-83e0e3bd0dc7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-05-24T11:54:25.7258076Z","updatedOn":"2022-05-24T11:54:25.7258076Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9a7dc348-d24e-438b-84b0-c7cda5bf92c4","type":"Microsoft.Authorization/roleAssignments","name":"9a7dc348-d24e-438b-84b0-c7cda5bf92c4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"0b2dcd24-9585-4bb4-a7c3-83e0e3bd0dc7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-05-24T11:54:29.8931759Z","updatedOn":"2022-05-24T11:54:29.8931759Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/aeb54d04-84b8-4530-bd7e-fe01dafd82ab","type":"Microsoft.Authorization/roleAssignments","name":"aeb54d04-84b8-4530-bd7e-fe01dafd82ab"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"f2cee52e-3d75-4f49-acc4-b5aaf72232ee","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T11:01:05.6238088Z","updatedOn":"2022-06-03T11:01:05.6238088Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2bd63fbe-e197-434f-ba1e-016bad298ff7","type":"Microsoft.Authorization/roleAssignments","name":"2bd63fbe-e197-434f-ba1e-016bad298ff7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"8be185b2-5cbf-45c1-b9af-cbbd9b59144d","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T13:20:41.1511200Z","updatedOn":"2022-06-03T13:22:39.1076287Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/f12c7867-43e5-5530-98e9-9d8a2f39fb92","type":"Microsoft.Authorization/roleAssignments","name":"f12c7867-43e5-5530-98e9-9d8a2f39fb92"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"8be185b2-5cbf-45c1-b9af-cbbd9b59144d","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T13:37:09.9515887Z","updatedOn":"2022-06-03T14:40:22.4040874Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/bace23ac-6978-5318-a146-d49599599b02","type":"Microsoft.Authorization/roleAssignments","name":"bace23ac-6978-5318-a146-d49599599b02"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"e6234342-a3d7-4b04-9041-3e8526f5861a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-06T11:22:08.5127363Z","updatedOn":"2022-06-06T11:22:08.5127363Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/df253c65-35fc-4ff6-9a32-39b3fe20a6e3","type":"Microsoft.Authorization/roleAssignments","name":"df253c65-35fc-4ff6-9a32-39b3fe20a6e3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"5f137a67-1b88-4f98-aa20-b71a7082dc56","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-10T14:11:57.5623976Z","updatedOn":"2022-06-10T14:11:57.5623976Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e409f573-8bda-4b7e-854a-61c445d36c6f","type":"Microsoft.Authorization/roleAssignments","name":"e409f573-8bda-4b7e-854a-61c445d36c6f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"961a41dc-cbb6-4777-9b6c-a6d4d1ea4faa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:02:09.6478601Z","updatedOn":"2022-06-21T12:02:09.6478601Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/efc8d400-cd5e-41d3-99e6-65878c1f888c","type":"Microsoft.Authorization/roleAssignments","name":"efc8d400-cd5e-41d3-99e6-65878c1f888c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"961a41dc-cbb6-4777-9b6c-a6d4d1ea4faa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:02:31.1213523Z","updatedOn":"2022-06-21T12:02:31.1213523Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/1ad6de95-d660-4f0a-84cf-1b297eafe5f6","type":"Microsoft.Authorization/roleAssignments","name":"1ad6de95-d660-4f0a-84cf-1b297eafe5f6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"1831aada-7907-4673-a5e2-b11217764c9e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:22:14.2181104Z","updatedOn":"2022-06-21T12:22:14.2181104Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/c5856647-b5ff-4264-a966-049b6a58a42f","type":"Microsoft.Authorization/roleAssignments","name":"c5856647-b5ff-4264-a966-049b6a58a42f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"1831aada-7907-4673-a5e2-b11217764c9e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:22:40.2874069Z","updatedOn":"2022-06-21T12:22:40.2874069Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/a3560e50-7085-48f4-85a1-97487179cc5d","type":"Microsoft.Authorization/roleAssignments","name":"a3560e50-7085-48f4-85a1-97487179cc5d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-22T11:28:57.2073063Z","updatedOn":"2022-06-22T11:28:57.2073063Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c5b3bcf3-fd4c-4b57-9f73-f075ce7afccb","type":"Microsoft.Authorization/roleAssignments","name":"c5b3bcf3-fd4c-4b57-9f73-f075ce7afccb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-23T09:19:22.2256200Z","updatedOn":"2022-06-23T09:19:22.2256200Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/344b17ae-cabf-4a33-9a9d-ba30fefcbadc","type":"Microsoft.Authorization/roleAssignments","name":"344b17ae-cabf-4a33-9a9d-ba30fefcbadc"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"2b81557b-8e7a-4df8-9a41-e59844f627c2","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-23T09:25:03.9969293Z","updatedOn":"2022-06-23T09:25:03.9969293Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/13a7f7c7-7364-4f9b-ba92-5430f17b29b5","type":"Microsoft.Authorization/roleAssignments","name":"13a7f7c7-7364-4f9b-ba92-5430f17b29b5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-24T07:04:04.5965087Z","updatedOn":"2022-06-24T07:04:04.5965087Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ba604c54-80e1-490e-a123-9ef9d477536b","type":"Microsoft.Authorization/roleAssignments","name":"ba604c54-80e1-490e-a123-9ef9d477536b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-25T04:10:10.7065168Z","updatedOn":"2022-06-25T04:10:10.7065168Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/916a749f-b61f-4ba4-8c28-46217c3a7b4e","type":"Microsoft.Authorization/roleAssignments","name":"916a749f-b61f-4ba4-8c28-46217c3a7b4e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T07:37:58.3152810Z","updatedOn":"2022-06-27T07:37:58.3152810Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/0a1046d6-ba58-491f-b473-403ec29cd2be","type":"Microsoft.Authorization/roleAssignments","name":"0a1046d6-ba58-491f-b473-403ec29cd2be"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:21:12.2347431Z","updatedOn":"2022-06-27T08:21:12.2347431Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/abc6fbbe-d4a8-4315-9532-82e90334dcc9","type":"Microsoft.Authorization/roleAssignments","name":"abc6fbbe-d4a8-4315-9532-82e90334dcc9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"381295fa-e67d-4943-a2eb-90ffcf09577b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:43:17.8582970Z","updatedOn":"2022-06-27T08:43:17.8582970Z","createdBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","updatedBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b8f0bb0e-1495-48f0-aa68-33c364310cfb","type":"Microsoft.Authorization/roleAssignments","name":"b8f0bb0e-1495-48f0-aa68-33c364310cfb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"381295fa-e67d-4943-a2eb-90ffcf09577b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:43:18.7801612Z","updatedOn":"2022-06-27T08:43:18.7801612Z","createdBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","updatedBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b8eb5d9d-85e3-4ba8-9458-fdd2c48ba8e1","type":"Microsoft.Authorization/roleAssignments","name":"b8eb5d9d-85e3-4ba8-9458-fdd2c48ba8e1"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"3de34697-a180-45dc-aff8-c16061f1143b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-01T08:15:11.7388086Z","updatedOn":"2022-07-01T08:15:11.7388086Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/86db086e-0442-5eef-8ebc-1d8d28a4d03a","type":"Microsoft.Authorization/roleAssignments","name":"86db086e-0442-5eef-8ebc-1d8d28a4d03a"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3de34697-a180-45dc-aff8-c16061f1143b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-01T08:15:12.7940996Z","updatedOn":"2022-07-01T08:15:12.7940996Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/cbcefba6-df6c-5670-9e02-9e09f7964d9c","type":"Microsoft.Authorization/roleAssignments","name":"cbcefba6-df6c-5670-9e02-9e09f7964d9c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"fe7b070d-f778-4cfd-8acf-eda94f397a89","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-29T07:15:07.9544255Z","updatedOn":"2022-07-29T07:15:07.9544255Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/efb13d06-875d-40e3-81d5-195824e19188","type":"Microsoft.Authorization/roleAssignments","name":"efb13d06-875d-40e3-81d5-195824e19188"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"aa7a0e3a-c2c6-41e2-9838-2ae541c08a88","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-01T10:57:25.8183048Z","updatedOn":"2022-08-01T10:57:25.8183048Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/e179ab30-f6f9-44c6-9806-801d4240a604","type":"Microsoft.Authorization/roleAssignments","name":"e179ab30-f6f9-44c6-9806-801d4240a604"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"da112a02-e7cf-4b53-93a0-96958f47f77f","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-01T12:19:56.7716607Z","updatedOn":"2022-08-01T12:19:56.7716607Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/859af8cf-cf8d-4a41-b5cb-b492bbebfa96","type":"Microsoft.Authorization/roleAssignments","name":"859af8cf-cf8d-4a41-b5cb-b492bbebfa96"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"d9334401-f342-4fc7-88c4-6fb936fb3a6f","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-02T06:53:24.5190593Z","updatedOn":"2022-08-02T06:53:24.5190593Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/babd18e7-662a-4f61-b03b-d2790ad8ad2b","type":"Microsoft.Authorization/roleAssignments","name":"babd18e7-662a-4f61-b03b-d2790ad8ad2b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"d9334401-f342-4fc7-88c4-6fb936fb3a6f","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-02T06:56:06.5673047Z","updatedOn":"2022-08-02T06:56:06.5673047Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9b61e48d-b011-4da0-8daa-a65f34af5a33","type":"Microsoft.Authorization/roleAssignments","name":"9b61e48d-b011-4da0-8daa-a65f34af5a33"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f8520195-1c62-47ff-8c01-e394155b52f1","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-10T11:13:36.6792855Z","updatedOn":"2022-08-10T11:13:36.6792855Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3c9150af-abd1-4d00-9c16-acb375857df6","type":"Microsoft.Authorization/roleAssignments","name":"3c9150af-abd1-4d00-9c16-acb375857df6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f4bfeb83-a4cc-43e8-bee0-9808b5d0918d","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-24T05:51:56.3337713Z","updatedOn":"2022-08-24T05:51:56.3337713Z","createdBy":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","updatedBy":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3caa2a04-62bf-4a33-80f5-056840e59fb4","type":"Microsoft.Authorization/roleAssignments","name":"3caa2a04-62bf-4a33-80f5-056840e59fb4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"608ca1e9-e854-46c6-984f-d812d0e657e6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-30T13:32:28.1332524Z","updatedOn":"2022-08-30T13:32:28.1332524Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2719b245-3aeb-4cc0-92bc-6f63eea0dcbf","type":"Microsoft.Authorization/roleAssignments","name":"2719b245-3aeb-4cc0-92bc-6f63eea0dcbf"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"76710889-6dec-4b99-a529-cfd36fcb16ec","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:30:49.7733486Z","updatedOn":"2022-09-05T11:30:49.7733486Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/bbc4ec43-5e44-4b5d-8de0-cdf89486bb41","type":"Microsoft.Authorization/roleAssignments","name":"bbc4ec43-5e44-4b5d-8de0-cdf89486bb41"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"76710889-6dec-4b99-a529-cfd36fcb16ec","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:33:36.9049436Z","updatedOn":"2022-09-05T11:33:36.9049436Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/3f21962f-d606-4223-b80f-43344d5dc933","type":"Microsoft.Authorization/roleAssignments","name":"3f21962f-d606-4223-b80f-43344d5dc933"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"f41bd262-eb21-47f1-9706-f12132d865e3","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:49:52.6105159Z","updatedOn":"2022-09-05T11:49:52.6105159Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/14d078a0-ff7d-4677-aba3-9dc54afca23f","type":"Microsoft.Authorization/roleAssignments","name":"14d078a0-ff7d-4677-aba3-9dc54afca23f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a51d0ef9-9895-4b63-b3f8-354bb7d1a6bb","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-05-21T08:47:39.8177538Z","updatedOn":"2021-05-21T08:47:39.8177538Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/17db6abb-bc45-4967-b313-e470ec9cbbd7","type":"Microsoft.Authorization/roleAssignments","name":"17db6abb-bc45-4967-b313-e470ec9cbbd7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"7c567124-5292-4819-aa73-0224bf1c42e1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-05-23T13:38:54.7542852Z","updatedOn":"2021-05-23T13:38:54.7542852Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/0809d692-f58f-43f2-b597-7f115957407e","type":"Microsoft.Authorization/roleAssignments","name":"0809d692-f58f-43f2-b597-7f115957407e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"955c9d1b-0cb6-4ff6-91c9-f4aadf67ffe8","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-05-24T16:45:08.3835615Z","updatedOn":"2021-05-24T16:45:08.3835615Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/1b1ac6ab-19e7-4c4f-91d2-5be73096da2c","type":"Microsoft.Authorization/roleAssignments","name":"1b1ac6ab-19e7-4c4f-91d2-5be73096da2c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"7221c906-782c-44a0-ab2f-f23d8a95ce25","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-05-24T16:56:16.2751421Z","updatedOn":"2021-05-24T16:56:16.2751421Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/ca8f2433-76dc-49fa-828d-9cd2861ec25c","type":"Microsoft.Authorization/roleAssignments","name":"ca8f2433-76dc-49fa-828d-9cd2861ec25c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"e1a3bbaa-4ffb-41a6-a154-b4870d9e86b4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T06:40:53.5542743Z","updatedOn":"2021-06-04T06:40:53.5542743Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9d9ac2a8-dbac-41bb-9f17-c473f02c6370","type":"Microsoft.Authorization/roleAssignments","name":"9d9ac2a8-dbac-41bb-9f17-c473f02c6370"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"e1a3bbaa-4ffb-41a6-a154-b4870d9e86b4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T06:40:57.1326805Z","updatedOn":"2021-06-04T06:40:57.1326805Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/14b1338c-95f6-44f9-ad22-395f8ebbb1fe","type":"Microsoft.Authorization/roleAssignments","name":"14b1338c-95f6-44f9-ad22-395f8ebbb1fe"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"1da90707-df56-4d40-a805-2e646c9d95ab","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:02:18.2829699Z","updatedOn":"2021-06-04T07:02:18.2829699Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/bf5f4821-9baa-4dc6-9bd5-8c62f31c1a93","type":"Microsoft.Authorization/roleAssignments","name":"bf5f4821-9baa-4dc6-9bd5-8c62f31c1a93"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"1da90707-df56-4d40-a805-2e646c9d95ab","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:02:22.4343547Z","updatedOn":"2021-06-04T07:02:22.4343547Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/26bab283-0772-4c03-8dc1-a50c8ffa597d","type":"Microsoft.Authorization/roleAssignments","name":"26bab283-0772-4c03-8dc1-a50c8ffa597d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"ab6b1184-ff37-4d3e-b460-fbe654f7ad5c","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:19:08.8293677Z","updatedOn":"2021-06-04T07:19:08.8293677Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/d972f611-a4bd-4b80-9e78-980984602450","type":"Microsoft.Authorization/roleAssignments","name":"d972f611-a4bd-4b80-9e78-980984602450"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"ab6b1184-ff37-4d3e-b460-fbe654f7ad5c","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:19:12.8400651Z","updatedOn":"2021-06-04T07:19:12.8400651Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/b9393755-f5ca-41ef-a631-fb62184c57a8","type":"Microsoft.Authorization/roleAssignments","name":"b9393755-f5ca-41ef-a631-fb62184c57a8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3ffa4e46-39a3-4002-9292-e2adf0d1a8c6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T09:14:15.2633798Z","updatedOn":"2021-06-04T09:14:15.2633798Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/094981c0-d59c-4f5b-9581-72c08da65454","type":"Microsoft.Authorization/roleAssignments","name":"094981c0-d59c-4f5b-9581-72c08da65454"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"3ffa4e46-39a3-4002-9292-e2adf0d1a8c6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T09:14:19.9554484Z","updatedOn":"2021-06-04T09:14:19.9554484Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/0cac59e0-0464-4bf6-9bef-f1fadc2b08f4","type":"Microsoft.Authorization/roleAssignments","name":"0cac59e0-0464-4bf6-9bef-f1fadc2b08f4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"93e2b483-3ffa-44f8-9965-fdb104b541a2","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-06-29T05:43:19.7216795Z","updatedOn":"2021-06-29T05:43:19.7216795Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c6aff8c2-08b1-5b1a-9c80-d91164226985","type":"Microsoft.Authorization/roleAssignments","name":"c6aff8c2-08b1-5b1a-9c80-d91164226985"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"4f285ac8-5610-4d2f-854c-bfa3d16a2679","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-11T06:55:02.4909144Z","updatedOn":"2021-07-11T06:55:02.4909144Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/0cec2ad2-d080-4126-a99f-f61c559b799c","type":"Microsoft.Authorization/roleAssignments","name":"0cec2ad2-d080-4126-a99f-f61c559b799c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"630db480-3ee6-47ec-ae72-5f917d466bad","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:16:28.8833400Z","updatedOn":"2021-07-13T10:16:28.8833400Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/37fe4b2d-0aca-4c27-8511-1e0d18063ec8","type":"Microsoft.Authorization/roleAssignments","name":"37fe4b2d-0aca-4c27-8511-1e0d18063ec8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"279982e7-46cf-4e40-9a3b-156c98285cb7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:18:48.5647062Z","updatedOn":"2021-07-13T10:18:48.5647062Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/7907f38d-57a7-431d-82d7-5dfa2ef0a628","type":"Microsoft.Authorization/roleAssignments","name":"7907f38d-57a7-431d-82d7-5dfa2ef0a628"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"790004d0-0112-41ad-92e8-95c464c34476","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:18:48.6068337Z","updatedOn":"2021-07-13T10:18:48.6068337Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8c9bda26-83c4-4d4c-b00b-c4b58301e539","type":"Microsoft.Authorization/roleAssignments","name":"8c9bda26-83c4-4d4c-b00b-c4b58301e539"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-21T06:38:43.9281998Z","updatedOn":"2021-07-21T06:38:43.9281998Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b553fa81-60dd-45d6-9781-8c2313d68b03","type":"Microsoft.Authorization/roleAssignments","name":"b553fa81-60dd-45d6-9781-8c2313d68b03"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:20.4258578Z","updatedOn":"2021-07-27T04:31:20.4258578Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/4b2f7b08-f9ef-4fc1-b9c4-2bb34fdef258","type":"Microsoft.Authorization/roleAssignments","name":"4b2f7b08-f9ef-4fc1-b9c4-2bb34fdef258"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:32.4566300Z","updatedOn":"2021-07-27T04:31:32.4566300Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8176bf09-8e96-448a-ab12-eeed360ecce2","type":"Microsoft.Authorization/roleAssignments","name":"8176bf09-8e96-448a-ab12-eeed360ecce2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:48.4577322Z","updatedOn":"2021-07-27T04:31:48.4577322Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/45949217-58cc-4c18-93f3-f4c90710ae2d","type":"Microsoft.Authorization/roleAssignments","name":"45949217-58cc-4c18-93f3-f4c90710ae2d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:20.8138038Z","updatedOn":"2021-07-27T10:13:20.8138038Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2382b52f-1ec5-430e-ae2a-74f9ed331ced","type":"Microsoft.Authorization/roleAssignments","name":"2382b52f-1ec5-430e-ae2a-74f9ed331ced"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:23.6551958Z","updatedOn":"2021-07-27T10:13:23.6551958Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e5863947-0b21-41b7-9997-c0dfc73eec29","type":"Microsoft.Authorization/roleAssignments","name":"e5863947-0b21-41b7-9997-c0dfc73eec29"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:29.6985440Z","updatedOn":"2021-07-27T10:13:29.6985440Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/28c1cefa-942f-44c5-a4d4-c33bb92abd45","type":"Microsoft.Authorization/roleAssignments","name":"28c1cefa-942f-44c5-a4d4-c33bb92abd45"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8039a424-299a-4014-8b22-4f6d6cc60065","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-11T07:08:31.9935560Z","updatedOn":"2021-08-11T07:08:31.9935560Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/69e0bcfc-b024-4d8b-a3d5-dac447f8986c","type":"Microsoft.Authorization/roleAssignments","name":"69e0bcfc-b024-4d8b-a3d5-dac447f8986c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"8f0340b8-4b70-412b-be19-c4612d49e353","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-20T11:58:29.6857641Z","updatedOn":"2021-08-20T11:58:29.6857641Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fd88236f-eacb-5303-912f-ba1741cf02bd","type":"Microsoft.Authorization/roleAssignments","name":"fd88236f-eacb-5303-912f-ba1741cf02bd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"0d8f6e68-d6c5-4a67-b6c4-3107609bbdbc","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-20T12:31:58.7980661Z","updatedOn":"2021-08-20T12:31:58.7980661Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/146f4a11-8712-583d-89eb-a7b8b82dbaa9","type":"Microsoft.Authorization/roleAssignments","name":"146f4a11-8712-583d-89eb-a7b8b82dbaa9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"e2072d83-2379-4f36-ab51-b5df7460c61e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-21T14:40:08.5987892Z","updatedOn":"2021-08-21T14:40:10.5055205Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/842af679-0b58-5eb5-b94c-ff59e4105d7e","type":"Microsoft.Authorization/roleAssignments","name":"842af679-0b58-5eb5-b94c-ff59e4105d7e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"0242778c-29df-4863-ac18-2fb8fd004135","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-08-30T06:31:52.6766200Z","updatedOn":"2021-08-30T06:31:52.6766200Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/f67c65e2-e609-4ffe-b504-294b00cbd2fd","type":"Microsoft.Authorization/roleAssignments","name":"f67c65e2-e609-4ffe-b504-294b00cbd2fd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"0242778c-29df-4863-ac18-2fb8fd004135","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-08-30T06:31:57.1552781Z","updatedOn":"2021-08-30T06:31:57.1552781Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/aaeab926-d6e2-4bb6-9e9e-0607e75cc75f","type":"Microsoft.Authorization/roleAssignments","name":"aaeab926-d6e2-4bb6-9e9e-0607e75cc75f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"2ab5fb95-b72e-4d12-948b-4223754d8ffa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-09-08T08:24:19.3547440Z","updatedOn":"2021-09-08T08:24:19.3547440Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/43ee13b8-5abd-51e0-88e3-ae84049da70e","type":"Microsoft.Authorization/roleAssignments","name":"43ee13b8-5abd-51e0-88e3-ae84049da70e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-17T09:41:38.5634940Z","updatedOn":"2021-09-17T09:41:38.5634940Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":"for - temp testing purpose"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/98fe0117-1e9c-4e37-b8a7-c4a1031d6916","type":"Microsoft.Authorization/roleAssignments","name":"98fe0117-1e9c-4e37-b8a7-c4a1031d6916"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"9c973a07-b207-473c-9687-bd693ba8e460","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-25T15:23:32.6168771Z","updatedOn":"2021-09-25T15:23:32.6168771Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/d852f084-bc9f-4258-9e2c-fcf48b9eaf85","type":"Microsoft.Authorization/roleAssignments","name":"d852f084-bc9f-4258-9e2c-fcf48b9eaf85"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"2778738c-452b-45ca-b8d6-f085836a1458","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-30T07:51:25.2399474Z","updatedOn":"2021-09-30T07:51:25.2399474Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b04a3bdf-b6a6-5ffb-9394-ee5743741597","type":"Microsoft.Authorization/roleAssignments","name":"b04a3bdf-b6a6-5ffb-9394-ee5743741597"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"0ac1f52a-325b-486a-a095-f46ffdd6a9e4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-10-26T01:59:18.6998395Z","updatedOn":"2021-10-26T01:59:18.6998395Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/53a3b238-b4b0-4d3f-b416-8d6dc8d755f6","type":"Microsoft.Authorization/roleAssignments","name":"53a3b238-b4b0-4d3f-b416-8d6dc8d755f6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"c3c0d020-16f0-44d8-9950-0250120a33ff","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-02T06:11:03.5575284Z","updatedOn":"2021-11-02T06:11:03.5575284Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/1d017732-f67e-5aa1-a4a6-47570078d9f3","type":"Microsoft.Authorization/roleAssignments","name":"1d017732-f67e-5aa1-a4a6-47570078d9f3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-10T08:59:19.7285159Z","updatedOn":"2021-11-10T08:59:19.7285159Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a60357fa-dc0a-4479-a2a9-4329c2d0ae89","type":"Microsoft.Authorization/roleAssignments","name":"a60357fa-dc0a-4479-a2a9-4329c2d0ae89"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8dd77695-d6a5-450d-a43c-67ca01be9fbc","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-12T10:55:38.3698246Z","updatedOn":"2021-11-12T10:55:38.3698246Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/dda5bb75-b74a-4430-975f-5bc9611c4b2d","type":"Microsoft.Authorization/roleAssignments","name":"dda5bb75-b74a-4430-975f-5bc9611c4b2d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/36243c78-bf99-498c-9df9-86d9f8d28608","principalId":"2152c794-9ca2-41fe-a313-2d0e1ee3eb80","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-18T06:28:12.0181010Z","updatedOn":"2021-02-18T06:28:12.0181010Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/804f6223-03eb-4091-b460-82160fc5f818","type":"Microsoft.Authorization/roleAssignments","name":"804f6223-03eb-4091-b460-82160fc5f818"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"2152c794-9ca2-41fe-a313-2d0e1ee3eb80","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-18T06:28:12.0168587Z","updatedOn":"2021-02-18T06:28:12.0168587Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8d80e2d6-315c-495c-ab2c-91ddf75edf41","type":"Microsoft.Authorization/roleAssignments","name":"8d80e2d6-315c-495c-ab2c-91ddf75edf41"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"cf46d636-b6c1-406c-aba7-b2c3d9ed07da","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-26T13:53:53.1151640Z","updatedOn":"2021-02-26T13:53:53.1151640Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/735e98ed-f4b8-4b7d-9cc9-af4f8ae77252","type":"Microsoft.Authorization/roleAssignments","name":"735e98ed-f4b8-4b7d-9cc9-af4f8ae77252"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8505e3f4-1ee7-427c-a175-a06595231d46","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-26T13:54:27.5624477Z","updatedOn":"2021-02-26T13:54:27.5624477Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/98c87a9f-b9e7-414b-8b59-bf3ec62dbc74","type":"Microsoft.Authorization/roleAssignments","name":"98c87a9f-b9e7-414b-8b59-bf3ec62dbc74"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-25T12:25:27.2277610Z","updatedOn":"2020-07-25T12:25:27.2277610Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fd6b8ff4-9edb-43f5-aa2a-32133fa09b1d","type":"Microsoft.Authorization/roleAssignments","name":"fd6b8ff4-9edb-43f5-aa2a-32133fa09b1d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"21ae6127-c385-4ae0-b895-a8559e9aa574","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-31T08:35:35.2993523Z","updatedOn":"2020-07-31T08:35:35.2993523Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/6af9fbf3-7085-4bcb-b399-88b89fac16d3","type":"Microsoft.Authorization/roleAssignments","name":"6af9fbf3-7085-4bcb-b399-88b89fac16d3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"1e845bc3-37db-4639-be09-d0cf1e448221","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-31T08:44:16.2909420Z","updatedOn":"2020-07-31T08:44:16.2909420Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/65080390-e9b5-4566-b362-d1e96c23dae2","type":"Microsoft.Authorization/roleAssignments","name":"65080390-e9b5-4566-b362-d1e96c23dae2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-11-03T06:12:01.6760584Z","updatedOn":"2020-11-03T06:12:01.6760584Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a7a12420-2dce-4a47-822e-68cadf239da3","type":"Microsoft.Authorization/roleAssignments","name":"a7a12420-2dce-4a47-822e-68cadf239da3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3282af51-433d-47e8-b2b5-633fbe0fecc0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-11-03T06:25:32.6790913Z","updatedOn":"2020-11-03T06:25:32.6790913Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/36da831d-10ce-4f42-ba28-362960f6ea36","type":"Microsoft.Authorization/roleAssignments","name":"36da831d-10ce-4f42-ba28-362960f6ea36"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-10-04T07:35:39.6626948Z","updatedOn":"2019-10-04T07:35:39.6626948Z","createdBy":"8031e009-cc05-4950-8a8d-78942c4492ac","updatedBy":"8031e009-cc05-4950-8a8d-78942c4492ac","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/730fa65e-c74c-4c3d-9cc3-9457f9b97274","type":"Microsoft.Authorization/roleAssignments","name":"730fa65e-c74c-4c3d-9cc3-9457f9b97274"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-04-08T01:03:29.8241478Z","updatedOn":"2021-04-08T01:03:29.8241478Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/63818ccb-a05c-4083-9e1d-64b4c7c0e1cd","type":"Microsoft.Authorization/roleAssignments","name":"63818ccb-a05c-4083-9e1d-64b4c7c0e1cd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"c87d9afe-4463-41d5-81e3-3bd162af9183","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-07-10T09:38:17.4348497Z","updatedOn":"2019-07-10T09:38:17.4348497Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/ebc56c6d-c5de-4d99-b166-89d4ac815acd","type":"Microsoft.Authorization/roleAssignments","name":"ebc56c6d-c5de-4d99-b166-89d4ac815acd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-03-15T11:01:18.6794974Z","updatedOn":"2019-03-15T11:01:18.6794974Z","createdBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","updatedBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/9fb9b151-1d53-4eff-9336-75cf634e1e3d","type":"Microsoft.Authorization/roleAssignments","name":"9fb9b151-1d53-4eff-9336-75cf634e1e3d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f87f6638-3a1b-4562-8603-aacd59537149","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-05-03T06:47:05.1411825Z","updatedOn":"2019-05-03T06:47:05.1411825Z","createdBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","updatedBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/24ffbb29-061f-4b1d-8c26-c6e90ef53303","type":"Microsoft.Authorization/roleAssignments","name":"24ffbb29-061f-4b1d-8c26-c6e90ef53303"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"becb4b6b-fe16-413b-a5c3-90355e0b2982","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-06-26T06:33:50.1123976Z","updatedOn":"2019-06-26T06:33:50.1123976Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/4c3721e8-06f4-4115-a2d8-90c4a9a57d56","type":"Microsoft.Authorization/roleAssignments","name":"4c3721e8-06f4-4115-a2d8-90c4a9a57d56"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-04-07T16:59:19.6098216Z","updatedOn":"2021-04-07T16:59:19.6098216Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/9d2de631-e451-450b-8237-e5bc19624eee","type":"Microsoft.Authorization/roleAssignments","name":"9d2de631-e451-450b-8237-e5bc19624eee"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"b1b96a90-235c-4668-a931-ee1c08db7681","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-02-01T04:47:38.5676012Z","updatedOn":"2021-02-01T04:47:38.5676012Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/a9e38032-c21b-4c41-8960-1c9c982d98e2","type":"Microsoft.Authorization/roleAssignments","name":"a9e38032-c21b-4c41-8960-1c9c982d98e2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a51d0ef9-9895-4b63-b3f8-354bb7d1a6bb","principalType":"Group","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-03-03T05:31:57.4716459Z","updatedOn":"2021-03-03T05:31:57.4716459Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/77aa0ff2-42c2-4e01-a51d-01cf2dd7ce04","type":"Microsoft.Authorization/roleAssignments","name":"77aa0ff2-42c2-4e01-a51d-01cf2dd7ce04"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"ce2366a6-64d7-441b-939c-c9d23f91cccd","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47","condition":null,"conditionVersion":null,"createdOn":"2020-03-12T20:43:06.5941189Z","updatedOn":"2020-03-12T20:43:06.5941189Z","createdBy":"606f48c8-d219-4875-991d-ae6befaf0756","updatedBy":"606f48c8-d219-4875-991d-ae6befaf0756","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47/providers/Microsoft.Authorization/roleAssignments/ad9e2cd7-0ff7-4931-9b17-656c8f17934b","type":"Microsoft.Authorization/roleAssignments","name":"ad9e2cd7-0ff7-4931-9b17-656c8f17934b"}]}' + string: '{"value":[{"properties":{"roleName":"Disk Restore Operator","type":"BuiltInRole","description":"Provides + permission to backup vault to perform disk restore.","assignableScopes":["/"],"permissions":[{"actions":["Microsoft.Authorization/*/read","Microsoft.Resources/subscriptions/resourceGroups/read","Microsoft.Compute/disks/write","Microsoft.Compute/disks/read"],"notActions":[],"dataActions":[],"notDataActions":[]}],"createdOn":"2020-12-15T12:18:31.8481619Z","updatedOn":"2021-11-11T20:14:56.7408912Z","createdBy":null,"updatedBy":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","type":"Microsoft.Authorization/roleDefinitions","name":"b50d9833-a0cb-478e-945f-707fcc997c13"}]}' headers: cache-control: - no-cache content-length: - - '110881' + - '782' content-type: - application/json; charset=utf-8 date: - - Mon, 05 Sep 2022 11:50:57 GMT + - Mon, 13 Feb 2023 07:41:03 GMT expires: - '-1' pragma: @@ -4022,201 +13128,150 @@ interactions: code: 200 message: OK - request: - body: null + body: '{"properties": {"roleDefinitionId": "/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13", + "principalId": "41753b57-b4fa-4774-80aa-414a3af0f706", "principalType": "ServicePrincipal"}}' headers: Accept: - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance update-msi-permissions + - role assignment create Connection: - keep-alive + Content-Length: + - '270' + Content-Type: + - application/json; charset=utf-8 Cookie: - x-ms-gateway-slice=Production ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes + - --assignee --role --scope User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 - Azure-SDK-For-Python AZURECLI/2.39.0 + - python/3.10.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 + azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.45.0 (PIP) accept-language: - en-US - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Storage%20Account%20Backup%20Contributor%27&api-version=2018-01-01-preview + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/4667bb60-5b20-4f5e-9ba8-7b3c1ac1e7bb?api-version=2020-04-01-preview response: body: - string: '{"value":[{"properties":{"roleName":"Storage Account Backup Contributor","type":"BuiltInRole","description":"Lets - you perform backup and restore operations using Azure Backup on the storage - account.","assignableScopes":["/"],"permissions":[{"actions":["Microsoft.Authorization/*/read","Microsoft.Authorization/locks/read","Microsoft.Authorization/locks/write","Microsoft.Authorization/locks/delete","Microsoft.Features/features/read","Microsoft.Features/providers/features/read","Microsoft.Resources/subscriptions/resourceGroups/read","Microsoft.Storage/operations/read","Microsoft.Storage/storageAccounts/objectReplicationPolicies/delete","Microsoft.Storage/storageAccounts/objectReplicationPolicies/read","Microsoft.Storage/storageAccounts/objectReplicationPolicies/write","Microsoft.Storage/storageAccounts/objectReplicationPolicies/restorePointMarkers/write","Microsoft.Storage/storageAccounts/blobServices/containers/read","Microsoft.Storage/storageAccounts/blobServices/containers/write","Microsoft.Storage/storageAccounts/blobServices/read","Microsoft.Storage/storageAccounts/blobServices/write","Microsoft.Storage/storageAccounts/read","Microsoft.Storage/storageAccounts/restoreBlobRanges/action"],"notActions":[],"dataActions":[],"notDataActions":[]}],"createdOn":"2020-11-02T23:32:50.4203469Z","updatedOn":"2022-04-20T01:44:53.5887074Z","createdBy":null,"updatedBy":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","type":"Microsoft.Authorization/roleDefinitions","name":"e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1"}]}' + string: '{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"41753b57-b4fa-4774-80aa-414a3af0f706","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-13T07:41:04.4291083Z","updatedOn":"2023-02-13T07:41:05.3954237Z","createdBy":null,"updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/4667bb60-5b20-4f5e-9ba8-7b3c1ac1e7bb","type":"Microsoft.Authorization/roleAssignments","name":"4667bb60-5b20-4f5e-9ba8-7b3c1ac1e7bb"}' headers: cache-control: - no-cache content-length: - - '1625' + - '873' content-type: - application/json; charset=utf-8 date: - - Mon, 05 Sep 2022 11:50:58 GMT + - Mon, 13 Feb 2023 07:41:07 GMT expires: - '-1' pragma: - no-cache - set-cookie: - - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly strict-transport-security: - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding x-content-type-options: - nosniff + x-ms-ratelimit-remaining-subscription-writes: + - '1192' status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-instance update-msi-permissions - Connection: - - keep-alive - ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes - User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) AZURECLI/2.39.0 - method: GET - uri: https://graph.microsoft.com/v1.0/servicePrincipals?$filter=servicePrincipalNames%2Fany%28c%3Ac%20eq%20%27f41bd262-eb21-47f1-9706-f12132d865e3%27%29 - response: - body: - string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#servicePrincipals","value":[]}' - headers: - cache-control: - - no-cache - content-length: - - '92' - content-type: - - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 - date: - - Mon, 05 Sep 2022 11:50:58 GMT - odata-version: - - '4.0' - request-id: - - e3060f31-1947-4bdb-90e0-68fe6f7ec0ca - strict-transport-security: - - max-age=31536000 - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-ms-ags-diagnostic: - - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"000","RoleInstance":"MA1PEPF00002725"}}' - x-ms-resource-unit: - - '1' - status: - code: 200 - message: OK + code: 201 + message: Created - request: - body: '{"ids": ["f41bd262-eb21-47f1-9706-f12132d865e3"], "types": ["user", "group", - "servicePrincipal", "directoryObjectPartnerReference"]}' + body: '{"backupInstance": {"dataSourceInfo": {"datasourceType": "Microsoft.Compute/disks", + "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1", + "resourceLocation": "centraluseuap", "resourceName": "cli-test-disk-new1", "resourceType": + "Microsoft.Compute/disks", "resourceUri": ""}, "policyInfo": {"policyId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy", + "policyParameters": {"dataStoreParametersList": [{"objectType": "AzureOperationalStoreParameters", + "dataStoreType": "OperationalStore", "resourceGroupId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}}, + "objectType": "BackupInstance"}}' headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance update-msi-permissions + - dataprotection backup-instance validate-for-backup Connection: - keep-alive Content-Length: - - '132' + - '869' Content-Type: - application/json ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes + - -g --vault-name --backup-instance User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) AZURECLI/2.39.0 + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: POST - uri: https://graph.microsoft.com/v1.0/directoryObjects/getByIds + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/validateForBackup?api-version=2022-05-01 response: body: - string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#directoryObjects","value":[{"@odata.type":"#microsoft.graph.servicePrincipal","id":"f41bd262-eb21-47f1-9706-f12132d865e3","deletedDateTime":null,"accountEnabled":true,"alternativeNames":["isExplicit=False","/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg/providers/Microsoft.DataProtection/BackupVaults/cli-test-new-vault"],"appDisplayName":null,"appDescription":null,"appId":"1666ae40-2096-498b-9acd-d5cc76560b85","applicationTemplateId":null,"appOwnerOrganizationId":null,"appRoleAssignmentRequired":false,"createdDateTime":"2022-09-05T11:45:43Z","description":null,"disabledByMicrosoftStatus":null,"displayName":"cli-test-new-vault","homepage":null,"loginUrl":null,"logoutUrl":null,"notes":null,"notificationEmailAddresses":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyThumbprint":null,"replyUrls":[],"servicePrincipalNames":["1666ae40-2096-498b-9acd-d5cc76560b85","https://identity.azure.net/yHvRErNNmOMZ4EezrAqFKc6Ca0cDdhCvjeK23cGv1hE="],"servicePrincipalType":"ManagedIdentity","signInAudience":null,"tags":[],"tokenEncryptionKeyId":null,"info":null,"samlSingleSignOnSettings":null,"addIns":[],"appRoles":[],"keyCredentials":[{"customKeyIdentifier":"2E54114573727C7AB82A79610024368806BB3E76","displayName":"CN=1666ae40-2096-498b-9acd-d5cc76560b85","endDateTime":"2022-12-04T11:40:00Z","key":null,"keyId":"091f0c89-7baf-4d09-9c75-83c18191f1f0","startDateTime":"2022-09-05T11:40:00Z","type":"AsymmetricX509Cert","usage":"Verify"}],"oauth2PermissionScopes":[],"passwordCredentials":[],"resourceSpecificApplicationPermissions":[],"verifiedPublisher":{"displayName":null,"verifiedPublisherId":null,"addedDateTime":null}}]}' + string: '' headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzM1YmJkMzkzLTZmMzAtNDUwMC04NDExLTMzMWJjNzIyMWU2Mw==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '1730' - content-type: - - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 + - '0' date: - - Mon, 05 Sep 2022 11:50:58 GMT + - Mon, 13 Feb 2023 07:43:09 GMT + expires: + - '-1' location: - - https://graph.microsoft.com - odata-version: - - '4.0' - request-id: - - a2368aa1-31b5-4a0c-860e-dadf0ed82d23 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzM1YmJkMzkzLTZmMzAtNDUwMC04NDExLTMzMWJjNzIyMWU2Mw==?api-version=2022-05-01 + pragma: + - no-cache strict-transport-security: - - max-age=31536000 - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-ms-ags-diagnostic: - - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"000","RoleInstance":"MA1PEPF00002029"}}' - x-ms-resource-unit: - - '3' + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-writes: + - '1199' + x-powered-by: + - ASP.NET status: - code: 200 - message: OK + code: 202 + message: Accepted - request: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance update-msi-permissions + - dataprotection backup-instance validate-for-backup Connection: - keep-alive ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes + - -g --vault-name --backup-instance User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 - Azure-SDK-For-Python AZURECLI/2.39.0 - accept-language: - - en-US + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Storage%20Account%20Backup%20Contributor%27&api-version=2018-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzM1YmJkMzkzLTZmMzAtNDUwMC04NDExLTMzMWJjNzIyMWU2Mw==?api-version=2022-05-01 response: body: - string: '{"value":[{"properties":{"roleName":"Storage Account Backup Contributor","type":"BuiltInRole","description":"Lets - you perform backup and restore operations using Azure Backup on the storage - account.","assignableScopes":["/"],"permissions":[{"actions":["Microsoft.Authorization/*/read","Microsoft.Authorization/locks/read","Microsoft.Authorization/locks/write","Microsoft.Authorization/locks/delete","Microsoft.Features/features/read","Microsoft.Features/providers/features/read","Microsoft.Resources/subscriptions/resourceGroups/read","Microsoft.Storage/operations/read","Microsoft.Storage/storageAccounts/objectReplicationPolicies/delete","Microsoft.Storage/storageAccounts/objectReplicationPolicies/read","Microsoft.Storage/storageAccounts/objectReplicationPolicies/write","Microsoft.Storage/storageAccounts/objectReplicationPolicies/restorePointMarkers/write","Microsoft.Storage/storageAccounts/blobServices/containers/read","Microsoft.Storage/storageAccounts/blobServices/containers/write","Microsoft.Storage/storageAccounts/blobServices/read","Microsoft.Storage/storageAccounts/blobServices/write","Microsoft.Storage/storageAccounts/read","Microsoft.Storage/storageAccounts/restoreBlobRanges/action"],"notActions":[],"dataActions":[],"notDataActions":[]}],"createdOn":"2020-11-02T23:32:50.4203469Z","updatedOn":"2022-04-20T01:44:53.5887074Z","createdBy":null,"updatedBy":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","type":"Microsoft.Authorization/roleDefinitions","name":"e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1"}]}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzM1YmJkMzkzLTZmMzAtNDUwMC04NDExLTMzMWJjNzIyMWU2Mw==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzM1YmJkMzkzLTZmMzAtNDUwMC04NDExLTMzMWJjNzIyMWU2Mw==","status":"Inprogress","startTime":"2023-02-13T07:43:09.0170897Z","endTime":"0001-01-01T00:00:00Z"}' headers: cache-control: - no-cache content-length: - - '1625' + - '478' content-type: - - application/json; charset=utf-8 + - application/json date: - - Mon, 05 Sep 2022 11:51:00 GMT + - Mon, 13 Feb 2023 07:43:19 GMT expires: - '-1' pragma: - no-cache - set-cookie: - - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly + server: + - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -4225,94 +13280,94 @@ interactions: - Accept-Encoding x-content-type-options: - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '999' + x-powered-by: + - ASP.NET status: code: 200 message: OK - request: - body: '{"properties": {"roleDefinitionId": "/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1", - "principalId": "f41bd262-eb21-47f1-9706-f12132d865e3", "principalType": "ServicePrincipal"}}' + body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance update-msi-permissions + - dataprotection backup-instance validate-for-backup Connection: - keep-alive - Content-Length: - - '270' - Content-Type: - - application/json; charset=utf-8 - Cookie: - - x-ms-gateway-slice=Production ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes + - -g --vault-name --backup-instance User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 - Azure-SDK-For-Python AZURECLI/2.39.0 - accept-language: - - en-US - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount/providers/Microsoft.Authorization/roleAssignments/fdcda295-388d-4940-8d28-4d5a0046dedb?api-version=2020-04-01-preview + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzM1YmJkMzkzLTZmMzAtNDUwMC04NDExLTMzMWJjNzIyMWU2Mw==?api-version=2022-05-01 response: body: - string: '{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"f41bd262-eb21-47f1-9706-f12132d865e3","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:51:01.5900752Z","updatedOn":"2022-09-05T11:51:02.1525771Z","createdBy":null,"updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount/providers/Microsoft.Authorization/roleAssignments/fdcda295-388d-4940-8d28-4d5a0046dedb","type":"Microsoft.Authorization/roleAssignments","name":"fdcda295-388d-4940-8d28-4d5a0046dedb"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzM1YmJkMzkzLTZmMzAtNDUwMC04NDExLTMzMWJjNzIyMWU2Mw==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzM1YmJkMzkzLTZmMzAtNDUwMC04NDExLTMzMWJjNzIyMWU2Mw==","status":"Inprogress","startTime":"2023-02-13T07:43:09.0170897Z","endTime":"0001-01-01T00:00:00Z"}' headers: cache-control: - no-cache content-length: - - '1001' + - '478' content-type: - - application/json; charset=utf-8 + - application/json date: - - Mon, 05 Sep 2022 11:51:07 GMT + - Mon, 13 Feb 2023 07:43:50 GMT expires: - '-1' pragma: - no-cache - set-cookie: - - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly + server: + - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1197' + - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '998' + x-powered-by: + - ASP.NET status: - code: 201 - message: Created + code: 200 + message: OK - request: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance update-msi-permissions + - dataprotection backup-instance validate-for-backup Connection: - keep-alive ParameterSetName: - - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance - --keyvault-id --yes + - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzM1YmJkMzkzLTZmMzAtNDUwMC04NDExLTMzMWJjNzIyMWU2Mw==?api-version=2022-05-01 response: body: - string: '{"location":"centraluseuap","tags":{"Owner":"akneema","Purpose":"Testing","MABUsed":"Yes","DeleteBy":"12-9999"},"identity":{"type":"SystemAssigned","principalId":"b864e281-c12e-45c6-a0c7-6046a7de5481","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"properties":{"provisioningState":"Succeeded","storageSettings":[{"datastoreType":"VaultStore","type":"LocallyRedundant"}],"isVaultProtectedByResourceGuard":false},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault","name":"oss-clitest-vault","type":"Microsoft.DataProtection/backupVaults"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzM1YmJkMzkzLTZmMzAtNDUwMC04NDExLTMzMWJjNzIyMWU2Mw==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzM1YmJkMzkzLTZmMzAtNDUwMC04NDExLTMzMWJjNzIyMWU2Mw==","status":"Succeeded","startTime":"2023-02-13T07:43:09.0170897Z","endTime":"2023-02-13T07:43:51Z"}' headers: cache-control: - no-cache content-length: - - '645' + - '477' content-type: - application/json date: - - Mon, 05 Sep 2022 11:52:10 GMT + - Mon, 13 Feb 2023 07:44:20 GMT expires: - '-1' pragma: @@ -4328,7 +13383,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '497' + - '997' x-powered-by: - ASP.NET status: @@ -4338,32 +13393,34 @@ interactions: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance update-msi-permissions + - dataprotection backup-instance validate-for-backup Connection: - keep-alive ParameterSetName: - - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance - --keyvault-id --yes + - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-keyvault/10.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.KeyVault/vaults/oss-clitest-keyvault?api-version=2022-07-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzM1YmJkMzkzLTZmMzAtNDUwMC04NDExLTMzMWJjNzIyMWU2Mw==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.KeyVault/vaults/oss-clitest-keyvault","name":"oss-clitest-keyvault","type":"Microsoft.KeyVault/vaults","location":"centraluseuap","tags":{"Owner":"akneema","Purpose":"Testing","MABUsed":"Yes","DeleteBy":"12-9999"},"systemData":{"lastModifiedBy":"akneema@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-08-02T07:30:26.388Z"},"properties":{"sku":{"family":"A","name":"Standard"},"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","networkAcls":{"bypass":"AzureServices","defaultAction":"Allow","ipRules":[{"value":"20.69.149.128/32"}],"virtualNetworkRules":[]},"accessPolicies":[{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"5095196a-def9-4146-8d92-e38f24b6e378","permissions":{"keys":["Get","List","Update","Create","Import","Delete","Recover","Backup","Restore","Decrypt","Encrypt","UnwrapKey","WrapKey","Verify","Sign","Purge","Release","Rotate","GetRotationPolicy","SetRotationPolicy"],"secrets":["Get","List","Set","Delete","Recover","Backup","Restore","Purge"],"certificates":["Get","List","Update","Create","Import","Delete","Recover","Backup","Restore","ManageContacts","ManageIssuers","GetIssuers","ListIssuers","SetIssuers","DeleteIssuers","Purge"]}},{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","permissions":{"keys":["Get","List","Update","Create","Import","Delete","Recover","Backup","Restore","Decrypt","Encrypt","UnwrapKey","WrapKey","Verify","Sign","Purge","Release","Rotate","GetRotationPolicy","SetRotationPolicy"],"secrets":["Get","List","Set","Delete","Recover","Backup","Restore","Purge"],"certificates":["Get","List","Update","Create","Import","Delete","Recover","Backup","Restore","ManageContacts","ManageIssuers","GetIssuers","ListIssuers","SetIssuers","DeleteIssuers","Purge"]}},{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"f40e18f0-6544-45c2-9d24-639a8bb3b41a","permissions":{"keys":["Get","List","Backup"],"secrets":["Get","List","Backup"],"certificates":[]}},{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"b864e281-c12e-45c6-a0c7-6046a7de5481","permissions":{"secrets":["List","Get"],"keys":[],"certificates":[]}}],"enabledForDeployment":false,"enabledForDiskEncryption":false,"enabledForTemplateDeployment":false,"enableSoftDelete":true,"softDeleteRetentionInDays":90,"enableRbacAuthorization":false,"vaultUri":"https://oss-clitest-keyvault.vault.azure.net/","provisioningState":"Succeeded","publicNetworkAccess":"Enabled"}}' + string: '{"objectType":"OperationJobExtendedInfo"}' headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzM1YmJkMzkzLTZmMzAtNDUwMC04NDExLTMzMWJjNzIyMWU2Mw==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '2584' + - '41' content-type: - - application/json; charset=utf-8 + - application/json date: - - Mon, 05 Sep 2022 11:52:12 GMT + - Mon, 13 Feb 2023 07:44:20 GMT expires: - '-1' pragma: @@ -4376,118 +13433,117 @@ interactions: - chunked vary: - Accept-Encoding - x-aspnet-version: - - 4.0.30319 x-content-type-options: - nosniff - x-ms-keyvault-service-version: - - 1.5.486.0 + x-ms-ratelimit-remaining-subscription-resource-requests: + - '199' x-powered-by: - ASP.NET status: code: 200 message: OK - request: - body: '' + body: '{"backupInstance": {"dataSourceInfo": {"datasourceType": "Microsoft.Storage/storageAccounts/blobServices", + "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount", + "resourceLocation": "centraluseuap", "resourceName": "cliteststoreaccount", + "resourceType": "Microsoft.Storage/storageAccounts", "resourceUri": ""}, "policyInfo": + {"policyId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/storagepolicy"}, + "objectType": "BackupInstance"}}' headers: Accept: - application/json Accept-Encoding: - gzip, deflate + CommandName: + - dataprotection backup-instance validate-for-backup Connection: - keep-alive Content-Length: - - 0 + - '679' Content-Type: - - application/json; charset=utf-8 + - application/json + ParameterSetName: + - -g --vault-name --backup-instance User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-keyvault/7.0 - Azure-SDK-For-Python - accept-language: - - en-US - method: GET - uri: https://oss-clitest-keyvault.vault.azure.net/secrets?api-version=7.0 + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/validateForBackup?api-version=2022-05-01 response: body: - string: '{"error":{"code":"Unauthorized","message":"AKV10000: Request is missing - a Bearer or PoP token."}}' + string: '' headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzkwOWUzNmI0LTU3NjEtNGU4Yi1hZTM0LWRmMjYwMTU2OWI0MA==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '97' - content-type: - - application/json; charset=utf-8 + - '0' date: - - Mon, 05 Sep 2022 11:52:13 GMT + - Mon, 13 Feb 2023 07:44:22 GMT expires: - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzkwOWUzNmI0LTU3NjEtNGU4Yi1hZTM0LWRmMjYwMTU2OWI0MA==?api-version=2022-05-01 pragma: - no-cache strict-transport-security: - - max-age=31536000;includeSubDomains - www-authenticate: - - Bearer authorization="https://login.microsoftonline.com/72f988bf-86f1-41af-91ab-2d7cd011db47", - resource="https://vault.azure.net" + - max-age=31536000; includeSubDomains x-content-type-options: - nosniff - x-ms-keyvault-network-info: - - conn_type=Ipv4;addr=167.220.238.154;act_addr_fam=InterNetwork; - x-ms-keyvault-region: - - centraluseuap - x-ms-keyvault-service-version: - - 1.9.501.1 + x-ms-ratelimit-remaining-subscription-writes: + - '1199' x-powered-by: - ASP.NET status: - code: 401 - message: Unauthorized + code: 202 + message: Accepted - request: - body: '' + body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate + CommandName: + - dataprotection backup-instance validate-for-backup Connection: - keep-alive - Content-Length: - - 0 - Content-Type: - - application/json; charset=utf-8 + ParameterSetName: + - -g --vault-name --backup-instance User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-keyvault/7.0 - Azure-SDK-For-Python - accept-language: - - en-US + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://oss-clitest-keyvault.vault.azure.net/secrets?api-version=7.0 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzkwOWUzNmI0LTU3NjEtNGU4Yi1hZTM0LWRmMjYwMTU2OWI0MA==?api-version=2022-05-01 response: body: - string: '{"value":[{"contentType":"Wrapped BEK","id":"https://oss-clitest-keyvault.vault.azure.net/secrets/ADEA19F9-2D87-46AC-91CD-492758A0C8A7","attributes":{"enabled":true,"created":1645419092,"updated":1645419092,"recoveryLevel":"Recoverable+Purgeable"},"tags":{"DiskEncryptionKeyFileName":"ADEA19F9-2D87-46AC-91CD-492758A0C8A7.BEK","VolumeLetter":"C:\\","VolumeLabel":"Windows","MachineName":"sql-clicloudtes","DiskEncryptionKeyEncryptionKeyURL":"https://oss-clitest-keyvault.vault.azure.net/keys/sql-clitest-key/fad6b3422cc1472c8bfd9f6f5b923d0d","DiskEncryptionKeyEncryptionAlgorithm":"RSA-OAEP"}},{"id":"https://oss-clitest-keyvault.vault.azure.net/secrets/oss-clitest-secret","attributes":{"enabled":true,"created":1629969650,"updated":1629969650,"recoveryLevel":"Recoverable+Purgeable"},"tags":{}}],"nextLink":null}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzkwOWUzNmI0LTU3NjEtNGU4Yi1hZTM0LWRmMjYwMTU2OWI0MA==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzkwOWUzNmI0LTU3NjEtNGU4Yi1hZTM0LWRmMjYwMTU2OWI0MA==","status":"Inprogress","startTime":"2023-02-13T07:44:22.839471Z","endTime":"0001-01-01T00:00:00Z"}' headers: cache-control: - no-cache content-length: - - '814' + - '477' content-type: - - application/json; charset=utf-8 + - application/json date: - - Mon, 05 Sep 2022 11:52:14 GMT + - Mon, 13 Feb 2023 07:44:32 GMT expires: - '-1' pragma: - no-cache + server: + - Microsoft-IIS/10.0 strict-transport-security: - - max-age=31536000;includeSubDomains + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding x-content-type-options: - nosniff - x-ms-keyvault-network-info: - - conn_type=Ipv4;addr=167.220.238.154;act_addr_fam=InterNetwork; - x-ms-keyvault-region: - - centraluseuap - x-ms-keyvault-service-version: - - 1.9.501.1 + x-ms-ratelimit-remaining-subscription-resource-requests: + - '997' x-powered-by: - ASP.NET status: @@ -4501,96 +13557,97 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance update-msi-permissions + - dataprotection backup-instance validate-for-backup Connection: - keep-alive ParameterSetName: - - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance - --keyvault-id --yes + - -g --vault-name --backup-instance User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) AZURECLI/2.39.0 + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://graph.microsoft.com/v1.0/servicePrincipals?$filter=servicePrincipalNames%2Fany%28c%3Ac%20eq%20%27b864e281-c12e-45c6-a0c7-6046a7de5481%27%29 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzkwOWUzNmI0LTU3NjEtNGU4Yi1hZTM0LWRmMjYwMTU2OWI0MA==?api-version=2022-05-01 response: body: - string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#servicePrincipals","value":[]}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzkwOWUzNmI0LTU3NjEtNGU4Yi1hZTM0LWRmMjYwMTU2OWI0MA==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzkwOWUzNmI0LTU3NjEtNGU4Yi1hZTM0LWRmMjYwMTU2OWI0MA==","status":"Inprogress","startTime":"2023-02-13T07:44:22.839471Z","endTime":"0001-01-01T00:00:00Z"}' headers: cache-control: - no-cache content-length: - - '92' + - '477' content-type: - - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 + - application/json date: - - Mon, 05 Sep 2022 11:52:15 GMT - odata-version: - - '4.0' - request-id: - - 1c6e36f9-1845-414a-a1d7-0bbcd3b5496c + - Mon, 13 Feb 2023 07:45:02 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 strict-transport-security: - - max-age=31536000 + - max-age=31536000; includeSubDomains transfer-encoding: - chunked vary: - Accept-Encoding - x-ms-ags-diagnostic: - - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"001","RoleInstance":"MA1PEPF00002731"}}' - x-ms-resource-unit: - - '1' + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '996' + x-powered-by: + - ASP.NET status: code: 200 message: OK - request: - body: '{"ids": ["b864e281-c12e-45c6-a0c7-6046a7de5481"], "types": ["user", "group", - "servicePrincipal", "directoryObjectPartnerReference"]}' + body: null headers: Accept: - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance update-msi-permissions + - dataprotection backup-instance validate-for-backup Connection: - keep-alive - Content-Length: - - '132' - Content-Type: - - application/json ParameterSetName: - - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance - --keyvault-id --yes + - -g --vault-name --backup-instance User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) AZURECLI/2.39.0 - method: POST - uri: https://graph.microsoft.com/v1.0/directoryObjects/getByIds + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzkwOWUzNmI0LTU3NjEtNGU4Yi1hZTM0LWRmMjYwMTU2OWI0MA==?api-version=2022-05-01 response: body: - string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#directoryObjects","value":[{"@odata.type":"#microsoft.graph.servicePrincipal","id":"b864e281-c12e-45c6-a0c7-6046a7de5481","deletedDateTime":null,"accountEnabled":true,"alternativeNames":["isExplicit=False","/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault"],"appDisplayName":null,"appDescription":null,"appId":"49bc63b1-190a-4f4e-a962-58db2c2f7112","applicationTemplateId":null,"appOwnerOrganizationId":null,"appRoleAssignmentRequired":false,"createdDateTime":"2021-08-26T09:13:20Z","description":null,"disabledByMicrosoftStatus":null,"displayName":"oss-clitest-vault","homepage":null,"loginUrl":null,"logoutUrl":null,"notes":null,"notificationEmailAddresses":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyThumbprint":null,"replyUrls":[],"servicePrincipalNames":["49bc63b1-190a-4f4e-a962-58db2c2f7112","https://identity.azure.net/QVMExgU4rxwt5XEm5whEdHZLrmsaL9M/n/eZXzCcN54="],"servicePrincipalType":"ManagedIdentity","signInAudience":null,"tags":[],"tokenEncryptionKeyId":null,"info":null,"samlSingleSignOnSettings":null,"addIns":[],"appRoles":[],"keyCredentials":[{"customKeyIdentifier":"06DD62CA457312E21DDF22C874328A49AF671767","displayName":"CN=49bc63b1-190a-4f4e-a962-58db2c2f7112","endDateTime":"2022-10-12T18:18:00Z","key":null,"keyId":"38633d99-d5b8-4a29-b73c-49341b7f7b4f","startDateTime":"2022-07-14T18:18:00Z","type":"AsymmetricX509Cert","usage":"Verify"},{"customKeyIdentifier":"10296B63A1DD090AB64281F85000C1822BB84F58","displayName":"CN=49bc63b1-190a-4f4e-a962-58db2c2f7112","endDateTime":"2022-08-27T17:02:00Z","key":null,"keyId":"bbf02149-b332-4456-83c8-e66d2d66c8a1","startDateTime":"2022-05-29T17:02:00Z","type":"AsymmetricX509Cert","usage":"Verify"},{"customKeyIdentifier":"F0931109872A337B348A716A953CBFF5C7994B9B","displayName":"CN=49bc63b1-190a-4f4e-a962-58db2c2f7112","endDateTime":"2022-07-12T15:44:00Z","key":null,"keyId":"c6e3d740-2fe2-4b79-9125-f45fa0deca41","startDateTime":"2022-04-13T15:44:00Z","type":"AsymmetricX509Cert","usage":"Verify"}],"oauth2PermissionScopes":[],"passwordCredentials":[],"resourceSpecificApplicationPermissions":[],"verifiedPublisher":{"displayName":null,"verifiedPublisherId":null,"addedDateTime":null}}]}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzkwOWUzNmI0LTU3NjEtNGU4Yi1hZTM0LWRmMjYwMTU2OWI0MA==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzkwOWUzNmI0LTU3NjEtNGU4Yi1hZTM0LWRmMjYwMTU2OWI0MA==","status":"Inprogress","startTime":"2023-02-13T07:44:22.839471Z","endTime":"0001-01-01T00:00:00Z"}' headers: cache-control: - no-cache content-length: - - '2337' + - '477' content-type: - - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 + - application/json date: - - Mon, 05 Sep 2022 11:52:15 GMT - location: - - https://graph.microsoft.com - odata-version: - - '4.0' - request-id: - - b04381ed-dd92-4d8d-80d8-2ba8e284ea02 + - Mon, 13 Feb 2023 07:45:34 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 strict-transport-security: - - max-age=31536000 + - max-age=31536000; includeSubDomains transfer-encoding: - chunked vary: - Accept-Encoding - x-ms-ags-diagnostic: - - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"001","RoleInstance":"MA1PEPF00001FEF"}}' - x-ms-resource-unit: - - '3' + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '995' + x-powered-by: + - ASP.NET status: code: 200 message: OK @@ -4598,42 +13655,38 @@ interactions: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance update-msi-permissions + - dataprotection backup-instance validate-for-backup Connection: - keep-alive ParameterSetName: - - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance - --keyvault-id --yes + - -g --vault-name --backup-instance User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 - Azure-SDK-For-Python AZURECLI/2.39.0 - accept-language: - - en-US + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/providers/Microsoft.Authorization/roleAssignments?$filter=atScope%28%29&api-version=2020-04-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzkwOWUzNmI0LTU3NjEtNGU4Yi1hZTM0LWRmMjYwMTU2OWI0MA==?api-version=2022-05-01 response: body: - string: '{"value":[{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"5c617d2b-99f8-4c90-98fe-dfe040fa33c1","principalType":"ServicePrincipal","scope":"/","condition":null,"conditionVersion":null,"createdOn":"2018-02-27T19:19:50.2663941Z","updatedOn":"2018-02-27T19:19:50.2663941Z","createdBy":null,"updatedBy":null,"delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Authorization/roleAssignments/3e883d24-b106-42ff-ad13-d7bf271b964d","type":"Microsoft.Authorization/roleAssignments","name":"3e883d24-b106-42ff-ad13-d7bf271b964d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"1d8b8d73-0cc6-4db8-b112-724b4a932253","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-26T12:22:13.7498923Z","updatedOn":"2019-08-26T12:22:13.7498923Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8c3a4de9-1ebd-47ce-9dd9-bebf87a4e28f","type":"Microsoft.Authorization/roleAssignments","name":"8c3a4de9-1ebd-47ce-9dd9-bebf87a4e28f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"1e845bc3-37db-4639-be09-d0cf1e448221","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-05-24T11:02:27.8515917Z","updatedOn":"2019-05-24T11:02:27.8515917Z","createdBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","updatedBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b5eee4d7-5f9f-4f63-8040-8aec158c289b","type":"Microsoft.Authorization/roleAssignments","name":"b5eee4d7-5f9f-4f63-8040-8aec158c289b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"235b2664-75e2-4741-bb6f-37e49babf6cd","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-02-12T11:34:59.7104212Z","updatedOn":"2020-02-12T11:34:59.7104212Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/f0618702-8404-4858-9a26-e61f23e7d44f","type":"Microsoft.Authorization/roleAssignments","name":"f0618702-8404-4858-9a26-e61f23e7d44f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8bb5b214-1182-465c-892f-ca7235abe1e7","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-11-14T08:52:42.2795010Z","updatedOn":"2019-11-14T08:52:42.2795010Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/77daac38-9839-4b00-921b-e5d5a03e728c","type":"Microsoft.Authorization/roleAssignments","name":"77daac38-9839-4b00-921b-e5d5a03e728c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"9693df58-7f72-4974-9bd3-1c3ceb0382f1","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-11-29T09:40:04.3180033Z","updatedOn":"2018-11-29T09:40:04.3180033Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ed3bf874-9c97-43f9-a5e9-b4ee6f8982f7","type":"Microsoft.Authorization/roleAssignments","name":"ed3bf874-9c97-43f9-a5e9-b4ee6f8982f7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"d1f96755-9bcf-44b8-ab82-df67360496c4","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-05-08T10:28:08.2854940Z","updatedOn":"2020-05-08T10:28:08.2854940Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/dfb3ca56-a0d4-44ce-ba35-b716c3fdab86","type":"Microsoft.Authorization/roleAssignments","name":"dfb3ca56-a0d4-44ce-ba35-b716c3fdab86"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-12-31T09:26:43.6440415Z","updatedOn":"2018-12-31T09:26:43.6440415Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/45744ea8-780f-4f3e-88aa-b73d7f6997b2","type":"Microsoft.Authorization/roleAssignments","name":"45744ea8-780f-4f3e-88aa-b73d7f6997b2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e65078fb-6b02-434a-9f11-d06bf9bc0600","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-10-25T23:42:36.3444507Z","updatedOn":"2018-10-25T23:42:36.3444507Z","createdBy":"66cb55a5-e2a8-44ef-ae4b-5ab8fa2ec8d9","updatedBy":"66cb55a5-e2a8-44ef-ae4b-5ab8fa2ec8d9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e7ce51e8-4109-41d7-bc10-538b089599db","type":"Microsoft.Authorization/roleAssignments","name":"e7ce51e8-4109-41d7-bc10-538b089599db"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"a7782e0f-1f9a-4882-b2c9-11227aad244e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-06-16T04:32:50.9673703Z","updatedOn":"2020-06-16T04:32:50.9673703Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9fa21f2f-81c3-47b6-b706-650b359b96c3","type":"Microsoft.Authorization/roleAssignments","name":"9fa21f2f-81c3-47b6-b706-650b359b96c3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"00b14177-f4d2-4a4b-94f6-6e80f75745c9","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-03-12T09:49:11.3750683Z","updatedOn":"2020-03-12T09:49:11.3750683Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fff0abf3-3cf7-46be-8bc7-1d1619a160fb","type":"Microsoft.Authorization/roleAssignments","name":"fff0abf3-3cf7-46be-8bc7-1d1619a160fb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"1d8b8d73-0cc6-4db8-b112-724b4a932253","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-26T10:28:45.4880023Z","updatedOn":"2019-08-26T10:28:45.4880023Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/397a3c9c-c258-4d4e-834d-00cc08227796","type":"Microsoft.Authorization/roleAssignments","name":"397a3c9c-c258-4d4e-834d-00cc08227796"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"235b2664-75e2-4741-bb6f-37e49babf6cd","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-12-05T04:29:28.7359096Z","updatedOn":"2018-12-05T04:29:28.7359096Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3c830f42-5f89-4d8b-8f93-d3dc936f33bd","type":"Microsoft.Authorization/roleAssignments","name":"3c830f42-5f89-4d8b-8f93-d3dc936f33bd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-04-08T08:38:50.1742930Z","updatedOn":"2020-04-08T08:38:50.1742930Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/5293a96b-830e-45f4-9e9e-22d7d020f0d8","type":"Microsoft.Authorization/roleAssignments","name":"5293a96b-830e-45f4-9e9e-22d7d020f0d8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3421d717-ca60-44e7-a9a1-773acec4e503","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-10-23T09:40:14.7658272Z","updatedOn":"2019-10-23T09:40:14.7658272Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/34b29558-faf9-43f0-a194-35ca0aa99fc5","type":"Microsoft.Authorization/roleAssignments","name":"34b29558-faf9-43f0-a194-35ca0aa99fc5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3dc88d41-4d03-4105-970d-937e56de3839","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-06-27T12:59:44.6557891Z","updatedOn":"2019-06-27T12:59:44.6557891Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e57ab8d1-ce9a-4925-b09f-2567492d9b22","type":"Microsoft.Authorization/roleAssignments","name":"e57ab8d1-ce9a-4925-b09f-2567492d9b22"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"62c799b8-9b54-4c3d-97c9-9490d16a6a9a","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-08T13:01:20.9953919Z","updatedOn":"2019-08-08T13:01:20.9953919Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e1b91810-0781-462d-9517-764e4a033822","type":"Microsoft.Authorization/roleAssignments","name":"e1b91810-0781-462d-9517-764e4a033822"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8bb5b214-1182-465c-892f-ca7235abe1e7","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-10-23T08:03:15.6803676Z","updatedOn":"2019-10-23T08:03:15.6803676Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/facbac06-ddab-437d-949a-207593fddfff","type":"Microsoft.Authorization/roleAssignments","name":"facbac06-ddab-437d-949a-207593fddfff"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"978b254a-54be-42af-80f5-e2a37b2e40e5","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-07-08T06:57:57.0377373Z","updatedOn":"2019-07-08T06:57:57.0377373Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/89be5b0a-dfa8-4bdf-b667-c6f63f7f3f0e","type":"Microsoft.Authorization/roleAssignments","name":"89be5b0a-dfa8-4bdf-b667-c6f63f7f3f0e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"9c973a07-b207-473c-9687-bd693ba8e460","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-04-17T09:14:08.7913669Z","updatedOn":"2020-04-17T09:14:08.7913669Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/950c635a-23a5-4a0e-8eb6-c53e929c9699","type":"Microsoft.Authorization/roleAssignments","name":"950c635a-23a5-4a0e-8eb6-c53e929c9699"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a4eae46b-a9d0-4586-8ac9-ba91b29f1d57","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-02-01T10:05:44.6784242Z","updatedOn":"2022-02-01T10:05:44.6784242Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8af2fb3a-292c-42a8-a870-1751c4ec4870","type":"Microsoft.Authorization/roleAssignments","name":"8af2fb3a-292c-42a8-a870-1751c4ec4870"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"85c33f6f-5d69-4b0e-bc06-95a7d3193519","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-05-04T09:52:52.7340040Z","updatedOn":"2022-05-04T09:52:52.7340040Z","createdBy":"447bbed8-9839-4d6e-9e39-fb9aeee1ec1d","updatedBy":"447bbed8-9839-4d6e-9e39-fb9aeee1ec1d","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/6a4f635c-309c-4a1d-8eea-86fb5aa91d80","type":"Microsoft.Authorization/roleAssignments","name":"6a4f635c-309c-4a1d-8eea-86fb5aa91d80"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"e6234342-a3d7-4b04-9041-3e8526f5861a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-05-12T06:55:02.9137483Z","updatedOn":"2022-05-12T06:55:02.9137483Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a5bd1b6d-0084-40ec-9126-2250536b4778","type":"Microsoft.Authorization/roleAssignments","name":"a5bd1b6d-0084-40ec-9126-2250536b4778"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"f2cee52e-3d75-4f49-acc4-b5aaf72232ee","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T11:01:05.6238088Z","updatedOn":"2022-06-03T11:01:05.6238088Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2bd63fbe-e197-434f-ba1e-016bad298ff7","type":"Microsoft.Authorization/roleAssignments","name":"2bd63fbe-e197-434f-ba1e-016bad298ff7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"8be185b2-5cbf-45c1-b9af-cbbd9b59144d","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T13:20:41.1511200Z","updatedOn":"2022-06-03T13:22:39.1076287Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/f12c7867-43e5-5530-98e9-9d8a2f39fb92","type":"Microsoft.Authorization/roleAssignments","name":"f12c7867-43e5-5530-98e9-9d8a2f39fb92"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"8be185b2-5cbf-45c1-b9af-cbbd9b59144d","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T13:37:09.9515887Z","updatedOn":"2022-06-03T14:40:22.4040874Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/bace23ac-6978-5318-a146-d49599599b02","type":"Microsoft.Authorization/roleAssignments","name":"bace23ac-6978-5318-a146-d49599599b02"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"e6234342-a3d7-4b04-9041-3e8526f5861a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-06T11:22:08.5127363Z","updatedOn":"2022-06-06T11:22:08.5127363Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/df253c65-35fc-4ff6-9a32-39b3fe20a6e3","type":"Microsoft.Authorization/roleAssignments","name":"df253c65-35fc-4ff6-9a32-39b3fe20a6e3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"5f137a67-1b88-4f98-aa20-b71a7082dc56","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-10T14:11:57.5623976Z","updatedOn":"2022-06-10T14:11:57.5623976Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e409f573-8bda-4b7e-854a-61c445d36c6f","type":"Microsoft.Authorization/roleAssignments","name":"e409f573-8bda-4b7e-854a-61c445d36c6f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-22T11:28:57.2073063Z","updatedOn":"2022-06-22T11:28:57.2073063Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c5b3bcf3-fd4c-4b57-9f73-f075ce7afccb","type":"Microsoft.Authorization/roleAssignments","name":"c5b3bcf3-fd4c-4b57-9f73-f075ce7afccb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-23T09:19:22.2256200Z","updatedOn":"2022-06-23T09:19:22.2256200Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/344b17ae-cabf-4a33-9a9d-ba30fefcbadc","type":"Microsoft.Authorization/roleAssignments","name":"344b17ae-cabf-4a33-9a9d-ba30fefcbadc"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"2b81557b-8e7a-4df8-9a41-e59844f627c2","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-23T09:25:03.9969293Z","updatedOn":"2022-06-23T09:25:03.9969293Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/13a7f7c7-7364-4f9b-ba92-5430f17b29b5","type":"Microsoft.Authorization/roleAssignments","name":"13a7f7c7-7364-4f9b-ba92-5430f17b29b5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-24T07:04:04.5965087Z","updatedOn":"2022-06-24T07:04:04.5965087Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ba604c54-80e1-490e-a123-9ef9d477536b","type":"Microsoft.Authorization/roleAssignments","name":"ba604c54-80e1-490e-a123-9ef9d477536b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-25T04:10:10.7065168Z","updatedOn":"2022-06-25T04:10:10.7065168Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/916a749f-b61f-4ba4-8c28-46217c3a7b4e","type":"Microsoft.Authorization/roleAssignments","name":"916a749f-b61f-4ba4-8c28-46217c3a7b4e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T07:37:58.3152810Z","updatedOn":"2022-06-27T07:37:58.3152810Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/0a1046d6-ba58-491f-b473-403ec29cd2be","type":"Microsoft.Authorization/roleAssignments","name":"0a1046d6-ba58-491f-b473-403ec29cd2be"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:21:12.2347431Z","updatedOn":"2022-06-27T08:21:12.2347431Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/abc6fbbe-d4a8-4315-9532-82e90334dcc9","type":"Microsoft.Authorization/roleAssignments","name":"abc6fbbe-d4a8-4315-9532-82e90334dcc9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"381295fa-e67d-4943-a2eb-90ffcf09577b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:43:17.8582970Z","updatedOn":"2022-06-27T08:43:17.8582970Z","createdBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","updatedBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b8f0bb0e-1495-48f0-aa68-33c364310cfb","type":"Microsoft.Authorization/roleAssignments","name":"b8f0bb0e-1495-48f0-aa68-33c364310cfb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"381295fa-e67d-4943-a2eb-90ffcf09577b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:43:18.7801612Z","updatedOn":"2022-06-27T08:43:18.7801612Z","createdBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","updatedBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b8eb5d9d-85e3-4ba8-9458-fdd2c48ba8e1","type":"Microsoft.Authorization/roleAssignments","name":"b8eb5d9d-85e3-4ba8-9458-fdd2c48ba8e1"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"b864e281-c12e-45c6-a0c7-6046a7de5481","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-30T10:50:49.6196941Z","updatedOn":"2022-06-30T10:50:49.6196941Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.Authorization/roleAssignments/61b7cfe4-f4db-49b0-b329-bb5fad775973","type":"Microsoft.Authorization/roleAssignments","name":"61b7cfe4-f4db-49b0-b329-bb5fad775973"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"3de34697-a180-45dc-aff8-c16061f1143b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-01T08:15:11.7388086Z","updatedOn":"2022-07-01T08:15:11.7388086Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/86db086e-0442-5eef-8ebc-1d8d28a4d03a","type":"Microsoft.Authorization/roleAssignments","name":"86db086e-0442-5eef-8ebc-1d8d28a4d03a"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3de34697-a180-45dc-aff8-c16061f1143b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-01T08:15:12.7940996Z","updatedOn":"2022-07-01T08:15:12.7940996Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/cbcefba6-df6c-5670-9e02-9e09f7964d9c","type":"Microsoft.Authorization/roleAssignments","name":"cbcefba6-df6c-5670-9e02-9e09f7964d9c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"fe7b070d-f778-4cfd-8acf-eda94f397a89","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-29T07:15:07.9544255Z","updatedOn":"2022-07-29T07:15:07.9544255Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/efb13d06-875d-40e3-81d5-195824e19188","type":"Microsoft.Authorization/roleAssignments","name":"efb13d06-875d-40e3-81d5-195824e19188"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f8520195-1c62-47ff-8c01-e394155b52f1","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-10T11:13:36.6792855Z","updatedOn":"2022-08-10T11:13:36.6792855Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3c9150af-abd1-4d00-9c16-acb375857df6","type":"Microsoft.Authorization/roleAssignments","name":"3c9150af-abd1-4d00-9c16-acb375857df6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f4bfeb83-a4cc-43e8-bee0-9808b5d0918d","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-24T05:51:56.3337713Z","updatedOn":"2022-08-24T05:51:56.3337713Z","createdBy":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","updatedBy":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3caa2a04-62bf-4a33-80f5-056840e59fb4","type":"Microsoft.Authorization/roleAssignments","name":"3caa2a04-62bf-4a33-80f5-056840e59fb4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"608ca1e9-e854-46c6-984f-d812d0e657e6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-30T13:32:28.1332524Z","updatedOn":"2022-08-30T13:32:28.1332524Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2719b245-3aeb-4cc0-92bc-6f63eea0dcbf","type":"Microsoft.Authorization/roleAssignments","name":"2719b245-3aeb-4cc0-92bc-6f63eea0dcbf"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a51d0ef9-9895-4b63-b3f8-354bb7d1a6bb","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-05-21T08:47:39.8177538Z","updatedOn":"2021-05-21T08:47:39.8177538Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/17db6abb-bc45-4967-b313-e470ec9cbbd7","type":"Microsoft.Authorization/roleAssignments","name":"17db6abb-bc45-4967-b313-e470ec9cbbd7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"93e2b483-3ffa-44f8-9965-fdb104b541a2","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-06-29T05:43:19.7216795Z","updatedOn":"2021-06-29T05:43:19.7216795Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c6aff8c2-08b1-5b1a-9c80-d91164226985","type":"Microsoft.Authorization/roleAssignments","name":"c6aff8c2-08b1-5b1a-9c80-d91164226985"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"4f285ac8-5610-4d2f-854c-bfa3d16a2679","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-11T06:55:02.4909144Z","updatedOn":"2021-07-11T06:55:02.4909144Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/0cec2ad2-d080-4126-a99f-f61c559b799c","type":"Microsoft.Authorization/roleAssignments","name":"0cec2ad2-d080-4126-a99f-f61c559b799c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"630db480-3ee6-47ec-ae72-5f917d466bad","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:16:28.8833400Z","updatedOn":"2021-07-13T10:16:28.8833400Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/37fe4b2d-0aca-4c27-8511-1e0d18063ec8","type":"Microsoft.Authorization/roleAssignments","name":"37fe4b2d-0aca-4c27-8511-1e0d18063ec8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"279982e7-46cf-4e40-9a3b-156c98285cb7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:18:48.5647062Z","updatedOn":"2021-07-13T10:18:48.5647062Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/7907f38d-57a7-431d-82d7-5dfa2ef0a628","type":"Microsoft.Authorization/roleAssignments","name":"7907f38d-57a7-431d-82d7-5dfa2ef0a628"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"790004d0-0112-41ad-92e8-95c464c34476","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:18:48.6068337Z","updatedOn":"2021-07-13T10:18:48.6068337Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8c9bda26-83c4-4d4c-b00b-c4b58301e539","type":"Microsoft.Authorization/roleAssignments","name":"8c9bda26-83c4-4d4c-b00b-c4b58301e539"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-21T06:38:43.9281998Z","updatedOn":"2021-07-21T06:38:43.9281998Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b553fa81-60dd-45d6-9781-8c2313d68b03","type":"Microsoft.Authorization/roleAssignments","name":"b553fa81-60dd-45d6-9781-8c2313d68b03"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:20.4258578Z","updatedOn":"2021-07-27T04:31:20.4258578Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/4b2f7b08-f9ef-4fc1-b9c4-2bb34fdef258","type":"Microsoft.Authorization/roleAssignments","name":"4b2f7b08-f9ef-4fc1-b9c4-2bb34fdef258"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:32.4566300Z","updatedOn":"2021-07-27T04:31:32.4566300Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8176bf09-8e96-448a-ab12-eeed360ecce2","type":"Microsoft.Authorization/roleAssignments","name":"8176bf09-8e96-448a-ab12-eeed360ecce2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:48.4577322Z","updatedOn":"2021-07-27T04:31:48.4577322Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/45949217-58cc-4c18-93f3-f4c90710ae2d","type":"Microsoft.Authorization/roleAssignments","name":"45949217-58cc-4c18-93f3-f4c90710ae2d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:20.8138038Z","updatedOn":"2021-07-27T10:13:20.8138038Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2382b52f-1ec5-430e-ae2a-74f9ed331ced","type":"Microsoft.Authorization/roleAssignments","name":"2382b52f-1ec5-430e-ae2a-74f9ed331ced"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:23.6551958Z","updatedOn":"2021-07-27T10:13:23.6551958Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e5863947-0b21-41b7-9997-c0dfc73eec29","type":"Microsoft.Authorization/roleAssignments","name":"e5863947-0b21-41b7-9997-c0dfc73eec29"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:29.6985440Z","updatedOn":"2021-07-27T10:13:29.6985440Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/28c1cefa-942f-44c5-a4d4-c33bb92abd45","type":"Microsoft.Authorization/roleAssignments","name":"28c1cefa-942f-44c5-a4d4-c33bb92abd45"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8039a424-299a-4014-8b22-4f6d6cc60065","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-11T07:08:31.9935560Z","updatedOn":"2021-08-11T07:08:31.9935560Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/69e0bcfc-b024-4d8b-a3d5-dac447f8986c","type":"Microsoft.Authorization/roleAssignments","name":"69e0bcfc-b024-4d8b-a3d5-dac447f8986c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"8f0340b8-4b70-412b-be19-c4612d49e353","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-20T11:58:29.6857641Z","updatedOn":"2021-08-20T11:58:29.6857641Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fd88236f-eacb-5303-912f-ba1741cf02bd","type":"Microsoft.Authorization/roleAssignments","name":"fd88236f-eacb-5303-912f-ba1741cf02bd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"0d8f6e68-d6c5-4a67-b6c4-3107609bbdbc","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-20T12:31:58.7980661Z","updatedOn":"2021-08-20T12:31:58.7980661Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/146f4a11-8712-583d-89eb-a7b8b82dbaa9","type":"Microsoft.Authorization/roleAssignments","name":"146f4a11-8712-583d-89eb-a7b8b82dbaa9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"e2072d83-2379-4f36-ab51-b5df7460c61e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-21T14:40:08.5987892Z","updatedOn":"2021-08-21T14:40:10.5055205Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/842af679-0b58-5eb5-b94c-ff59e4105d7e","type":"Microsoft.Authorization/roleAssignments","name":"842af679-0b58-5eb5-b94c-ff59e4105d7e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-17T09:41:38.5634940Z","updatedOn":"2021-09-17T09:41:38.5634940Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":"for - temp testing purpose"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/98fe0117-1e9c-4e37-b8a7-c4a1031d6916","type":"Microsoft.Authorization/roleAssignments","name":"98fe0117-1e9c-4e37-b8a7-c4a1031d6916"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"9c973a07-b207-473c-9687-bd693ba8e460","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-25T15:23:32.6168771Z","updatedOn":"2021-09-25T15:23:32.6168771Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/d852f084-bc9f-4258-9e2c-fcf48b9eaf85","type":"Microsoft.Authorization/roleAssignments","name":"d852f084-bc9f-4258-9e2c-fcf48b9eaf85"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"2778738c-452b-45ca-b8d6-f085836a1458","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-30T07:51:25.2399474Z","updatedOn":"2021-09-30T07:51:25.2399474Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b04a3bdf-b6a6-5ffb-9394-ee5743741597","type":"Microsoft.Authorization/roleAssignments","name":"b04a3bdf-b6a6-5ffb-9394-ee5743741597"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"0ac1f52a-325b-486a-a095-f46ffdd6a9e4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-10-26T01:59:18.6998395Z","updatedOn":"2021-10-26T01:59:18.6998395Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/53a3b238-b4b0-4d3f-b416-8d6dc8d755f6","type":"Microsoft.Authorization/roleAssignments","name":"53a3b238-b4b0-4d3f-b416-8d6dc8d755f6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"c3c0d020-16f0-44d8-9950-0250120a33ff","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-02T06:11:03.5575284Z","updatedOn":"2021-11-02T06:11:03.5575284Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/1d017732-f67e-5aa1-a4a6-47570078d9f3","type":"Microsoft.Authorization/roleAssignments","name":"1d017732-f67e-5aa1-a4a6-47570078d9f3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-10T08:59:19.7285159Z","updatedOn":"2021-11-10T08:59:19.7285159Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a60357fa-dc0a-4479-a2a9-4329c2d0ae89","type":"Microsoft.Authorization/roleAssignments","name":"a60357fa-dc0a-4479-a2a9-4329c2d0ae89"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8dd77695-d6a5-450d-a43c-67ca01be9fbc","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-12T10:55:38.3698246Z","updatedOn":"2021-11-12T10:55:38.3698246Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/dda5bb75-b74a-4430-975f-5bc9611c4b2d","type":"Microsoft.Authorization/roleAssignments","name":"dda5bb75-b74a-4430-975f-5bc9611c4b2d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/36243c78-bf99-498c-9df9-86d9f8d28608","principalId":"2152c794-9ca2-41fe-a313-2d0e1ee3eb80","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-18T06:28:12.0181010Z","updatedOn":"2021-02-18T06:28:12.0181010Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/804f6223-03eb-4091-b460-82160fc5f818","type":"Microsoft.Authorization/roleAssignments","name":"804f6223-03eb-4091-b460-82160fc5f818"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"2152c794-9ca2-41fe-a313-2d0e1ee3eb80","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-18T06:28:12.0168587Z","updatedOn":"2021-02-18T06:28:12.0168587Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8d80e2d6-315c-495c-ab2c-91ddf75edf41","type":"Microsoft.Authorization/roleAssignments","name":"8d80e2d6-315c-495c-ab2c-91ddf75edf41"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"cf46d636-b6c1-406c-aba7-b2c3d9ed07da","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-26T13:53:53.1151640Z","updatedOn":"2021-02-26T13:53:53.1151640Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/735e98ed-f4b8-4b7d-9cc9-af4f8ae77252","type":"Microsoft.Authorization/roleAssignments","name":"735e98ed-f4b8-4b7d-9cc9-af4f8ae77252"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8505e3f4-1ee7-427c-a175-a06595231d46","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-26T13:54:27.5624477Z","updatedOn":"2021-02-26T13:54:27.5624477Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/98c87a9f-b9e7-414b-8b59-bf3ec62dbc74","type":"Microsoft.Authorization/roleAssignments","name":"98c87a9f-b9e7-414b-8b59-bf3ec62dbc74"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-25T12:25:27.2277610Z","updatedOn":"2020-07-25T12:25:27.2277610Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fd6b8ff4-9edb-43f5-aa2a-32133fa09b1d","type":"Microsoft.Authorization/roleAssignments","name":"fd6b8ff4-9edb-43f5-aa2a-32133fa09b1d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"21ae6127-c385-4ae0-b895-a8559e9aa574","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-31T08:35:35.2993523Z","updatedOn":"2020-07-31T08:35:35.2993523Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/6af9fbf3-7085-4bcb-b399-88b89fac16d3","type":"Microsoft.Authorization/roleAssignments","name":"6af9fbf3-7085-4bcb-b399-88b89fac16d3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"1e845bc3-37db-4639-be09-d0cf1e448221","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-31T08:44:16.2909420Z","updatedOn":"2020-07-31T08:44:16.2909420Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/65080390-e9b5-4566-b362-d1e96c23dae2","type":"Microsoft.Authorization/roleAssignments","name":"65080390-e9b5-4566-b362-d1e96c23dae2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-11-03T06:12:01.6760584Z","updatedOn":"2020-11-03T06:12:01.6760584Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a7a12420-2dce-4a47-822e-68cadf239da3","type":"Microsoft.Authorization/roleAssignments","name":"a7a12420-2dce-4a47-822e-68cadf239da3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3282af51-433d-47e8-b2b5-633fbe0fecc0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-11-03T06:25:32.6790913Z","updatedOn":"2020-11-03T06:25:32.6790913Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/36da831d-10ce-4f42-ba28-362960f6ea36","type":"Microsoft.Authorization/roleAssignments","name":"36da831d-10ce-4f42-ba28-362960f6ea36"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-10-04T07:35:39.6626948Z","updatedOn":"2019-10-04T07:35:39.6626948Z","createdBy":"8031e009-cc05-4950-8a8d-78942c4492ac","updatedBy":"8031e009-cc05-4950-8a8d-78942c4492ac","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/730fa65e-c74c-4c3d-9cc3-9457f9b97274","type":"Microsoft.Authorization/roleAssignments","name":"730fa65e-c74c-4c3d-9cc3-9457f9b97274"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-04-08T01:03:29.8241478Z","updatedOn":"2021-04-08T01:03:29.8241478Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/63818ccb-a05c-4083-9e1d-64b4c7c0e1cd","type":"Microsoft.Authorization/roleAssignments","name":"63818ccb-a05c-4083-9e1d-64b4c7c0e1cd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"c87d9afe-4463-41d5-81e3-3bd162af9183","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-07-10T09:38:17.4348497Z","updatedOn":"2019-07-10T09:38:17.4348497Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/ebc56c6d-c5de-4d99-b166-89d4ac815acd","type":"Microsoft.Authorization/roleAssignments","name":"ebc56c6d-c5de-4d99-b166-89d4ac815acd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-03-15T11:01:18.6794974Z","updatedOn":"2019-03-15T11:01:18.6794974Z","createdBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","updatedBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/9fb9b151-1d53-4eff-9336-75cf634e1e3d","type":"Microsoft.Authorization/roleAssignments","name":"9fb9b151-1d53-4eff-9336-75cf634e1e3d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f87f6638-3a1b-4562-8603-aacd59537149","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-05-03T06:47:05.1411825Z","updatedOn":"2019-05-03T06:47:05.1411825Z","createdBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","updatedBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/24ffbb29-061f-4b1d-8c26-c6e90ef53303","type":"Microsoft.Authorization/roleAssignments","name":"24ffbb29-061f-4b1d-8c26-c6e90ef53303"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"becb4b6b-fe16-413b-a5c3-90355e0b2982","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-06-26T06:33:50.1123976Z","updatedOn":"2019-06-26T06:33:50.1123976Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/4c3721e8-06f4-4115-a2d8-90c4a9a57d56","type":"Microsoft.Authorization/roleAssignments","name":"4c3721e8-06f4-4115-a2d8-90c4a9a57d56"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-04-07T16:59:19.6098216Z","updatedOn":"2021-04-07T16:59:19.6098216Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/9d2de631-e451-450b-8237-e5bc19624eee","type":"Microsoft.Authorization/roleAssignments","name":"9d2de631-e451-450b-8237-e5bc19624eee"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"b1b96a90-235c-4668-a931-ee1c08db7681","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-02-01T04:47:38.5676012Z","updatedOn":"2021-02-01T04:47:38.5676012Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/a9e38032-c21b-4c41-8960-1c9c982d98e2","type":"Microsoft.Authorization/roleAssignments","name":"a9e38032-c21b-4c41-8960-1c9c982d98e2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a51d0ef9-9895-4b63-b3f8-354bb7d1a6bb","principalType":"Group","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-03-03T05:31:57.4716459Z","updatedOn":"2021-03-03T05:31:57.4716459Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/77aa0ff2-42c2-4e01-a51d-01cf2dd7ce04","type":"Microsoft.Authorization/roleAssignments","name":"77aa0ff2-42c2-4e01-a51d-01cf2dd7ce04"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"ce2366a6-64d7-441b-939c-c9d23f91cccd","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47","condition":null,"conditionVersion":null,"createdOn":"2020-03-12T20:43:06.5941189Z","updatedOn":"2020-03-12T20:43:06.5941189Z","createdBy":"606f48c8-d219-4875-991d-ae6befaf0756","updatedBy":"606f48c8-d219-4875-991d-ae6befaf0756","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47/providers/Microsoft.Authorization/roleAssignments/ad9e2cd7-0ff7-4931-9b17-656c8f17934b","type":"Microsoft.Authorization/roleAssignments","name":"ad9e2cd7-0ff7-4931-9b17-656c8f17934b"}]}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzkwOWUzNmI0LTU3NjEtNGU4Yi1hZTM0LWRmMjYwMTU2OWI0MA==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzkwOWUzNmI0LTU3NjEtNGU4Yi1hZTM0LWRmMjYwMTU2OWI0MA==","status":"Succeeded","startTime":"2023-02-13T07:44:22.839471Z","endTime":"2023-02-13T07:46:02Z"}' headers: cache-control: - no-cache content-length: - - '74571' + - '476' content-type: - - application/json; charset=utf-8 + - application/json date: - - Mon, 05 Sep 2022 11:52:16 GMT + - Mon, 13 Feb 2023 07:46:03 GMT expires: - '-1' pragma: - no-cache - set-cookie: - - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly + server: + - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -4642,6 +13695,10 @@ interactions: - Accept-Encoding x-content-type-options: - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '994' + x-powered-by: + - ASP.NET status: code: 200 message: OK @@ -4649,44 +13706,40 @@ interactions: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance update-msi-permissions + - dataprotection backup-instance validate-for-backup Connection: - keep-alive - Cookie: - - x-ms-gateway-slice=Production ParameterSetName: - - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance - --keyvault-id --yes + - -g --vault-name --backup-instance User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 - Azure-SDK-For-Python AZURECLI/2.39.0 - accept-language: - - en-US + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Reader%27&api-version=2018-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzkwOWUzNmI0LTU3NjEtNGU4Yi1hZTM0LWRmMjYwMTU2OWI0MA==?api-version=2022-05-01 response: body: - string: '{"value":[{"properties":{"roleName":"Reader","type":"BuiltInRole","description":"View - all resources, but does not allow you to make any changes.","assignableScopes":["/"],"permissions":[{"actions":["*/read"],"notActions":[],"dataActions":[],"notDataActions":[]}],"createdOn":"2015-02-02T21:55:09.8806423Z","updatedOn":"2021-11-11T20:13:47.8628684Z","createdBy":null,"updatedBy":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","type":"Microsoft.Authorization/roleDefinitions","name":"acdd72a7-3385-48ef-bd42-f606fba81ae7"}]}' + string: '{"objectType":"OperationJobExtendedInfo"}' headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzkwOWUzNmI0LTU3NjEtNGU4Yi1hZTM0LWRmMjYwMTU2OWI0MA==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '627' + - '41' content-type: - - application/json; charset=utf-8 + - application/json date: - - Mon, 05 Sep 2022 11:52:16 GMT + - Mon, 13 Feb 2023 07:46:04 GMT expires: - '-1' pragma: - no-cache - set-cookie: - - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly + server: + - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -4695,957 +13748,123 @@ interactions: - Accept-Encoding x-content-type-options: - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '199' + x-powered-by: + - ASP.NET status: code: 200 message: OK - request: - body: null + body: '{"backupInstance": {"dataSourceInfo": {"datasourceType": "Microsoft.DBforPostgreSQL/servers/databases", + "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres", + "resourceLocation": "centraluseuap", "resourceName": "postgres", "resourceType": + "Microsoft.DBforPostgreSQL/servers/databases", "resourceUri": ""}, "dataSourceSetInfo": + {"datasourceType": "Microsoft.DBforPostgreSQL/servers/databases", "objectType": + "DatasourceSet", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server", + "resourceLocation": "centraluseuap", "resourceName": "oss-clitest-server", "resourceType": + "Microsoft.DBforPostgreSQL/servers", "resourceUri": ""}, "policyInfo": {"policyId": + "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy"}, + "datasourceAuthCredentials": {"objectType": "SecretStoreBasedAuthCredentials", + "secretStoreResource": {"uri": "https://oss-clitest-keyvault.vault.azure.net/secrets/oss-clitest-secret", + "secretStoreType": "AzureKeyVault"}}, "objectType": "BackupInstance"}}' headers: Accept: - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance update-msi-permissions + - dataprotection backup-instance validate-for-backup Connection: - keep-alive - Cookie: - - x-ms-gateway-slice=Production + Content-Length: + - '1357' + Content-Type: + - application/json ParameterSetName: - - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance - --keyvault-id --yes + - -g --vault-name --backup-instance User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 - Azure-SDK-For-Python AZURECLI/2.39.0 - accept-language: - - en-US - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/providers/Microsoft.Authorization/roleDefinitions?api-version=2018-01-01-preview + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/validateForBackup?api-version=2022-05-01 response: body: - string: "{\"value\":[{\"properties\":{\"roleName\":\"Avere Cluster Create\",\"type\":\"CustomRole\",\"description\":\"Avere - cluster create role used by the Avere controller to create a vFXT cluster.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Authorization/roleAssignments/*\",\"Microsoft.Authorization/roleDefinitions/*\",\"Microsoft.Compute/*/read\",\"Microsoft.Compute/availabilitySets/*\",\"Microsoft.Compute/virtualMachines/*\",\"Microsoft.Network/*/read\",\"Microsoft.Network/networkInterfaces/*\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/resourceGroups/resources/read\",\"Microsoft.Storage/*/read\",\"Microsoft.Storage/storageAccounts/listKeys/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-11-29T18:46:55.0492387Z\",\"updatedOn\":\"2018-11-29T18:46:55.0492387Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a7b1b19a-0e83-4fe5-935c-faaefbfd18c3\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a7b1b19a-0e83-4fe5-935c-faaefbfd18c3\"},{\"properties\":{\"roleName\":\"Avere - Cluster Runtime Operator\",\"type\":\"CustomRole\",\"description\":\"Avere - cluster runtime role used by Avere clusters running in subscriptions, for - the purpose of failing over IP addresses, accessing BLOB storage, etc\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Network/networkInterfaces/write\",\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/networkSecurityGroups/join/action\",\"Microsoft.Network/routeTables/read\",\"Microsoft.Network/routeTables/routes/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/delete\",\"Microsoft.Storage/storageAccounts/blobServices/containers/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/write\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/delete\",\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/write\"],\"notDataActions\":[]}],\"createdOn\":\"2018-08-26T00:41:26.2170858Z\",\"updatedOn\":\"2018-08-26T00:41:26.2170858Z\",\"createdBy\":\"dda50086-5e3d-4a4b-b8bc-f54771104d89\",\"updatedBy\":\"dda50086-5e3d-4a4b-b8bc-f54771104d89\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e078ab98-ef3a-4c9a-aba7-12f5172b45d0\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e078ab98-ef3a-4c9a-aba7-12f5172b45d0\"},{\"properties\":{\"roleName\":\"Azure - Service Deploy Release Management Contributor\",\"type\":\"CustomRole\",\"description\":\"Contributor - role for services deploying through Azure Service Deploy.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*\"],\"notActions\":[\"Microsoft.Authorization/*/Delete\",\"Microsoft.Authorization/*/Write\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-02-04T02:26:31.5413362Z\",\"updatedOn\":\"2018-01-08T20:20:16.3660174Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/21d96096-b162-414a-8302-d8354f9d91b2\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"21d96096-b162-414a-8302-d8354f9d91b2\"},{\"properties\":{\"roleName\":\"CAL-Custom-Role\",\"type\":\"CustomRole\",\"description\":\"Lets - SAP Cloud Appliance Library application manage Network and Compute services, - manage Resource Groups and Management locks.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/locks/*\",\"Microsoft.Authorization/roleDefinitions/*\",\"Microsoft.Authorization/roleAssignments/*\",\"Microsoft.Compute/*\",\"Microsoft.Network/*\",\"Microsoft.Resources/*\",\"Microsoft.Storage/*\",\"Microsoft.ContainerService/*\",\"Microsoft.ContainerRegistry/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-05-14T19:30:51.0664585Z\",\"updatedOn\":\"2019-02-19T19:11:57.5963229Z\",\"createdBy\":\"dda50086-5e3d-4a4b-b8bc-f54771104d89\",\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7b266cd7-0bba-4ae2-8423-90ede5e1e898\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7b266cd7-0bba-4ae2-8423-90ede5e1e898\"},{\"properties\":{\"roleName\":\"Dsms - Role (deprecated)\",\"type\":\"CustomRole\",\"description\":\"Custom role - used by Dsms to perform operations. Can list and regnerate storage account - keys.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ClassicStorage/storageAccounts/listKeys/action\",\"Microsoft.ClassicStorage/storageAccounts/regenerateKey/action\",\"Microsoft.Storage/storageAccounts/listkeys/action\",\"Microsoft.Storage/storageAccounts/regeneratekey/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-05-17T18:02:11.1225951Z\",\"updatedOn\":\"2018-01-13T00:21:52.7211696Z\",\"createdBy\":\"ca5f3715-e7dd-427b-b2db-45b6a4a2df87\",\"updatedBy\":\"ca5f3715-e7dd-427b-b2db-45b6a4a2df87\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b91f4c0b-46e3-47bb-a242-eecfe23b3b5b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b91f4c0b-46e3-47bb-a242-eecfe23b3b5b\"},{\"properties\":{\"roleName\":\"Dsms - Role (do not use)\",\"type\":\"CustomRole\",\"description\":\"Custom role - used by Dsms to perform operations. Can list and regnerate storage account - keys.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ClassicStorage/storageAccounts/listKeys/action\",\"Microsoft.ClassicStorage/storageAccounts/regenerateKey/action\",\"Microsoft.Storage/storageAccounts/listkeys/action\",\"Microsoft.Storage/storageAccounts/regeneratekey/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-02-01T07:56:12.5880222Z\",\"updatedOn\":\"2018-08-09T17:53:48.5432297Z\",\"createdBy\":\"becb4b6b-fe16-413b-a5c3-90355e0b2982\",\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7aff565e-6c55-448d-83db-ccf482c6da2f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7aff565e-6c55-448d-83db-ccf482c6da2f\"},{\"properties\":{\"roleName\":\"ExpressRoute - Administrator\",\"type\":\"CustomRole\",\"description\":\"Can create, delete - and manage ExpressRoutes\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/locks/*\",\"Microsoft.Authorization/policyAssignments/*\",\"Microsoft.Authorization/policyDefinitions/*\",\"Microsoft.Authorization/roleAssignments/*\",\"Microsoft.ClassicNetwork/*\",\"Microsoft.EventGrid/*\",\"Microsoft.Insights/*\",\"Microsoft.Network/*\",\"Microsoft.Resources/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-08-31T03:51:32.2843055Z\",\"updatedOn\":\"2019-03-20T22:55:18.8222085Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a48d7896-14b4-4889-afef-fbb65a96e5a2\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a48d7896-14b4-4889-afef-fbb65a96e5a2\"},{\"properties\":{\"roleName\":\"GenevaWarmPathResourceContributor\",\"type\":\"CustomRole\",\"description\":\"Can - manage service bus and storage accounts.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.EventHub/namespaces/*\",\"Microsoft.Resources/subscriptions/resourceGroups/*\",\"Microsoft.ServiceBus/namespaces/*\",\"Microsoft.Storage/storageAccounts/*\",\"Microsoft.Storage/storageAccounts/managementPolicies/write\",\"Microsoft.Storage/storageAccounts/managementPolicies/read\",\"Microsoft.Storage/storageAccounts/managementPolicies/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-03-14T22:30:10.1999436Z\",\"updatedOn\":\"2022-02-28T23:26:40.0052537Z\",\"createdBy\":null,\"updatedBy\":\"acis\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9f15f5f5-77bd-413a-aa88-4b9c68b1e7bc\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"9f15f5f5-77bd-413a-aa88-4b9c68b1e7bc\"},{\"properties\":{\"roleName\":\"masterreader\",\"type\":\"CustomRole\",\"description\":\"Lets - you view everything, but not make any changes.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-11-14T23:38:05.3353858Z\",\"updatedOn\":\"2017-11-14T23:38:05.3353858Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a48d7796-14b4-4889-afef-fbb65a93e5a2\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a48d7796-14b4-4889-afef-fbb65a93e5a2\"},{\"properties\":{\"roleName\":\"Microsoft - OneAsset Reader\",\"type\":\"CustomRole\",\"description\":\"This role is for - Microsoft OneAsset team (CSEO) to track internal security compliance and resource - utilization.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/virtualMachines/*/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-03-27T23:51:08.6333052Z\",\"updatedOn\":\"2019-04-02T20:35:43.3396263Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fd1bb084-1503-4bd2-99c0-630220046786\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fd1bb084-1503-4bd2-99c0-630220046786\"},{\"properties\":{\"roleName\":\"Office - DevOps\",\"type\":\"CustomRole\",\"description\":\"Custom access for developers - to operations but not secrets.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/virtualMachineScaleSets/restart/action\",\"Microsoft.Compute/virtualMachineScaleSets/virtualMachines/restart/action\",\"Microsoft.Sql/servers/databases/replicationLinks/delete\",\"Microsoft.Sql/servers/databases/replicationLinks/failover/action\",\"Microsoft.Sql/servers/databases/replicationLinks/forceFailoverAllowDataLoss/action\",\"Microsoft.Sql/servers/databases/replicationLinks/operationResults/read\",\"Microsoft.Sql/servers/databases/replicationLinks/read\",\"Microsoft.Sql/servers/databases/replicationLinks/unlink/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-10-07T08:11:46.1639398Z\",\"updatedOn\":\"2017-03-16T18:43:08.3234306Z\",\"createdBy\":\"25aea6be-b605-4347-a92d-33e178e412ec\",\"updatedBy\":\"25aea6be-b605-4347-a92d-33e178e412ec\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7fd64851-3279-459b-b614-e2b2ba760f5b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7fd64851-3279-459b-b614-e2b2ba760f5b\"},{\"properties\":{\"roleName\":\"GenevaWarmPathStorageBlobContributor\",\"type\":\"CustomRole\",\"description\":\"Geneva - Warm Path Storage Blob Contributor\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/delete\",\"Microsoft.Storage/storageAccounts/blobServices/containers/lease/action\",\"Microsoft.Storage/storageAccounts/blobServices/containers/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/write\",\"Microsoft.Storage/storageAccounts/blobServices/containers/immutabilityPolicies/lock/action\",\"Microsoft.Storage/storageAccounts/blobServices/containers/immutabilityPolicies/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/immutabilityPolicies/write\",\"Microsoft.Storage/storageAccounts/blobServices/containers/immutabilityPolicies/extend/action\",\"Microsoft.Storage/storageAccounts/blobServices/containers/immutabilityPolicies/delete\",\"Microsoft.Storage/storageAccounts/managementPolicies/write\",\"Microsoft.Storage/storageAccounts/managementPolicies/read\",\"Microsoft.Storage/storageAccounts/managementPolicies/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-12-06T22:46:27.1365630Z\",\"updatedOn\":\"2022-02-28T23:26:40.4152515Z\",\"createdBy\":null,\"updatedBy\":\"acis\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a16c43ca-2d67-4dcd-9ded-6412f5edc51a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a16c43ca-2d67-4dcd-9ded-6412f5edc51a\"},{\"properties\":{\"roleName\":\"Azure - Service Deploy Release Management Restricted Owner\",\"type\":\"CustomRole\",\"description\":\"Restricted - owner role for services deploying through Azure Service Deploy.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*\"],\"notActions\":[\"Microsoft.Authorization/*/Delete\",\"Microsoft.Authorization/*/Write\"],\"dataActions\":[],\"notDataActions\":[]},{\"actions\":[\"Microsoft.Authorization/roleAssignments/write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]},{\"actions\":[\"Microsoft.Authorization/locks/write\",\"Microsoft.Authorization/policyassignments/write\",\"Microsoft.Authorization/policydefinitions/write\",\"Microsoft.Authorization/policysetdefinitions/write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-03-07T22:16:06.8803898Z\",\"updatedOn\":\"2022-03-07T22:16:06.8803898Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/94ddc4bc-25f5-4f3e-b527-c587da93cfe4\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"94ddc4bc-25f5-4f3e-b527-c587da93cfe4\"},{\"properties\":{\"roleName\":\"Azure - Service Deploy Test Release Management Key Vault Secrets User\",\"type\":\"CustomRole\",\"description\":\"Read - secret and certificate contents. Only works for key vaults that use the 'Azure - role-based access control' permission model.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/secrets/getSecret/action\",\"Microsoft.KeyVault/vaults/certificates/read\"],\"notDataActions\":[]}],\"createdOn\":\"2022-07-20T22:52:19.9944274Z\",\"updatedOn\":\"2022-08-31T23:25:32.0649353Z\",\"createdBy\":\"19669f00-ee56-44ec-94c3-83159a41292e\",\"updatedBy\":\"19669f00-ee56-44ec-94c3-83159a41292e\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/87d31636-ad85-4caa-802d-1535972b5612\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"87d31636-ad85-4caa-802d-1535972b5612\"},{\"properties\":{\"roleName\":\"AcrPush\",\"type\":\"BuiltInRole\",\"description\":\"acr - push\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerRegistry/registries/pull/read\",\"Microsoft.ContainerRegistry/registries/push/write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-10-29T17:52:32.5201177Z\",\"updatedOn\":\"2021-11-11T20:13:07.4993029Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8311e382-0749-4cb8-b61a-304f252e45ec\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8311e382-0749-4cb8-b61a-304f252e45ec\"},{\"properties\":{\"roleName\":\"API - Management Service Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can - manage service and the APIs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ApiManagement/service/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8650193Z\",\"updatedOn\":\"2021-11-11T20:13:08.3179618Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/312a565d-c81f-4fd8-895a-4e21e48d571c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"312a565d-c81f-4fd8-895a-4e21e48d571c\"},{\"properties\":{\"roleName\":\"AcrPull\",\"type\":\"BuiltInRole\",\"description\":\"acr - pull\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerRegistry/registries/pull/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-10-22T19:01:56.8227182Z\",\"updatedOn\":\"2021-11-11T20:13:08.8779328Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7f951dda-4ed3-4680-a7ca-43fe172d538d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7f951dda-4ed3-4680-a7ca-43fe172d538d\"},{\"properties\":{\"roleName\":\"AcrImageSigner\",\"type\":\"BuiltInRole\",\"description\":\"acr - image signer\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerRegistry/registries/sign/write\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerRegistry/registries/trustedCollections/write\"],\"notDataActions\":[]}],\"createdOn\":\"2018-03-15T23:23:08.4038322Z\",\"updatedOn\":\"2021-11-11T20:13:09.6070759Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6cef56e8-d556-48e5-a04f-b8e64114680f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6cef56e8-d556-48e5-a04f-b8e64114680f\"},{\"properties\":{\"roleName\":\"AcrDelete\",\"type\":\"BuiltInRole\",\"description\":\"acr - delete\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerRegistry/registries/artifacts/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-03-11T20:19:31.6682804Z\",\"updatedOn\":\"2021-11-11T20:13:09.9631744Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c2f4ef07-c644-48eb-af81-4b1b4947fb11\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c2f4ef07-c644-48eb-af81-4b1b4947fb11\"},{\"properties\":{\"roleName\":\"AcrQuarantineReader\",\"type\":\"BuiltInRole\",\"description\":\"acr - quarantine data reader\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerRegistry/registries/quarantine/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerRegistry/registries/quarantinedArtifacts/read\"],\"notDataActions\":[]}],\"createdOn\":\"2018-03-16T00:27:39.9596835Z\",\"updatedOn\":\"2021-11-11T20:13:10.3188052Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/cdda3590-29a3-44f6-95f2-9f980659eb04\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"cdda3590-29a3-44f6-95f2-9f980659eb04\"},{\"properties\":{\"roleName\":\"AcrQuarantineWriter\",\"type\":\"BuiltInRole\",\"description\":\"acr - quarantine data writer\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerRegistry/registries/quarantine/read\",\"Microsoft.ContainerRegistry/registries/quarantine/write\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerRegistry/registries/quarantinedArtifacts/read\",\"Microsoft.ContainerRegistry/registries/quarantinedArtifacts/write\"],\"notDataActions\":[]}],\"createdOn\":\"2018-03-16T00:26:37.5871820Z\",\"updatedOn\":\"2021-11-11T20:13:11.3488079Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c8d4ff99-41c3-41a8-9f60-21dfdad59608\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c8d4ff99-41c3-41a8-9f60-21dfdad59608\"},{\"properties\":{\"roleName\":\"API - Management Service Operator Role\",\"type\":\"BuiltInRole\",\"description\":\"Can - manage service but not the APIs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ApiManagement/service/*/read\",\"Microsoft.ApiManagement/service/backup/action\",\"Microsoft.ApiManagement/service/delete\",\"Microsoft.ApiManagement/service/managedeployments/action\",\"Microsoft.ApiManagement/service/read\",\"Microsoft.ApiManagement/service/restore/action\",\"Microsoft.ApiManagement/service/updatecertificate/action\",\"Microsoft.ApiManagement/service/updatehostname/action\",\"Microsoft.ApiManagement/service/write\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[\"Microsoft.ApiManagement/service/users/keys/read\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-11-09T00:03:42.1194019Z\",\"updatedOn\":\"2021-11-11T20:13:11.5244023Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e022efe7-f5ba-4159-bbe4-b44f577e9b61\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e022efe7-f5ba-4159-bbe4-b44f577e9b61\"},{\"properties\":{\"roleName\":\"API - Management Service Reader Role\",\"type\":\"BuiltInRole\",\"description\":\"Read-only - access to service and APIs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ApiManagement/service/*/read\",\"Microsoft.ApiManagement/service/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[\"Microsoft.ApiManagement/service/users/keys/read\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-11-09T00:26:45.1540473Z\",\"updatedOn\":\"2021-11-11T20:13:11.8704466Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/71522526-b88f-4d52-b57f-d31fc3546d0d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"71522526-b88f-4d52-b57f-d31fc3546d0d\"},{\"properties\":{\"roleName\":\"Application - Insights Component Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can - manage Application Insights components\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/generateLiveToken/read\",\"Microsoft.Insights/metricAlerts/*\",\"Microsoft.Insights/components/*\",\"Microsoft.Insights/scheduledqueryrules/*\",\"Microsoft.Insights/topology/read\",\"Microsoft.Insights/transactions/read\",\"Microsoft.Insights/webtests/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:12.6428401Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ae349356-3a1b-4a5e-921d-050484c6347e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ae349356-3a1b-4a5e-921d-050484c6347e\"},{\"properties\":{\"roleName\":\"Application - Insights Snapshot Debugger\",\"type\":\"BuiltInRole\",\"description\":\"Gives - user permission to use Application Insights Snapshot Debugger features\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/components/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-04-19T21:25:12.3728747Z\",\"updatedOn\":\"2021-11-11T20:13:13.0034435Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/08954f03-6346-4c2e-81c0-ec3a5cfae23b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"08954f03-6346-4c2e-81c0-ec3a5cfae23b\"},{\"properties\":{\"roleName\":\"Attestation - Reader\",\"type\":\"BuiltInRole\",\"description\":\"Can read the attestation - provider properties\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Attestation/attestationProviders/attestation/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-03-25T19:42:59.1576710Z\",\"updatedOn\":\"2021-11-11T20:13:13.3634724Z\",\"createdBy\":null,\"updatedBy\":\"SYSTEM\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fd1bd22b-8476-40bc-a0bc-69b95687b9f3\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fd1bd22b-8476-40bc-a0bc-69b95687b9f3\"},{\"properties\":{\"roleName\":\"Automation - Job Operator\",\"type\":\"BuiltInRole\",\"description\":\"Create and Manage - Jobs using Automation Runbooks.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Automation/automationAccounts/hybridRunbookWorkerGroups/read\",\"Microsoft.Automation/automationAccounts/jobs/read\",\"Microsoft.Automation/automationAccounts/jobs/resume/action\",\"Microsoft.Automation/automationAccounts/jobs/stop/action\",\"Microsoft.Automation/automationAccounts/jobs/streams/read\",\"Microsoft.Automation/automationAccounts/jobs/suspend/action\",\"Microsoft.Automation/automationAccounts/jobs/write\",\"Microsoft.Automation/automationAccounts/jobs/output/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-04-19T20:52:41.0020018Z\",\"updatedOn\":\"2021-11-11T20:13:13.7065660Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4fe576fe-1146-4730-92eb-48519fa6bf9f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4fe576fe-1146-4730-92eb-48519fa6bf9f\"},{\"properties\":{\"roleName\":\"Automation - Runbook Operator\",\"type\":\"BuiltInRole\",\"description\":\"Read Runbook - properties - to be able to create Jobs of the runbook.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Automation/automationAccounts/runbooks/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-04-19T20:47:49.5640674Z\",\"updatedOn\":\"2021-11-11T20:13:13.8815461Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5fb5aef8-1081-4b8e-bb16-9d5d0385bab5\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5fb5aef8-1081-4b8e-bb16-9d5d0385bab5\"},{\"properties\":{\"roleName\":\"Automation - Operator\",\"type\":\"BuiltInRole\",\"description\":\"Automation Operators - are able to start, stop, suspend, and resume jobs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Automation/automationAccounts/hybridRunbookWorkerGroups/read\",\"Microsoft.Automation/automationAccounts/jobs/read\",\"Microsoft.Automation/automationAccounts/jobs/resume/action\",\"Microsoft.Automation/automationAccounts/jobs/stop/action\",\"Microsoft.Automation/automationAccounts/jobs/streams/read\",\"Microsoft.Automation/automationAccounts/jobs/suspend/action\",\"Microsoft.Automation/automationAccounts/jobs/write\",\"Microsoft.Automation/automationAccounts/jobSchedules/read\",\"Microsoft.Automation/automationAccounts/jobSchedules/write\",\"Microsoft.Automation/automationAccounts/linkedWorkspace/read\",\"Microsoft.Automation/automationAccounts/read\",\"Microsoft.Automation/automationAccounts/runbooks/read\",\"Microsoft.Automation/automationAccounts/schedules/read\",\"Microsoft.Automation/automationAccounts/schedules/write\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Automation/automationAccounts/jobs/output/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-08-18T01:05:03.3916130Z\",\"updatedOn\":\"2021-11-11T20:13:14.0515408Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d3881f73-407a-4167-8283-e981cbba0404\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d3881f73-407a-4167-8283-e981cbba0404\"},{\"properties\":{\"roleName\":\"Avere - Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can create and manage - an Avere vFXT cluster.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Compute/*/read\",\"Microsoft.Compute/availabilitySets/*\",\"Microsoft.Compute/proximityPlacementGroups/*\",\"Microsoft.Compute/virtualMachines/*\",\"Microsoft.Compute/disks/*\",\"Microsoft.Network/*/read\",\"Microsoft.Network/networkInterfaces/*\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/virtualNetworks/subnets/joinViaServiceEndpoint/action\",\"Microsoft.Network/networkSecurityGroups/join/action\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/*/read\",\"Microsoft.Storage/storageAccounts/*\",\"Microsoft.Support/*\",\"Microsoft.Resources/subscriptions/resourceGroups/resources/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/delete\",\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/write\"],\"notDataActions\":[]}],\"createdOn\":\"2019-03-18T20:00:58.9207889Z\",\"updatedOn\":\"2021-11-11T20:13:14.2265665Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4f8fab4f-1852-4a58-a46a-8eaf358af14a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4f8fab4f-1852-4a58-a46a-8eaf358af14a\"},{\"properties\":{\"roleName\":\"Avere - Operator\",\"type\":\"BuiltInRole\",\"description\":\"Used by the Avere vFXT - cluster to manage the cluster\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Network/networkInterfaces/write\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/networkSecurityGroups/join/action\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/delete\",\"Microsoft.Storage/storageAccounts/blobServices/containers/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/write\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/delete\",\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/write\"],\"notDataActions\":[]}],\"createdOn\":\"2019-03-18T20:02:38.3399857Z\",\"updatedOn\":\"2021-11-11T20:13:15.1065886Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c025889f-8102-4ebf-b32c-fc0c6f0c6bd9\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c025889f-8102-4ebf-b32c-fc0c6f0c6bd9\"},{\"properties\":{\"roleName\":\"Azure - Kubernetes Service Cluster Admin Role\",\"type\":\"BuiltInRole\",\"description\":\"List - cluster admin credential action.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerService/managedClusters/listClusterAdminCredential/action\",\"Microsoft.ContainerService/managedClusters/accessProfiles/listCredential/action\",\"Microsoft.ContainerService/managedClusters/read\",\"Microsoft.ContainerService/managedClusters/runcommand/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-08-15T21:38:18.5953853Z\",\"updatedOn\":\"2022-05-16T21:40:14.0457546Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0ab0b1a8-8aac-4efd-b8c2-3ee1fb270be8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0ab0b1a8-8aac-4efd-b8c2-3ee1fb270be8\"},{\"properties\":{\"roleName\":\"Azure - Kubernetes Service Cluster User Role\",\"type\":\"BuiltInRole\",\"description\":\"List - cluster user credential action.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerService/managedClusters/listClusterUserCredential/action\",\"Microsoft.ContainerService/managedClusters/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-08-15T22:04:53.4037241Z\",\"updatedOn\":\"2021-11-11T20:13:20.4351976Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4abbcc35-e782-43d8-92c5-2d3f1bd2253f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4abbcc35-e782-43d8-92c5-2d3f1bd2253f\"},{\"properties\":{\"roleName\":\"Azure - Maps Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Grants access - to read map related data from an Azure maps account.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Maps/accounts/*/read\"],\"notDataActions\":[]}],\"createdOn\":\"2018-10-05T19:47:03.4723070Z\",\"updatedOn\":\"2021-11-11T20:13:20.9582685Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/423170ca-a8f6-4b0f-8487-9e4eb8f49bfa\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"423170ca-a8f6-4b0f-8487-9e4eb8f49bfa\"},{\"properties\":{\"roleName\":\"Azure - Stack Registration Owner\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you manage Azure Stack registrations.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.AzureStack/edgeSubscriptions/read\",\"Microsoft.AzureStack/registrations/products/*/action\",\"Microsoft.AzureStack/registrations/products/read\",\"Microsoft.AzureStack/registrations/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-11-13T23:42:06.2161827Z\",\"updatedOn\":\"2021-11-11T20:13:23.2957820Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6f12a6df-dd06-4f3e-bcb1-ce8be600526a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6f12a6df-dd06-4f3e-bcb1-ce8be600526a\"},{\"properties\":{\"roleName\":\"Backup - Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage backup - service,but can't create vaults and give access to others\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.RecoveryServices/locations/*\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/operationResults/*\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/*\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/refreshContainers/action\",\"Microsoft.RecoveryServices/Vaults/backupJobs/*\",\"Microsoft.RecoveryServices/Vaults/backupJobsExport/action\",\"Microsoft.RecoveryServices/Vaults/backupOperationResults/*\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/*\",\"Microsoft.RecoveryServices/Vaults/backupProtectableItems/*\",\"Microsoft.RecoveryServices/Vaults/backupProtectedItems/*\",\"Microsoft.RecoveryServices/Vaults/backupProtectionContainers/*\",\"Microsoft.RecoveryServices/Vaults/backupSecurityPIN/*\",\"Microsoft.RecoveryServices/Vaults/backupUsageSummaries/read\",\"Microsoft.RecoveryServices/Vaults/certificates/*\",\"Microsoft.RecoveryServices/Vaults/extendedInformation/*\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/read\",\"Microsoft.RecoveryServices/Vaults/monitoringConfigurations/*\",\"Microsoft.RecoveryServices/Vaults/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/*\",\"Microsoft.RecoveryServices/Vaults/usages/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.RecoveryServices/Vaults/backupstorageconfig/*\",\"Microsoft.RecoveryServices/Vaults/backupconfig/*\",\"Microsoft.RecoveryServices/Vaults/backupValidateOperation/action\",\"Microsoft.RecoveryServices/Vaults/write\",\"Microsoft.RecoveryServices/Vaults/backupOperations/read\",\"Microsoft.RecoveryServices/Vaults/backupEngines/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/backupProtectionIntent/*\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectableContainers/read\",\"Microsoft.RecoveryServices/locations/backupStatus/action\",\"Microsoft.RecoveryServices/locations/backupPreValidateProtection/action\",\"Microsoft.RecoveryServices/locations/backupValidateFeatures/action\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/write\",\"Microsoft.RecoveryServices/operations/read\",\"Microsoft.RecoveryServices/locations/operationStatus/read\",\"Microsoft.RecoveryServices/Vaults/backupProtectionIntents/read\",\"Microsoft.Support/*\",\"Microsoft.DataProtection/locations/getBackupStatus/action\",\"Microsoft.DataProtection/backupVaults/backupInstances/write\",\"Microsoft.DataProtection/backupVaults/backupInstances/delete\",\"Microsoft.DataProtection/backupVaults/backupInstances/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/backup/action\",\"Microsoft.DataProtection/backupVaults/backupInstances/validateRestore/action\",\"Microsoft.DataProtection/backupVaults/backupInstances/restore/action\",\"Microsoft.DataProtection/backupVaults/backupPolicies/write\",\"Microsoft.DataProtection/backupVaults/backupPolicies/delete\",\"Microsoft.DataProtection/backupVaults/backupPolicies/read\",\"Microsoft.DataProtection/backupVaults/backupPolicies/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/findRestorableTimeRanges/action\",\"Microsoft.DataProtection/backupVaults/write\",\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/backupVaults/operationResults/read\",\"Microsoft.DataProtection/locations/checkNameAvailability/action\",\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/locations/operationStatus/read\",\"Microsoft.DataProtection/locations/operationResults/read\",\"Microsoft.DataProtection/backupVaults/validateForBackup/action\",\"Microsoft.DataProtection/operations/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-01-03T13:12:15.7321344Z\",\"updatedOn\":\"2022-07-25T15:10:35.9457674Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5e467623-bb1f-42f4-a55d-6e525e11384b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5e467623-bb1f-42f4-a55d-6e525e11384b\"},{\"properties\":{\"roleName\":\"Billing - Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows read access to - billing data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Billing/*/read\",\"Microsoft.Commerce/*/read\",\"Microsoft.Consumption/*/read\",\"Microsoft.Management/managementGroups/read\",\"Microsoft.CostManagement/*/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-04-25T02:13:38.9054151Z\",\"updatedOn\":\"2021-11-11T20:13:24.5342563Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fa23ad8b-c56e-40d8-ac0c-ce449e1d2c64\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fa23ad8b-c56e-40d8-ac0c-ce449e1d2c64\"},{\"properties\":{\"roleName\":\"Backup - Operator\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage backup - services, except removal of backup, vault creation and giving access to others\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/backup/action\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/operationsStatus/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/recoveryPoints/provisionInstantItemRecovery/action\",\"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/recoveryPoints/accessToken/action\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/recoveryPoints/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/recoveryPoints/restore/action\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/recoveryPoints/revokeInstantItemRecovery/action\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/write\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/refreshContainers/action\",\"Microsoft.RecoveryServices/Vaults/backupJobs/*\",\"Microsoft.RecoveryServices/Vaults/backupJobsExport/action\",\"Microsoft.RecoveryServices/Vaults/backupOperationResults/*\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/read\",\"Microsoft.RecoveryServices/Vaults/backupProtectableItems/*\",\"Microsoft.RecoveryServices/Vaults/backupProtectedItems/read\",\"Microsoft.RecoveryServices/Vaults/backupProtectionContainers/read\",\"Microsoft.RecoveryServices/Vaults/backupUsageSummaries/read\",\"Microsoft.RecoveryServices/Vaults/certificates/write\",\"Microsoft.RecoveryServices/Vaults/extendedInformation/read\",\"Microsoft.RecoveryServices/Vaults/extendedInformation/write\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/read\",\"Microsoft.RecoveryServices/Vaults/monitoringConfigurations/*\",\"Microsoft.RecoveryServices/Vaults/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/write\",\"Microsoft.RecoveryServices/Vaults/usages/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.RecoveryServices/Vaults/backupstorageconfig/*\",\"Microsoft.RecoveryServices/Vaults/backupValidateOperation/action\",\"Microsoft.RecoveryServices/Vaults/backupTriggerValidateOperation/action\",\"Microsoft.RecoveryServices/Vaults/backupValidateOperationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupValidateOperationsStatuses/read\",\"Microsoft.RecoveryServices/Vaults/backupOperations/read\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/operations/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/write\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/inquire/action\",\"Microsoft.RecoveryServices/Vaults/backupEngines/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/backupProtectionIntent/write\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/backupProtectionIntent/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectableContainers/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/items/read\",\"Microsoft.RecoveryServices/locations/backupStatus/action\",\"Microsoft.RecoveryServices/locations/backupPreValidateProtection/action\",\"Microsoft.RecoveryServices/locations/backupValidateFeatures/action\",\"Microsoft.RecoveryServices/locations/backupAadProperties/read\",\"Microsoft.RecoveryServices/locations/backupCrrJobs/action\",\"Microsoft.RecoveryServices/locations/backupCrrJob/action\",\"Microsoft.RecoveryServices/locations/backupCrossRegionRestore/action\",\"Microsoft.RecoveryServices/locations/backupCrrOperationResults/read\",\"Microsoft.RecoveryServices/locations/backupCrrOperationsStatus/read\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/write\",\"Microsoft.RecoveryServices/operations/read\",\"Microsoft.RecoveryServices/locations/operationStatus/read\",\"Microsoft.RecoveryServices/Vaults/backupProtectionIntents/read\",\"Microsoft.Support/*\",\"Microsoft.DataProtection/backupVaults/backupInstances/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/read\",\"Microsoft.DataProtection/backupVaults/backupPolicies/read\",\"Microsoft.DataProtection/backupVaults/backupPolicies/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/findRestorableTimeRanges/action\",\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/backupVaults/operationResults/read\",\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/locations/operationStatus/read\",\"Microsoft.DataProtection/locations/operationResults/read\",\"Microsoft.DataProtection/providers/operations/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-01-03T13:21:11.8947640Z\",\"updatedOn\":\"2021-12-16T12:53:00.0624003Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/00c29273-979b-4161-815c-10b084fb9324\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"00c29273-979b-4161-815c-10b084fb9324\"},{\"properties\":{\"roleName\":\"Backup - Reader\",\"type\":\"BuiltInRole\",\"description\":\"Can view backup services, - but can't make changes\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.RecoveryServices/locations/allocatedStamp/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/operationsStatus/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/recoveryPoints/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/read\",\"Microsoft.RecoveryServices/Vaults/backupJobs/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupJobs/read\",\"Microsoft.RecoveryServices/Vaults/backupJobsExport/action\",\"Microsoft.RecoveryServices/Vaults/backupOperationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/read\",\"Microsoft.RecoveryServices/Vaults/backupProtectedItems/read\",\"Microsoft.RecoveryServices/Vaults/backupProtectionContainers/read\",\"Microsoft.RecoveryServices/Vaults/backupUsageSummaries/read\",\"Microsoft.RecoveryServices/Vaults/extendedInformation/read\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/read\",\"Microsoft.RecoveryServices/Vaults/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/read\",\"Microsoft.RecoveryServices/Vaults/backupstorageconfig/read\",\"Microsoft.RecoveryServices/Vaults/backupconfig/read\",\"Microsoft.RecoveryServices/Vaults/backupOperations/read\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/operations/read\",\"Microsoft.RecoveryServices/Vaults/backupEngines/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/backupProtectionIntent/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/items/read\",\"Microsoft.RecoveryServices/locations/backupStatus/action\",\"Microsoft.RecoveryServices/Vaults/monitoringConfigurations/*\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/write\",\"Microsoft.RecoveryServices/operations/read\",\"Microsoft.RecoveryServices/locations/operationStatus/read\",\"Microsoft.RecoveryServices/Vaults/backupProtectionIntents/read\",\"Microsoft.RecoveryServices/Vaults/usages/read\",\"Microsoft.RecoveryServices/locations/backupValidateFeatures/action\",\"Microsoft.RecoveryServices/locations/backupCrrJobs/action\",\"Microsoft.RecoveryServices/locations/backupCrrJob/action\",\"Microsoft.RecoveryServices/locations/backupCrrOperationResults/read\",\"Microsoft.RecoveryServices/locations/backupCrrOperationsStatus/read\",\"Microsoft.DataProtection/locations/getBackupStatus/action\",\"Microsoft.DataProtection/backupVaults/backupInstances/write\",\"Microsoft.DataProtection/backupVaults/backupInstances/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/backup/action\",\"Microsoft.DataProtection/backupVaults/backupInstances/validateRestore/action\",\"Microsoft.DataProtection/backupVaults/backupInstances/restore/action\",\"Microsoft.DataProtection/backupVaults/backupPolicies/read\",\"Microsoft.DataProtection/backupVaults/backupPolicies/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/findRestorableTimeRanges/action\",\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/backupVaults/operationResults/read\",\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/locations/operationStatus/read\",\"Microsoft.DataProtection/locations/operationResults/read\",\"Microsoft.DataProtection/backupVaults/validateForBackup/action\",\"Microsoft.DataProtection/providers/operations/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-01-03T13:18:41.3893065Z\",\"updatedOn\":\"2021-11-11T20:13:24.8792711Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a795c7a0-d4a2-40c1-ae25-d81f01202912\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a795c7a0-d4a2-40c1-ae25-d81f01202912\"},{\"properties\":{\"roleName\":\"Blockchain - Member Node Access (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Allows - for access to Blockchain Member nodes\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Blockchain/blockchainMembers/transactionNodes/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Blockchain/blockchainMembers/transactionNodes/connect/action\"],\"notDataActions\":[]}],\"createdOn\":\"2018-12-21T10:33:01.9604839Z\",\"updatedOn\":\"2021-11-11T20:13:25.0558920Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/31a002a1-acaf-453e-8a5b-297c9ca1ea24\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"31a002a1-acaf-453e-8a5b-297c9ca1ea24\"},{\"properties\":{\"roleName\":\"BizTalk - Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage BizTalk - services, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.BizTalkServices/BizTalk/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:25.2359269Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5e3c6656-6cfa-4708-81fe-0de47ac73342\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5e3c6656-6cfa-4708-81fe-0de47ac73342\"},{\"properties\":{\"roleName\":\"CDN - Endpoint Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can manage - CDN endpoints, but can\u2019t grant access to other users.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Cdn/edgenodes/read\",\"Microsoft.Cdn/operationresults/*\",\"Microsoft.Cdn/profiles/endpoints/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-01-23T02:48:46.4996252Z\",\"updatedOn\":\"2021-11-11T20:13:25.4059314Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/426e0c7f-0c7e-4658-b36f-ff54d6c29b45\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"426e0c7f-0c7e-4658-b36f-ff54d6c29b45\"},{\"properties\":{\"roleName\":\"CDN - Endpoint Reader\",\"type\":\"BuiltInRole\",\"description\":\"Can view CDN - endpoints, but can\u2019t make changes.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Cdn/edgenodes/read\",\"Microsoft.Cdn/operationresults/*\",\"Microsoft.Cdn/profiles/endpoints/*/read\",\"Microsoft.Cdn/profiles/afdendpoints/validateCustomDomain/action\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-01-23T02:48:46.4996252Z\",\"updatedOn\":\"2022-01-26T19:51:29.2636610Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/871e35f6-b5c1-49cc-a043-bde969a0f2cd\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"871e35f6-b5c1-49cc-a043-bde969a0f2cd\"},{\"properties\":{\"roleName\":\"CDN - Profile Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can manage - CDN profiles and their endpoints, but can\u2019t grant access to other users.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Cdn/edgenodes/read\",\"Microsoft.Cdn/operationresults/*\",\"Microsoft.Cdn/profiles/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-01-23T02:48:46.4996252Z\",\"updatedOn\":\"2021-11-11T20:13:25.9224344Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ec156ff8-a8d1-4d15-830c-5b80698ca432\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ec156ff8-a8d1-4d15-830c-5b80698ca432\"},{\"properties\":{\"roleName\":\"CDN - Profile Reader\",\"type\":\"BuiltInRole\",\"description\":\"Can view CDN profiles - and their endpoints, but can\u2019t make changes.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Cdn/edgenodes/read\",\"Microsoft.Cdn/operationresults/*\",\"Microsoft.Cdn/profiles/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-01-23T02:48:46.4996252Z\",\"updatedOn\":\"2021-11-11T20:13:26.0983652Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8f96442b-4075-438f-813d-ad51ab4019af\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8f96442b-4075-438f-813d-ad51ab4019af\"},{\"properties\":{\"roleName\":\"Classic - Network Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - manage classic networks, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.ClassicNetwork/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:26.4433301Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b34d265f-36f7-4a0d-a4d4-e158ca92e90f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b34d265f-36f7-4a0d-a4d4-e158ca92e90f\"},{\"properties\":{\"roleName\":\"Classic - Storage Account Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you manage classic storage accounts, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.ClassicStorage/storageAccounts/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:26.6183566Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/86e8f5dc-a6e9-4c67-9d15-de283e8eac25\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"86e8f5dc-a6e9-4c67-9d15-de283e8eac25\"},{\"properties\":{\"roleName\":\"Classic - Storage Account Key Operator Service Role\",\"type\":\"BuiltInRole\",\"description\":\"Classic - Storage Account Key Operators are allowed to list and regenerate keys on Classic - Storage Accounts\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ClassicStorage/storageAccounts/listkeys/action\",\"Microsoft.ClassicStorage/storageAccounts/regeneratekey/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-04-13T18:22:52.1461100Z\",\"updatedOn\":\"2021-11-11T20:13:26.9796021Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/985d6b00-f706-48f5-a6fe-d0ca12fb668d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"985d6b00-f706-48f5-a6fe-d0ca12fb668d\"},{\"properties\":{\"roleName\":\"ClearDB - MySQL DB Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - manage ClearDB MySQL databases, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"successbricks.cleardb/databases/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:27.1646373Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9106cda0-8a86-4e81-b686-29a22c54effe\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"9106cda0-8a86-4e81-b686-29a22c54effe\"},{\"properties\":{\"roleName\":\"Classic - Virtual Machine Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you manage classic virtual machines, but not access to them, and not the virtual - network or storage account they\u2019re connected to.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.ClassicCompute/domainNames/*\",\"Microsoft.ClassicCompute/virtualMachines/*\",\"Microsoft.ClassicNetwork/networkSecurityGroups/join/action\",\"Microsoft.ClassicNetwork/reservedIps/link/action\",\"Microsoft.ClassicNetwork/reservedIps/read\",\"Microsoft.ClassicNetwork/virtualNetworks/join/action\",\"Microsoft.ClassicNetwork/virtualNetworks/read\",\"Microsoft.ClassicStorage/storageAccounts/disks/read\",\"Microsoft.ClassicStorage/storageAccounts/images/read\",\"Microsoft.ClassicStorage/storageAccounts/listKeys/action\",\"Microsoft.ClassicStorage/storageAccounts/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-04-25T00:37:56.5416086Z\",\"updatedOn\":\"2021-11-11T20:13:27.3446332Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d73bb868-a0df-4d4d-bd69-98a00b01fccb\"},{\"properties\":{\"roleName\":\"Cognitive - Services User\",\"type\":\"BuiltInRole\",\"description\":\"Lets you read and - list keys of Cognitive Services.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.CognitiveServices/accounts/listkeys/action\",\"Microsoft.Insights/alertRules/read\",\"Microsoft.Insights/diagnosticSettings/read\",\"Microsoft.Insights/logDefinitions/read\",\"Microsoft.Insights/metricdefinitions/read\",\"Microsoft.Insights/metrics/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/*\"],\"notDataActions\":[]}],\"createdOn\":\"2018-08-08T23:23:43.7701274Z\",\"updatedOn\":\"2021-11-11T20:13:27.5316443Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a97b65f3-24c7-4388-baec-2e87135dc908\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a97b65f3-24c7-4388-baec-2e87135dc908\"},{\"properties\":{\"roleName\":\"Cognitive - Services Data Reader (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you read Cognitive Services data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/*/read\"],\"notDataActions\":[]}],\"createdOn\":\"2019-02-13T20:02:12.6849986Z\",\"updatedOn\":\"2021-11-11T20:13:27.7138054Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b59867f0-fa02-499b-be73-45a86b5b3e1c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b59867f0-fa02-499b-be73-45a86b5b3e1c\"},{\"properties\":{\"roleName\":\"Cognitive - Services Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - create, read, update, delete and manage keys of Cognitive Services.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.CognitiveServices/*\",\"Microsoft.Features/features/read\",\"Microsoft.Features/providers/features/read\",\"Microsoft.Features/providers/features/register/action\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/diagnosticSettings/*\",\"Microsoft.Insights/logDefinitions/read\",\"Microsoft.Insights/metricdefinitions/read\",\"Microsoft.Insights/metrics/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-08-08T23:18:39.2257848Z\",\"updatedOn\":\"2021-11-11T20:13:27.9116230Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/25fbc0a9-bd7c-42a3-aa1a-3b75d497ee68\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"25fbc0a9-bd7c-42a3-aa1a-3b75d497ee68\"},{\"properties\":{\"roleName\":\"CosmosBackupOperator\",\"type\":\"BuiltInRole\",\"description\":\"Can - submit restore request for a Cosmos DB database or a container for an account\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DocumentDB/databaseAccounts/backup/action\",\"Microsoft.DocumentDB/databaseAccounts/restore/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-12-07T19:47:14.9651560Z\",\"updatedOn\":\"2021-11-11T20:13:28.4333692Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/db7b14f2-5adf-42da-9f96-f2ee17bab5cb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"db7b14f2-5adf-42da-9f96-f2ee17bab5cb\"},{\"properties\":{\"roleName\":\"Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Grants - full access to manage all resources, but does not allow you to assign roles - in Azure RBAC, manage assignments in Azure Blueprints, or share image galleries.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*\"],\"notActions\":[\"Microsoft.Authorization/*/Delete\",\"Microsoft.Authorization/*/Write\",\"Microsoft.Authorization/elevateAccess/Action\",\"Microsoft.Blueprint/blueprintAssignments/write\",\"Microsoft.Blueprint/blueprintAssignments/delete\",\"Microsoft.Compute/galleries/share/action\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:28.6061853Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b24988ac-6180-42a0-ab88-20f7382dd24c\"},{\"properties\":{\"roleName\":\"Cosmos - DB Account Reader Role\",\"type\":\"BuiltInRole\",\"description\":\"Can read - Azure Cosmos DB Accounts data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.DocumentDB/*/read\",\"Microsoft.DocumentDB/databaseAccounts/readonlykeys/action\",\"Microsoft.Insights/MetricDefinitions/read\",\"Microsoft.Insights/Metrics/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-10-30T17:53:54.6005577Z\",\"updatedOn\":\"2021-11-11T20:13:28.7911765Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fbdf93bf-df7d-467e-a4d2-9458aa1360c8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fbdf93bf-df7d-467e-a4d2-9458aa1360c8\"},{\"properties\":{\"roleName\":\"Cost - Management Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can view - costs and manage cost configuration (e.g. budgets, exports)\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Consumption/*\",\"Microsoft.CostManagement/*\",\"Microsoft.Billing/billingPeriods/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Advisor/configurations/read\",\"Microsoft.Advisor/recommendations/read\",\"Microsoft.Management/managementGroups/read\",\"Microsoft.Billing/billingProperty/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-03-14T16:09:22.8834827Z\",\"updatedOn\":\"2021-11-11T20:13:29.4851851Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/434105ed-43f6-45c7-a02f-909b2ba83430\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"434105ed-43f6-45c7-a02f-909b2ba83430\"},{\"properties\":{\"roleName\":\"Cost - Management Reader\",\"type\":\"BuiltInRole\",\"description\":\"Can view cost - data and configuration (e.g. budgets, exports)\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Consumption/*/read\",\"Microsoft.CostManagement/*/read\",\"Microsoft.Billing/billingPeriods/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Advisor/configurations/read\",\"Microsoft.Advisor/recommendations/read\",\"Microsoft.Management/managementGroups/read\",\"Microsoft.Billing/billingProperty/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-03-14T16:09:22.8834827Z\",\"updatedOn\":\"2021-11-11T20:13:29.6601800Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/72fafb9e-0641-4937-9268-a91bfd8191a3\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"72fafb9e-0641-4937-9268-a91bfd8191a3\"},{\"properties\":{\"roleName\":\"Data - Box Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage - everything under Data Box Service except giving access to others.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Databox/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-07-27T08:28:42.7140210Z\",\"updatedOn\":\"2021-11-11T20:13:30.3737856Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/add466c9-e687-43fc-8d98-dfcf8d720be5\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"add466c9-e687-43fc-8d98-dfcf8d720be5\"},{\"properties\":{\"roleName\":\"Data - Box Reader\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage Data - Box Service except creating order or editing order details and giving access - to others.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Databox/*/read\",\"Microsoft.Databox/jobs/listsecrets/action\",\"Microsoft.Databox/jobs/listcredentials/action\",\"Microsoft.Databox/locations/availableSkus/action\",\"Microsoft.Databox/locations/validateInputs/action\",\"Microsoft.Databox/locations/regionConfiguration/action\",\"Microsoft.Databox/locations/validateAddress/action\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-07-27T08:26:21.9284772Z\",\"updatedOn\":\"2021-11-11T20:13:30.5546117Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/028f4ed7-e2a9-465e-a8f4-9c0ffdfdc027\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"028f4ed7-e2a9-465e-a8f4-9c0ffdfdc027\"},{\"properties\":{\"roleName\":\"Data - Factory Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Create and - manage data factories, as well as child resources within them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.DataFactory/dataFactories/*\",\"Microsoft.DataFactory/factories/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.EventGrid/eventSubscriptions/write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:30.7420174Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/673868aa-7521-48a0-acc6-0f60742d39f5\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"673868aa-7521-48a0-acc6-0f60742d39f5\"},{\"properties\":{\"roleName\":\"Data - Purger\",\"type\":\"BuiltInRole\",\"description\":\"Can purge analytics data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Insights/components/*/read\",\"Microsoft.Insights/components/purge/action\",\"Microsoft.OperationalInsights/workspaces/*/read\",\"Microsoft.OperationalInsights/workspaces/purge/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-04-30T22:39:49.6167700Z\",\"updatedOn\":\"2021-11-11T20:13:31.2788395Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/150f5e0c-0603-4f03-8c7f-cf70034c4e90\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"150f5e0c-0603-4f03-8c7f-cf70034c4e90\"},{\"properties\":{\"roleName\":\"Data - Lake Analytics Developer\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you submit, monitor, and manage your own jobs but not create or delete Data - Lake Analytics accounts.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.BigAnalytics/accounts/*\",\"Microsoft.DataLakeAnalytics/accounts/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[\"Microsoft.BigAnalytics/accounts/Delete\",\"Microsoft.BigAnalytics/accounts/TakeOwnership/action\",\"Microsoft.BigAnalytics/accounts/Write\",\"Microsoft.DataLakeAnalytics/accounts/Delete\",\"Microsoft.DataLakeAnalytics/accounts/TakeOwnership/action\",\"Microsoft.DataLakeAnalytics/accounts/Write\",\"Microsoft.DataLakeAnalytics/accounts/dataLakeStoreAccounts/Write\",\"Microsoft.DataLakeAnalytics/accounts/dataLakeStoreAccounts/Delete\",\"Microsoft.DataLakeAnalytics/accounts/storageAccounts/Write\",\"Microsoft.DataLakeAnalytics/accounts/storageAccounts/Delete\",\"Microsoft.DataLakeAnalytics/accounts/firewallRules/Write\",\"Microsoft.DataLakeAnalytics/accounts/firewallRules/Delete\",\"Microsoft.DataLakeAnalytics/accounts/computePolicies/Write\",\"Microsoft.DataLakeAnalytics/accounts/computePolicies/Delete\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-10-20T00:33:29.3115234Z\",\"updatedOn\":\"2021-11-11T20:13:31.4688491Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/47b7735b-770e-4598-a7da-8b91488b4c88\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"47b7735b-770e-4598-a7da-8b91488b4c88\"},{\"properties\":{\"roleName\":\"DevTest - Labs User\",\"type\":\"BuiltInRole\",\"description\":\"Lets you connect, start, - restart, and shutdown your virtual machines in your Azure DevTest Labs.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Compute/availabilitySets/read\",\"Microsoft.Compute/virtualMachines/*/read\",\"Microsoft.Compute/virtualMachines/deallocate/action\",\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Compute/virtualMachines/restart/action\",\"Microsoft.Compute/virtualMachines/start/action\",\"Microsoft.DevTestLab/*/read\",\"Microsoft.DevTestLab/labs/claimAnyVm/action\",\"Microsoft.DevTestLab/labs/createEnvironment/action\",\"Microsoft.DevTestLab/labs/ensureCurrentUserProfile/action\",\"Microsoft.DevTestLab/labs/formulas/delete\",\"Microsoft.DevTestLab/labs/formulas/read\",\"Microsoft.DevTestLab/labs/formulas/write\",\"Microsoft.DevTestLab/labs/policySets/evaluatePolicies/action\",\"Microsoft.DevTestLab/labs/virtualMachines/claim/action\",\"Microsoft.DevTestLab/labs/virtualmachines/listApplicableSchedules/action\",\"Microsoft.DevTestLab/labs/virtualMachines/getRdpFileContents/action\",\"Microsoft.Network/loadBalancers/backendAddressPools/join/action\",\"Microsoft.Network/loadBalancers/inboundNatRules/join/action\",\"Microsoft.Network/networkInterfaces/*/read\",\"Microsoft.Network/networkInterfaces/join/action\",\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Network/networkInterfaces/write\",\"Microsoft.Network/publicIPAddresses/*/read\",\"Microsoft.Network/publicIPAddresses/join/action\",\"Microsoft.Network/publicIPAddresses/read\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/listKeys/action\"],\"notActions\":[\"Microsoft.Compute/virtualMachines/vmSizes/read\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-06-08T21:52:45.0657582Z\",\"updatedOn\":\"2021-11-11T20:13:32.1746507Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/76283e04-6283-4c54-8f91-bcf1374a3c64\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"76283e04-6283-4c54-8f91-bcf1374a3c64\"},{\"properties\":{\"roleName\":\"DocumentDB - Account Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - manage DocumentDB accounts, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.DocumentDb/databaseAccounts/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Network/virtualNetworks/subnets/joinViaServiceEndpoint/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:32.3496502Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5bd9cd88-fe45-4216-938b-f97437e15450\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5bd9cd88-fe45-4216-938b-f97437e15450\"},{\"properties\":{\"roleName\":\"DNS - Zone Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage - DNS zones and record sets in Azure DNS, but does not let you control who has - access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Network/dnsZones/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-10-15T23:33:25.9730842Z\",\"updatedOn\":\"2021-11-11T20:13:32.5233957Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/befefa01-2a29-4197-83a8-272ff33ce314\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"befefa01-2a29-4197-83a8-272ff33ce314\"},{\"properties\":{\"roleName\":\"EventGrid - EventSubscription Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you manage EventGrid event subscription operations.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.EventGrid/eventSubscriptions/*\",\"Microsoft.EventGrid/topicTypes/eventSubscriptions/read\",\"Microsoft.EventGrid/locations/eventSubscriptions/read\",\"Microsoft.EventGrid/locations/topicTypes/eventSubscriptions/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-10-08T23:27:28.3130743Z\",\"updatedOn\":\"2021-11-11T20:13:33.4166738Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/428e0ff0-5e57-4d9c-a221-2c70d0e0a443\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"428e0ff0-5e57-4d9c-a221-2c70d0e0a443\"},{\"properties\":{\"roleName\":\"EventGrid - EventSubscription Reader\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you read EventGrid event subscriptions.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.EventGrid/eventSubscriptions/read\",\"Microsoft.EventGrid/topicTypes/eventSubscriptions/read\",\"Microsoft.EventGrid/locations/eventSubscriptions/read\",\"Microsoft.EventGrid/locations/topicTypes/eventSubscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-10-09T17:29:28.1417894Z\",\"updatedOn\":\"2021-11-11T20:13:33.7846748Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2414bbcf-6497-4faf-8c65-045460748405\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2414bbcf-6497-4faf-8c65-045460748405\"},{\"properties\":{\"roleName\":\"Graph - Owner\",\"type\":\"BuiltInRole\",\"description\":\"Create and manage all aspects - of the Enterprise Graph - Ontology, Schema mapping, Conflation and Conversational - AI and Ingestions\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.EnterpriseKnowledgeGraph/services/conflation/read\",\"Microsoft.EnterpriseKnowledgeGraph/services/conflation/write\",\"Microsoft.EnterpriseKnowledgeGraph/services/sourceschema/read\",\"Microsoft.EnterpriseKnowledgeGraph/services/sourceschema/write\",\"Microsoft.EnterpriseKnowledgeGraph/services/knowledge/read\",\"Microsoft.EnterpriseKnowledgeGraph/services/knowledge/write\",\"Microsoft.EnterpriseKnowledgeGraph/services/intentclassification/read\",\"Microsoft.EnterpriseKnowledgeGraph/services/intentclassification/write\",\"Microsoft.EnterpriseKnowledgeGraph/services/ingestion/read\",\"Microsoft.EnterpriseKnowledgeGraph/services/ingestion/write\",\"Microsoft.EnterpriseKnowledgeGraph/services/ontology/read\",\"Microsoft.EnterpriseKnowledgeGraph/services/ontology/write\",\"Microsoft.EnterpriseKnowledgeGraph/services/delete\",\"Microsoft.EnterpriseKnowledgeGraph/operations/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-02-23T21:07:22.5844236Z\",\"updatedOn\":\"2021-11-11T20:13:34.6707886Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b60367af-1334-4454-b71e-769d9a4f83d9\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b60367af-1334-4454-b71e-769d9a4f83d9\"},{\"properties\":{\"roleName\":\"HDInsight - Domain Services Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can - Read, Create, Modify and Delete Domain Services related operations needed - for HDInsight Enterprise Security Package\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.AAD/*/read\",\"Microsoft.AAD/domainServices/*/read\",\"Microsoft.AAD/domainServices/oucontainer/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-09-12T22:42:51.7451109Z\",\"updatedOn\":\"2021-11-11T20:13:35.3921342Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8d8d5a11-05d3-4bda-a417-a08778121c7c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8d8d5a11-05d3-4bda-a417-a08778121c7c\"},{\"properties\":{\"roleName\":\"Intelligent - Systems Account Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you manage Intelligent Systems accounts, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.IntelligentSystems/accounts/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:35.9371582Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/03a6d094-3444-4b3d-88af-7477090a9e5e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"03a6d094-3444-4b3d-88af-7477090a9e5e\"},{\"properties\":{\"roleName\":\"Key - Vault Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage - key vaults, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.KeyVault/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[\"Microsoft.KeyVault/locations/deletedVaults/purge/action\",\"Microsoft.KeyVault/hsmPools/*\",\"Microsoft.KeyVault/managedHsms/*\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-02-25T17:08:28.5184971Z\",\"updatedOn\":\"2021-11-11T20:13:36.1170988Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f25e0fa2-a7c8-4377-a976-54943a77a395\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f25e0fa2-a7c8-4377-a976-54943a77a395\"},{\"properties\":{\"roleName\":\"Knowledge - Consumer\",\"type\":\"BuiltInRole\",\"description\":\"Knowledge Read permission - to consume Enterprise Graph Knowledge using entity search and graph query\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.EnterpriseKnowledgeGraph/services/knowledge/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-02-23T21:23:31.4037552Z\",\"updatedOn\":\"2021-11-11T20:13:37.0021342Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ee361c5d-f7b5-4119-b4b6-892157c8f64c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ee361c5d-f7b5-4119-b4b6-892157c8f64c\"},{\"properties\":{\"roleName\":\"Lab - Creator\",\"type\":\"BuiltInRole\",\"description\":\"Lets you create new labs - under your Azure Lab Accounts.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.LabServices/labAccounts/*/read\",\"Microsoft.LabServices/labAccounts/createLab/action\",\"Microsoft.LabServices/labAccounts/getPricingAndAvailability/action\",\"Microsoft.LabServices/labAccounts/getRestrictionsAndUsage/action\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.LabServices/labPlans/images/read\",\"Microsoft.LabServices/labPlans/read\",\"Microsoft.LabServices/labPlans/saveImage/action\",\"Microsoft.LabServices/labs/read\",\"Microsoft.LabServices/labs/schedules/read\",\"Microsoft.LabServices/labs/users/read\",\"Microsoft.LabServices/labs/virtualMachines/read\",\"Microsoft.LabServices/locations/usages/read\",\"Microsoft.LabServices/skus/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.LabServices/labPlans/createLab/action\"],\"notDataActions\":[]}],\"createdOn\":\"2018-01-18T23:38:58.1036141Z\",\"updatedOn\":\"2021-11-11T20:13:37.1821588Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b97fb8bc-a8b2-4522-a38b-dd33c7e65ead\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b97fb8bc-a8b2-4522-a38b-dd33c7e65ead\"},{\"properties\":{\"roleName\":\"Log - Analytics Reader\",\"type\":\"BuiltInRole\",\"description\":\"Log Analytics - Reader can view and search all monitoring data as well as and view monitoring - settings, including viewing the configuration of Azure diagnostics on all - Azure resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.OperationalInsights/workspaces/analytics/query/action\",\"Microsoft.OperationalInsights/workspaces/search/action\",\"Microsoft.Support/*\"],\"notActions\":[\"Microsoft.OperationalInsights/workspaces/sharedKeys/read\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-05-02T00:20:28.1449012Z\",\"updatedOn\":\"2021-11-11T20:13:37.7071371Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/73c42c96-874c-492b-b04d-ab87d138a893\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"73c42c96-874c-492b-b04d-ab87d138a893\"},{\"properties\":{\"roleName\":\"Log - Analytics Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Log Analytics - Contributor can read all monitoring data and edit monitoring settings. Editing - monitoring settings includes adding the VM extension to VMs; reading storage - account keys to be able to configure collection of logs from Azure Storage; - adding solutions; and configuring Azure diagnostics on all Azure resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.ClassicCompute/virtualMachines/extensions/*\",\"Microsoft.ClassicStorage/storageAccounts/listKeys/action\",\"Microsoft.Compute/virtualMachines/extensions/*\",\"Microsoft.HybridCompute/machines/extensions/write\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/diagnosticSettings/*\",\"Microsoft.OperationalInsights/*\",\"Microsoft.OperationsManagement/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/*\",\"Microsoft.Storage/storageAccounts/listKeys/action\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-04-25T21:51:45.3174711Z\",\"updatedOn\":\"2021-11-11T20:13:37.8823618Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/92aaf0da-9dab-42b6-94a3-d43ce8d16293\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"92aaf0da-9dab-42b6-94a3-d43ce8d16293\"},{\"properties\":{\"roleName\":\"Logic - App Operator\",\"type\":\"BuiltInRole\",\"description\":\"Lets you read, enable - and disable logic app.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*/read\",\"Microsoft.Insights/metricAlerts/*/read\",\"Microsoft.Insights/diagnosticSettings/*/read\",\"Microsoft.Insights/metricDefinitions/*/read\",\"Microsoft.Logic/*/read\",\"Microsoft.Logic/workflows/disable/action\",\"Microsoft.Logic/workflows/enable/action\",\"Microsoft.Logic/workflows/validate/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Web/connectionGateways/*/read\",\"Microsoft.Web/connections/*/read\",\"Microsoft.Web/customApis/*/read\",\"Microsoft.Web/serverFarms/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-04-28T21:33:30.4656007Z\",\"updatedOn\":\"2021-11-11T20:13:38.0573444Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/515c2055-d9d4-4321-b1b9-bd0c9a0f79fe\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"515c2055-d9d4-4321-b1b9-bd0c9a0f79fe\"},{\"properties\":{\"roleName\":\"Logic - App Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage - logic app, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.ClassicStorage/storageAccounts/listKeys/action\",\"Microsoft.ClassicStorage/storageAccounts/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/metricAlerts/*\",\"Microsoft.Insights/diagnosticSettings/*\",\"Microsoft.Insights/logdefinitions/*\",\"Microsoft.Insights/metricDefinitions/*\",\"Microsoft.Logic/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/listkeys/action\",\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.Support/*\",\"Microsoft.Web/connectionGateways/*\",\"Microsoft.Web/connections/*\",\"Microsoft.Web/customApis/*\",\"Microsoft.Web/serverFarms/join/action\",\"Microsoft.Web/serverFarms/read\",\"Microsoft.Web/sites/functions/listSecrets/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-04-28T21:33:30.4656007Z\",\"updatedOn\":\"2021-11-11T20:13:38.2523833Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/87a39d53-fc1b-424a-814c-f7e04687dc9e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"87a39d53-fc1b-424a-814c-f7e04687dc9e\"},{\"properties\":{\"roleName\":\"Managed - Application Operator Role\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you read and perform actions on Managed Application resources\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.Solutions/applications/read\",\"Microsoft.Solutions/*/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-07-27T00:59:33.7988813Z\",\"updatedOn\":\"2021-11-11T20:13:38.5973763Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c7393b34-138c-406f-901b-d8cf2b17e6ae\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c7393b34-138c-406f-901b-d8cf2b17e6ae\"},{\"properties\":{\"roleName\":\"Managed - Applications Reader\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - read resources in a managed app and request JIT access.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Solutions/jitRequests/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-09-06T00:33:58.3651522Z\",\"updatedOn\":\"2021-11-11T20:13:38.7723523Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b9331d33-8a36-4f8c-b097-4f54124fdb44\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b9331d33-8a36-4f8c-b097-4f54124fdb44\"},{\"properties\":{\"roleName\":\"Managed - Identity Operator\",\"type\":\"BuiltInRole\",\"description\":\"Read and Assign - User Assigned Identity\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ManagedIdentity/userAssignedIdentities/*/read\",\"Microsoft.ManagedIdentity/userAssignedIdentities/*/assign/action\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-12-14T19:52:04.3924594Z\",\"updatedOn\":\"2021-11-11T20:13:38.9523759Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f1a07417-d97a-45cb-824c-7a7467783830\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f1a07417-d97a-45cb-824c-7a7467783830\"},{\"properties\":{\"roleName\":\"Managed - Identity Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Create, - Read, Update, and Delete User Assigned Identity\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ManagedIdentity/userAssignedIdentities/read\",\"Microsoft.ManagedIdentity/userAssignedIdentities/write\",\"Microsoft.ManagedIdentity/userAssignedIdentities/delete\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-12-14T19:53:42.8804692Z\",\"updatedOn\":\"2021-11-11T20:13:39.3023761Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e40ec5ca-96e0-45a2-b4ff-59039f2c2b59\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e40ec5ca-96e0-45a2-b4ff-59039f2c2b59\"},{\"properties\":{\"roleName\":\"Management - Group Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Management - Group Contributor Role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Management/managementGroups/delete\",\"Microsoft.Management/managementGroups/read\",\"Microsoft.Management/managementGroups/subscriptions/delete\",\"Microsoft.Management/managementGroups/subscriptions/write\",\"Microsoft.Management/managementGroups/write\",\"Microsoft.Management/managementGroups/subscriptions/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-06-22T00:28:29.0523964Z\",\"updatedOn\":\"2021-11-11T20:13:39.6573851Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5d58bcaf-24a5-4b20-bdb6-eed9f69fbe4c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5d58bcaf-24a5-4b20-bdb6-eed9f69fbe4c\"},{\"properties\":{\"roleName\":\"Management - Group Reader\",\"type\":\"BuiltInRole\",\"description\":\"Management Group - Reader Role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Management/managementGroups/read\",\"Microsoft.Management/managementGroups/subscriptions/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-06-22T00:31:03.4295347Z\",\"updatedOn\":\"2021-11-11T20:13:39.8274007Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ac63b705-f282-497d-ac71-919bf39d939d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ac63b705-f282-497d-ac71-919bf39d939d\"},{\"properties\":{\"roleName\":\"Monitoring - Metrics Publisher\",\"type\":\"BuiltInRole\",\"description\":\"Enables publishing - metrics against Azure resources\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Insights/Register/Action\",\"Microsoft.Support/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Insights/Metrics/Write\",\"Microsoft.Insights/Telemetry/Write\"],\"notDataActions\":[]}],\"createdOn\":\"2018-08-14T00:36:16.5610279Z\",\"updatedOn\":\"2022-01-04T00:38:04.0289073Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3913510d-42f4-4e42-8a64-420c390055eb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3913510d-42f4-4e42-8a64-420c390055eb\"},{\"properties\":{\"roleName\":\"Monitoring - Reader\",\"type\":\"BuiltInRole\",\"description\":\"Can read all monitoring - data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.OperationalInsights/workspaces/search/action\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Monitor/accounts/data/metrics/read\"],\"notDataActions\":[]}],\"createdOn\":\"2016-09-21T19:19:52.4939376Z\",\"updatedOn\":\"2022-07-07T00:23:17.8373589Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/43d0d8ad-25c7-4714-9337-8ba259a9fe05\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"43d0d8ad-25c7-4714-9337-8ba259a9fe05\"},{\"properties\":{\"roleName\":\"Network - Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage networks, - but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Network/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-06-02T00:18:27.3542698Z\",\"updatedOn\":\"2021-11-11T20:13:44.6328966Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4d97b98b-1d4f-4787-a291-c67834d212e7\"},{\"properties\":{\"roleName\":\"Monitoring - Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can read all monitoring - data and update monitoring settings.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.AlertsManagement/alerts/*\",\"Microsoft.AlertsManagement/alertsSummary/*\",\"Microsoft.Insights/actiongroups/*\",\"Microsoft.Insights/activityLogAlerts/*\",\"Microsoft.Insights/AlertRules/*\",\"Microsoft.Insights/components/*\",\"Microsoft.Insights/createNotifications/*\",\"Microsoft.Insights/dataCollectionEndpoints/*\",\"Microsoft.Insights/dataCollectionRules/*\",\"Microsoft.Insights/dataCollectionRuleAssociations/*\",\"Microsoft.Insights/DiagnosticSettings/*\",\"Microsoft.Insights/eventtypes/*\",\"Microsoft.Insights/LogDefinitions/*\",\"Microsoft.Insights/metricalerts/*\",\"Microsoft.Insights/MetricDefinitions/*\",\"Microsoft.Insights/Metrics/*\",\"Microsoft.Insights/notificationStatus/*\",\"Microsoft.Insights/Register/Action\",\"Microsoft.Insights/scheduledqueryrules/*\",\"Microsoft.Insights/webtests/*\",\"Microsoft.Insights/workbooks/*\",\"Microsoft.Insights/workbooktemplates/*\",\"Microsoft.Insights/privateLinkScopes/*\",\"Microsoft.Insights/privateLinkScopeOperationStatuses/*\",\"Microsoft.OperationalInsights/workspaces/write\",\"Microsoft.OperationalInsights/workspaces/intelligencepacks/*\",\"Microsoft.OperationalInsights/workspaces/savedSearches/*\",\"Microsoft.OperationalInsights/workspaces/search/action\",\"Microsoft.OperationalInsights/workspaces/sharedKeys/action\",\"Microsoft.OperationalInsights/workspaces/storageinsightconfigs/*\",\"Microsoft.Support/*\",\"Microsoft.WorkloadMonitor/monitors/*\",\"Microsoft.AlertsManagement/smartDetectorAlertRules/*\",\"Microsoft.AlertsManagement/actionRules/*\",\"Microsoft.AlertsManagement/smartGroups/*\",\"Microsoft.AlertsManagement/migrateFromSmartDetection/*\"],\"notActions\":[],\"dataActions\":[\"microsoft.monitor/accounts/data/metrics/read\"],\"notDataActions\":[]}],\"createdOn\":\"2016-09-21T19:21:08.4345976Z\",\"updatedOn\":\"2022-07-25T15:10:35.9301356Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/749f88d5-cbae-40b8-bcfc-e573ddc772fa\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"749f88d5-cbae-40b8-bcfc-e573ddc772fa\"},{\"properties\":{\"roleName\":\"New - Relic APM Account Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you manage New Relic Application Performance Management accounts and applications, - but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"NewRelic.APM/accounts/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:45.7178576Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5d28c62d-5b37-4476-8438-e587778df237\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5d28c62d-5b37-4476-8438-e587778df237\"},{\"properties\":{\"roleName\":\"Owner\",\"type\":\"BuiltInRole\",\"description\":\"Grants - full access to manage all resources, including the ability to assign roles - in Azure RBAC.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:45.8978856Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8e3af657-a8ff-443c-a75c-2fe8c4bcb635\"},{\"properties\":{\"roleName\":\"Reader\",\"type\":\"BuiltInRole\",\"description\":\"View - all resources, but does not allow you to make any changes.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:47.8628684Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"acdd72a7-3385-48ef-bd42-f606fba81ae7\"},{\"properties\":{\"roleName\":\"Redis - Cache Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage - Redis caches, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Cache/register/action\",\"Microsoft.Cache/redis/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:48.0528671Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e0f68234-74aa-48ed-b826-c38b57376e17\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e0f68234-74aa-48ed-b826-c38b57376e17\"},{\"properties\":{\"roleName\":\"Reader - and Data Access\",\"type\":\"BuiltInRole\",\"description\":\"Lets you view - everything but will not let you delete or create a storage account or contained - resource. It will also allow read/write access to all data contained in a - storage account via access to storage account keys.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/listKeys/action\",\"Microsoft.Storage/storageAccounts/ListAccountSas/action\",\"Microsoft.Storage/storageAccounts/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-03-27T23:20:46.1498906Z\",\"updatedOn\":\"2021-11-11T20:13:48.2278951Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c12c1c16-33a1-487b-954d-41c89c60f349\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c12c1c16-33a1-487b-954d-41c89c60f349\"},{\"properties\":{\"roleName\":\"Resource - Policy Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Users with - rights to create/modify resource policy, create support ticket and read resources/hierarchy.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.Authorization/policyassignments/*\",\"Microsoft.Authorization/policydefinitions/*\",\"Microsoft.Authorization/policyexemptions/*\",\"Microsoft.Authorization/policysetdefinitions/*\",\"Microsoft.PolicyInsights/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-08-25T19:08:01.3861639Z\",\"updatedOn\":\"2021-11-11T20:13:49.6679217Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/36243c78-bf99-498c-9df9-86d9f8d28608\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"36243c78-bf99-498c-9df9-86d9f8d28608\"},{\"properties\":{\"roleName\":\"Scheduler - Job Collections Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you manage Scheduler job collections, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Scheduler/jobcollections/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:49.8429293Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/188a0f2f-5c9e-469b-ae67-2aa5ce574b94\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"188a0f2f-5c9e-469b-ae67-2aa5ce574b94\"},{\"properties\":{\"roleName\":\"Search - Service Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - manage Search services, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Search/searchServices/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:50.0229309Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7ca78c08-252a-4471-8644-bb5ff32d4ba0\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7ca78c08-252a-4471-8644-bb5ff32d4ba0\"},{\"properties\":{\"roleName\":\"Security - Admin\",\"type\":\"BuiltInRole\",\"description\":\"Security Admin Role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Authorization/policyAssignments/*\",\"Microsoft.Authorization/policyDefinitions/*\",\"Microsoft.Authorization/policyExemptions/*\",\"Microsoft.Authorization/policySetDefinitions/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Management/managementGroups/read\",\"Microsoft.operationalInsights/workspaces/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Security/*\",\"Microsoft.IoTSecurity/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-05-03T07:51:23.0917487Z\",\"updatedOn\":\"2021-11-15T06:42:49.8263550Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fb1c8493-542b-48eb-b624-b4c8fea62acd\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fb1c8493-542b-48eb-b624-b4c8fea62acd\"},{\"properties\":{\"roleName\":\"Security - Manager (Legacy)\",\"type\":\"BuiltInRole\",\"description\":\"This is a legacy - role. Please use Security Administrator instead\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.ClassicCompute/*/read\",\"Microsoft.ClassicCompute/virtualMachines/*/write\",\"Microsoft.ClassicNetwork/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Security/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-06-22T17:45:15.8986455Z\",\"updatedOn\":\"2021-11-11T20:13:50.5729549Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e3d13bf0-dd5a-482e-ba6b-9b8433878d10\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e3d13bf0-dd5a-482e-ba6b-9b8433878d10\"},{\"properties\":{\"roleName\":\"Security - Reader\",\"type\":\"BuiltInRole\",\"description\":\"Security Reader Role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/read\",\"Microsoft.operationalInsights/workspaces/*/read\",\"Microsoft.Resources/deployments/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Security/*/read\",\"Microsoft.IoTSecurity/*/read\",\"Microsoft.Support/*/read\",\"Microsoft.Security/iotDefenderSettings/packageDownloads/action\",\"Microsoft.Security/iotDefenderSettings/downloadManagerActivation/action\",\"Microsoft.Security/iotSensors/downloadResetPassword/action\",\"Microsoft.IoTSecurity/defenderSettings/packageDownloads/action\",\"Microsoft.IoTSecurity/defenderSettings/downloadManagerActivation/action\",\"Microsoft.Management/managementGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-05-03T07:48:49.0516559Z\",\"updatedOn\":\"2021-11-11T20:13:50.7479015Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/39bc4728-0917-49c7-9d2c-d95423bc2eb4\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"39bc4728-0917-49c7-9d2c-d95423bc2eb4\"},{\"properties\":{\"roleName\":\"Spatial - Anchors Account Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you manage spatial anchors in your account, but not delete them\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/SpatialAnchorsAccounts/create/action\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/discovery/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/properties/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/query/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/submitdiag/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/write\"],\"notDataActions\":[]}],\"createdOn\":\"2018-12-21T17:57:41.1420864Z\",\"updatedOn\":\"2021-11-11T20:13:52.2829400Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8bbe83f1-e2a6-4df7-8cb4-4e04d4e5c827\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8bbe83f1-e2a6-4df7-8cb4-4e04d4e5c827\"},{\"properties\":{\"roleName\":\"Site - Recovery Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - manage Site Recovery service except vault creation and role assignment\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.RecoveryServices/locations/allocatedStamp/read\",\"Microsoft.RecoveryServices/locations/allocateStamp/action\",\"Microsoft.RecoveryServices/Vaults/certificates/write\",\"Microsoft.RecoveryServices/Vaults/extendedInformation/*\",\"Microsoft.RecoveryServices/Vaults/read\",\"Microsoft.RecoveryServices/Vaults/refreshContainers/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/*\",\"Microsoft.RecoveryServices/vaults/replicationAlertSettings/*\",\"Microsoft.RecoveryServices/vaults/replicationEvents/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/*\",\"Microsoft.RecoveryServices/vaults/replicationJobs/*\",\"Microsoft.RecoveryServices/vaults/replicationPolicies/*\",\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/*\",\"Microsoft.RecoveryServices/vaults/replicationVaultSettings/*\",\"Microsoft.RecoveryServices/Vaults/storageConfig/*\",\"Microsoft.RecoveryServices/Vaults/tokenInfo/read\",\"Microsoft.RecoveryServices/Vaults/usages/read\",\"Microsoft.RecoveryServices/Vaults/vaultTokens/read\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/*\",\"Microsoft.RecoveryServices/Vaults/monitoringConfigurations/notificationConfiguration/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.RecoveryServices/vaults/replicationOperationStatus/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-05-19T13:46:17.4592776Z\",\"updatedOn\":\"2021-11-11T20:13:52.4579503Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6670b86e-a3f7-4917-ac9b-5d6ab1be4567\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6670b86e-a3f7-4917-ac9b-5d6ab1be4567\"},{\"properties\":{\"roleName\":\"Site - Recovery Operator\",\"type\":\"BuiltInRole\",\"description\":\"Lets you failover - and failback but not perform other Site Recovery management operations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.RecoveryServices/locations/allocatedStamp/read\",\"Microsoft.RecoveryServices/locations/allocateStamp/action\",\"Microsoft.RecoveryServices/Vaults/extendedInformation/read\",\"Microsoft.RecoveryServices/Vaults/read\",\"Microsoft.RecoveryServices/Vaults/refreshContainers/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/read\",\"Microsoft.RecoveryServices/vaults/replicationAlertSettings/read\",\"Microsoft.RecoveryServices/vaults/replicationEvents/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/checkConsistency/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/reassociateGateway/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/renewcertificate/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationNetworks/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationNetworks/replicationNetworkMappings/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectableItems/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/applyRecoveryPoint/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/failoverCommit/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/plannedFailover/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/recoveryPoints/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/repairReplication/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/reProtect/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/switchprotection/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/testFailover/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/testFailoverCleanup/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/unplannedFailover/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/updateMobilityService/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectionContainerMappings/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationRecoveryServicesProviders/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationRecoveryServicesProviders/refreshProvider/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationStorageClassifications/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationStorageClassifications/replicationStorageClassificationMappings/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationvCenters/read\",\"Microsoft.RecoveryServices/vaults/replicationJobs/*\",\"Microsoft.RecoveryServices/vaults/replicationPolicies/read\",\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/failoverCommit/action\",\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/plannedFailover/action\",\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/read\",\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/reProtect/action\",\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/testFailover/action\",\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/testFailoverCleanup/action\",\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/unplannedFailover/action\",\"Microsoft.RecoveryServices/vaults/replicationVaultSettings/read\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/*\",\"Microsoft.RecoveryServices/Vaults/monitoringConfigurations/notificationConfiguration/read\",\"Microsoft.RecoveryServices/Vaults/storageConfig/read\",\"Microsoft.RecoveryServices/Vaults/tokenInfo/read\",\"Microsoft.RecoveryServices/Vaults/usages/read\",\"Microsoft.RecoveryServices/Vaults/vaultTokens/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-05-19T13:47:50.1341148Z\",\"updatedOn\":\"2021-11-11T20:13:52.6263418Z\",\"createdBy\":null,\"updatedBy\":\"\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/494ae006-db33-4328-bf46-533a6560a3ca\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"494ae006-db33-4328-bf46-533a6560a3ca\"},{\"properties\":{\"roleName\":\"Spatial - Anchors Account Reader\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - locate and read properties of spatial anchors in your account\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/SpatialAnchorsAccounts/discovery/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/properties/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/query/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/submitdiag/read\"],\"notDataActions\":[]}],\"createdOn\":\"2018-12-21T17:57:42.9271004Z\",\"updatedOn\":\"2021-11-11T20:13:52.8013467Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5d51204f-eb77-4b1c-b86a-2ec626c49413\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5d51204f-eb77-4b1c-b86a-2ec626c49413\"},{\"properties\":{\"roleName\":\"Site - Recovery Reader\",\"type\":\"BuiltInRole\",\"description\":\"Lets you view - Site Recovery status but not perform other management operations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.RecoveryServices/locations/allocatedStamp/read\",\"Microsoft.RecoveryServices/Vaults/extendedInformation/read\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/read\",\"Microsoft.RecoveryServices/Vaults/monitoringConfigurations/notificationConfiguration/read\",\"Microsoft.RecoveryServices/Vaults/read\",\"Microsoft.RecoveryServices/Vaults/refreshContainers/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/read\",\"Microsoft.RecoveryServices/vaults/replicationAlertSettings/read\",\"Microsoft.RecoveryServices/vaults/replicationEvents/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationNetworks/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationNetworks/replicationNetworkMappings/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectableItems/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/recoveryPoints/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectionContainerMappings/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationRecoveryServicesProviders/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationStorageClassifications/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationStorageClassifications/replicationStorageClassificationMappings/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationvCenters/read\",\"Microsoft.RecoveryServices/vaults/replicationJobs/read\",\"Microsoft.RecoveryServices/vaults/replicationPolicies/read\",\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/read\",\"Microsoft.RecoveryServices/vaults/replicationVaultSettings/read\",\"Microsoft.RecoveryServices/Vaults/storageConfig/read\",\"Microsoft.RecoveryServices/Vaults/tokenInfo/read\",\"Microsoft.RecoveryServices/Vaults/usages/read\",\"Microsoft.RecoveryServices/Vaults/vaultTokens/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-05-19T13:35:40.0093634Z\",\"updatedOn\":\"2021-11-11T20:13:52.9763366Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/dbaa88c4-0c30-4179-9fb3-46319faa6149\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"dbaa88c4-0c30-4179-9fb3-46319faa6149\"},{\"properties\":{\"roleName\":\"Spatial - Anchors Account Owner\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - manage spatial anchors in your account, including deleting them\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/SpatialAnchorsAccounts/create/action\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/delete\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/discovery/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/properties/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/query/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/submitdiag/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/write\"],\"notDataActions\":[]}],\"createdOn\":\"2018-12-21T17:57:43.5489832Z\",\"updatedOn\":\"2021-11-11T20:13:53.1663250Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/70bbe301-9835-447d-afdd-19eb3167307c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"70bbe301-9835-447d-afdd-19eb3167307c\"},{\"properties\":{\"roleName\":\"SQL - Managed Instance Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you manage SQL Managed Instances and required network configuration, but can\u2019t - give access to others.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Network/networkSecurityGroups/*\",\"Microsoft.Network/routeTables/*\",\"Microsoft.Sql/locations/*/read\",\"Microsoft.Sql/locations/instanceFailoverGroups/*\",\"Microsoft.Sql/managedInstances/*\",\"Microsoft.Support/*\",\"Microsoft.Network/virtualNetworks/subnets/*\",\"Microsoft.Network/virtualNetworks/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\"],\"notActions\":[\"Microsoft.Sql/managedInstances/azureADOnlyAuthentications/delete\",\"Microsoft.Sql/managedInstances/azureADOnlyAuthentications/write\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-12-10T22:57:14.2937983Z\",\"updatedOn\":\"2021-11-11T20:13:53.3513507Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4939a1f6-9ae0-4e48-a1e0-f2cbe897382d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4939a1f6-9ae0-4e48-a1e0-f2cbe897382d\"},{\"properties\":{\"roleName\":\"SQL - DB Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage - SQL databases, but not access to them. Also, you can't manage their security-related - policies or their parent SQL servers.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Sql/locations/*/read\",\"Microsoft.Sql/servers/databases/*\",\"Microsoft.Sql/servers/read\",\"Microsoft.Support/*\",\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\"],\"notActions\":[\"Microsoft.Sql/servers/databases/ledgerDigestUploads/write\",\"Microsoft.Sql/servers/databases/ledgerDigestUploads/disable/action\",\"Microsoft.Sql/managedInstances/databases/currentSensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/recommendedSensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/schemas/tables/columns/sensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/securityAlertPolicies/*\",\"Microsoft.Sql/managedInstances/databases/sensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/vulnerabilityAssessments/*\",\"Microsoft.Sql/managedInstances/securityAlertPolicies/*\",\"Microsoft.Sql/managedInstances/vulnerabilityAssessments/*\",\"Microsoft.Sql/servers/databases/auditingSettings/*\",\"Microsoft.Sql/servers/databases/auditRecords/read\",\"Microsoft.Sql/servers/databases/currentSensitivityLabels/*\",\"Microsoft.Sql/servers/databases/dataMaskingPolicies/*\",\"Microsoft.Sql/servers/databases/extendedAuditingSettings/*\",\"Microsoft.Sql/servers/databases/recommendedSensitivityLabels/*\",\"Microsoft.Sql/servers/databases/schemas/tables/columns/sensitivityLabels/*\",\"Microsoft.Sql/servers/databases/securityAlertPolicies/*\",\"Microsoft.Sql/servers/databases/securityMetrics/*\",\"Microsoft.Sql/servers/databases/sensitivityLabels/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessments/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessmentScans/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessmentSettings/*\",\"Microsoft.Sql/servers/vulnerabilityAssessments/*\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:53.5363219Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9b7fa17d-e63e-47b0-bb0a-15c516ac86ec\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"9b7fa17d-e63e-47b0-bb0a-15c516ac86ec\"},{\"properties\":{\"roleName\":\"SQL - Security Manager\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage - the security-related policies of SQL servers and databases, but not access - to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Network/virtualNetworks/subnets/joinViaServiceEndpoint/action\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Sql/locations/administratorAzureAsyncOperation/read\",\"Microsoft.Sql/managedInstances/databases/currentSensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/recommendedSensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/schemas/tables/columns/sensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/securityAlertPolicies/*\",\"Microsoft.Sql/managedInstances/databases/sensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/vulnerabilityAssessments/*\",\"Microsoft.Sql/managedInstances/securityAlertPolicies/*\",\"Microsoft.Sql/managedInstances/databases/transparentDataEncryption/*\",\"Microsoft.Sql/managedInstances/vulnerabilityAssessments/*\",\"Microsoft.Sql/servers/auditingSettings/*\",\"Microsoft.Sql/servers/extendedAuditingSettings/read\",\"Microsoft.Sql/servers/databases/auditingSettings/*\",\"Microsoft.Sql/servers/databases/auditRecords/read\",\"Microsoft.Sql/servers/databases/currentSensitivityLabels/*\",\"Microsoft.Sql/servers/databases/dataMaskingPolicies/*\",\"Microsoft.Sql/servers/databases/extendedAuditingSettings/read\",\"Microsoft.Sql/servers/databases/read\",\"Microsoft.Sql/servers/databases/recommendedSensitivityLabels/*\",\"Microsoft.Sql/servers/databases/schemas/read\",\"Microsoft.Sql/servers/databases/schemas/tables/columns/read\",\"Microsoft.Sql/servers/databases/schemas/tables/columns/sensitivityLabels/*\",\"Microsoft.Sql/servers/databases/schemas/tables/read\",\"Microsoft.Sql/servers/databases/securityAlertPolicies/*\",\"Microsoft.Sql/servers/databases/securityMetrics/*\",\"Microsoft.Sql/servers/databases/sensitivityLabels/*\",\"Microsoft.Sql/servers/databases/transparentDataEncryption/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessments/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessmentScans/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessmentSettings/*\",\"Microsoft.Sql/servers/devOpsAuditingSettings/*\",\"Microsoft.Sql/servers/firewallRules/*\",\"Microsoft.Sql/servers/read\",\"Microsoft.Sql/servers/securityAlertPolicies/*\",\"Microsoft.Sql/servers/vulnerabilityAssessments/*\",\"Microsoft.Support/*\",\"Microsoft.Sql/servers/azureADOnlyAuthentications/*\",\"Microsoft.Sql/managedInstances/read\",\"Microsoft.Sql/managedInstances/azureADOnlyAuthentications/*\",\"Microsoft.Security/sqlVulnerabilityAssessments/*\",\"Microsoft.Sql/managedInstances/administrators/read\",\"Microsoft.Sql/servers/administrators/read\",\"Microsoft.Sql/servers/externalPolicyBasedAuthorizations/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-06-16T18:44:40.4607572Z\",\"updatedOn\":\"2022-04-27T21:08:08.4474437Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/056cd41c-7e88-42e1-933e-88ba6a50c9c3\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"056cd41c-7e88-42e1-933e-88ba6a50c9c3\"},{\"properties\":{\"roleName\":\"Storage - Account Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - manage storage accounts, including accessing storage account keys which provide - full access to storage account data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/diagnosticSettings/*\",\"Microsoft.Network/virtualNetworks/subnets/joinViaServiceEndpoint/action\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-06-02T00:18:27.3542698Z\",\"updatedOn\":\"2021-11-11T20:13:54.2363539Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/17d1049b-9a84-46fb-8f53-869881c3d3ab\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"17d1049b-9a84-46fb-8f53-869881c3d3ab\"},{\"properties\":{\"roleName\":\"SQL - Server Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage - SQL servers and databases, but not access to them, and not their security - -related policies.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Sql/locations/*/read\",\"Microsoft.Sql/servers/*\",\"Microsoft.Support/*\",\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\"],\"notActions\":[\"Microsoft.Sql/managedInstances/databases/currentSensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/recommendedSensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/schemas/tables/columns/sensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/securityAlertPolicies/*\",\"Microsoft.Sql/managedInstances/databases/sensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/vulnerabilityAssessments/*\",\"Microsoft.Sql/managedInstances/securityAlertPolicies/*\",\"Microsoft.Sql/managedInstances/vulnerabilityAssessments/*\",\"Microsoft.Sql/servers/auditingSettings/*\",\"Microsoft.Sql/servers/databases/auditingSettings/*\",\"Microsoft.Sql/servers/databases/auditRecords/read\",\"Microsoft.Sql/servers/databases/currentSensitivityLabels/*\",\"Microsoft.Sql/servers/databases/dataMaskingPolicies/*\",\"Microsoft.Sql/servers/databases/extendedAuditingSettings/*\",\"Microsoft.Sql/servers/databases/recommendedSensitivityLabels/*\",\"Microsoft.Sql/servers/databases/schemas/tables/columns/sensitivityLabels/*\",\"Microsoft.Sql/servers/databases/securityAlertPolicies/*\",\"Microsoft.Sql/servers/databases/securityMetrics/*\",\"Microsoft.Sql/servers/databases/sensitivityLabels/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessments/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessmentScans/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessmentSettings/*\",\"Microsoft.Sql/servers/devOpsAuditingSettings/*\",\"Microsoft.Sql/servers/extendedAuditingSettings/*\",\"Microsoft.Sql/servers/securityAlertPolicies/*\",\"Microsoft.Sql/servers/vulnerabilityAssessments/*\",\"Microsoft.Sql/servers/azureADOnlyAuthentications/delete\",\"Microsoft.Sql/servers/azureADOnlyAuthentications/write\",\"Microsoft.Sql/servers/externalPolicyBasedAuthorizations/delete\",\"Microsoft.Sql/servers/externalPolicyBasedAuthorizations/write\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2022-04-28T19:00:53.9963035Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6d8ee4ec-f05a-4a1d-8b00-a9b17e38b437\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6d8ee4ec-f05a-4a1d-8b00-a9b17e38b437\"},{\"properties\":{\"roleName\":\"Storage - Account Key Operator Service Role\",\"type\":\"BuiltInRole\",\"description\":\"Storage - Account Key Operators are allowed to list and regenerate keys on Storage Accounts\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/listkeys/action\",\"Microsoft.Storage/storageAccounts/regeneratekey/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-04-13T18:26:11.5770570Z\",\"updatedOn\":\"2021-11-11T20:13:54.7697481Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/81a9662b-bebf-436f-a333-f67b29880f12\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"81a9662b-bebf-436f-a333-f67b29880f12\"},{\"properties\":{\"roleName\":\"Storage - Blob Data Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allows - for read, write and delete access to Azure Storage blob containers and data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/delete\",\"Microsoft.Storage/storageAccounts/blobServices/containers/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/write\",\"Microsoft.Storage/storageAccounts/blobServices/generateUserDelegationKey/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/delete\",\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/write\",\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/move/action\",\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/add/action\"],\"notDataActions\":[]}],\"createdOn\":\"2017-12-21T00:01:24.7972312Z\",\"updatedOn\":\"2021-11-11T20:13:54.9397456Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ba92f5b4-2d11-453d-a403-e96b0029c9fe\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ba92f5b4-2d11-453d-a403-e96b0029c9fe\"},{\"properties\":{\"roleName\":\"Storage - Blob Data Owner\",\"type\":\"BuiltInRole\",\"description\":\"Allows for full - access to Azure Storage blob containers and data, including assigning POSIX - access control.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/*\",\"Microsoft.Storage/storageAccounts/blobServices/generateUserDelegationKey/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/*\"],\"notDataActions\":[]}],\"createdOn\":\"2018-12-04T07:02:58.2775257Z\",\"updatedOn\":\"2021-11-11T20:13:55.1225062Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b7e6dc6d-f1e8-4753-8033-0f276bb0955b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b7e6dc6d-f1e8-4753-8033-0f276bb0955b\"},{\"properties\":{\"roleName\":\"Storage - Blob Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows for read - access to Azure Storage blob containers and data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/read\",\"Microsoft.Storage/storageAccounts/blobServices/generateUserDelegationKey/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/read\"],\"notDataActions\":[]}],\"createdOn\":\"2017-12-21T00:01:24.7972312Z\",\"updatedOn\":\"2021-11-11T20:13:55.2975076Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2a2b9908-6ea1-4ae2-8e65-a410df84e7d1\"},{\"properties\":{\"roleName\":\"Storage - Queue Data Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allows - for read, write, and delete access to Azure Storage queues and queue messages\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/queueServices/queues/delete\",\"Microsoft.Storage/storageAccounts/queueServices/queues/read\",\"Microsoft.Storage/storageAccounts/queueServices/queues/write\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/delete\",\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/read\",\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/write\",\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/process/action\"],\"notDataActions\":[]}],\"createdOn\":\"2017-12-21T00:01:24.7972312Z\",\"updatedOn\":\"2021-11-11T20:13:55.4725469Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/974c5e8b-45b9-4653-ba55-5f855dd0fb88\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"974c5e8b-45b9-4653-ba55-5f855dd0fb88\"},{\"properties\":{\"roleName\":\"Storage - Queue Data Message Processor\",\"type\":\"BuiltInRole\",\"description\":\"Allows - for peek, receive, and delete access to Azure Storage queue messages\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/read\",\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/process/action\"],\"notDataActions\":[]}],\"createdOn\":\"2019-01-28T22:27:04.8947111Z\",\"updatedOn\":\"2021-11-11T20:13:55.6575408Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8a0f0c08-91a1-4084-bc3d-661d67233fed\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8a0f0c08-91a1-4084-bc3d-661d67233fed\"},{\"properties\":{\"roleName\":\"Storage - Queue Data Message Sender\",\"type\":\"BuiltInRole\",\"description\":\"Allows - for sending of Azure Storage queue messages\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/add/action\"],\"notDataActions\":[]}],\"createdOn\":\"2019-01-28T22:28:34.7459724Z\",\"updatedOn\":\"2021-11-11T20:13:55.8325508Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c6a89b2d-59bc-44d0-9896-0f6e12d7b80a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c6a89b2d-59bc-44d0-9896-0f6e12d7b80a\"},{\"properties\":{\"roleName\":\"Storage - Queue Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows for - read access to Azure Storage queues and queue messages\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/queueServices/queues/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/read\"],\"notDataActions\":[]}],\"createdOn\":\"2017-12-21T00:01:24.7972312Z\",\"updatedOn\":\"2021-11-11T20:13:56.0178497Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/19e7f393-937e-4f77-808e-94535e297925\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"19e7f393-937e-4f77-808e-94535e297925\"},{\"properties\":{\"roleName\":\"Support - Request Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - create and manage Support requests\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-06-22T22:25:37.8053068Z\",\"updatedOn\":\"2021-11-11T20:13:56.7444481Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/cfd33db0-3dd1-45e3-aa9d-cdbdf3b6f24e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"cfd33db0-3dd1-45e3-aa9d-cdbdf3b6f24e\"},{\"properties\":{\"roleName\":\"Traffic - Manager Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - manage Traffic Manager profiles, but does not let you control who has access - to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Network/trafficManagerProfiles/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-10-15T23:33:25.9730842Z\",\"updatedOn\":\"2021-11-11T20:13:57.2744497Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a4b10055-b0c7-44c2-b00f-c7b5b3550cf7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a4b10055-b0c7-44c2-b00f-c7b5b3550cf7\"},{\"properties\":{\"roleName\":\"Virtual - Machine Administrator Login\",\"type\":\"BuiltInRole\",\"description\":\"View - Virtual Machines in the portal and login as administrator\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Network/publicIPAddresses/read\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/loadBalancers/read\",\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Compute/virtualMachines/*/read\",\"Microsoft.HybridCompute/machines/*/read\",\"Microsoft.HybridConnectivity/endpoints/listCredentials/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Compute/virtualMachines/login/action\",\"Microsoft.Compute/virtualMachines/loginAsAdmin/action\",\"Microsoft.HybridCompute/machines/login/action\",\"Microsoft.HybridCompute/machines/loginAsAdmin/action\"],\"notDataActions\":[]}],\"createdOn\":\"2018-02-09T18:36:13.3315744Z\",\"updatedOn\":\"2021-11-18T00:56:53.8134295Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1c0163c0-47e6-4577-8991-ea5c82e286e4\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1c0163c0-47e6-4577-8991-ea5c82e286e4\"},{\"properties\":{\"roleName\":\"User - Access Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - manage user access to Azure resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.Authorization/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:57.7932023Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"18d7d88d-d35e-4fb5-a5c3-7773c20a72d9\"},{\"properties\":{\"roleName\":\"Virtual - Machine User Login\",\"type\":\"BuiltInRole\",\"description\":\"View Virtual - Machines in the portal and login as a regular user.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Network/publicIPAddresses/read\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/loadBalancers/read\",\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Compute/virtualMachines/*/read\",\"Microsoft.HybridCompute/machines/*/read\",\"Microsoft.HybridConnectivity/endpoints/listCredentials/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Compute/virtualMachines/login/action\",\"Microsoft.HybridCompute/machines/login/action\"],\"notDataActions\":[]}],\"createdOn\":\"2018-02-09T18:36:13.3315744Z\",\"updatedOn\":\"2021-11-18T00:55:50.6185845Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fb879df8-f326-4884-b1cf-06f3ad86be52\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fb879df8-f326-4884-b1cf-06f3ad86be52\"},{\"properties\":{\"roleName\":\"Virtual - Machine Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - manage virtual machines, but not access to them, and not the virtual network - or storage account they're connected to.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Compute/availabilitySets/*\",\"Microsoft.Compute/locations/*\",\"Microsoft.Compute/virtualMachines/*\",\"Microsoft.Compute/virtualMachineScaleSets/*\",\"Microsoft.Compute/cloudServices/*\",\"Microsoft.Compute/disks/write\",\"Microsoft.Compute/disks/read\",\"Microsoft.Compute/disks/delete\",\"Microsoft.DevTestLab/schedules/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Network/applicationGateways/backendAddressPools/join/action\",\"Microsoft.Network/loadBalancers/backendAddressPools/join/action\",\"Microsoft.Network/loadBalancers/inboundNatPools/join/action\",\"Microsoft.Network/loadBalancers/inboundNatRules/join/action\",\"Microsoft.Network/loadBalancers/probes/join/action\",\"Microsoft.Network/loadBalancers/read\",\"Microsoft.Network/locations/*\",\"Microsoft.Network/networkInterfaces/*\",\"Microsoft.Network/networkSecurityGroups/join/action\",\"Microsoft.Network/networkSecurityGroups/read\",\"Microsoft.Network/publicIPAddresses/join/action\",\"Microsoft.Network/publicIPAddresses/read\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.RecoveryServices/locations/*\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/backupProtectionIntent/write\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/*/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/write\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/read\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/write\",\"Microsoft.RecoveryServices/Vaults/read\",\"Microsoft.RecoveryServices/Vaults/usages/read\",\"Microsoft.RecoveryServices/Vaults/write\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.SerialConsole/serialPorts/connect/action\",\"Microsoft.SqlVirtualMachine/*\",\"Microsoft.Storage/storageAccounts/listKeys/action\",\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-06-02T00:18:27.3542698Z\",\"updatedOn\":\"2021-11-11T20:13:58.3176075Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"9980e02c-c2be-4d73-94e8-173b1dc7cf3c\"},{\"properties\":{\"roleName\":\"Web - Plan Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage - the web plans for websites, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Web/serverFarms/*\",\"Microsoft.Web/hostingEnvironments/Join/Action\",\"Microsoft.Insights/autoscalesettings/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2022-09-02T22:05:21.2973929Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2cc479cb-7b4d-49a8-b449-8c00fd0f0a4b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2cc479cb-7b4d-49a8-b449-8c00fd0f0a4b\"},{\"properties\":{\"roleName\":\"Website - Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage websites - (not web plans), but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/components/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Web/certificates/*\",\"Microsoft.Web/listSitesAssignedToHostName/read\",\"Microsoft.Web/serverFarms/join/action\",\"Microsoft.Web/serverFarms/read\",\"Microsoft.Web/sites/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-05-12T23:10:23.6193952Z\",\"updatedOn\":\"2021-11-11T20:13:58.6655647Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/de139f84-1756-47ae-9be6-808fbbe84772\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"de139f84-1756-47ae-9be6-808fbbe84772\"},{\"properties\":{\"roleName\":\"Azure - Service Bus Data Owner\",\"type\":\"BuiltInRole\",\"description\":\"Allows - for full access to Azure Service Bus resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ServiceBus/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ServiceBus/*\"],\"notDataActions\":[]}],\"createdOn\":\"2019-04-16T21:33:36.7445745Z\",\"updatedOn\":\"2021-11-11T20:13:59.2005807Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/090c5cfd-751d-490a-894a-3ce6f1109419\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"090c5cfd-751d-490a-894a-3ce6f1109419\"},{\"properties\":{\"roleName\":\"Azure - Event Hubs Data Owner\",\"type\":\"BuiltInRole\",\"description\":\"Allows - for full access to Azure Event Hubs resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.EventHub/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.EventHub/*\"],\"notDataActions\":[]}],\"createdOn\":\"2019-04-16T21:34:29.8656362Z\",\"updatedOn\":\"2021-11-11T20:13:59.3721538Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f526a384-b230-433a-b45c-95f59c4a2dec\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f526a384-b230-433a-b45c-95f59c4a2dec\"},{\"properties\":{\"roleName\":\"Attestation - Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can read write or - delete the attestation provider instance\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Attestation/attestationProviders/attestation/read\",\"Microsoft.Attestation/attestationProviders/attestation/write\",\"Microsoft.Attestation/attestationProviders/attestation/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-04-19T00:24:09.3354177Z\",\"updatedOn\":\"2021-11-11T20:13:59.7271218Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/bbf86eb8-f7b4-4cce-96e4-18cddf81d86e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"bbf86eb8-f7b4-4cce-96e4-18cddf81d86e\"},{\"properties\":{\"roleName\":\"HDInsight - Cluster Operator\",\"type\":\"BuiltInRole\",\"description\":\"Lets you read - and modify HDInsight cluster configurations.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HDInsight/*/read\",\"Microsoft.HDInsight/clusters/getGatewaySettings/action\",\"Microsoft.HDInsight/clusters/updateGatewaySettings/action\",\"Microsoft.HDInsight/clusters/configurations/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-04-20T00:03:01.7110732Z\",\"updatedOn\":\"2021-11-11T20:13:59.9052180Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/61ed4efc-fab3-44fd-b111-e24485cc132a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"61ed4efc-fab3-44fd-b111-e24485cc132a\"},{\"properties\":{\"roleName\":\"Cosmos - DB Operator\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage Azure - Cosmos DB accounts, but not access data in them. Prevents access to account - keys and connection strings.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DocumentDb/databaseAccounts/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Network/virtualNetworks/subnets/joinViaServiceEndpoint/action\"],\"notActions\":[\"Microsoft.DocumentDB/databaseAccounts/readonlyKeys/*\",\"Microsoft.DocumentDB/databaseAccounts/regenerateKey/*\",\"Microsoft.DocumentDB/databaseAccounts/listKeys/*\",\"Microsoft.DocumentDB/databaseAccounts/listConnectionStrings/*\",\"Microsoft.DocumentDB/databaseAccounts/sqlRoleDefinitions/write\",\"Microsoft.DocumentDB/databaseAccounts/sqlRoleDefinitions/delete\",\"Microsoft.DocumentDB/databaseAccounts/sqlRoleAssignments/write\",\"Microsoft.DocumentDB/databaseAccounts/sqlRoleAssignments/delete\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-04-26T17:01:17.0169383Z\",\"updatedOn\":\"2021-11-11T20:14:00.0802032Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/230815da-be43-4aae-9cb4-875f7bd000aa\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"230815da-be43-4aae-9cb4-875f7bd000aa\"},{\"properties\":{\"roleName\":\"Hybrid - Server Resource Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Can - read, write, delete, and re-onboard Hybrid servers to the Hybrid Resource - Provider.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HybridCompute/machines/*\",\"Microsoft.HybridCompute/*/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-04-29T21:39:32.3132923Z\",\"updatedOn\":\"2021-11-11T20:14:00.2548257Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/48b40c6e-82e0-4eb3-90d5-19e40f49b624\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"48b40c6e-82e0-4eb3-90d5-19e40f49b624\"},{\"properties\":{\"roleName\":\"Hybrid - Server Onboarding\",\"type\":\"BuiltInRole\",\"description\":\"Can onboard - new Hybrid servers to the Hybrid Resource Provider.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HybridCompute/machines/read\",\"Microsoft.HybridCompute/machines/write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-04-29T22:36:28.1873756Z\",\"updatedOn\":\"2021-11-11T20:14:00.4308999Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5d1e5ee4-7c68-4a71-ac8b-0739630a3dfb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5d1e5ee4-7c68-4a71-ac8b-0739630a3dfb\"},{\"properties\":{\"roleName\":\"Azure - Event Hubs Data Receiver\",\"type\":\"BuiltInRole\",\"description\":\"Allows - receive access to Azure Event Hubs resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.EventHub/*/eventhubs/consumergroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.EventHub/*/receive/action\"],\"notDataActions\":[]}],\"createdOn\":\"2019-05-10T06:25:21.1056666Z\",\"updatedOn\":\"2021-11-11T20:14:01.3225169Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a638d3c7-ab3a-418d-83e6-5f17a39d4fde\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a638d3c7-ab3a-418d-83e6-5f17a39d4fde\"},{\"properties\":{\"roleName\":\"Azure - Event Hubs Data Sender\",\"type\":\"BuiltInRole\",\"description\":\"Allows - send access to Azure Event Hubs resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.EventHub/*/eventhubs/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.EventHub/*/send/action\"],\"notDataActions\":[]}],\"createdOn\":\"2019-05-10T06:26:12.4673714Z\",\"updatedOn\":\"2021-11-11T20:14:01.4925583Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2b629674-e913-4c01-ae53-ef4638d8f975\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2b629674-e913-4c01-ae53-ef4638d8f975\"},{\"properties\":{\"roleName\":\"Azure - Service Bus Data Receiver\",\"type\":\"BuiltInRole\",\"description\":\"Allows - for receive access to Azure Service Bus resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ServiceBus/*/queues/read\",\"Microsoft.ServiceBus/*/topics/read\",\"Microsoft.ServiceBus/*/topics/subscriptions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ServiceBus/*/receive/action\"],\"notDataActions\":[]}],\"createdOn\":\"2019-05-10T06:43:01.6343849Z\",\"updatedOn\":\"2021-11-11T20:14:01.6629685Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4f6d3b9b-027b-4f4c-9142-0e5a2a2247e0\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4f6d3b9b-027b-4f4c-9142-0e5a2a2247e0\"},{\"properties\":{\"roleName\":\"Azure - Service Bus Data Sender\",\"type\":\"BuiltInRole\",\"description\":\"Allows - for send access to Azure Service Bus resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ServiceBus/*/queues/read\",\"Microsoft.ServiceBus/*/topics/read\",\"Microsoft.ServiceBus/*/topics/subscriptions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ServiceBus/*/send/action\"],\"notDataActions\":[]}],\"createdOn\":\"2019-05-10T06:43:46.7046934Z\",\"updatedOn\":\"2021-11-11T20:14:01.8479199Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/69a216fc-b8fb-44d8-bc22-1f3c2cd27a39\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"69a216fc-b8fb-44d8-bc22-1f3c2cd27a39\"},{\"properties\":{\"roleName\":\"Storage - File Data SMB Share Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows - for read access to Azure File Share over SMB\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/read\"],\"notDataActions\":[]}],\"createdOn\":\"2019-07-01T20:19:31.8620471Z\",\"updatedOn\":\"2021-11-11T20:14:04.3642909Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/aba4ae5f-2193-4029-9191-0cb91df5e314\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"aba4ae5f-2193-4029-9191-0cb91df5e314\"},{\"properties\":{\"roleName\":\"Storage - File Data SMB Share Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allows - for read, write, and delete access in Azure Storage file shares over SMB\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/read\",\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/write\",\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/delete\"],\"notDataActions\":[]}],\"createdOn\":\"2019-07-01T20:54:35.4834310Z\",\"updatedOn\":\"2021-11-11T20:14:04.5443323Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0c867c2a-1d8c-454a-a3db-ab2ea1bdc8bb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0c867c2a-1d8c-454a-a3db-ab2ea1bdc8bb\"},{\"properties\":{\"roleName\":\"Private - DNS Zone Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - manage private DNS zone resources, but not the virtual networks they are linked - to.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Network/privateDnsZones/*\",\"Microsoft.Network/privateDnsOperationResults/*\",\"Microsoft.Network/privateDnsOperationStatuses/*\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/join/action\",\"Microsoft.Authorization/*/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-07-10T19:31:15.5645518Z\",\"updatedOn\":\"2021-11-11T20:14:04.7342851Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b12aa53e-6015-4669-85d0-8515ebb3ae7f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b12aa53e-6015-4669-85d0-8515ebb3ae7f\"},{\"properties\":{\"roleName\":\"Storage - Blob Delegator\",\"type\":\"BuiltInRole\",\"description\":\"Allows for generation - of a user delegation key which can be used to sign SAS tokens\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/blobServices/generateUserDelegationKey/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-07-23T00:51:16.3376761Z\",\"updatedOn\":\"2021-11-11T20:14:05.4321714Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/db58b8e5-c6ad-4a2a-8342-4190687cbf4a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"db58b8e5-c6ad-4a2a-8342-4190687cbf4a\"},{\"properties\":{\"roleName\":\"Desktop - Virtualization User\",\"type\":\"BuiltInRole\",\"description\":\"Allows user - to use the applications in an application group.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.DesktopVirtualization/applicationGroups/useApplications/action\"],\"notDataActions\":[]}],\"createdOn\":\"2019-08-07T00:29:03.8727621Z\",\"updatedOn\":\"2021-11-11T20:14:05.9821791Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1d18fff3-a72a-46b5-b4a9-0b38a3cd7e63\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1d18fff3-a72a-46b5-b4a9-0b38a3cd7e63\"},{\"properties\":{\"roleName\":\"Storage - File Data SMB Share Elevated Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allows - for read, write, delete and modify NTFS permission access in Azure Storage - file shares over SMB\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/read\",\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/write\",\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/delete\",\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/modifypermissions/action\"],\"notDataActions\":[]}],\"createdOn\":\"2019-08-07T01:35:36.9935457Z\",\"updatedOn\":\"2021-11-11T20:14:06.1571744Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a7264617-510b-434b-a828-9731dc254ea7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a7264617-510b-434b-a828-9731dc254ea7\"},{\"properties\":{\"roleName\":\"Blueprint - Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can manage blueprint - definitions, but not assign them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Blueprint/blueprints/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-08-14T21:55:16.9683949Z\",\"updatedOn\":\"2021-11-11T20:14:06.5171828Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/41077137-e803-4205-871c-5a86e6a753b4\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"41077137-e803-4205-871c-5a86e6a753b4\"},{\"properties\":{\"roleName\":\"Blueprint - Operator\",\"type\":\"BuiltInRole\",\"description\":\"Can assign existing - published blueprints, but cannot create new blueprints. NOTE: this only works - if the assignment is done with a user-assigned managed identity.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Blueprint/blueprintAssignments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-08-14T21:56:48.7897875Z\",\"updatedOn\":\"2021-11-11T20:14:06.6971401Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/437d2ced-4a38-4302-8479-ed2bcb43d090\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"437d2ced-4a38-4302-8479-ed2bcb43d090\"},{\"properties\":{\"roleName\":\"Microsoft - Sentinel Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Microsoft - Sentinel Contributor\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.SecurityInsights/*\",\"Microsoft.OperationalInsights/workspaces/analytics/query/action\",\"Microsoft.OperationalInsights/workspaces/*/read\",\"Microsoft.OperationalInsights/workspaces/savedSearches/*\",\"Microsoft.OperationsManagement/solutions/read\",\"Microsoft.OperationalInsights/workspaces/query/read\",\"Microsoft.OperationalInsights/workspaces/query/*/read\",\"Microsoft.OperationalInsights/workspaces/dataSources/read\",\"Microsoft.OperationalInsights/querypacks/*/read\",\"Microsoft.Insights/workbooks/*\",\"Microsoft.Insights/myworkbooks/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[\"Microsoft.SecurityInsights/ConfidentialWatchlists/*\",\"Microsoft.OperationalInsights/workspaces/query/ConfidentialWatchlist/*\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-08-28T16:39:03.8725173Z\",\"updatedOn\":\"2022-08-01T16:51:27.7345004Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ab8e14d6-4a74-4a29-9ba8-549422addade\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ab8e14d6-4a74-4a29-9ba8-549422addade\"},{\"properties\":{\"roleName\":\"Microsoft - Sentinel Responder\",\"type\":\"BuiltInRole\",\"description\":\"Microsoft - Sentinel Responder\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.SecurityInsights/*/read\",\"Microsoft.SecurityInsights/dataConnectorsCheckRequirements/action\",\"Microsoft.SecurityInsights/automationRules/*\",\"Microsoft.SecurityInsights/cases/*\",\"Microsoft.SecurityInsights/incidents/*\",\"Microsoft.SecurityInsights/threatIntelligence/indicators/appendTags/action\",\"Microsoft.SecurityInsights/threatIntelligence/indicators/query/action\",\"Microsoft.SecurityInsights/threatIntelligence/bulkTag/action\",\"Microsoft.SecurityInsights/threatIntelligence/indicators/appendTags/action\",\"Microsoft.SecurityInsights/threatIntelligence/indicators/replaceTags/action\",\"Microsoft.SecurityInsights/threatIntelligence/queryIndicators/action\",\"Microsoft.OperationalInsights/workspaces/analytics/query/action\",\"Microsoft.OperationalInsights/workspaces/*/read\",\"Microsoft.OperationalInsights/workspaces/dataSources/read\",\"Microsoft.OperationalInsights/workspaces/savedSearches/read\",\"Microsoft.OperationsManagement/solutions/read\",\"Microsoft.OperationalInsights/workspaces/query/read\",\"Microsoft.OperationalInsights/workspaces/query/*/read\",\"Microsoft.OperationalInsights/workspaces/dataSources/read\",\"Microsoft.OperationalInsights/querypacks/*/read\",\"Microsoft.Insights/workbooks/read\",\"Microsoft.Insights/myworkbooks/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[\"Microsoft.SecurityInsights/cases/*/Delete\",\"Microsoft.SecurityInsights/incidents/*/Delete\",\"Microsoft.SecurityInsights/ConfidentialWatchlists/*\",\"Microsoft.OperationalInsights/workspaces/query/ConfidentialWatchlist/*\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-08-28T16:54:07.6467264Z\",\"updatedOn\":\"2022-08-01T16:51:27.7345004Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e150937-b8fe-4cfb-8069-0eaf05ecd056\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3e150937-b8fe-4cfb-8069-0eaf05ecd056\"},{\"properties\":{\"roleName\":\"Microsoft - Sentinel Reader\",\"type\":\"BuiltInRole\",\"description\":\"Microsoft Sentinel - Reader\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.SecurityInsights/*/read\",\"Microsoft.SecurityInsights/dataConnectorsCheckRequirements/action\",\"Microsoft.SecurityInsights/threatIntelligence/indicators/query/action\",\"Microsoft.SecurityInsights/threatIntelligence/queryIndicators/action\",\"Microsoft.OperationalInsights/workspaces/analytics/query/action\",\"Microsoft.OperationalInsights/workspaces/*/read\",\"Microsoft.OperationalInsights/workspaces/LinkedServices/read\",\"Microsoft.OperationalInsights/workspaces/savedSearches/read\",\"Microsoft.OperationsManagement/solutions/read\",\"Microsoft.OperationalInsights/workspaces/query/read\",\"Microsoft.OperationalInsights/workspaces/query/*/read\",\"Microsoft.OperationalInsights/querypacks/*/read\",\"Microsoft.OperationalInsights/workspaces/dataSources/read\",\"Microsoft.Insights/workbooks/read\",\"Microsoft.Insights/myworkbooks/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/templateSpecs/*/read\",\"Microsoft.Support/*\"],\"notActions\":[\"Microsoft.SecurityInsights/ConfidentialWatchlists/*\",\"Microsoft.OperationalInsights/workspaces/query/ConfidentialWatchlist/*\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-08-28T16:58:50.1132117Z\",\"updatedOn\":\"2022-08-01T16:51:27.7657525Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8d289c81-5878-46d4-8554-54e1e3d8b5cb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8d289c81-5878-46d4-8554-54e1e3d8b5cb\"},{\"properties\":{\"roleName\":\"Workbook - Reader\",\"type\":\"BuiltInRole\",\"description\":\"Can read workbooks.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"microsoft.insights/workbooks/read\",\"microsoft.insights/workbooktemplates/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-08-28T20:56:17.6808140Z\",\"updatedOn\":\"2022-01-03T19:15:12.6968428Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b279062a-9be3-42a0-92ae-8b3cf002ec4d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b279062a-9be3-42a0-92ae-8b3cf002ec4d\"},{\"properties\":{\"roleName\":\"Workbook - Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can save shared workbooks.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Insights/workbooks/write\",\"Microsoft.Insights/workbooks/delete\",\"Microsoft.Insights/workbooks/read\",\"Microsoft.Insights/workbooktemplates/write\",\"Microsoft.Insights/workbooktemplates/delete\",\"Microsoft.Insights/workbooktemplates/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-08-28T20:59:42.4820277Z\",\"updatedOn\":\"2022-01-03T19:14:31.2372561Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e8ddcd69-c73f-4f9f-9844-4100522f16ad\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e8ddcd69-c73f-4f9f-9844-4100522f16ad\"},{\"properties\":{\"roleName\":\"Policy - Insights Data Writer (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Allows - read access to resource policies and write access to resource component policy - events.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/policyassignments/read\",\"Microsoft.Authorization/policydefinitions/read\",\"Microsoft.Authorization/policyexemptions/read\",\"Microsoft.Authorization/policysetdefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.PolicyInsights/checkDataPolicyCompliance/action\",\"Microsoft.PolicyInsights/policyEvents/logDataEvents/action\"],\"notDataActions\":[]}],\"createdOn\":\"2019-09-19T19:35:20.9504127Z\",\"updatedOn\":\"2021-11-11T20:14:09.4235132Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/66bb4e9e-b016-4a94-8249-4c0511c2be84\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"66bb4e9e-b016-4a94-8249-4c0511c2be84\"},{\"properties\":{\"roleName\":\"SignalR - AccessKey Reader\",\"type\":\"BuiltInRole\",\"description\":\"Read SignalR - Service Access Keys\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.SignalRService/*/read\",\"Microsoft.SignalRService/SignalR/listkeys/action\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-09-20T09:33:19.6236874Z\",\"updatedOn\":\"2021-11-11T20:14:09.6134860Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/04165923-9d83-45d5-8227-78b77b0a687e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"04165923-9d83-45d5-8227-78b77b0a687e\"},{\"properties\":{\"roleName\":\"SignalR/Web - PubSub Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Create, Read, - Update, and Delete SignalR service resources\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.SignalRService/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-09-20T09:58:09.0009662Z\",\"updatedOn\":\"2021-11-11T20:14:09.7884765Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8cf5e20a-e4b2-4e9d-b3a1-5ceb692c2761\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8cf5e20a-e4b2-4e9d-b3a1-5ceb692c2761\"},{\"properties\":{\"roleName\":\"Azure - Connected Machine Onboarding\",\"type\":\"BuiltInRole\",\"description\":\"Can - onboard Azure Connected Machines.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HybridCompute/machines/read\",\"Microsoft.HybridCompute/machines/write\",\"Microsoft.HybridCompute/privateLinkScopes/read\",\"Microsoft.GuestConfiguration/guestConfigurationAssignments/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-10-23T20:15:07.1372870Z\",\"updatedOn\":\"2021-11-11T20:14:10.8735219Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b64e21ea-ac4e-4cdf-9dc9-5b892992bee7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b64e21ea-ac4e-4cdf-9dc9-5b892992bee7\"},{\"properties\":{\"roleName\":\"Azure - Connected Machine Resource Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Can - read, write, delete and re-onboard Azure Connected Machines.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HybridCompute/machines/read\",\"Microsoft.HybridCompute/machines/write\",\"Microsoft.HybridCompute/machines/delete\",\"Microsoft.HybridCompute/machines/UpgradeExtensions/action\",\"Microsoft.HybridCompute/machines/extensions/read\",\"Microsoft.HybridCompute/machines/extensions/write\",\"Microsoft.HybridCompute/machines/extensions/delete\",\"Microsoft.HybridCompute/privateLinkScopes/*\",\"Microsoft.HybridCompute/*/read\",\"Microsoft.Resources/deployments/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-10-23T20:24:59.1474607Z\",\"updatedOn\":\"2021-12-15T16:10:25.5898511Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/cd570a14-e51a-42ad-bac8-bafd67325302\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"cd570a14-e51a-42ad-bac8-bafd67325302\"},{\"properties\":{\"roleName\":\"Managed - Services Registration assignment Delete Role\",\"type\":\"BuiltInRole\",\"description\":\"Managed - Services Registration Assignment Delete Role allows the managing tenant users - to delete the registration assignment assigned to their tenant.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ManagedServices/registrationAssignments/read\",\"Microsoft.ManagedServices/registrationAssignments/delete\",\"Microsoft.ManagedServices/operationStatuses/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-10-23T22:33:33.1183469Z\",\"updatedOn\":\"2021-11-11T20:14:11.2336400Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/91c1777a-f3dc-4fae-b103-61d183457e46\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"91c1777a-f3dc-4fae-b103-61d183457e46\"},{\"properties\":{\"roleName\":\"App - Configuration Data Owner\",\"type\":\"BuiltInRole\",\"description\":\"Allows - full access to App Configuration data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AppConfiguration/configurationStores/*/read\",\"Microsoft.AppConfiguration/configurationStores/*/write\",\"Microsoft.AppConfiguration/configurationStores/*/delete\"],\"notDataActions\":[]}],\"createdOn\":\"2019-10-25T18:41:40.1185063Z\",\"updatedOn\":\"2021-11-11T20:14:11.4035314Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5ae67dd6-50cb-40e7-96ff-dc2bfa4b606b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5ae67dd6-50cb-40e7-96ff-dc2bfa4b606b\"},{\"properties\":{\"roleName\":\"App - Configuration Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows - read access to App Configuration data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AppConfiguration/configurationStores/*/read\"],\"notDataActions\":[]}],\"createdOn\":\"2019-10-25T18:45:33.7975332Z\",\"updatedOn\":\"2021-11-11T20:14:11.5885341Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/516239f1-63e1-4d78-a4de-a74fb236a071\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"516239f1-63e1-4d78-a4de-a74fb236a071\"},{\"properties\":{\"roleName\":\"Kubernetes - Cluster - Azure Arc Onboarding\",\"type\":\"BuiltInRole\",\"description\":\"Role - definition to authorize any user/service to create connectedClusters resource\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Kubernetes/connectedClusters/Write\",\"Microsoft.Kubernetes/connectedClusters/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-11-18T17:00:02.2087147Z\",\"updatedOn\":\"2021-11-11T20:14:12.4685303Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/34e09817-6cbe-4d01-b1a2-e0eac5743d41\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"34e09817-6cbe-4d01-b1a2-e0eac5743d41\"},{\"properties\":{\"roleName\":\"Experimentation - Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Experimentation Contributor\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Experimentation/experimentWorkspaces/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/read\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/write\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/delete\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/experiment/action\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/emergencystop/action\",\"Microsoft.Experimentation/experimentWorkspaces/read\",\"Microsoft.Experimentation/experimentWorkspaces/write\",\"Microsoft.Experimentation/experimentWorkspaces/delete\"],\"notDataActions\":[]}],\"createdOn\":\"2019-12-13T00:08:08.6679591Z\",\"updatedOn\":\"2021-11-11T20:14:14.6454147Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7f646f1b-fa08-80eb-a22b-edd6ce5c915c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7f646f1b-fa08-80eb-a22b-edd6ce5c915c\"},{\"properties\":{\"roleName\":\"Cognitive - Services QnA Maker Reader\",\"type\":\"BuiltInRole\",\"description\":\"Let\u2019s - you read and test a KB only.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/download/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/generateanswer/action\",\"Microsoft.CognitiveServices/accounts/QnAMaker/alterations/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/endpointkeys/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/endpointsettings/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/download/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/generateanswer/action\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/alterations/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/endpointkeys/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/endpointsettings/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/download/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/generateanswer/action\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/alterations/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/endpointkeys/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/endpointsettings/read\"],\"notDataActions\":[]}],\"createdOn\":\"2019-12-17T18:26:12.3329439Z\",\"updatedOn\":\"2021-11-11T20:14:14.8254033Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/466ccd10-b268-4a11-b098-b4849f024126\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"466ccd10-b268-4a11-b098-b4849f024126\"},{\"properties\":{\"roleName\":\"Cognitive - Services QnA Maker Editor\",\"type\":\"BuiltInRole\",\"description\":\"Let\u2019s - you create, edit, import and export a KB. You cannot publish or delete a KB.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/download/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/create/write\",\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/write\",\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/generateanswer/action\",\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/train/action\",\"Microsoft.CognitiveServices/accounts/QnAMaker/alterations/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/alterations/write\",\"Microsoft.CognitiveServices/accounts/QnAMaker/endpointkeys/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/endpointkeys/refreshkeys/action\",\"Microsoft.CognitiveServices/accounts/QnAMaker/endpointsettings/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/endpointsettings/write\",\"Microsoft.CognitiveServices/accounts/QnAMaker/operations/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/download/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/create/write\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/write\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/generateanswer/action\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/train/action\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/alterations/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/alterations/write\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/endpointkeys/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/endpointkeys/refreshkeys/action\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/endpointsettings/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/endpointsettings/write\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/operations/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/download/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/create/write\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/write\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/generateanswer/action\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/train/action\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/alterations/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/alterations/write\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/endpointkeys/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/endpointkeys/refreshkeys/action\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/endpointsettings/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/endpointsettings/write\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/operations/read\"],\"notDataActions\":[]}],\"createdOn\":\"2019-12-17T18:27:30.6434556Z\",\"updatedOn\":\"2021-11-11T20:14:14.9961559Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f4cc2bf9-21be-47a1-bdf1-5c5804381025\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f4cc2bf9-21be-47a1-bdf1-5c5804381025\"},{\"properties\":{\"roleName\":\"Experimentation - Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Experimentation - Administrator\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Experimentation/experimentWorkspaces/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/admin/action\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/read\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/write\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/delete\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/experimentadmin/action\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/experiment/action\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/emergencystop/action\",\"Microsoft.Experimentation/experimentWorkspaces/read\",\"Microsoft.Experimentation/experimentWorkspaces/write\",\"Microsoft.Experimentation/experimentWorkspaces/delete\",\"Microsoft.Experimentation/experimentWorkspaces/admin/action\",\"Microsoft.Experimentation/experimentWorkspaces/metricwrite/action\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/metricwrite/action\"],\"notDataActions\":[]}],\"createdOn\":\"2019-12-18T22:46:33.1116612Z\",\"updatedOn\":\"2021-11-11T20:14:15.1811577Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7f646f1b-fa08-80eb-a33b-edd6ce5c915c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7f646f1b-fa08-80eb-a33b-edd6ce5c915c\"},{\"properties\":{\"roleName\":\"Remote - Rendering Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Provides - user with conversion, manage session, rendering and diagnostics capabilities - for Azure Remote Rendering\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/RemoteRenderingAccounts/convert/action\",\"Microsoft.MixedReality/RemoteRenderingAccounts/convert/read\",\"Microsoft.MixedReality/RemoteRenderingAccounts/convert/delete\",\"Microsoft.MixedReality/RemoteRenderingAccounts/managesessions/read\",\"Microsoft.MixedReality/RemoteRenderingAccounts/managesessions/action\",\"Microsoft.MixedReality/RemoteRenderingAccounts/managesessions/delete\",\"Microsoft.MixedReality/RemoteRenderingAccounts/render/read\",\"Microsoft.MixedReality/RemoteRenderingAccounts/diagnostic/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-01-23T18:15:31.3450348Z\",\"updatedOn\":\"2021-11-11T20:14:16.7621737Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3df8b902-2a6f-47c7-8cc5-360e9b272a7e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3df8b902-2a6f-47c7-8cc5-360e9b272a7e\"},{\"properties\":{\"roleName\":\"Remote - Rendering Client\",\"type\":\"BuiltInRole\",\"description\":\"Provides user - with manage session, rendering and diagnostics capabilities for Azure Remote - Rendering.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/RemoteRenderingAccounts/managesessions/read\",\"Microsoft.MixedReality/RemoteRenderingAccounts/managesessions/action\",\"Microsoft.MixedReality/RemoteRenderingAccounts/managesessions/delete\",\"Microsoft.MixedReality/RemoteRenderingAccounts/render/read\",\"Microsoft.MixedReality/RemoteRenderingAccounts/diagnostic/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-01-23T18:32:52.7069824Z\",\"updatedOn\":\"2021-11-11T20:14:16.9421512Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d39065c4-c120-43c9-ab0a-63eed9795f0a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d39065c4-c120-43c9-ab0a-63eed9795f0a\"},{\"properties\":{\"roleName\":\"Managed - Application Contributor Role\",\"type\":\"BuiltInRole\",\"description\":\"Allows - for creating managed application resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.Solutions/applications/*\",\"Microsoft.Solutions/register/action\",\"Microsoft.Resources/subscriptions/resourceGroups/*\",\"Microsoft.Resources/deployments/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-02-08T03:39:11.8933879Z\",\"updatedOn\":\"2021-11-11T20:14:19.1271536Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/641177b8-a67a-45b9-a033-47bc880bb21e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"641177b8-a67a-45b9-a033-47bc880bb21e\"},{\"properties\":{\"roleName\":\"Security - Assessment Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - push assessments to Security Center\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Security/assessments/write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-02-13T08:23:47.7656161Z\",\"updatedOn\":\"2021-11-11T20:14:19.3021974Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/612c2aa1-cb24-443b-ac28-3ab7272de6f5\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"612c2aa1-cb24-443b-ac28-3ab7272de6f5\"},{\"properties\":{\"roleName\":\"Tag - Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage tags - on entities, without providing access to the entities themselves.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/resourceGroups/resources/read\",\"Microsoft.Resources/subscriptions/resources/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Support/*\",\"Microsoft.Resources/tags/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-02-18T23:19:19.2977644Z\",\"updatedOn\":\"2021-11-11T20:14:20.0172041Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4a9ae827-6dc8-4573-8ac7-8239d42aa03f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4a9ae827-6dc8-4573-8ac7-8239d42aa03f\"},{\"properties\":{\"roleName\":\"Integration - Service Environment Developer\",\"type\":\"BuiltInRole\",\"description\":\"Allows - developers to create and update workflows, integration accounts and API connections - in integration service environments.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Support/*\",\"Microsoft.Logic/integrationServiceEnvironments/read\",\"Microsoft.Logic/integrationServiceEnvironments/*/join/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-02-20T21:09:00.5627875Z\",\"updatedOn\":\"2021-11-11T20:14:20.1871986Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c7aa55d3-1abb-444a-a5ca-5e51e485d6ec\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c7aa55d3-1abb-444a-a5ca-5e51e485d6ec\"},{\"properties\":{\"roleName\":\"Integration - Service Environment Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you manage integration service environments, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Support/*\",\"Microsoft.Logic/integrationServiceEnvironments/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-02-20T21:10:44.4008319Z\",\"updatedOn\":\"2021-11-11T20:14:20.3622058Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a41e2c5b-bd99-4a07-88f4-9bf657a760b8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a41e2c5b-bd99-4a07-88f4-9bf657a760b8\"},{\"properties\":{\"roleName\":\"Azure - Kubernetes Service Contributor Role\",\"type\":\"BuiltInRole\",\"description\":\"Grants - access to read and write Azure Kubernetes Service clusters\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerService/managedClusters/read\",\"Microsoft.ContainerService/managedClusters/write\",\"Microsoft.Resources/deployments/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-02-27T19:27:15.0739970Z\",\"updatedOn\":\"2021-11-11T20:14:21.2621727Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ed7f3fbd-7b88-4dd4-9017-9adb7ce333f8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ed7f3fbd-7b88-4dd4-9017-9adb7ce333f8\"},{\"properties\":{\"roleName\":\"Azure - Digital Twins Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Read-only - role for Digital Twins data-plane properties\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.DigitalTwins/digitaltwins/read\",\"Microsoft.DigitalTwins/digitaltwins/relationships/read\",\"Microsoft.DigitalTwins/eventroutes/read\",\"Microsoft.DigitalTwins/models/read\",\"Microsoft.DigitalTwins/query/action\"],\"notDataActions\":[]}],\"createdOn\":\"2020-03-10T23:48:14.7057381Z\",\"updatedOn\":\"2021-11-11T20:14:22.3621788Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d57506d4-4c8d-48b1-8587-93c323f6a5a3\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d57506d4-4c8d-48b1-8587-93c323f6a5a3\"},{\"properties\":{\"roleName\":\"Azure - Digital Twins Data Owner\",\"type\":\"BuiltInRole\",\"description\":\"Full - access role for Digital Twins data-plane\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.DigitalTwins/eventroutes/*\",\"Microsoft.DigitalTwins/digitaltwins/*\",\"Microsoft.DigitalTwins/digitaltwins/commands/*\",\"Microsoft.DigitalTwins/digitaltwins/relationships/*\",\"Microsoft.DigitalTwins/models/*\",\"Microsoft.DigitalTwins/query/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-03-10T23:49:33.7821930Z\",\"updatedOn\":\"2021-11-11T20:14:22.5471888Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/bcd981a7-7f74-457b-83e1-cceb9e632ffe\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"bcd981a7-7f74-457b-83e1-cceb9e632ffe\"},{\"properties\":{\"roleName\":\"Hierarchy - Settings Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Allows - users to edit and delete Hierarchy Settings\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Management/managementGroups/settings/write\",\"Microsoft.Management/managementGroups/settings/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-03-13T23:55:11.0212387Z\",\"updatedOn\":\"2021-11-11T20:14:23.0882347Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/350f8d15-c687-4448-8ae1-157740a3936d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"350f8d15-c687-4448-8ae1-157740a3936d\"},{\"properties\":{\"roleName\":\"FHIR - Data Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Role allows - user or principal full access to FHIR Data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.HealthcareApis/services/fhir/resources/*\",\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-03-17T18:35:04.4949547Z\",\"updatedOn\":\"2021-11-11T20:14:23.6235473Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5a1fc7df-4bf1-4951-a576-89034ee01acd\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5a1fc7df-4bf1-4951-a576-89034ee01acd\"},{\"properties\":{\"roleName\":\"FHIR - Data Exporter\",\"type\":\"BuiltInRole\",\"description\":\"Role allows user - or principal to read and export FHIR Data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.HealthcareApis/services/fhir/resources/read\",\"Microsoft.HealthcareApis/services/fhir/resources/export/action\",\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/read\",\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/export/action\"],\"notDataActions\":[]}],\"createdOn\":\"2020-03-17T18:45:01.9764073Z\",\"updatedOn\":\"2021-11-11T20:14:23.7992557Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3db33094-8700-4567-8da5-1501d4e7e843\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3db33094-8700-4567-8da5-1501d4e7e843\"},{\"properties\":{\"roleName\":\"FHIR - Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Role allows user - or principal to read FHIR Data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.HealthcareApis/services/fhir/resources/read\",\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-03-17T18:49:04.8353499Z\",\"updatedOn\":\"2021-11-11T20:14:23.9692275Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4c8d0bbc-75d3-4935-991f-5f3c56d81508\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4c8d0bbc-75d3-4935-991f-5f3c56d81508\"},{\"properties\":{\"roleName\":\"FHIR - Data Writer\",\"type\":\"BuiltInRole\",\"description\":\"Role allows user - or principal to read and write FHIR Data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.HealthcareApis/services/fhir/resources/*\",\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/*\"],\"notDataActions\":[\"Microsoft.HealthcareApis/services/fhir/resources/hardDelete/action\",\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/hardDelete/action\"]}],\"createdOn\":\"2020-03-17T18:55:35.2413335Z\",\"updatedOn\":\"2021-11-11T20:14:24.1442783Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3f88fce4-5892-4214-ae73-ba5294559913\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3f88fce4-5892-4214-ae73-ba5294559913\"},{\"properties\":{\"roleName\":\"Experimentation - Reader\",\"type\":\"BuiltInRole\",\"description\":\"Experimentation Reader\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Experimentation/experimentWorkspaces/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Experimentation/experimentWorkspaces/read\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-03-25T18:05:14.8375678Z\",\"updatedOn\":\"2021-11-11T20:14:24.5042390Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/49632ef5-d9ac-41f4-b8e7-bbe587fa74a1\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"49632ef5-d9ac-41f4-b8e7-bbe587fa74a1\"},{\"properties\":{\"roleName\":\"Object - Understanding Account Owner\",\"type\":\"BuiltInRole\",\"description\":\"Provides - user with ingestion capabilities for Azure Object Understanding.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/ObjectUnderstandingAccounts/ingest/action\",\"Microsoft.MixedReality/ObjectUnderstandingAccounts/ingest/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-04-22T19:15:09.0697923Z\",\"updatedOn\":\"2021-11-11T20:14:26.8743132Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4dd61c23-6743-42fe-a388-d8bdd41cb745\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4dd61c23-6743-42fe-a388-d8bdd41cb745\"},{\"properties\":{\"roleName\":\"Azure - Maps Data Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Grants - access to read, write, and delete access to map related data from an Azure - maps account.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Maps/accounts/*/read\",\"Microsoft.Maps/accounts/*/write\",\"Microsoft.Maps/accounts/*/delete\",\"Microsoft.Maps/accounts/*/action\"],\"notDataActions\":[]}],\"createdOn\":\"2020-05-07T20:55:05.0645410Z\",\"updatedOn\":\"2021-11-11T20:14:28.3092598Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8f5e0ce6-4f7b-4dcf-bddf-e6f48634a204\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8f5e0ce6-4f7b-4dcf-bddf-e6f48634a204\"},{\"properties\":{\"roleName\":\"Cognitive - Services Custom Vision Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Full - access to the project, including the ability to view, create, edit, or delete - projects.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-05-08T23:47:07.0779345Z\",\"updatedOn\":\"2021-11-11T20:14:28.8342655Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c1ff6cc2-c111-46fe-8896-e0ef812ad9f3\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c1ff6cc2-c111-46fe-8896-e0ef812ad9f3\"},{\"properties\":{\"roleName\":\"Cognitive - Services Custom Vision Deployment\",\"type\":\"BuiltInRole\",\"description\":\"Publish, - unpublish or export models. Deployment can view the project but can\u2019t - update.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/*/read\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/predictions/*\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/iterations/publish/*\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/iterations/export/*\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/quicktest/*\",\"Microsoft.CognitiveServices/accounts/CustomVision/classify/*\",\"Microsoft.CognitiveServices/accounts/CustomVision/detect/*\"],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/projects/export/read\"]}],\"createdOn\":\"2020-05-09T01:31:05.9528620Z\",\"updatedOn\":\"2021-11-11T20:14:29.0142669Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5c4089e1-6d96-4d2f-b296-c1bc7137275f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5c4089e1-6d96-4d2f-b296-c1bc7137275f\"},{\"properties\":{\"roleName\":\"Cognitive - Services Custom Vision Labeler\",\"type\":\"BuiltInRole\",\"description\":\"View, - edit training images and create, add, remove, or delete the image tags. Labelers - can view the project but can\u2019t update anything other than training images - and tags.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/*/read\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/predictions/query/action\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/images/*\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/tags/*\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/images/suggested/*\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/tagsandregions/suggestions/action\"],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/projects/export/read\"]}],\"createdOn\":\"2020-05-09T01:33:20.8278896Z\",\"updatedOn\":\"2021-11-11T20:14:29.1892871Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/88424f51-ebe7-446f-bc41-7fa16989e96c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"88424f51-ebe7-446f-bc41-7fa16989e96c\"},{\"properties\":{\"roleName\":\"Cognitive - Services Custom Vision Reader\",\"type\":\"BuiltInRole\",\"description\":\"Read-only - actions in the project. Readers can\u2019t create or update the project.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/*/read\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/predictions/query/action\"],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/projects/export/read\"]}],\"createdOn\":\"2020-05-09T01:34:18.5328818Z\",\"updatedOn\":\"2021-11-11T20:14:29.3642707Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/93586559-c37d-4a6b-ba08-b9f0940c2d73\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"93586559-c37d-4a6b-ba08-b9f0940c2d73\"},{\"properties\":{\"roleName\":\"Cognitive - Services Custom Vision Trainer\",\"type\":\"BuiltInRole\",\"description\":\"View, - edit projects and train the models, including the ability to publish, unpublish, - export the models. Trainers can\u2019t create or delete the project.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/*\"],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/projects/action\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/delete\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/import/action\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/export/read\"]}],\"createdOn\":\"2020-05-09T01:35:13.8147804Z\",\"updatedOn\":\"2021-11-11T20:14:29.5442713Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0a5ae4ab-0d65-4eeb-be61-29fc9b54394b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0a5ae4ab-0d65-4eeb-be61-29fc9b54394b\"},{\"properties\":{\"roleName\":\"Key - Vault Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Perform all - data plane operations on a key vault and all objects in it, including certificates, - keys, and secrets. Cannot manage key vault resources or manage role assignments. - Only works for key vaults that use the 'Azure role-based access control' permission - model.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.KeyVault/checkNameAvailability/read\",\"Microsoft.KeyVault/deletedVaults/read\",\"Microsoft.KeyVault/locations/*/read\",\"Microsoft.KeyVault/vaults/*/read\",\"Microsoft.KeyVault/operations/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-05-19T17:52:46.2349235Z\",\"updatedOn\":\"2021-11-11T20:14:30.2542755Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/00482a5a-887f-4fb3-b363-3b7fe8e74483\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"00482a5a-887f-4fb3-b363-3b7fe8e74483\"},{\"properties\":{\"roleName\":\"Key - Vault Crypto Officer\",\"type\":\"BuiltInRole\",\"description\":\"Perform - any action on the keys of a key vault, except manage permissions. Only works - for key vaults that use the 'Azure role-based access control' permission model.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.KeyVault/checkNameAvailability/read\",\"Microsoft.KeyVault/deletedVaults/read\",\"Microsoft.KeyVault/locations/*/read\",\"Microsoft.KeyVault/vaults/*/read\",\"Microsoft.KeyVault/operations/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/keys/*\",\"Microsoft.KeyVault/vaults/keyrotationpolicies/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-05-19T17:52:47.0099249Z\",\"updatedOn\":\"2022-01-06T23:21:17.9760884Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/14b46e9e-c2b7-41b4-b07b-48a6ebf60603\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"14b46e9e-c2b7-41b4-b07b-48a6ebf60603\"},{\"properties\":{\"roleName\":\"Key - Vault Crypto User\",\"type\":\"BuiltInRole\",\"description\":\"Perform cryptographic - operations using keys. Only works for key vaults that use the 'Azure role-based - access control' permission model.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/keys/read\",\"Microsoft.KeyVault/vaults/keys/update/action\",\"Microsoft.KeyVault/vaults/keys/backup/action\",\"Microsoft.KeyVault/vaults/keys/encrypt/action\",\"Microsoft.KeyVault/vaults/keys/decrypt/action\",\"Microsoft.KeyVault/vaults/keys/wrap/action\",\"Microsoft.KeyVault/vaults/keys/unwrap/action\",\"Microsoft.KeyVault/vaults/keys/sign/action\",\"Microsoft.KeyVault/vaults/keys/verify/action\"],\"notDataActions\":[]}],\"createdOn\":\"2020-05-19T17:52:47.0699268Z\",\"updatedOn\":\"2021-11-11T20:14:30.6042921Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/12338af0-0e69-4776-bea7-57ae8d297424\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"12338af0-0e69-4776-bea7-57ae8d297424\"},{\"properties\":{\"roleName\":\"Key - Vault Secrets Officer\",\"type\":\"BuiltInRole\",\"description\":\"Perform - any action on the secrets of a key vault, except manage permissions. Only - works for key vaults that use the 'Azure role-based access control' permission - model.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.KeyVault/checkNameAvailability/read\",\"Microsoft.KeyVault/deletedVaults/read\",\"Microsoft.KeyVault/locations/*/read\",\"Microsoft.KeyVault/vaults/*/read\",\"Microsoft.KeyVault/operations/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/secrets/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-05-19T17:52:47.1449242Z\",\"updatedOn\":\"2021-11-11T20:14:30.7793470Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b86a8fe4-44ce-4948-aee5-eccb2c155cd7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b86a8fe4-44ce-4948-aee5-eccb2c155cd7\"},{\"properties\":{\"roleName\":\"Key - Vault Secrets User\",\"type\":\"BuiltInRole\",\"description\":\"Read secret - contents. Only works for key vaults that use the 'Azure role-based access - control' permission model.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/secrets/getSecret/action\",\"Microsoft.KeyVault/vaults/secrets/readMetadata/action\"],\"notDataActions\":[]}],\"createdOn\":\"2020-05-19T17:52:47.2049241Z\",\"updatedOn\":\"2021-11-11T20:14:30.9542829Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4633458b-17de-408a-b874-0445c86b69e6\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4633458b-17de-408a-b874-0445c86b69e6\"},{\"properties\":{\"roleName\":\"Key - Vault Certificates Officer\",\"type\":\"BuiltInRole\",\"description\":\"Perform - any action on the certificates of a key vault, except manage permissions. - Only works for key vaults that use the 'Azure role-based access control' permission - model.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.KeyVault/checkNameAvailability/read\",\"Microsoft.KeyVault/deletedVaults/read\",\"Microsoft.KeyVault/locations/*/read\",\"Microsoft.KeyVault/vaults/*/read\",\"Microsoft.KeyVault/operations/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/certificatecas/*\",\"Microsoft.KeyVault/vaults/certificates/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-05-19T17:52:47.2499247Z\",\"updatedOn\":\"2021-11-11T20:14:31.1292967Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a4417e6f-fecd-4de8-b567-7b0420556985\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a4417e6f-fecd-4de8-b567-7b0420556985\"},{\"properties\":{\"roleName\":\"Key - Vault Reader\",\"type\":\"BuiltInRole\",\"description\":\"Read metadata of - key vaults and its certificates, keys, and secrets. Cannot read sensitive - values such as secret contents or key material. Only works for key vaults - that use the 'Azure role-based access control' permission model.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.KeyVault/checkNameAvailability/read\",\"Microsoft.KeyVault/deletedVaults/read\",\"Microsoft.KeyVault/locations/*/read\",\"Microsoft.KeyVault/vaults/*/read\",\"Microsoft.KeyVault/operations/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/*/read\",\"Microsoft.KeyVault/vaults/secrets/readMetadata/action\"],\"notDataActions\":[]}],\"createdOn\":\"2020-05-19T17:52:47.2949294Z\",\"updatedOn\":\"2021-11-11T20:14:31.3043292Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/21090545-7ca7-4776-b22c-e363652d74d2\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"21090545-7ca7-4776-b22c-e363652d74d2\"},{\"properties\":{\"roleName\":\"Key - Vault Crypto Service Encryption User\",\"type\":\"BuiltInRole\",\"description\":\"Read - metadata of keys and perform wrap/unwrap operations. Only works for key vaults - that use the 'Azure role-based access control' permission model.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.EventGrid/eventSubscriptions/write\",\"Microsoft.EventGrid/eventSubscriptions/read\",\"Microsoft.EventGrid/eventSubscriptions/delete\"],\"notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/keys/read\",\"Microsoft.KeyVault/vaults/keys/wrap/action\",\"Microsoft.KeyVault/vaults/keys/unwrap/action\"],\"notDataActions\":[]}],\"createdOn\":\"2020-05-20T20:55:19.2398470Z\",\"updatedOn\":\"2021-11-11T20:14:31.8443056Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e147488a-f6f5-4113-8e2d-b22465e65bf6\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e147488a-f6f5-4113-8e2d-b22465e65bf6\"},{\"properties\":{\"roleName\":\"Azure - Arc Kubernetes Viewer\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - view all resources in cluster/namespace, except secrets.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Kubernetes/connectedClusters/apps/controllerrevisions/read\",\"Microsoft.Kubernetes/connectedClusters/apps/daemonsets/read\",\"Microsoft.Kubernetes/connectedClusters/apps/deployments/read\",\"Microsoft.Kubernetes/connectedClusters/apps/replicasets/read\",\"Microsoft.Kubernetes/connectedClusters/apps/statefulsets/read\",\"Microsoft.Kubernetes/connectedClusters/autoscaling/horizontalpodautoscalers/read\",\"Microsoft.Kubernetes/connectedClusters/batch/cronjobs/read\",\"Microsoft.Kubernetes/connectedClusters/batch/jobs/read\",\"Microsoft.Kubernetes/connectedClusters/configmaps/read\",\"Microsoft.Kubernetes/connectedClusters/endpoints/read\",\"Microsoft.Kubernetes/connectedClusters/events.k8s.io/events/read\",\"Microsoft.Kubernetes/connectedClusters/events/read\",\"Microsoft.Kubernetes/connectedClusters/extensions/daemonsets/read\",\"Microsoft.Kubernetes/connectedClusters/extensions/deployments/read\",\"Microsoft.Kubernetes/connectedClusters/extensions/ingresses/read\",\"Microsoft.Kubernetes/connectedClusters/extensions/networkpolicies/read\",\"Microsoft.Kubernetes/connectedClusters/extensions/replicasets/read\",\"Microsoft.Kubernetes/connectedClusters/limitranges/read\",\"Microsoft.Kubernetes/connectedClusters/namespaces/read\",\"Microsoft.Kubernetes/connectedClusters/networking.k8s.io/ingresses/read\",\"Microsoft.Kubernetes/connectedClusters/networking.k8s.io/networkpolicies/read\",\"Microsoft.Kubernetes/connectedClusters/persistentvolumeclaims/read\",\"Microsoft.Kubernetes/connectedClusters/pods/read\",\"Microsoft.Kubernetes/connectedClusters/policy/poddisruptionbudgets/read\",\"Microsoft.Kubernetes/connectedClusters/replicationcontrollers/read\",\"Microsoft.Kubernetes/connectedClusters/replicationcontrollers/read\",\"Microsoft.Kubernetes/connectedClusters/resourcequotas/read\",\"Microsoft.Kubernetes/connectedClusters/serviceaccounts/read\",\"Microsoft.Kubernetes/connectedClusters/services/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-06-12T20:51:12.8801199Z\",\"updatedOn\":\"2021-11-11T20:14:33.8193353Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/63f0a09d-1495-4db4-a681-037d84835eb4\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"63f0a09d-1495-4db4-a681-037d84835eb4\"},{\"properties\":{\"roleName\":\"Azure - Arc Kubernetes Writer\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - update everything in cluster/namespace, except (cluster)roles and (cluster)role - bindings.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Kubernetes/connectedClusters/apps/controllerrevisions/read\",\"Microsoft.Kubernetes/connectedClusters/apps/daemonsets/*\",\"Microsoft.Kubernetes/connectedClusters/apps/deployments/*\",\"Microsoft.Kubernetes/connectedClusters/apps/replicasets/*\",\"Microsoft.Kubernetes/connectedClusters/apps/statefulsets/*\",\"Microsoft.Kubernetes/connectedClusters/autoscaling/horizontalpodautoscalers/*\",\"Microsoft.Kubernetes/connectedClusters/batch/cronjobs/*\",\"Microsoft.Kubernetes/connectedClusters/batch/jobs/*\",\"Microsoft.Kubernetes/connectedClusters/configmaps/*\",\"Microsoft.Kubernetes/connectedClusters/endpoints/*\",\"Microsoft.Kubernetes/connectedClusters/events.k8s.io/events/read\",\"Microsoft.Kubernetes/connectedClusters/events/read\",\"Microsoft.Kubernetes/connectedClusters/extensions/daemonsets/*\",\"Microsoft.Kubernetes/connectedClusters/extensions/deployments/*\",\"Microsoft.Kubernetes/connectedClusters/extensions/ingresses/*\",\"Microsoft.Kubernetes/connectedClusters/extensions/networkpolicies/*\",\"Microsoft.Kubernetes/connectedClusters/extensions/replicasets/*\",\"Microsoft.Kubernetes/connectedClusters/limitranges/read\",\"Microsoft.Kubernetes/connectedClusters/namespaces/read\",\"Microsoft.Kubernetes/connectedClusters/networking.k8s.io/ingresses/*\",\"Microsoft.Kubernetes/connectedClusters/networking.k8s.io/networkpolicies/*\",\"Microsoft.Kubernetes/connectedClusters/persistentvolumeclaims/*\",\"Microsoft.Kubernetes/connectedClusters/pods/*\",\"Microsoft.Kubernetes/connectedClusters/policy/poddisruptionbudgets/*\",\"Microsoft.Kubernetes/connectedClusters/replicationcontrollers/*\",\"Microsoft.Kubernetes/connectedClusters/replicationcontrollers/*\",\"Microsoft.Kubernetes/connectedClusters/resourcequotas/read\",\"Microsoft.Kubernetes/connectedClusters/secrets/*\",\"Microsoft.Kubernetes/connectedClusters/serviceaccounts/*\",\"Microsoft.Kubernetes/connectedClusters/services/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-06-12T20:53:50.6749823Z\",\"updatedOn\":\"2021-11-11T20:14:34.0043462Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5b999177-9696-4545-85c7-50de3797e5a1\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5b999177-9696-4545-85c7-50de3797e5a1\"},{\"properties\":{\"roleName\":\"Azure - Arc Kubernetes Cluster Admin\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you manage all resources in the cluster.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Kubernetes/connectedClusters/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-06-12T20:55:30.9910462Z\",\"updatedOn\":\"2021-11-11T20:14:34.1743694Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8393591c-06b9-48a2-a542-1bd6b377f6a2\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8393591c-06b9-48a2-a542-1bd6b377f6a2\"},{\"properties\":{\"roleName\":\"Azure - Arc Kubernetes Admin\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - manage all resources under cluster/namespace, except update or delete resource - quotas and namespaces.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Kubernetes/connectedClusters/apps/controllerrevisions/read\",\"Microsoft.Kubernetes/connectedClusters/apps/daemonsets/*\",\"Microsoft.Kubernetes/connectedClusters/apps/deployments/*\",\"Microsoft.Kubernetes/connectedClusters/apps/replicasets/*\",\"Microsoft.Kubernetes/connectedClusters/apps/statefulsets/*\",\"Microsoft.Kubernetes/connectedClusters/authorization.k8s.io/localsubjectaccessreviews/write\",\"Microsoft.Kubernetes/connectedClusters/autoscaling/horizontalpodautoscalers/*\",\"Microsoft.Kubernetes/connectedClusters/batch/cronjobs/*\",\"Microsoft.Kubernetes/connectedClusters/batch/jobs/*\",\"Microsoft.Kubernetes/connectedClusters/configmaps/*\",\"Microsoft.Kubernetes/connectedClusters/endpoints/*\",\"Microsoft.Kubernetes/connectedClusters/events.k8s.io/events/read\",\"Microsoft.Kubernetes/connectedClusters/events/read\",\"Microsoft.Kubernetes/connectedClusters/extensions/daemonsets/*\",\"Microsoft.Kubernetes/connectedClusters/extensions/deployments/*\",\"Microsoft.Kubernetes/connectedClusters/extensions/ingresses/*\",\"Microsoft.Kubernetes/connectedClusters/extensions/networkpolicies/*\",\"Microsoft.Kubernetes/connectedClusters/extensions/replicasets/*\",\"Microsoft.Kubernetes/connectedClusters/limitranges/read\",\"Microsoft.Kubernetes/connectedClusters/namespaces/read\",\"Microsoft.Kubernetes/connectedClusters/networking.k8s.io/ingresses/*\",\"Microsoft.Kubernetes/connectedClusters/networking.k8s.io/networkpolicies/*\",\"Microsoft.Kubernetes/connectedClusters/persistentvolumeclaims/*\",\"Microsoft.Kubernetes/connectedClusters/pods/*\",\"Microsoft.Kubernetes/connectedClusters/policy/poddisruptionbudgets/*\",\"Microsoft.Kubernetes/connectedClusters/rbac.authorization.k8s.io/rolebindings/*\",\"Microsoft.Kubernetes/connectedClusters/rbac.authorization.k8s.io/roles/*\",\"Microsoft.Kubernetes/connectedClusters/replicationcontrollers/*\",\"Microsoft.Kubernetes/connectedClusters/replicationcontrollers/*\",\"Microsoft.Kubernetes/connectedClusters/resourcequotas/read\",\"Microsoft.Kubernetes/connectedClusters/secrets/*\",\"Microsoft.Kubernetes/connectedClusters/serviceaccounts/*\",\"Microsoft.Kubernetes/connectedClusters/services/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-06-12T20:57:06.0391177Z\",\"updatedOn\":\"2021-11-11T20:14:34.3593384Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/dffb1e0c-446f-4dde-a09f-99eb5cc68b96\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"dffb1e0c-446f-4dde-a09f-99eb5cc68b96\"},{\"properties\":{\"roleName\":\"Azure - Kubernetes Service RBAC Cluster Admin\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you manage all resources in the cluster.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.ContainerService/managedClusters/listClusterUserCredential/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/managedClusters/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-07-02T17:47:24.4071415Z\",\"updatedOn\":\"2021-11-11T20:14:35.5993607Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b1ff04bb-8a4e-4dc4-8eb5-8693973ce19b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b1ff04bb-8a4e-4dc4-8eb5-8693973ce19b\"},{\"properties\":{\"roleName\":\"Azure - Kubernetes Service RBAC Admin\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you manage all resources under cluster/namespace, except update or delete - resource quotas and namespaces.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.ContainerService/managedClusters/listClusterUserCredential/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/managedClusters/*\"],\"notDataActions\":[\"Microsoft.ContainerService/managedClusters/resourcequotas/write\",\"Microsoft.ContainerService/managedClusters/resourcequotas/delete\",\"Microsoft.ContainerService/managedClusters/namespaces/write\",\"Microsoft.ContainerService/managedClusters/namespaces/delete\"]}],\"createdOn\":\"2020-07-02T17:50:30.4020311Z\",\"updatedOn\":\"2021-11-11T20:14:35.7743651Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3498e952-d568-435e-9b2c-8d77e338d7f7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3498e952-d568-435e-9b2c-8d77e338d7f7\"},{\"properties\":{\"roleName\":\"Azure - Kubernetes Service RBAC Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows - read-only access to see most objects in a namespace. It does not allow viewing - roles or role bindings. This role does not allow viewing Secrets, since reading - the contents of Secrets enables access to ServiceAccount credentials in the - namespace, which would allow API access as any ServiceAccount in the namespace - (a form of privilege escalation). Applying this role at cluster scope will - give access across all namespaces.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/managedClusters/apps/controllerrevisions/read\",\"Microsoft.ContainerService/managedClusters/apps/daemonsets/read\",\"Microsoft.ContainerService/managedClusters/apps/deployments/read\",\"Microsoft.ContainerService/managedClusters/apps/replicasets/read\",\"Microsoft.ContainerService/managedClusters/apps/statefulsets/read\",\"Microsoft.ContainerService/managedClusters/autoscaling/horizontalpodautoscalers/read\",\"Microsoft.ContainerService/managedClusters/batch/cronjobs/read\",\"Microsoft.ContainerService/managedClusters/batch/jobs/read\",\"Microsoft.ContainerService/managedClusters/configmaps/read\",\"Microsoft.ContainerService/managedClusters/endpoints/read\",\"Microsoft.ContainerService/managedClusters/events.k8s.io/events/read\",\"Microsoft.ContainerService/managedClusters/events/read\",\"Microsoft.ContainerService/managedClusters/extensions/daemonsets/read\",\"Microsoft.ContainerService/managedClusters/extensions/deployments/read\",\"Microsoft.ContainerService/managedClusters/extensions/ingresses/read\",\"Microsoft.ContainerService/managedClusters/extensions/networkpolicies/read\",\"Microsoft.ContainerService/managedClusters/extensions/replicasets/read\",\"Microsoft.ContainerService/managedClusters/limitranges/read\",\"Microsoft.ContainerService/managedClusters/namespaces/read\",\"Microsoft.ContainerService/managedClusters/networking.k8s.io/ingresses/read\",\"Microsoft.ContainerService/managedClusters/networking.k8s.io/networkpolicies/read\",\"Microsoft.ContainerService/managedClusters/persistentvolumeclaims/read\",\"Microsoft.ContainerService/managedClusters/pods/read\",\"Microsoft.ContainerService/managedClusters/policy/poddisruptionbudgets/read\",\"Microsoft.ContainerService/managedClusters/replicationcontrollers/read\",\"Microsoft.ContainerService/managedClusters/replicationcontrollers/read\",\"Microsoft.ContainerService/managedClusters/resourcequotas/read\",\"Microsoft.ContainerService/managedClusters/serviceaccounts/read\",\"Microsoft.ContainerService/managedClusters/services/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-07-02T17:53:05.5728294Z\",\"updatedOn\":\"2021-11-11T20:14:35.9544048Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7f6c6a51-bcf8-42ba-9220-52d62157d7db\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7f6c6a51-bcf8-42ba-9220-52d62157d7db\"},{\"properties\":{\"roleName\":\"Azure - Kubernetes Service RBAC Writer\",\"type\":\"BuiltInRole\",\"description\":\"Allows - read/write access to most objects in a namespace.This role does not allow - viewing or modifying roles or role bindings. However, this role allows accessing - Secrets and running Pods as any ServiceAccount in the namespace, so it can - be used to gain the API access levels of any ServiceAccount in the namespace. - Applying this role at cluster scope will give access across all namespaces.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/managedClusters/apps/controllerrevisions/read\",\"Microsoft.ContainerService/managedClusters/apps/daemonsets/*\",\"Microsoft.ContainerService/managedClusters/apps/deployments/*\",\"Microsoft.ContainerService/managedClusters/apps/replicasets/*\",\"Microsoft.ContainerService/managedClusters/apps/statefulsets/*\",\"Microsoft.ContainerService/managedClusters/autoscaling/horizontalpodautoscalers/*\",\"Microsoft.ContainerService/managedClusters/batch/cronjobs/*\",\"Microsoft.ContainerService/managedClusters/batch/jobs/*\",\"Microsoft.ContainerService/managedClusters/configmaps/*\",\"Microsoft.ContainerService/managedClusters/endpoints/*\",\"Microsoft.ContainerService/managedClusters/events.k8s.io/events/read\",\"Microsoft.ContainerService/managedClusters/events/read\",\"Microsoft.ContainerService/managedClusters/extensions/daemonsets/*\",\"Microsoft.ContainerService/managedClusters/extensions/deployments/*\",\"Microsoft.ContainerService/managedClusters/extensions/ingresses/*\",\"Microsoft.ContainerService/managedClusters/extensions/networkpolicies/*\",\"Microsoft.ContainerService/managedClusters/extensions/replicasets/*\",\"Microsoft.ContainerService/managedClusters/limitranges/read\",\"Microsoft.ContainerService/managedClusters/namespaces/read\",\"Microsoft.ContainerService/managedClusters/networking.k8s.io/ingresses/*\",\"Microsoft.ContainerService/managedClusters/networking.k8s.io/networkpolicies/*\",\"Microsoft.ContainerService/managedClusters/persistentvolumeclaims/*\",\"Microsoft.ContainerService/managedClusters/pods/*\",\"Microsoft.ContainerService/managedClusters/policy/poddisruptionbudgets/*\",\"Microsoft.ContainerService/managedClusters/replicationcontrollers/*\",\"Microsoft.ContainerService/managedClusters/replicationcontrollers/*\",\"Microsoft.ContainerService/managedClusters/resourcequotas/read\",\"Microsoft.ContainerService/managedClusters/secrets/*\",\"Microsoft.ContainerService/managedClusters/serviceaccounts/*\",\"Microsoft.ContainerService/managedClusters/services/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-07-02T17:54:51.9644983Z\",\"updatedOn\":\"2021-11-11T20:14:36.1293406Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a7ffa36f-339b-4b5c-8bdf-e2c188b2c0eb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a7ffa36f-339b-4b5c-8bdf-e2c188b2c0eb\"},{\"properties\":{\"roleName\":\"Services - Hub Operator\",\"type\":\"BuiltInRole\",\"description\":\"Services Hub Operator - allows you to perform all read, write, and deletion operations related to - Services Hub Connectors.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.ServicesHub/connectors/write\",\"Microsoft.ServicesHub/connectors/read\",\"Microsoft.ServicesHub/connectors/delete\",\"Microsoft.ServicesHub/connectors/checkAssessmentEntitlement/action\",\"Microsoft.ServicesHub/supportOfferingEntitlement/read\",\"Microsoft.ServicesHub/workspaces/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-07-20T17:57:22.0644902Z\",\"updatedOn\":\"2021-11-11T20:14:37.5544021Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/82200a5b-e217-47a5-b665-6d8765ee745b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"82200a5b-e217-47a5-b665-6d8765ee745b\"},{\"properties\":{\"roleName\":\"Object - Understanding Account Reader\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you read ingestion jobs for an object understanding account.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/ObjectUnderstandingAccounts/ingest/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-07-23T19:16:31.9929119Z\",\"updatedOn\":\"2021-11-11T20:14:37.9070085Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d18777c0-1514-4662-8490-608db7d334b6\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d18777c0-1514-4662-8490-608db7d334b6\"},{\"properties\":{\"roleName\":\"Azure - Arc Enabled Kubernetes Cluster User Role\",\"type\":\"BuiltInRole\",\"description\":\"List - cluster user credentials action.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Kubernetes/connectedClusters/listClusterUserCredentials/action\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Support/*\",\"Microsoft.Kubernetes/connectedClusters/listClusterUserCredential/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-07-28T17:37:00.7637445Z\",\"updatedOn\":\"2022-02-17T02:29:05.1000798Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/00493d72-78f6-4148-b6c5-d3ce8e4799dd\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"00493d72-78f6-4148-b6c5-d3ce8e4799dd\"},{\"properties\":{\"roleName\":\"SignalR - App Server\",\"type\":\"BuiltInRole\",\"description\":\"Lets your app server - access SignalR Service with AAD auth options.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SignalRService/SignalR/auth/accessKey/action\",\"Microsoft.SignalRService/SignalR/serverConnection/write\",\"Microsoft.SignalRService/SignalR/clientConnection/write\"],\"notDataActions\":[]}],\"createdOn\":\"2020-07-29T06:54:40.1201435Z\",\"updatedOn\":\"2021-11-16T05:19:04.8579948Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/420fcaa2-552c-430f-98ca-3264be4806c7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"420fcaa2-552c-430f-98ca-3264be4806c7\"},{\"properties\":{\"roleName\":\"SignalR - REST API Owner\",\"type\":\"BuiltInRole\",\"description\":\"Full access to - Azure SignalR Service REST APIs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SignalRService/SignalR/auth/clientToken/action\",\"Microsoft.SignalRService/SignalR/hub/send/action\",\"Microsoft.SignalRService/SignalR/group/send/action\",\"Microsoft.SignalRService/SignalR/group/read\",\"Microsoft.SignalRService/SignalR/group/write\",\"Microsoft.SignalRService/SignalR/clientConnection/send/action\",\"Microsoft.SignalRService/SignalR/clientConnection/read\",\"Microsoft.SignalRService/SignalR/clientConnection/write\",\"Microsoft.SignalRService/SignalR/user/send/action\",\"Microsoft.SignalRService/SignalR/user/read\",\"Microsoft.SignalRService/SignalR/user/write\"],\"notDataActions\":[]}],\"createdOn\":\"2020-07-29T09:35:32.2764751Z\",\"updatedOn\":\"2021-11-11T20:14:38.8028020Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fd53cd77-2268-407a-8f46-7e7863d0f521\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fd53cd77-2268-407a-8f46-7e7863d0f521\"},{\"properties\":{\"roleName\":\"Collaborative - Data Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can manage data - packages of a collaborative.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.IndustryDataLifecycle/custodianCollaboratives/*/read\",\"Microsoft.IndustryDataLifecycle/memberCollaboratives/*/read\",\"Microsoft.IndustryDataLifecycle/locations/dataPackages/*\",\"Microsoft.IndustryDataLifecycle/custodianCollaboratives/receivedDataPackages/*\",\"Microsoft.IndustryDataLifecycle/custodianCollaboratives/rejectDataPackage/action\",\"Microsoft.IndustryDataLifecycle/memberCollaboratives/sharedDataPackages/*\",\"Microsoft.IndustryDataLifecycle/custodianCollaboratives/dataModels/*\",\"Microsoft.IndustryDataLifecycle/custodianCollaboratives/auditLogs/action\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-08-14T11:58:31.8973556Z\",\"updatedOn\":\"2021-11-11T20:14:40.2428145Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/daa9e50b-21df-454c-94a6-a8050adab352\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"daa9e50b-21df-454c-94a6-a8050adab352\"},{\"properties\":{\"roleName\":\"Device - Update Reader\",\"type\":\"BuiltInRole\",\"description\":\"Gives you read - access to management and content operations, but does not allow making changes\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.DeviceUpdate/accounts/instances/updates/read\",\"Microsoft.DeviceUpdate/accounts/instances/management/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-08-21T23:40:19.2373610Z\",\"updatedOn\":\"2021-11-11T20:14:40.7922672Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e9dba6fb-3d52-4cf0-bce3-f06ce71b9e0f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e9dba6fb-3d52-4cf0-bce3-f06ce71b9e0f\"},{\"properties\":{\"roleName\":\"Device - Update Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Gives you - full access to management and content operations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.DeviceUpdate/accounts/instances/updates/read\",\"Microsoft.DeviceUpdate/accounts/instances/updates/write\",\"Microsoft.DeviceUpdate/accounts/instances/updates/delete\",\"Microsoft.DeviceUpdate/accounts/instances/management/read\",\"Microsoft.DeviceUpdate/accounts/instances/management/write\",\"Microsoft.DeviceUpdate/accounts/instances/management/delete\"],\"notDataActions\":[]}],\"createdOn\":\"2020-08-21T23:56:22.3520510Z\",\"updatedOn\":\"2021-11-11T20:14:40.9672678Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/02ca0879-e8e4-47a5-a61e-5c618b76e64a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"02ca0879-e8e4-47a5-a61e-5c618b76e64a\"},{\"properties\":{\"roleName\":\"Device - Update Content Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Gives - you full access to content operations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.DeviceUpdate/accounts/instances/updates/read\",\"Microsoft.DeviceUpdate/accounts/instances/updates/write\",\"Microsoft.DeviceUpdate/accounts/instances/updates/delete\"],\"notDataActions\":[]}],\"createdOn\":\"2020-08-21T23:58:18.4255500Z\",\"updatedOn\":\"2021-11-11T20:14:41.1433368Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0378884a-3af5-44ab-8323-f5b22f9f3c98\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0378884a-3af5-44ab-8323-f5b22f9f3c98\"},{\"properties\":{\"roleName\":\"Device - Update Deployments Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Gives - you full access to management operations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.DeviceUpdate/accounts/instances/management/read\",\"Microsoft.DeviceUpdate/accounts/instances/management/write\",\"Microsoft.DeviceUpdate/accounts/instances/management/delete\",\"Microsoft.DeviceUpdate/accounts/instances/updates/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-08-21T23:59:52.1001666Z\",\"updatedOn\":\"2022-01-13T01:59:19.4616366Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e4237640-0e3d-4a46-8fda-70bc94856432\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e4237640-0e3d-4a46-8fda-70bc94856432\"},{\"properties\":{\"roleName\":\"Device - Update Deployments Reader\",\"type\":\"BuiltInRole\",\"description\":\"Gives - you read access to management operations, but does not allow making changes\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.DeviceUpdate/accounts/instances/management/read\",\"Microsoft.DeviceUpdate/accounts/instances/updates/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-08-22T00:01:34.7053630Z\",\"updatedOn\":\"2022-01-13T01:35:51.6463216Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/49e2f5d2-7741-4835-8efa-19e1fe35e47f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"49e2f5d2-7741-4835-8efa-19e1fe35e47f\"},{\"properties\":{\"roleName\":\"Device - Update Content Reader\",\"type\":\"BuiltInRole\",\"description\":\"Gives you - read access to content operations, but does not allow making changes\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.DeviceUpdate/accounts/instances/updates/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-08-22T00:02:43.3299181Z\",\"updatedOn\":\"2021-11-11T20:14:41.6754856Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d1ee9a80-8b14-47f0-bdc2-f4a351625a7b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d1ee9a80-8b14-47f0-bdc2-f4a351625a7b\"},{\"properties\":{\"roleName\":\"Cognitive - Services Metrics Advisor Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Full - access to the project, including the system level configuration.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/MetricsAdvisor/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-09-10T07:46:47.5804491Z\",\"updatedOn\":\"2021-11-11T20:14:43.6930781Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/cb43c632-a144-4ec5-977c-e80c4affc34a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"cb43c632-a144-4ec5-977c-e80c4affc34a\"},{\"properties\":{\"roleName\":\"Cognitive - Services Metrics Advisor User\",\"type\":\"BuiltInRole\",\"description\":\"Access - to the project.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/MetricsAdvisor/*\"],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/MetricsAdvisor/stats/*\"]}],\"createdOn\":\"2020-09-10T07:47:59.6195639Z\",\"updatedOn\":\"2021-11-11T20:14:43.8780761Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3b20f47b-3825-43cb-8114-4bd2201156a8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3b20f47b-3825-43cb-8114-4bd2201156a8\"},{\"properties\":{\"roleName\":\"Schema - Registry Reader (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Read - and list Schema Registry groups and schemas.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.EventHub/namespaces/schemagroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.EventHub/namespaces/schemas/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-09-13T06:31:38.0272740Z\",\"updatedOn\":\"2021-11-11T20:14:44.6350450Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2c56ea50-c6b3-40a6-83c0-9d98858bc7d2\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2c56ea50-c6b3-40a6-83c0-9d98858bc7d2\"},{\"properties\":{\"roleName\":\"Schema - Registry Contributor (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Read, - write, and delete Schema Registry groups and schemas.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.EventHub/namespaces/schemagroups/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.EventHub/namespaces/schemas/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-09-13T06:48:26.6032931Z\",\"updatedOn\":\"2021-11-11T20:14:44.8200370Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5dffeca3-4936-4216-b2bc-10343a5abb25\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5dffeca3-4936-4216-b2bc-10343a5abb25\"},{\"properties\":{\"roleName\":\"AgFood - Platform Service Reader\",\"type\":\"BuiltInRole\",\"description\":\"Provides - read access to AgFood Platform Service\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AgFoodPlatform/*/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-09-14T10:21:08.9138820Z\",\"updatedOn\":\"2021-11-11T20:14:45.0056815Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7ec7ccdc-f61e-41fe-9aaf-980df0a44eba\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7ec7ccdc-f61e-41fe-9aaf-980df0a44eba\"},{\"properties\":{\"roleName\":\"AgFood - Platform Service Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Provides - contribute access to AgFood Platform Service\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AgFoodPlatform/*/action\",\"Microsoft.AgFoodPlatform/*/read\",\"Microsoft.AgFoodPlatform/*/write\"],\"notDataActions\":[\"Microsoft.AgFoodPlatform/farmers/write\",\"Microsoft.AgFoodPlatform/deletionJobs/*/write\"]}],\"createdOn\":\"2020-09-14T10:21:09.7239169Z\",\"updatedOn\":\"2021-11-11T20:14:45.1806787Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8508508a-4469-4e45-963b-2518ee0bb728\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8508508a-4469-4e45-963b-2518ee0bb728\"},{\"properties\":{\"roleName\":\"AgFood - Platform Service Admin\",\"type\":\"BuiltInRole\",\"description\":\"Provides - admin access to AgFood Platform Service\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AgFoodPlatform/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-09-14T10:21:09.8039209Z\",\"updatedOn\":\"2021-11-11T20:14:45.3613128Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f8da80de-1ff9-4747-ad80-a19b7f6079e3\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f8da80de-1ff9-4747-ad80-a19b7f6079e3\"},{\"properties\":{\"roleName\":\"Managed - HSM contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage - managed HSM pools, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.KeyVault/managedHSMs/*\",\"Microsoft.KeyVault/deletedManagedHsms/read\",\"Microsoft.KeyVault/locations/deletedManagedHsms/read\",\"Microsoft.KeyVault/locations/deletedManagedHsms/purge/action\",\"Microsoft.KeyVault/locations/managedHsmOperationResults/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-09-16T21:47:01.1291104Z\",\"updatedOn\":\"2022-03-07T20:20:03.1782149Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18500a29-7fe2-46b2-a342-b16a415e101d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"18500a29-7fe2-46b2-a342-b16a415e101d\"},{\"properties\":{\"roleName\":\"Security - Detonation Chamber Submitter\",\"type\":\"BuiltInRole\",\"description\":\"Allowed - to create submissions to Security Detonation Chamber\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SecurityDetonation/chambers/submissions/delete\",\"Microsoft.SecurityDetonation/chambers/submissions/write\",\"Microsoft.SecurityDetonation/chambers/submissions/read\",\"Microsoft.SecurityDetonation/chambers/submissions/files/read\",\"Microsoft.SecurityDetonation/chambers/submissions/accesskeyview/read\",\"Microsoft.SecurityDetonation/chambers/platforms/metadata/read\",\"Microsoft.SecurityDetonation/chambers/workflows/metadata/read\",\"Microsoft.SecurityDetonation/chambers/toolsets/metadata/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-10-01T08:55:21.3980274Z\",\"updatedOn\":\"2021-11-11T20:14:47.5471350Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0b555d9b-b4a7-4f43-b330-627f0e5be8f0\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0b555d9b-b4a7-4f43-b330-627f0e5be8f0\"},{\"properties\":{\"roleName\":\"SignalR - REST API Reader\",\"type\":\"BuiltInRole\",\"description\":\"Read-only access - to Azure SignalR Service REST APIs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SignalRService/SignalR/group/read\",\"Microsoft.SignalRService/SignalR/clientConnection/read\",\"Microsoft.SignalRService/SignalR/user/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-10-13T09:19:05.6463616Z\",\"updatedOn\":\"2021-11-11T20:14:48.7902970Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ddde6b66-c0df-4114-a159-3618637b3035\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ddde6b66-c0df-4114-a159-3618637b3035\"},{\"properties\":{\"roleName\":\"SignalR - Service Owner\",\"type\":\"BuiltInRole\",\"description\":\"Full access to - Azure SignalR Service REST APIs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SignalRService/SignalR/auth/accessKey/action\",\"Microsoft.SignalRService/SignalR/auth/clientToken/action\",\"Microsoft.SignalRService/SignalR/hub/send/action\",\"Microsoft.SignalRService/SignalR/group/send/action\",\"Microsoft.SignalRService/SignalR/group/read\",\"Microsoft.SignalRService/SignalR/group/write\",\"Microsoft.SignalRService/SignalR/clientConnection/send/action\",\"Microsoft.SignalRService/SignalR/clientConnection/read\",\"Microsoft.SignalRService/SignalR/clientConnection/write\",\"Microsoft.SignalRService/SignalR/serverConnection/write\",\"Microsoft.SignalRService/SignalR/user/send/action\",\"Microsoft.SignalRService/SignalR/user/read\",\"Microsoft.SignalRService/SignalR/user/write\"],\"notDataActions\":[]}],\"createdOn\":\"2020-10-13T09:20:32.1501410Z\",\"updatedOn\":\"2021-11-11T20:14:48.9653162Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7e4f1700-ea5a-4f59-8f37-079cfe29dce3\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7e4f1700-ea5a-4f59-8f37-079cfe29dce3\"},{\"properties\":{\"roleName\":\"Reservation - Purchaser\",\"type\":\"BuiltInRole\",\"description\":\"Lets you purchase reservations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Capacity/catalogs/read\",\"Microsoft.Capacity/register/action\",\"Microsoft.Compute/register/action\",\"Microsoft.Consumption/register/action\",\"Microsoft.Consumption/reservationRecommendationDetails/read\",\"Microsoft.Consumption/reservationRecommendations/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.SQL/register/action\",\"Microsoft.Support/supporttickets/write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-10-23T20:22:48.9217751Z\",\"updatedOn\":\"2022-04-25T20:55:26.9790121Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f7b75c60-3036-4b75-91c3-6b41c27c1689\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f7b75c60-3036-4b75-91c3-6b41c27c1689\"},{\"properties\":{\"roleName\":\"AzureML - Metrics Writer (preview)\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you write metrics to AzureML workspace\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.MachineLearningServices/workspaces/metrics/*/write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-10-27T16:55:19.5664950Z\",\"updatedOn\":\"2021-11-11T20:14:49.8655015Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/635dd51f-9968-44d3-b7fb-6d9a6bd613ae\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"635dd51f-9968-44d3-b7fb-6d9a6bd613ae\"},{\"properties\":{\"roleName\":\"Storage - Account Backup Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you perform backup and restore operations using Azure Backup on the storage - account.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Authorization/locks/read\",\"Microsoft.Authorization/locks/write\",\"Microsoft.Authorization/locks/delete\",\"Microsoft.Features/features/read\",\"Microsoft.Features/providers/features/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/operations/read\",\"Microsoft.Storage/storageAccounts/objectReplicationPolicies/delete\",\"Microsoft.Storage/storageAccounts/objectReplicationPolicies/read\",\"Microsoft.Storage/storageAccounts/objectReplicationPolicies/write\",\"Microsoft.Storage/storageAccounts/objectReplicationPolicies/restorePointMarkers/write\",\"Microsoft.Storage/storageAccounts/blobServices/containers/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/write\",\"Microsoft.Storage/storageAccounts/blobServices/read\",\"Microsoft.Storage/storageAccounts/blobServices/write\",\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.Storage/storageAccounts/restoreBlobRanges/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-11-02T23:32:50.4203469Z\",\"updatedOn\":\"2022-04-20T01:44:53.5887074Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1\"},{\"properties\":{\"roleName\":\"Experimentation - Metric Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allows for - creation, writes and reads to the metric set via the metrics service APIs.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Experimentation/experimentWorkspaces/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/read\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/metricwrite/action\",\"Microsoft.Experimentation/experimentWorkspaces/metricwrite/action\",\"Microsoft.Experimentation/experimentWorkspaces/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-11-10T20:07:53.7535885Z\",\"updatedOn\":\"2021-11-11T20:14:50.9524177Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6188b7c9-7d01-4f99-a59f-c88b630326c0\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6188b7c9-7d01-4f99-a59f-c88b630326c0\"},{\"properties\":{\"roleName\":\"Project - Babylon Data Curator\",\"type\":\"BuiltInRole\",\"description\":\"The Microsoft.ProjectBabylon - data curator can create, read, modify and delete catalog data objects and - establish relationships between objects. This role is in preview and subject - to change.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ProjectBabylon/accounts/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ProjectBabylon/accounts/data/read\",\"Microsoft.ProjectBabylon/accounts/data/write\"],\"notDataActions\":[]}],\"createdOn\":\"2020-11-14T02:31:33.7988825Z\",\"updatedOn\":\"2021-11-11T20:14:51.4929515Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9ef4ef9c-a049-46b0-82ab-dd8ac094c889\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"9ef4ef9c-a049-46b0-82ab-dd8ac094c889\"},{\"properties\":{\"roleName\":\"Project - Babylon Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"The Microsoft.ProjectBabylon - data reader can read catalog data objects. This role is in preview and subject - to change.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ProjectBabylon/accounts/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ProjectBabylon/accounts/data/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-11-14T02:33:13.5342351Z\",\"updatedOn\":\"2021-11-11T20:14:51.6729667Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c8d896ba-346d-4f50-bc1d-7d1c84130446\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c8d896ba-346d-4f50-bc1d-7d1c84130446\"},{\"properties\":{\"roleName\":\"Project - Babylon Data Source Administrator\",\"type\":\"BuiltInRole\",\"description\":\"The - Microsoft.ProjectBabylon data source administrator can manage data sources - and data scans. This role is in preview and subject to change.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ProjectBabylon/accounts/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ProjectBabylon/accounts/scan/read\",\"Microsoft.ProjectBabylon/accounts/scan/write\"],\"notDataActions\":[]}],\"createdOn\":\"2020-11-14T02:34:01.8401954Z\",\"updatedOn\":\"2021-11-11T20:14:51.8529643Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/05b7651b-dc44-475e-b74d-df3db49fae0f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"05b7651b-dc44-475e-b74d-df3db49fae0f\"},{\"properties\":{\"roleName\":\"Purview - role 1 (Deprecated)\",\"type\":\"BuiltInRole\",\"description\":\"Deprecated - role.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Purview/accounts/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Purview/accounts/data/read\",\"Microsoft.Purview/accounts/data/write\"],\"notDataActions\":[]}],\"createdOn\":\"2020-11-14T02:37:15.0123345Z\",\"updatedOn\":\"2022-01-04T00:43:15.6924286Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8a3c2885-9b38-4fd2-9d99-91af537c1347\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8a3c2885-9b38-4fd2-9d99-91af537c1347\"},{\"properties\":{\"roleName\":\"Purview - role 3 (Deprecated)\",\"type\":\"BuiltInRole\",\"description\":\"Deprecated - role.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Purview/accounts/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Purview/accounts/data/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-11-14T02:39:22.2344740Z\",\"updatedOn\":\"2022-01-04T00:48:08.2844802Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ff100721-1b9d-43d8-af52-42b69c1272db\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ff100721-1b9d-43d8-af52-42b69c1272db\"},{\"properties\":{\"roleName\":\"Purview - role 2 (Deprecated)\",\"type\":\"BuiltInRole\",\"description\":\"Deprecated - role.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Purview/accounts/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Purview/accounts/scan/read\",\"Microsoft.Purview/accounts/scan/write\"],\"notDataActions\":[]}],\"createdOn\":\"2020-11-14T02:40:05.0975648Z\",\"updatedOn\":\"2022-01-04T00:47:22.9678219Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/200bba9e-f0c8-430f-892b-6f0794863803\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"200bba9e-f0c8-430f-892b-6f0794863803\"},{\"properties\":{\"roleName\":\"Application - Group Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Contributor - of the Application Group.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/applicationgroups/*\",\"Microsoft.DesktopVirtualization/hostpools/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/read\",\"Microsoft.DesktopVirtualization/workspaces/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-03T23:26:00.2784962Z\",\"updatedOn\":\"2021-11-11T20:14:52.9432015Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ca6382a4-1721-4bcf-a114-ff0c70227b6b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ca6382a4-1721-4bcf-a114-ff0c70227b6b\"},{\"properties\":{\"roleName\":\"Desktop - Virtualization Reader\",\"type\":\"BuiltInRole\",\"description\":\"Reader - of Desktop Virtualization.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:36:19.0140629Z\",\"updatedOn\":\"2021-11-11T20:14:54.0407838Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/49a72310-ab8d-41df-bbb0-79b649203868\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"49a72310-ab8d-41df-bbb0-79b649203868\"},{\"properties\":{\"roleName\":\"Desktop - Virtualization Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Contributor - of Desktop Virtualization.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:37:16.2910337Z\",\"updatedOn\":\"2021-11-11T20:14:54.2107872Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/082f0a83-3be5-4ba1-904c-961cca79b387\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"082f0a83-3be5-4ba1-904c-961cca79b387\"},{\"properties\":{\"roleName\":\"Desktop - Virtualization Workspace Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Contributor - of the Desktop Virtualization Workspace.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/workspaces/*\",\"Microsoft.DesktopVirtualization/applicationgroups/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:38:29.6089216Z\",\"updatedOn\":\"2021-11-11T20:14:54.3907854Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/21efdde3-836f-432b-bf3d-3e8e734d4b2b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"21efdde3-836f-432b-bf3d-3e8e734d4b2b\"},{\"properties\":{\"roleName\":\"Desktop - Virtualization User Session Operator\",\"type\":\"BuiltInRole\",\"description\":\"Operator - of the Desktop Virtualization Uesr Session.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/hostpools/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:39:16.9100273Z\",\"updatedOn\":\"2021-11-11T20:14:54.5657970Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ea4bfff8-7fb4-485a-aadd-d4129a0ffaa6\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ea4bfff8-7fb4-485a-aadd-d4129a0ffaa6\"},{\"properties\":{\"roleName\":\"Desktop - Virtualization Session Host Operator\",\"type\":\"BuiltInRole\",\"description\":\"Operator - of the Desktop Virtualization Session Host.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/hostpools/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:39:53.2569741Z\",\"updatedOn\":\"2021-11-11T20:14:54.7508042Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2ad6aaab-ead9-4eaa-8ac5-da422f562408\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2ad6aaab-ead9-4eaa-8ac5-da422f562408\"},{\"properties\":{\"roleName\":\"Desktop - Virtualization Host Pool Reader\",\"type\":\"BuiltInRole\",\"description\":\"Reader - of the Desktop Virtualization Host Pool.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/hostpools/*/read\",\"Microsoft.DesktopVirtualization/hostpools/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:40:33.1430834Z\",\"updatedOn\":\"2021-11-11T20:14:54.9257967Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ceadfde2-b300-400a-ab7b-6143895aa822\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ceadfde2-b300-400a-ab7b-6143895aa822\"},{\"properties\":{\"roleName\":\"Desktop - Virtualization Host Pool Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Contributor - of the Desktop Virtualization Host Pool.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/hostpools/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:40:57.2976187Z\",\"updatedOn\":\"2021-11-11T20:14:55.1057701Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e307426c-f9b6-4e81-87de-d99efb3c32bc\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e307426c-f9b6-4e81-87de-d99efb3c32bc\"},{\"properties\":{\"roleName\":\"Desktop - Virtualization Application Group Reader\",\"type\":\"BuiltInRole\",\"description\":\"Reader - of the Desktop Virtualization Application Group.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/applicationgroups/*/read\",\"Microsoft.DesktopVirtualization/applicationgroups/read\",\"Microsoft.DesktopVirtualization/hostpools/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:41:18.0287398Z\",\"updatedOn\":\"2021-11-11T20:14:55.2858006Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/aebf23d0-b568-4e86-b8f9-fe83a2c6ab55\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"aebf23d0-b568-4e86-b8f9-fe83a2c6ab55\"},{\"properties\":{\"roleName\":\"Desktop - Virtualization Application Group Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Contributor - of the Desktop Virtualization Application Group.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/applicationgroups/*\",\"Microsoft.DesktopVirtualization/hostpools/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:41:38.6205531Z\",\"updatedOn\":\"2021-11-11T20:14:55.4677136Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/86240b0e-9422-4c43-887b-b61143f32ba8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"86240b0e-9422-4c43-887b-b61143f32ba8\"},{\"properties\":{\"roleName\":\"Desktop - Virtualization Workspace Reader\",\"type\":\"BuiltInRole\",\"description\":\"Reader - of the Desktop Virtualization Workspace.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/workspaces/read\",\"Microsoft.DesktopVirtualization/applicationgroups/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:41:58.1892707Z\",\"updatedOn\":\"2021-11-11T20:14:55.6577168Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0fa44ee9-7a7d-466b-9bb2-2bf446b1204d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0fa44ee9-7a7d-466b-9bb2-2bf446b1204d\"},{\"properties\":{\"roleName\":\"Disk - Backup Reader\",\"type\":\"BuiltInRole\",\"description\":\"Provides permission - to backup vault to perform disk backup.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Compute/disks/read\",\"Microsoft.Compute/disks/beginGetAccess/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-15T07:39:03.8394514Z\",\"updatedOn\":\"2021-11-11T20:14:56.0178737Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3e5e47e6-65f7-47ef-90b5-e5dd4d455f24\"},{\"properties\":{\"roleName\":\"Autonomous - Development Platform Data Contributor (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Grants - permissions to upload and manage new Autonomous Development Platform measurements.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.AutonomousDevelopmentPlatform/*/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.AutonomousDevelopmentPlatform/accounts/dataPools/discoveries/*\",\"Microsoft.AutonomousDevelopmentPlatform/accounts/dataPools/uploads/*\",\"Microsoft.AutonomousDevelopmentPlatform/accounts/dataPools/measurements/states/new/*\",\"Microsoft.AutonomousDevelopmentPlatform/accounts/dataPools/measurementCollections/*\",\"Microsoft.AutonomousDevelopmentPlatform/accounts/measurementCollections/*\",\"Microsoft.AutonomousDevelopmentPlatform/workspaces/read\",\"Microsoft.AutonomousDevelopmentPlatform/workspaces/discoveries/*\",\"Microsoft.AutonomousDevelopmentPlatform/workspaces/uploads/*\",\"Microsoft.AutonomousDevelopmentPlatform/workspaces/measurements/states/new/*\",\"Microsoft.AutonomousDevelopmentPlatform/workspaces/measurementCollections/*\"],\"notDataActions\":[\"Microsoft.AutonomousDevelopmentPlatform/accounts/dataPools/measurements/states/new/changeState/action\",\"Microsoft.AutonomousDevelopmentPlatform/workspaces/measurements/states/new/changeState/action\"]}],\"createdOn\":\"2020-12-15T11:30:01.7459379Z\",\"updatedOn\":\"2022-05-31T15:19:41.8949991Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b8b15564-4fa6-4a59-ab12-03e1d9594795\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b8b15564-4fa6-4a59-ab12-03e1d9594795\"},{\"properties\":{\"roleName\":\"Autonomous - Development Platform Data Reader (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Grants - read access to Autonomous Development Platform data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.AutonomousDevelopmentPlatform/*/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.AutonomousDevelopmentPlatform/*/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-12-15T12:11:31.9843256Z\",\"updatedOn\":\"2022-01-04T13:21:04.3207709Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d63b75f7-47ea-4f27-92ac-e0d173aaf093\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d63b75f7-47ea-4f27-92ac-e0d173aaf093\"},{\"properties\":{\"roleName\":\"Autonomous - Development Platform Data Owner (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Grants - full access to Autonomous Development Platform data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.AutonomousDevelopmentPlatform/*/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.AutonomousDevelopmentPlatform/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-12-15T12:13:59.9702378Z\",\"updatedOn\":\"2022-01-04T13:20:26.2040404Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/27f8b550-c507-4db9-86f2-f4b8e816d59d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"27f8b550-c507-4db9-86f2-f4b8e816d59d\"},{\"properties\":{\"roleName\":\"Disk - Restore Operator\",\"type\":\"BuiltInRole\",\"description\":\"Provides permission - to backup vault to perform disk restore.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Compute/disks/write\",\"Microsoft.Compute/disks/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-15T12:18:31.8481619Z\",\"updatedOn\":\"2021-11-11T20:14:56.7408912Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b50d9833-a0cb-478e-945f-707fcc997c13\"},{\"properties\":{\"roleName\":\"Disk - Snapshot Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Provides - permission to backup vault to manage disk snapshots.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Compute/snapshots/delete\",\"Microsoft.Compute/snapshots/write\",\"Microsoft.Compute/snapshots/read\",\"Microsoft.Compute/snapshots/beginGetAccess/action\",\"Microsoft.Compute/snapshots/endGetAccess/action\",\"Microsoft.Compute/disks/beginGetAccess/action\",\"Microsoft.Storage/storageAccounts/listkeys/action\",\"Microsoft.Storage/storageAccounts/write\",\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.Storage/storageAccounts/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-15T12:18:51.4471411Z\",\"updatedOn\":\"2021-11-11T20:14:56.9158814Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7efff54f-a5b4-42b5-a1c5-5411624893ce\"},{\"properties\":{\"roleName\":\"Microsoft.Kubernetes - connected cluster role\",\"type\":\"BuiltInRole\",\"description\":\"Microsoft.Kubernetes - connected cluster role.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Kubernetes/connectedClusters/read\",\"Microsoft.Kubernetes/connectedClusters/write\",\"Microsoft.Kubernetes/connectedClusters/delete\",\"Microsoft.Kubernetes/registeredSubscriptions/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-01-07T23:57:10.9923232Z\",\"updatedOn\":\"2021-11-11T20:14:58.2039838Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5548b2cf-c94c-4228-90ba-30851930a12f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5548b2cf-c94c-4228-90ba-30851930a12f\"},{\"properties\":{\"roleName\":\"Security - Detonation Chamber Submission Manager\",\"type\":\"BuiltInRole\",\"description\":\"Allowed - to create and manage submissions to Security Detonation Chamber\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SecurityDetonation/chambers/submissions/delete\",\"Microsoft.SecurityDetonation/chambers/submissions/write\",\"Microsoft.SecurityDetonation/chambers/submissions/read\",\"Microsoft.SecurityDetonation/chambers/submissions/files/read\",\"Microsoft.SecurityDetonation/chambers/submissions/accesskeyview/read\",\"Microsoft.SecurityDetonation/chambers/submissions/adminview/read\",\"Microsoft.SecurityDetonation/chambers/submissions/analystview/read\",\"Microsoft.SecurityDetonation/chambers/submissions/publicview/read\",\"Microsoft.SecurityDetonation/chambers/platforms/metadata/read\",\"Microsoft.SecurityDetonation/chambers/workflows/metadata/read\",\"Microsoft.SecurityDetonation/chambers/toolsets/metadata/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-01-18T09:35:36.5739297Z\",\"updatedOn\":\"2021-11-11T20:14:58.3939604Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a37b566d-3efa-4beb-a2f2-698963fa42ce\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a37b566d-3efa-4beb-a2f2-698963fa42ce\"},{\"properties\":{\"roleName\":\"Security - Detonation Chamber Publisher\",\"type\":\"BuiltInRole\",\"description\":\"Allowed - to publish and modify platforms, workflows and toolsets to Security Detonation - Chamber\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SecurityDetonation/chambers/platforms/read\",\"Microsoft.SecurityDetonation/chambers/platforms/write\",\"Microsoft.SecurityDetonation/chambers/platforms/delete\",\"Microsoft.SecurityDetonation/chambers/platforms/metadata/read\",\"Microsoft.SecurityDetonation/chambers/workflows/read\",\"Microsoft.SecurityDetonation/chambers/workflows/write\",\"Microsoft.SecurityDetonation/chambers/workflows/delete\",\"Microsoft.SecurityDetonation/chambers/workflows/metadata/read\",\"Microsoft.SecurityDetonation/chambers/toolsets/read\",\"Microsoft.SecurityDetonation/chambers/toolsets/write\",\"Microsoft.SecurityDetonation/chambers/toolsets/delete\",\"Microsoft.SecurityDetonation/chambers/toolsets/metadata/read\",\"Microsoft.SecurityDetonation/chambers/publishRequests/read\",\"Microsoft.SecurityDetonation/chambers/publishRequests/cancel/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-01-18T11:43:14.0858184Z\",\"updatedOn\":\"2021-11-11T20:14:58.5639749Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/352470b3-6a9c-4686-b503-35deb827e500\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"352470b3-6a9c-4686-b503-35deb827e500\"},{\"properties\":{\"roleName\":\"Collaborative - Runtime Operator\",\"type\":\"BuiltInRole\",\"description\":\"Can manage resources - created by AICS at runtime\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.IndustryDataLifecycle/derivedModels/*\",\"Microsoft.IndustryDataLifecycle/pipelineSets/*\",\"Microsoft.IndustryDataLifecycle/modelMappings/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-01-19T10:00:27.3464971Z\",\"updatedOn\":\"2021-11-11T20:14:58.7442136Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7a6f0e70-c033-4fb1-828c-08514e5f4102\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7a6f0e70-c033-4fb1-828c-08514e5f4102\"},{\"properties\":{\"roleName\":\"CosmosRestoreOperator\",\"type\":\"BuiltInRole\",\"description\":\"Can - perform restore action for Cosmos DB database account with continuous backup - mode\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DocumentDB/locations/restorableDatabaseAccounts/restore/action\",\"Microsoft.DocumentDB/locations/restorableDatabaseAccounts/*/read\",\"Microsoft.DocumentDB/locations/restorableDatabaseAccounts/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-01-21T19:51:35.3884884Z\",\"updatedOn\":\"2021-11-11T20:14:59.4892686Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5432c526-bc82-444a-b7ba-57c5b0b5b34f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5432c526-bc82-444a-b7ba-57c5b0b5b34f\"},{\"properties\":{\"roleName\":\"FHIR - Data Converter\",\"type\":\"BuiltInRole\",\"description\":\"Role allows user - or principal to convert data from legacy format to FHIR\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.HealthcareApis/services/fhir/resources/convertData/action\",\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/convertData/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-01-22T19:39:01.1601069Z\",\"updatedOn\":\"2021-11-11T20:14:59.8605937Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a1705bd2-3a8f-45a5-8683-466fcfd5cc24\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a1705bd2-3a8f-45a5-8683-466fcfd5cc24\"},{\"properties\":{\"roleName\":\"Microsoft - Sentinel Automation Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Microsoft - Sentinel Automation Contributor\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Logic/workflows/triggers/read\",\"Microsoft.Logic/workflows/triggers/listCallbackUrl/action\",\"Microsoft.Logic/workflows/runs/read\",\"Microsoft.Web/sites/hostruntime/webhooks/api/workflows/triggers/read\",\"Microsoft.Web/sites/hostruntime/webhooks/api/workflows/triggers/listCallbackUrl/action\",\"Microsoft.Web/sites/hostruntime/webhooks/api/workflows/runs/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-01-24T08:50:52.0382991Z\",\"updatedOn\":\"2022-01-26T09:25:00.4699337Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f4c81013-99ee-4d62-a7ee-b3f1f648599a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f4c81013-99ee-4d62-a7ee-b3f1f648599a\"},{\"properties\":{\"roleName\":\"Quota - Request Operator\",\"type\":\"BuiltInRole\",\"description\":\"Read and create - quota requests, get quota request status, and create support tickets.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Capacity/resourceProviders/locations/serviceLimits/read\",\"Microsoft.Capacity/resourceProviders/locations/serviceLimits/write\",\"Microsoft.Capacity/resourceProviders/locations/serviceLimitsRequests/read\",\"Microsoft.Capacity/register/action\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-02-03T00:06:35.8404575Z\",\"updatedOn\":\"2021-11-11T20:15:00.9583919Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0e5f05e5-9ab9-446b-b98d-1e2157c94125\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0e5f05e5-9ab9-446b-b98d-1e2157c94125\"},{\"properties\":{\"roleName\":\"EventGrid - Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage EventGrid - operations.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.EventGrid/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-02-08T18:46:18.8999557Z\",\"updatedOn\":\"2021-11-11T20:15:01.6867802Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1e241071-0855-49ea-94dc-649edcd759de\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1e241071-0855-49ea-94dc-649edcd759de\"},{\"properties\":{\"roleName\":\"Security - Detonation Chamber Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allowed - to query submission info and files from Security Detonation Chamber\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SecurityDetonation/chambers/submissions/read\",\"Microsoft.SecurityDetonation/chambers/submissions/files/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-03-01T14:06:46.2814905Z\",\"updatedOn\":\"2021-11-11T20:15:03.3274090Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/28241645-39f8-410b-ad48-87863e2951d5\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"28241645-39f8-410b-ad48-87863e2951d5\"},{\"properties\":{\"roleName\":\"Object - Anchors Account Reader\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - read ingestion jobs for an object anchors account.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/ObjectAnchorsAccounts/ingest/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-03-02T01:20:47.0279813Z\",\"updatedOn\":\"2021-11-11T20:15:03.5006082Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4a167cdf-cb95-4554-9203-2347fe489bd9\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4a167cdf-cb95-4554-9203-2347fe489bd9\"},{\"properties\":{\"roleName\":\"Object - Anchors Account Owner\",\"type\":\"BuiltInRole\",\"description\":\"Provides - user with ingestion capabilities for an object anchors account.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/ObjectAnchorsAccounts/ingest/action\",\"Microsoft.MixedReality/ObjectAnchorsAccounts/ingest/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-03-02T01:42:02.0014737Z\",\"updatedOn\":\"2021-11-11T20:15:03.6855873Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ca0835dd-bacc-42dd-8ed2-ed5e7230d15b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ca0835dd-bacc-42dd-8ed2-ed5e7230d15b\"},{\"properties\":{\"roleName\":\"WorkloadBuilder - Migration Agent Role\",\"type\":\"BuiltInRole\",\"description\":\"WorkloadBuilder - Migration Agent Role.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.WorkloadBuilder/migrationAgents/Read\",\"Microsoft.WorkloadBuilder/migrationAgents/Write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-03-11T17:07:20.0828003Z\",\"updatedOn\":\"2021-11-11T20:15:04.2456706Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d17ce0a2-0697-43bc-aac5-9113337ab61c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d17ce0a2-0697-43bc-aac5-9113337ab61c\"},{\"properties\":{\"roleName\":\"Web - PubSub Service Owner (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Full - access to Azure Web PubSub Service REST APIs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SignalRService/WebPubSub/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-03-24T09:10:11.8335180Z\",\"updatedOn\":\"2021-11-16T05:16:52.6491279Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/12cf5a90-567b-43ae-8102-96cf46c7d9b4\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"12cf5a90-567b-43ae-8102-96cf46c7d9b4\"},{\"properties\":{\"roleName\":\"Web - PubSub Service Reader (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Read-only - access to Azure Web PubSub Service REST APIs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SignalRService/WebPubSub/*/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-03-24T09:11:12.6235436Z\",\"updatedOn\":\"2021-11-16T05:17:12.8340953Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/bfb1c7d2-fb1a-466b-b2ba-aee63b92deaf\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"bfb1c7d2-fb1a-466b-b2ba-aee63b92deaf\"},{\"properties\":{\"roleName\":\"Azure - Spring Cloud Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allow - read access to Azure Spring Cloud Data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AppPlatform/Spring/*/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-03-25T11:12:12.6786010Z\",\"updatedOn\":\"2021-11-11T20:15:05.3368606Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b5537268-8956-4941-a8f0-646150406f0c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b5537268-8956-4941-a8f0-646150406f0c\"},{\"properties\":{\"roleName\":\"Cognitive - Services Speech User\",\"type\":\"BuiltInRole\",\"description\":\"Access to - the real-time speech recognition and batch transcription APIs, real-time speech - synthesis and long audio APIs, as well as to read the data/test/model/endpoint - for custom models, but can\u2019t create, delete or modify the data/test/model/endpoint - for custom models.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/SpeechServices/*/read\",\"Microsoft.CognitiveServices/accounts/SpeechServices/*/transcriptions/read\",\"Microsoft.CognitiveServices/accounts/SpeechServices/*/transcriptions/write\",\"Microsoft.CognitiveServices/accounts/SpeechServices/*/transcriptions/delete\",\"Microsoft.CognitiveServices/accounts/SpeechServices/*/frontend/action\",\"Microsoft.CognitiveServices/accounts/SpeechServices/text-dependent/*/action\",\"Microsoft.CognitiveServices/accounts/SpeechServices/text-independent/*/action\",\"Microsoft.CognitiveServices/accounts/CustomVoice/*/read\",\"Microsoft.CognitiveServices/accounts/CustomVoice/evaluations/*\",\"Microsoft.CognitiveServices/accounts/CustomVoice/longaudiosynthesis/*\",\"Microsoft.CognitiveServices/accounts/AudioContentCreation/*\"],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVoice/datasets/files/read\",\"Microsoft.CognitiveServices/accounts/CustomVoice/datasets/utterances/read\"]}],\"createdOn\":\"2021-03-30T11:28:27.4339032Z\",\"updatedOn\":\"2022-05-23T15:08:46.2082116Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f2dc8367-1007-4938-bd23-fe263f013447\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f2dc8367-1007-4938-bd23-fe263f013447\"},{\"properties\":{\"roleName\":\"Cognitive - Services Speech Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Full - access to Speech projects, including read, write and delete all entities, - for real-time speech recognition and batch transcription tasks, real-time - speech synthesis and long audio tasks, custom speech and custom voice.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/SpeechServices/*\",\"Microsoft.CognitiveServices/accounts/CustomVoice/*\",\"Microsoft.CognitiveServices/accounts/AudioContentCreation/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-03-30T11:28:49.7826633Z\",\"updatedOn\":\"2022-05-23T15:08:46.1925859Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0e75ca1e-0464-4b4d-8b93-68208a576181\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0e75ca1e-0464-4b4d-8b93-68208a576181\"},{\"properties\":{\"roleName\":\"Cognitive - Services Face Recognizer\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you perform detect, verify, identify, group, and find similar operations on - Face API. This role does not allow create or delete operations, which makes - it well suited for endpoints that only need inferencing capabilities, following - 'least privilege' best practices.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/Face/detect/action\",\"Microsoft.CognitiveServices/accounts/Face/verify/action\",\"Microsoft.CognitiveServices/accounts/Face/identify/action\",\"Microsoft.CognitiveServices/accounts/Face/group/action\",\"Microsoft.CognitiveServices/accounts/Face/findsimilars/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-03-31T01:51:41.3557295Z\",\"updatedOn\":\"2021-11-11T20:15:05.8818362Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9894cab4-e18a-44aa-828b-cb588cd6f2d7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"9894cab4-e18a-44aa-828b-cb588cd6f2d7\"},{\"properties\":{\"roleName\":\"Media - Services Account Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Create, - read, modify, and delete Media Services accounts; read-only access to other - Media Services resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Media/mediaservices/*/read\",\"Microsoft.Media/mediaservices/assets/listStreamingLocators/action\",\"Microsoft.Media/mediaservices/streamingLocators/listPaths/action\",\"Microsoft.Media/mediaservices/write\",\"Microsoft.Media/mediaservices/delete\",\"Microsoft.Media/mediaservices/privateEndpointConnectionsApproval/action\",\"Microsoft.Media/mediaservices/privateEndpointConnections/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-04-19T23:20:32.2956636Z\",\"updatedOn\":\"2021-11-11T20:15:07.1518844Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/054126f8-9a2b-4f1c-a9ad-eca461f08466\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"054126f8-9a2b-4f1c-a9ad-eca461f08466\"},{\"properties\":{\"roleName\":\"Media - Services Live Events Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Create, - read, modify, and delete Live Events, Assets, Asset Filters, and Streaming - Locators; read-only access to other Media Services resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Media/mediaservices/*/read\",\"Microsoft.Media/mediaservices/assets/*\",\"Microsoft.Media/mediaservices/assets/assetfilters/*\",\"Microsoft.Media/mediaservices/streamingLocators/*\",\"Microsoft.Media/mediaservices/liveEvents/*\"],\"notActions\":[\"Microsoft.Media/mediaservices/assets/getEncryptionKey/action\",\"Microsoft.Media/mediaservices/streamingLocators/listContentKeys/action\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-04-19T23:21:00.6119555Z\",\"updatedOn\":\"2021-11-11T20:15:07.3318873Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/532bc159-b25e-42c0-969e-a1d439f60d77\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"532bc159-b25e-42c0-969e-a1d439f60d77\"},{\"properties\":{\"roleName\":\"Media - Services Media Operator\",\"type\":\"BuiltInRole\",\"description\":\"Create, - read, modify, and delete Assets, Asset Filters, Streaming Locators, and Jobs; - read-only access to other Media Services resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Media/mediaservices/*/read\",\"Microsoft.Media/mediaservices/assets/*\",\"Microsoft.Media/mediaservices/assets/assetfilters/*\",\"Microsoft.Media/mediaservices/streamingLocators/*\",\"Microsoft.Media/mediaservices/transforms/jobs/*\"],\"notActions\":[\"Microsoft.Media/mediaservices/assets/getEncryptionKey/action\",\"Microsoft.Media/mediaservices/streamingLocators/listContentKeys/action\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-04-19T23:21:23.2236495Z\",\"updatedOn\":\"2021-11-11T20:15:07.5068487Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e4395492-1534-4db2-bedf-88c14621589c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e4395492-1534-4db2-bedf-88c14621589c\"},{\"properties\":{\"roleName\":\"Media - Services Policy Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Create, - read, modify, and delete Account Filters, Streaming Policies, Content Key - Policies, and Transforms; read-only access to other Media Services resources. - Cannot create Jobs, Assets or Streaming resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Media/mediaservices/*/read\",\"Microsoft.Media/mediaservices/assets/listStreamingLocators/action\",\"Microsoft.Media/mediaservices/streamingLocators/listPaths/action\",\"Microsoft.Media/mediaservices/accountFilters/*\",\"Microsoft.Media/mediaservices/streamingPolicies/*\",\"Microsoft.Media/mediaservices/contentKeyPolicies/*\",\"Microsoft.Media/mediaservices/transforms/*\"],\"notActions\":[\"Microsoft.Media/mediaservices/contentKeyPolicies/getPolicyPropertiesWithSecrets/action\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-04-19T23:21:46.9534330Z\",\"updatedOn\":\"2021-11-11T20:15:07.6968496Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c4bba371-dacd-4a26-b320-7250bca963ae\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c4bba371-dacd-4a26-b320-7250bca963ae\"},{\"properties\":{\"roleName\":\"Media - Services Streaming Endpoints Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Create, - read, modify, and delete Streaming Endpoints; read-only access to other Media - Services resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Media/mediaservices/*/read\",\"Microsoft.Media/mediaservices/assets/listStreamingLocators/action\",\"Microsoft.Media/mediaservices/streamingLocators/listPaths/action\",\"Microsoft.Media/mediaservices/streamingEndpoints/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-04-19T23:22:04.4594851Z\",\"updatedOn\":\"2021-11-11T20:15:07.8718907Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/99dba123-b5fe-44d5-874c-ced7199a5804\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"99dba123-b5fe-44d5-874c-ced7199a5804\"},{\"properties\":{\"roleName\":\"Stream - Analytics Query Tester\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - perform query testing without creating a stream analytics job first\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.StreamAnalytics/locations/TestQuery/action\",\"Microsoft.StreamAnalytics/locations/OperationResults/read\",\"Microsoft.StreamAnalytics/locations/SampleInput/action\",\"Microsoft.StreamAnalytics/locations/CompileQuery/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-04-20T17:33:24.5727870Z\",\"updatedOn\":\"2021-11-11T20:15:08.0481551Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1ec5b3c1-b17e-4e25-8312-2acb3c3c5abf\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1ec5b3c1-b17e-4e25-8312-2acb3c3c5abf\"},{\"properties\":{\"roleName\":\"AnyBuild - Builder\",\"type\":\"BuiltInRole\",\"description\":\"Basic user role for AnyBuild. - This role allows listing of agent information and execution of remote build - capabilities.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AnyBuild/clusters/build/write\",\"Microsoft.AnyBuild/clusters/build/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-04-20T22:07:00.4963853Z\",\"updatedOn\":\"2021-11-11T20:15:08.4254134Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a2138dac-4907-4679-a376-736901ed8ad8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a2138dac-4907-4679-a376-736901ed8ad8\"},{\"properties\":{\"roleName\":\"IoT - Hub Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows for full - read access to IoT Hub data-plane properties\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Devices/IotHubs/*/read\",\"Microsoft.Devices/IotHubs/fileUpload/notifications/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-04-22T18:03:29.8843192Z\",\"updatedOn\":\"2021-11-11T20:15:08.6054154Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b447c946-2db7-41ec-983d-d8bf3b1c77e3\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b447c946-2db7-41ec-983d-d8bf3b1c77e3\"},{\"properties\":{\"roleName\":\"IoT - Hub Twin Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allows for - read and write access to all IoT Hub device and module twins.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Devices/IotHubs/twins/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-04-22T20:36:10.1136903Z\",\"updatedOn\":\"2021-11-11T20:15:08.7855063Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/494bdba2-168f-4f31-a0a1-191d2f7c028c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"494bdba2-168f-4f31-a0a1-191d2f7c028c\"},{\"properties\":{\"roleName\":\"IoT - Hub Registry Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allows - for full access to IoT Hub device registry.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Devices/IotHubs/devices/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-04-22T20:36:47.5532704Z\",\"updatedOn\":\"2021-11-11T20:15:08.9804295Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4ea46cd5-c1b2-4a8e-910b-273211f9ce47\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4ea46cd5-c1b2-4a8e-910b-273211f9ce47\"},{\"properties\":{\"roleName\":\"IoT - Hub Data Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allows for - full access to IoT Hub data plane operations.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Devices/IotHubs/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-04-22T20:37:16.9927761Z\",\"updatedOn\":\"2021-11-11T20:15:09.1754206Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4fc6c259-987e-4a07-842e-c321cc9d413f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4fc6c259-987e-4a07-842e-c321cc9d413f\"},{\"properties\":{\"roleName\":\"Test - Base Reader\",\"type\":\"BuiltInRole\",\"description\":\"Let you view and - download packages and test results.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.TestBase/testBaseAccounts/packages/testResults/getDownloadUrl/action\",\"Microsoft.TestBase/testBaseAccounts/packages/testResults/getVideoDownloadUrl/action\",\"Microsoft.TestBase/testBaseAccounts/packages/getDownloadUrl/action\",\"Microsoft.TestBase/*/read\",\"Microsoft.TestBase/testBaseAccounts/customerEvents/write\",\"Microsoft.TestBase/testBaseAccounts/customerEvents/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-05-11T23:41:33.1038367Z\",\"updatedOn\":\"2021-11-11T20:15:10.8004347Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/15e0f5a1-3450-4248-8e25-e2afe88a9e85\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"15e0f5a1-3450-4248-8e25-e2afe88a9e85\"},{\"properties\":{\"roleName\":\"Search - Index Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Grants read - access to Azure Cognitive Search index data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Search/searchServices/indexes/documents/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-06-01T20:26:13.4850461Z\",\"updatedOn\":\"2021-11-11T20:15:11.3604371Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1407120a-92aa-4202-b7e9-c0e197c71c8f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1407120a-92aa-4202-b7e9-c0e197c71c8f\"},{\"properties\":{\"roleName\":\"Search - Index Data Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Grants - full access to Azure Cognitive Search index data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Search/searchServices/indexes/documents/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-06-01T22:15:16.5388472Z\",\"updatedOn\":\"2021-11-11T20:15:11.5504385Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8ebe5a00-799e-43f5-93ac-243d3dce84a7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8ebe5a00-799e-43f5-93ac-243d3dce84a7\"},{\"properties\":{\"roleName\":\"Storage - Table Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows for - read access to Azure Storage tables and entities\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/tableServices/tables/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/tableServices/tables/entities/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-06-15T06:40:54.9150717Z\",\"updatedOn\":\"2021-11-11T20:15:12.1005298Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/76199698-9eea-4c19-bc75-cec21354c6b6\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"76199698-9eea-4c19-bc75-cec21354c6b6\"},{\"properties\":{\"roleName\":\"Storage - Table Data Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allows - for read, write and delete access to Azure Storage tables and entities\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/tableServices/tables/read\",\"Microsoft.Storage/storageAccounts/tableServices/tables/write\",\"Microsoft.Storage/storageAccounts/tableServices/tables/delete\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/tableServices/tables/entities/read\",\"Microsoft.Storage/storageAccounts/tableServices/tables/entities/write\",\"Microsoft.Storage/storageAccounts/tableServices/tables/entities/delete\",\"Microsoft.Storage/storageAccounts/tableServices/tables/entities/add/action\",\"Microsoft.Storage/storageAccounts/tableServices/tables/entities/update/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-06-15T06:51:59.8207610Z\",\"updatedOn\":\"2021-11-11T20:15:12.2854966Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0a9a7e1f-b9d0-4cc4-a60d-0319b160aaa3\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0a9a7e1f-b9d0-4cc4-a60d-0319b160aaa3\"},{\"properties\":{\"roleName\":\"DICOM - Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Read and search DICOM - data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.HealthcareApis/workspaces/dicomservices/resources/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-06-17T20:58:30.1630494Z\",\"updatedOn\":\"2021-11-11T20:15:13.0154948Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e89c7a3c-2f64-4fa1-a847-3e4c9ba4283a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e89c7a3c-2f64-4fa1-a847-3e4c9ba4283a\"},{\"properties\":{\"roleName\":\"DICOM - Data Owner\",\"type\":\"BuiltInRole\",\"description\":\"Full access to DICOM - data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.HealthcareApis/workspaces/dicomservices/resources/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-06-17T20:59:30.8659515Z\",\"updatedOn\":\"2021-11-11T20:15:13.1904985Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/58a3b984-7adf-4c20-983a-32417c86fbc8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"58a3b984-7adf-4c20-983a-32417c86fbc8\"},{\"properties\":{\"roleName\":\"EventGrid - Data Sender\",\"type\":\"BuiltInRole\",\"description\":\"Allows send access - to event grid events.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.EventGrid/topics/read\",\"Microsoft.EventGrid/domains/read\",\"Microsoft.EventGrid/partnerNamespaces/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.EventGrid/events/send/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-07-02T21:55:40.4847495Z\",\"updatedOn\":\"2021-11-11T20:15:13.5605134Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d5a91429-5739-47e2-a06b-3470a27159e7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d5a91429-5739-47e2-a06b-3470a27159e7\"},{\"properties\":{\"roleName\":\"Disk - Pool Operator\",\"type\":\"BuiltInRole\",\"description\":\"Used by the StoragePool - Resource Provider to manage Disks added to a Disk Pool.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/disks/write\",\"Microsoft.Compute/disks/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-07-08T17:26:05.1079972Z\",\"updatedOn\":\"2021-11-11T20:15:13.9154612Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/60fc6e62-5479-42d4-8bf4-67625fcc2840\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"60fc6e62-5479-42d4-8bf4-67625fcc2840\"},{\"properties\":{\"roleName\":\"AzureML - Data Scientist\",\"type\":\"BuiltInRole\",\"description\":\"Can perform all - actions within an Azure Machine Learning workspace, except for creating or - deleting compute resources and modifying the workspace itself.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.MachineLearningServices/workspaces/*/read\",\"Microsoft.MachineLearningServices/workspaces/*/action\",\"Microsoft.MachineLearningServices/workspaces/*/delete\",\"Microsoft.MachineLearningServices/workspaces/*/write\"],\"notActions\":[\"Microsoft.MachineLearningServices/workspaces/delete\",\"Microsoft.MachineLearningServices/workspaces/write\",\"Microsoft.MachineLearningServices/workspaces/computes/*/write\",\"Microsoft.MachineLearningServices/workspaces/computes/*/delete\",\"Microsoft.MachineLearningServices/workspaces/computes/listKeys/action\",\"Microsoft.MachineLearningServices/workspaces/listKeys/action\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-07-14T21:51:06.0361218Z\",\"updatedOn\":\"2021-11-11T20:15:14.6405263Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f6c7c914-8db3-469d-8ca1-694a8f32e121\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f6c7c914-8db3-469d-8ca1-694a8f32e121\"},{\"properties\":{\"roleName\":\"Grafana - Admin\",\"type\":\"BuiltInRole\",\"description\":\"Built-in Grafana admin - role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Dashboard/grafana/ActAsGrafanaAdmin/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-07-15T21:32:35.3802340Z\",\"updatedOn\":\"2021-11-11T20:15:14.8104670Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/22926164-76b3-42b3-bc55-97df8dab3e41\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"22926164-76b3-42b3-bc55-97df8dab3e41\"},{\"properties\":{\"roleName\":\"Azure - Connected SQL Server Onboarding\",\"type\":\"BuiltInRole\",\"description\":\"Microsoft.AzureArcData\_service\_role\_to\_access\_the\_resources\_of\_Microsoft.AzureArcData\_stored\_with\_RPSAAS.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.AzureArcData/sqlServerInstances/read\",\"Microsoft.AzureArcData/sqlServerInstances/write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-07-19T23:52:15.8885739Z\",\"updatedOn\":\"2021-11-11T20:15:15.1754742Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e8113dce-c529-4d33-91fa-e9b972617508\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e8113dce-c529-4d33-91fa-e9b972617508\"},{\"properties\":{\"roleName\":\"Azure - Relay Sender\",\"type\":\"BuiltInRole\",\"description\":\"Allows for send - access to Azure Relay resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Relay/*/wcfRelays/read\",\"Microsoft.Relay/*/hybridConnections/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Relay/*/send/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-07-20T15:37:20.7558643Z\",\"updatedOn\":\"2021-11-11T20:15:15.5454755Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/26baccc8-eea7-41f1-98f4-1762cc7f685d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"26baccc8-eea7-41f1-98f4-1762cc7f685d\"},{\"properties\":{\"roleName\":\"Azure - Relay Owner\",\"type\":\"BuiltInRole\",\"description\":\"Allows for full access - to Azure Relay resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Relay/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Relay/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-07-20T15:44:26.3023126Z\",\"updatedOn\":\"2021-11-11T20:15:15.7154782Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2787bf04-f1f5-4bfe-8383-c8a24483ee38\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2787bf04-f1f5-4bfe-8383-c8a24483ee38\"},{\"properties\":{\"roleName\":\"Azure - Relay Listener\",\"type\":\"BuiltInRole\",\"description\":\"Allows for listen - access to Azure Relay resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Relay/*/wcfRelays/read\",\"Microsoft.Relay/*/hybridConnections/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Relay/*/listen/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-07-20T18:38:03.1437496Z\",\"updatedOn\":\"2021-11-11T20:15:15.9005232Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/26e0b698-aa6d-4085-9386-aadae190014d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"26e0b698-aa6d-4085-9386-aadae190014d\"},{\"properties\":{\"roleName\":\"Grafana - Viewer\",\"type\":\"BuiltInRole\",\"description\":\"Built-in Grafana Viewer - role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Dashboard/grafana/ActAsGrafanaViewer/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-08-05T16:36:18.7737511Z\",\"updatedOn\":\"2021-11-11T20:15:16.9904932Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/60921a7e-fef1-4a43-9b16-a26c52ad4769\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"60921a7e-fef1-4a43-9b16-a26c52ad4769\"},{\"properties\":{\"roleName\":\"Grafana - Editor\",\"type\":\"BuiltInRole\",\"description\":\"Built-in Grafana Editor - role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Dashboard/grafana/ActAsGrafanaEditor/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-08-05T16:37:32.5299593Z\",\"updatedOn\":\"2021-11-11T20:15:17.1805426Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a79a5197-3a5c-4973-a920-486035ffd60f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a79a5197-3a5c-4973-a920-486035ffd60f\"},{\"properties\":{\"roleName\":\"Automation - Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Manage azure automation - resources and other resources using azure automation.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Automation/automationAccounts/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Insights/ActionGroups/*\",\"Microsoft.Insights/ActivityLogAlerts/*\",\"Microsoft.Insights/MetricAlerts/*\",\"Microsoft.Insights/ScheduledQueryRules/*\",\"Microsoft.Insights/diagnosticSettings/*\",\"Microsoft.OperationalInsights/workspaces/sharedKeys/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-08-09T10:18:19.1054699Z\",\"updatedOn\":\"2021-11-11T20:15:17.7304954Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f353d9bd-d4a6-484e-a77a-8050b599b867\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f353d9bd-d4a6-484e-a77a-8050b599b867\"},{\"properties\":{\"roleName\":\"Kubernetes - Extension Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can create, - update, get, list and delete Kubernetes Extensions, and get extension async - operations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.KubernetesConfiguration/extensions/write\",\"Microsoft.KubernetesConfiguration/extensions/read\",\"Microsoft.KubernetesConfiguration/extensions/delete\",\"Microsoft.KubernetesConfiguration/extensions/operations/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-08-09T19:47:50.6828896Z\",\"updatedOn\":\"2021-11-11T20:15:17.9155393Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/85cb6faf-e071-4c9b-8136-154b5a04f717\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"85cb6faf-e071-4c9b-8136-154b5a04f717\"},{\"properties\":{\"roleName\":\"Device - Provisioning Service Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows - for full read access to Device Provisioning Service data-plane properties.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Devices/provisioningServices/*/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-08-09T19:53:12.1374732Z\",\"updatedOn\":\"2021-11-11T20:15:18.0905503Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/10745317-c249-44a1-a5ce-3a4353c0bbd8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"10745317-c249-44a1-a5ce-3a4353c0bbd8\"},{\"properties\":{\"roleName\":\"Device - Provisioning Service Data Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allows - for full access to Device Provisioning Service data-plane operations.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Devices/provisioningServices/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-08-09T19:54:03.2783227Z\",\"updatedOn\":\"2021-11-11T20:15:18.2605302Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/dfce44e4-17b7-4bd1-a6d1-04996ec95633\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"dfce44e4-17b7-4bd1-a6d1-04996ec95633\"},{\"properties\":{\"roleName\":\"CodeSigning - Certificate Profile Signer\",\"type\":\"BuiltInRole\",\"description\":\"Sign - files with a certificate profile. This role is in preview and subject to change.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CodeSigning/certificateProfiles/Sign/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-08-16T23:17:53.0002693Z\",\"updatedOn\":\"2021-11-11T20:15:18.6105679Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2837e146-70d7-4cfd-ad55-7efa6464f958\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2837e146-70d7-4cfd-ad55-7efa6464f958\"},{\"properties\":{\"roleName\":\"Azure - Spring Cloud Service Registry Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allow - read access to Azure Spring Cloud Service Registry\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AppPlatform/Spring/eurekaService/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-08-20T04:40:17.9785063Z\",\"updatedOn\":\"2021-11-11T20:15:18.9655101Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/cff1b556-2399-4e7e-856d-a8f754be7b65\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"cff1b556-2399-4e7e-856d-a8f754be7b65\"},{\"properties\":{\"roleName\":\"Azure - Spring Cloud Service Registry Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allow - read, write and delete access to Azure Spring Cloud Service Registry\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AppPlatform/Spring/eurekaService/read\",\"Microsoft.AppPlatform/Spring/eurekaService/write\",\"Microsoft.AppPlatform/Spring/eurekaService/delete\"],\"notDataActions\":[]}],\"createdOn\":\"2021-08-20T04:42:38.9153779Z\",\"updatedOn\":\"2021-11-11T20:15:19.1405497Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f5880b48-c26d-48be-b172-7927bfa1c8f1\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f5880b48-c26d-48be-b172-7927bfa1c8f1\"},{\"properties\":{\"roleName\":\"Azure - Spring Cloud Config Server Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allow - read access to Azure Spring Cloud Config Server\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AppPlatform/Spring/configService/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-08-26T01:50:51.5123701Z\",\"updatedOn\":\"2021-11-11T20:15:19.3155517Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d04c6db6-4947-4782-9e91-30a88feb7be7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d04c6db6-4947-4782-9e91-30a88feb7be7\"},{\"properties\":{\"roleName\":\"Azure - Spring Cloud Config Server Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allow - read, write and delete access to Azure Spring Cloud Config Server\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AppPlatform/Spring/configService/read\",\"Microsoft.AppPlatform/Spring/configService/write\",\"Microsoft.AppPlatform/Spring/configService/delete\"],\"notDataActions\":[]}],\"createdOn\":\"2021-09-06T02:30:47.8611580Z\",\"updatedOn\":\"2021-11-11T20:15:20.0405208Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a06f5c24-21a7-4e1a-aa2b-f19eb6684f5b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a06f5c24-21a7-4e1a-aa2b-f19eb6684f5b\"},{\"properties\":{\"roleName\":\"Azure - VM Managed identities restore Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Azure - VM Managed identities restore Contributors are allowed to perform Azure VM - Restores with managed identities both user and system\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-09-13T05:27:59.2180214Z\",\"updatedOn\":\"2021-11-11T20:15:20.5805266Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6ae96244-5829-4925-a7d3-5975537d91dd\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6ae96244-5829-4925-a7d3-5975537d91dd\"},{\"properties\":{\"roleName\":\"Azure - Maps Search and Render Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Grants - access to very limited set of data APIs for common visual web SDK scenarios. - Specifically, render and search data APIs.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Maps/accounts/services/render/read\",\"Microsoft.Maps/accounts/services/search/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-10-01T22:17:50.5178931Z\",\"updatedOn\":\"2021-11-11T20:15:22.0455410Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6be48352-4f82-47c9-ad5e-0acacefdb005\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6be48352-4f82-47c9-ad5e-0acacefdb005\"},{\"properties\":{\"roleName\":\"Azure - Maps Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Grants access - all Azure Maps resource management.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Maps/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-10-01T22:19:13.1357904Z\",\"updatedOn\":\"2021-11-11T20:15:22.2455414Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/dba33070-676a-4fb0-87fa-064dc56ff7fb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"dba33070-676a-4fb0-87fa-064dc56ff7fb\"},{\"properties\":{\"roleName\":\"Azure - Arc VMware VM Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Arc - VMware VM Contributor has permissions to perform all VM actions.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ConnectedVMwarevSphere/virtualmachines/*\",\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/operationresults/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-10-18T20:19:53.0087024Z\",\"updatedOn\":\"2021-11-11T20:15:23.8706020Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b748a06d-6150-4f8a-aaa9-ce3940cd96cb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b748a06d-6150-4f8a-aaa9-ce3940cd96cb\"},{\"properties\":{\"roleName\":\"Azure - Arc VMware Private Cloud User\",\"type\":\"BuiltInRole\",\"description\":\"Azure - Arc VMware Private Cloud User has permissions to use the VMware cloud resources - to deploy VMs.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.ConnectedVMwarevSphere/virtualnetworks/join/action\",\"Microsoft.ConnectedVMwarevSphere/virtualnetworks/Read\",\"Microsoft.ConnectedVMwarevSphere/virtualmachinetemplates/clone/action\",\"Microsoft.ConnectedVMwarevSphere/virtualmachinetemplates/Read\",\"Microsoft.ConnectedVMwarevSphere/resourcepools/deploy/action\",\"Microsoft.ConnectedVMwarevSphere/resourcepools/Read\",\"Microsoft.ConnectedVMwarevSphere/hosts/deploy/action\",\"Microsoft.ConnectedVMwarevSphere/hosts/Read\",\"Microsoft.ConnectedVMwarevSphere/clusters/deploy/action\",\"Microsoft.ConnectedVMwarevSphere/clusters/Read\",\"Microsoft.ConnectedVMwarevSphere/datastores/allocateSpace/action\",\"Microsoft.ConnectedVMwarevSphere/datastores/Read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-10-18T20:20:46.5105444Z\",\"updatedOn\":\"2021-11-11T20:15:24.0456080Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ce551c02-7c42-47e0-9deb-e3b6fc3a9a83\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ce551c02-7c42-47e0-9deb-e3b6fc3a9a83\"},{\"properties\":{\"roleName\":\"Azure - Arc VMware Administrator role \",\"type\":\"BuiltInRole\",\"description\":\"Arc - VMware VM Contributor has permissions to perform all connected VMwarevSphere - actions.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ConnectedVMwarevSphere/*\",\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/operationresults/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-11-01T17:12:42.6172725Z\",\"updatedOn\":\"2021-11-11T20:15:25.1275776Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ddc140ed-e463-4246-9145-7c664192013f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ddc140ed-e463-4246-9145-7c664192013f\"},{\"properties\":{\"roleName\":\"Azure - Arc VMware Private Clouds Onboarding\",\"type\":\"BuiltInRole\",\"description\":\"Azure - Arc VMware Private Clouds Onboarding role has permissions to provision all - the required resources for onboard and deboard vCenter instances to Azure.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ConnectedVMwarevSphere/vcenters/Write\",\"Microsoft.ConnectedVMwarevSphere/vcenters/Read\",\"Microsoft.ConnectedVMwarevSphere/vcenters/Delete\",\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.KubernetesConfiguration/extensions/Write\",\"Microsoft.KubernetesConfiguration/extensions/Read\",\"Microsoft.KubernetesConfiguration/extensions/Delete\",\"Microsoft.KubernetesConfiguration/operations/read\",\"Microsoft.ExtendedLocation/customLocations/Read\",\"Microsoft.ExtendedLocation/customLocations/Write\",\"Microsoft.ExtendedLocation/customLocations/Delete\",\"Microsoft.ExtendedLocation/customLocations/deploy/action\",\"Microsoft.ResourceConnector/appliances/Read\",\"Microsoft.ResourceConnector/appliances/Write\",\"Microsoft.ResourceConnector/appliances/Delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-11-01T22:18:08.4480747Z\",\"updatedOn\":\"2022-01-14T02:51:08.7237156Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/67d33e57-3129-45e6-bb0b-7cc522f762fa\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"67d33e57-3129-45e6-bb0b-7cc522f762fa\"},{\"properties\":{\"roleName\":\"Cognitive - Services LUIS Owner\",\"type\":\"BuiltInRole\",\"description\":\" Has access - to all Read, Test, Write, Deploy and Delete functions under LUIS\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.CognitiveServices/accounts/listkeys/action\",\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/LUIS/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-11-04T03:28:02.9611800Z\",\"updatedOn\":\"2021-11-11T20:15:25.4884913Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f72c8140-2111-481c-87ff-72b910f6e3f8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f72c8140-2111-481c-87ff-72b910f6e3f8\"},{\"properties\":{\"roleName\":\"Cognitive - Services Language Reader\",\"type\":\"BuiltInRole\",\"description\":\"Has - access to Read and Test functions under Language portal\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/LanguageAuthoring/*/read\",\"Microsoft.CognitiveServices/accounts/ConversationalLanguageUnderstanding/*/read\",\"Microsoft.CognitiveServices/accounts/ConversationalLanguageUnderstanding/projects/export/action\",\"Microsoft.CognitiveServices/accounts/Language/*/read\",\"Microsoft.CognitiveServices/accounts/Language/*/projects/export/action\",\"Microsoft.CognitiveServices/accounts/Language/query-text/action\",\"Microsoft.CognitiveServices/accounts/Language/query-dataverse/action\",\"Microsoft.CognitiveServices/accounts/Language/analyze-text/jobs/action\",\"Microsoft.CognitiveServices/accounts/Language/analyze-text/action\",\"Microsoft.CognitiveServices/accounts/Language/analyze-text/jobscancel/action\",\"Microsoft.CognitiveServices/accounts/Language/analyze-conversations/action\",\"Microsoft.CognitiveServices/accounts/Language/analyze-conversations/jobscancel/action\",\"Microsoft.CognitiveServices/accounts/Language/analyze-conversations/jobs/action\",\"Microsoft.CognitiveServices/accounts/Language/query-knowledgebases/action\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/*\"],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnaMaker/*\"]}],\"createdOn\":\"2021-11-04T03:29:14.7643336Z\",\"updatedOn\":\"2022-06-17T06:19:08.0395330Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7628b7b8-a8b2-4cdc-b46f-e9b35248918e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7628b7b8-a8b2-4cdc-b46f-e9b35248918e\"},{\"properties\":{\"roleName\":\"Cognitive - Services Language Writer\",\"type\":\"BuiltInRole\",\"description\":\" Has - access to all Read, Test, and Write functions under Language Portal\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/LanguageAuthoring/*\",\"Microsoft.CognitiveServices/accounts/ConversationalLanguageUnderstanding/*\",\"Microsoft.CognitiveServices/accounts/Language/*\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/*\"],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/LanguageAuthoring/projects/publish/action\",\"Microsoft.CognitiveServices/accounts/ConversationalLanguageUnderstanding/projects/deployments/write\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnaMaker/*\",\"Microsoft.CognitiveServices/accounts/Language/*/projects/delete\",\"Microsoft.CognitiveServices/accounts/Language/*/projects/deployments/write\",\"Microsoft.CognitiveServices/accounts/Language/*/projects/deployments/delete\",\"Microsoft.CognitiveServices/accounts/Language/*/projects/deployments/swap/action\"]}],\"createdOn\":\"2021-11-04T03:29:39.5761019Z\",\"updatedOn\":\"2022-03-29T18:03:23.4902754Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f2310ca1-dc64-4889-bb49-c8e0fa3d47a8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f2310ca1-dc64-4889-bb49-c8e0fa3d47a8\"},{\"properties\":{\"roleName\":\"Cognitive - Services Language Owner\",\"type\":\"BuiltInRole\",\"description\":\"Has access - to all Read, Test, Write, Deploy and Delete functions under Language portal\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.CognitiveServices/accounts/listkeys/action\",\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/LanguageAuthoring/*\",\"Microsoft.CognitiveServices/accounts/ConversationalLanguageUnderstanding/*\",\"Microsoft.CognitiveServices/accounts/Language/*\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/*\"],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnaMaker/*\"]}],\"createdOn\":\"2021-11-04T03:30:07.6173528Z\",\"updatedOn\":\"2022-03-29T18:03:46.5617184Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f07febfe-79bc-46b1-8b37-790e26e6e498\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f07febfe-79bc-46b1-8b37-790e26e6e498\"},{\"properties\":{\"roleName\":\"Cognitive - Services LUIS Reader\",\"type\":\"BuiltInRole\",\"description\":\"Has access - to Read and Test functions under LUIS.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/LUIS/*/read\",\"Microsoft.CognitiveServices/accounts/LUIS/apps/testdatasets/write\"],\"notDataActions\":[]}],\"createdOn\":\"2021-11-04T03:30:31.2704834Z\",\"updatedOn\":\"2021-11-11T20:15:26.2134821Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18e81cdc-4e98-4e29-a639-e7d10c5a6226\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"18e81cdc-4e98-4e29-a639-e7d10c5a6226\"},{\"properties\":{\"roleName\":\"Cognitive - Services LUIS Writer\",\"type\":\"BuiltInRole\",\"description\":\"Has access - to all Read, Test, and Write functions under LUIS\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/LUIS/*\"],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/LUIS/apps/delete\",\"Microsoft.CognitiveServices/accounts/LUIS/apps/move/action\",\"Microsoft.CognitiveServices/accounts/LUIS/apps/publish/action\",\"Microsoft.CognitiveServices/accounts/LUIS/apps/settings/write\",\"Microsoft.CognitiveServices/accounts/LUIS/apps/azureaccounts/action\",\"Microsoft.CognitiveServices/accounts/LUIS/apps/azureaccounts/delete\"]}],\"createdOn\":\"2021-11-04T03:31:12.1580052Z\",\"updatedOn\":\"2021-11-11T20:15:26.3934523Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6322a993-d5c9-4bed-b113-e49bbea25b27\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6322a993-d5c9-4bed-b113-e49bbea25b27\"},{\"properties\":{\"roleName\":\"PlayFab - Reader\",\"type\":\"BuiltInRole\",\"description\":\"Provides read access to - PlayFab resources\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.PlayFab/*/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-11-04T23:26:57.2248605Z\",\"updatedOn\":\"2021-11-11T20:15:26.5784834Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a9a19cc5-31f4-447c-901f-56c0bb18fcaf\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a9a19cc5-31f4-447c-901f-56c0bb18fcaf\"},{\"properties\":{\"roleName\":\"Load - Test Contributor\",\"type\":\"BuiltInRole\",\"description\":\"View, create, - update, delete and execute load tests. View and list load test resources but - can not make any changes.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.LoadTestService/*/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.LoadTestService/loadtests/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-11-09T08:11:21.0936461Z\",\"updatedOn\":\"2021-11-11T20:15:27.1189225Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/749a398d-560b-491b-bb21-08924219302e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"749a398d-560b-491b-bb21-08924219302e\"},{\"properties\":{\"roleName\":\"Load - Test Owner\",\"type\":\"BuiltInRole\",\"description\":\"Execute all operations - on load test resources and load tests\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.LoadTestService/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.LoadTestService/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-11-09T08:12:24.5500195Z\",\"updatedOn\":\"2021-11-11T20:15:27.2897153Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/45bb0b16-2f0c-4e78-afaa-a07599b003f6\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"45bb0b16-2f0c-4e78-afaa-a07599b003f6\"},{\"properties\":{\"roleName\":\"PlayFab - Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Provides contributor - access to PlayFab resources\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.PlayFab/*/read\",\"Microsoft.PlayFab/*/write\",\"Microsoft.PlayFab/*/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-11-10T00:55:37.3326276Z\",\"updatedOn\":\"2021-11-11T20:15:28.0547167Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0c8b84dc-067c-4039-9615-fa1a4b77c726\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0c8b84dc-067c-4039-9615-fa1a4b77c726\"},{\"properties\":{\"roleName\":\"Load - Test Reader\",\"type\":\"BuiltInRole\",\"description\":\"View and list all - load tests and load test resources but can not make any changes\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.LoadTestService/*/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.LoadTestService/loadtests/readTest/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-11-10T06:14:08.3903105Z\",\"updatedOn\":\"2021-11-11T20:15:28.2297181Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3ae3fb29-0000-4ccd-bf80-542e7b26e081\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3ae3fb29-0000-4ccd-bf80-542e7b26e081\"},{\"properties\":{\"roleName\":\"Cognitive - Services Immersive Reader User\",\"type\":\"BuiltInRole\",\"description\":\"Provides - access to create Immersive Reader sessions and call APIs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/ImmersiveReader/getcontentmodelforreader/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-11-10T19:52:14.4487503Z\",\"updatedOn\":\"2021-11-11T20:15:28.4146975Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b2de6794-95db-4659-8781-7e080d3f2b9d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b2de6794-95db-4659-8781-7e080d3f2b9d\"},{\"properties\":{\"roleName\":\"Lab - Services Contributor\",\"type\":\"BuiltInRole\",\"description\":\"The lab - services contributor role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.LabServices/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.LabServices/labPlans/createLab/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-11-11T00:51:03.3308981Z\",\"updatedOn\":\"2021-11-11T20:15:28.7792013Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f69b8690-cc87-41d6-b77a-a4bc3c0a966f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f69b8690-cc87-41d6-b77a-a4bc3c0a966f\"},{\"properties\":{\"roleName\":\"Lab - Services Reader\",\"type\":\"BuiltInRole\",\"description\":\"The lab services - reader role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.LabServices/*/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-11-11T00:55:30.4208618Z\",\"updatedOn\":\"2021-11-11T20:15:28.9592032Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a5c394f-5eb7-4d4f-9c8e-e8eae39faebc\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2a5c394f-5eb7-4d4f-9c8e-e8eae39faebc\"},{\"properties\":{\"roleName\":\"Lab - Assistant\",\"type\":\"BuiltInRole\",\"description\":\"The lab assistant role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.LabServices/labPlans/images/read\",\"Microsoft.LabServices/labPlans/read\",\"Microsoft.LabServices/labs/read\",\"Microsoft.LabServices/labs/schedules/read\",\"Microsoft.LabServices/labs/users/read\",\"Microsoft.LabServices/labs/users/invite/action\",\"Microsoft.LabServices/labs/virtualMachines/read\",\"Microsoft.LabServices/labs/virtualMachines/start/action\",\"Microsoft.LabServices/labs/virtualMachines/stop/action\",\"Microsoft.LabServices/labs/virtualMachines/reimage/action\",\"Microsoft.LabServices/labs/virtualMachines/redeploy/action\",\"Microsoft.LabServices/locations/usages/read\",\"Microsoft.LabServices/skus/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-11-11T00:56:10.4295443Z\",\"updatedOn\":\"2021-11-11T20:15:29.1442530Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ce40b423-cede-4313-a93f-9b28290b72e1\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ce40b423-cede-4313-a93f-9b28290b72e1\"},{\"properties\":{\"roleName\":\"Lab - Operator\",\"type\":\"BuiltInRole\",\"description\":\"The lab operator role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.LabServices/labPlans/images/read\",\"Microsoft.LabServices/labPlans/read\",\"Microsoft.LabServices/labPlans/saveImage/action\",\"Microsoft.LabServices/labs/publish/action\",\"Microsoft.LabServices/labs/read\",\"Microsoft.LabServices/labs/schedules/read\",\"Microsoft.LabServices/labs/schedules/write\",\"Microsoft.LabServices/labs/schedules/delete\",\"Microsoft.LabServices/labs/users/read\",\"Microsoft.LabServices/labs/users/write\",\"Microsoft.LabServices/labs/users/delete\",\"Microsoft.LabServices/labs/users/invite/action\",\"Microsoft.LabServices/labs/virtualMachines/read\",\"Microsoft.LabServices/labs/virtualMachines/start/action\",\"Microsoft.LabServices/labs/virtualMachines/stop/action\",\"Microsoft.LabServices/labs/virtualMachines/reimage/action\",\"Microsoft.LabServices/labs/virtualMachines/redeploy/action\",\"Microsoft.LabServices/labs/virtualMachines/resetPassword/action\",\"Microsoft.LabServices/locations/usages/read\",\"Microsoft.LabServices/skus/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-11-11T00:56:41.9942935Z\",\"updatedOn\":\"2021-11-11T20:15:29.3242664Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a36e6959-b6be-4b12-8e9f-ef4b474d304d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a36e6959-b6be-4b12-8e9f-ef4b474d304d\"},{\"properties\":{\"roleName\":\"Lab - Contributor\",\"type\":\"BuiltInRole\",\"description\":\"The lab contributor - role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.LabServices/labPlans/images/read\",\"Microsoft.LabServices/labPlans/read\",\"Microsoft.LabServices/labPlans/saveImage/action\",\"Microsoft.LabServices/labs/read\",\"Microsoft.LabServices/labs/write\",\"Microsoft.LabServices/labs/delete\",\"Microsoft.LabServices/labs/publish/action\",\"Microsoft.LabServices/labs/syncGroup/action\",\"Microsoft.LabServices/labs/schedules/read\",\"Microsoft.LabServices/labs/schedules/write\",\"Microsoft.LabServices/labs/schedules/delete\",\"Microsoft.LabServices/labs/users/read\",\"Microsoft.LabServices/labs/users/write\",\"Microsoft.LabServices/labs/users/delete\",\"Microsoft.LabServices/labs/users/invite/action\",\"Microsoft.LabServices/labs/virtualMachines/read\",\"Microsoft.LabServices/labs/virtualMachines/start/action\",\"Microsoft.LabServices/labs/virtualMachines/stop/action\",\"Microsoft.LabServices/labs/virtualMachines/reimage/action\",\"Microsoft.LabServices/labs/virtualMachines/redeploy/action\",\"Microsoft.LabServices/labs/virtualMachines/resetPassword/action\",\"Microsoft.LabServices/locations/usages/read\",\"Microsoft.LabServices/skus/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.LabServices/labPlans/createLab/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-11-11T00:57:05.9018065Z\",\"updatedOn\":\"2021-11-11T20:15:29.4992096Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5daaa2af-1fe8-407c-9122-bba179798270\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5daaa2af-1fe8-407c-9122-bba179798270\"},{\"properties\":{\"roleName\":\"Chamber - User\",\"type\":\"BuiltInRole\",\"description\":\"Lets you view everything - under your HPC Workbench chamber, but not make any changes.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HpcWorkbench/instances/chambers/*/read\",\"Microsoft.HpcWorkbench/instances/chambers/workloads/*\",\"Microsoft.HpcWorkbench/instances/chambers/getUploadUri/action\",\"Microsoft.HpcWorkbench/instances/consortiums/*/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-12-15T20:51:06.2119764Z\",\"updatedOn\":\"2022-01-27T04:54:22.9559555Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4447db05-44ed-4da3-ae60-6cbece780e32\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4447db05-44ed-4da3-ae60-6cbece780e32\"},{\"properties\":{\"roleName\":\"Chamber - Admin\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage everything - under your HPC Workbench chamber.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HpcWorkbench/*/read\",\"Microsoft.HpcWorkbench/instances/chambers/*\",\"Microsoft.HpcWorkbench/instances/consortiums/*/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-12-15T20:53:14.4428297Z\",\"updatedOn\":\"2022-01-20T05:04:48.3694000Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4e9b8407-af2e-495b-ae54-bb60a55b1b5a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4e9b8407-af2e-495b-ae54-bb60a55b1b5a\"},{\"properties\":{\"roleName\":\"Windows - Admin Center Administrator Login\",\"type\":\"BuiltInRole\",\"description\":\"Let's - you manage the OS of your resource via Windows Admin Center as an administrator.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HybridCompute/machines/*/read\",\"Microsoft.HybridCompute/machines/extensions/*\",\"Microsoft.HybridCompute/machines/upgradeExtensions/action\",\"Microsoft.HybridCompute/operations/read\",\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Network/loadBalancers/read\",\"Microsoft.Network/publicIPAddresses/read\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/networkSecurityGroups/read\",\"Microsoft.Network/networkSecurityGroups/defaultSecurityRules/read\",\"Microsoft.Network/networkWatchers/securityGroupView/action\",\"Microsoft.Network/networkSecurityGroups/securityRules/read\",\"Microsoft.Network/networkSecurityGroups/securityRules/write\",\"Microsoft.HybridConnectivity/endpoints/write\",\"Microsoft.HybridConnectivity/endpoints/read\",\"Microsoft.HybridConnectivity/endpoints/listManagedProxyDetails/action\",\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Compute/virtualMachines/patchAssessmentResults/latest/read\",\"Microsoft.Compute/virtualMachines/patchAssessmentResults/latest/softwarePatches/read\",\"Microsoft.Compute/virtualMachines/patchInstallationResults/read\",\"Microsoft.Compute/virtualMachines/patchInstallationResults/softwarePatches/read\",\"Microsoft.Compute/virtualMachines/extensions/read\",\"Microsoft.Compute/virtualMachines/instanceView/read\",\"Microsoft.Compute/virtualMachines/runCommands/read\",\"Microsoft.Compute/virtualMachines/vmSizes/read\",\"Microsoft.Compute/locations/publishers/artifacttypes/types/read\",\"Microsoft.Compute/locations/publishers/artifacttypes/types/versions/read\",\"Microsoft.Compute/diskAccesses/read\",\"Microsoft.Compute/galleries/images/read\",\"Microsoft.Compute/images/read\",\"Microsoft.AzureStackHCI/Clusters/Read\",\"Microsoft.AzureStackHCI/Clusters/ArcSettings/Read\",\"Microsoft.AzureStackHCI/Clusters/ArcSettings/Extensions/Read\",\"Microsoft.AzureStackHCI/Clusters/ArcSettings/Extensions/Write\",\"Microsoft.AzureStackHCI/Clusters/ArcSettings/Extensions/Delete\",\"Microsoft.AzureStackHCI/Operations/Read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.HybridCompute/machines/WACLoginAsAdmin/action\",\"Microsoft.Compute/virtualMachines/WACloginAsAdmin/action\",\"Microsoft.AzureStackHCI/Clusters/WACloginAsAdmin/Action\"],\"notDataActions\":[]}],\"createdOn\":\"2022-01-12T00:51:19.5581155Z\",\"updatedOn\":\"2022-07-12T21:33:45.2330879Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a6333a3e-0164-44c3-b281-7a577aff287f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a6333a3e-0164-44c3-b281-7a577aff287f\"},{\"properties\":{\"roleName\":\"Guest - Configuration Resource Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you read, write Guest Configuration Resource.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.GuestConfiguration/guestConfigurationAssignments/write\",\"Microsoft.GuestConfiguration/guestConfigurationAssignments/read\",\"Microsoft.GuestConfiguration/guestConfigurationAssignments/*/read\",\"Microsoft.Resources/deployments/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-01-13T21:31:41.9626667Z\",\"updatedOn\":\"2022-02-10T19:22:44.9057916Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/088ab73d-1256-47ae-bea9-9de8e7131f31\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"088ab73d-1256-47ae-bea9-9de8e7131f31\"},{\"properties\":{\"roleName\":\"Azure - Kubernetes Service Policy Add-on Deployment\",\"type\":\"BuiltInRole\",\"description\":\"Deploy - the Azure Policy add-on on Azure Kubernetes Service clusters\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Resources/deployments/*\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/publicIPPrefixes/join/action\",\"Microsoft.Network/publicIPAddresses/join/action\",\"Microsoft.Compute/diskEncryptionSets/read\",\"Microsoft.Compute/proximityPlacementGroups/write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-02-07T20:51:48.5662807Z\",\"updatedOn\":\"2022-03-15T19:19:25.6182575Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18ed5180-3e48-46fd-8541-4ea054d57064\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"18ed5180-3e48-46fd-8541-4ea054d57064\"},{\"properties\":{\"roleName\":\"Domain - Services Reader\",\"type\":\"BuiltInRole\",\"description\":\"Can view Azure - AD Domain Services and related network configurations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Insights/Logs/Read\",\"Microsoft.Insights/Metrics/read\",\"Microsoft.Insights/DiagnosticSettings/read\",\"Microsoft.Insights/DiagnosticSettingsCategories/Read\",\"Microsoft.AAD/domainServices/*/read\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Network/virtualNetworks/virtualNetworkPeerings/read\",\"Microsoft.Network/virtualNetworks/providers/Microsoft.Insights/diagnosticSettings/read\",\"Microsoft.Network/virtualNetworks/providers/Microsoft.Insights/metricDefinitions/read\",\"Microsoft.Network/azureFirewalls/read\",\"Microsoft.Network/ddosProtectionPlans/read\",\"Microsoft.Network/loadBalancers/read\",\"Microsoft.Network/loadBalancers/*/read\",\"Microsoft.Network/natGateways/read\",\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Network/networkSecurityGroups/defaultSecurityRules/read\",\"Microsoft.Network/networkSecurityGroups/read\",\"Microsoft.Network/networkSecurityGroups/securityRules/read\",\"Microsoft.Network/routeTables/read\",\"Microsoft.Network/routeTables/routes/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-02-15T19:38:46.9043170Z\",\"updatedOn\":\"2022-06-27T15:26:25.8631939Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/361898ef-9ed1-48c2-849c-a832951106bb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"361898ef-9ed1-48c2-849c-a832951106bb\"},{\"properties\":{\"roleName\":\"Domain - Services Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can manage - Azure AD Domain Services and related network configurations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Insights/Logs/Read\",\"Microsoft.Insights/Metrics/Read\",\"Microsoft.Insights/DiagnosticSettings/*\",\"Microsoft.Insights/DiagnosticSettingsCategories/Read\",\"Microsoft.AAD/register/action\",\"Microsoft.AAD/unregister/action\",\"Microsoft.AAD/domainServices/*\",\"Microsoft.Network/register/action\",\"Microsoft.Network/unregister/action\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/write\",\"Microsoft.Network/virtualNetworks/delete\",\"Microsoft.Network/virtualNetworks/peer/action\",\"Microsoft.Network/virtualNetworks/join/action\",\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Network/virtualNetworks/subnets/write\",\"Microsoft.Network/virtualNetworks/subnets/delete\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/virtualNetworks/virtualNetworkPeerings/read\",\"Microsoft.Network/virtualNetworks/virtualNetworkPeerings/write\",\"Microsoft.Network/virtualNetworks/virtualNetworkPeerings/delete\",\"Microsoft.Network/virtualNetworks/providers/Microsoft.Insights/diagnosticSettings/read\",\"Microsoft.Network/virtualNetworks/providers/Microsoft.Insights/metricDefinitions/read\",\"Microsoft.Network/azureFirewalls/read\",\"Microsoft.Network/ddosProtectionPlans/read\",\"Microsoft.Network/ddosProtectionPlans/join/action\",\"Microsoft.Network/loadBalancers/read\",\"Microsoft.Network/loadBalancers/delete\",\"Microsoft.Network/loadBalancers/*/read\",\"Microsoft.Network/loadBalancers/backendAddressPools/join/action\",\"Microsoft.Network/loadBalancers/inboundNatRules/join/action\",\"Microsoft.Network/natGateways/join/action\",\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Network/networkInterfaces/write\",\"Microsoft.Network/networkInterfaces/delete\",\"Microsoft.Network/networkInterfaces/join/action\",\"Microsoft.Network/networkSecurityGroups/defaultSecurityRules/read\",\"Microsoft.Network/networkSecurityGroups/read\",\"Microsoft.Network/networkSecurityGroups/write\",\"Microsoft.Network/networkSecurityGroups/delete\",\"Microsoft.Network/networkSecurityGroups/join/action\",\"Microsoft.Network/networkSecurityGroups/securityRules/read\",\"Microsoft.Network/networkSecurityGroups/securityRules/write\",\"Microsoft.Network/networkSecurityGroups/securityRules/delete\",\"Microsoft.Network/routeTables/read\",\"Microsoft.Network/routeTables/write\",\"Microsoft.Network/routeTables/delete\",\"Microsoft.Network/routeTables/join/action\",\"Microsoft.Network/routeTables/routes/read\",\"Microsoft.Network/routeTables/routes/write\",\"Microsoft.Network/routeTables/routes/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-02-15T19:40:22.3943189Z\",\"updatedOn\":\"2022-06-27T15:26:25.8631939Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/eeaeda52-9324-47f6-8069-5d5bade478b2\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"eeaeda52-9324-47f6-8069-5d5bade478b2\"},{\"properties\":{\"roleName\":\"DNS - Resolver Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - manage DNS resolver resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Network/dnsResolvers/read\",\"Microsoft.Network/dnsResolvers/write\",\"Microsoft.Network/dnsResolvers/delete\",\"Microsoft.Network/dnsResolvers/join/action\",\"Microsoft.Network/dnsResolvers/inboundEndpoints/read\",\"Microsoft.Network/dnsResolvers/inboundEndpoints/write\",\"Microsoft.Network/dnsResolvers/inboundEndpoints/delete\",\"Microsoft.Network/dnsResolvers/inboundEndpoints/join/action\",\"Microsoft.Network/dnsResolvers/outboundEndpoints/read\",\"Microsoft.Network/dnsResolvers/outboundEndpoints/write\",\"Microsoft.Network/dnsResolvers/outboundEndpoints/delete\",\"Microsoft.Network/dnsResolvers/outboundEndpoints/join/action\",\"Microsoft.Network/dnsForwardingRulesets/read\",\"Microsoft.Network/dnsForwardingRulesets/write\",\"Microsoft.Network/dnsForwardingRulesets/delete\",\"Microsoft.Network/dnsForwardingRulesets/join/action\",\"Microsoft.Network/dnsForwardingRulesets/forwardingRules/read\",\"Microsoft.Network/dnsForwardingRulesets/forwardingRules/write\",\"Microsoft.Network/dnsForwardingRulesets/forwardingRules/delete\",\"Microsoft.Network/dnsForwardingRulesets/virtualNetworkLinks/read\",\"Microsoft.Network/dnsForwardingRulesets/virtualNetworkLinks/write\",\"Microsoft.Network/dnsForwardingRulesets/virtualNetworkLinks/delete\",\"Microsoft.Network/locations/dnsResolverOperationResults/read\",\"Microsoft.Network/locations/dnsResolverOperationStatuses/read\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/join/action\",\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Network/virtualNetworks/subnets/write\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/virtualNetworks/join/action\",\"Microsoft.Network/virtualNetworks/joinLoadBalancer/action\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/virtualNetworks/subnets/joinLoadBalancer/action\",\"Microsoft.Network/natGateways/join/action\",\"Microsoft.Network/networkSecurityGroups/join/action\",\"Microsoft.Network/routeTables/join/action\",\"Microsoft.Network/serviceEndpointPolicies/join/action\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-02-16T23:25:04.4308795Z\",\"updatedOn\":\"2022-03-11T20:54:15.0659022Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0f2ebee7-ffd4-4fc0-b3b7-664099fdad5d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0f2ebee7-ffd4-4fc0-b3b7-664099fdad5d\"},{\"properties\":{\"roleName\":\"Data - Operator for Managed Disks\",\"type\":\"BuiltInRole\",\"description\":\"Provides - permissions to upload data to empty managed disks, read, or export data of - managed disks (not attached to running VMs) and snapshots using SAS URIs and - Azure AD authentication.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Compute/disks/download/action\",\"Microsoft.Compute/disks/upload/action\",\"Microsoft.Compute/snapshots/download/action\",\"Microsoft.Compute/snapshots/upload/action\"],\"notDataActions\":[]}],\"createdOn\":\"2022-03-01T01:28:16.0862180Z\",\"updatedOn\":\"2022-03-01T01:28:16.0862180Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/959f8984-c045-4866-89c7-12bf9737be2e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"959f8984-c045-4866-89c7-12bf9737be2e\"},{\"properties\":{\"roleName\":\"AgFood - Platform Sensor Partner Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Provides - contribute access to manage sensor related entities in AgFood Platform Service\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AgFoodPlatform/sensorPartnerScope/*\"],\"notDataActions\":[\"Microsoft.AgFoodPlatform/sensorPartnerScope/sensors/delete\"]}],\"createdOn\":\"2022-03-09T04:58:18.4183393Z\",\"updatedOn\":\"2022-03-09T04:58:18.4183393Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6b77f0a0-0d89-41cc-acd1-579c22c17a67\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6b77f0a0-0d89-41cc-acd1-579c22c17a67\"},{\"properties\":{\"roleName\":\"Compute - Gallery Sharing Admin\",\"type\":\"BuiltInRole\",\"description\":\"This role - allows user to share gallery to another subscription/tenant or share it to - the public.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/galleries/share/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-03-10T00:33:23.4134686Z\",\"updatedOn\":\"2022-03-25T20:36:59.8004672Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1ef6a3be-d0ac-425d-8c01-acb62866290b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1ef6a3be-d0ac-425d-8c01-acb62866290b\"},{\"properties\":{\"roleName\":\"Scheduled - Patching Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Provides - access to manage maintenance configurations with maintenance scope InGuestPatch - and corresponding configuration assignments\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Maintenance/maintenanceConfigurations/read\",\"Microsoft.Maintenance/maintenanceConfigurations/write\",\"Microsoft.Maintenance/maintenanceConfigurations/delete\",\"Microsoft.Maintenance/configurationAssignments/read\",\"Microsoft.Maintenance/configurationAssignments/write\",\"Microsoft.Maintenance/configurationAssignments/delete\",\"Microsoft.Maintenance/configurationAssignments/maintenanceScope/InGuestPatch/read\",\"Microsoft.Maintenance/configurationAssignments/maintenanceScope/InGuestPatch/write\",\"Microsoft.Maintenance/configurationAssignments/maintenanceScope/InGuestPatch/delete\",\"Microsoft.Maintenance/maintenanceConfigurations/maintenanceScope/InGuestPatch/read\",\"Microsoft.Maintenance/maintenanceConfigurations/maintenanceScope/InGuestPatch/write\",\"Microsoft.Maintenance/maintenanceConfigurations/maintenanceScope/InGuestPatch/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-03-21T10:27:57.4429306Z\",\"updatedOn\":\"2022-04-13T08:04:30.2446363Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/cd08ab90-6b14-449c-ad9a-8f8e549482c6\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"cd08ab90-6b14-449c-ad9a-8f8e549482c6\"},{\"properties\":{\"roleName\":\"DevCenter - Dev Box User\",\"type\":\"BuiltInRole\",\"description\":\"Provides access - to create and manage dev boxes.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DevCenter/projects/read\",\"Microsoft.DevCenter/projects/*/read\",\"Microsoft.Fidalgo/projects/read\",\"Microsoft.Fidalgo/projects/*/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.DevCenter/projects/users/devboxes/userStop/action\",\"Microsoft.DevCenter/projects/users/devboxes/userStart/action\",\"Microsoft.DevCenter/projects/users/devboxes/userGetRemoteConnection/action\",\"Microsoft.DevCenter/projects/users/devboxes/userRead/action\",\"Microsoft.DevCenter/projects/users/devboxes/userWrite/action\",\"Microsoft.DevCenter/projects/users/devboxes/userDelete/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userStop/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userStart/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userGetRdpFileContent/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userRead/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userWrite/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userDelete/action\"],\"notDataActions\":[]}],\"createdOn\":\"2022-03-30T19:23:03.9063898Z\",\"updatedOn\":\"2022-07-25T15:10:35.9457674Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/45d50f46-0b78-4001-a660-4198cbe8cd05\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"45d50f46-0b78-4001-a660-4198cbe8cd05\"},{\"properties\":{\"roleName\":\"DevCenter - Project Admin\",\"type\":\"BuiltInRole\",\"description\":\"Provides access - to manage project resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DevCenter/projects/*\",\"Microsoft.Fidalgo/projects/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[\"Microsoft.DevCenter/projects/write\",\"Microsoft.DevCenter/projects/delete\",\"Microsoft.Fidalgo/projects/write\",\"Microsoft.Fidalgo/projects/delete\"],\"dataActions\":[\"Microsoft.DevCenter/projects/users/devboxes/adminStart/action\",\"Microsoft.DevCenter/projects/users/devboxes/adminStop/action\",\"Microsoft.DevCenter/projects/users/devboxes/adminRead/action\",\"Microsoft.DevCenter/projects/users/devboxes/adminWrite/action\",\"Microsoft.DevCenter/projects/users/devboxes/adminDelete/action\",\"Microsoft.DevCenter/projects/users/devboxes/userStop/action\",\"Microsoft.DevCenter/projects/users/devboxes/userStart/action\",\"Microsoft.DevCenter/projects/users/devboxes/userGetRemoteConnection/action\",\"Microsoft.DevCenter/projects/users/devboxes/userRead/action\",\"Microsoft.DevCenter/projects/users/devboxes/userWrite/action\",\"Microsoft.DevCenter/projects/users/devboxes/userDelete/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/adminStart/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/adminStop/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/adminRead/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/adminWrite/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/adminDelete/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userStop/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userStart/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userGetRdpFileContent/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userRead/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userWrite/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userDelete/action\"],\"notDataActions\":[]}],\"createdOn\":\"2022-03-31T19:42:53.1063939Z\",\"updatedOn\":\"2022-07-25T15:10:35.9301356Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/331c37c6-af14-46d9-b9f4-e1909e1b95a0\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"331c37c6-af14-46d9-b9f4-e1909e1b95a0\"},{\"properties\":{\"roleName\":\"Virtual - Machine Local User Login\",\"type\":\"BuiltInRole\",\"description\":\"View - Virtual Machines in the portal and login as a local user configured on the - arc server\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HybridCompute/machines/*/read\",\"Microsoft.HybridConnectivity/endpoints/listCredentials/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-04-06T23:57:08.4960876Z\",\"updatedOn\":\"2022-04-16T18:55:22.3226785Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/602da2ba-a5c2-41da-b01d-5360126ab525\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"602da2ba-a5c2-41da-b01d-5360126ab525\"},{\"properties\":{\"roleName\":\"Azure - Arc ScVmm VM Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Arc - ScVmm VM Contributor has permissions to perform all VM actions.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"microsoft.scvmm/virtualmachines/*\",\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/operationresults/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-04-13T17:19:43.4978394Z\",\"updatedOn\":\"2022-05-05T20:21:52.7065718Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e582369a-e17b-42a5-b10c-874c387c530b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e582369a-e17b-42a5-b10c-874c387c530b\"},{\"properties\":{\"roleName\":\"Azure - Arc ScVmm Private Clouds Onboarding\",\"type\":\"BuiltInRole\",\"description\":\"Azure - Arc ScVmm Private Clouds Onboarding role has permissions to provision all - the required resources for onboard and deboard vmm server instances to Azure.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"microsoft.scvmm/vmmservers/Read\",\"microsoft.scvmm/vmmservers/Write\",\"microsoft.scvmm/vmmservers/Delete\",\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/operationresults/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-04-13T17:20:22.0259391Z\",\"updatedOn\":\"2022-05-05T20:21:42.0160634Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6aac74c4-6311-40d2-bbdd-7d01e7c6e3a9\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6aac74c4-6311-40d2-bbdd-7d01e7c6e3a9\"},{\"properties\":{\"roleName\":\"Azure - Arc ScVmm Private Cloud User\",\"type\":\"BuiltInRole\",\"description\":\"Azure - Arc ScVmm Private Cloud User has permissions to use the ScVmm resources to - deploy VMs.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"microsoft.scvmm/virtualnetworks/join/action\",\"microsoft.scvmm/virtualnetworks/Read\",\"microsoft.scvmm/virtualmachinetemplates/clone/action\",\"microsoft.scvmm/virtualmachinetemplates/Read\",\"microsoft.scvmm/clouds/deploy/action\",\"microsoft.scvmm/clouds/Read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-04-13T17:21:31.8768952Z\",\"updatedOn\":\"2022-05-05T20:22:10.3489590Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c0781e91-8102-4553-8951-97c6d4243cda\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c0781e91-8102-4553-8951-97c6d4243cda\"},{\"properties\":{\"roleName\":\"Azure - Arc ScVmm Administrator role\",\"type\":\"BuiltInRole\",\"description\":\"Arc - ScVmm VM Administrator has permissions to perform all ScVmm actions.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ScVmm/*\",\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/operationresults/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-04-13T17:23:34.5429371Z\",\"updatedOn\":\"2022-05-05T20:23:15.0154893Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a92dfd61-77f9-4aec-a531-19858b406c87\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a92dfd61-77f9-4aec-a531-19858b406c87\"},{\"properties\":{\"roleName\":\"FHIR - Data Importer\",\"type\":\"BuiltInRole\",\"description\":\"Role allows user - or principal to read and import FHIR Data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/read\",\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/import/action\"],\"notDataActions\":[]}],\"createdOn\":\"2022-04-19T07:59:47.5802132Z\",\"updatedOn\":\"2022-04-21T09:08:14.6059986Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4465e953-8ced-4406-a58e-0f6e3f3b530b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4465e953-8ced-4406-a58e-0f6e3f3b530b\"},{\"properties\":{\"roleName\":\"API - Management Developer Portal Content Editor\",\"type\":\"BuiltInRole\",\"description\":\"Can - customize the developer portal, edit its content, and publish it.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ApiManagement/service/portalRevisions/read\",\"Microsoft.ApiManagement/service/portalRevisions/write\",\"Microsoft.ApiManagement/service/contentTypes/read\",\"Microsoft.ApiManagement/service/contentTypes/delete\",\"Microsoft.ApiManagement/service/contentTypes/write\",\"Microsoft.ApiManagement/service/contentTypes/contentItems/read\",\"Microsoft.ApiManagement/service/contentTypes/contentItems/write\",\"Microsoft.ApiManagement/service/contentTypes/contentItems/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-05-06T17:39:17.7581243Z\",\"updatedOn\":\"2022-05-10T21:30:34.1382013Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c031e6a8-4391-4de0-8d69-4706a7ed3729\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c031e6a8-4391-4de0-8d69-4706a7ed3729\"},{\"properties\":{\"roleName\":\"VM - Scanner Operator\",\"type\":\"BuiltInRole\",\"description\":\"Role that provides - access to disk snapshot for security analysis.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/disks/read\",\"Microsoft.Compute/disks/beginGetAccess/action\",\"Microsoft.Compute/virtualMachines/instanceView/read\",\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Compute/virtualMachineScaleSets/instanceView/read\",\"Microsoft.Compute/virtualMachineScaleSets/read\",\"Microsoft.Compute/virtualMachineScaleSets/virtualMachines/read\",\"Microsoft.Compute/virtualMachineScaleSets/virtualMachines/instanceView/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-05-15T13:31:34.0748579Z\",\"updatedOn\":\"2022-06-07T17:46:56.0797280Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d24ecba3-c1f4-40fa-a7bb-4588a071e8fd\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d24ecba3-c1f4-40fa-a7bb-4588a071e8fd\"},{\"properties\":{\"roleName\":\"Elastic - SAN Owner\",\"type\":\"BuiltInRole\",\"description\":\"Allows for full access - to all resources under Azure Elastic SAN including changing network security - policies to unblock data path access\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ElasticSan/elasticSans/*\",\"Microsoft.ElasticSan/locations/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-05-26T10:38:46.9791574Z\",\"updatedOn\":\"2022-08-23T15:33:50.1290558Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/80dcbedb-47ef-405d-95bd-188a1b4ac406\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"80dcbedb-47ef-405d-95bd-188a1b4ac406\"},{\"properties\":{\"roleName\":\"Elastic - SAN Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows for control - path read access to Azure Elastic SAN\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ElasticSan/elasticSans/*/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-06-01T05:03:02.6894404Z\",\"updatedOn\":\"2022-08-23T15:33:50.1290558Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/af6a70f8-3c9f-4105-acf1-d719e9fca4ca\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"af6a70f8-3c9f-4105-acf1-d719e9fca4ca\"},{\"properties\":{\"roleName\":\"Desktop - Virtualization Power On Contributor\",\"type\":\"BuiltInRole\",\"description\":\"This - role is in preview and subject to change. Provide permission to the Azure - Virtual Desktop Resource Provider to start virtual machines.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/virtualMachines/start/action\",\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Compute/virtualMachines/instanceView/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-06-28T23:42:01.8059413Z\",\"updatedOn\":\"2022-07-18T15:09:56.4105816Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/489581de-a3bd-480d-9518-53dea7416b33\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"489581de-a3bd-480d-9518-53dea7416b33\"},{\"properties\":{\"roleName\":\"Desktop - Virtualization Virtual Machine Contributor\",\"type\":\"BuiltInRole\",\"description\":\"This - role is in preview and subject to change. Provide permission to the Azure - Virtual Desktop Resource Provider to create, delete, update, start, and stop - virtual machines.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/hostpools/read\",\"Microsoft.DesktopVirtualization/hostpools/write\",\"Microsoft.DesktopVirtualization/hostpools/retrieveRegistrationToken/action\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/write\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/delete\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/disconnect/action\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/sendMessage/action\",\"Microsoft.DesktopVirtualization/hostpools/sessionHostConfigurations/read\",\"Microsoft.Compute/availabilitySets/read\",\"Microsoft.Compute/availabilitySets/write\",\"Microsoft.Compute/availabilitySets/vmSizes/read\",\"Microsoft.Compute/disks/read\",\"Microsoft.Compute/disks/write\",\"Microsoft.Compute/disks/delete\",\"Microsoft.Compute/galleries/read\",\"Microsoft.Compute/galleries/images/read\",\"Microsoft.Compute/galleries/images/versions/read\",\"Microsoft.Compute/images/read\",\"Microsoft.Compute/locations/usages/read\",\"Microsoft.Compute/locations/vmSizes/read\",\"Microsoft.Compute/operations/read\",\"Microsoft.Compute/skus/read\",\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Compute/virtualMachines/write\",\"Microsoft.Compute/virtualMachines/delete\",\"Microsoft.Compute/virtualMachines/start/action\",\"Microsoft.Compute/virtualMachines/powerOff/action\",\"Microsoft.Compute/virtualMachines/restart/action\",\"Microsoft.Compute/virtualMachines/deallocate/action\",\"Microsoft.Compute/virtualMachines/runCommand/action\",\"Microsoft.Compute/virtualMachines/extensions/read\",\"Microsoft.Compute/virtualMachines/extensions/write\",\"Microsoft.Compute/virtualMachines/extensions/delete\",\"Microsoft.Compute/virtualMachines/runCommands/read\",\"Microsoft.Compute/virtualMachines/runCommands/write\",\"Microsoft.Compute/virtualMachines/vmSizes/read\",\"Microsoft.Network/networkSecurityGroups/read\",\"Microsoft.Network/networkInterfaces/write\",\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Network/networkInterfaces/join/action\",\"Microsoft.Network/networkInterfaces/delete\",\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Marketplace/offerTypes/publishers/offers/plans/agreements/read\",\"Microsoft.KeyVault/vaults/deploy/action\",\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-06-28T23:42:01.8059413Z\",\"updatedOn\":\"2022-07-18T15:09:56.4418349Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a959dbd1-f747-45e3-8ba6-dd80f235f97c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a959dbd1-f747-45e3-8ba6-dd80f235f97c\"},{\"properties\":{\"roleName\":\"Desktop - Virtualization Power On Off Contributor\",\"type\":\"BuiltInRole\",\"description\":\"This - role is in preview and subject to change. Provide permission to the Azure - Virtual Desktop Resource Provider to start and stop virtual machines.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/virtualMachines/start/action\",\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Compute/virtualMachines/instanceView/read\",\"Microsoft.Compute/virtualMachines/deallocate/action\",\"Microsoft.Compute/virtualMachines/restart/action\",\"Microsoft.Compute/virtualMachines/powerOff/action\",\"Microsoft.Insights/eventtypes/values/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.DesktopVirtualization/hostpools/read\",\"Microsoft.DesktopVirtualization/hostpools/write\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/write\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/delete\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/sendMessage/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-06-28T23:42:01.8059413Z\",\"updatedOn\":\"2022-07-18T15:09:56.4105816Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/40c5ff49-9181-41f8-ae61-143b0e78555e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"40c5ff49-9181-41f8-ae61-143b0e78555e\"},{\"properties\":{\"roleName\":\"Elastic - SAN Volume Group Owner\",\"type\":\"BuiltInRole\",\"description\":\"Allows - for full access to a volume group in Azure Elastic SAN including changing - network security policies to unblock data path access\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\",\"Microsoft.ElasticSan/elasticSans/volumeGroups/*\",\"Microsoft.ElasticSan/locations/asyncoperations/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-07-04T15:02:16.2021423Z\",\"updatedOn\":\"2022-08-23T15:33:50.1290558Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a8281131-f312-4f34-8d98-ae12be9f0d23\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a8281131-f312-4f34-8d98-ae12be9f0d23\"},{\"properties\":{\"roleName\":\"Access - Review Operator Service Role\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you grant Access Review System app permissions to discover and revoke access - as needed by the access review process.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleAssignments/delete\",\"Microsoft.Management/getEntities/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-07-04T15:02:16.2021423Z\",\"updatedOn\":\"2022-07-04T15:02:16.2021423Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/76cc9ee4-d5d3-4a45-a930-26add3d73475\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"76cc9ee4-d5d3-4a45-a930-26add3d73475\"},{\"properties\":{\"roleName\":\"Code - Signing Identity Verifier\",\"type\":\"BuiltInRole\",\"description\":\"Manage - identity or business verification requests. This role is in preview and subject - to change.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.CodeSigning/IdentityVerification/Read\",\"Microsoft.CodeSigning/IdentityVerification/Write\"],\"notDataActions\":[]}],\"createdOn\":\"2022-07-29T05:35:29.1033854Z\",\"updatedOn\":\"2022-07-29T05:35:29.1033854Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4339b7cf-9826-4e41-b4ed-c7f4505dac08\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4339b7cf-9826-4e41-b4ed-c7f4505dac08\"},{\"properties\":{\"roleName\":\"Video - Indexer Restricted Viewer\",\"type\":\"BuiltInRole\",\"description\":\"Has - access to view and search through all video's insights and transcription in - the Video Indexer portal. No access to model customization, embedding of widget, - downloading videos, or sharing the account.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.VideoIndexer/*/read\",\"Microsoft.VideoIndexer/accounts/*/action\"],\"notActions\":[\"Microsoft.VideoIndexer/*/write\",\"Microsoft.VideoIndexer/*/delete\",\"Microsoft.VideoIndexer/accounts/generateAccessToken/action\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-08-09T18:13:17.0570830Z\",\"updatedOn\":\"2022-08-09T18:13:17.0570830Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a2c4a527-7dc0-4ee3-897b-403ade70fafb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a2c4a527-7dc0-4ee3-897b-403ade70fafb\"},{\"properties\":{\"roleName\":\"Monitoring - Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Can read all monitoring - data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Monitor/accounts/data/metrics/read\"],\"notDataActions\":[]}],\"createdOn\":\"2022-08-19T21:54:43.4996119Z\",\"updatedOn\":\"2022-08-19T21:54:43.4996119Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b0d8363b-8ddd-447d-831f-62ca05bff136\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b0d8363b-8ddd-447d-831f-62ca05bff136\"},{\"properties\":{\"roleName\":\"Azure - Kubernetes Fleet Manager Contributor Role\",\"type\":\"BuiltInRole\",\"description\":\"Grants - access to read and write Azure Kubernetes Fleet Manager clusters\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerService/fleets/*\",\"Microsoft.Resources/deployments/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-08-22T15:27:28.6518806Z\",\"updatedOn\":\"2022-08-22T15:27:28.6518806Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/63bb64ad-9799-4770-b5c3-24ed299a07bf\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"63bb64ad-9799-4770-b5c3-24ed299a07bf\"},{\"properties\":{\"roleName\":\"Azure - Kubernetes Fleet Manager RBAC Writer\",\"type\":\"BuiltInRole\",\"description\":\"Allows - read/write access to most objects in a namespace.This role does not allow - viewing or modifying roles or role bindings. However, this role allows accessing - Secrets as any ServiceAccount in the namespace, so it can be used to gain - the API access levels of any ServiceAccount in the namespace. Applying this - role at cluster scope will give access across all namespaces.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ContainerService/fleets/read\",\"Microsoft.ContainerService/fleets/listCredentials/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/fleets/apps/controllerrevisions/read\",\"Microsoft.ContainerService/fleets/apps/daemonsets/*\",\"Microsoft.ContainerService/fleets/apps/deployments/*\",\"Microsoft.ContainerService/fleets/apps/statefulsets/*\",\"Microsoft.ContainerService/fleets/autoscaling/horizontalpodautoscalers/*\",\"Microsoft.ContainerService/fleets/batch/cronjobs/*\",\"Microsoft.ContainerService/fleets/batch/jobs/*\",\"Microsoft.ContainerService/fleets/configmaps/*\",\"Microsoft.ContainerService/fleets/endpoints/*\",\"Microsoft.ContainerService/fleets/events.k8s.io/events/read\",\"Microsoft.ContainerService/fleets/events/read\",\"Microsoft.ContainerService/fleets/extensions/daemonsets/*\",\"Microsoft.ContainerService/fleets/extensions/deployments/*\",\"Microsoft.ContainerService/fleets/extensions/ingresses/*\",\"Microsoft.ContainerService/fleets/extensions/networkpolicies/*\",\"Microsoft.ContainerService/fleets/limitranges/read\",\"Microsoft.ContainerService/fleets/namespaces/read\",\"Microsoft.ContainerService/fleets/networking.k8s.io/ingresses/*\",\"Microsoft.ContainerService/fleets/networking.k8s.io/networkpolicies/*\",\"Microsoft.ContainerService/fleets/persistentvolumeclaims/*\",\"Microsoft.ContainerService/fleets/policy/poddisruptionbudgets/*\",\"Microsoft.ContainerService/fleets/replicationcontrollers/*\",\"Microsoft.ContainerService/fleets/replicationcontrollers/*\",\"Microsoft.ContainerService/fleets/resourcequotas/read\",\"Microsoft.ContainerService/fleets/secrets/*\",\"Microsoft.ContainerService/fleets/serviceaccounts/*\",\"Microsoft.ContainerService/fleets/services/*\"],\"notDataActions\":[]}],\"createdOn\":\"2022-08-22T15:27:28.6674315Z\",\"updatedOn\":\"2022-08-26T18:15:47.1975516Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5af6afb3-c06c-4fa4-8848-71a8aee05683\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5af6afb3-c06c-4fa4-8848-71a8aee05683\"},{\"properties\":{\"roleName\":\"Azure - Kubernetes Fleet Manager RBAC Admin\",\"type\":\"BuiltInRole\",\"description\":\"This - role grants admin access - provides write permissions on most objects within - a a namespace, with the exception of ResourceQuota object and the namespace - object itself. Applying this role at cluster scope will give access across - all namespaces.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ContainerService/fleets/read\",\"Microsoft.ContainerService/fleets/listCredentials/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/fleets/apps/controllerrevisions/read\",\"Microsoft.ContainerService/fleets/apps/daemonsets/*\",\"Microsoft.ContainerService/fleets/apps/deployments/*\",\"Microsoft.ContainerService/fleets/apps/statefulsets/*\",\"Microsoft.ContainerService/fleets/authorization.k8s.io/localsubjectaccessreviews/write\",\"Microsoft.ContainerService/fleets/autoscaling/horizontalpodautoscalers/*\",\"Microsoft.ContainerService/fleets/batch/cronjobs/*\",\"Microsoft.ContainerService/fleets/batch/jobs/*\",\"Microsoft.ContainerService/fleets/configmaps/*\",\"Microsoft.ContainerService/fleets/endpoints/*\",\"Microsoft.ContainerService/fleets/events.k8s.io/events/read\",\"Microsoft.ContainerService/fleets/events/read\",\"Microsoft.ContainerService/fleets/extensions/daemonsets/*\",\"Microsoft.ContainerService/fleets/extensions/deployments/*\",\"Microsoft.ContainerService/fleets/extensions/ingresses/*\",\"Microsoft.ContainerService/fleets/extensions/networkpolicies/*\",\"Microsoft.ContainerService/fleets/limitranges/read\",\"Microsoft.ContainerService/fleets/namespaces/read\",\"Microsoft.ContainerService/fleets/networking.k8s.io/ingresses/*\",\"Microsoft.ContainerService/fleets/networking.k8s.io/networkpolicies/*\",\"Microsoft.ContainerService/fleets/persistentvolumeclaims/*\",\"Microsoft.ContainerService/fleets/policy/poddisruptionbudgets/*\",\"Microsoft.ContainerService/fleets/rbac.authorization.k8s.io/rolebindings/*\",\"Microsoft.ContainerService/fleets/rbac.authorization.k8s.io/roles/*\",\"Microsoft.ContainerService/fleets/replicationcontrollers/*\",\"Microsoft.ContainerService/fleets/replicationcontrollers/*\",\"Microsoft.ContainerService/fleets/resourcequotas/read\",\"Microsoft.ContainerService/fleets/secrets/*\",\"Microsoft.ContainerService/fleets/serviceaccounts/*\",\"Microsoft.ContainerService/fleets/services/*\"],\"notDataActions\":[]}],\"createdOn\":\"2022-08-22T15:27:28.6518806Z\",\"updatedOn\":\"2022-08-26T18:15:47.2131785Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/434fb43a-c01c-447e-9f67-c3ad923cfaba\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"434fb43a-c01c-447e-9f67-c3ad923cfaba\"},{\"properties\":{\"roleName\":\"Azure - Kubernetes Fleet Manager RBAC Cluster Admin\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you manage all resources in the fleet manager cluster.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ContainerService/fleets/read\",\"Microsoft.ContainerService/fleets/listCredentials/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/fleets/*\"],\"notDataActions\":[]}],\"createdOn\":\"2022-08-22T15:27:28.6674315Z\",\"updatedOn\":\"2022-08-22T15:27:28.6674315Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18ab4d3d-a1bf-4477-8ad9-8359bc988f69\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"18ab4d3d-a1bf-4477-8ad9-8359bc988f69\"},{\"properties\":{\"roleName\":\"Azure - Kubernetes Fleet Manager RBAC Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows - read-only access to see most objects in a namespace. It does not allow viewing - roles or role bindings. This role does not allow viewing Secrets, since reading - the contents of Secrets enables access to ServiceAccount credentials in the - namespace, which would allow API access as any ServiceAccount in the namespace - (a form of privilege escalation). Applying this role at cluster scope will - give access across all namespaces.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ContainerService/fleets/read\",\"Microsoft.ContainerService/fleets/listCredentials/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/fleets/apps/controllerrevisions/read\",\"Microsoft.ContainerService/fleets/apps/daemonsets/read\",\"Microsoft.ContainerService/fleets/apps/deployments/read\",\"Microsoft.ContainerService/fleets/apps/statefulsets/read\",\"Microsoft.ContainerService/fleets/autoscaling/horizontalpodautoscalers/read\",\"Microsoft.ContainerService/fleets/batch/cronjobs/read\",\"Microsoft.ContainerService/fleets/batch/jobs/read\",\"Microsoft.ContainerService/fleets/configmaps/read\",\"Microsoft.ContainerService/fleets/endpoints/read\",\"Microsoft.ContainerService/fleets/events.k8s.io/events/read\",\"Microsoft.ContainerService/fleets/events/read\",\"Microsoft.ContainerService/fleets/extensions/daemonsets/read\",\"Microsoft.ContainerService/fleets/extensions/deployments/read\",\"Microsoft.ContainerService/fleets/extensions/ingresses/read\",\"Microsoft.ContainerService/fleets/extensions/networkpolicies/read\",\"Microsoft.ContainerService/fleets/limitranges/read\",\"Microsoft.ContainerService/fleets/namespaces/read\",\"Microsoft.ContainerService/fleets/networking.k8s.io/ingresses/read\",\"Microsoft.ContainerService/fleets/networking.k8s.io/networkpolicies/read\",\"Microsoft.ContainerService/fleets/persistentvolumeclaims/read\",\"Microsoft.ContainerService/fleets/policy/poddisruptionbudgets/read\",\"Microsoft.ContainerService/fleets/replicationcontrollers/read\",\"Microsoft.ContainerService/fleets/replicationcontrollers/read\",\"Microsoft.ContainerService/fleets/resourcequotas/read\",\"Microsoft.ContainerService/fleets/serviceaccounts/read\",\"Microsoft.ContainerService/fleets/services/read\"],\"notDataActions\":[]}],\"createdOn\":\"2022-08-22T15:27:28.6674315Z\",\"updatedOn\":\"2022-08-26T18:15:47.2131785Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/30b27cfc-9c84-438e-b0ce-70e35255df80\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"30b27cfc-9c84-438e-b0ce-70e35255df80\"},{\"properties\":{\"roleName\":\"Kubernetes - Namespace User\",\"type\":\"BuiltInRole\",\"description\":\"Allows a user - to read namespace resources and retrieve kubeconfig for the cluster\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.KubernetesConfiguration/namespaces/read\",\"Microsoft.KubernetesConfiguration/namespaces/listUserCredential/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-08-24T06:03:16.2733663Z\",\"updatedOn\":\"2022-08-24T06:03:16.2733663Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ba79058c-0414-4a34-9e42-c3399d80cd5a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ba79058c-0414-4a34-9e42-c3399d80cd5a\"}]}" - headers: - cache-control: - - no-cache - content-length: - - '425586' - content-type: - - application/json; charset=utf-8 + string: '' + headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzU5NzM0ZmFlLWJiYTEtNDg1ZS1iNzRiLWI5NzYyNTQzN2I0MQ==?api-version=2022-05-01 + cache-control: + - no-cache + content-length: + - '0' date: - - Mon, 05 Sep 2022 11:52:17 GMT + - Mon, 13 Feb 2023 07:46:06 GMT expires: - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzU5NzM0ZmFlLWJiYTEtNDg1ZS1iNzRiLWI5NzYyNTQzN2I0MQ==?api-version=2022-05-01 pragma: - no-cache - set-cookie: - - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly strict-transport-security: - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding x-content-type-options: - nosniff + x-ms-ratelimit-remaining-subscription-writes: + - '1199' + x-powered-by: + - ASP.NET status: - code: 200 - message: OK + code: 202 + message: Accepted - request: - body: '{"ids": ["b864e281-c12e-45c6-a0c7-6046a7de5481"], "types": ["user", "group", - "servicePrincipal", "directoryObjectPartnerReference"]}' + body: null headers: Accept: - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance update-msi-permissions + - dataprotection backup-instance validate-for-backup Connection: - keep-alive - Content-Length: - - '132' - Content-Type: - - application/json ParameterSetName: - - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance - --keyvault-id --yes + - -g --vault-name --backup-instance User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) AZURECLI/2.39.0 - method: POST - uri: https://graph.microsoft.com/v1.0/directoryObjects/getByIds + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzU5NzM0ZmFlLWJiYTEtNDg1ZS1iNzRiLWI5NzYyNTQzN2I0MQ==?api-version=2022-05-01 response: body: - string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#directoryObjects","value":[{"@odata.type":"#microsoft.graph.servicePrincipal","id":"b864e281-c12e-45c6-a0c7-6046a7de5481","deletedDateTime":null,"accountEnabled":true,"alternativeNames":["isExplicit=False","/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault"],"appDisplayName":null,"appDescription":null,"appId":"49bc63b1-190a-4f4e-a962-58db2c2f7112","applicationTemplateId":null,"appOwnerOrganizationId":null,"appRoleAssignmentRequired":false,"createdDateTime":"2021-08-26T09:13:20Z","description":null,"disabledByMicrosoftStatus":null,"displayName":"oss-clitest-vault","homepage":null,"loginUrl":null,"logoutUrl":null,"notes":null,"notificationEmailAddresses":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyThumbprint":null,"replyUrls":[],"servicePrincipalNames":["49bc63b1-190a-4f4e-a962-58db2c2f7112","https://identity.azure.net/QVMExgU4rxwt5XEm5whEdHZLrmsaL9M/n/eZXzCcN54="],"servicePrincipalType":"ManagedIdentity","signInAudience":null,"tags":[],"tokenEncryptionKeyId":null,"info":null,"samlSingleSignOnSettings":null,"addIns":[],"appRoles":[],"keyCredentials":[{"customKeyIdentifier":"06DD62CA457312E21DDF22C874328A49AF671767","displayName":"CN=49bc63b1-190a-4f4e-a962-58db2c2f7112","endDateTime":"2022-10-12T18:18:00Z","key":null,"keyId":"38633d99-d5b8-4a29-b73c-49341b7f7b4f","startDateTime":"2022-07-14T18:18:00Z","type":"AsymmetricX509Cert","usage":"Verify"},{"customKeyIdentifier":"10296B63A1DD090AB64281F85000C1822BB84F58","displayName":"CN=49bc63b1-190a-4f4e-a962-58db2c2f7112","endDateTime":"2022-08-27T17:02:00Z","key":null,"keyId":"bbf02149-b332-4456-83c8-e66d2d66c8a1","startDateTime":"2022-05-29T17:02:00Z","type":"AsymmetricX509Cert","usage":"Verify"},{"customKeyIdentifier":"F0931109872A337B348A716A953CBFF5C7994B9B","displayName":"CN=49bc63b1-190a-4f4e-a962-58db2c2f7112","endDateTime":"2022-07-12T15:44:00Z","key":null,"keyId":"c6e3d740-2fe2-4b79-9125-f45fa0deca41","startDateTime":"2022-04-13T15:44:00Z","type":"AsymmetricX509Cert","usage":"Verify"}],"oauth2PermissionScopes":[],"passwordCredentials":[],"resourceSpecificApplicationPermissions":[],"verifiedPublisher":{"displayName":null,"verifiedPublisherId":null,"addedDateTime":null}}]}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzU5NzM0ZmFlLWJiYTEtNDg1ZS1iNzRiLWI5NzYyNTQzN2I0MQ==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzU5NzM0ZmFlLWJiYTEtNDg1ZS1iNzRiLWI5NzYyNTQzN2I0MQ==","status":"Inprogress","startTime":"2023-02-13T07:46:07.1066179Z","endTime":"0001-01-01T00:00:00Z"}' headers: cache-control: - no-cache content-length: - - '2337' + - '481' content-type: - - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 + - application/json date: - - Mon, 05 Sep 2022 11:52:17 GMT - location: - - https://graph.microsoft.com - odata-version: - - '4.0' - request-id: - - 1a7de589-437a-47af-8e1c-3e9d156633ab + - Mon, 13 Feb 2023 07:46:17 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 strict-transport-security: - - max-age=31536000 + - max-age=31536000; includeSubDomains transfer-encoding: - chunked vary: - Accept-Encoding - x-ms-ags-diagnostic: - - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"001","RoleInstance":"MA1PEPF00003103"}}' - x-ms-resource-unit: - - '3' + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '997' + x-powered-by: + - ASP.NET status: code: 200 message: OK @@ -5653,38 +13872,38 @@ interactions: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance update-msi-permissions + - dataprotection backup-instance validate-for-backup Connection: - keep-alive ParameterSetName: - - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance - --keyvault-id --yes + - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-rdbms/10.2.0b3 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/firewallRules?api-version=2017-12-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzU5NzM0ZmFlLWJiYTEtNDg1ZS1iNzRiLWI5NzYyNTQzN2I0MQ==?api-version=2022-05-01 response: body: - string: '{"value":[{"properties":{"startIpAddress":"0.0.0.0","endIpAddress":"0.0.0.0"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/firewallRules/AllowAllWindowsAzureIps","name":"AllowAllWindowsAzureIps","type":"Microsoft.DBforPostgreSQL/servers/firewallRules"}]}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzU5NzM0ZmFlLWJiYTEtNDg1ZS1iNzRiLWI5NzYyNTQzN2I0MQ==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzU5NzM0ZmFlLWJiYTEtNDg1ZS1iNzRiLWI5NzYyNTQzN2I0MQ==","status":"Succeeded","startTime":"2023-02-13T07:46:07.1066179Z","endTime":"2023-02-13T07:46:28Z"}' headers: cache-control: - no-cache content-length: - - '360' + - '480' content-type: - - application/json; charset=utf-8 + - application/json date: - - Mon, 05 Sep 2022 11:52:19 GMT + - Mon, 13 Feb 2023 07:46:48 GMT expires: - '-1' pragma: - no-cache server: - - Microsoft-HTTPAPI/2.0 + - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -5693,6 +13912,10 @@ interactions: - Accept-Encoding x-content-type-options: - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '996' + x-powered-by: + - ASP.NET status: code: 200 message: OK @@ -5704,136 +13927,136 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - role assignment create + - dataprotection backup-instance validate-for-backup Connection: - keep-alive ParameterSetName: - - --assignee --role --scope + - -g --vault-name --backup-instance User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) AZURECLI/2.39.0 + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://graph.microsoft.com/v1.0/servicePrincipals?$filter=servicePrincipalNames%2Fany%28c%3Ac%20eq%20%27f41bd262-eb21-47f1-9706-f12132d865e3%27%29 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzU5NzM0ZmFlLWJiYTEtNDg1ZS1iNzRiLWI5NzYyNTQzN2I0MQ==?api-version=2022-05-01 response: body: - string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#servicePrincipals","value":[]}' + string: '{"objectType":"OperationJobExtendedInfo"}' headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzU5NzM0ZmFlLWJiYTEtNDg1ZS1iNzRiLWI5NzYyNTQzN2I0MQ==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '92' + - '41' content-type: - - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 + - application/json date: - - Mon, 05 Sep 2022 11:52:20 GMT - odata-version: - - '4.0' - request-id: - - 27128e48-a826-4f23-8847-d3785132b2b4 + - Mon, 13 Feb 2023 07:46:48 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 strict-transport-security: - - max-age=31536000 + - max-age=31536000; includeSubDomains transfer-encoding: - chunked vary: - Accept-Encoding - x-ms-ags-diagnostic: - - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"001","RoleInstance":"MA1PEPF0000272F"}}' - x-ms-resource-unit: - - '1' + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '199' + x-powered-by: + - ASP.NET status: code: 200 message: OK - request: - body: '{"ids": ["f41bd262-eb21-47f1-9706-f12132d865e3"], "types": ["user", "group", - "servicePrincipal", "directoryObjectPartnerReference"]}' + body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - role assignment create + - postgres server firewall-rule delete Connection: - keep-alive Content-Length: - - '132' - Content-Type: - - application/json + - '0' ParameterSetName: - - --assignee --role --scope + - -g -s -n --yes User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) AZURECLI/2.39.0 - method: POST - uri: https://graph.microsoft.com/v1.0/directoryObjects/getByIds + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-rdbms/10.2.0b6 Python/3.10.7 (Windows-10-10.0.22621-SP0) + method: DELETE + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/firewallRules/AllowAllWindowsAzureIps?api-version=2017-12-01 response: body: - string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#directoryObjects","value":[{"@odata.type":"#microsoft.graph.servicePrincipal","id":"f41bd262-eb21-47f1-9706-f12132d865e3","deletedDateTime":null,"accountEnabled":true,"alternativeNames":["isExplicit=False","/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg/providers/Microsoft.DataProtection/BackupVaults/cli-test-new-vault"],"appDisplayName":null,"appDescription":null,"appId":"1666ae40-2096-498b-9acd-d5cc76560b85","applicationTemplateId":null,"appOwnerOrganizationId":null,"appRoleAssignmentRequired":false,"createdDateTime":"2022-09-05T11:45:43Z","description":null,"disabledByMicrosoftStatus":null,"displayName":"cli-test-new-vault","homepage":null,"loginUrl":null,"logoutUrl":null,"notes":null,"notificationEmailAddresses":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyThumbprint":null,"replyUrls":[],"servicePrincipalNames":["1666ae40-2096-498b-9acd-d5cc76560b85","https://identity.azure.net/yHvRErNNmOMZ4EezrAqFKc6Ca0cDdhCvjeK23cGv1hE="],"servicePrincipalType":"ManagedIdentity","signInAudience":null,"tags":[],"tokenEncryptionKeyId":null,"info":null,"samlSingleSignOnSettings":null,"addIns":[],"appRoles":[],"keyCredentials":[{"customKeyIdentifier":"2E54114573727C7AB82A79610024368806BB3E76","displayName":"CN=1666ae40-2096-498b-9acd-d5cc76560b85","endDateTime":"2022-12-04T11:40:00Z","key":null,"keyId":"091f0c89-7baf-4d09-9c75-83c18191f1f0","startDateTime":"2022-09-05T11:40:00Z","type":"AsymmetricX509Cert","usage":"Verify"}],"oauth2PermissionScopes":[],"passwordCredentials":[],"resourceSpecificApplicationPermissions":[],"verifiedPublisher":{"displayName":null,"verifiedPublisherId":null,"addedDateTime":null}}]}' + string: '{"operation":"DropElasticServerFirewallRule","startTime":"2023-02-13T07:46:50.13Z"}' headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DBforPostgreSQL/locations/centraluseuap/azureAsyncOperation/24115e67-4100-4262-8494-16d8fd0ce491?api-version=2017-12-01 cache-control: - no-cache content-length: - - '1730' + - '83' content-type: - - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 + - application/json; charset=utf-8 date: - - Mon, 05 Sep 2022 11:52:20 GMT + - Mon, 13 Feb 2023 07:46:52 GMT + expires: + - '-1' location: - - https://graph.microsoft.com - odata-version: - - '4.0' - request-id: - - 53504841-c90f-4b28-a603-55b56a420de2 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DBforPostgreSQL/locations/centraluseuap/operationResults/24115e67-4100-4262-8494-16d8fd0ce491?api-version=2017-12-01 + pragma: + - no-cache + server: + - Microsoft-HTTPAPI/2.0 strict-transport-security: - - max-age=31536000 - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-ms-ags-diagnostic: - - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"001","RoleInstance":"MA1PEPF00002517"}}' - x-ms-resource-unit: - - '3' + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-deletes: + - '14997' status: - code: 200 - message: OK + code: 202 + message: Accepted - request: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - role assignment create + - postgres server firewall-rule delete Connection: - keep-alive ParameterSetName: - - --assignee --role --scope + - -g -s -n --yes User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 - Azure-SDK-For-Python AZURECLI/2.39.0 - accept-language: - - en-US + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-rdbms/10.2.0b6 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Disk%20Restore%20Operator%27&api-version=2018-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DBforPostgreSQL/locations/centraluseuap/azureAsyncOperation/24115e67-4100-4262-8494-16d8fd0ce491?api-version=2017-12-01 response: body: - string: '{"value":[{"properties":{"roleName":"Disk Restore Operator","type":"BuiltInRole","description":"Provides - permission to backup vault to perform disk restore.","assignableScopes":["/"],"permissions":[{"actions":["Microsoft.Authorization/*/read","Microsoft.Resources/subscriptions/resourceGroups/read","Microsoft.Compute/disks/write","Microsoft.Compute/disks/read"],"notActions":[],"dataActions":[],"notDataActions":[]}],"createdOn":"2020-12-15T12:18:31.8481619Z","updatedOn":"2021-11-11T20:14:56.7408912Z","createdBy":null,"updatedBy":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","type":"Microsoft.Authorization/roleDefinitions","name":"b50d9833-a0cb-478e-945f-707fcc997c13"}]}' + string: '{"name":"24115e67-4100-4262-8494-16d8fd0ce491","status":"Succeeded","startTime":"2023-02-13T07:46:50.13Z"}' headers: cache-control: - no-cache content-length: - - '782' + - '106' content-type: - application/json; charset=utf-8 date: - - Mon, 05 Sep 2022 11:52:20 GMT + - Mon, 13 Feb 2023 07:47:08 GMT expires: - '-1' pragma: - no-cache - set-cookie: - - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly + server: + - Microsoft-HTTPAPI/2.0 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -5846,115 +14069,113 @@ interactions: code: 200 message: OK - request: - body: '{"properties": {"roleDefinitionId": "/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13", - "principalId": "f41bd262-eb21-47f1-9706-f12132d865e3", "principalType": "ServicePrincipal"}}' + body: '{"backupInstance": {"dataSourceInfo": {"datasourceType": "Microsoft.Compute/disks", + "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1", + "resourceLocation": "centraluseuap", "resourceName": "cli-test-disk-new1", "resourceType": + "Microsoft.Compute/disks", "resourceUri": ""}, "policyInfo": {"policyId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy", + "policyParameters": {"dataStoreParametersList": [{"objectType": "AzureOperationalStoreParameters", + "dataStoreType": "OperationalStore", "resourceGroupId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}}, + "objectType": "BackupInstance"}}' headers: Accept: - application/json Accept-Encoding: - gzip, deflate CommandName: - - role assignment create + - dataprotection backup-instance create Connection: - keep-alive Content-Length: - - '270' + - '869' Content-Type: - - application/json; charset=utf-8 - Cookie: - - x-ms-gateway-slice=Production + - application/json ParameterSetName: - - --assignee --role --scope + - -g --vault-name --backup-instance User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 - Azure-SDK-For-Python AZURECLI/2.39.0 - accept-language: - - en-US - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/19633fe8-03e5-4a16-8ca8-6132e216935f?api-version=2020-04-01-preview + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/validateForBackup?api-version=2022-05-01 response: body: - string: '{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"f41bd262-eb21-47f1-9706-f12132d865e3","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:52:21.3638807Z","updatedOn":"2022-09-05T11:52:22.0514639Z","createdBy":null,"updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/19633fe8-03e5-4a16-8ca8-6132e216935f","type":"Microsoft.Authorization/roleAssignments","name":"19633fe8-03e5-4a16-8ca8-6132e216935f"}' + string: '' headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2RlODdmYWJjLWRjNTUtNGI5Yy1hZjQ5LWRjMWIwN2VlNjc0Yw==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '873' - content-type: - - application/json; charset=utf-8 + - '0' date: - - Mon, 05 Sep 2022 11:52:27 GMT + - Mon, 13 Feb 2023 07:47:09 GMT expires: - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2RlODdmYWJjLWRjNTUtNGI5Yy1hZjQ5LWRjMWIwN2VlNjc0Yw==?api-version=2022-05-01 pragma: - no-cache - set-cookie: - - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly strict-transport-security: - max-age=31536000; includeSubDomains x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-writes: - - '1197' + - '1198' + x-powered-by: + - ASP.NET status: - code: 201 - message: Created + code: 202 + message: Accepted - request: - body: '{"backupInstance": {"dataSourceInfo": {"datasourceType": "Microsoft.Compute/disks", - "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new", - "resourceLocation": "centraluseuap", "resourceName": "cli-test-disk-new", "resourceType": - "Microsoft.Compute/disks", "resourceUri": ""}, "policyInfo": {"policyId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy", - "policyParameters": {"dataStoreParametersList": [{"objectType": "AzureOperationalStoreParameters", - "dataStoreType": "OperationalStore", "resourceGroupId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}}, - "objectType": "BackupInstance"}}' + body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance validate-for-backup + - dataprotection backup-instance create Connection: - keep-alive - Content-Length: - - '866' - Content-Type: - - application/json ParameterSetName: - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) - method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/validateForBackup?api-version=2022-05-01 + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2RlODdmYWJjLWRjNTUtNGI5Yy1hZjQ5LWRjMWIwN2VlNjc0Yw==?api-version=2022-05-01 response: body: - string: '' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2RlODdmYWJjLWRjNTUtNGI5Yy1hZjQ5LWRjMWIwN2VlNjc0Yw==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2RlODdmYWJjLWRjNTUtNGI5Yy1hZjQ5LWRjMWIwN2VlNjc0Yw==","status":"Inprogress","startTime":"2023-02-13T07:47:10.6063229Z","endTime":"0001-01-01T00:00:00Z"}' headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y5ZTBhYTlmLWE1NzAtNGJkNS1hNDMzLWFmOTVjZjg4MTYzNw==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '0' + - '478' + content-type: + - application/json date: - - Mon, 05 Sep 2022 11:54:29 GMT + - Mon, 13 Feb 2023 07:47:20 GMT expires: - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y5ZTBhYTlmLWE1NzAtNGJkNS1hNDMzLWFmOTVjZjg4MTYzNw==?api-version=2022-05-01 pragma: - no-cache + server: + - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1198' + - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '993' x-powered-by: - ASP.NET status: - code: 202 - message: Accepted + code: 200 + message: OK - request: body: null headers: @@ -5963,27 +14184,28 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance validate-for-backup + - dataprotection backup-instance create Connection: - keep-alive ParameterSetName: - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y5ZTBhYTlmLWE1NzAtNGJkNS1hNDMzLWFmOTVjZjg4MTYzNw==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2RlODdmYWJjLWRjNTUtNGI5Yy1hZjQ5LWRjMWIwN2VlNjc0Yw==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y5ZTBhYTlmLWE1NzAtNGJkNS1hNDMzLWFmOTVjZjg4MTYzNw==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y5ZTBhYTlmLWE1NzAtNGJkNS1hNDMzLWFmOTVjZjg4MTYzNw==","status":"Inprogress","startTime":"2022-09-05T11:54:30.0555277Z","endTime":"0001-01-01T00:00:00Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2RlODdmYWJjLWRjNTUtNGI5Yy1hZjQ5LWRjMWIwN2VlNjc0Yw==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2RlODdmYWJjLWRjNTUtNGI5Yy1hZjQ5LWRjMWIwN2VlNjc0Yw==","status":"Inprogress","startTime":"2023-02-13T07:47:10.6063229Z","endTime":"0001-01-01T00:00:00Z"}' headers: cache-control: - no-cache content-length: - - '477' + - '478' content-type: - application/json date: - - Mon, 05 Sep 2022 11:54:40 GMT + - Mon, 13 Feb 2023 07:47:51 GMT expires: - '-1' pragma: @@ -5999,7 +14221,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '995' + - '992' x-powered-by: - ASP.NET status: @@ -6013,27 +14235,28 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance validate-for-backup + - dataprotection backup-instance create Connection: - keep-alive ParameterSetName: - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y5ZTBhYTlmLWE1NzAtNGJkNS1hNDMzLWFmOTVjZjg4MTYzNw==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2RlODdmYWJjLWRjNTUtNGI5Yy1hZjQ5LWRjMWIwN2VlNjc0Yw==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y5ZTBhYTlmLWE1NzAtNGJkNS1hNDMzLWFmOTVjZjg4MTYzNw==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y5ZTBhYTlmLWE1NzAtNGJkNS1hNDMzLWFmOTVjZjg4MTYzNw==","status":"Succeeded","startTime":"2022-09-05T11:54:30.0555277Z","endTime":"2022-09-05T11:55:05Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2RlODdmYWJjLWRjNTUtNGI5Yy1hZjQ5LWRjMWIwN2VlNjc0Yw==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2RlODdmYWJjLWRjNTUtNGI5Yy1hZjQ5LWRjMWIwN2VlNjc0Yw==","status":"Succeeded","startTime":"2023-02-13T07:47:10.6063229Z","endTime":"2023-02-13T07:47:53Z"}' headers: cache-control: - no-cache content-length: - - '476' + - '477' content-type: - application/json date: - - Mon, 05 Sep 2022 11:55:11 GMT + - Mon, 13 Feb 2023 07:48:21 GMT expires: - '-1' pragma: @@ -6049,7 +14272,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '994' + - '991' x-powered-by: - ASP.NET status: @@ -6063,21 +14286,22 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance validate-for-backup + - dataprotection backup-instance create Connection: - keep-alive ParameterSetName: - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y5ZTBhYTlmLWE1NzAtNGJkNS1hNDMzLWFmOTVjZjg4MTYzNw==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2RlODdmYWJjLWRjNTUtNGI5Yy1hZjQ5LWRjMWIwN2VlNjc0Yw==?api-version=2022-05-01 response: body: string: '{"objectType":"OperationJobExtendedInfo"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y5ZTBhYTlmLWE1NzAtNGJkNS1hNDMzLWFmOTVjZjg4MTYzNw==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2RlODdmYWJjLWRjNTUtNGI5Yy1hZjQ5LWRjMWIwN2VlNjc0Yw==?api-version=2022-05-01 cache-control: - no-cache content-length: @@ -6085,7 +14309,7 @@ interactions: content-type: - application/json date: - - Mon, 05 Sep 2022 11:55:12 GMT + - Mon, 13 Feb 2023 07:48:21 GMT expires: - '-1' pragma: @@ -6108,11 +14332,12 @@ interactions: code: 200 message: OK - request: - body: '{"backupInstance": {"dataSourceInfo": {"datasourceType": "Microsoft.Storage/storageAccounts/blobServices", - "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount", - "resourceLocation": "centraluseuap", "resourceName": "cliteststoreaccount", - "resourceType": "Microsoft.Storage/storageAccounts", "resourceUri": ""}, "policyInfo": - {"policyId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/storagepolicy"}, + body: '{"tags": {"Owner": "dppclitest"}, "properties": {"dataSourceInfo": {"datasourceType": + "Microsoft.Compute/disks", "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1", + "resourceLocation": "centraluseuap", "resourceName": "cli-test-disk-new1", "resourceType": + "Microsoft.Compute/disks", "resourceUri": ""}, "policyInfo": {"policyId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy", + "policyParameters": {"dataStoreParametersList": [{"objectType": "AzureOperationalStoreParameters", + "dataStoreType": "OperationalStore", "resourceGroupId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}}, "objectType": "BackupInstance"}}' headers: Accept: @@ -6120,48 +14345,51 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance validate-for-backup + - dataprotection backup-instance create Connection: - keep-alive Content-Length: - - '678' + - '898' Content-Type: - application/json ParameterSetName: - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) - method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/validateForBackup?api-version=2022-05-01 + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1?api-version=2022-05-01 response: body: - string: '' + string: '{"tags":{"Owner":"dppclitest"},"properties":{"friendlyName":"cli-test-disk-new1","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","resourceUri":"","datasourceType":"Microsoft.Compute/disks","resourceName":"cli-test-disk-new1","resourceType":"Microsoft.Compute/disks","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","policyParameters":{"dataStoreParametersList":[{"objectType":"AzureOperationalStoreParameters","dataStoreType":"OperationalStore","resourceGroupId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}},"protectionStatus":{"status":"ConfiguringProtection"},"currentProtectionState":"ConfiguringProtection","provisioningState":"Provisioning","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","name":"cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2VmOWE5ZDZjLTIyMTMtNDJkYy04MzU1LTg1ZGI4MThjNzFhMw==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzQ3MDI4YzhlLWI5NTUtNDhmOS05YTNjLWViZWRkN2Q3YjRjYQ==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '0' + - '1431' + content-type: + - application/json date: - - Mon, 05 Sep 2022 11:55:14 GMT + - Mon, 13 Feb 2023 07:48:23 GMT expires: - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2VmOWE5ZDZjLTIyMTMtNDJkYy04MzU1LTg1ZGI4MThjNzFhMw==?api-version=2022-05-01 pragma: - no-cache + server: + - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1199' + x-ms-ratelimit-remaining-subscription-resource-requests: + - '199' x-powered-by: - ASP.NET status: - code: 202 - message: Accepted + code: 201 + message: Created - request: body: null headers: @@ -6170,27 +14398,28 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance validate-for-backup + - dataprotection backup-instance create Connection: - keep-alive ParameterSetName: - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2VmOWE5ZDZjLTIyMTMtNDJkYy04MzU1LTg1ZGI4MThjNzFhMw==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzQ3MDI4YzhlLWI5NTUtNDhmOS05YTNjLWViZWRkN2Q3YjRjYQ==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2VmOWE5ZDZjLTIyMTMtNDJkYy04MzU1LTg1ZGI4MThjNzFhMw==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2VmOWE5ZDZjLTIyMTMtNDJkYy04MzU1LTg1ZGI4MThjNzFhMw==","status":"Inprogress","startTime":"2022-09-05T11:55:14.8500483Z","endTime":"0001-01-01T00:00:00Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzQ3MDI4YzhlLWI5NTUtNDhmOS05YTNjLWViZWRkN2Q3YjRjYQ==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzQ3MDI4YzhlLWI5NTUtNDhmOS05YTNjLWViZWRkN2Q3YjRjYQ==","status":"Succeeded","startTime":"2023-02-13T07:48:23.365622Z","endTime":"2023-02-13T07:48:24Z"}' headers: cache-control: - no-cache content-length: - - '477' + - '476' content-type: - application/json date: - - Mon, 05 Sep 2022 11:55:25 GMT + - Mon, 13 Feb 2023 07:48:38 GMT expires: - '-1' pragma: @@ -6206,7 +14435,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '999' + - '990' x-powered-by: - ASP.NET status: @@ -6220,27 +14449,28 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance validate-for-backup + - dataprotection backup-instance create Connection: - keep-alive ParameterSetName: - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2VmOWE5ZDZjLTIyMTMtNDJkYy04MzU1LTg1ZGI4MThjNzFhMw==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2VmOWE5ZDZjLTIyMTMtNDJkYy04MzU1LTg1ZGI4MThjNzFhMw==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2VmOWE5ZDZjLTIyMTMtNDJkYy04MzU1LTg1ZGI4MThjNzFhMw==","status":"Succeeded","startTime":"2022-09-05T11:55:14.8500483Z","endTime":"2022-09-05T11:55:46Z"}' + string: '{"tags":{"Owner":"dppclitest"},"properties":{"friendlyName":"cli-test-disk-new1","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","resourceUri":"","datasourceType":"Microsoft.Compute/disks","resourceName":"cli-test-disk-new1","resourceType":"Microsoft.Compute/disks","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","policyParameters":{"dataStoreParametersList":[{"objectType":"AzureOperationalStoreParameters","dataStoreType":"OperationalStore","resourceGroupId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}},"protectionStatus":{"status":"ConfiguringProtection"},"currentProtectionState":"ConfiguringProtection","provisioningState":"Succeeded","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","name":"cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' headers: cache-control: - no-cache content-length: - - '476' + - '1428' content-type: - application/json date: - - Mon, 05 Sep 2022 11:55:56 GMT + - Mon, 13 Feb 2023 07:48:38 GMT expires: - '-1' pragma: @@ -6256,7 +14486,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '998' + - '1999' x-powered-by: - ASP.NET status: @@ -6266,33 +14496,32 @@ interactions: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance validate-for-backup + - dataprotection backup-instance list Connection: - keep-alive ParameterSetName: - - -g --vault-name --backup-instance + - -g --vault-name --query User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2VmOWE5ZDZjLTIyMTMtNDJkYy04MzU1LTg1ZGI4MThjNzFhMw==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances?api-version=2022-05-01 response: body: - string: '{"objectType":"OperationJobExtendedInfo"}' + string: '{"value":[{"tags":{"Owner":"dppclitest"},"properties":{"friendlyName":"cli-test-disk-new1","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","resourceUri":"","datasourceType":"Microsoft.Compute/disks","resourceName":"cli-test-disk-new1","resourceType":"Microsoft.Compute/disks","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","policyParameters":{"dataStoreParametersList":[{"objectType":"AzureOperationalStoreParameters","dataStoreType":"OperationalStore","resourceGroupId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}},"protectionStatus":{"status":"ConfiguringProtection"},"currentProtectionState":"ConfiguringProtection","provisioningState":"Succeeded","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","name":"cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","type":"Microsoft.DataProtection/backupVaults/backupInstances"}]}' headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2VmOWE5ZDZjLTIyMTMtNDJkYy04MzU1LTg1ZGI4MThjNzFhMw==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '41' + - '1440' content-type: - application/json date: - - Mon, 05 Sep 2022 11:55:56 GMT + - Mon, 13 Feb 2023 07:48:40 GMT expires: - '-1' pragma: @@ -6308,102 +14537,42 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '1999' x-powered-by: - ASP.NET status: code: 200 message: OK -- request: - body: '{"backupInstance": {"dataSourceInfo": {"datasourceType": "Microsoft.DBforPostgreSQL/servers/databases", - "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres", - "resourceLocation": "centraluseuap", "resourceName": "postgres", "resourceType": - "Microsoft.DBforPostgreSQL/servers/databases", "resourceUri": ""}, "dataSourceSetInfo": - {"datasourceType": "Microsoft.DBforPostgreSQL/servers/databases", "objectType": - "DatasourceSet", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server", - "resourceLocation": "centraluseuap", "resourceName": "oss-clitest-server", "resourceType": - "Microsoft.DBforPostgreSQL/servers", "resourceUri": ""}, "policyInfo": {"policyId": - "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy"}, - "datasourceAuthCredentials": {"objectType": "SecretStoreBasedAuthCredentials", - "secretStoreResource": {"uri": "https://oss-clitest-keyvault.vault.azure.net/secrets/oss-clitest-secret", - "secretStoreType": "AzureKeyVault"}}, "objectType": "BackupInstance"}}' - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-instance validate-for-backup - Connection: - - keep-alive - Content-Length: - - '1357' - Content-Type: - - application/json - ParameterSetName: - - -g --vault-name --backup-instance - User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) - method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/validateForBackup?api-version=2022-05-01 - response: - body: - string: '' - headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEwNzI5NGE3LTZiMDYtNDJjMi1hNjQ1LTgxNjZmMzBjMzA5Yw==?api-version=2022-05-01 - cache-control: - - no-cache - content-length: - - '0' - date: - - Mon, 05 Sep 2022 11:56:01 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEwNzI5NGE3LTZiMDYtNDJjMi1hNjQ1LTgxNjZmMzBjMzA5Yw==?api-version=2022-05-01 - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1199' - x-powered-by: - - ASP.NET - status: - code: 202 - message: Accepted - request: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance validate-for-backup + - dataprotection backup-instance list Connection: - keep-alive ParameterSetName: - - -g --vault-name --backup-instance + - -g --vault-name --query User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEwNzI5NGE3LTZiMDYtNDJjMi1hNjQ1LTgxNjZmMzBjMzA5Yw==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEwNzI5NGE3LTZiMDYtNDJjMi1hNjQ1LTgxNjZmMzBjMzA5Yw==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEwNzI5NGE3LTZiMDYtNDJjMi1hNjQ1LTgxNjZmMzBjMzA5Yw==","status":"Inprogress","startTime":"2022-09-05T11:56:02.2387991Z","endTime":"0001-01-01T00:00:00Z"}' + string: '{"value":[{"tags":{"Owner":"dppclitest"},"properties":{"friendlyName":"cli-test-disk-new1","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","resourceUri":"","datasourceType":"Microsoft.Compute/disks","resourceName":"cli-test-disk-new1","resourceType":"Microsoft.Compute/disks","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","policyParameters":{"dataStoreParametersList":[{"objectType":"AzureOperationalStoreParameters","dataStoreType":"OperationalStore","resourceGroupId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}},"protectionStatus":{"status":"ConfiguringProtection"},"currentProtectionState":"ConfiguringProtection","provisioningState":"Succeeded","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","name":"cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","type":"Microsoft.DataProtection/backupVaults/backupInstances"}]}' headers: cache-control: - no-cache content-length: - - '481' + - '1440' content-type: - application/json date: - - Mon, 05 Sep 2022 11:56:13 GMT + - Mon, 13 Feb 2023 07:48:52 GMT expires: - '-1' pragma: @@ -6419,7 +14588,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '999' + - '1999' x-powered-by: - ASP.NET status: @@ -6429,31 +14598,32 @@ interactions: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance validate-for-backup + - dataprotection backup-instance list Connection: - keep-alive ParameterSetName: - - -g --vault-name --backup-instance + - -g --vault-name --query User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEwNzI5NGE3LTZiMDYtNDJjMi1hNjQ1LTgxNjZmMzBjMzA5Yw==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEwNzI5NGE3LTZiMDYtNDJjMi1hNjQ1LTgxNjZmMzBjMzA5Yw==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEwNzI5NGE3LTZiMDYtNDJjMi1hNjQ1LTgxNjZmMzBjMzA5Yw==","status":"Succeeded","startTime":"2022-09-05T11:56:02.2387991Z","endTime":"2022-09-05T11:56:23Z"}' + string: '{"value":[{"tags":{"Owner":"dppclitest"},"properties":{"friendlyName":"cli-test-disk-new1","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","resourceUri":"","datasourceType":"Microsoft.Compute/disks","resourceName":"cli-test-disk-new1","resourceType":"Microsoft.Compute/disks","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","policyParameters":{"dataStoreParametersList":[{"objectType":"AzureOperationalStoreParameters","dataStoreType":"OperationalStore","resourceGroupId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}},"protectionStatus":{"status":"ConfiguringProtection"},"currentProtectionState":"ConfiguringProtection","provisioningState":"Succeeded","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","name":"cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","type":"Microsoft.DataProtection/backupVaults/backupInstances"}]}' headers: cache-control: - no-cache content-length: - - '480' + - '1440' content-type: - application/json date: - - Mon, 05 Sep 2022 11:56:42 GMT + - Mon, 13 Feb 2023 07:49:03 GMT expires: - '-1' pragma: @@ -6469,7 +14639,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '998' + - '1998' x-powered-by: - ASP.NET status: @@ -6479,33 +14649,32 @@ interactions: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance validate-for-backup + - dataprotection backup-instance list Connection: - keep-alive ParameterSetName: - - -g --vault-name --backup-instance + - -g --vault-name --query User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEwNzI5NGE3LTZiMDYtNDJjMi1hNjQ1LTgxNjZmMzBjMzA5Yw==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances?api-version=2022-05-01 response: body: - string: '{"objectType":"OperationJobExtendedInfo"}' + string: '{"value":[{"tags":{"Owner":"dppclitest"},"properties":{"friendlyName":"cli-test-disk-new1","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","resourceUri":"","datasourceType":"Microsoft.Compute/disks","resourceName":"cli-test-disk-new1","resourceType":"Microsoft.Compute/disks","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","policyParameters":{"dataStoreParametersList":[{"objectType":"AzureOperationalStoreParameters","dataStoreType":"OperationalStore","resourceGroupId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}},"protectionStatus":{"status":"ProtectionConfigured"},"currentProtectionState":"ProtectionConfigured","provisioningState":"Succeeded","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","name":"cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","type":"Microsoft.DataProtection/backupVaults/backupInstances"}]}' headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEwNzI5NGE3LTZiMDYtNDJjMi1hNjQ1LTgxNjZmMzBjMzA5Yw==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '41' + - '1438' content-type: - application/json date: - - Mon, 05 Sep 2022 11:56:43 GMT + - Mon, 13 Feb 2023 07:49:14 GMT expires: - '-1' pragma: @@ -6521,59 +14690,65 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '1998' x-powered-by: - ASP.NET status: code: 200 message: OK - request: - body: null + body: '{"backupInstance": {"dataSourceInfo": {"datasourceType": "Microsoft.Storage/storageAccounts/blobServices", + "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount", + "resourceLocation": "centraluseuap", "resourceName": "cliteststoreaccount", + "resourceType": "Microsoft.Storage/storageAccounts", "resourceUri": ""}, "policyInfo": + {"policyId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/storagepolicy"}, + "objectType": "BackupInstance"}}' headers: Accept: - application/json Accept-Encoding: - gzip, deflate CommandName: - - postgres server firewall-rule delete + - dataprotection backup-instance create Connection: - keep-alive Content-Length: - - '0' + - '679' + Content-Type: + - application/json ParameterSetName: - - -g -s -n --yes + - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-rdbms/10.2.0b3 Python/3.8.5 (Windows-10-10.0.22000-SP0) - method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/firewallRules/AllowAllWindowsAzureIps?api-version=2017-12-01 + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/validateForBackup?api-version=2022-05-01 response: body: - string: '{"operation":"DropElasticServerFirewallRule","startTime":"2022-09-05T11:56:52.48Z"}' + string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DBforPostgreSQL/locations/centraluseuap/azureAsyncOperation/1f6a84c7-e419-4f42-a5f9-c8540e40cc77?api-version=2017-12-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2VlMzI2ZmJkLTU0MjctNDFjYi04NDBlLWFmNjI1ZDMyZTY1Nw==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '83' - content-type: - - application/json; charset=utf-8 + - '0' date: - - Mon, 05 Sep 2022 11:56:54 GMT + - Mon, 13 Feb 2023 07:49:16 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DBforPostgreSQL/locations/centraluseuap/operationResults/1f6a84c7-e419-4f42-a5f9-c8540e40cc77?api-version=2017-12-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2VlMzI2ZmJkLTU0MjctNDFjYi04NDBlLWFmNjI1ZDMyZTY1Nw==?api-version=2022-05-01 pragma: - no-cache - server: - - Microsoft-HTTPAPI/2.0 strict-transport-security: - max-age=31536000; includeSubDomains x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-deletes: - - '14999' + x-ms-ratelimit-remaining-subscription-writes: + - '1199' + x-powered-by: + - ASP.NET status: code: 202 message: Accepted @@ -6585,33 +14760,34 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - postgres server firewall-rule delete + - dataprotection backup-instance create Connection: - keep-alive ParameterSetName: - - -g -s -n --yes + - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-rdbms/10.2.0b3 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DBforPostgreSQL/locations/centraluseuap/azureAsyncOperation/1f6a84c7-e419-4f42-a5f9-c8540e40cc77?api-version=2017-12-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2VlMzI2ZmJkLTU0MjctNDFjYi04NDBlLWFmNjI1ZDMyZTY1Nw==?api-version=2022-05-01 response: body: - string: '{"name":"1f6a84c7-e419-4f42-a5f9-c8540e40cc77","status":"Succeeded","startTime":"2022-09-05T11:56:52.48Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2VlMzI2ZmJkLTU0MjctNDFjYi04NDBlLWFmNjI1ZDMyZTY1Nw==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2VlMzI2ZmJkLTU0MjctNDFjYi04NDBlLWFmNjI1ZDMyZTY1Nw==","status":"Inprogress","startTime":"2023-02-13T07:49:16.3824991Z","endTime":"0001-01-01T00:00:00Z"}' headers: cache-control: - no-cache content-length: - - '106' + - '478' content-type: - - application/json; charset=utf-8 + - application/json date: - - Mon, 05 Sep 2022 11:57:09 GMT + - Mon, 13 Feb 2023 07:49:27 GMT expires: - '-1' pragma: - no-cache server: - - Microsoft-HTTPAPI/2.0 + - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -6620,65 +14796,13 @@ interactions: - Accept-Encoding x-content-type-options: - nosniff - status: - code: 200 - message: OK -- request: - body: '{"backupInstance": {"dataSourceInfo": {"datasourceType": "Microsoft.Compute/disks", - "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new", - "resourceLocation": "centraluseuap", "resourceName": "cli-test-disk-new", "resourceType": - "Microsoft.Compute/disks", "resourceUri": ""}, "policyInfo": {"policyId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy", - "policyParameters": {"dataStoreParametersList": [{"objectType": "AzureOperationalStoreParameters", - "dataStoreType": "OperationalStore", "resourceGroupId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}}, - "objectType": "BackupInstance"}}' - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-instance create - Connection: - - keep-alive - Content-Length: - - '866' - Content-Type: - - application/json - ParameterSetName: - - -g --vault-name --backup-instance - User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) - method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/validateForBackup?api-version=2022-05-01 - response: - body: - string: '' - headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA3NGE5Zjc4LWJkMzEtNGM0Yy1hODM3LTgxMzkxODBjNDE4OQ==?api-version=2022-05-01 - cache-control: - - no-cache - content-length: - - '0' - date: - - Mon, 05 Sep 2022 11:57:13 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA3NGE5Zjc4LWJkMzEtNGM0Yy1hODM3LTgxMzkxODBjNDE4OQ==?api-version=2022-05-01 - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1198' + x-ms-ratelimit-remaining-subscription-resource-requests: + - '997' x-powered-by: - ASP.NET status: - code: 202 - message: Accepted + code: 200 + message: OK - request: body: null headers: @@ -6693,12 +14817,13 @@ interactions: ParameterSetName: - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA3NGE5Zjc4LWJkMzEtNGM0Yy1hODM3LTgxMzkxODBjNDE4OQ==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2VlMzI2ZmJkLTU0MjctNDFjYi04NDBlLWFmNjI1ZDMyZTY1Nw==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA3NGE5Zjc4LWJkMzEtNGM0Yy1hODM3LTgxMzkxODBjNDE4OQ==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA3NGE5Zjc4LWJkMzEtNGM0Yy1hODM3LTgxMzkxODBjNDE4OQ==","status":"Inprogress","startTime":"2022-09-05T11:57:13.3136789Z","endTime":"0001-01-01T00:00:00Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2VlMzI2ZmJkLTU0MjctNDFjYi04NDBlLWFmNjI1ZDMyZTY1Nw==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2VlMzI2ZmJkLTU0MjctNDFjYi04NDBlLWFmNjI1ZDMyZTY1Nw==","status":"Succeeded","startTime":"2023-02-13T07:49:16.3824991Z","endTime":"2023-02-13T07:49:38Z"}' headers: cache-control: - no-cache @@ -6707,7 +14832,7 @@ interactions: content-type: - application/json date: - - Mon, 05 Sep 2022 11:57:24 GMT + - Mon, 13 Feb 2023 07:49:57 GMT expires: - '-1' pragma: @@ -6723,7 +14848,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '998' + - '996' x-powered-by: - ASP.NET status: @@ -6743,21 +14868,24 @@ interactions: ParameterSetName: - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA3NGE5Zjc4LWJkMzEtNGM0Yy1hODM3LTgxMzkxODBjNDE4OQ==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2VlMzI2ZmJkLTU0MjctNDFjYi04NDBlLWFmNjI1ZDMyZTY1Nw==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA3NGE5Zjc4LWJkMzEtNGM0Yy1hODM3LTgxMzkxODBjNDE4OQ==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA3NGE5Zjc4LWJkMzEtNGM0Yy1hODM3LTgxMzkxODBjNDE4OQ==","status":"Inprogress","startTime":"2022-09-05T11:57:13.3136789Z","endTime":"0001-01-01T00:00:00Z"}' + string: '{"objectType":"OperationJobExtendedInfo"}' headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2VlMzI2ZmJkLTU0MjctNDFjYi04NDBlLWFmNjI1ZDMyZTY1Nw==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '477' + - '41' content-type: - application/json date: - - Mon, 05 Sep 2022 11:57:54 GMT + - Mon, 13 Feb 2023 07:49:57 GMT expires: - '-1' pragma: @@ -6773,41 +14901,53 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '997' + - '199' x-powered-by: - ASP.NET status: code: 200 message: OK - request: - body: null + body: '{"properties": {"dataSourceInfo": {"datasourceType": "Microsoft.Storage/storageAccounts/blobServices", + "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount", + "resourceLocation": "centraluseuap", "resourceName": "cliteststoreaccount", + "resourceType": "Microsoft.Storage/storageAccounts", "resourceUri": ""}, "policyInfo": + {"policyId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/storagepolicy"}, + "objectType": "BackupInstance"}}' headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - dataprotection backup-instance create Connection: - keep-alive + Content-Length: + - '675' + Content-Type: + - application/json ParameterSetName: - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA3NGE5Zjc4LWJkMzEtNGM0Yy1hODM3LTgxMzkxODBjNDE4OQ==?api-version=2022-05-01 + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cliteststoreaccount-cliteststoreaccount-b7e6f082-b310-11eb-8f55-9cfce85d4fa1?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA3NGE5Zjc4LWJkMzEtNGM0Yy1hODM3LTgxMzkxODBjNDE4OQ==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA3NGE5Zjc4LWJkMzEtNGM0Yy1hODM3LTgxMzkxODBjNDE4OQ==","status":"Inprogress","startTime":"2022-09-05T11:57:13.3136789Z","endTime":"0001-01-01T00:00:00Z"}' + string: '{"properties":{"friendlyName":"cliteststoreaccount","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount","resourceUri":"","datasourceType":"Microsoft.Storage/storageAccounts/blobServices","resourceName":"cliteststoreaccount","resourceType":"Microsoft.Storage/storageAccounts","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/storagepolicy"},"protectionStatus":{"status":"ConfiguringProtection"},"currentProtectionState":"ConfiguringProtection","provisioningState":"Provisioning","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cliteststoreaccount-cliteststoreaccount-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","name":"cliteststoreaccount-cliteststoreaccount-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2QwMjg4ZmJhLTcyMTMtNDNjMy04NGM5LWIxMmY0YzdhMDk4Zg==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '477' + - '1224' content-type: - application/json date: - - Mon, 05 Sep 2022 11:58:25 GMT + - Mon, 13 Feb 2023 07:49:58 GMT expires: - '-1' pragma: @@ -6816,19 +14956,15 @@ interactions: - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '996' + - '199' x-powered-by: - ASP.NET status: - code: 200 - message: OK + code: 201 + message: Created - request: body: null headers: @@ -6843,21 +14979,22 @@ interactions: ParameterSetName: - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA3NGE5Zjc4LWJkMzEtNGM0Yy1hODM3LTgxMzkxODBjNDE4OQ==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2QwMjg4ZmJhLTcyMTMtNDNjMy04NGM5LWIxMmY0YzdhMDk4Zg==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA3NGE5Zjc4LWJkMzEtNGM0Yy1hODM3LTgxMzkxODBjNDE4OQ==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA3NGE5Zjc4LWJkMzEtNGM0Yy1hODM3LTgxMzkxODBjNDE4OQ==","status":"Succeeded","startTime":"2022-09-05T11:57:13.3136789Z","endTime":"2022-09-05T11:58:40Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2QwMjg4ZmJhLTcyMTMtNDNjMy04NGM5LWIxMmY0YzdhMDk4Zg==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2QwMjg4ZmJhLTcyMTMtNDNjMy04NGM5LWIxMmY0YzdhMDk4Zg==","status":"Succeeded","startTime":"2023-02-13T07:49:59.5280566Z","endTime":"2023-02-13T07:50:00Z"}' headers: cache-control: - no-cache content-length: - - '476' + - '477' content-type: - application/json date: - - Mon, 05 Sep 2022 11:58:55 GMT + - Mon, 13 Feb 2023 07:50:15 GMT expires: - '-1' pragma: @@ -6893,23 +15030,22 @@ interactions: ParameterSetName: - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA3NGE5Zjc4LWJkMzEtNGM0Yy1hODM3LTgxMzkxODBjNDE4OQ==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cliteststoreaccount-cliteststoreaccount-b7e6f082-b310-11eb-8f55-9cfce85d4fa1?api-version=2022-05-01 response: body: - string: '{"objectType":"OperationJobExtendedInfo"}' + string: '{"properties":{"friendlyName":"cliteststoreaccount","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount","resourceUri":"","datasourceType":"Microsoft.Storage/storageAccounts/blobServices","resourceName":"cliteststoreaccount","resourceType":"Microsoft.Storage/storageAccounts","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/storagepolicy"},"protectionStatus":{"status":"ConfiguringProtection"},"currentProtectionState":"ConfiguringProtection","provisioningState":"Succeeded","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cliteststoreaccount-cliteststoreaccount-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","name":"cliteststoreaccount-cliteststoreaccount-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA3NGE5Zjc4LWJkMzEtNGM0Yy1hODM3LTgxMzkxODBjNDE4OQ==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '41' + - '1221' content-type: - application/json date: - - Mon, 05 Sep 2022 11:58:56 GMT + - Mon, 13 Feb 2023 07:50:15 GMT expires: - '-1' pragma: @@ -6925,70 +15061,61 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '198' + - '1997' x-powered-by: - ASP.NET status: code: 200 message: OK - request: - body: '{"tags": {"Owner": "dppclitest"}, "properties": {"dataSourceInfo": {"datasourceType": - "Microsoft.Compute/disks", "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new", - "resourceLocation": "centraluseuap", "resourceName": "cli-test-disk-new", "resourceType": - "Microsoft.Compute/disks", "resourceUri": ""}, "policyInfo": {"policyId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy", - "policyParameters": {"dataStoreParametersList": [{"objectType": "AzureOperationalStoreParameters", - "dataStoreType": "OperationalStore", "resourceGroupId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}}, - "objectType": "BackupInstance"}}' + body: null headers: Accept: - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance create + - dataprotection backup-instance stop-protection Connection: - keep-alive Content-Length: - - '895' - Content-Type: - - application/json + - '0' ParameterSetName: - - -g --vault-name --backup-instance + - -n -g --vault-name User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae?api-version=2022-05-01 + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1/stopProtection?api-version=2022-05-01 response: body: - string: '{"tags":{"Owner":"dppclitest"},"properties":{"friendlyName":"cli-test-disk-new","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","resourceUri":"","datasourceType":"Microsoft.Compute/disks","resourceName":"cli-test-disk-new","resourceType":"Microsoft.Compute/disks","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","policyParameters":{"dataStoreParametersList":[{"objectType":"AzureOperationalStoreParameters","dataStoreType":"OperationalStore","resourceGroupId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}},"protectionStatus":{"status":"ConfiguringProtection"},"currentProtectionState":"ConfiguringProtection","provisioningState":"Provisioning","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","name":"cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' + string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2IwMzc4MTZkLTMyZDctNGFlMi05NjM1LTA2MzZhNmFjNDM0Yw==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzg5ZGU0NGMyLTc5MzYtNGMzZC1hOGNjLWJmMzBjNDViZTQ1NQ==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '1422' - content-type: - - application/json + - '0' date: - - Mon, 05 Sep 2022 11:58:58 GMT + - Mon, 13 Feb 2023 07:50:47 GMT expires: - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzg5ZGU0NGMyLTc5MzYtNGMzZC1hOGNjLWJmMzBjNDViZTQ1NQ==?api-version=2022-05-01 pragma: - no-cache - server: - - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + x-ms-ratelimit-remaining-subscription-writes: + - '1198' x-powered-by: - ASP.NET status: - code: 201 - message: Created + code: 202 + message: Accepted - request: body: null headers: @@ -6997,27 +15124,28 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance create + - dataprotection backup-instance stop-protection Connection: - keep-alive ParameterSetName: - - -g --vault-name --backup-instance + - -n -g --vault-name User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2IwMzc4MTZkLTMyZDctNGFlMi05NjM1LTA2MzZhNmFjNDM0Yw==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzg5ZGU0NGMyLTc5MzYtNGMzZC1hOGNjLWJmMzBjNDViZTQ1NQ==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2IwMzc4MTZkLTMyZDctNGFlMi05NjM1LTA2MzZhNmFjNDM0Yw==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2IwMzc4MTZkLTMyZDctNGFlMi05NjM1LTA2MzZhNmFjNDM0Yw==","status":"Succeeded","startTime":"2022-09-05T11:58:58.631579Z","endTime":"2022-09-05T11:59:00Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzg5ZGU0NGMyLTc5MzYtNGMzZC1hOGNjLWJmMzBjNDViZTQ1NQ==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzg5ZGU0NGMyLTc5MzYtNGMzZC1hOGNjLWJmMzBjNDViZTQ1NQ==","status":"Inprogress","startTime":"2023-02-13T07:50:47.6375716Z","endTime":"0001-01-01T00:00:00Z"}' headers: cache-control: - no-cache content-length: - - '475' + - '478' content-type: - application/json date: - - Mon, 05 Sep 2022 11:59:14 GMT + - Mon, 13 Feb 2023 07:51:02 GMT expires: - '-1' pragma: @@ -7033,7 +15161,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '994' + - '995' x-powered-by: - ASP.NET status: @@ -7047,27 +15175,28 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance create + - dataprotection backup-instance stop-protection Connection: - keep-alive ParameterSetName: - - -g --vault-name --backup-instance + - -n -g --vault-name User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzg5ZGU0NGMyLTc5MzYtNGMzZC1hOGNjLWJmMzBjNDViZTQ1NQ==?api-version=2022-05-01 response: body: - string: '{"tags":{"Owner":"dppclitest"},"properties":{"friendlyName":"cli-test-disk-new","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","resourceUri":"","datasourceType":"Microsoft.Compute/disks","resourceName":"cli-test-disk-new","resourceType":"Microsoft.Compute/disks","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","policyParameters":{"dataStoreParametersList":[{"objectType":"AzureOperationalStoreParameters","dataStoreType":"OperationalStore","resourceGroupId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}},"protectionStatus":{"status":"ConfiguringProtection"},"currentProtectionState":"ConfiguringProtection","provisioningState":"Succeeded","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","name":"cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzg5ZGU0NGMyLTc5MzYtNGMzZC1hOGNjLWJmMzBjNDViZTQ1NQ==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzg5ZGU0NGMyLTc5MzYtNGMzZC1hOGNjLWJmMzBjNDViZTQ1NQ==","status":"Succeeded","startTime":"2023-02-13T07:50:47.6375716Z","endTime":"2023-02-13T07:51:31Z"}' headers: cache-control: - no-cache content-length: - - '1419' + - '477' content-type: - application/json date: - - Mon, 05 Sep 2022 11:59:15 GMT + - Mon, 13 Feb 2023 07:51:33 GMT expires: - '-1' pragma: @@ -7083,7 +15212,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '1998' + - '994' x-powered-by: - ASP.NET status: @@ -7093,31 +15222,34 @@ interactions: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance list + - dataprotection backup-instance stop-protection Connection: - keep-alive ParameterSetName: - - -g --vault-name --query + - -n -g --vault-name User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzg5ZGU0NGMyLTc5MzYtNGMzZC1hOGNjLWJmMzBjNDViZTQ1NQ==?api-version=2022-05-01 response: body: - string: '{"value":[{"tags":{"Owner":"dppclitest"},"properties":{"friendlyName":"cli-test-disk-new","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","resourceUri":"","datasourceType":"Microsoft.Compute/disks","resourceName":"cli-test-disk-new","resourceType":"Microsoft.Compute/disks","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","policyParameters":{"dataStoreParametersList":[{"objectType":"AzureOperationalStoreParameters","dataStoreType":"OperationalStore","resourceGroupId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}},"protectionStatus":{"status":"ConfiguringProtection"},"currentProtectionState":"ConfiguringProtection","provisioningState":"Succeeded","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","name":"cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","type":"Microsoft.DataProtection/backupVaults/backupInstances"}]}' + string: '{"objectType":"OperationJobExtendedInfo"}' headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzg5ZGU0NGMyLTc5MzYtNGMzZC1hOGNjLWJmMzBjNDViZTQ1NQ==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '1431' + - '41' content-type: - application/json date: - - Mon, 05 Sep 2022 11:59:19 GMT + - Mon, 13 Feb 2023 07:51:33 GMT expires: - '-1' pragma: @@ -7133,7 +15265,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '1999' + - '198' x-powered-by: - ASP.NET status: @@ -7147,27 +15279,28 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance list + - dataprotection backup-instance show Connection: - keep-alive ParameterSetName: - - -g --vault-name --query + - -n -g --vault-name User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1?api-version=2022-05-01 response: body: - string: '{"value":[{"tags":{"Owner":"dppclitest"},"properties":{"friendlyName":"cli-test-disk-new","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","resourceUri":"","datasourceType":"Microsoft.Compute/disks","resourceName":"cli-test-disk-new","resourceType":"Microsoft.Compute/disks","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","policyParameters":{"dataStoreParametersList":[{"objectType":"AzureOperationalStoreParameters","dataStoreType":"OperationalStore","resourceGroupId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}},"protectionStatus":{"status":"ProtectionConfigured"},"currentProtectionState":"ProtectionConfigured","provisioningState":"Succeeded","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","name":"cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","type":"Microsoft.DataProtection/backupVaults/backupInstances"}]}' + string: '{"tags":{"Owner":"dppclitest"},"properties":{"friendlyName":"cli-test-disk-new1","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","resourceUri":"","datasourceType":"Microsoft.Compute/disks","resourceName":"cli-test-disk-new1","resourceType":"Microsoft.Compute/disks","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","policyParameters":{"dataStoreParametersList":[{"objectType":"AzureOperationalStoreParameters","dataStoreType":"OperationalStore","resourceGroupId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}},"protectionStatus":{"status":"ProtectionStopped"},"currentProtectionState":"ProtectionStopped","provisioningState":"Succeeded","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","name":"cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' headers: cache-control: - no-cache content-length: - - '1429' + - '1420' content-type: - application/json date: - - Mon, 05 Sep 2022 11:59:34 GMT + - Mon, 13 Feb 2023 07:51:34 GMT expires: - '-1' pragma: @@ -7183,54 +15316,48 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '1998' + - '1997' x-powered-by: - ASP.NET status: code: 200 message: OK - request: - body: '{"backupInstance": {"dataSourceInfo": {"datasourceType": "Microsoft.Storage/storageAccounts/blobServices", - "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount", - "resourceLocation": "centraluseuap", "resourceName": "cliteststoreaccount", - "resourceType": "Microsoft.Storage/storageAccounts", "resourceUri": ""}, "policyInfo": - {"policyId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/storagepolicy"}, - "objectType": "BackupInstance"}}' + body: null headers: Accept: - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance create + - dataprotection backup-instance resume-protection Connection: - keep-alive Content-Length: - - '678' - Content-Type: - - application/json + - '0' ParameterSetName: - - -g --vault-name --backup-instance + - -n -g --vault-name User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/validateForBackup?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1/resumeProtection?api-version=2022-05-01 response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzY1YjhiZjYxLTExMGQtNDNjNC04OGY1LTg1Y2YyMjI1OGIyZA==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzA2NzA3YzliLThmM2QtNDk0MC1iMjgxLTViMWQyNGExNjc0OA==?api-version=2022-05-01 cache-control: - no-cache content-length: - '0' date: - - Mon, 05 Sep 2022 11:59:39 GMT + - Mon, 13 Feb 2023 07:51:37 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzY1YjhiZjYxLTExMGQtNDNjNC04OGY1LTg1Y2YyMjI1OGIyZA==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzA2NzA3YzliLThmM2QtNDk0MC1iMjgxLTViMWQyNGExNjc0OA==?api-version=2022-05-01 pragma: - no-cache strict-transport-security: @@ -7238,7 +15365,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-writes: - - '1199' + - '1198' x-powered-by: - ASP.NET status: @@ -7252,18 +15379,19 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance create + - dataprotection backup-instance resume-protection Connection: - keep-alive ParameterSetName: - - -g --vault-name --backup-instance + - -n -g --vault-name User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzY1YjhiZjYxLTExMGQtNDNjNC04OGY1LTg1Y2YyMjI1OGIyZA==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzA2NzA3YzliLThmM2QtNDk0MC1iMjgxLTViMWQyNGExNjc0OA==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzY1YjhiZjYxLTExMGQtNDNjNC04OGY1LTg1Y2YyMjI1OGIyZA==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzY1YjhiZjYxLTExMGQtNDNjNC04OGY1LTg1Y2YyMjI1OGIyZA==","status":"Inprogress","startTime":"2022-09-05T11:59:39.5511703Z","endTime":"0001-01-01T00:00:00Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzA2NzA3YzliLThmM2QtNDk0MC1iMjgxLTViMWQyNGExNjc0OA==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzA2NzA3YzliLThmM2QtNDk0MC1iMjgxLTViMWQyNGExNjc0OA==","status":"Inprogress","startTime":"2023-02-13T07:51:37.756295Z","endTime":"0001-01-01T00:00:00Z"}' headers: cache-control: - no-cache @@ -7272,7 +15400,7 @@ interactions: content-type: - application/json date: - - Mon, 05 Sep 2022 11:59:50 GMT + - Mon, 13 Feb 2023 07:51:52 GMT expires: - '-1' pragma: @@ -7288,7 +15416,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '999' + - '996' x-powered-by: - ASP.NET status: @@ -7302,18 +15430,19 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance create + - dataprotection backup-instance resume-protection Connection: - keep-alive ParameterSetName: - - -g --vault-name --backup-instance + - -n -g --vault-name User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzY1YjhiZjYxLTExMGQtNDNjNC04OGY1LTg1Y2YyMjI1OGIyZA==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzA2NzA3YzliLThmM2QtNDk0MC1iMjgxLTViMWQyNGExNjc0OA==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzY1YjhiZjYxLTExMGQtNDNjNC04OGY1LTg1Y2YyMjI1OGIyZA==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzY1YjhiZjYxLTExMGQtNDNjNC04OGY1LTg1Y2YyMjI1OGIyZA==","status":"Succeeded","startTime":"2022-09-05T11:59:39.5511703Z","endTime":"2022-09-05T12:00:02Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzA2NzA3YzliLThmM2QtNDk0MC1iMjgxLTViMWQyNGExNjc0OA==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzA2NzA3YzliLThmM2QtNDk0MC1iMjgxLTViMWQyNGExNjc0OA==","status":"Succeeded","startTime":"2023-02-13T07:51:37.756295Z","endTime":"2023-02-13T07:52:20Z"}' headers: cache-control: - no-cache @@ -7322,7 +15451,7 @@ interactions: content-type: - application/json date: - - Mon, 05 Sep 2022 12:00:20 GMT + - Mon, 13 Feb 2023 07:52:23 GMT expires: - '-1' pragma: @@ -7338,7 +15467,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '998' + - '995' x-powered-by: - ASP.NET status: @@ -7352,21 +15481,22 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance create + - dataprotection backup-instance resume-protection Connection: - keep-alive ParameterSetName: - - -g --vault-name --backup-instance + - -n -g --vault-name User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzY1YjhiZjYxLTExMGQtNDNjNC04OGY1LTg1Y2YyMjI1OGIyZA==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzA2NzA3YzliLThmM2QtNDk0MC1iMjgxLTViMWQyNGExNjc0OA==?api-version=2022-05-01 response: body: string: '{"objectType":"OperationJobExtendedInfo"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzY1YjhiZjYxLTExMGQtNDNjNC04OGY1LTg1Y2YyMjI1OGIyZA==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzA2NzA3YzliLThmM2QtNDk0MC1iMjgxLTViMWQyNGExNjc0OA==?api-version=2022-05-01 cache-control: - no-cache content-length: @@ -7374,7 +15504,7 @@ interactions: content-type: - application/json date: - - Mon, 05 Sep 2022 12:00:20 GMT + - Mon, 13 Feb 2023 07:52:23 GMT expires: - '-1' pragma: @@ -7390,52 +15520,42 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '198' x-powered-by: - ASP.NET status: code: 200 message: OK - request: - body: '{"properties": {"dataSourceInfo": {"datasourceType": "Microsoft.Storage/storageAccounts/blobServices", - "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount", - "resourceLocation": "centraluseuap", "resourceName": "cliteststoreaccount", - "resourceType": "Microsoft.Storage/storageAccounts", "resourceUri": ""}, "policyInfo": - {"policyId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/storagepolicy"}, - "objectType": "BackupInstance"}}' + body: null headers: Accept: - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance create + - dataprotection backup-instance show Connection: - keep-alive - Content-Length: - - '674' - Content-Type: - - application/json ParameterSetName: - - -g --vault-name --backup-instance + - -n -g --vault-name User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cliteststoreaccount-cliteststoreaccount-b7e6f082-b310-11eb-8f55-9cfce85d4fae?api-version=2022-05-01 + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1?api-version=2022-05-01 response: body: - string: '{"properties":{"friendlyName":"cliteststoreaccount","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount","resourceUri":"","datasourceType":"Microsoft.Storage/storageAccounts/blobServices","resourceName":"cliteststoreaccount","resourceType":"Microsoft.Storage/storageAccounts","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/storagepolicy"},"protectionStatus":{"status":"ConfiguringProtection"},"currentProtectionState":"ConfiguringProtection","provisioningState":"Provisioning","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cliteststoreaccount-cliteststoreaccount-b7e6f082-b310-11eb-8f55-9cfce85d4fae","name":"cliteststoreaccount-cliteststoreaccount-b7e6f082-b310-11eb-8f55-9cfce85d4fae","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' + string: '{"tags":{"Owner":"dppclitest"},"properties":{"friendlyName":"cli-test-disk-new1","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","resourceUri":"","datasourceType":"Microsoft.Compute/disks","resourceName":"cli-test-disk-new1","resourceType":"Microsoft.Compute/disks","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","policyParameters":{"dataStoreParametersList":[{"objectType":"AzureOperationalStoreParameters","dataStoreType":"OperationalStore","resourceGroupId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}},"protectionStatus":{"status":"ProtectionConfigured"},"currentProtectionState":"ProtectionConfigured","provisioningState":"Succeeded","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","name":"cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzI1YTI0NTI2LTM1ZWUtNDcyMy05ZmFmLTM4NmY0ZDMyODNlYg==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '1222' + - '1426' content-type: - application/json date: - - Mon, 05 Sep 2022 12:00:23 GMT + - Mon, 13 Feb 2023 07:52:25 GMT expires: - '-1' pragma: @@ -7444,65 +15564,68 @@ interactions: - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '1996' x-powered-by: - ASP.NET status: - code: 201 - message: Created + code: 200 + message: OK - request: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance create + - dataprotection backup-instance suspend-backup Connection: - keep-alive + Content-Length: + - '0' ParameterSetName: - - -g --vault-name --backup-instance + - -n -g --vault-name User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzI1YTI0NTI2LTM1ZWUtNDcyMy05ZmFmLTM4NmY0ZDMyODNlYg==?api-version=2022-05-01 + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1/suspendBackups?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzI1YTI0NTI2LTM1ZWUtNDcyMy05ZmFmLTM4NmY0ZDMyODNlYg==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzI1YTI0NTI2LTM1ZWUtNDcyMy05ZmFmLTM4NmY0ZDMyODNlYg==","status":"Succeeded","startTime":"2022-09-05T12:00:23.5608021Z","endTime":"2022-09-05T12:00:25Z"}' + string: '' headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzU5ZTM5ZGQ1LTQ5YzMtNDgyYS1iZjBlLWIyMjI5MDZhZTEyMQ==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '476' - content-type: - - application/json + - '0' date: - - Mon, 05 Sep 2022 12:00:39 GMT + - Mon, 13 Feb 2023 07:52:27 GMT expires: - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzU5ZTM5ZGQ1LTQ5YzMtNDgyYS1iZjBlLWIyMjI5MDZhZTEyMQ==?api-version=2022-05-01 pragma: - no-cache - server: - - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '997' + x-ms-ratelimit-remaining-subscription-writes: + - '1197' x-powered-by: - ASP.NET status: - code: 200 - message: OK + code: 202 + message: Accepted - request: body: null headers: @@ -7511,27 +15634,28 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance create + - dataprotection backup-instance suspend-backup Connection: - keep-alive ParameterSetName: - - -g --vault-name --backup-instance + - -n -g --vault-name User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cliteststoreaccount-cliteststoreaccount-b7e6f082-b310-11eb-8f55-9cfce85d4fae?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzU5ZTM5ZGQ1LTQ5YzMtNDgyYS1iZjBlLWIyMjI5MDZhZTEyMQ==?api-version=2022-05-01 response: body: - string: '{"properties":{"friendlyName":"cliteststoreaccount","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount","resourceUri":"","datasourceType":"Microsoft.Storage/storageAccounts/blobServices","resourceName":"cliteststoreaccount","resourceType":"Microsoft.Storage/storageAccounts","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/storagepolicy"},"protectionStatus":{"status":"ConfiguringProtection"},"currentProtectionState":"ConfiguringProtection","provisioningState":"Succeeded","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cliteststoreaccount-cliteststoreaccount-b7e6f082-b310-11eb-8f55-9cfce85d4fae","name":"cliteststoreaccount-cliteststoreaccount-b7e6f082-b310-11eb-8f55-9cfce85d4fae","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzU5ZTM5ZGQ1LTQ5YzMtNDgyYS1iZjBlLWIyMjI5MDZhZTEyMQ==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzU5ZTM5ZGQ1LTQ5YzMtNDgyYS1iZjBlLWIyMjI5MDZhZTEyMQ==","status":"Inprogress","startTime":"2023-02-13T07:52:27.6941434Z","endTime":"0001-01-01T00:00:00Z"}' headers: cache-control: - no-cache content-length: - - '1219' + - '478' content-type: - application/json date: - - Mon, 05 Sep 2022 12:00:40 GMT + - Mon, 13 Feb 2023 07:52:42 GMT expires: - '-1' pragma: @@ -7547,7 +15671,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '1998' + - '989' x-powered-by: - ASP.NET status: @@ -7557,50 +15681,53 @@ interactions: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance stop-protection + - dataprotection backup-instance suspend-backup Connection: - keep-alive - Content-Length: - - '0' ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) - method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae/stopProtection?api-version=2022-05-01 + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzU5ZTM5ZGQ1LTQ5YzMtNDgyYS1iZjBlLWIyMjI5MDZhZTEyMQ==?api-version=2022-05-01 response: body: - string: '' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzU5ZTM5ZGQ1LTQ5YzMtNDgyYS1iZjBlLWIyMjI5MDZhZTEyMQ==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzU5ZTM5ZGQ1LTQ5YzMtNDgyYS1iZjBlLWIyMjI5MDZhZTEyMQ==","status":"Succeeded","startTime":"2023-02-13T07:52:27.6941434Z","endTime":"2023-02-13T07:53:10Z"}' headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2JjNTUwYzNiLTRlNzMtNGVhMS04NWNhLWM4NWFkZjU4M2IyZg==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '0' + - '477' + content-type: + - application/json date: - - Mon, 05 Sep 2022 12:01:13 GMT + - Mon, 13 Feb 2023 07:53:14 GMT expires: - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2JjNTUwYzNiLTRlNzMtNGVhMS04NWNhLWM4NWFkZjU4M2IyZg==?api-version=2022-05-01 pragma: - no-cache + server: + - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1197' + x-ms-ratelimit-remaining-subscription-resource-requests: + - '988' x-powered-by: - ASP.NET status: - code: 202 - message: Accepted + code: 200 + message: OK - request: body: null headers: @@ -7609,27 +15736,30 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance stop-protection + - dataprotection backup-instance suspend-backup Connection: - keep-alive ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2JjNTUwYzNiLTRlNzMtNGVhMS04NWNhLWM4NWFkZjU4M2IyZg==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzU5ZTM5ZGQ1LTQ5YzMtNDgyYS1iZjBlLWIyMjI5MDZhZTEyMQ==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2JjNTUwYzNiLTRlNzMtNGVhMS04NWNhLWM4NWFkZjU4M2IyZg==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2JjNTUwYzNiLTRlNzMtNGVhMS04NWNhLWM4NWFkZjU4M2IyZg==","status":"Succeeded","startTime":"2022-09-05T12:01:14.3860301Z","endTime":"2022-09-05T12:01:27Z"}' + string: '{"objectType":"OperationJobExtendedInfo"}' headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzU5ZTM5ZGQ1LTQ5YzMtNDgyYS1iZjBlLWIyMjI5MDZhZTEyMQ==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '476' + - '41' content-type: - application/json date: - - Mon, 05 Sep 2022 12:01:30 GMT + - Mon, 13 Feb 2023 07:53:14 GMT expires: - '-1' pragma: @@ -7645,7 +15775,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '993' + - '197' x-powered-by: - ASP.NET status: @@ -7655,33 +15785,32 @@ interactions: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance stop-protection + - dataprotection backup-instance show Connection: - keep-alive ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2JjNTUwYzNiLTRlNzMtNGVhMS04NWNhLWM4NWFkZjU4M2IyZg==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1?api-version=2022-05-01 response: body: - string: '{"objectType":"OperationJobExtendedInfo"}' + string: '{"tags":{"Owner":"dppclitest"},"properties":{"friendlyName":"cli-test-disk-new1","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","resourceUri":"","datasourceType":"Microsoft.Compute/disks","resourceName":"cli-test-disk-new1","resourceType":"Microsoft.Compute/disks","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","policyParameters":{"dataStoreParametersList":[{"objectType":"AzureOperationalStoreParameters","dataStoreType":"OperationalStore","resourceGroupId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}},"protectionStatus":{"status":"BackupsSuspended"},"currentProtectionState":"BackupsSuspended","provisioningState":"Succeeded","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","name":"cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2JjNTUwYzNiLTRlNzMtNGVhMS04NWNhLWM4NWFkZjU4M2IyZg==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '41' + - '1418' content-type: - application/json date: - - Mon, 05 Sep 2022 12:01:30 GMT + - Mon, 13 Feb 2023 07:53:15 GMT expires: - '-1' pragma: @@ -7697,7 +15826,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '197' + - '1996' x-powered-by: - ASP.NET status: @@ -7711,96 +15840,98 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance show + - dataprotection backup-instance resume-protection Connection: - keep-alive + Content-Length: + - '0' ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae?api-version=2022-05-01 + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1/resumeProtection?api-version=2022-05-01 response: body: - string: '{"tags":{"Owner":"dppclitest"},"properties":{"friendlyName":"cli-test-disk-new","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","resourceUri":"","datasourceType":"Microsoft.Compute/disks","resourceName":"cli-test-disk-new","resourceType":"Microsoft.Compute/disks","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","policyParameters":{"dataStoreParametersList":[{"objectType":"AzureOperationalStoreParameters","dataStoreType":"OperationalStore","resourceGroupId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}},"protectionStatus":{"status":"ProtectionStopped"},"currentProtectionState":"ProtectionStopped","provisioningState":"Succeeded","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","name":"cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' + string: '' headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzcyZDJkMTgzLTdkZmItNDRlZC1hNjViLTBjMTEyNzc3NDdmZQ==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '1411' - content-type: - - application/json + - '0' date: - - Mon, 05 Sep 2022 12:01:31 GMT + - Mon, 13 Feb 2023 07:53:17 GMT expires: - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzcyZDJkMTgzLTdkZmItNDRlZC1hNjViLTBjMTEyNzc3NDdmZQ==?api-version=2022-05-01 pragma: - no-cache - server: - - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '1997' + x-ms-ratelimit-remaining-subscription-writes: + - '1197' x-powered-by: - ASP.NET status: - code: 200 - message: OK + code: 202 + message: Accepted - request: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - dataprotection backup-instance resume-protection Connection: - keep-alive - Content-Length: - - '0' ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) - method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae/resumeProtection?api-version=2022-05-01 + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzcyZDJkMTgzLTdkZmItNDRlZC1hNjViLTBjMTEyNzc3NDdmZQ==?api-version=2022-05-01 response: body: - string: '' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzcyZDJkMTgzLTdkZmItNDRlZC1hNjViLTBjMTEyNzc3NDdmZQ==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzcyZDJkMTgzLTdkZmItNDRlZC1hNjViLTBjMTEyNzc3NDdmZQ==","status":"Inprogress","startTime":"2023-02-13T07:53:17.9326967Z","endTime":"0001-01-01T00:00:00Z"}' headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzdlOGY1MDZkLTI2NzYtNGRmYi1iMDQ4LTU2NjVmMWRhMTgxOA==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '0' + - '478' + content-type: + - application/json date: - - Mon, 05 Sep 2022 12:01:36 GMT + - Mon, 13 Feb 2023 07:53:33 GMT expires: - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzdlOGY1MDZkLTI2NzYtNGRmYi1iMDQ4LTU2NjVmMWRhMTgxOA==?api-version=2022-05-01 pragma: - no-cache + server: + - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1197' + x-ms-ratelimit-remaining-subscription-resource-requests: + - '994' x-powered-by: - ASP.NET status: - code: 202 - message: Accepted + code: 200 + message: OK - request: body: null headers: @@ -7815,21 +15946,22 @@ interactions: ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzdlOGY1MDZkLTI2NzYtNGRmYi1iMDQ4LTU2NjVmMWRhMTgxOA==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzcyZDJkMTgzLTdkZmItNDRlZC1hNjViLTBjMTEyNzc3NDdmZQ==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzdlOGY1MDZkLTI2NzYtNGRmYi1iMDQ4LTU2NjVmMWRhMTgxOA==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzdlOGY1MDZkLTI2NzYtNGRmYi1iMDQ4LTU2NjVmMWRhMTgxOA==","status":"Inprogress","startTime":"2022-09-05T12:01:36.4055409Z","endTime":"0001-01-01T00:00:00Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzcyZDJkMTgzLTdkZmItNDRlZC1hNjViLTBjMTEyNzc3NDdmZQ==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzcyZDJkMTgzLTdkZmItNDRlZC1hNjViLTBjMTEyNzc3NDdmZQ==","status":"Inprogress","startTime":"2023-02-13T07:53:17.9326967Z","endTime":"0001-01-01T00:00:00Z"}' headers: cache-control: - no-cache content-length: - - '477' + - '478' content-type: - application/json date: - - Mon, 05 Sep 2022 12:01:52 GMT + - Mon, 13 Feb 2023 07:54:03 GMT expires: - '-1' pragma: @@ -7845,7 +15977,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '997' + - '993' x-powered-by: - ASP.NET status: @@ -7865,21 +15997,22 @@ interactions: ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzdlOGY1MDZkLTI2NzYtNGRmYi1iMDQ4LTU2NjVmMWRhMTgxOA==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzcyZDJkMTgzLTdkZmItNDRlZC1hNjViLTBjMTEyNzc3NDdmZQ==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzdlOGY1MDZkLTI2NzYtNGRmYi1iMDQ4LTU2NjVmMWRhMTgxOA==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzdlOGY1MDZkLTI2NzYtNGRmYi1iMDQ4LTU2NjVmMWRhMTgxOA==","status":"Succeeded","startTime":"2022-09-05T12:01:36.4055409Z","endTime":"2022-09-05T12:02:10Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzcyZDJkMTgzLTdkZmItNDRlZC1hNjViLTBjMTEyNzc3NDdmZQ==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzcyZDJkMTgzLTdkZmItNDRlZC1hNjViLTBjMTEyNzc3NDdmZQ==","status":"Succeeded","startTime":"2023-02-13T07:53:17.9326967Z","endTime":"2023-02-13T07:54:05Z"}' headers: cache-control: - no-cache content-length: - - '476' + - '477' content-type: - application/json date: - - Mon, 05 Sep 2022 12:02:23 GMT + - Mon, 13 Feb 2023 07:54:34 GMT expires: - '-1' pragma: @@ -7895,7 +16028,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '996' + - '992' x-powered-by: - ASP.NET status: @@ -7915,15 +16048,16 @@ interactions: ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzdlOGY1MDZkLTI2NzYtNGRmYi1iMDQ4LTU2NjVmMWRhMTgxOA==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzcyZDJkMTgzLTdkZmItNDRlZC1hNjViLTBjMTEyNzc3NDdmZQ==?api-version=2022-05-01 response: body: string: '{"objectType":"OperationJobExtendedInfo"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzdlOGY1MDZkLTI2NzYtNGRmYi1iMDQ4LTU2NjVmMWRhMTgxOA==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzcyZDJkMTgzLTdkZmItNDRlZC1hNjViLTBjMTEyNzc3NDdmZQ==?api-version=2022-05-01 cache-control: - no-cache content-length: @@ -7931,7 +16065,7 @@ interactions: content-type: - application/json date: - - Mon, 05 Sep 2022 12:02:24 GMT + - Mon, 13 Feb 2023 07:54:34 GMT expires: - '-1' pragma: @@ -7947,7 +16081,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '198' + - '197' x-powered-by: - ASP.NET status: @@ -7967,21 +16101,22 @@ interactions: ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1?api-version=2022-05-01 response: body: - string: '{"tags":{"Owner":"dppclitest"},"properties":{"friendlyName":"cli-test-disk-new","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","resourceUri":"","datasourceType":"Microsoft.Compute/disks","resourceName":"cli-test-disk-new","resourceType":"Microsoft.Compute/disks","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","policyParameters":{"dataStoreParametersList":[{"objectType":"AzureOperationalStoreParameters","dataStoreType":"OperationalStore","resourceGroupId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}},"protectionStatus":{"status":"ProtectionConfigured"},"currentProtectionState":"ProtectionConfigured","provisioningState":"Succeeded","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","name":"cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' + string: '{"tags":{"Owner":"dppclitest"},"properties":{"friendlyName":"cli-test-disk-new1","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","resourceUri":"","datasourceType":"Microsoft.Compute/disks","resourceName":"cli-test-disk-new1","resourceType":"Microsoft.Compute/disks","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","policyParameters":{"dataStoreParametersList":[{"objectType":"AzureOperationalStoreParameters","dataStoreType":"OperationalStore","resourceGroupId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}},"protectionStatus":{"status":"ProtectionConfigured"},"currentProtectionState":"ProtectionConfigured","provisioningState":"Succeeded","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","name":"cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' headers: cache-control: - no-cache content-length: - - '1417' + - '1426' content-type: - application/json date: - - Mon, 05 Sep 2022 12:02:26 GMT + - Mon, 13 Feb 2023 07:54:36 GMT expires: - '-1' pragma: @@ -7997,47 +16132,51 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '1997' + - '1995' x-powered-by: - ASP.NET status: code: 200 message: OK - request: - body: null + body: '{"backupRuleOptions": {"ruleName": "BackupHourly", "triggerOption": {"retentionTagOverride": + "Default"}}}' headers: Accept: - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance suspend-backup + - dataprotection backup-instance adhoc-backup Connection: - keep-alive Content-Length: - - '0' + - '105' + Content-Type: + - application/json ParameterSetName: - - -n -g --vault-name + - -n -g --vault-name --rule-name --retention-tag-override User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae/suspendBackups?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1/backup?api-version=2022-05-01 response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzlmMzI0ZTg5LWNlMmQtNGQ5Ny04NWYwLWFjNTI2ODg0ODZmYg==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2MxNDNmM2IzLTBkMGItNDNmNy1iOGMwLTg3ZTk2MzZmNjRlNg==?api-version=2022-05-01 cache-control: - no-cache content-length: - '0' date: - - Mon, 05 Sep 2022 12:02:30 GMT + - Mon, 13 Feb 2023 07:54:36 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzlmMzI0ZTg5LWNlMmQtNGQ5Ny04NWYwLWFjNTI2ODg0ODZmYg==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2MxNDNmM2IzLTBkMGItNDNmNy1iOGMwLTg3ZTk2MzZmNjRlNg==?api-version=2022-05-01 pragma: - no-cache strict-transport-security: @@ -8045,7 +16184,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-writes: - - '1198' + - '1196' x-powered-by: - ASP.NET status: @@ -8059,27 +16198,28 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance suspend-backup + - dataprotection backup-instance adhoc-backup Connection: - keep-alive ParameterSetName: - - -n -g --vault-name + - -n -g --vault-name --rule-name --retention-tag-override User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzlmMzI0ZTg5LWNlMmQtNGQ5Ny04NWYwLWFjNTI2ODg0ODZmYg==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2MxNDNmM2IzLTBkMGItNDNmNy1iOGMwLTg3ZTk2MzZmNjRlNg==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzlmMzI0ZTg5LWNlMmQtNGQ5Ny04NWYwLWFjNTI2ODg0ODZmYg==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzlmMzI0ZTg5LWNlMmQtNGQ5Ny04NWYwLWFjNTI2ODg0ODZmYg==","status":"Succeeded","startTime":"2022-09-05T12:02:31.0141165Z","endTime":"2022-09-05T12:02:43Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2MxNDNmM2IzLTBkMGItNDNmNy1iOGMwLTg3ZTk2MzZmNjRlNg==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2MxNDNmM2IzLTBkMGItNDNmNy1iOGMwLTg3ZTk2MzZmNjRlNg==","status":"Succeeded","startTime":"2023-02-13T07:54:37.5478063Z","endTime":"2023-02-13T07:54:41Z","properties":{"jobId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac","objectType":"OperationJobExtendedInfo"}}' headers: cache-control: - no-cache content-length: - - '476' + - '735' content-type: - application/json date: - - Mon, 05 Sep 2022 12:02:46 GMT + - Mon, 13 Feb 2023 07:55:08 GMT expires: - '-1' pragma: @@ -8095,7 +16235,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '997' + - '987' x-powered-by: - ASP.NET status: @@ -8109,29 +16249,30 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance suspend-backup + - dataprotection backup-instance adhoc-backup Connection: - keep-alive ParameterSetName: - - -n -g --vault-name + - -n -g --vault-name --rule-name --retention-tag-override User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzlmMzI0ZTg5LWNlMmQtNGQ5Ny04NWYwLWFjNTI2ODg0ODZmYg==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2MxNDNmM2IzLTBkMGItNDNmNy1iOGMwLTg3ZTk2MzZmNjRlNg==?api-version=2022-05-01 response: body: - string: '{"objectType":"OperationJobExtendedInfo"}' + string: '{"jobId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac","objectType":"OperationJobExtendedInfo"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzlmMzI0ZTg5LWNlMmQtNGQ5Ny04NWYwLWFjNTI2ODg0ODZmYg==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2MxNDNmM2IzLTBkMGItNDNmNy1iOGMwLTg3ZTk2MzZmNjRlNg==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '41' + - '244' content-type: - application/json date: - - Mon, 05 Sep 2022 12:02:46 GMT + - Mon, 13 Feb 2023 07:55:08 GMT expires: - '-1' pragma: @@ -8147,7 +16288,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '198' + - '196' x-powered-by: - ASP.NET status: @@ -8161,33 +16302,36 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance show + - dataprotection job show Connection: - keep-alive ParameterSetName: - - -n -g --vault-name + - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac?api-version=2022-05-01 response: body: - string: '{"tags":{"Owner":"dppclitest"},"properties":{"friendlyName":"cli-test-disk-new","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","resourceUri":"","datasourceType":"Microsoft.Compute/disks","resourceName":"cli-test-disk-new","resourceType":"Microsoft.Compute/disks","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","policyParameters":{"dataStoreParametersList":[{"objectType":"AzureOperationalStoreParameters","dataStoreType":"OperationalStore","resourceGroupId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}},"protectionStatus":{"status":"BackupsSuspended"},"currentProtectionState":"BackupsSuspended","provisioningState":"Succeeded","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","name":"cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' + string: '{"properties":{"activityID":"a8fc078f-ab73-11ed-9b8f-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A54%3A40.1872278Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:54:37.8803266Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger + Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac","name":"32fcc28e-70fe-4d89-8e45-f545113d14ac","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '1409' + - '2138' content-type: - application/json date: - - Mon, 05 Sep 2022 12:02:47 GMT + - Mon, 13 Feb 2023 07:55:20 GMT expires: - '-1' pragma: - no-cache server: - Microsoft-IIS/10.0 + - Kestrel strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -8197,7 +16341,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '1999' + - '199' x-powered-by: - ASP.NET status: @@ -8211,81 +16355,36 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance resume-protection - Connection: - - keep-alive - Content-Length: - - '0' - ParameterSetName: - - -n -g --vault-name - User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) - method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae/resumeProtection?api-version=2022-05-01 - response: - body: - string: '' - headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzhhODI4NDkyLTU1YTAtNDYzYS1hYjdhLTAyOWM3YTkwY2Y5NQ==?api-version=2022-05-01 - cache-control: - - no-cache - content-length: - - '0' - date: - - Mon, 05 Sep 2022 12:02:52 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzhhODI4NDkyLTU1YTAtNDYzYS1hYjdhLTAyOWM3YTkwY2Y5NQ==?api-version=2022-05-01 - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1199' - x-powered-by: - - ASP.NET - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-instance resume-protection + - dataprotection job show Connection: - keep-alive ParameterSetName: - - -n -g --vault-name + - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzhhODI4NDkyLTU1YTAtNDYzYS1hYjdhLTAyOWM3YTkwY2Y5NQ==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzhhODI4NDkyLTU1YTAtNDYzYS1hYjdhLTAyOWM3YTkwY2Y5NQ==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzhhODI4NDkyLTU1YTAtNDYzYS1hYjdhLTAyOWM3YTkwY2Y5NQ==","status":"Inprogress","startTime":"2022-09-05T12:02:52.8883376Z","endTime":"0001-01-01T00:00:00Z"}' + string: '{"properties":{"activityID":"a8fc078f-ab73-11ed-9b8f-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A54%3A40.1872278Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:54:37.8803266Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger + Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac","name":"32fcc28e-70fe-4d89-8e45-f545113d14ac","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '477' + - '2138' content-type: - application/json date: - - Mon, 05 Sep 2022 12:03:07 GMT + - Mon, 13 Feb 2023 07:55:31 GMT expires: - '-1' pragma: - no-cache server: - Microsoft-IIS/10.0 + - Kestrel strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -8295,7 +16394,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '999' + - '199' x-powered-by: - ASP.NET status: @@ -8305,37 +16404,40 @@ interactions: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance resume-protection + - dataprotection job show Connection: - keep-alive ParameterSetName: - - -n -g --vault-name + - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzhhODI4NDkyLTU1YTAtNDYzYS1hYjdhLTAyOWM3YTkwY2Y5NQ==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzhhODI4NDkyLTU1YTAtNDYzYS1hYjdhLTAyOWM3YTkwY2Y5NQ==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzhhODI4NDkyLTU1YTAtNDYzYS1hYjdhLTAyOWM3YTkwY2Y5NQ==","status":"Succeeded","startTime":"2022-09-05T12:02:52.8883376Z","endTime":"2022-09-05T12:03:26Z"}' + string: '{"properties":{"activityID":"a8fc078f-ab73-11ed-9b8f-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A54%3A40.1872278Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:54:37.8803266Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger + Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac","name":"32fcc28e-70fe-4d89-8e45-f545113d14ac","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '476' + - '2138' content-type: - application/json date: - - Mon, 05 Sep 2022 12:03:39 GMT + - Mon, 13 Feb 2023 07:55:43 GMT expires: - '-1' pragma: - no-cache server: - Microsoft-IIS/10.0 + - Kestrel strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -8345,7 +16447,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '998' + - '199' x-powered-by: - ASP.NET status: @@ -8355,39 +16457,40 @@ interactions: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance resume-protection + - dataprotection job show Connection: - keep-alive ParameterSetName: - - -n -g --vault-name + - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzhhODI4NDkyLTU1YTAtNDYzYS1hYjdhLTAyOWM3YTkwY2Y5NQ==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac?api-version=2022-05-01 response: body: - string: '{"objectType":"OperationJobExtendedInfo"}' + string: '{"properties":{"activityID":"a8fc078f-ab73-11ed-9b8f-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A54%3A40.1872278Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:54:37.8803266Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger + Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac","name":"32fcc28e-70fe-4d89-8e45-f545113d14ac","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzhhODI4NDkyLTU1YTAtNDYzYS1hYjdhLTAyOWM3YTkwY2Y5NQ==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '41' + - '2138' content-type: - application/json date: - - Mon, 05 Sep 2022 12:03:39 GMT + - Mon, 13 Feb 2023 07:55:54 GMT expires: - '-1' pragma: - no-cache server: - Microsoft-IIS/10.0 + - Kestrel strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -8397,7 +16500,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '198' x-powered-by: - ASP.NET status: @@ -8411,33 +16514,36 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance show + - dataprotection job show Connection: - keep-alive ParameterSetName: - - -n -g --vault-name + - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac?api-version=2022-05-01 response: body: - string: '{"tags":{"Owner":"dppclitest"},"properties":{"friendlyName":"cli-test-disk-new","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","resourceUri":"","datasourceType":"Microsoft.Compute/disks","resourceName":"cli-test-disk-new","resourceType":"Microsoft.Compute/disks","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","policyParameters":{"dataStoreParametersList":[{"objectType":"AzureOperationalStoreParameters","dataStoreType":"OperationalStore","resourceGroupId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}},"protectionStatus":{"status":"ProtectionConfigured"},"currentProtectionState":"ProtectionConfigured","provisioningState":"Succeeded","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","name":"cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' + string: '{"properties":{"activityID":"a8fc078f-ab73-11ed-9b8f-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A54%3A40.1872278Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:54:37.8803266Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger + Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac","name":"32fcc28e-70fe-4d89-8e45-f545113d14ac","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '1417' + - '2138' content-type: - application/json date: - - Mon, 05 Sep 2022 12:03:42 GMT + - Mon, 13 Feb 2023 07:56:06 GMT expires: - '-1' pragma: - no-cache server: - Microsoft-IIS/10.0 + - Kestrel strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -8447,98 +16553,103 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '1999' + - '197' x-powered-by: - ASP.NET status: code: 200 message: OK - request: - body: '{"backupRuleOptions": {"ruleName": "BackupHourly", "triggerOption": {"retentionTagOverride": - "Default"}}}' + body: null headers: Accept: - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance adhoc-backup + - dataprotection job show Connection: - keep-alive - Content-Length: - - '105' - Content-Type: - - application/json ParameterSetName: - - -n -g --vault-name --rule-name --retention-tag-override + - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) - method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae/backup?api-version=2022-05-01 + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac?api-version=2022-05-01 response: body: - string: '' + string: '{"properties":{"activityID":"a8fc078f-ab73-11ed-9b8f-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A54%3A40.1872278Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:54:37.8803266Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger + Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac","name":"32fcc28e-70fe-4d89-8e45-f545113d14ac","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2I1MDJlZmQ5LTJhNTAtNDFmOS05ZTBjLTNjZGY2MDNiYjMyNg==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '0' + - '2138' + content-type: + - application/json date: - - Mon, 05 Sep 2022 12:03:46 GMT + - Mon, 13 Feb 2023 07:56:16 GMT expires: - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2I1MDJlZmQ5LTJhNTAtNDFmOS05ZTBjLTNjZGY2MDNiYjMyNg==?api-version=2022-05-01 pragma: - no-cache + server: + - Microsoft-IIS/10.0 + - Kestrel strict-transport-security: - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1199' + x-ms-ratelimit-remaining-subscription-resource-requests: + - '196' x-powered-by: - ASP.NET status: - code: 202 - message: Accepted + code: 200 + message: OK - request: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance adhoc-backup + - dataprotection job show Connection: - keep-alive ParameterSetName: - - -n -g --vault-name --rule-name --retention-tag-override + - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2I1MDJlZmQ5LTJhNTAtNDFmOS05ZTBjLTNjZGY2MDNiYjMyNg==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2I1MDJlZmQ5LTJhNTAtNDFmOS05ZTBjLTNjZGY2MDNiYjMyNg==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2I1MDJlZmQ5LTJhNTAtNDFmOS05ZTBjLTNjZGY2MDNiYjMyNg==","status":"Succeeded","startTime":"2022-09-05T12:03:47.2582994Z","endTime":"2022-09-05T12:03:51Z","properties":{"jobId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632","objectType":"OperationJobExtendedInfo"}}' + string: '{"properties":{"activityID":"a8fc078f-ab73-11ed-9b8f-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A54%3A40.1872278Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:54:37.8803266Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger + Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac","name":"32fcc28e-70fe-4d89-8e45-f545113d14ac","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '733' + - '2138' content-type: - application/json date: - - Mon, 05 Sep 2022 12:04:17 GMT + - Mon, 13 Feb 2023 07:56:28 GMT expires: - '-1' pragma: - no-cache server: - Microsoft-IIS/10.0 + - Kestrel strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -8548,7 +16659,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '998' + - '199' x-powered-by: - ASP.NET status: @@ -8558,39 +16669,40 @@ interactions: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance adhoc-backup + - dataprotection job show Connection: - keep-alive ParameterSetName: - - -n -g --vault-name --rule-name --retention-tag-override + - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2I1MDJlZmQ5LTJhNTAtNDFmOS05ZTBjLTNjZGY2MDNiYjMyNg==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac?api-version=2022-05-01 response: body: - string: '{"jobId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632","objectType":"OperationJobExtendedInfo"}' + string: '{"properties":{"activityID":"a8fc078f-ab73-11ed-9b8f-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A54%3A40.1872278Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:54:37.8803266Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger + Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac","name":"32fcc28e-70fe-4d89-8e45-f545113d14ac","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2I1MDJlZmQ5LTJhNTAtNDFmOS05ZTBjLTNjZGY2MDNiYjMyNg==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '243' + - '2138' content-type: - application/json date: - - Mon, 05 Sep 2022 12:04:18 GMT + - Mon, 13 Feb 2023 07:56:40 GMT expires: - '-1' pragma: - no-cache server: - Microsoft-IIS/10.0 + - Kestrel strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -8600,7 +16712,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '198' x-powered-by: - ASP.NET status: @@ -8620,22 +16732,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"c99950e3-2d12-11ed-a73b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A03%3A49.8443396Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:03:47.5841436Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger - Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632","name":"58b11f73-4fdb-44d7-9b23-f6e021e64632","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"a8fc078f-ab73-11ed-9b8f-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A54%3A40.1872278Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:54:37.8803266Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger + Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac","name":"32fcc28e-70fe-4d89-8e45-f545113d14ac","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2101' + - '2138' content-type: - application/json date: - - Mon, 05 Sep 2022 12:04:32 GMT + - Mon, 13 Feb 2023 07:56:51 GMT expires: - '-1' pragma: @@ -8652,7 +16765,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '198' x-powered-by: - ASP.NET status: @@ -8672,22 +16785,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"c99950e3-2d12-11ed-a73b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A03%3A49.8443396Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:03:47.5841436Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger - Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632","name":"58b11f73-4fdb-44d7-9b23-f6e021e64632","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"a8fc078f-ab73-11ed-9b8f-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A54%3A40.1872278Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:54:37.8803266Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger + Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac","name":"32fcc28e-70fe-4d89-8e45-f545113d14ac","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2101' + - '2138' content-type: - application/json date: - - Mon, 05 Sep 2022 12:04:46 GMT + - Mon, 13 Feb 2023 07:57:02 GMT expires: - '-1' pragma: @@ -8704,7 +16818,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '197' x-powered-by: - ASP.NET status: @@ -8724,22 +16838,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"c99950e3-2d12-11ed-a73b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A03%3A49.8443396Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:03:47.5841436Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger - Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632","name":"58b11f73-4fdb-44d7-9b23-f6e021e64632","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"a8fc078f-ab73-11ed-9b8f-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A54%3A40.1872278Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:54:37.8803266Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger + Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac","name":"32fcc28e-70fe-4d89-8e45-f545113d14ac","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2101' + - '2138' content-type: - application/json date: - - Mon, 05 Sep 2022 12:04:59 GMT + - Mon, 13 Feb 2023 07:57:14 GMT expires: - '-1' pragma: @@ -8756,7 +16871,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '196' x-powered-by: - ASP.NET status: @@ -8776,22 +16891,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"c99950e3-2d12-11ed-a73b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A03%3A49.8443396Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:03:47.5841436Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger - Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632","name":"58b11f73-4fdb-44d7-9b23-f6e021e64632","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"a8fc078f-ab73-11ed-9b8f-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A54%3A40.1872278Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:54:37.8803266Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger + Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac","name":"32fcc28e-70fe-4d89-8e45-f545113d14ac","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2101' + - '2138' content-type: - application/json date: - - Mon, 05 Sep 2022 12:05:14 GMT + - Mon, 13 Feb 2023 07:57:25 GMT expires: - '-1' pragma: @@ -8808,7 +16924,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '195' x-powered-by: - ASP.NET status: @@ -8828,22 +16944,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"c99950e3-2d12-11ed-a73b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A03%3A49.8443396Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:03:47.5841436Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger - Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632","name":"58b11f73-4fdb-44d7-9b23-f6e021e64632","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"a8fc078f-ab73-11ed-9b8f-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A54%3A40.1872278Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:54:37.8803266Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger + Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac","name":"32fcc28e-70fe-4d89-8e45-f545113d14ac","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2101' + - '2138' content-type: - application/json date: - - Mon, 05 Sep 2022 12:05:26 GMT + - Mon, 13 Feb 2023 07:57:37 GMT expires: - '-1' pragma: @@ -8860,7 +16977,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '198' x-powered-by: - ASP.NET status: @@ -8880,22 +16997,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"c99950e3-2d12-11ed-a73b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A03%3A49.8443396Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:03:47.5841436Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger - Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632","name":"58b11f73-4fdb-44d7-9b23-f6e021e64632","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"a8fc078f-ab73-11ed-9b8f-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A54%3A40.1872278Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:54:37.8803266Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger + Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac","name":"32fcc28e-70fe-4d89-8e45-f545113d14ac","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2101' + - '2138' content-type: - application/json date: - - Mon, 05 Sep 2022 12:05:41 GMT + - Mon, 13 Feb 2023 07:57:48 GMT expires: - '-1' pragma: @@ -8912,7 +17030,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '197' x-powered-by: - ASP.NET status: @@ -8932,22 +17050,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"c99950e3-2d12-11ed-a73b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A03%3A49.8443396Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:03:47.5841436Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger - Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632","name":"58b11f73-4fdb-44d7-9b23-f6e021e64632","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"a8fc078f-ab73-11ed-9b8f-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":"OperationalTierStore","progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A57%3A49.2563046Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:54:37.8803266Z","endTime":"2023-02-13T07:57:48.864671Z","dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"Completed","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT3M10.9843444S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"0001-01-01T00:00:00Z"},"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger + Backup","taskStatus":"Completed","taskProgress":null,"additionalDetails":{"OriginalDatasourceSizeInBytes":"0","TaskId":"a8fc078f-ab73-11ed-9b8f-60a5e2435518","DatasourceType":"Microsoft.Compute/disks"}}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac","name":"32fcc28e-70fe-4d89-8e45-f545113d14ac","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2101' + - '2407' content-type: - application/json date: - - Mon, 05 Sep 2022 12:05:52 GMT + - Mon, 13 Feb 2023 07:58:00 GMT expires: - '-1' pragma: @@ -8964,7 +17083,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '198' + - '197' x-powered-by: - ASP.NET status: @@ -8978,35 +17097,34 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection job show + - dataprotection recovery-point list Connection: - keep-alive ParameterSetName: - - --ids + - --backup-instance-name -g --vault-name User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1/recoveryPoints?api-version=2022-05-01&$filter= response: body: - string: '{"properties":{"activityID":"c99950e3-2d12-11ed-a73b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A03%3A49.8443396Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:03:47.5841436Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger - Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632","name":"58b11f73-4fdb-44d7-9b23-f6e021e64632","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"value":[{"properties":{"objectType":"AzureBackupDiscreteRecoveryPoint","recoveryPointId":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z","recoveryPointType":"Incremental","friendlyName":"a1b388d0061142afb20388347abd6cee","recoveryPointDataStoresDetails":[{"id":"126d3d55-d014-4e28-b0cc-c4d34172c090","type":"OperationalStore","creationTime":"2023-02-13T07:55:52.1306902Z","expiryTime":null,"metaData":null,"visible":true,"state":"COMMITTED","rehydrationExpiryTime":null,"rehydrationStatus":null}],"retentionTagName":"Default","retentionTagVersion":"638118713029437509","policyName":"diskpolicy","policyVersion":null,"expiryTime":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1/recoveryPoints/a1b388d0061142afb20388347abd6cee","name":"a1b388d0061142afb20388347abd6cee","type":"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints"}]}' headers: cache-control: - no-cache content-length: - - '2101' + - '1088' content-type: - application/json date: - - Mon, 05 Sep 2022 12:06:03 GMT + - Mon, 13 Feb 2023 07:58:01 GMT expires: - '-1' pragma: - no-cache server: - Microsoft-IIS/10.0 - - Kestrel strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -9016,101 +17134,105 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '198' + - '99' x-powered-by: - ASP.NET status: code: 200 message: OK - request: - body: null + body: '{"restoreRequestObject": {"objectType": "AzureBackupRecoveryPointBasedRestoreRequest", + "restoreTargetInfo": {"objectType": "RestoreTargetInfo", "recoveryOption": "FailIfExists", + "restoreLocation": "centraluseuap", "datasourceInfo": {"datasourceType": "Microsoft.Compute/disks", + "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored", + "resourceLocation": "centraluseuap", "resourceName": "cli-test-disk-new1-restored", + "resourceType": "Microsoft.Compute/disks", "resourceUri": ""}}, "sourceDataStoreType": + "OperationalStore", "recoveryPointId": "a1b388d0061142afb20388347abd6cee"}}' headers: Accept: - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection job show + - dataprotection backup-instance validate-for-restore Connection: - keep-alive + Content-Length: + - '708' + Content-Type: + - application/json ParameterSetName: - - --ids + - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632?api-version=2022-05-01 + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1/validateRestore?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"c99950e3-2d12-11ed-a73b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A03%3A49.8443396Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:03:47.5841436Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger - Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632","name":"58b11f73-4fdb-44d7-9b23-f6e021e64632","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '' headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2Y1OGJmNDAwLWU1YjgtNDM0Ni1iNDJhLTlkNzA5NzQzMWFhYg==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '2101' - content-type: - - application/json + - '0' date: - - Mon, 05 Sep 2022 12:06:20 GMT + - Mon, 13 Feb 2023 07:58:03 GMT expires: - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2Y1OGJmNDAwLWU1YjgtNDM0Ni1iNDJhLTlkNzA5NzQzMWFhYg==?api-version=2022-05-01 pragma: - no-cache - server: - - Microsoft-IIS/10.0 - - Kestrel strict-transport-security: - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + x-ms-ratelimit-remaining-subscription-writes: + - '1196' x-powered-by: - ASP.NET - status: - code: 200 - message: OK + status: + code: 202 + message: Accepted - request: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection job show + - dataprotection backup-instance validate-for-restore Connection: - keep-alive ParameterSetName: - - --ids + - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2Y1OGJmNDAwLWU1YjgtNDM0Ni1iNDJhLTlkNzA5NzQzMWFhYg==?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"c99950e3-2d12-11ed-a73b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":"OperationalTierStore","progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A06%3A30.4112193Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:03:47.5841436Z","endTime":"2022-09-05T12:06:28.2465489Z","dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"Completed","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT2M40.6624053S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"0001-01-01T00:00:00Z"},"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger - Backup","taskStatus":"Completed","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632","name":"58b11f73-4fdb-44d7-9b23-f6e021e64632","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2Y1OGJmNDAwLWU1YjgtNDM0Ni1iNDJhLTlkNzA5NzQzMWFhYg==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2Y1OGJmNDAwLWU1YjgtNDM0Ni1iNDJhLTlkNzA5NzQzMWFhYg==","status":"Inprogress","startTime":"2023-02-13T07:58:03.8104363Z","endTime":"0001-01-01T00:00:00Z"}' headers: cache-control: - no-cache content-length: - - '2247' + - '478' content-type: - application/json date: - - Mon, 05 Sep 2022 12:06:34 GMT + - Mon, 13 Feb 2023 07:58:13 GMT expires: - '-1' pragma: - no-cache server: - Microsoft-IIS/10.0 - - Kestrel strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -9120,7 +17242,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '991' x-powered-by: - ASP.NET status: @@ -9130,31 +17252,32 @@ interactions: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection recovery-point list + - dataprotection backup-instance validate-for-restore Connection: - keep-alive ParameterSetName: - - --backup-instance-name -g --vault-name + - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae/recoveryPoints?api-version=2022-05-01&$filter= + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2Y1OGJmNDAwLWU1YjgtNDM0Ni1iNDJhLTlkNzA5NzQzMWFhYg==?api-version=2022-05-01 response: body: - string: '{"value":[{"properties":{"objectType":"AzureBackupDiscreteRecoveryPoint","recoveryPointId":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.6993890Z","recoveryPointType":"Incremental","friendlyName":"fd37665c-d66d-469e-be1d-ad22848e42f2","recoveryPointDataStoresDetails":[{"id":"c6917e77-7cc7-4c48-aa95-bc0d46c3009c","type":"OperationalStore","creationTime":"2022-09-05T12:05:43.6993890Z","expiryTime":null,"metaData":null,"visible":true,"state":"COMMITTED","rehydrationExpiryTime":null,"rehydrationStatus":null}],"retentionTagName":"Default","retentionTagVersion":"637979759380377361","policyName":"diskpolicy","policyVersion":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae/recoveryPoints/21761e5e114e4ffa8b665297125df85a","name":"21761e5e114e4ffa8b665297125df85a","type":"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints"}]}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2Y1OGJmNDAwLWU1YjgtNDM0Ni1iNDJhLTlkNzA5NzQzMWFhYg==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2Y1OGJmNDAwLWU1YjgtNDM0Ni1iNDJhLTlkNzA5NzQzMWFhYg==","status":"Inprogress","startTime":"2023-02-13T07:58:03.8104363Z","endTime":"0001-01-01T00:00:00Z"}' headers: cache-control: - no-cache content-length: - - '1071' + - '478' content-type: - application/json date: - - Mon, 05 Sep 2022 12:06:38 GMT + - Mon, 13 Feb 2023 07:58:44 GMT expires: - '-1' pragma: @@ -9170,68 +17293,63 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '99' + - '990' x-powered-by: - ASP.NET status: code: 200 message: OK - request: - body: '{"restoreRequestObject": {"objectType": "AzureBackupRecoveryPointBasedRestoreRequest", - "restoreTargetInfo": {"objectType": "RestoreTargetInfo", "recoveryOption": "FailIfExists", - "restoreLocation": "centraluseuap", "datasourceInfo": {"datasourceType": "Microsoft.Compute/disks", - "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored", - "resourceLocation": "centraluseuap", "resourceName": "cli-test-disk-new-restored", - "resourceType": "Microsoft.Compute/disks", "resourceUri": ""}}, "sourceDataStoreType": - "OperationalStore", "recoveryPointId": "21761e5e114e4ffa8b665297125df85a"}}' + body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - dataprotection backup-instance validate-for-restore Connection: - keep-alive - Content-Length: - - '706' - Content-Type: - - application/json ParameterSetName: - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) - method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae/validateRestore?api-version=2022-05-01 + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2Y1OGJmNDAwLWU1YjgtNDM0Ni1iNDJhLTlkNzA5NzQzMWFhYg==?api-version=2022-05-01 response: body: - string: '' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2Y1OGJmNDAwLWU1YjgtNDM0Ni1iNDJhLTlkNzA5NzQzMWFhYg==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2Y1OGJmNDAwLWU1YjgtNDM0Ni1iNDJhLTlkNzA5NzQzMWFhYg==","status":"Inprogress","startTime":"2023-02-13T07:58:03.8104363Z","endTime":"0001-01-01T00:00:00Z"}' headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2IxN2FhYTZmLWEyMDgtNGJlNS1hMTE5LWRlNDBhZjM0YjQxMA==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '0' + - '478' + content-type: + - application/json date: - - Mon, 05 Sep 2022 12:06:42 GMT + - Mon, 13 Feb 2023 07:59:14 GMT expires: - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2IxN2FhYTZmLWEyMDgtNGJlNS1hMTE5LWRlNDBhZjM0YjQxMA==?api-version=2022-05-01 pragma: - no-cache + server: + - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1198' + x-ms-ratelimit-remaining-subscription-resource-requests: + - '989' x-powered-by: - ASP.NET status: - code: 202 - message: Accepted + code: 200 + message: OK - request: body: null headers: @@ -9246,12 +17364,13 @@ interactions: ParameterSetName: - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2IxN2FhYTZmLWEyMDgtNGJlNS1hMTE5LWRlNDBhZjM0YjQxMA==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2Y1OGJmNDAwLWU1YjgtNDM0Ni1iNDJhLTlkNzA5NzQzMWFhYg==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2IxN2FhYTZmLWEyMDgtNGJlNS1hMTE5LWRlNDBhZjM0YjQxMA==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2IxN2FhYTZmLWEyMDgtNGJlNS1hMTE5LWRlNDBhZjM0YjQxMA==","status":"Inprogress","startTime":"2022-09-05T12:06:42.5513185Z","endTime":"0001-01-01T00:00:00Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2Y1OGJmNDAwLWU1YjgtNDM0Ni1iNDJhLTlkNzA5NzQzMWFhYg==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2Y1OGJmNDAwLWU1YjgtNDM0Ni1iNDJhLTlkNzA5NzQzMWFhYg==","status":"Succeeded","startTime":"2023-02-13T07:58:03.8104363Z","endTime":"2023-02-13T07:59:17Z"}' headers: cache-control: - no-cache @@ -9260,7 +17379,7 @@ interactions: content-type: - application/json date: - - Mon, 05 Sep 2022 12:06:53 GMT + - Mon, 13 Feb 2023 07:59:45 GMT expires: - '-1' pragma: @@ -9276,7 +17395,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '997' + - '988' x-powered-by: - ASP.NET status: @@ -9296,21 +17415,24 @@ interactions: ParameterSetName: - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2IxN2FhYTZmLWEyMDgtNGJlNS1hMTE5LWRlNDBhZjM0YjQxMA==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2Y1OGJmNDAwLWU1YjgtNDM0Ni1iNDJhLTlkNzA5NzQzMWFhYg==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2IxN2FhYTZmLWEyMDgtNGJlNS1hMTE5LWRlNDBhZjM0YjQxMA==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2IxN2FhYTZmLWEyMDgtNGJlNS1hMTE5LWRlNDBhZjM0YjQxMA==","status":"Inprogress","startTime":"2022-09-05T12:06:42.5513185Z","endTime":"0001-01-01T00:00:00Z"}' + string: '{"objectType":"OperationJobExtendedInfo"}' headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2Y1OGJmNDAwLWU1YjgtNDM0Ni1iNDJhLTlkNzA5NzQzMWFhYg==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '477' + - '41' content-type: - application/json date: - - Mon, 05 Sep 2022 12:07:24 GMT + - Mon, 13 Feb 2023 07:59:45 GMT expires: - '-1' pragma: @@ -9326,62 +17448,69 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '996' + - '196' x-powered-by: - ASP.NET status: code: 200 message: OK - request: - body: null + body: '{"objectType": "AzureBackupRecoveryPointBasedRestoreRequest", "restoreTargetInfo": + {"objectType": "RestoreTargetInfo", "recoveryOption": "FailIfExists", "restoreLocation": + "centraluseuap", "datasourceInfo": {"datasourceType": "Microsoft.Compute/disks", + "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored", + "resourceLocation": "centraluseuap", "resourceName": "cli-test-disk-new1-restored", + "resourceType": "Microsoft.Compute/disks", "resourceUri": ""}}, "sourceDataStoreType": + "OperationalStore", "recoveryPointId": "a1b388d0061142afb20388347abd6cee"}' headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance validate-for-restore + - dataprotection backup-instance restore trigger Connection: - keep-alive + Content-Length: + - '682' + Content-Type: + - application/json ParameterSetName: - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2IxN2FhYTZmLWEyMDgtNGJlNS1hMTE5LWRlNDBhZjM0YjQxMA==?api-version=2022-05-01 + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1/restore?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2IxN2FhYTZmLWEyMDgtNGJlNS1hMTE5LWRlNDBhZjM0YjQxMA==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2IxN2FhYTZmLWEyMDgtNGJlNS1hMTE5LWRlNDBhZjM0YjQxMA==","status":"Succeeded","startTime":"2022-09-05T12:06:42.5513185Z","endTime":"2022-09-05T12:07:53Z"}' + string: '' headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzVmNWFiN2I3LWZmZjktNGYwMi1hZTI1LWQ4NzI4MmVkNTg0OQ==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '476' - content-type: - - application/json + - '0' date: - - Mon, 05 Sep 2022 12:07:54 GMT + - Mon, 13 Feb 2023 07:59:47 GMT expires: - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzVmNWFiN2I3LWZmZjktNGYwMi1hZTI1LWQ4NzI4MmVkNTg0OQ==?api-version=2022-05-01 pragma: - no-cache - server: - - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '995' + x-ms-ratelimit-remaining-subscription-writes: + - '1195' x-powered-by: - ASP.NET status: - code: 200 - message: OK + code: 202 + message: Accepted - request: body: null headers: @@ -9390,29 +17519,28 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance validate-for-restore + - dataprotection backup-instance restore trigger Connection: - keep-alive ParameterSetName: - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2IxN2FhYTZmLWEyMDgtNGJlNS1hMTE5LWRlNDBhZjM0YjQxMA==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzVmNWFiN2I3LWZmZjktNGYwMi1hZTI1LWQ4NzI4MmVkNTg0OQ==?api-version=2022-05-01 response: body: - string: '{"objectType":"OperationJobExtendedInfo"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzVmNWFiN2I3LWZmZjktNGYwMi1hZTI1LWQ4NzI4MmVkNTg0OQ==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzVmNWFiN2I3LWZmZjktNGYwMi1hZTI1LWQ4NzI4MmVkNTg0OQ==","status":"Succeeded","startTime":"2023-02-13T07:59:47.5542841Z","endTime":"2023-02-13T07:59:49Z","properties":{"jobId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","objectType":"OperationJobExtendedInfo"}}' headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2IxN2FhYTZmLWEyMDgtNGJlNS1hMTE5LWRlNDBhZjM0YjQxMA==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '41' + - '735' content-type: - application/json date: - - Mon, 05 Sep 2022 12:07:54 GMT + - Mon, 13 Feb 2023 08:00:18 GMT expires: - '-1' pragma: @@ -9428,103 +17556,103 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '198' + - '986' x-powered-by: - ASP.NET status: code: 200 message: OK - request: - body: '{"objectType": "AzureBackupRecoveryPointBasedRestoreRequest", "restoreTargetInfo": - {"objectType": "RestoreTargetInfo", "recoveryOption": "FailIfExists", "restoreLocation": - "centraluseuap", "datasourceInfo": {"datasourceType": "Microsoft.Compute/disks", - "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored", - "resourceLocation": "centraluseuap", "resourceName": "cli-test-disk-new-restored", - "resourceType": "Microsoft.Compute/disks", "resourceUri": ""}}, "sourceDataStoreType": - "OperationalStore", "recoveryPointId": "21761e5e114e4ffa8b665297125df85a"}' + body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - dataprotection backup-instance restore trigger Connection: - keep-alive - Content-Length: - - '680' - Content-Type: - - application/json ParameterSetName: - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) - method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae/restore?api-version=2022-05-01 + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzVmNWFiN2I3LWZmZjktNGYwMi1hZTI1LWQ4NzI4MmVkNTg0OQ==?api-version=2022-05-01 response: body: - string: '' + string: '{"jobId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","objectType":"OperationJobExtendedInfo"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA1ZTkwOTdiLTUzMjUtNGFiNi04NThhLWEzNDNjNTJjNzA0ZQ==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzVmNWFiN2I3LWZmZjktNGYwMi1hZTI1LWQ4NzI4MmVkNTg0OQ==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '0' + - '244' + content-type: + - application/json date: - - Mon, 05 Sep 2022 12:07:57 GMT + - Mon, 13 Feb 2023 08:00:18 GMT expires: - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA1ZTkwOTdiLTUzMjUtNGFiNi04NThhLWEzNDNjNTJjNzA0ZQ==?api-version=2022-05-01 pragma: - no-cache + server: + - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1196' + x-ms-ratelimit-remaining-subscription-resource-requests: + - '195' x-powered-by: - ASP.NET status: - code: 202 - message: Accepted + code: 200 + message: OK - request: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance restore trigger + - dataprotection job show Connection: - keep-alive ParameterSetName: - - -g --vault-name -n --restore-request-object + - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA1ZTkwOTdiLTUzMjUtNGFiNi04NThhLWEzNDNjNTJjNzA0ZQ==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA1ZTkwOTdiLTUzMjUtNGFiNi04NThhLWEzNDNjNTJjNzA0ZQ==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA1ZTkwOTdiLTUzMjUtNGFiNi04NThhLWEzNDNjNTJjNzA0ZQ==","status":"Succeeded","startTime":"2022-09-05T12:07:58.0675543Z","endTime":"2022-09-05T12:07:59Z","properties":{"jobId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","objectType":"OperationJobExtendedInfo"}}' + string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '733' + - '2357' content-type: - application/json date: - - Mon, 05 Sep 2022 12:08:28 GMT + - Mon, 13 Feb 2023 08:00:30 GMT expires: - '-1' pragma: - no-cache server: - Microsoft-IIS/10.0 + - Kestrel strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -9534,7 +17662,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '992' + - '194' x-powered-by: - ASP.NET status: @@ -9544,39 +17672,40 @@ interactions: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance restore trigger + - dataprotection job show Connection: - keep-alive ParameterSetName: - - -g --vault-name -n --restore-request-object + - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA1ZTkwOTdiLTUzMjUtNGFiNi04NThhLWEzNDNjNTJjNzA0ZQ==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 response: body: - string: '{"jobId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","objectType":"OperationJobExtendedInfo"}' + string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA1ZTkwOTdiLTUzMjUtNGFiNi04NThhLWEzNDNjNTJjNzA0ZQ==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '243' + - '2357' content-type: - application/json date: - - Mon, 05 Sep 2022 12:08:28 GMT + - Mon, 13 Feb 2023 08:00:41 GMT expires: - '-1' pragma: - no-cache server: - Microsoft-IIS/10.0 + - Kestrel strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -9606,22 +17735,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2317' + - '2357' content-type: - application/json date: - - Mon, 05 Sep 2022 12:08:44 GMT + - Mon, 13 Feb 2023 08:00:53 GMT expires: - '-1' pragma: @@ -9638,7 +17768,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '196' x-powered-by: - ASP.NET status: @@ -9658,22 +17788,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2317' + - '2357' content-type: - application/json date: - - Mon, 05 Sep 2022 12:08:57 GMT + - Mon, 13 Feb 2023 08:01:04 GMT expires: - '-1' pragma: @@ -9690,7 +17821,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '195' x-powered-by: - ASP.NET status: @@ -9710,22 +17841,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2317' + - '2357' content-type: - application/json date: - - Mon, 05 Sep 2022 12:09:08 GMT + - Mon, 13 Feb 2023 08:01:15 GMT expires: - '-1' pragma: @@ -9742,7 +17874,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '198' + - '195' x-powered-by: - ASP.NET status: @@ -9762,22 +17894,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2317' + - '2357' content-type: - application/json date: - - Mon, 05 Sep 2022 12:09:20 GMT + - Mon, 13 Feb 2023 08:01:27 GMT expires: - '-1' pragma: @@ -9794,7 +17927,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '198' + - '194' x-powered-by: - ASP.NET status: @@ -9814,22 +17947,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2317' + - '2357' content-type: - application/json date: - - Mon, 05 Sep 2022 12:09:32 GMT + - Mon, 13 Feb 2023 08:01:39 GMT expires: - '-1' pragma: @@ -9846,7 +17980,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '197' + - '194' x-powered-by: - ASP.NET status: @@ -9866,22 +18000,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2317' + - '2357' content-type: - application/json date: - - Mon, 05 Sep 2022 12:09:47 GMT + - Mon, 13 Feb 2023 08:01:50 GMT expires: - '-1' pragma: @@ -9898,7 +18033,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '193' x-powered-by: - ASP.NET status: @@ -9918,22 +18053,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2317' + - '2357' content-type: - application/json date: - - Mon, 05 Sep 2022 12:09:58 GMT + - Mon, 13 Feb 2023 08:02:01 GMT expires: - '-1' pragma: @@ -9950,7 +18086,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '193' x-powered-by: - ASP.NET status: @@ -9970,22 +18106,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2317' + - '2357' content-type: - application/json date: - - Mon, 05 Sep 2022 12:10:11 GMT + - Mon, 13 Feb 2023 08:02:13 GMT expires: - '-1' pragma: @@ -10002,7 +18139,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '197' + - '193' x-powered-by: - ASP.NET status: @@ -10022,22 +18159,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2317' + - '2357' content-type: - application/json date: - - Mon, 05 Sep 2022 12:10:23 GMT + - Mon, 13 Feb 2023 08:02:24 GMT expires: - '-1' pragma: @@ -10054,7 +18192,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '197' + - '192' x-powered-by: - ASP.NET status: @@ -10074,22 +18212,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2317' + - '2357' content-type: - application/json date: - - Mon, 05 Sep 2022 12:10:38 GMT + - Mon, 13 Feb 2023 08:02:36 GMT expires: - '-1' pragma: @@ -10106,7 +18245,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '195' x-powered-by: - ASP.NET status: @@ -10126,22 +18265,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2317' + - '2357' content-type: - application/json date: - - Mon, 05 Sep 2022 12:10:51 GMT + - Mon, 13 Feb 2023 08:02:47 GMT expires: - '-1' pragma: @@ -10158,7 +18298,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '196' + - '194' x-powered-by: - ASP.NET status: @@ -10178,22 +18318,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2317' + - '2357' content-type: - application/json date: - - Mon, 05 Sep 2022 12:11:02 GMT + - Mon, 13 Feb 2023 08:02:58 GMT expires: - '-1' pragma: @@ -10210,7 +18351,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '195' + - '191' x-powered-by: - ASP.NET status: @@ -10230,22 +18371,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2317' + - '2357' content-type: - application/json date: - - Mon, 05 Sep 2022 12:11:14 GMT + - Mon, 13 Feb 2023 08:03:09 GMT expires: - '-1' pragma: @@ -10262,7 +18404,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '197' + - '193' x-powered-by: - ASP.NET status: @@ -10282,22 +18424,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2317' + - '2357' content-type: - application/json date: - - Mon, 05 Sep 2022 12:11:26 GMT + - Mon, 13 Feb 2023 08:03:21 GMT expires: - '-1' pragma: @@ -10314,7 +18457,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '194' + - '190' x-powered-by: - ASP.NET status: @@ -10334,22 +18477,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2317' + - '2357' content-type: - application/json date: - - Mon, 05 Sep 2022 12:11:37 GMT + - Mon, 13 Feb 2023 08:03:33 GMT expires: - '-1' pragma: @@ -10366,7 +18510,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '196' + - '192' x-powered-by: - ASP.NET status: @@ -10386,22 +18530,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2317' + - '2357' content-type: - application/json date: - - Mon, 05 Sep 2022 12:11:50 GMT + - Mon, 13 Feb 2023 08:03:45 GMT expires: - '-1' pragma: @@ -10418,7 +18563,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '196' + - '192' x-powered-by: - ASP.NET status: @@ -10438,22 +18583,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2317' + - '2357' content-type: - application/json date: - - Mon, 05 Sep 2022 12:12:01 GMT + - Mon, 13 Feb 2023 08:03:56 GMT expires: - '-1' pragma: @@ -10470,7 +18616,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '195' + - '191' x-powered-by: - ASP.NET status: @@ -10490,22 +18636,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2317' + - '2357' content-type: - application/json date: - - Mon, 05 Sep 2022 12:12:13 GMT + - Mon, 13 Feb 2023 08:04:08 GMT expires: - '-1' pragma: @@ -10522,7 +18669,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '195' + - '189' x-powered-by: - ASP.NET status: @@ -10542,22 +18689,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2317' + - '2357' content-type: - application/json date: - - Mon, 05 Sep 2022 12:12:25 GMT + - Mon, 13 Feb 2023 08:04:19 GMT expires: - '-1' pragma: @@ -10574,7 +18722,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '193' + - '190' x-powered-by: - ASP.NET status: @@ -10594,22 +18742,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2317' + - '2357' content-type: - application/json date: - - Mon, 05 Sep 2022 12:12:36 GMT + - Mon, 13 Feb 2023 08:04:30 GMT expires: - '-1' pragma: @@ -10626,7 +18775,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '194' + - '189' x-powered-by: - ASP.NET status: @@ -10646,22 +18795,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2317' + - '2357' content-type: - application/json date: - - Mon, 05 Sep 2022 12:12:47 GMT + - Mon, 13 Feb 2023 08:04:41 GMT expires: - '-1' pragma: @@ -10678,7 +18828,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '194' + - '192' x-powered-by: - ASP.NET status: @@ -10698,22 +18848,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2317' + - '2357' content-type: - application/json date: - - Mon, 05 Sep 2022 12:13:01 GMT + - Mon, 13 Feb 2023 08:04:52 GMT expires: - '-1' pragma: @@ -10730,7 +18881,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '188' x-powered-by: - ASP.NET status: @@ -10750,22 +18901,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2317' + - '2357' content-type: - application/json date: - - Mon, 05 Sep 2022 12:13:13 GMT + - Mon, 13 Feb 2023 08:05:05 GMT expires: - '-1' pragma: @@ -10782,7 +18934,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '187' x-powered-by: - ASP.NET status: @@ -10802,22 +18954,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2317' + - '2357' content-type: - application/json date: - - Mon, 05 Sep 2022 12:13:26 GMT + - Mon, 13 Feb 2023 08:05:16 GMT expires: - '-1' pragma: @@ -10834,7 +18987,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '192' + - '188' x-powered-by: - ASP.NET status: @@ -10854,22 +19007,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2317' + - '2357' content-type: - application/json date: - - Mon, 05 Sep 2022 12:13:38 GMT + - Mon, 13 Feb 2023 08:05:28 GMT expires: - '-1' pragma: @@ -10886,7 +19040,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '191' x-powered-by: - ASP.NET status: @@ -10906,22 +19060,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2317' + - '2357' content-type: - application/json date: - - Mon, 05 Sep 2022 12:13:52 GMT + - Mon, 13 Feb 2023 08:05:39 GMT expires: - '-1' pragma: @@ -10938,7 +19093,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '196' + - '190' x-powered-by: - ASP.NET status: @@ -10958,22 +19113,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2317' + - '2357' content-type: - application/json date: - - Mon, 05 Sep 2022 12:14:02 GMT + - Mon, 13 Feb 2023 08:05:50 GMT expires: - '-1' pragma: @@ -10990,7 +19146,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '191' + - '187' x-powered-by: - ASP.NET status: @@ -11010,22 +19166,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A14%3A06.4200707Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":"2022-09-05T12:14:05.9261307Z","dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"Completed","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT6M7.5314944S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"Completed","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T08%3A05%3A56.4862376Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":"2023-02-13T08:05:56.1277558Z","dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"Completed","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT6M8.0804355S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"Completed","taskProgress":null,"additionalDetails":{"DataTransferredInBytes":"0","TaskId":"61b63bdc-ab74-11ed-9654-60a5e2435518","DatasourceType":"Microsoft.Compute/disks"}}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2351' + - '2508' content-type: - application/json date: - - Mon, 05 Sep 2022 12:14:14 GMT + - Mon, 13 Feb 2023 08:06:01 GMT expires: - '-1' pragma: @@ -11042,7 +19199,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '193' + - '189' x-powered-by: - ASP.NET status: @@ -11064,25 +19221,26 @@ interactions: ParameterSetName: - -g --vault-name -n --yes User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1?api-version=2022-05-01 response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y1N2VlY2VmLTNmYTctNDViZi04NDU4LWFhYTZjMTI1ZGEyZg==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2ZhNzlkODQyLTM5MmMtNDQ4YS1iNWY0LWU2NjI3ZWIwNjRjOA==?api-version=2022-05-01 cache-control: - no-cache content-length: - '0' date: - - Mon, 05 Sep 2022 12:14:18 GMT + - Mon, 13 Feb 2023 08:06:06 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y1N2VlY2VmLTNmYTctNDViZi04NDU4LWFhYTZjMTI1ZGEyZg==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2ZhNzlkODQyLTM5MmMtNDQ4YS1iNWY0LWU2NjI3ZWIwNjRjOA==?api-version=2022-05-01 pragma: - no-cache strict-transport-security: @@ -11110,21 +19268,22 @@ interactions: ParameterSetName: - -g --vault-name -n --yes User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y1N2VlY2VmLTNmYTctNDViZi04NDU4LWFhYTZjMTI1ZGEyZg==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2ZhNzlkODQyLTM5MmMtNDQ4YS1iNWY0LWU2NjI3ZWIwNjRjOA==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y1N2VlY2VmLTNmYTctNDViZi04NDU4LWFhYTZjMTI1ZGEyZg==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y1N2VlY2VmLTNmYTctNDViZi04NDU4LWFhYTZjMTI1ZGEyZg==","status":"Inprogress","startTime":"2022-09-05T12:14:18.9104264Z","endTime":"0001-01-01T00:00:00Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2ZhNzlkODQyLTM5MmMtNDQ4YS1iNWY0LWU2NjI3ZWIwNjRjOA==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2ZhNzlkODQyLTM5MmMtNDQ4YS1iNWY0LWU2NjI3ZWIwNjRjOA==","status":"Inprogress","startTime":"2023-02-13T08:06:06.1240161Z","endTime":"0001-01-01T00:00:00Z"}' headers: cache-control: - no-cache content-length: - - '477' + - '478' content-type: - application/json date: - - Mon, 05 Sep 2022 12:14:49 GMT + - Mon, 13 Feb 2023 08:06:35 GMT expires: - '-1' pragma: @@ -11140,7 +19299,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '991' + - '985' x-powered-by: - ASP.NET status: @@ -11160,21 +19319,22 @@ interactions: ParameterSetName: - -g --vault-name -n --yes User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y1N2VlY2VmLTNmYTctNDViZi04NDU4LWFhYTZjMTI1ZGEyZg==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2ZhNzlkODQyLTM5MmMtNDQ4YS1iNWY0LWU2NjI3ZWIwNjRjOA==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y1N2VlY2VmLTNmYTctNDViZi04NDU4LWFhYTZjMTI1ZGEyZg==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y1N2VlY2VmLTNmYTctNDViZi04NDU4LWFhYTZjMTI1ZGEyZg==","status":"Inprogress","startTime":"2022-09-05T12:14:18.9104264Z","endTime":"0001-01-01T00:00:00Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2ZhNzlkODQyLTM5MmMtNDQ4YS1iNWY0LWU2NjI3ZWIwNjRjOA==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2ZhNzlkODQyLTM5MmMtNDQ4YS1iNWY0LWU2NjI3ZWIwNjRjOA==","status":"Inprogress","startTime":"2023-02-13T08:06:06.1240161Z","endTime":"0001-01-01T00:00:00Z"}' headers: cache-control: - no-cache content-length: - - '477' + - '478' content-type: - application/json date: - - Mon, 05 Sep 2022 12:15:19 GMT + - Mon, 13 Feb 2023 08:07:07 GMT expires: - '-1' pragma: @@ -11190,7 +19350,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '990' + - '984' x-powered-by: - ASP.NET status: @@ -11210,21 +19370,22 @@ interactions: ParameterSetName: - -g --vault-name -n --yes User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y1N2VlY2VmLTNmYTctNDViZi04NDU4LWFhYTZjMTI1ZGEyZg==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2ZhNzlkODQyLTM5MmMtNDQ4YS1iNWY0LWU2NjI3ZWIwNjRjOA==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y1N2VlY2VmLTNmYTctNDViZi04NDU4LWFhYTZjMTI1ZGEyZg==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y1N2VlY2VmLTNmYTctNDViZi04NDU4LWFhYTZjMTI1ZGEyZg==","status":"Inprogress","startTime":"2022-09-05T12:14:18.9104264Z","endTime":"0001-01-01T00:00:00Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2ZhNzlkODQyLTM5MmMtNDQ4YS1iNWY0LWU2NjI3ZWIwNjRjOA==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2ZhNzlkODQyLTM5MmMtNDQ4YS1iNWY0LWU2NjI3ZWIwNjRjOA==","status":"Inprogress","startTime":"2023-02-13T08:06:06.1240161Z","endTime":"0001-01-01T00:00:00Z"}' headers: cache-control: - no-cache content-length: - - '477' + - '478' content-type: - application/json date: - - Mon, 05 Sep 2022 12:15:51 GMT + - Mon, 13 Feb 2023 08:07:37 GMT expires: - '-1' pragma: @@ -11240,7 +19401,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '989' + - '983' x-powered-by: - ASP.NET status: @@ -11260,21 +19421,22 @@ interactions: ParameterSetName: - -g --vault-name -n --yes User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y1N2VlY2VmLTNmYTctNDViZi04NDU4LWFhYTZjMTI1ZGEyZg==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2ZhNzlkODQyLTM5MmMtNDQ4YS1iNWY0LWU2NjI3ZWIwNjRjOA==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y1N2VlY2VmLTNmYTctNDViZi04NDU4LWFhYTZjMTI1ZGEyZg==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y1N2VlY2VmLTNmYTctNDViZi04NDU4LWFhYTZjMTI1ZGEyZg==","status":"Succeeded","startTime":"2022-09-05T12:14:18.9104264Z","endTime":"2022-09-05T12:16:07Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2ZhNzlkODQyLTM5MmMtNDQ4YS1iNWY0LWU2NjI3ZWIwNjRjOA==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2ZhNzlkODQyLTM5MmMtNDQ4YS1iNWY0LWU2NjI3ZWIwNjRjOA==","status":"Succeeded","startTime":"2023-02-13T08:06:06.1240161Z","endTime":"2023-02-13T08:07:44Z"}' headers: cache-control: - no-cache content-length: - - '476' + - '477' content-type: - application/json date: - - Mon, 05 Sep 2022 12:16:21 GMT + - Mon, 13 Feb 2023 08:08:08 GMT expires: - '-1' pragma: @@ -11290,7 +19452,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '988' + - '982' x-powered-by: - ASP.NET status: @@ -11312,25 +19474,26 @@ interactions: ParameterSetName: - -g --vault-name -n --yes User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cliteststoreaccount-cliteststoreaccount-b7e6f082-b310-11eb-8f55-9cfce85d4fae?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cliteststoreaccount-cliteststoreaccount-b7e6f082-b310-11eb-8f55-9cfce85d4fa1?api-version=2022-05-01 response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzY5MzViOTg0LTRkMTItNDViMy04OWY4LWVmMTFlYjQ4ZGFlMA==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzYzNTZiM2RkLTM2Y2EtNGE1ZC1hMjA0LTZhMDY3ZDc0NjEzMQ==?api-version=2022-05-01 cache-control: - no-cache content-length: - '0' date: - - Mon, 05 Sep 2022 12:16:25 GMT + - Mon, 13 Feb 2023 08:08:10 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzY5MzViOTg0LTRkMTItNDViMy04OWY4LWVmMTFlYjQ4ZGFlMA==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzYzNTZiM2RkLTM2Y2EtNGE1ZC1hMjA0LTZhMDY3ZDc0NjEzMQ==?api-version=2022-05-01 pragma: - no-cache strict-transport-security: @@ -11338,7 +19501,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '198' x-powered-by: - ASP.NET status: @@ -11358,21 +19521,22 @@ interactions: ParameterSetName: - -g --vault-name -n --yes User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzY5MzViOTg0LTRkMTItNDViMy04OWY4LWVmMTFlYjQ4ZGFlMA==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzYzNTZiM2RkLTM2Y2EtNGE1ZC1hMjA0LTZhMDY3ZDc0NjEzMQ==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzY5MzViOTg0LTRkMTItNDViMy04OWY4LWVmMTFlYjQ4ZGFlMA==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzY5MzViOTg0LTRkMTItNDViMy04OWY4LWVmMTFlYjQ4ZGFlMA==","status":"Succeeded","startTime":"2022-09-05T12:16:25.9626724Z","endTime":"2022-09-05T12:16:51Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzYzNTZiM2RkLTM2Y2EtNGE1ZC1hMjA0LTZhMDY3ZDc0NjEzMQ==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzYzNTZiM2RkLTM2Y2EtNGE1ZC1hMjA0LTZhMDY3ZDc0NjEzMQ==","status":"Inprogress","startTime":"2023-02-13T08:08:10.6888069Z","endTime":"0001-01-01T00:00:00Z"}' headers: cache-control: - no-cache content-length: - - '476' + - '478' content-type: - application/json date: - - Mon, 05 Sep 2022 12:16:56 GMT + - Mon, 13 Feb 2023 08:08:40 GMT expires: - '-1' pragma: @@ -11388,7 +19552,58 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '996' + - '987' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-instance delete + Connection: + - keep-alive + ParameterSetName: + - -g --vault-name -n --yes + User-Agent: + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzYzNTZiM2RkLTM2Y2EtNGE1ZC1hMjA0LTZhMDY3ZDc0NjEzMQ==?api-version=2022-05-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzYzNTZiM2RkLTM2Y2EtNGE1ZC1hMjA0LTZhMDY3ZDc0NjEzMQ==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzYzNTZiM2RkLTM2Y2EtNGE1ZC1hMjA0LTZhMDY3ZDc0NjEzMQ==","status":"Succeeded","startTime":"2023-02-13T08:08:10.6888069Z","endTime":"2023-02-13T08:08:56Z"}' + headers: + cache-control: + - no-cache + content-length: + - '477' + content-type: + - application/json + date: + - Mon, 13 Feb 2023 08:09:11 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '986' x-powered-by: - ASP.NET status: @@ -11410,7 +19625,8 @@ interactions: ParameterSetName: - -g -n -y User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: DELETE uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/cli-test-resource-guard?api-version=2022-05-01 response: @@ -11422,7 +19638,7 @@ interactions: content-length: - '0' date: - - Mon, 05 Sep 2022 12:17:06 GMT + - Mon, 13 Feb 2023 08:09:13 GMT expires: - '-1' pragma: @@ -11442,7 +19658,7 @@ interactions: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: @@ -11454,25 +19670,25 @@ interactions: ParameterSetName: - -g --vault-name --yes User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1?api-version=2022-12-01 response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2UzNGVkYTAwLTA4ODgtNGE5MS04NDI3LWExMjZmZTc5ODI5NQ==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2ZlYTNkZGQ5LTI1MTctNGUyNi1hYWMyLWFjMTE2MzAyMDViZA==?api-version=2022-12-01 cache-control: - no-cache content-length: - '0' date: - - Mon, 05 Sep 2022 12:17:07 GMT + - Mon, 13 Feb 2023 08:09:15 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2UzNGVkYTAwLTA4ODgtNGE5MS04NDI3LWExMjZmZTc5ODI5NQ==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2ZlYTNkZGQ5LTI1MTctNGUyNi1hYWMyLWFjMTE2MzAyMDViZA==?api-version=2022-12-01 pragma: - no-cache strict-transport-security: @@ -11502,25 +19718,26 @@ interactions: ParameterSetName: - --name --resource-group --yes User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-compute/27.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-compute/29.1.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new?api-version=2022-03-02 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1?api-version=2022-07-02 response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/centraluseuap/DiskOperations/a290d949-2279-4a48-8c2d-4280c29688f0?p=814d4482-f746-4961-be2b-b822c13856d2&api-version=2022-03-02 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/centraluseuap/DiskOperations/431e7d5e-613b-4e9c-b793-200eac5ff912?p=814d4482-f746-4961-be2b-b822c13856d2&api-version=2022-07-02 cache-control: - no-cache content-length: - '0' date: - - Mon, 05 Sep 2022 12:17:14 GMT + - Mon, 13 Feb 2023 08:09:16 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/centraluseuap/DiskOperations/a290d949-2279-4a48-8c2d-4280c29688f0?p=814d4482-f746-4961-be2b-b822c13856d2&monitor=true&api-version=2022-03-02 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/centraluseuap/DiskOperations/431e7d5e-613b-4e9c-b793-200eac5ff912?p=814d4482-f746-4961-be2b-b822c13856d2&monitor=true&api-version=2022-07-02 pragma: - no-cache server: @@ -11533,7 +19750,7 @@ interactions: x-ms-ratelimit-remaining-resource: - Microsoft.Compute/DeleteDisks3Min;2998,Microsoft.Compute/DeleteDisks30Min;23996 x-ms-ratelimit-remaining-subscription-deletes: - - '14998' + - '14996' status: code: 202 message: Accepted @@ -11551,14 +19768,15 @@ interactions: ParameterSetName: - --name --resource-group --yes User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-compute/27.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-compute/29.1.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/centraluseuap/DiskOperations/a290d949-2279-4a48-8c2d-4280c29688f0?p=814d4482-f746-4961-be2b-b822c13856d2&api-version=2022-03-02 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/centraluseuap/DiskOperations/431e7d5e-613b-4e9c-b793-200eac5ff912?p=814d4482-f746-4961-be2b-b822c13856d2&api-version=2022-07-02 response: body: - string: "{\r\n \"startTime\": \"2022-09-05T12:17:14.0854243+00:00\",\r\n \"endTime\": - \"2022-09-05T12:17:14.3042205+00:00\",\r\n \"status\": \"Succeeded\",\r\n - \ \"name\": \"a290d949-2279-4a48-8c2d-4280c29688f0\"\r\n}" + string: "{\r\n \"startTime\": \"2023-02-13T08:09:17.5684663+00:00\",\r\n \"\ + endTime\": \"2023-02-13T08:09:17.7715857+00:00\",\r\n \"status\": \"Succeeded\"\ + ,\r\n \"name\": \"431e7d5e-613b-4e9c-b793-200eac5ff912\"\r\n}" headers: cache-control: - no-cache @@ -11567,7 +19785,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Mon, 05 Sep 2022 12:17:43 GMT + - Mon, 13 Feb 2023 08:09:47 GMT expires: - '-1' pragma: @@ -11584,7 +19802,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-resource: - - Microsoft.Compute/GetOperation3Min;49996,Microsoft.Compute/GetOperation30Min;399979 + - Microsoft.Compute/GetOperation3Min;49997,Microsoft.Compute/GetOperation30Min;399977 status: code: 200 message: OK @@ -11604,25 +19822,26 @@ interactions: ParameterSetName: - --name --resource-group --yes User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-compute/27.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-compute/29.1.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored?api-version=2022-03-02 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored?api-version=2022-07-02 response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/centraluseuap/DiskOperations/30fa8a0e-1ac6-4eb5-891c-f16f8eac6814?p=814d4482-f746-4961-be2b-b822c13856d2&api-version=2022-03-02 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/centraluseuap/DiskOperations/12306817-5c53-40a3-bd25-3d306a8d3375?p=814d4482-f746-4961-be2b-b822c13856d2&api-version=2022-07-02 cache-control: - no-cache content-length: - '0' date: - - Mon, 05 Sep 2022 12:17:47 GMT + - Mon, 13 Feb 2023 08:09:49 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/centraluseuap/DiskOperations/30fa8a0e-1ac6-4eb5-891c-f16f8eac6814?p=814d4482-f746-4961-be2b-b822c13856d2&monitor=true&api-version=2022-03-02 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/centraluseuap/DiskOperations/12306817-5c53-40a3-bd25-3d306a8d3375?p=814d4482-f746-4961-be2b-b822c13856d2&monitor=true&api-version=2022-07-02 pragma: - no-cache server: @@ -11633,7 +19852,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-resource: - - Microsoft.Compute/DeleteDisks3Min;2997,Microsoft.Compute/DeleteDisks30Min;23995 + - Microsoft.Compute/DeleteDisks3Min;2998,Microsoft.Compute/DeleteDisks30Min;23995 x-ms-ratelimit-remaining-subscription-deletes: - '14999' status: @@ -11653,23 +19872,24 @@ interactions: ParameterSetName: - --name --resource-group --yes User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-compute/27.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-compute/29.1.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/centraluseuap/DiskOperations/30fa8a0e-1ac6-4eb5-891c-f16f8eac6814?p=814d4482-f746-4961-be2b-b822c13856d2&api-version=2022-03-02 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/centraluseuap/DiskOperations/12306817-5c53-40a3-bd25-3d306a8d3375?p=814d4482-f746-4961-be2b-b822c13856d2&api-version=2022-07-02 response: body: - string: "{\r\n \"startTime\": \"2022-09-05T12:17:48.3370969+00:00\",\r\n \"endTime\": - \"2022-09-05T12:17:48.5558678+00:00\",\r\n \"status\": \"Succeeded\",\r\n - \ \"name\": \"30fa8a0e-1ac6-4eb5-891c-f16f8eac6814\"\r\n}" + string: "{\r\n \"startTime\": \"2023-02-13T08:09:49.733525+00:00\",\r\n \"\ + endTime\": \"2023-02-13T08:09:49.9366562+00:00\",\r\n \"status\": \"Succeeded\"\ + ,\r\n \"name\": \"12306817-5c53-40a3-bd25-3d306a8d3375\"\r\n}" headers: cache-control: - no-cache content-length: - - '184' + - '183' content-type: - application/json; charset=utf-8 date: - - Mon, 05 Sep 2022 12:18:18 GMT + - Mon, 13 Feb 2023 08:10:19 GMT expires: - '-1' pragma: @@ -11686,7 +19906,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-resource: - - Microsoft.Compute/GetOperation3Min;49994,Microsoft.Compute/GetOperation30Min;399977 + - Microsoft.Compute/GetOperation3Min;49996,Microsoft.Compute/GetOperation30Min;399975 status: code: 200 message: OK @@ -11706,9 +19926,10 @@ interactions: ParameterSetName: - --name --resource-group --yes User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount?api-version=2022-09-01 response: body: string: '' @@ -11720,7 +19941,7 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 05 Sep 2022 12:18:33 GMT + - Mon, 13 Feb 2023 08:10:24 GMT expires: - '-1' pragma: @@ -11732,7 +19953,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-deletes: - - '14999' + - '14997' status: code: 200 message: OK diff --git a/src/dataprotection/azext_dataprotection/tests/latest/recordings/test_dataprotection_oss.yaml b/src/dataprotection/azext_dataprotection/tests/latest/recordings/test_dataprotection_oss.yaml index 2fd6959f4bb..dd8907cddb4 100644 --- a/src/dataprotection/azext_dataprotection/tests/latest/recordings/test_dataprotection_oss.yaml +++ b/src/dataprotection/azext_dataprotection/tests/latest/recordings/test_dataprotection_oss.yaml @@ -1,1467 +1,63 @@ interactions: - request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-instance update-msi-permissions - Connection: - - keep-alive - ParameterSetName: - - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance - --keyvault-id --yes - User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault?api-version=2022-05-01 - response: - body: - string: '{"location":"centraluseuap","tags":{"Owner":"akneema","Purpose":"Testing","MABUsed":"Yes","DeleteBy":"12-9999"},"identity":{"type":"SystemAssigned","principalId":"b864e281-c12e-45c6-a0c7-6046a7de5481","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"properties":{"provisioningState":"Succeeded","storageSettings":[{"datastoreType":"VaultStore","type":"LocallyRedundant"}],"isVaultProtectedByResourceGuard":false},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault","name":"oss-clitest-vault","type":"Microsoft.DataProtection/backupVaults"}' - headers: - cache-control: - - no-cache - content-length: - - '645' - content-type: - - application/json - date: - - Mon, 05 Sep 2022 20:10:46 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '499' - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-instance update-msi-permissions - Connection: - - keep-alive - ParameterSetName: - - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance - --keyvault-id --yes - User-Agent: - - AZURECLI/2.39.0 azsdk-python-azure-mgmt-keyvault/10.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.KeyVault/vaults/oss-clitest-keyvault?api-version=2022-07-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.KeyVault/vaults/oss-clitest-keyvault","name":"oss-clitest-keyvault","type":"Microsoft.KeyVault/vaults","location":"centraluseuap","tags":{"Owner":"akneema","Purpose":"Testing","MABUsed":"Yes","DeleteBy":"12-9999"},"systemData":{"lastModifiedBy":"akneema@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-08-02T07:30:26.388Z"},"properties":{"sku":{"family":"A","name":"Standard"},"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","networkAcls":{"bypass":"AzureServices","defaultAction":"Allow","ipRules":[{"value":"20.69.149.128/32"}],"virtualNetworkRules":[]},"accessPolicies":[{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"5095196a-def9-4146-8d92-e38f24b6e378","permissions":{"keys":["Get","List","Update","Create","Import","Delete","Recover","Backup","Restore","Decrypt","Encrypt","UnwrapKey","WrapKey","Verify","Sign","Purge","Release","Rotate","GetRotationPolicy","SetRotationPolicy"],"secrets":["Get","List","Set","Delete","Recover","Backup","Restore","Purge"],"certificates":["Get","List","Update","Create","Import","Delete","Recover","Backup","Restore","ManageContacts","ManageIssuers","GetIssuers","ListIssuers","SetIssuers","DeleteIssuers","Purge"]}},{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","permissions":{"keys":["Get","List","Update","Create","Import","Delete","Recover","Backup","Restore","Decrypt","Encrypt","UnwrapKey","WrapKey","Verify","Sign","Purge","Release","Rotate","GetRotationPolicy","SetRotationPolicy"],"secrets":["Get","List","Set","Delete","Recover","Backup","Restore","Purge"],"certificates":["Get","List","Update","Create","Import","Delete","Recover","Backup","Restore","ManageContacts","ManageIssuers","GetIssuers","ListIssuers","SetIssuers","DeleteIssuers","Purge"]}},{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"f40e18f0-6544-45c2-9d24-639a8bb3b41a","permissions":{"keys":["Get","List","Backup"],"secrets":["Get","List","Backup"],"certificates":[]}},{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"b864e281-c12e-45c6-a0c7-6046a7de5481","permissions":{"secrets":["List","Get"],"keys":[],"certificates":[]}}],"enabledForDeployment":false,"enabledForDiskEncryption":false,"enabledForTemplateDeployment":false,"enableSoftDelete":true,"softDeleteRetentionInDays":90,"enableRbacAuthorization":false,"vaultUri":"https://oss-clitest-keyvault.vault.azure.net/","provisioningState":"Succeeded","publicNetworkAccess":"Enabled"}}' - headers: - cache-control: - - no-cache - content-length: - - '2584' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 05 Sep 2022 20:10:48 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-aspnet-version: - - 4.0.30319 - x-content-type-options: - - nosniff - x-ms-keyvault-service-version: - - 1.5.486.0 - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: '' - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - Content-Length: - - 0 - Content-Type: - - application/json; charset=utf-8 - User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-keyvault/7.0 - Azure-SDK-For-Python - accept-language: - - en-US - method: GET - uri: https://oss-clitest-keyvault.vault.azure.net/secrets?api-version=7.0 - response: - body: - string: '{"error":{"code":"Unauthorized","message":"AKV10000: Request is missing - a Bearer or PoP token."}}' - headers: - cache-control: - - no-cache - content-length: - - '97' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 05 Sep 2022 20:10:50 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000;includeSubDomains - www-authenticate: - - Bearer authorization="https://login.microsoftonline.com/72f988bf-86f1-41af-91ab-2d7cd011db47", - resource="https://vault.azure.net" - x-content-type-options: - - nosniff - x-ms-keyvault-network-info: - - conn_type=Ipv4;addr=167.220.238.154;act_addr_fam=InterNetwork; - x-ms-keyvault-region: - - centraluseuap - x-ms-keyvault-service-version: - - 1.9.501.1 - x-powered-by: - - ASP.NET - status: - code: 401 - message: Unauthorized -- request: - body: '' - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - Content-Length: - - 0 - Content-Type: - - application/json; charset=utf-8 - User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-keyvault/7.0 - Azure-SDK-For-Python - accept-language: - - en-US - method: GET - uri: https://oss-clitest-keyvault.vault.azure.net/secrets?api-version=7.0 - response: - body: - string: '{"value":[{"contentType":"Wrapped BEK","id":"https://oss-clitest-keyvault.vault.azure.net/secrets/ADEA19F9-2D87-46AC-91CD-492758A0C8A7","attributes":{"enabled":true,"created":1645419092,"updated":1645419092,"recoveryLevel":"Recoverable+Purgeable"},"tags":{"DiskEncryptionKeyFileName":"ADEA19F9-2D87-46AC-91CD-492758A0C8A7.BEK","VolumeLetter":"C:\\","VolumeLabel":"Windows","MachineName":"sql-clicloudtes","DiskEncryptionKeyEncryptionKeyURL":"https://oss-clitest-keyvault.vault.azure.net/keys/sql-clitest-key/fad6b3422cc1472c8bfd9f6f5b923d0d","DiskEncryptionKeyEncryptionAlgorithm":"RSA-OAEP"}},{"id":"https://oss-clitest-keyvault.vault.azure.net/secrets/oss-clitest-secret","attributes":{"enabled":true,"created":1629969650,"updated":1629969650,"recoveryLevel":"Recoverable+Purgeable"},"tags":{}}],"nextLink":null}' - headers: - cache-control: - - no-cache - content-length: - - '814' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 05 Sep 2022 20:10:51 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000;includeSubDomains - x-content-type-options: - - nosniff - x-ms-keyvault-network-info: - - conn_type=Ipv4;addr=167.220.238.154;act_addr_fam=InterNetwork; - x-ms-keyvault-region: - - centraluseuap - x-ms-keyvault-service-version: - - 1.9.501.1 - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-instance update-msi-permissions - Connection: - - keep-alive - ParameterSetName: - - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance - --keyvault-id --yes - User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) AZURECLI/2.39.0 - method: GET - uri: https://graph.microsoft.com/v1.0/servicePrincipals?$filter=servicePrincipalNames%2Fany%28c%3Ac%20eq%20%27b864e281-c12e-45c6-a0c7-6046a7de5481%27%29 - response: - body: - string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#servicePrincipals","value":[]}' - headers: - cache-control: - - no-cache - content-length: - - '92' - content-type: - - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 - date: - - Mon, 05 Sep 2022 20:10:53 GMT - odata-version: - - '4.0' - request-id: - - 8470a846-1be0-4090-ac20-e301cdb5758e - strict-transport-security: - - max-age=31536000 - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-ms-ags-diagnostic: - - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"002","RoleInstance":"MA1PEPF0000251C"}}' - x-ms-resource-unit: - - '1' - status: - code: 200 - message: OK -- request: - body: '{"ids": ["b864e281-c12e-45c6-a0c7-6046a7de5481"], "types": ["user", "group", - "servicePrincipal", "directoryObjectPartnerReference"]}' - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-instance update-msi-permissions - Connection: - - keep-alive - Content-Length: - - '132' - Content-Type: - - application/json - ParameterSetName: - - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance - --keyvault-id --yes - User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) AZURECLI/2.39.0 - method: POST - uri: https://graph.microsoft.com/v1.0/directoryObjects/getByIds - response: - body: - string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#directoryObjects","value":[{"@odata.type":"#microsoft.graph.servicePrincipal","id":"b864e281-c12e-45c6-a0c7-6046a7de5481","deletedDateTime":null,"accountEnabled":true,"alternativeNames":["isExplicit=False","/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault"],"appDisplayName":null,"appDescription":null,"appId":"49bc63b1-190a-4f4e-a962-58db2c2f7112","applicationTemplateId":null,"appOwnerOrganizationId":null,"appRoleAssignmentRequired":false,"createdDateTime":"2021-08-26T09:13:20Z","description":null,"disabledByMicrosoftStatus":null,"displayName":"oss-clitest-vault","homepage":null,"loginUrl":null,"logoutUrl":null,"notes":null,"notificationEmailAddresses":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyThumbprint":null,"replyUrls":[],"servicePrincipalNames":["49bc63b1-190a-4f4e-a962-58db2c2f7112","https://identity.azure.net/QVMExgU4rxwt5XEm5whEdHZLrmsaL9M/n/eZXzCcN54="],"servicePrincipalType":"ManagedIdentity","signInAudience":null,"tags":[],"tokenEncryptionKeyId":null,"info":null,"samlSingleSignOnSettings":null,"addIns":[],"appRoles":[],"keyCredentials":[{"customKeyIdentifier":"06DD62CA457312E21DDF22C874328A49AF671767","displayName":"CN=49bc63b1-190a-4f4e-a962-58db2c2f7112","endDateTime":"2022-10-12T18:18:00Z","key":null,"keyId":"38633d99-d5b8-4a29-b73c-49341b7f7b4f","startDateTime":"2022-07-14T18:18:00Z","type":"AsymmetricX509Cert","usage":"Verify"},{"customKeyIdentifier":"10296B63A1DD090AB64281F85000C1822BB84F58","displayName":"CN=49bc63b1-190a-4f4e-a962-58db2c2f7112","endDateTime":"2022-08-27T17:02:00Z","key":null,"keyId":"bbf02149-b332-4456-83c8-e66d2d66c8a1","startDateTime":"2022-05-29T17:02:00Z","type":"AsymmetricX509Cert","usage":"Verify"},{"customKeyIdentifier":"F0931109872A337B348A716A953CBFF5C7994B9B","displayName":"CN=49bc63b1-190a-4f4e-a962-58db2c2f7112","endDateTime":"2022-07-12T15:44:00Z","key":null,"keyId":"c6e3d740-2fe2-4b79-9125-f45fa0deca41","startDateTime":"2022-04-13T15:44:00Z","type":"AsymmetricX509Cert","usage":"Verify"}],"oauth2PermissionScopes":[],"passwordCredentials":[],"resourceSpecificApplicationPermissions":[],"verifiedPublisher":{"displayName":null,"verifiedPublisherId":null,"addedDateTime":null}}]}' - headers: - cache-control: - - no-cache - content-length: - - '2337' - content-type: - - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 - date: - - Mon, 05 Sep 2022 20:10:53 GMT - location: - - https://graph.microsoft.com - odata-version: - - '4.0' - request-id: - - e3c0aa55-1373-406f-9077-9eb564f1eee4 - strict-transport-security: - - max-age=31536000 - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-ms-ags-diagnostic: - - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"002","RoleInstance":"MA1PEPF00001470"}}' - x-ms-resource-unit: - - '3' - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-instance update-msi-permissions - Connection: - - keep-alive - ParameterSetName: - - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance - --keyvault-id --yes - User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 - Azure-SDK-For-Python AZURECLI/2.39.0 - accept-language: - - en-US - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/providers/Microsoft.Authorization/roleAssignments?$filter=atScope%28%29&api-version=2020-04-01-preview - response: - body: - string: '{"value":[{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"5c617d2b-99f8-4c90-98fe-dfe040fa33c1","principalType":"ServicePrincipal","scope":"/","condition":null,"conditionVersion":null,"createdOn":"2018-02-27T19:19:50.2663941Z","updatedOn":"2018-02-27T19:19:50.2663941Z","createdBy":null,"updatedBy":null,"delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Authorization/roleAssignments/3e883d24-b106-42ff-ad13-d7bf271b964d","type":"Microsoft.Authorization/roleAssignments","name":"3e883d24-b106-42ff-ad13-d7bf271b964d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"1d8b8d73-0cc6-4db8-b112-724b4a932253","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-26T12:22:13.7498923Z","updatedOn":"2019-08-26T12:22:13.7498923Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8c3a4de9-1ebd-47ce-9dd9-bebf87a4e28f","type":"Microsoft.Authorization/roleAssignments","name":"8c3a4de9-1ebd-47ce-9dd9-bebf87a4e28f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"1e845bc3-37db-4639-be09-d0cf1e448221","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-05-24T11:02:27.8515917Z","updatedOn":"2019-05-24T11:02:27.8515917Z","createdBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","updatedBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b5eee4d7-5f9f-4f63-8040-8aec158c289b","type":"Microsoft.Authorization/roleAssignments","name":"b5eee4d7-5f9f-4f63-8040-8aec158c289b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"235b2664-75e2-4741-bb6f-37e49babf6cd","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-02-12T11:34:59.7104212Z","updatedOn":"2020-02-12T11:34:59.7104212Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/f0618702-8404-4858-9a26-e61f23e7d44f","type":"Microsoft.Authorization/roleAssignments","name":"f0618702-8404-4858-9a26-e61f23e7d44f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8bb5b214-1182-465c-892f-ca7235abe1e7","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-11-14T08:52:42.2795010Z","updatedOn":"2019-11-14T08:52:42.2795010Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/77daac38-9839-4b00-921b-e5d5a03e728c","type":"Microsoft.Authorization/roleAssignments","name":"77daac38-9839-4b00-921b-e5d5a03e728c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"9693df58-7f72-4974-9bd3-1c3ceb0382f1","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-11-29T09:40:04.3180033Z","updatedOn":"2018-11-29T09:40:04.3180033Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ed3bf874-9c97-43f9-a5e9-b4ee6f8982f7","type":"Microsoft.Authorization/roleAssignments","name":"ed3bf874-9c97-43f9-a5e9-b4ee6f8982f7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"d1f96755-9bcf-44b8-ab82-df67360496c4","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-05-08T10:28:08.2854940Z","updatedOn":"2020-05-08T10:28:08.2854940Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/dfb3ca56-a0d4-44ce-ba35-b716c3fdab86","type":"Microsoft.Authorization/roleAssignments","name":"dfb3ca56-a0d4-44ce-ba35-b716c3fdab86"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-12-31T09:26:43.6440415Z","updatedOn":"2018-12-31T09:26:43.6440415Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/45744ea8-780f-4f3e-88aa-b73d7f6997b2","type":"Microsoft.Authorization/roleAssignments","name":"45744ea8-780f-4f3e-88aa-b73d7f6997b2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e65078fb-6b02-434a-9f11-d06bf9bc0600","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-10-25T23:42:36.3444507Z","updatedOn":"2018-10-25T23:42:36.3444507Z","createdBy":"66cb55a5-e2a8-44ef-ae4b-5ab8fa2ec8d9","updatedBy":"66cb55a5-e2a8-44ef-ae4b-5ab8fa2ec8d9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e7ce51e8-4109-41d7-bc10-538b089599db","type":"Microsoft.Authorization/roleAssignments","name":"e7ce51e8-4109-41d7-bc10-538b089599db"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"a7782e0f-1f9a-4882-b2c9-11227aad244e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-06-16T04:32:50.9673703Z","updatedOn":"2020-06-16T04:32:50.9673703Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9fa21f2f-81c3-47b6-b706-650b359b96c3","type":"Microsoft.Authorization/roleAssignments","name":"9fa21f2f-81c3-47b6-b706-650b359b96c3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"00b14177-f4d2-4a4b-94f6-6e80f75745c9","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-03-12T09:49:11.3750683Z","updatedOn":"2020-03-12T09:49:11.3750683Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fff0abf3-3cf7-46be-8bc7-1d1619a160fb","type":"Microsoft.Authorization/roleAssignments","name":"fff0abf3-3cf7-46be-8bc7-1d1619a160fb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"1d8b8d73-0cc6-4db8-b112-724b4a932253","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-26T10:28:45.4880023Z","updatedOn":"2019-08-26T10:28:45.4880023Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/397a3c9c-c258-4d4e-834d-00cc08227796","type":"Microsoft.Authorization/roleAssignments","name":"397a3c9c-c258-4d4e-834d-00cc08227796"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"235b2664-75e2-4741-bb6f-37e49babf6cd","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-12-05T04:29:28.7359096Z","updatedOn":"2018-12-05T04:29:28.7359096Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3c830f42-5f89-4d8b-8f93-d3dc936f33bd","type":"Microsoft.Authorization/roleAssignments","name":"3c830f42-5f89-4d8b-8f93-d3dc936f33bd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-04-08T08:38:50.1742930Z","updatedOn":"2020-04-08T08:38:50.1742930Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/5293a96b-830e-45f4-9e9e-22d7d020f0d8","type":"Microsoft.Authorization/roleAssignments","name":"5293a96b-830e-45f4-9e9e-22d7d020f0d8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3421d717-ca60-44e7-a9a1-773acec4e503","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-10-23T09:40:14.7658272Z","updatedOn":"2019-10-23T09:40:14.7658272Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/34b29558-faf9-43f0-a194-35ca0aa99fc5","type":"Microsoft.Authorization/roleAssignments","name":"34b29558-faf9-43f0-a194-35ca0aa99fc5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3dc88d41-4d03-4105-970d-937e56de3839","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-06-27T12:59:44.6557891Z","updatedOn":"2019-06-27T12:59:44.6557891Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e57ab8d1-ce9a-4925-b09f-2567492d9b22","type":"Microsoft.Authorization/roleAssignments","name":"e57ab8d1-ce9a-4925-b09f-2567492d9b22"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"62c799b8-9b54-4c3d-97c9-9490d16a6a9a","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-08T13:01:20.9953919Z","updatedOn":"2019-08-08T13:01:20.9953919Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e1b91810-0781-462d-9517-764e4a033822","type":"Microsoft.Authorization/roleAssignments","name":"e1b91810-0781-462d-9517-764e4a033822"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8bb5b214-1182-465c-892f-ca7235abe1e7","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-10-23T08:03:15.6803676Z","updatedOn":"2019-10-23T08:03:15.6803676Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/facbac06-ddab-437d-949a-207593fddfff","type":"Microsoft.Authorization/roleAssignments","name":"facbac06-ddab-437d-949a-207593fddfff"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"978b254a-54be-42af-80f5-e2a37b2e40e5","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-07-08T06:57:57.0377373Z","updatedOn":"2019-07-08T06:57:57.0377373Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/89be5b0a-dfa8-4bdf-b667-c6f63f7f3f0e","type":"Microsoft.Authorization/roleAssignments","name":"89be5b0a-dfa8-4bdf-b667-c6f63f7f3f0e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"9c973a07-b207-473c-9687-bd693ba8e460","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-04-17T09:14:08.7913669Z","updatedOn":"2020-04-17T09:14:08.7913669Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/950c635a-23a5-4a0e-8eb6-c53e929c9699","type":"Microsoft.Authorization/roleAssignments","name":"950c635a-23a5-4a0e-8eb6-c53e929c9699"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a4eae46b-a9d0-4586-8ac9-ba91b29f1d57","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-02-01T10:05:44.6784242Z","updatedOn":"2022-02-01T10:05:44.6784242Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8af2fb3a-292c-42a8-a870-1751c4ec4870","type":"Microsoft.Authorization/roleAssignments","name":"8af2fb3a-292c-42a8-a870-1751c4ec4870"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"85c33f6f-5d69-4b0e-bc06-95a7d3193519","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-05-04T09:52:52.7340040Z","updatedOn":"2022-05-04T09:52:52.7340040Z","createdBy":"447bbed8-9839-4d6e-9e39-fb9aeee1ec1d","updatedBy":"447bbed8-9839-4d6e-9e39-fb9aeee1ec1d","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/6a4f635c-309c-4a1d-8eea-86fb5aa91d80","type":"Microsoft.Authorization/roleAssignments","name":"6a4f635c-309c-4a1d-8eea-86fb5aa91d80"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"e6234342-a3d7-4b04-9041-3e8526f5861a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-05-12T06:55:02.9137483Z","updatedOn":"2022-05-12T06:55:02.9137483Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a5bd1b6d-0084-40ec-9126-2250536b4778","type":"Microsoft.Authorization/roleAssignments","name":"a5bd1b6d-0084-40ec-9126-2250536b4778"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"f2cee52e-3d75-4f49-acc4-b5aaf72232ee","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T11:01:05.6238088Z","updatedOn":"2022-06-03T11:01:05.6238088Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2bd63fbe-e197-434f-ba1e-016bad298ff7","type":"Microsoft.Authorization/roleAssignments","name":"2bd63fbe-e197-434f-ba1e-016bad298ff7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"8be185b2-5cbf-45c1-b9af-cbbd9b59144d","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T13:20:41.1511200Z","updatedOn":"2022-06-03T13:22:39.1076287Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/f12c7867-43e5-5530-98e9-9d8a2f39fb92","type":"Microsoft.Authorization/roleAssignments","name":"f12c7867-43e5-5530-98e9-9d8a2f39fb92"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"8be185b2-5cbf-45c1-b9af-cbbd9b59144d","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T13:37:09.9515887Z","updatedOn":"2022-06-03T14:40:22.4040874Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/bace23ac-6978-5318-a146-d49599599b02","type":"Microsoft.Authorization/roleAssignments","name":"bace23ac-6978-5318-a146-d49599599b02"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"e6234342-a3d7-4b04-9041-3e8526f5861a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-06T11:22:08.5127363Z","updatedOn":"2022-06-06T11:22:08.5127363Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/df253c65-35fc-4ff6-9a32-39b3fe20a6e3","type":"Microsoft.Authorization/roleAssignments","name":"df253c65-35fc-4ff6-9a32-39b3fe20a6e3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"5f137a67-1b88-4f98-aa20-b71a7082dc56","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-10T14:11:57.5623976Z","updatedOn":"2022-06-10T14:11:57.5623976Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e409f573-8bda-4b7e-854a-61c445d36c6f","type":"Microsoft.Authorization/roleAssignments","name":"e409f573-8bda-4b7e-854a-61c445d36c6f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-22T11:28:57.2073063Z","updatedOn":"2022-06-22T11:28:57.2073063Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c5b3bcf3-fd4c-4b57-9f73-f075ce7afccb","type":"Microsoft.Authorization/roleAssignments","name":"c5b3bcf3-fd4c-4b57-9f73-f075ce7afccb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-23T09:19:22.2256200Z","updatedOn":"2022-06-23T09:19:22.2256200Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/344b17ae-cabf-4a33-9a9d-ba30fefcbadc","type":"Microsoft.Authorization/roleAssignments","name":"344b17ae-cabf-4a33-9a9d-ba30fefcbadc"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"2b81557b-8e7a-4df8-9a41-e59844f627c2","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-23T09:25:03.9969293Z","updatedOn":"2022-06-23T09:25:03.9969293Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/13a7f7c7-7364-4f9b-ba92-5430f17b29b5","type":"Microsoft.Authorization/roleAssignments","name":"13a7f7c7-7364-4f9b-ba92-5430f17b29b5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-24T07:04:04.5965087Z","updatedOn":"2022-06-24T07:04:04.5965087Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ba604c54-80e1-490e-a123-9ef9d477536b","type":"Microsoft.Authorization/roleAssignments","name":"ba604c54-80e1-490e-a123-9ef9d477536b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-25T04:10:10.7065168Z","updatedOn":"2022-06-25T04:10:10.7065168Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/916a749f-b61f-4ba4-8c28-46217c3a7b4e","type":"Microsoft.Authorization/roleAssignments","name":"916a749f-b61f-4ba4-8c28-46217c3a7b4e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T07:37:58.3152810Z","updatedOn":"2022-06-27T07:37:58.3152810Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/0a1046d6-ba58-491f-b473-403ec29cd2be","type":"Microsoft.Authorization/roleAssignments","name":"0a1046d6-ba58-491f-b473-403ec29cd2be"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:21:12.2347431Z","updatedOn":"2022-06-27T08:21:12.2347431Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/abc6fbbe-d4a8-4315-9532-82e90334dcc9","type":"Microsoft.Authorization/roleAssignments","name":"abc6fbbe-d4a8-4315-9532-82e90334dcc9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"381295fa-e67d-4943-a2eb-90ffcf09577b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:43:17.8582970Z","updatedOn":"2022-06-27T08:43:17.8582970Z","createdBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","updatedBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b8f0bb0e-1495-48f0-aa68-33c364310cfb","type":"Microsoft.Authorization/roleAssignments","name":"b8f0bb0e-1495-48f0-aa68-33c364310cfb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"381295fa-e67d-4943-a2eb-90ffcf09577b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:43:18.7801612Z","updatedOn":"2022-06-27T08:43:18.7801612Z","createdBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","updatedBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b8eb5d9d-85e3-4ba8-9458-fdd2c48ba8e1","type":"Microsoft.Authorization/roleAssignments","name":"b8eb5d9d-85e3-4ba8-9458-fdd2c48ba8e1"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"b864e281-c12e-45c6-a0c7-6046a7de5481","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-30T10:50:49.6196941Z","updatedOn":"2022-06-30T10:50:49.6196941Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.Authorization/roleAssignments/61b7cfe4-f4db-49b0-b329-bb5fad775973","type":"Microsoft.Authorization/roleAssignments","name":"61b7cfe4-f4db-49b0-b329-bb5fad775973"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"3de34697-a180-45dc-aff8-c16061f1143b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-01T08:15:11.7388086Z","updatedOn":"2022-07-01T08:15:11.7388086Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/86db086e-0442-5eef-8ebc-1d8d28a4d03a","type":"Microsoft.Authorization/roleAssignments","name":"86db086e-0442-5eef-8ebc-1d8d28a4d03a"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3de34697-a180-45dc-aff8-c16061f1143b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-01T08:15:12.7940996Z","updatedOn":"2022-07-01T08:15:12.7940996Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/cbcefba6-df6c-5670-9e02-9e09f7964d9c","type":"Microsoft.Authorization/roleAssignments","name":"cbcefba6-df6c-5670-9e02-9e09f7964d9c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"fe7b070d-f778-4cfd-8acf-eda94f397a89","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-29T07:15:07.9544255Z","updatedOn":"2022-07-29T07:15:07.9544255Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/efb13d06-875d-40e3-81d5-195824e19188","type":"Microsoft.Authorization/roleAssignments","name":"efb13d06-875d-40e3-81d5-195824e19188"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f8520195-1c62-47ff-8c01-e394155b52f1","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-10T11:13:36.6792855Z","updatedOn":"2022-08-10T11:13:36.6792855Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3c9150af-abd1-4d00-9c16-acb375857df6","type":"Microsoft.Authorization/roleAssignments","name":"3c9150af-abd1-4d00-9c16-acb375857df6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f4bfeb83-a4cc-43e8-bee0-9808b5d0918d","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-24T05:51:56.3337713Z","updatedOn":"2022-08-24T05:51:56.3337713Z","createdBy":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","updatedBy":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3caa2a04-62bf-4a33-80f5-056840e59fb4","type":"Microsoft.Authorization/roleAssignments","name":"3caa2a04-62bf-4a33-80f5-056840e59fb4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"608ca1e9-e854-46c6-984f-d812d0e657e6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-30T13:32:28.1332524Z","updatedOn":"2022-08-30T13:32:28.1332524Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2719b245-3aeb-4cc0-92bc-6f63eea0dcbf","type":"Microsoft.Authorization/roleAssignments","name":"2719b245-3aeb-4cc0-92bc-6f63eea0dcbf"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a51d0ef9-9895-4b63-b3f8-354bb7d1a6bb","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-05-21T08:47:39.8177538Z","updatedOn":"2021-05-21T08:47:39.8177538Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/17db6abb-bc45-4967-b313-e470ec9cbbd7","type":"Microsoft.Authorization/roleAssignments","name":"17db6abb-bc45-4967-b313-e470ec9cbbd7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"93e2b483-3ffa-44f8-9965-fdb104b541a2","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-06-29T05:43:19.7216795Z","updatedOn":"2021-06-29T05:43:19.7216795Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c6aff8c2-08b1-5b1a-9c80-d91164226985","type":"Microsoft.Authorization/roleAssignments","name":"c6aff8c2-08b1-5b1a-9c80-d91164226985"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"4f285ac8-5610-4d2f-854c-bfa3d16a2679","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-11T06:55:02.4909144Z","updatedOn":"2021-07-11T06:55:02.4909144Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/0cec2ad2-d080-4126-a99f-f61c559b799c","type":"Microsoft.Authorization/roleAssignments","name":"0cec2ad2-d080-4126-a99f-f61c559b799c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"630db480-3ee6-47ec-ae72-5f917d466bad","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:16:28.8833400Z","updatedOn":"2021-07-13T10:16:28.8833400Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/37fe4b2d-0aca-4c27-8511-1e0d18063ec8","type":"Microsoft.Authorization/roleAssignments","name":"37fe4b2d-0aca-4c27-8511-1e0d18063ec8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"279982e7-46cf-4e40-9a3b-156c98285cb7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:18:48.5647062Z","updatedOn":"2021-07-13T10:18:48.5647062Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/7907f38d-57a7-431d-82d7-5dfa2ef0a628","type":"Microsoft.Authorization/roleAssignments","name":"7907f38d-57a7-431d-82d7-5dfa2ef0a628"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"790004d0-0112-41ad-92e8-95c464c34476","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:18:48.6068337Z","updatedOn":"2021-07-13T10:18:48.6068337Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8c9bda26-83c4-4d4c-b00b-c4b58301e539","type":"Microsoft.Authorization/roleAssignments","name":"8c9bda26-83c4-4d4c-b00b-c4b58301e539"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-21T06:38:43.9281998Z","updatedOn":"2021-07-21T06:38:43.9281998Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b553fa81-60dd-45d6-9781-8c2313d68b03","type":"Microsoft.Authorization/roleAssignments","name":"b553fa81-60dd-45d6-9781-8c2313d68b03"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:20.4258578Z","updatedOn":"2021-07-27T04:31:20.4258578Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/4b2f7b08-f9ef-4fc1-b9c4-2bb34fdef258","type":"Microsoft.Authorization/roleAssignments","name":"4b2f7b08-f9ef-4fc1-b9c4-2bb34fdef258"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:32.4566300Z","updatedOn":"2021-07-27T04:31:32.4566300Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8176bf09-8e96-448a-ab12-eeed360ecce2","type":"Microsoft.Authorization/roleAssignments","name":"8176bf09-8e96-448a-ab12-eeed360ecce2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:48.4577322Z","updatedOn":"2021-07-27T04:31:48.4577322Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/45949217-58cc-4c18-93f3-f4c90710ae2d","type":"Microsoft.Authorization/roleAssignments","name":"45949217-58cc-4c18-93f3-f4c90710ae2d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:20.8138038Z","updatedOn":"2021-07-27T10:13:20.8138038Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2382b52f-1ec5-430e-ae2a-74f9ed331ced","type":"Microsoft.Authorization/roleAssignments","name":"2382b52f-1ec5-430e-ae2a-74f9ed331ced"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:23.6551958Z","updatedOn":"2021-07-27T10:13:23.6551958Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e5863947-0b21-41b7-9997-c0dfc73eec29","type":"Microsoft.Authorization/roleAssignments","name":"e5863947-0b21-41b7-9997-c0dfc73eec29"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:29.6985440Z","updatedOn":"2021-07-27T10:13:29.6985440Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/28c1cefa-942f-44c5-a4d4-c33bb92abd45","type":"Microsoft.Authorization/roleAssignments","name":"28c1cefa-942f-44c5-a4d4-c33bb92abd45"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8039a424-299a-4014-8b22-4f6d6cc60065","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-11T07:08:31.9935560Z","updatedOn":"2021-08-11T07:08:31.9935560Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/69e0bcfc-b024-4d8b-a3d5-dac447f8986c","type":"Microsoft.Authorization/roleAssignments","name":"69e0bcfc-b024-4d8b-a3d5-dac447f8986c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"8f0340b8-4b70-412b-be19-c4612d49e353","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-20T11:58:29.6857641Z","updatedOn":"2021-08-20T11:58:29.6857641Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fd88236f-eacb-5303-912f-ba1741cf02bd","type":"Microsoft.Authorization/roleAssignments","name":"fd88236f-eacb-5303-912f-ba1741cf02bd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"0d8f6e68-d6c5-4a67-b6c4-3107609bbdbc","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-20T12:31:58.7980661Z","updatedOn":"2021-08-20T12:31:58.7980661Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/146f4a11-8712-583d-89eb-a7b8b82dbaa9","type":"Microsoft.Authorization/roleAssignments","name":"146f4a11-8712-583d-89eb-a7b8b82dbaa9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"e2072d83-2379-4f36-ab51-b5df7460c61e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-21T14:40:08.5987892Z","updatedOn":"2021-08-21T14:40:10.5055205Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/842af679-0b58-5eb5-b94c-ff59e4105d7e","type":"Microsoft.Authorization/roleAssignments","name":"842af679-0b58-5eb5-b94c-ff59e4105d7e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-17T09:41:38.5634940Z","updatedOn":"2021-09-17T09:41:38.5634940Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":"for - temp testing purpose"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/98fe0117-1e9c-4e37-b8a7-c4a1031d6916","type":"Microsoft.Authorization/roleAssignments","name":"98fe0117-1e9c-4e37-b8a7-c4a1031d6916"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"9c973a07-b207-473c-9687-bd693ba8e460","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-25T15:23:32.6168771Z","updatedOn":"2021-09-25T15:23:32.6168771Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/d852f084-bc9f-4258-9e2c-fcf48b9eaf85","type":"Microsoft.Authorization/roleAssignments","name":"d852f084-bc9f-4258-9e2c-fcf48b9eaf85"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"2778738c-452b-45ca-b8d6-f085836a1458","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-30T07:51:25.2399474Z","updatedOn":"2021-09-30T07:51:25.2399474Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b04a3bdf-b6a6-5ffb-9394-ee5743741597","type":"Microsoft.Authorization/roleAssignments","name":"b04a3bdf-b6a6-5ffb-9394-ee5743741597"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"0ac1f52a-325b-486a-a095-f46ffdd6a9e4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-10-26T01:59:18.6998395Z","updatedOn":"2021-10-26T01:59:18.6998395Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/53a3b238-b4b0-4d3f-b416-8d6dc8d755f6","type":"Microsoft.Authorization/roleAssignments","name":"53a3b238-b4b0-4d3f-b416-8d6dc8d755f6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"c3c0d020-16f0-44d8-9950-0250120a33ff","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-02T06:11:03.5575284Z","updatedOn":"2021-11-02T06:11:03.5575284Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/1d017732-f67e-5aa1-a4a6-47570078d9f3","type":"Microsoft.Authorization/roleAssignments","name":"1d017732-f67e-5aa1-a4a6-47570078d9f3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-10T08:59:19.7285159Z","updatedOn":"2021-11-10T08:59:19.7285159Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a60357fa-dc0a-4479-a2a9-4329c2d0ae89","type":"Microsoft.Authorization/roleAssignments","name":"a60357fa-dc0a-4479-a2a9-4329c2d0ae89"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8dd77695-d6a5-450d-a43c-67ca01be9fbc","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-12T10:55:38.3698246Z","updatedOn":"2021-11-12T10:55:38.3698246Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/dda5bb75-b74a-4430-975f-5bc9611c4b2d","type":"Microsoft.Authorization/roleAssignments","name":"dda5bb75-b74a-4430-975f-5bc9611c4b2d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/36243c78-bf99-498c-9df9-86d9f8d28608","principalId":"2152c794-9ca2-41fe-a313-2d0e1ee3eb80","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-18T06:28:12.0181010Z","updatedOn":"2021-02-18T06:28:12.0181010Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/804f6223-03eb-4091-b460-82160fc5f818","type":"Microsoft.Authorization/roleAssignments","name":"804f6223-03eb-4091-b460-82160fc5f818"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"2152c794-9ca2-41fe-a313-2d0e1ee3eb80","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-18T06:28:12.0168587Z","updatedOn":"2021-02-18T06:28:12.0168587Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8d80e2d6-315c-495c-ab2c-91ddf75edf41","type":"Microsoft.Authorization/roleAssignments","name":"8d80e2d6-315c-495c-ab2c-91ddf75edf41"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"cf46d636-b6c1-406c-aba7-b2c3d9ed07da","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-26T13:53:53.1151640Z","updatedOn":"2021-02-26T13:53:53.1151640Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/735e98ed-f4b8-4b7d-9cc9-af4f8ae77252","type":"Microsoft.Authorization/roleAssignments","name":"735e98ed-f4b8-4b7d-9cc9-af4f8ae77252"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8505e3f4-1ee7-427c-a175-a06595231d46","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-26T13:54:27.5624477Z","updatedOn":"2021-02-26T13:54:27.5624477Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/98c87a9f-b9e7-414b-8b59-bf3ec62dbc74","type":"Microsoft.Authorization/roleAssignments","name":"98c87a9f-b9e7-414b-8b59-bf3ec62dbc74"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-25T12:25:27.2277610Z","updatedOn":"2020-07-25T12:25:27.2277610Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fd6b8ff4-9edb-43f5-aa2a-32133fa09b1d","type":"Microsoft.Authorization/roleAssignments","name":"fd6b8ff4-9edb-43f5-aa2a-32133fa09b1d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"21ae6127-c385-4ae0-b895-a8559e9aa574","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-31T08:35:35.2993523Z","updatedOn":"2020-07-31T08:35:35.2993523Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/6af9fbf3-7085-4bcb-b399-88b89fac16d3","type":"Microsoft.Authorization/roleAssignments","name":"6af9fbf3-7085-4bcb-b399-88b89fac16d3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"1e845bc3-37db-4639-be09-d0cf1e448221","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-31T08:44:16.2909420Z","updatedOn":"2020-07-31T08:44:16.2909420Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/65080390-e9b5-4566-b362-d1e96c23dae2","type":"Microsoft.Authorization/roleAssignments","name":"65080390-e9b5-4566-b362-d1e96c23dae2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-11-03T06:12:01.6760584Z","updatedOn":"2020-11-03T06:12:01.6760584Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a7a12420-2dce-4a47-822e-68cadf239da3","type":"Microsoft.Authorization/roleAssignments","name":"a7a12420-2dce-4a47-822e-68cadf239da3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3282af51-433d-47e8-b2b5-633fbe0fecc0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-11-03T06:25:32.6790913Z","updatedOn":"2020-11-03T06:25:32.6790913Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/36da831d-10ce-4f42-ba28-362960f6ea36","type":"Microsoft.Authorization/roleAssignments","name":"36da831d-10ce-4f42-ba28-362960f6ea36"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-10-04T07:35:39.6626948Z","updatedOn":"2019-10-04T07:35:39.6626948Z","createdBy":"8031e009-cc05-4950-8a8d-78942c4492ac","updatedBy":"8031e009-cc05-4950-8a8d-78942c4492ac","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/730fa65e-c74c-4c3d-9cc3-9457f9b97274","type":"Microsoft.Authorization/roleAssignments","name":"730fa65e-c74c-4c3d-9cc3-9457f9b97274"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-04-08T01:03:29.8241478Z","updatedOn":"2021-04-08T01:03:29.8241478Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/63818ccb-a05c-4083-9e1d-64b4c7c0e1cd","type":"Microsoft.Authorization/roleAssignments","name":"63818ccb-a05c-4083-9e1d-64b4c7c0e1cd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"c87d9afe-4463-41d5-81e3-3bd162af9183","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-07-10T09:38:17.4348497Z","updatedOn":"2019-07-10T09:38:17.4348497Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/ebc56c6d-c5de-4d99-b166-89d4ac815acd","type":"Microsoft.Authorization/roleAssignments","name":"ebc56c6d-c5de-4d99-b166-89d4ac815acd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-03-15T11:01:18.6794974Z","updatedOn":"2019-03-15T11:01:18.6794974Z","createdBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","updatedBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/9fb9b151-1d53-4eff-9336-75cf634e1e3d","type":"Microsoft.Authorization/roleAssignments","name":"9fb9b151-1d53-4eff-9336-75cf634e1e3d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f87f6638-3a1b-4562-8603-aacd59537149","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-05-03T06:47:05.1411825Z","updatedOn":"2019-05-03T06:47:05.1411825Z","createdBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","updatedBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/24ffbb29-061f-4b1d-8c26-c6e90ef53303","type":"Microsoft.Authorization/roleAssignments","name":"24ffbb29-061f-4b1d-8c26-c6e90ef53303"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"becb4b6b-fe16-413b-a5c3-90355e0b2982","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-06-26T06:33:50.1123976Z","updatedOn":"2019-06-26T06:33:50.1123976Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/4c3721e8-06f4-4115-a2d8-90c4a9a57d56","type":"Microsoft.Authorization/roleAssignments","name":"4c3721e8-06f4-4115-a2d8-90c4a9a57d56"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-04-07T16:59:19.6098216Z","updatedOn":"2021-04-07T16:59:19.6098216Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/9d2de631-e451-450b-8237-e5bc19624eee","type":"Microsoft.Authorization/roleAssignments","name":"9d2de631-e451-450b-8237-e5bc19624eee"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"b1b96a90-235c-4668-a931-ee1c08db7681","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-02-01T04:47:38.5676012Z","updatedOn":"2021-02-01T04:47:38.5676012Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/a9e38032-c21b-4c41-8960-1c9c982d98e2","type":"Microsoft.Authorization/roleAssignments","name":"a9e38032-c21b-4c41-8960-1c9c982d98e2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a51d0ef9-9895-4b63-b3f8-354bb7d1a6bb","principalType":"Group","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-03-03T05:31:57.4716459Z","updatedOn":"2021-03-03T05:31:57.4716459Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/77aa0ff2-42c2-4e01-a51d-01cf2dd7ce04","type":"Microsoft.Authorization/roleAssignments","name":"77aa0ff2-42c2-4e01-a51d-01cf2dd7ce04"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"ce2366a6-64d7-441b-939c-c9d23f91cccd","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47","condition":null,"conditionVersion":null,"createdOn":"2020-03-12T20:43:06.5941189Z","updatedOn":"2020-03-12T20:43:06.5941189Z","createdBy":"606f48c8-d219-4875-991d-ae6befaf0756","updatedBy":"606f48c8-d219-4875-991d-ae6befaf0756","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47/providers/Microsoft.Authorization/roleAssignments/ad9e2cd7-0ff7-4931-9b17-656c8f17934b","type":"Microsoft.Authorization/roleAssignments","name":"ad9e2cd7-0ff7-4931-9b17-656c8f17934b"}]}' - headers: - cache-control: - - no-cache - content-length: - - '74571' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 05 Sep 2022 20:10:54 GMT - expires: - - '-1' - pragma: - - no-cache - set-cookie: - - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-instance update-msi-permissions - Connection: - - keep-alive - Cookie: - - x-ms-gateway-slice=Production - ParameterSetName: - - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance - --keyvault-id --yes - User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 - Azure-SDK-For-Python AZURECLI/2.39.0 - accept-language: - - en-US - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Reader%27&api-version=2018-01-01-preview - response: - body: - string: '{"value":[{"properties":{"roleName":"Reader","type":"BuiltInRole","description":"View - all resources, but does not allow you to make any changes.","assignableScopes":["/"],"permissions":[{"actions":["*/read"],"notActions":[],"dataActions":[],"notDataActions":[]}],"createdOn":"2015-02-02T21:55:09.8806423Z","updatedOn":"2021-11-11T20:13:47.8628684Z","createdBy":null,"updatedBy":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","type":"Microsoft.Authorization/roleDefinitions","name":"acdd72a7-3385-48ef-bd42-f606fba81ae7"}]}' - headers: - cache-control: - - no-cache - content-length: - - '627' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 05 Sep 2022 20:10:56 GMT - expires: - - '-1' - pragma: - - no-cache - set-cookie: - - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null + body: '{"backupInstance": {"dataSourceInfo": {"datasourceType": "Microsoft.DBforPostgreSQL/servers/databases", + "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres", + "resourceLocation": "centraluseuap", "resourceName": "postgres", "resourceType": + "Microsoft.DBforPostgreSQL/servers/databases", "resourceUri": ""}, "dataSourceSetInfo": + {"datasourceType": "Microsoft.DBforPostgreSQL/servers/databases", "objectType": + "DatasourceSet", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server", + "resourceLocation": "centraluseuap", "resourceName": "oss-clitest-server", "resourceType": + "Microsoft.DBforPostgreSQL/servers", "resourceUri": ""}, "policyInfo": {"policyId": + "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy"}, + "datasourceAuthCredentials": {"objectType": "SecretStoreBasedAuthCredentials", + "secretStoreResource": {"uri": "https://oss-clitest-keyvault.vault.azure.net/secrets/oss-clitest-secret", + "secretStoreType": "AzureKeyVault"}}, "objectType": "BackupInstance"}}' headers: Accept: - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance update-msi-permissions - Connection: - - keep-alive - Cookie: - - x-ms-gateway-slice=Production - ParameterSetName: - - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance - --keyvault-id --yes - User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 - Azure-SDK-For-Python AZURECLI/2.39.0 - accept-language: - - en-US - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/providers/Microsoft.Authorization/roleDefinitions?api-version=2018-01-01-preview - response: - body: - string: "{\"value\":[{\"properties\":{\"roleName\":\"Avere Cluster Create\",\"type\":\"CustomRole\",\"description\":\"Avere - cluster create role used by the Avere controller to create a vFXT cluster.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Authorization/roleAssignments/*\",\"Microsoft.Authorization/roleDefinitions/*\",\"Microsoft.Compute/*/read\",\"Microsoft.Compute/availabilitySets/*\",\"Microsoft.Compute/virtualMachines/*\",\"Microsoft.Network/*/read\",\"Microsoft.Network/networkInterfaces/*\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/resourceGroups/resources/read\",\"Microsoft.Storage/*/read\",\"Microsoft.Storage/storageAccounts/listKeys/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-11-29T18:46:55.0492387Z\",\"updatedOn\":\"2018-11-29T18:46:55.0492387Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a7b1b19a-0e83-4fe5-935c-faaefbfd18c3\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a7b1b19a-0e83-4fe5-935c-faaefbfd18c3\"},{\"properties\":{\"roleName\":\"Avere - Cluster Runtime Operator\",\"type\":\"CustomRole\",\"description\":\"Avere - cluster runtime role used by Avere clusters running in subscriptions, for - the purpose of failing over IP addresses, accessing BLOB storage, etc\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Network/networkInterfaces/write\",\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/networkSecurityGroups/join/action\",\"Microsoft.Network/routeTables/read\",\"Microsoft.Network/routeTables/routes/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/delete\",\"Microsoft.Storage/storageAccounts/blobServices/containers/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/write\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/delete\",\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/write\"],\"notDataActions\":[]}],\"createdOn\":\"2018-08-26T00:41:26.2170858Z\",\"updatedOn\":\"2018-08-26T00:41:26.2170858Z\",\"createdBy\":\"dda50086-5e3d-4a4b-b8bc-f54771104d89\",\"updatedBy\":\"dda50086-5e3d-4a4b-b8bc-f54771104d89\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e078ab98-ef3a-4c9a-aba7-12f5172b45d0\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e078ab98-ef3a-4c9a-aba7-12f5172b45d0\"},{\"properties\":{\"roleName\":\"Azure - Service Deploy Release Management Contributor\",\"type\":\"CustomRole\",\"description\":\"Contributor - role for services deploying through Azure Service Deploy.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*\"],\"notActions\":[\"Microsoft.Authorization/*/Delete\",\"Microsoft.Authorization/*/Write\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-02-04T02:26:31.5413362Z\",\"updatedOn\":\"2018-01-08T20:20:16.3660174Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/21d96096-b162-414a-8302-d8354f9d91b2\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"21d96096-b162-414a-8302-d8354f9d91b2\"},{\"properties\":{\"roleName\":\"CAL-Custom-Role\",\"type\":\"CustomRole\",\"description\":\"Lets - SAP Cloud Appliance Library application manage Network and Compute services, - manage Resource Groups and Management locks.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/locks/*\",\"Microsoft.Authorization/roleDefinitions/*\",\"Microsoft.Authorization/roleAssignments/*\",\"Microsoft.Compute/*\",\"Microsoft.Network/*\",\"Microsoft.Resources/*\",\"Microsoft.Storage/*\",\"Microsoft.ContainerService/*\",\"Microsoft.ContainerRegistry/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-05-14T19:30:51.0664585Z\",\"updatedOn\":\"2019-02-19T19:11:57.5963229Z\",\"createdBy\":\"dda50086-5e3d-4a4b-b8bc-f54771104d89\",\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7b266cd7-0bba-4ae2-8423-90ede5e1e898\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7b266cd7-0bba-4ae2-8423-90ede5e1e898\"},{\"properties\":{\"roleName\":\"Dsms - Role (deprecated)\",\"type\":\"CustomRole\",\"description\":\"Custom role - used by Dsms to perform operations. Can list and regnerate storage account - keys.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ClassicStorage/storageAccounts/listKeys/action\",\"Microsoft.ClassicStorage/storageAccounts/regenerateKey/action\",\"Microsoft.Storage/storageAccounts/listkeys/action\",\"Microsoft.Storage/storageAccounts/regeneratekey/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-05-17T18:02:11.1225951Z\",\"updatedOn\":\"2018-01-13T00:21:52.7211696Z\",\"createdBy\":\"ca5f3715-e7dd-427b-b2db-45b6a4a2df87\",\"updatedBy\":\"ca5f3715-e7dd-427b-b2db-45b6a4a2df87\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b91f4c0b-46e3-47bb-a242-eecfe23b3b5b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b91f4c0b-46e3-47bb-a242-eecfe23b3b5b\"},{\"properties\":{\"roleName\":\"Dsms - Role (do not use)\",\"type\":\"CustomRole\",\"description\":\"Custom role - used by Dsms to perform operations. Can list and regnerate storage account - keys.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ClassicStorage/storageAccounts/listKeys/action\",\"Microsoft.ClassicStorage/storageAccounts/regenerateKey/action\",\"Microsoft.Storage/storageAccounts/listkeys/action\",\"Microsoft.Storage/storageAccounts/regeneratekey/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-02-01T07:56:12.5880222Z\",\"updatedOn\":\"2018-08-09T17:53:48.5432297Z\",\"createdBy\":\"becb4b6b-fe16-413b-a5c3-90355e0b2982\",\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7aff565e-6c55-448d-83db-ccf482c6da2f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7aff565e-6c55-448d-83db-ccf482c6da2f\"},{\"properties\":{\"roleName\":\"ExpressRoute - Administrator\",\"type\":\"CustomRole\",\"description\":\"Can create, delete - and manage ExpressRoutes\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/locks/*\",\"Microsoft.Authorization/policyAssignments/*\",\"Microsoft.Authorization/policyDefinitions/*\",\"Microsoft.Authorization/roleAssignments/*\",\"Microsoft.ClassicNetwork/*\",\"Microsoft.EventGrid/*\",\"Microsoft.Insights/*\",\"Microsoft.Network/*\",\"Microsoft.Resources/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-08-31T03:51:32.2843055Z\",\"updatedOn\":\"2019-03-20T22:55:18.8222085Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a48d7896-14b4-4889-afef-fbb65a96e5a2\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a48d7896-14b4-4889-afef-fbb65a96e5a2\"},{\"properties\":{\"roleName\":\"GenevaWarmPathResourceContributor\",\"type\":\"CustomRole\",\"description\":\"Can - manage service bus and storage accounts.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.EventHub/namespaces/*\",\"Microsoft.Resources/subscriptions/resourceGroups/*\",\"Microsoft.ServiceBus/namespaces/*\",\"Microsoft.Storage/storageAccounts/*\",\"Microsoft.Storage/storageAccounts/managementPolicies/write\",\"Microsoft.Storage/storageAccounts/managementPolicies/read\",\"Microsoft.Storage/storageAccounts/managementPolicies/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-03-14T22:30:10.1999436Z\",\"updatedOn\":\"2022-02-28T23:26:40.0052537Z\",\"createdBy\":null,\"updatedBy\":\"acis\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9f15f5f5-77bd-413a-aa88-4b9c68b1e7bc\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"9f15f5f5-77bd-413a-aa88-4b9c68b1e7bc\"},{\"properties\":{\"roleName\":\"masterreader\",\"type\":\"CustomRole\",\"description\":\"Lets - you view everything, but not make any changes.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-11-14T23:38:05.3353858Z\",\"updatedOn\":\"2017-11-14T23:38:05.3353858Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a48d7796-14b4-4889-afef-fbb65a93e5a2\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a48d7796-14b4-4889-afef-fbb65a93e5a2\"},{\"properties\":{\"roleName\":\"Microsoft - OneAsset Reader\",\"type\":\"CustomRole\",\"description\":\"This role is for - Microsoft OneAsset team (CSEO) to track internal security compliance and resource - utilization.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/virtualMachines/*/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-03-27T23:51:08.6333052Z\",\"updatedOn\":\"2019-04-02T20:35:43.3396263Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fd1bb084-1503-4bd2-99c0-630220046786\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fd1bb084-1503-4bd2-99c0-630220046786\"},{\"properties\":{\"roleName\":\"Office - DevOps\",\"type\":\"CustomRole\",\"description\":\"Custom access for developers - to operations but not secrets.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/virtualMachineScaleSets/restart/action\",\"Microsoft.Compute/virtualMachineScaleSets/virtualMachines/restart/action\",\"Microsoft.Sql/servers/databases/replicationLinks/delete\",\"Microsoft.Sql/servers/databases/replicationLinks/failover/action\",\"Microsoft.Sql/servers/databases/replicationLinks/forceFailoverAllowDataLoss/action\",\"Microsoft.Sql/servers/databases/replicationLinks/operationResults/read\",\"Microsoft.Sql/servers/databases/replicationLinks/read\",\"Microsoft.Sql/servers/databases/replicationLinks/unlink/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-10-07T08:11:46.1639398Z\",\"updatedOn\":\"2017-03-16T18:43:08.3234306Z\",\"createdBy\":\"25aea6be-b605-4347-a92d-33e178e412ec\",\"updatedBy\":\"25aea6be-b605-4347-a92d-33e178e412ec\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7fd64851-3279-459b-b614-e2b2ba760f5b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7fd64851-3279-459b-b614-e2b2ba760f5b\"},{\"properties\":{\"roleName\":\"GenevaWarmPathStorageBlobContributor\",\"type\":\"CustomRole\",\"description\":\"Geneva - Warm Path Storage Blob Contributor\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/delete\",\"Microsoft.Storage/storageAccounts/blobServices/containers/lease/action\",\"Microsoft.Storage/storageAccounts/blobServices/containers/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/write\",\"Microsoft.Storage/storageAccounts/blobServices/containers/immutabilityPolicies/lock/action\",\"Microsoft.Storage/storageAccounts/blobServices/containers/immutabilityPolicies/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/immutabilityPolicies/write\",\"Microsoft.Storage/storageAccounts/blobServices/containers/immutabilityPolicies/extend/action\",\"Microsoft.Storage/storageAccounts/blobServices/containers/immutabilityPolicies/delete\",\"Microsoft.Storage/storageAccounts/managementPolicies/write\",\"Microsoft.Storage/storageAccounts/managementPolicies/read\",\"Microsoft.Storage/storageAccounts/managementPolicies/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-12-06T22:46:27.1365630Z\",\"updatedOn\":\"2022-02-28T23:26:40.4152515Z\",\"createdBy\":null,\"updatedBy\":\"acis\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a16c43ca-2d67-4dcd-9ded-6412f5edc51a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a16c43ca-2d67-4dcd-9ded-6412f5edc51a\"},{\"properties\":{\"roleName\":\"Azure - Service Deploy Release Management Restricted Owner\",\"type\":\"CustomRole\",\"description\":\"Restricted - owner role for services deploying through Azure Service Deploy.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*\"],\"notActions\":[\"Microsoft.Authorization/*/Delete\",\"Microsoft.Authorization/*/Write\"],\"dataActions\":[],\"notDataActions\":[]},{\"actions\":[\"Microsoft.Authorization/roleAssignments/write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]},{\"actions\":[\"Microsoft.Authorization/locks/write\",\"Microsoft.Authorization/policyassignments/write\",\"Microsoft.Authorization/policydefinitions/write\",\"Microsoft.Authorization/policysetdefinitions/write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-03-07T22:16:06.8803898Z\",\"updatedOn\":\"2022-03-07T22:16:06.8803898Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/94ddc4bc-25f5-4f3e-b527-c587da93cfe4\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"94ddc4bc-25f5-4f3e-b527-c587da93cfe4\"},{\"properties\":{\"roleName\":\"Azure - Service Deploy Test Release Management Key Vault Secrets User\",\"type\":\"CustomRole\",\"description\":\"Read - secret and certificate contents. Only works for key vaults that use the 'Azure - role-based access control' permission model.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/secrets/getSecret/action\",\"Microsoft.KeyVault/vaults/certificates/read\"],\"notDataActions\":[]}],\"createdOn\":\"2022-07-20T22:52:19.9944274Z\",\"updatedOn\":\"2022-08-31T23:25:32.0649353Z\",\"createdBy\":\"19669f00-ee56-44ec-94c3-83159a41292e\",\"updatedBy\":\"19669f00-ee56-44ec-94c3-83159a41292e\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/87d31636-ad85-4caa-802d-1535972b5612\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"87d31636-ad85-4caa-802d-1535972b5612\"},{\"properties\":{\"roleName\":\"AcrPush\",\"type\":\"BuiltInRole\",\"description\":\"acr - push\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerRegistry/registries/pull/read\",\"Microsoft.ContainerRegistry/registries/push/write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-10-29T17:52:32.5201177Z\",\"updatedOn\":\"2021-11-11T20:13:07.4993029Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8311e382-0749-4cb8-b61a-304f252e45ec\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8311e382-0749-4cb8-b61a-304f252e45ec\"},{\"properties\":{\"roleName\":\"API - Management Service Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can - manage service and the APIs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ApiManagement/service/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8650193Z\",\"updatedOn\":\"2021-11-11T20:13:08.3179618Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/312a565d-c81f-4fd8-895a-4e21e48d571c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"312a565d-c81f-4fd8-895a-4e21e48d571c\"},{\"properties\":{\"roleName\":\"AcrPull\",\"type\":\"BuiltInRole\",\"description\":\"acr - pull\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerRegistry/registries/pull/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-10-22T19:01:56.8227182Z\",\"updatedOn\":\"2021-11-11T20:13:08.8779328Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7f951dda-4ed3-4680-a7ca-43fe172d538d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7f951dda-4ed3-4680-a7ca-43fe172d538d\"},{\"properties\":{\"roleName\":\"AcrImageSigner\",\"type\":\"BuiltInRole\",\"description\":\"acr - image signer\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerRegistry/registries/sign/write\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerRegistry/registries/trustedCollections/write\"],\"notDataActions\":[]}],\"createdOn\":\"2018-03-15T23:23:08.4038322Z\",\"updatedOn\":\"2021-11-11T20:13:09.6070759Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6cef56e8-d556-48e5-a04f-b8e64114680f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6cef56e8-d556-48e5-a04f-b8e64114680f\"},{\"properties\":{\"roleName\":\"AcrDelete\",\"type\":\"BuiltInRole\",\"description\":\"acr - delete\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerRegistry/registries/artifacts/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-03-11T20:19:31.6682804Z\",\"updatedOn\":\"2021-11-11T20:13:09.9631744Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c2f4ef07-c644-48eb-af81-4b1b4947fb11\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c2f4ef07-c644-48eb-af81-4b1b4947fb11\"},{\"properties\":{\"roleName\":\"AcrQuarantineReader\",\"type\":\"BuiltInRole\",\"description\":\"acr - quarantine data reader\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerRegistry/registries/quarantine/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerRegistry/registries/quarantinedArtifacts/read\"],\"notDataActions\":[]}],\"createdOn\":\"2018-03-16T00:27:39.9596835Z\",\"updatedOn\":\"2021-11-11T20:13:10.3188052Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/cdda3590-29a3-44f6-95f2-9f980659eb04\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"cdda3590-29a3-44f6-95f2-9f980659eb04\"},{\"properties\":{\"roleName\":\"AcrQuarantineWriter\",\"type\":\"BuiltInRole\",\"description\":\"acr - quarantine data writer\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerRegistry/registries/quarantine/read\",\"Microsoft.ContainerRegistry/registries/quarantine/write\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerRegistry/registries/quarantinedArtifacts/read\",\"Microsoft.ContainerRegistry/registries/quarantinedArtifacts/write\"],\"notDataActions\":[]}],\"createdOn\":\"2018-03-16T00:26:37.5871820Z\",\"updatedOn\":\"2021-11-11T20:13:11.3488079Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c8d4ff99-41c3-41a8-9f60-21dfdad59608\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c8d4ff99-41c3-41a8-9f60-21dfdad59608\"},{\"properties\":{\"roleName\":\"API - Management Service Operator Role\",\"type\":\"BuiltInRole\",\"description\":\"Can - manage service but not the APIs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ApiManagement/service/*/read\",\"Microsoft.ApiManagement/service/backup/action\",\"Microsoft.ApiManagement/service/delete\",\"Microsoft.ApiManagement/service/managedeployments/action\",\"Microsoft.ApiManagement/service/read\",\"Microsoft.ApiManagement/service/restore/action\",\"Microsoft.ApiManagement/service/updatecertificate/action\",\"Microsoft.ApiManagement/service/updatehostname/action\",\"Microsoft.ApiManagement/service/write\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[\"Microsoft.ApiManagement/service/users/keys/read\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-11-09T00:03:42.1194019Z\",\"updatedOn\":\"2021-11-11T20:13:11.5244023Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e022efe7-f5ba-4159-bbe4-b44f577e9b61\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e022efe7-f5ba-4159-bbe4-b44f577e9b61\"},{\"properties\":{\"roleName\":\"API - Management Service Reader Role\",\"type\":\"BuiltInRole\",\"description\":\"Read-only - access to service and APIs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ApiManagement/service/*/read\",\"Microsoft.ApiManagement/service/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[\"Microsoft.ApiManagement/service/users/keys/read\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-11-09T00:26:45.1540473Z\",\"updatedOn\":\"2021-11-11T20:13:11.8704466Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/71522526-b88f-4d52-b57f-d31fc3546d0d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"71522526-b88f-4d52-b57f-d31fc3546d0d\"},{\"properties\":{\"roleName\":\"Application - Insights Component Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can - manage Application Insights components\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/generateLiveToken/read\",\"Microsoft.Insights/metricAlerts/*\",\"Microsoft.Insights/components/*\",\"Microsoft.Insights/scheduledqueryrules/*\",\"Microsoft.Insights/topology/read\",\"Microsoft.Insights/transactions/read\",\"Microsoft.Insights/webtests/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:12.6428401Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ae349356-3a1b-4a5e-921d-050484c6347e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ae349356-3a1b-4a5e-921d-050484c6347e\"},{\"properties\":{\"roleName\":\"Application - Insights Snapshot Debugger\",\"type\":\"BuiltInRole\",\"description\":\"Gives - user permission to use Application Insights Snapshot Debugger features\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/components/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-04-19T21:25:12.3728747Z\",\"updatedOn\":\"2021-11-11T20:13:13.0034435Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/08954f03-6346-4c2e-81c0-ec3a5cfae23b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"08954f03-6346-4c2e-81c0-ec3a5cfae23b\"},{\"properties\":{\"roleName\":\"Attestation - Reader\",\"type\":\"BuiltInRole\",\"description\":\"Can read the attestation - provider properties\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Attestation/attestationProviders/attestation/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-03-25T19:42:59.1576710Z\",\"updatedOn\":\"2021-11-11T20:13:13.3634724Z\",\"createdBy\":null,\"updatedBy\":\"SYSTEM\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fd1bd22b-8476-40bc-a0bc-69b95687b9f3\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fd1bd22b-8476-40bc-a0bc-69b95687b9f3\"},{\"properties\":{\"roleName\":\"Automation - Job Operator\",\"type\":\"BuiltInRole\",\"description\":\"Create and Manage - Jobs using Automation Runbooks.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Automation/automationAccounts/hybridRunbookWorkerGroups/read\",\"Microsoft.Automation/automationAccounts/jobs/read\",\"Microsoft.Automation/automationAccounts/jobs/resume/action\",\"Microsoft.Automation/automationAccounts/jobs/stop/action\",\"Microsoft.Automation/automationAccounts/jobs/streams/read\",\"Microsoft.Automation/automationAccounts/jobs/suspend/action\",\"Microsoft.Automation/automationAccounts/jobs/write\",\"Microsoft.Automation/automationAccounts/jobs/output/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-04-19T20:52:41.0020018Z\",\"updatedOn\":\"2021-11-11T20:13:13.7065660Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4fe576fe-1146-4730-92eb-48519fa6bf9f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4fe576fe-1146-4730-92eb-48519fa6bf9f\"},{\"properties\":{\"roleName\":\"Automation - Runbook Operator\",\"type\":\"BuiltInRole\",\"description\":\"Read Runbook - properties - to be able to create Jobs of the runbook.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Automation/automationAccounts/runbooks/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-04-19T20:47:49.5640674Z\",\"updatedOn\":\"2021-11-11T20:13:13.8815461Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5fb5aef8-1081-4b8e-bb16-9d5d0385bab5\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5fb5aef8-1081-4b8e-bb16-9d5d0385bab5\"},{\"properties\":{\"roleName\":\"Automation - Operator\",\"type\":\"BuiltInRole\",\"description\":\"Automation Operators - are able to start, stop, suspend, and resume jobs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Automation/automationAccounts/hybridRunbookWorkerGroups/read\",\"Microsoft.Automation/automationAccounts/jobs/read\",\"Microsoft.Automation/automationAccounts/jobs/resume/action\",\"Microsoft.Automation/automationAccounts/jobs/stop/action\",\"Microsoft.Automation/automationAccounts/jobs/streams/read\",\"Microsoft.Automation/automationAccounts/jobs/suspend/action\",\"Microsoft.Automation/automationAccounts/jobs/write\",\"Microsoft.Automation/automationAccounts/jobSchedules/read\",\"Microsoft.Automation/automationAccounts/jobSchedules/write\",\"Microsoft.Automation/automationAccounts/linkedWorkspace/read\",\"Microsoft.Automation/automationAccounts/read\",\"Microsoft.Automation/automationAccounts/runbooks/read\",\"Microsoft.Automation/automationAccounts/schedules/read\",\"Microsoft.Automation/automationAccounts/schedules/write\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Automation/automationAccounts/jobs/output/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-08-18T01:05:03.3916130Z\",\"updatedOn\":\"2021-11-11T20:13:14.0515408Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d3881f73-407a-4167-8283-e981cbba0404\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d3881f73-407a-4167-8283-e981cbba0404\"},{\"properties\":{\"roleName\":\"Avere - Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can create and manage - an Avere vFXT cluster.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Compute/*/read\",\"Microsoft.Compute/availabilitySets/*\",\"Microsoft.Compute/proximityPlacementGroups/*\",\"Microsoft.Compute/virtualMachines/*\",\"Microsoft.Compute/disks/*\",\"Microsoft.Network/*/read\",\"Microsoft.Network/networkInterfaces/*\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/virtualNetworks/subnets/joinViaServiceEndpoint/action\",\"Microsoft.Network/networkSecurityGroups/join/action\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/*/read\",\"Microsoft.Storage/storageAccounts/*\",\"Microsoft.Support/*\",\"Microsoft.Resources/subscriptions/resourceGroups/resources/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/delete\",\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/write\"],\"notDataActions\":[]}],\"createdOn\":\"2019-03-18T20:00:58.9207889Z\",\"updatedOn\":\"2021-11-11T20:13:14.2265665Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4f8fab4f-1852-4a58-a46a-8eaf358af14a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4f8fab4f-1852-4a58-a46a-8eaf358af14a\"},{\"properties\":{\"roleName\":\"Avere - Operator\",\"type\":\"BuiltInRole\",\"description\":\"Used by the Avere vFXT - cluster to manage the cluster\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Network/networkInterfaces/write\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/networkSecurityGroups/join/action\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/delete\",\"Microsoft.Storage/storageAccounts/blobServices/containers/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/write\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/delete\",\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/write\"],\"notDataActions\":[]}],\"createdOn\":\"2019-03-18T20:02:38.3399857Z\",\"updatedOn\":\"2021-11-11T20:13:15.1065886Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c025889f-8102-4ebf-b32c-fc0c6f0c6bd9\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c025889f-8102-4ebf-b32c-fc0c6f0c6bd9\"},{\"properties\":{\"roleName\":\"Azure - Kubernetes Service Cluster Admin Role\",\"type\":\"BuiltInRole\",\"description\":\"List - cluster admin credential action.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerService/managedClusters/listClusterAdminCredential/action\",\"Microsoft.ContainerService/managedClusters/accessProfiles/listCredential/action\",\"Microsoft.ContainerService/managedClusters/read\",\"Microsoft.ContainerService/managedClusters/runcommand/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-08-15T21:38:18.5953853Z\",\"updatedOn\":\"2022-05-16T21:40:14.0457546Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0ab0b1a8-8aac-4efd-b8c2-3ee1fb270be8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0ab0b1a8-8aac-4efd-b8c2-3ee1fb270be8\"},{\"properties\":{\"roleName\":\"Azure - Kubernetes Service Cluster User Role\",\"type\":\"BuiltInRole\",\"description\":\"List - cluster user credential action.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerService/managedClusters/listClusterUserCredential/action\",\"Microsoft.ContainerService/managedClusters/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-08-15T22:04:53.4037241Z\",\"updatedOn\":\"2021-11-11T20:13:20.4351976Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4abbcc35-e782-43d8-92c5-2d3f1bd2253f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4abbcc35-e782-43d8-92c5-2d3f1bd2253f\"},{\"properties\":{\"roleName\":\"Azure - Maps Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Grants access - to read map related data from an Azure maps account.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Maps/accounts/*/read\"],\"notDataActions\":[]}],\"createdOn\":\"2018-10-05T19:47:03.4723070Z\",\"updatedOn\":\"2021-11-11T20:13:20.9582685Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/423170ca-a8f6-4b0f-8487-9e4eb8f49bfa\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"423170ca-a8f6-4b0f-8487-9e4eb8f49bfa\"},{\"properties\":{\"roleName\":\"Azure - Stack Registration Owner\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you manage Azure Stack registrations.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.AzureStack/edgeSubscriptions/read\",\"Microsoft.AzureStack/registrations/products/*/action\",\"Microsoft.AzureStack/registrations/products/read\",\"Microsoft.AzureStack/registrations/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-11-13T23:42:06.2161827Z\",\"updatedOn\":\"2021-11-11T20:13:23.2957820Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6f12a6df-dd06-4f3e-bcb1-ce8be600526a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6f12a6df-dd06-4f3e-bcb1-ce8be600526a\"},{\"properties\":{\"roleName\":\"Backup - Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage backup - service,but can't create vaults and give access to others\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.RecoveryServices/locations/*\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/operationResults/*\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/*\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/refreshContainers/action\",\"Microsoft.RecoveryServices/Vaults/backupJobs/*\",\"Microsoft.RecoveryServices/Vaults/backupJobsExport/action\",\"Microsoft.RecoveryServices/Vaults/backupOperationResults/*\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/*\",\"Microsoft.RecoveryServices/Vaults/backupProtectableItems/*\",\"Microsoft.RecoveryServices/Vaults/backupProtectedItems/*\",\"Microsoft.RecoveryServices/Vaults/backupProtectionContainers/*\",\"Microsoft.RecoveryServices/Vaults/backupSecurityPIN/*\",\"Microsoft.RecoveryServices/Vaults/backupUsageSummaries/read\",\"Microsoft.RecoveryServices/Vaults/certificates/*\",\"Microsoft.RecoveryServices/Vaults/extendedInformation/*\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/read\",\"Microsoft.RecoveryServices/Vaults/monitoringConfigurations/*\",\"Microsoft.RecoveryServices/Vaults/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/*\",\"Microsoft.RecoveryServices/Vaults/usages/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.RecoveryServices/Vaults/backupstorageconfig/*\",\"Microsoft.RecoveryServices/Vaults/backupconfig/*\",\"Microsoft.RecoveryServices/Vaults/backupValidateOperation/action\",\"Microsoft.RecoveryServices/Vaults/write\",\"Microsoft.RecoveryServices/Vaults/backupOperations/read\",\"Microsoft.RecoveryServices/Vaults/backupEngines/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/backupProtectionIntent/*\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectableContainers/read\",\"Microsoft.RecoveryServices/locations/backupStatus/action\",\"Microsoft.RecoveryServices/locations/backupPreValidateProtection/action\",\"Microsoft.RecoveryServices/locations/backupValidateFeatures/action\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/write\",\"Microsoft.RecoveryServices/operations/read\",\"Microsoft.RecoveryServices/locations/operationStatus/read\",\"Microsoft.RecoveryServices/Vaults/backupProtectionIntents/read\",\"Microsoft.Support/*\",\"Microsoft.DataProtection/locations/getBackupStatus/action\",\"Microsoft.DataProtection/backupVaults/backupInstances/write\",\"Microsoft.DataProtection/backupVaults/backupInstances/delete\",\"Microsoft.DataProtection/backupVaults/backupInstances/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/backup/action\",\"Microsoft.DataProtection/backupVaults/backupInstances/validateRestore/action\",\"Microsoft.DataProtection/backupVaults/backupInstances/restore/action\",\"Microsoft.DataProtection/backupVaults/backupPolicies/write\",\"Microsoft.DataProtection/backupVaults/backupPolicies/delete\",\"Microsoft.DataProtection/backupVaults/backupPolicies/read\",\"Microsoft.DataProtection/backupVaults/backupPolicies/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/findRestorableTimeRanges/action\",\"Microsoft.DataProtection/backupVaults/write\",\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/backupVaults/operationResults/read\",\"Microsoft.DataProtection/locations/checkNameAvailability/action\",\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/locations/operationStatus/read\",\"Microsoft.DataProtection/locations/operationResults/read\",\"Microsoft.DataProtection/backupVaults/validateForBackup/action\",\"Microsoft.DataProtection/operations/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-01-03T13:12:15.7321344Z\",\"updatedOn\":\"2022-07-25T15:10:35.9457674Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5e467623-bb1f-42f4-a55d-6e525e11384b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5e467623-bb1f-42f4-a55d-6e525e11384b\"},{\"properties\":{\"roleName\":\"Billing - Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows read access to - billing data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Billing/*/read\",\"Microsoft.Commerce/*/read\",\"Microsoft.Consumption/*/read\",\"Microsoft.Management/managementGroups/read\",\"Microsoft.CostManagement/*/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-04-25T02:13:38.9054151Z\",\"updatedOn\":\"2021-11-11T20:13:24.5342563Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fa23ad8b-c56e-40d8-ac0c-ce449e1d2c64\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fa23ad8b-c56e-40d8-ac0c-ce449e1d2c64\"},{\"properties\":{\"roleName\":\"Backup - Operator\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage backup - services, except removal of backup, vault creation and giving access to others\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/backup/action\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/operationsStatus/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/recoveryPoints/provisionInstantItemRecovery/action\",\"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/recoveryPoints/accessToken/action\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/recoveryPoints/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/recoveryPoints/restore/action\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/recoveryPoints/revokeInstantItemRecovery/action\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/write\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/refreshContainers/action\",\"Microsoft.RecoveryServices/Vaults/backupJobs/*\",\"Microsoft.RecoveryServices/Vaults/backupJobsExport/action\",\"Microsoft.RecoveryServices/Vaults/backupOperationResults/*\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/read\",\"Microsoft.RecoveryServices/Vaults/backupProtectableItems/*\",\"Microsoft.RecoveryServices/Vaults/backupProtectedItems/read\",\"Microsoft.RecoveryServices/Vaults/backupProtectionContainers/read\",\"Microsoft.RecoveryServices/Vaults/backupUsageSummaries/read\",\"Microsoft.RecoveryServices/Vaults/certificates/write\",\"Microsoft.RecoveryServices/Vaults/extendedInformation/read\",\"Microsoft.RecoveryServices/Vaults/extendedInformation/write\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/read\",\"Microsoft.RecoveryServices/Vaults/monitoringConfigurations/*\",\"Microsoft.RecoveryServices/Vaults/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/write\",\"Microsoft.RecoveryServices/Vaults/usages/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.RecoveryServices/Vaults/backupstorageconfig/*\",\"Microsoft.RecoveryServices/Vaults/backupValidateOperation/action\",\"Microsoft.RecoveryServices/Vaults/backupTriggerValidateOperation/action\",\"Microsoft.RecoveryServices/Vaults/backupValidateOperationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupValidateOperationsStatuses/read\",\"Microsoft.RecoveryServices/Vaults/backupOperations/read\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/operations/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/write\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/inquire/action\",\"Microsoft.RecoveryServices/Vaults/backupEngines/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/backupProtectionIntent/write\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/backupProtectionIntent/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectableContainers/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/items/read\",\"Microsoft.RecoveryServices/locations/backupStatus/action\",\"Microsoft.RecoveryServices/locations/backupPreValidateProtection/action\",\"Microsoft.RecoveryServices/locations/backupValidateFeatures/action\",\"Microsoft.RecoveryServices/locations/backupAadProperties/read\",\"Microsoft.RecoveryServices/locations/backupCrrJobs/action\",\"Microsoft.RecoveryServices/locations/backupCrrJob/action\",\"Microsoft.RecoveryServices/locations/backupCrossRegionRestore/action\",\"Microsoft.RecoveryServices/locations/backupCrrOperationResults/read\",\"Microsoft.RecoveryServices/locations/backupCrrOperationsStatus/read\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/write\",\"Microsoft.RecoveryServices/operations/read\",\"Microsoft.RecoveryServices/locations/operationStatus/read\",\"Microsoft.RecoveryServices/Vaults/backupProtectionIntents/read\",\"Microsoft.Support/*\",\"Microsoft.DataProtection/backupVaults/backupInstances/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/read\",\"Microsoft.DataProtection/backupVaults/backupPolicies/read\",\"Microsoft.DataProtection/backupVaults/backupPolicies/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/findRestorableTimeRanges/action\",\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/backupVaults/operationResults/read\",\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/locations/operationStatus/read\",\"Microsoft.DataProtection/locations/operationResults/read\",\"Microsoft.DataProtection/providers/operations/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-01-03T13:21:11.8947640Z\",\"updatedOn\":\"2021-12-16T12:53:00.0624003Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/00c29273-979b-4161-815c-10b084fb9324\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"00c29273-979b-4161-815c-10b084fb9324\"},{\"properties\":{\"roleName\":\"Backup - Reader\",\"type\":\"BuiltInRole\",\"description\":\"Can view backup services, - but can't make changes\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.RecoveryServices/locations/allocatedStamp/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/operationsStatus/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/recoveryPoints/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/read\",\"Microsoft.RecoveryServices/Vaults/backupJobs/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupJobs/read\",\"Microsoft.RecoveryServices/Vaults/backupJobsExport/action\",\"Microsoft.RecoveryServices/Vaults/backupOperationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/read\",\"Microsoft.RecoveryServices/Vaults/backupProtectedItems/read\",\"Microsoft.RecoveryServices/Vaults/backupProtectionContainers/read\",\"Microsoft.RecoveryServices/Vaults/backupUsageSummaries/read\",\"Microsoft.RecoveryServices/Vaults/extendedInformation/read\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/read\",\"Microsoft.RecoveryServices/Vaults/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/read\",\"Microsoft.RecoveryServices/Vaults/backupstorageconfig/read\",\"Microsoft.RecoveryServices/Vaults/backupconfig/read\",\"Microsoft.RecoveryServices/Vaults/backupOperations/read\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/operations/read\",\"Microsoft.RecoveryServices/Vaults/backupEngines/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/backupProtectionIntent/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/items/read\",\"Microsoft.RecoveryServices/locations/backupStatus/action\",\"Microsoft.RecoveryServices/Vaults/monitoringConfigurations/*\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/write\",\"Microsoft.RecoveryServices/operations/read\",\"Microsoft.RecoveryServices/locations/operationStatus/read\",\"Microsoft.RecoveryServices/Vaults/backupProtectionIntents/read\",\"Microsoft.RecoveryServices/Vaults/usages/read\",\"Microsoft.RecoveryServices/locations/backupValidateFeatures/action\",\"Microsoft.RecoveryServices/locations/backupCrrJobs/action\",\"Microsoft.RecoveryServices/locations/backupCrrJob/action\",\"Microsoft.RecoveryServices/locations/backupCrrOperationResults/read\",\"Microsoft.RecoveryServices/locations/backupCrrOperationsStatus/read\",\"Microsoft.DataProtection/locations/getBackupStatus/action\",\"Microsoft.DataProtection/backupVaults/backupInstances/write\",\"Microsoft.DataProtection/backupVaults/backupInstances/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/backup/action\",\"Microsoft.DataProtection/backupVaults/backupInstances/validateRestore/action\",\"Microsoft.DataProtection/backupVaults/backupInstances/restore/action\",\"Microsoft.DataProtection/backupVaults/backupPolicies/read\",\"Microsoft.DataProtection/backupVaults/backupPolicies/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/findRestorableTimeRanges/action\",\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/backupVaults/operationResults/read\",\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/locations/operationStatus/read\",\"Microsoft.DataProtection/locations/operationResults/read\",\"Microsoft.DataProtection/backupVaults/validateForBackup/action\",\"Microsoft.DataProtection/providers/operations/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-01-03T13:18:41.3893065Z\",\"updatedOn\":\"2021-11-11T20:13:24.8792711Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a795c7a0-d4a2-40c1-ae25-d81f01202912\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a795c7a0-d4a2-40c1-ae25-d81f01202912\"},{\"properties\":{\"roleName\":\"Blockchain - Member Node Access (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Allows - for access to Blockchain Member nodes\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Blockchain/blockchainMembers/transactionNodes/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Blockchain/blockchainMembers/transactionNodes/connect/action\"],\"notDataActions\":[]}],\"createdOn\":\"2018-12-21T10:33:01.9604839Z\",\"updatedOn\":\"2021-11-11T20:13:25.0558920Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/31a002a1-acaf-453e-8a5b-297c9ca1ea24\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"31a002a1-acaf-453e-8a5b-297c9ca1ea24\"},{\"properties\":{\"roleName\":\"BizTalk - Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage BizTalk - services, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.BizTalkServices/BizTalk/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:25.2359269Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5e3c6656-6cfa-4708-81fe-0de47ac73342\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5e3c6656-6cfa-4708-81fe-0de47ac73342\"},{\"properties\":{\"roleName\":\"CDN - Endpoint Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can manage - CDN endpoints, but can\u2019t grant access to other users.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Cdn/edgenodes/read\",\"Microsoft.Cdn/operationresults/*\",\"Microsoft.Cdn/profiles/endpoints/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-01-23T02:48:46.4996252Z\",\"updatedOn\":\"2021-11-11T20:13:25.4059314Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/426e0c7f-0c7e-4658-b36f-ff54d6c29b45\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"426e0c7f-0c7e-4658-b36f-ff54d6c29b45\"},{\"properties\":{\"roleName\":\"CDN - Endpoint Reader\",\"type\":\"BuiltInRole\",\"description\":\"Can view CDN - endpoints, but can\u2019t make changes.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Cdn/edgenodes/read\",\"Microsoft.Cdn/operationresults/*\",\"Microsoft.Cdn/profiles/endpoints/*/read\",\"Microsoft.Cdn/profiles/afdendpoints/validateCustomDomain/action\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-01-23T02:48:46.4996252Z\",\"updatedOn\":\"2022-01-26T19:51:29.2636610Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/871e35f6-b5c1-49cc-a043-bde969a0f2cd\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"871e35f6-b5c1-49cc-a043-bde969a0f2cd\"},{\"properties\":{\"roleName\":\"CDN - Profile Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can manage - CDN profiles and their endpoints, but can\u2019t grant access to other users.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Cdn/edgenodes/read\",\"Microsoft.Cdn/operationresults/*\",\"Microsoft.Cdn/profiles/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-01-23T02:48:46.4996252Z\",\"updatedOn\":\"2021-11-11T20:13:25.9224344Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ec156ff8-a8d1-4d15-830c-5b80698ca432\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ec156ff8-a8d1-4d15-830c-5b80698ca432\"},{\"properties\":{\"roleName\":\"CDN - Profile Reader\",\"type\":\"BuiltInRole\",\"description\":\"Can view CDN profiles - and their endpoints, but can\u2019t make changes.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Cdn/edgenodes/read\",\"Microsoft.Cdn/operationresults/*\",\"Microsoft.Cdn/profiles/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-01-23T02:48:46.4996252Z\",\"updatedOn\":\"2021-11-11T20:13:26.0983652Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8f96442b-4075-438f-813d-ad51ab4019af\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8f96442b-4075-438f-813d-ad51ab4019af\"},{\"properties\":{\"roleName\":\"Classic - Network Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - manage classic networks, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.ClassicNetwork/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:26.4433301Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b34d265f-36f7-4a0d-a4d4-e158ca92e90f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b34d265f-36f7-4a0d-a4d4-e158ca92e90f\"},{\"properties\":{\"roleName\":\"Classic - Storage Account Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you manage classic storage accounts, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.ClassicStorage/storageAccounts/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:26.6183566Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/86e8f5dc-a6e9-4c67-9d15-de283e8eac25\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"86e8f5dc-a6e9-4c67-9d15-de283e8eac25\"},{\"properties\":{\"roleName\":\"Classic - Storage Account Key Operator Service Role\",\"type\":\"BuiltInRole\",\"description\":\"Classic - Storage Account Key Operators are allowed to list and regenerate keys on Classic - Storage Accounts\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ClassicStorage/storageAccounts/listkeys/action\",\"Microsoft.ClassicStorage/storageAccounts/regeneratekey/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-04-13T18:22:52.1461100Z\",\"updatedOn\":\"2021-11-11T20:13:26.9796021Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/985d6b00-f706-48f5-a6fe-d0ca12fb668d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"985d6b00-f706-48f5-a6fe-d0ca12fb668d\"},{\"properties\":{\"roleName\":\"ClearDB - MySQL DB Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - manage ClearDB MySQL databases, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"successbricks.cleardb/databases/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:27.1646373Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9106cda0-8a86-4e81-b686-29a22c54effe\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"9106cda0-8a86-4e81-b686-29a22c54effe\"},{\"properties\":{\"roleName\":\"Classic - Virtual Machine Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you manage classic virtual machines, but not access to them, and not the virtual - network or storage account they\u2019re connected to.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.ClassicCompute/domainNames/*\",\"Microsoft.ClassicCompute/virtualMachines/*\",\"Microsoft.ClassicNetwork/networkSecurityGroups/join/action\",\"Microsoft.ClassicNetwork/reservedIps/link/action\",\"Microsoft.ClassicNetwork/reservedIps/read\",\"Microsoft.ClassicNetwork/virtualNetworks/join/action\",\"Microsoft.ClassicNetwork/virtualNetworks/read\",\"Microsoft.ClassicStorage/storageAccounts/disks/read\",\"Microsoft.ClassicStorage/storageAccounts/images/read\",\"Microsoft.ClassicStorage/storageAccounts/listKeys/action\",\"Microsoft.ClassicStorage/storageAccounts/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-04-25T00:37:56.5416086Z\",\"updatedOn\":\"2021-11-11T20:13:27.3446332Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d73bb868-a0df-4d4d-bd69-98a00b01fccb\"},{\"properties\":{\"roleName\":\"Cognitive - Services User\",\"type\":\"BuiltInRole\",\"description\":\"Lets you read and - list keys of Cognitive Services.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.CognitiveServices/accounts/listkeys/action\",\"Microsoft.Insights/alertRules/read\",\"Microsoft.Insights/diagnosticSettings/read\",\"Microsoft.Insights/logDefinitions/read\",\"Microsoft.Insights/metricdefinitions/read\",\"Microsoft.Insights/metrics/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/*\"],\"notDataActions\":[]}],\"createdOn\":\"2018-08-08T23:23:43.7701274Z\",\"updatedOn\":\"2021-11-11T20:13:27.5316443Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a97b65f3-24c7-4388-baec-2e87135dc908\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a97b65f3-24c7-4388-baec-2e87135dc908\"},{\"properties\":{\"roleName\":\"Cognitive - Services Data Reader (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you read Cognitive Services data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/*/read\"],\"notDataActions\":[]}],\"createdOn\":\"2019-02-13T20:02:12.6849986Z\",\"updatedOn\":\"2021-11-11T20:13:27.7138054Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b59867f0-fa02-499b-be73-45a86b5b3e1c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b59867f0-fa02-499b-be73-45a86b5b3e1c\"},{\"properties\":{\"roleName\":\"Cognitive - Services Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - create, read, update, delete and manage keys of Cognitive Services.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.CognitiveServices/*\",\"Microsoft.Features/features/read\",\"Microsoft.Features/providers/features/read\",\"Microsoft.Features/providers/features/register/action\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/diagnosticSettings/*\",\"Microsoft.Insights/logDefinitions/read\",\"Microsoft.Insights/metricdefinitions/read\",\"Microsoft.Insights/metrics/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-08-08T23:18:39.2257848Z\",\"updatedOn\":\"2021-11-11T20:13:27.9116230Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/25fbc0a9-bd7c-42a3-aa1a-3b75d497ee68\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"25fbc0a9-bd7c-42a3-aa1a-3b75d497ee68\"},{\"properties\":{\"roleName\":\"CosmosBackupOperator\",\"type\":\"BuiltInRole\",\"description\":\"Can - submit restore request for a Cosmos DB database or a container for an account\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DocumentDB/databaseAccounts/backup/action\",\"Microsoft.DocumentDB/databaseAccounts/restore/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-12-07T19:47:14.9651560Z\",\"updatedOn\":\"2021-11-11T20:13:28.4333692Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/db7b14f2-5adf-42da-9f96-f2ee17bab5cb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"db7b14f2-5adf-42da-9f96-f2ee17bab5cb\"},{\"properties\":{\"roleName\":\"Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Grants - full access to manage all resources, but does not allow you to assign roles - in Azure RBAC, manage assignments in Azure Blueprints, or share image galleries.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*\"],\"notActions\":[\"Microsoft.Authorization/*/Delete\",\"Microsoft.Authorization/*/Write\",\"Microsoft.Authorization/elevateAccess/Action\",\"Microsoft.Blueprint/blueprintAssignments/write\",\"Microsoft.Blueprint/blueprintAssignments/delete\",\"Microsoft.Compute/galleries/share/action\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:28.6061853Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b24988ac-6180-42a0-ab88-20f7382dd24c\"},{\"properties\":{\"roleName\":\"Cosmos - DB Account Reader Role\",\"type\":\"BuiltInRole\",\"description\":\"Can read - Azure Cosmos DB Accounts data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.DocumentDB/*/read\",\"Microsoft.DocumentDB/databaseAccounts/readonlykeys/action\",\"Microsoft.Insights/MetricDefinitions/read\",\"Microsoft.Insights/Metrics/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-10-30T17:53:54.6005577Z\",\"updatedOn\":\"2021-11-11T20:13:28.7911765Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fbdf93bf-df7d-467e-a4d2-9458aa1360c8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fbdf93bf-df7d-467e-a4d2-9458aa1360c8\"},{\"properties\":{\"roleName\":\"Cost - Management Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can view - costs and manage cost configuration (e.g. budgets, exports)\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Consumption/*\",\"Microsoft.CostManagement/*\",\"Microsoft.Billing/billingPeriods/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Advisor/configurations/read\",\"Microsoft.Advisor/recommendations/read\",\"Microsoft.Management/managementGroups/read\",\"Microsoft.Billing/billingProperty/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-03-14T16:09:22.8834827Z\",\"updatedOn\":\"2021-11-11T20:13:29.4851851Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/434105ed-43f6-45c7-a02f-909b2ba83430\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"434105ed-43f6-45c7-a02f-909b2ba83430\"},{\"properties\":{\"roleName\":\"Cost - Management Reader\",\"type\":\"BuiltInRole\",\"description\":\"Can view cost - data and configuration (e.g. budgets, exports)\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Consumption/*/read\",\"Microsoft.CostManagement/*/read\",\"Microsoft.Billing/billingPeriods/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Advisor/configurations/read\",\"Microsoft.Advisor/recommendations/read\",\"Microsoft.Management/managementGroups/read\",\"Microsoft.Billing/billingProperty/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-03-14T16:09:22.8834827Z\",\"updatedOn\":\"2021-11-11T20:13:29.6601800Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/72fafb9e-0641-4937-9268-a91bfd8191a3\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"72fafb9e-0641-4937-9268-a91bfd8191a3\"},{\"properties\":{\"roleName\":\"Data - Box Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage - everything under Data Box Service except giving access to others.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Databox/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-07-27T08:28:42.7140210Z\",\"updatedOn\":\"2021-11-11T20:13:30.3737856Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/add466c9-e687-43fc-8d98-dfcf8d720be5\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"add466c9-e687-43fc-8d98-dfcf8d720be5\"},{\"properties\":{\"roleName\":\"Data - Box Reader\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage Data - Box Service except creating order or editing order details and giving access - to others.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Databox/*/read\",\"Microsoft.Databox/jobs/listsecrets/action\",\"Microsoft.Databox/jobs/listcredentials/action\",\"Microsoft.Databox/locations/availableSkus/action\",\"Microsoft.Databox/locations/validateInputs/action\",\"Microsoft.Databox/locations/regionConfiguration/action\",\"Microsoft.Databox/locations/validateAddress/action\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-07-27T08:26:21.9284772Z\",\"updatedOn\":\"2021-11-11T20:13:30.5546117Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/028f4ed7-e2a9-465e-a8f4-9c0ffdfdc027\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"028f4ed7-e2a9-465e-a8f4-9c0ffdfdc027\"},{\"properties\":{\"roleName\":\"Data - Factory Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Create and - manage data factories, as well as child resources within them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.DataFactory/dataFactories/*\",\"Microsoft.DataFactory/factories/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.EventGrid/eventSubscriptions/write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:30.7420174Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/673868aa-7521-48a0-acc6-0f60742d39f5\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"673868aa-7521-48a0-acc6-0f60742d39f5\"},{\"properties\":{\"roleName\":\"Data - Purger\",\"type\":\"BuiltInRole\",\"description\":\"Can purge analytics data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Insights/components/*/read\",\"Microsoft.Insights/components/purge/action\",\"Microsoft.OperationalInsights/workspaces/*/read\",\"Microsoft.OperationalInsights/workspaces/purge/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-04-30T22:39:49.6167700Z\",\"updatedOn\":\"2021-11-11T20:13:31.2788395Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/150f5e0c-0603-4f03-8c7f-cf70034c4e90\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"150f5e0c-0603-4f03-8c7f-cf70034c4e90\"},{\"properties\":{\"roleName\":\"Data - Lake Analytics Developer\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you submit, monitor, and manage your own jobs but not create or delete Data - Lake Analytics accounts.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.BigAnalytics/accounts/*\",\"Microsoft.DataLakeAnalytics/accounts/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[\"Microsoft.BigAnalytics/accounts/Delete\",\"Microsoft.BigAnalytics/accounts/TakeOwnership/action\",\"Microsoft.BigAnalytics/accounts/Write\",\"Microsoft.DataLakeAnalytics/accounts/Delete\",\"Microsoft.DataLakeAnalytics/accounts/TakeOwnership/action\",\"Microsoft.DataLakeAnalytics/accounts/Write\",\"Microsoft.DataLakeAnalytics/accounts/dataLakeStoreAccounts/Write\",\"Microsoft.DataLakeAnalytics/accounts/dataLakeStoreAccounts/Delete\",\"Microsoft.DataLakeAnalytics/accounts/storageAccounts/Write\",\"Microsoft.DataLakeAnalytics/accounts/storageAccounts/Delete\",\"Microsoft.DataLakeAnalytics/accounts/firewallRules/Write\",\"Microsoft.DataLakeAnalytics/accounts/firewallRules/Delete\",\"Microsoft.DataLakeAnalytics/accounts/computePolicies/Write\",\"Microsoft.DataLakeAnalytics/accounts/computePolicies/Delete\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-10-20T00:33:29.3115234Z\",\"updatedOn\":\"2021-11-11T20:13:31.4688491Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/47b7735b-770e-4598-a7da-8b91488b4c88\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"47b7735b-770e-4598-a7da-8b91488b4c88\"},{\"properties\":{\"roleName\":\"DevTest - Labs User\",\"type\":\"BuiltInRole\",\"description\":\"Lets you connect, start, - restart, and shutdown your virtual machines in your Azure DevTest Labs.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Compute/availabilitySets/read\",\"Microsoft.Compute/virtualMachines/*/read\",\"Microsoft.Compute/virtualMachines/deallocate/action\",\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Compute/virtualMachines/restart/action\",\"Microsoft.Compute/virtualMachines/start/action\",\"Microsoft.DevTestLab/*/read\",\"Microsoft.DevTestLab/labs/claimAnyVm/action\",\"Microsoft.DevTestLab/labs/createEnvironment/action\",\"Microsoft.DevTestLab/labs/ensureCurrentUserProfile/action\",\"Microsoft.DevTestLab/labs/formulas/delete\",\"Microsoft.DevTestLab/labs/formulas/read\",\"Microsoft.DevTestLab/labs/formulas/write\",\"Microsoft.DevTestLab/labs/policySets/evaluatePolicies/action\",\"Microsoft.DevTestLab/labs/virtualMachines/claim/action\",\"Microsoft.DevTestLab/labs/virtualmachines/listApplicableSchedules/action\",\"Microsoft.DevTestLab/labs/virtualMachines/getRdpFileContents/action\",\"Microsoft.Network/loadBalancers/backendAddressPools/join/action\",\"Microsoft.Network/loadBalancers/inboundNatRules/join/action\",\"Microsoft.Network/networkInterfaces/*/read\",\"Microsoft.Network/networkInterfaces/join/action\",\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Network/networkInterfaces/write\",\"Microsoft.Network/publicIPAddresses/*/read\",\"Microsoft.Network/publicIPAddresses/join/action\",\"Microsoft.Network/publicIPAddresses/read\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/listKeys/action\"],\"notActions\":[\"Microsoft.Compute/virtualMachines/vmSizes/read\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-06-08T21:52:45.0657582Z\",\"updatedOn\":\"2021-11-11T20:13:32.1746507Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/76283e04-6283-4c54-8f91-bcf1374a3c64\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"76283e04-6283-4c54-8f91-bcf1374a3c64\"},{\"properties\":{\"roleName\":\"DocumentDB - Account Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - manage DocumentDB accounts, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.DocumentDb/databaseAccounts/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Network/virtualNetworks/subnets/joinViaServiceEndpoint/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:32.3496502Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5bd9cd88-fe45-4216-938b-f97437e15450\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5bd9cd88-fe45-4216-938b-f97437e15450\"},{\"properties\":{\"roleName\":\"DNS - Zone Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage - DNS zones and record sets in Azure DNS, but does not let you control who has - access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Network/dnsZones/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-10-15T23:33:25.9730842Z\",\"updatedOn\":\"2021-11-11T20:13:32.5233957Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/befefa01-2a29-4197-83a8-272ff33ce314\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"befefa01-2a29-4197-83a8-272ff33ce314\"},{\"properties\":{\"roleName\":\"EventGrid - EventSubscription Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you manage EventGrid event subscription operations.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.EventGrid/eventSubscriptions/*\",\"Microsoft.EventGrid/topicTypes/eventSubscriptions/read\",\"Microsoft.EventGrid/locations/eventSubscriptions/read\",\"Microsoft.EventGrid/locations/topicTypes/eventSubscriptions/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-10-08T23:27:28.3130743Z\",\"updatedOn\":\"2021-11-11T20:13:33.4166738Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/428e0ff0-5e57-4d9c-a221-2c70d0e0a443\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"428e0ff0-5e57-4d9c-a221-2c70d0e0a443\"},{\"properties\":{\"roleName\":\"EventGrid - EventSubscription Reader\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you read EventGrid event subscriptions.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.EventGrid/eventSubscriptions/read\",\"Microsoft.EventGrid/topicTypes/eventSubscriptions/read\",\"Microsoft.EventGrid/locations/eventSubscriptions/read\",\"Microsoft.EventGrid/locations/topicTypes/eventSubscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-10-09T17:29:28.1417894Z\",\"updatedOn\":\"2021-11-11T20:13:33.7846748Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2414bbcf-6497-4faf-8c65-045460748405\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2414bbcf-6497-4faf-8c65-045460748405\"},{\"properties\":{\"roleName\":\"Graph - Owner\",\"type\":\"BuiltInRole\",\"description\":\"Create and manage all aspects - of the Enterprise Graph - Ontology, Schema mapping, Conflation and Conversational - AI and Ingestions\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.EnterpriseKnowledgeGraph/services/conflation/read\",\"Microsoft.EnterpriseKnowledgeGraph/services/conflation/write\",\"Microsoft.EnterpriseKnowledgeGraph/services/sourceschema/read\",\"Microsoft.EnterpriseKnowledgeGraph/services/sourceschema/write\",\"Microsoft.EnterpriseKnowledgeGraph/services/knowledge/read\",\"Microsoft.EnterpriseKnowledgeGraph/services/knowledge/write\",\"Microsoft.EnterpriseKnowledgeGraph/services/intentclassification/read\",\"Microsoft.EnterpriseKnowledgeGraph/services/intentclassification/write\",\"Microsoft.EnterpriseKnowledgeGraph/services/ingestion/read\",\"Microsoft.EnterpriseKnowledgeGraph/services/ingestion/write\",\"Microsoft.EnterpriseKnowledgeGraph/services/ontology/read\",\"Microsoft.EnterpriseKnowledgeGraph/services/ontology/write\",\"Microsoft.EnterpriseKnowledgeGraph/services/delete\",\"Microsoft.EnterpriseKnowledgeGraph/operations/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-02-23T21:07:22.5844236Z\",\"updatedOn\":\"2021-11-11T20:13:34.6707886Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b60367af-1334-4454-b71e-769d9a4f83d9\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b60367af-1334-4454-b71e-769d9a4f83d9\"},{\"properties\":{\"roleName\":\"HDInsight - Domain Services Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can - Read, Create, Modify and Delete Domain Services related operations needed - for HDInsight Enterprise Security Package\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.AAD/*/read\",\"Microsoft.AAD/domainServices/*/read\",\"Microsoft.AAD/domainServices/oucontainer/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-09-12T22:42:51.7451109Z\",\"updatedOn\":\"2021-11-11T20:13:35.3921342Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8d8d5a11-05d3-4bda-a417-a08778121c7c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8d8d5a11-05d3-4bda-a417-a08778121c7c\"},{\"properties\":{\"roleName\":\"Intelligent - Systems Account Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you manage Intelligent Systems accounts, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.IntelligentSystems/accounts/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:35.9371582Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/03a6d094-3444-4b3d-88af-7477090a9e5e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"03a6d094-3444-4b3d-88af-7477090a9e5e\"},{\"properties\":{\"roleName\":\"Key - Vault Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage - key vaults, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.KeyVault/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[\"Microsoft.KeyVault/locations/deletedVaults/purge/action\",\"Microsoft.KeyVault/hsmPools/*\",\"Microsoft.KeyVault/managedHsms/*\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-02-25T17:08:28.5184971Z\",\"updatedOn\":\"2021-11-11T20:13:36.1170988Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f25e0fa2-a7c8-4377-a976-54943a77a395\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f25e0fa2-a7c8-4377-a976-54943a77a395\"},{\"properties\":{\"roleName\":\"Knowledge - Consumer\",\"type\":\"BuiltInRole\",\"description\":\"Knowledge Read permission - to consume Enterprise Graph Knowledge using entity search and graph query\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.EnterpriseKnowledgeGraph/services/knowledge/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-02-23T21:23:31.4037552Z\",\"updatedOn\":\"2021-11-11T20:13:37.0021342Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ee361c5d-f7b5-4119-b4b6-892157c8f64c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ee361c5d-f7b5-4119-b4b6-892157c8f64c\"},{\"properties\":{\"roleName\":\"Lab - Creator\",\"type\":\"BuiltInRole\",\"description\":\"Lets you create new labs - under your Azure Lab Accounts.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.LabServices/labAccounts/*/read\",\"Microsoft.LabServices/labAccounts/createLab/action\",\"Microsoft.LabServices/labAccounts/getPricingAndAvailability/action\",\"Microsoft.LabServices/labAccounts/getRestrictionsAndUsage/action\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.LabServices/labPlans/images/read\",\"Microsoft.LabServices/labPlans/read\",\"Microsoft.LabServices/labPlans/saveImage/action\",\"Microsoft.LabServices/labs/read\",\"Microsoft.LabServices/labs/schedules/read\",\"Microsoft.LabServices/labs/users/read\",\"Microsoft.LabServices/labs/virtualMachines/read\",\"Microsoft.LabServices/locations/usages/read\",\"Microsoft.LabServices/skus/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.LabServices/labPlans/createLab/action\"],\"notDataActions\":[]}],\"createdOn\":\"2018-01-18T23:38:58.1036141Z\",\"updatedOn\":\"2021-11-11T20:13:37.1821588Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b97fb8bc-a8b2-4522-a38b-dd33c7e65ead\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b97fb8bc-a8b2-4522-a38b-dd33c7e65ead\"},{\"properties\":{\"roleName\":\"Log - Analytics Reader\",\"type\":\"BuiltInRole\",\"description\":\"Log Analytics - Reader can view and search all monitoring data as well as and view monitoring - settings, including viewing the configuration of Azure diagnostics on all - Azure resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.OperationalInsights/workspaces/analytics/query/action\",\"Microsoft.OperationalInsights/workspaces/search/action\",\"Microsoft.Support/*\"],\"notActions\":[\"Microsoft.OperationalInsights/workspaces/sharedKeys/read\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-05-02T00:20:28.1449012Z\",\"updatedOn\":\"2021-11-11T20:13:37.7071371Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/73c42c96-874c-492b-b04d-ab87d138a893\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"73c42c96-874c-492b-b04d-ab87d138a893\"},{\"properties\":{\"roleName\":\"Log - Analytics Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Log Analytics - Contributor can read all monitoring data and edit monitoring settings. Editing - monitoring settings includes adding the VM extension to VMs; reading storage - account keys to be able to configure collection of logs from Azure Storage; - adding solutions; and configuring Azure diagnostics on all Azure resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.ClassicCompute/virtualMachines/extensions/*\",\"Microsoft.ClassicStorage/storageAccounts/listKeys/action\",\"Microsoft.Compute/virtualMachines/extensions/*\",\"Microsoft.HybridCompute/machines/extensions/write\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/diagnosticSettings/*\",\"Microsoft.OperationalInsights/*\",\"Microsoft.OperationsManagement/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/*\",\"Microsoft.Storage/storageAccounts/listKeys/action\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-04-25T21:51:45.3174711Z\",\"updatedOn\":\"2021-11-11T20:13:37.8823618Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/92aaf0da-9dab-42b6-94a3-d43ce8d16293\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"92aaf0da-9dab-42b6-94a3-d43ce8d16293\"},{\"properties\":{\"roleName\":\"Logic - App Operator\",\"type\":\"BuiltInRole\",\"description\":\"Lets you read, enable - and disable logic app.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*/read\",\"Microsoft.Insights/metricAlerts/*/read\",\"Microsoft.Insights/diagnosticSettings/*/read\",\"Microsoft.Insights/metricDefinitions/*/read\",\"Microsoft.Logic/*/read\",\"Microsoft.Logic/workflows/disable/action\",\"Microsoft.Logic/workflows/enable/action\",\"Microsoft.Logic/workflows/validate/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Web/connectionGateways/*/read\",\"Microsoft.Web/connections/*/read\",\"Microsoft.Web/customApis/*/read\",\"Microsoft.Web/serverFarms/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-04-28T21:33:30.4656007Z\",\"updatedOn\":\"2021-11-11T20:13:38.0573444Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/515c2055-d9d4-4321-b1b9-bd0c9a0f79fe\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"515c2055-d9d4-4321-b1b9-bd0c9a0f79fe\"},{\"properties\":{\"roleName\":\"Logic - App Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage - logic app, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.ClassicStorage/storageAccounts/listKeys/action\",\"Microsoft.ClassicStorage/storageAccounts/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/metricAlerts/*\",\"Microsoft.Insights/diagnosticSettings/*\",\"Microsoft.Insights/logdefinitions/*\",\"Microsoft.Insights/metricDefinitions/*\",\"Microsoft.Logic/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/listkeys/action\",\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.Support/*\",\"Microsoft.Web/connectionGateways/*\",\"Microsoft.Web/connections/*\",\"Microsoft.Web/customApis/*\",\"Microsoft.Web/serverFarms/join/action\",\"Microsoft.Web/serverFarms/read\",\"Microsoft.Web/sites/functions/listSecrets/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-04-28T21:33:30.4656007Z\",\"updatedOn\":\"2021-11-11T20:13:38.2523833Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/87a39d53-fc1b-424a-814c-f7e04687dc9e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"87a39d53-fc1b-424a-814c-f7e04687dc9e\"},{\"properties\":{\"roleName\":\"Managed - Application Operator Role\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you read and perform actions on Managed Application resources\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.Solutions/applications/read\",\"Microsoft.Solutions/*/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-07-27T00:59:33.7988813Z\",\"updatedOn\":\"2021-11-11T20:13:38.5973763Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c7393b34-138c-406f-901b-d8cf2b17e6ae\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c7393b34-138c-406f-901b-d8cf2b17e6ae\"},{\"properties\":{\"roleName\":\"Managed - Applications Reader\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - read resources in a managed app and request JIT access.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Solutions/jitRequests/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-09-06T00:33:58.3651522Z\",\"updatedOn\":\"2021-11-11T20:13:38.7723523Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b9331d33-8a36-4f8c-b097-4f54124fdb44\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b9331d33-8a36-4f8c-b097-4f54124fdb44\"},{\"properties\":{\"roleName\":\"Managed - Identity Operator\",\"type\":\"BuiltInRole\",\"description\":\"Read and Assign - User Assigned Identity\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ManagedIdentity/userAssignedIdentities/*/read\",\"Microsoft.ManagedIdentity/userAssignedIdentities/*/assign/action\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-12-14T19:52:04.3924594Z\",\"updatedOn\":\"2021-11-11T20:13:38.9523759Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f1a07417-d97a-45cb-824c-7a7467783830\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f1a07417-d97a-45cb-824c-7a7467783830\"},{\"properties\":{\"roleName\":\"Managed - Identity Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Create, - Read, Update, and Delete User Assigned Identity\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ManagedIdentity/userAssignedIdentities/read\",\"Microsoft.ManagedIdentity/userAssignedIdentities/write\",\"Microsoft.ManagedIdentity/userAssignedIdentities/delete\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-12-14T19:53:42.8804692Z\",\"updatedOn\":\"2021-11-11T20:13:39.3023761Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e40ec5ca-96e0-45a2-b4ff-59039f2c2b59\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e40ec5ca-96e0-45a2-b4ff-59039f2c2b59\"},{\"properties\":{\"roleName\":\"Management - Group Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Management - Group Contributor Role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Management/managementGroups/delete\",\"Microsoft.Management/managementGroups/read\",\"Microsoft.Management/managementGroups/subscriptions/delete\",\"Microsoft.Management/managementGroups/subscriptions/write\",\"Microsoft.Management/managementGroups/write\",\"Microsoft.Management/managementGroups/subscriptions/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-06-22T00:28:29.0523964Z\",\"updatedOn\":\"2021-11-11T20:13:39.6573851Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5d58bcaf-24a5-4b20-bdb6-eed9f69fbe4c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5d58bcaf-24a5-4b20-bdb6-eed9f69fbe4c\"},{\"properties\":{\"roleName\":\"Management - Group Reader\",\"type\":\"BuiltInRole\",\"description\":\"Management Group - Reader Role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Management/managementGroups/read\",\"Microsoft.Management/managementGroups/subscriptions/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-06-22T00:31:03.4295347Z\",\"updatedOn\":\"2021-11-11T20:13:39.8274007Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ac63b705-f282-497d-ac71-919bf39d939d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ac63b705-f282-497d-ac71-919bf39d939d\"},{\"properties\":{\"roleName\":\"Monitoring - Metrics Publisher\",\"type\":\"BuiltInRole\",\"description\":\"Enables publishing - metrics against Azure resources\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Insights/Register/Action\",\"Microsoft.Support/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Insights/Metrics/Write\",\"Microsoft.Insights/Telemetry/Write\"],\"notDataActions\":[]}],\"createdOn\":\"2018-08-14T00:36:16.5610279Z\",\"updatedOn\":\"2022-01-04T00:38:04.0289073Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3913510d-42f4-4e42-8a64-420c390055eb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3913510d-42f4-4e42-8a64-420c390055eb\"},{\"properties\":{\"roleName\":\"Monitoring - Reader\",\"type\":\"BuiltInRole\",\"description\":\"Can read all monitoring - data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.OperationalInsights/workspaces/search/action\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Monitor/accounts/data/metrics/read\"],\"notDataActions\":[]}],\"createdOn\":\"2016-09-21T19:19:52.4939376Z\",\"updatedOn\":\"2022-07-07T00:23:17.8373589Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/43d0d8ad-25c7-4714-9337-8ba259a9fe05\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"43d0d8ad-25c7-4714-9337-8ba259a9fe05\"},{\"properties\":{\"roleName\":\"Network - Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage networks, - but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Network/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-06-02T00:18:27.3542698Z\",\"updatedOn\":\"2021-11-11T20:13:44.6328966Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4d97b98b-1d4f-4787-a291-c67834d212e7\"},{\"properties\":{\"roleName\":\"Monitoring - Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can read all monitoring - data and update monitoring settings.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.AlertsManagement/alerts/*\",\"Microsoft.AlertsManagement/alertsSummary/*\",\"Microsoft.Insights/actiongroups/*\",\"Microsoft.Insights/activityLogAlerts/*\",\"Microsoft.Insights/AlertRules/*\",\"Microsoft.Insights/components/*\",\"Microsoft.Insights/createNotifications/*\",\"Microsoft.Insights/dataCollectionEndpoints/*\",\"Microsoft.Insights/dataCollectionRules/*\",\"Microsoft.Insights/dataCollectionRuleAssociations/*\",\"Microsoft.Insights/DiagnosticSettings/*\",\"Microsoft.Insights/eventtypes/*\",\"Microsoft.Insights/LogDefinitions/*\",\"Microsoft.Insights/metricalerts/*\",\"Microsoft.Insights/MetricDefinitions/*\",\"Microsoft.Insights/Metrics/*\",\"Microsoft.Insights/notificationStatus/*\",\"Microsoft.Insights/Register/Action\",\"Microsoft.Insights/scheduledqueryrules/*\",\"Microsoft.Insights/webtests/*\",\"Microsoft.Insights/workbooks/*\",\"Microsoft.Insights/workbooktemplates/*\",\"Microsoft.Insights/privateLinkScopes/*\",\"Microsoft.Insights/privateLinkScopeOperationStatuses/*\",\"Microsoft.OperationalInsights/workspaces/write\",\"Microsoft.OperationalInsights/workspaces/intelligencepacks/*\",\"Microsoft.OperationalInsights/workspaces/savedSearches/*\",\"Microsoft.OperationalInsights/workspaces/search/action\",\"Microsoft.OperationalInsights/workspaces/sharedKeys/action\",\"Microsoft.OperationalInsights/workspaces/storageinsightconfigs/*\",\"Microsoft.Support/*\",\"Microsoft.WorkloadMonitor/monitors/*\",\"Microsoft.AlertsManagement/smartDetectorAlertRules/*\",\"Microsoft.AlertsManagement/actionRules/*\",\"Microsoft.AlertsManagement/smartGroups/*\",\"Microsoft.AlertsManagement/migrateFromSmartDetection/*\"],\"notActions\":[],\"dataActions\":[\"microsoft.monitor/accounts/data/metrics/read\"],\"notDataActions\":[]}],\"createdOn\":\"2016-09-21T19:21:08.4345976Z\",\"updatedOn\":\"2022-07-25T15:10:35.9301356Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/749f88d5-cbae-40b8-bcfc-e573ddc772fa\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"749f88d5-cbae-40b8-bcfc-e573ddc772fa\"},{\"properties\":{\"roleName\":\"New - Relic APM Account Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you manage New Relic Application Performance Management accounts and applications, - but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"NewRelic.APM/accounts/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:45.7178576Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5d28c62d-5b37-4476-8438-e587778df237\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5d28c62d-5b37-4476-8438-e587778df237\"},{\"properties\":{\"roleName\":\"Owner\",\"type\":\"BuiltInRole\",\"description\":\"Grants - full access to manage all resources, including the ability to assign roles - in Azure RBAC.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:45.8978856Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8e3af657-a8ff-443c-a75c-2fe8c4bcb635\"},{\"properties\":{\"roleName\":\"Reader\",\"type\":\"BuiltInRole\",\"description\":\"View - all resources, but does not allow you to make any changes.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:47.8628684Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"acdd72a7-3385-48ef-bd42-f606fba81ae7\"},{\"properties\":{\"roleName\":\"Redis - Cache Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage - Redis caches, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Cache/register/action\",\"Microsoft.Cache/redis/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:48.0528671Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e0f68234-74aa-48ed-b826-c38b57376e17\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e0f68234-74aa-48ed-b826-c38b57376e17\"},{\"properties\":{\"roleName\":\"Reader - and Data Access\",\"type\":\"BuiltInRole\",\"description\":\"Lets you view - everything but will not let you delete or create a storage account or contained - resource. It will also allow read/write access to all data contained in a - storage account via access to storage account keys.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/listKeys/action\",\"Microsoft.Storage/storageAccounts/ListAccountSas/action\",\"Microsoft.Storage/storageAccounts/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-03-27T23:20:46.1498906Z\",\"updatedOn\":\"2021-11-11T20:13:48.2278951Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c12c1c16-33a1-487b-954d-41c89c60f349\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c12c1c16-33a1-487b-954d-41c89c60f349\"},{\"properties\":{\"roleName\":\"Resource - Policy Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Users with - rights to create/modify resource policy, create support ticket and read resources/hierarchy.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.Authorization/policyassignments/*\",\"Microsoft.Authorization/policydefinitions/*\",\"Microsoft.Authorization/policyexemptions/*\",\"Microsoft.Authorization/policysetdefinitions/*\",\"Microsoft.PolicyInsights/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-08-25T19:08:01.3861639Z\",\"updatedOn\":\"2021-11-11T20:13:49.6679217Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/36243c78-bf99-498c-9df9-86d9f8d28608\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"36243c78-bf99-498c-9df9-86d9f8d28608\"},{\"properties\":{\"roleName\":\"Scheduler - Job Collections Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you manage Scheduler job collections, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Scheduler/jobcollections/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:49.8429293Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/188a0f2f-5c9e-469b-ae67-2aa5ce574b94\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"188a0f2f-5c9e-469b-ae67-2aa5ce574b94\"},{\"properties\":{\"roleName\":\"Search - Service Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - manage Search services, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Search/searchServices/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:50.0229309Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7ca78c08-252a-4471-8644-bb5ff32d4ba0\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7ca78c08-252a-4471-8644-bb5ff32d4ba0\"},{\"properties\":{\"roleName\":\"Security - Admin\",\"type\":\"BuiltInRole\",\"description\":\"Security Admin Role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Authorization/policyAssignments/*\",\"Microsoft.Authorization/policyDefinitions/*\",\"Microsoft.Authorization/policyExemptions/*\",\"Microsoft.Authorization/policySetDefinitions/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Management/managementGroups/read\",\"Microsoft.operationalInsights/workspaces/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Security/*\",\"Microsoft.IoTSecurity/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-05-03T07:51:23.0917487Z\",\"updatedOn\":\"2021-11-15T06:42:49.8263550Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fb1c8493-542b-48eb-b624-b4c8fea62acd\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fb1c8493-542b-48eb-b624-b4c8fea62acd\"},{\"properties\":{\"roleName\":\"Security - Manager (Legacy)\",\"type\":\"BuiltInRole\",\"description\":\"This is a legacy - role. Please use Security Administrator instead\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.ClassicCompute/*/read\",\"Microsoft.ClassicCompute/virtualMachines/*/write\",\"Microsoft.ClassicNetwork/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Security/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-06-22T17:45:15.8986455Z\",\"updatedOn\":\"2021-11-11T20:13:50.5729549Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e3d13bf0-dd5a-482e-ba6b-9b8433878d10\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e3d13bf0-dd5a-482e-ba6b-9b8433878d10\"},{\"properties\":{\"roleName\":\"Security - Reader\",\"type\":\"BuiltInRole\",\"description\":\"Security Reader Role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/read\",\"Microsoft.operationalInsights/workspaces/*/read\",\"Microsoft.Resources/deployments/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Security/*/read\",\"Microsoft.IoTSecurity/*/read\",\"Microsoft.Support/*/read\",\"Microsoft.Security/iotDefenderSettings/packageDownloads/action\",\"Microsoft.Security/iotDefenderSettings/downloadManagerActivation/action\",\"Microsoft.Security/iotSensors/downloadResetPassword/action\",\"Microsoft.IoTSecurity/defenderSettings/packageDownloads/action\",\"Microsoft.IoTSecurity/defenderSettings/downloadManagerActivation/action\",\"Microsoft.Management/managementGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-05-03T07:48:49.0516559Z\",\"updatedOn\":\"2021-11-11T20:13:50.7479015Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/39bc4728-0917-49c7-9d2c-d95423bc2eb4\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"39bc4728-0917-49c7-9d2c-d95423bc2eb4\"},{\"properties\":{\"roleName\":\"Spatial - Anchors Account Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you manage spatial anchors in your account, but not delete them\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/SpatialAnchorsAccounts/create/action\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/discovery/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/properties/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/query/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/submitdiag/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/write\"],\"notDataActions\":[]}],\"createdOn\":\"2018-12-21T17:57:41.1420864Z\",\"updatedOn\":\"2021-11-11T20:13:52.2829400Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8bbe83f1-e2a6-4df7-8cb4-4e04d4e5c827\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8bbe83f1-e2a6-4df7-8cb4-4e04d4e5c827\"},{\"properties\":{\"roleName\":\"Site - Recovery Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - manage Site Recovery service except vault creation and role assignment\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.RecoveryServices/locations/allocatedStamp/read\",\"Microsoft.RecoveryServices/locations/allocateStamp/action\",\"Microsoft.RecoveryServices/Vaults/certificates/write\",\"Microsoft.RecoveryServices/Vaults/extendedInformation/*\",\"Microsoft.RecoveryServices/Vaults/read\",\"Microsoft.RecoveryServices/Vaults/refreshContainers/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/*\",\"Microsoft.RecoveryServices/vaults/replicationAlertSettings/*\",\"Microsoft.RecoveryServices/vaults/replicationEvents/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/*\",\"Microsoft.RecoveryServices/vaults/replicationJobs/*\",\"Microsoft.RecoveryServices/vaults/replicationPolicies/*\",\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/*\",\"Microsoft.RecoveryServices/vaults/replicationVaultSettings/*\",\"Microsoft.RecoveryServices/Vaults/storageConfig/*\",\"Microsoft.RecoveryServices/Vaults/tokenInfo/read\",\"Microsoft.RecoveryServices/Vaults/usages/read\",\"Microsoft.RecoveryServices/Vaults/vaultTokens/read\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/*\",\"Microsoft.RecoveryServices/Vaults/monitoringConfigurations/notificationConfiguration/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.RecoveryServices/vaults/replicationOperationStatus/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-05-19T13:46:17.4592776Z\",\"updatedOn\":\"2021-11-11T20:13:52.4579503Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6670b86e-a3f7-4917-ac9b-5d6ab1be4567\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6670b86e-a3f7-4917-ac9b-5d6ab1be4567\"},{\"properties\":{\"roleName\":\"Site - Recovery Operator\",\"type\":\"BuiltInRole\",\"description\":\"Lets you failover - and failback but not perform other Site Recovery management operations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.RecoveryServices/locations/allocatedStamp/read\",\"Microsoft.RecoveryServices/locations/allocateStamp/action\",\"Microsoft.RecoveryServices/Vaults/extendedInformation/read\",\"Microsoft.RecoveryServices/Vaults/read\",\"Microsoft.RecoveryServices/Vaults/refreshContainers/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/read\",\"Microsoft.RecoveryServices/vaults/replicationAlertSettings/read\",\"Microsoft.RecoveryServices/vaults/replicationEvents/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/checkConsistency/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/reassociateGateway/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/renewcertificate/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationNetworks/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationNetworks/replicationNetworkMappings/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectableItems/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/applyRecoveryPoint/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/failoverCommit/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/plannedFailover/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/recoveryPoints/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/repairReplication/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/reProtect/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/switchprotection/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/testFailover/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/testFailoverCleanup/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/unplannedFailover/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/updateMobilityService/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectionContainerMappings/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationRecoveryServicesProviders/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationRecoveryServicesProviders/refreshProvider/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationStorageClassifications/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationStorageClassifications/replicationStorageClassificationMappings/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationvCenters/read\",\"Microsoft.RecoveryServices/vaults/replicationJobs/*\",\"Microsoft.RecoveryServices/vaults/replicationPolicies/read\",\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/failoverCommit/action\",\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/plannedFailover/action\",\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/read\",\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/reProtect/action\",\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/testFailover/action\",\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/testFailoverCleanup/action\",\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/unplannedFailover/action\",\"Microsoft.RecoveryServices/vaults/replicationVaultSettings/read\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/*\",\"Microsoft.RecoveryServices/Vaults/monitoringConfigurations/notificationConfiguration/read\",\"Microsoft.RecoveryServices/Vaults/storageConfig/read\",\"Microsoft.RecoveryServices/Vaults/tokenInfo/read\",\"Microsoft.RecoveryServices/Vaults/usages/read\",\"Microsoft.RecoveryServices/Vaults/vaultTokens/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-05-19T13:47:50.1341148Z\",\"updatedOn\":\"2021-11-11T20:13:52.6263418Z\",\"createdBy\":null,\"updatedBy\":\"\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/494ae006-db33-4328-bf46-533a6560a3ca\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"494ae006-db33-4328-bf46-533a6560a3ca\"},{\"properties\":{\"roleName\":\"Spatial - Anchors Account Reader\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - locate and read properties of spatial anchors in your account\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/SpatialAnchorsAccounts/discovery/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/properties/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/query/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/submitdiag/read\"],\"notDataActions\":[]}],\"createdOn\":\"2018-12-21T17:57:42.9271004Z\",\"updatedOn\":\"2021-11-11T20:13:52.8013467Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5d51204f-eb77-4b1c-b86a-2ec626c49413\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5d51204f-eb77-4b1c-b86a-2ec626c49413\"},{\"properties\":{\"roleName\":\"Site - Recovery Reader\",\"type\":\"BuiltInRole\",\"description\":\"Lets you view - Site Recovery status but not perform other management operations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.RecoveryServices/locations/allocatedStamp/read\",\"Microsoft.RecoveryServices/Vaults/extendedInformation/read\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/read\",\"Microsoft.RecoveryServices/Vaults/monitoringConfigurations/notificationConfiguration/read\",\"Microsoft.RecoveryServices/Vaults/read\",\"Microsoft.RecoveryServices/Vaults/refreshContainers/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/read\",\"Microsoft.RecoveryServices/vaults/replicationAlertSettings/read\",\"Microsoft.RecoveryServices/vaults/replicationEvents/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationNetworks/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationNetworks/replicationNetworkMappings/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectableItems/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/recoveryPoints/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectionContainerMappings/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationRecoveryServicesProviders/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationStorageClassifications/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationStorageClassifications/replicationStorageClassificationMappings/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationvCenters/read\",\"Microsoft.RecoveryServices/vaults/replicationJobs/read\",\"Microsoft.RecoveryServices/vaults/replicationPolicies/read\",\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/read\",\"Microsoft.RecoveryServices/vaults/replicationVaultSettings/read\",\"Microsoft.RecoveryServices/Vaults/storageConfig/read\",\"Microsoft.RecoveryServices/Vaults/tokenInfo/read\",\"Microsoft.RecoveryServices/Vaults/usages/read\",\"Microsoft.RecoveryServices/Vaults/vaultTokens/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-05-19T13:35:40.0093634Z\",\"updatedOn\":\"2021-11-11T20:13:52.9763366Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/dbaa88c4-0c30-4179-9fb3-46319faa6149\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"dbaa88c4-0c30-4179-9fb3-46319faa6149\"},{\"properties\":{\"roleName\":\"Spatial - Anchors Account Owner\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - manage spatial anchors in your account, including deleting them\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/SpatialAnchorsAccounts/create/action\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/delete\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/discovery/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/properties/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/query/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/submitdiag/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/write\"],\"notDataActions\":[]}],\"createdOn\":\"2018-12-21T17:57:43.5489832Z\",\"updatedOn\":\"2021-11-11T20:13:53.1663250Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/70bbe301-9835-447d-afdd-19eb3167307c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"70bbe301-9835-447d-afdd-19eb3167307c\"},{\"properties\":{\"roleName\":\"SQL - Managed Instance Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you manage SQL Managed Instances and required network configuration, but can\u2019t - give access to others.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Network/networkSecurityGroups/*\",\"Microsoft.Network/routeTables/*\",\"Microsoft.Sql/locations/*/read\",\"Microsoft.Sql/locations/instanceFailoverGroups/*\",\"Microsoft.Sql/managedInstances/*\",\"Microsoft.Support/*\",\"Microsoft.Network/virtualNetworks/subnets/*\",\"Microsoft.Network/virtualNetworks/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\"],\"notActions\":[\"Microsoft.Sql/managedInstances/azureADOnlyAuthentications/delete\",\"Microsoft.Sql/managedInstances/azureADOnlyAuthentications/write\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-12-10T22:57:14.2937983Z\",\"updatedOn\":\"2021-11-11T20:13:53.3513507Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4939a1f6-9ae0-4e48-a1e0-f2cbe897382d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4939a1f6-9ae0-4e48-a1e0-f2cbe897382d\"},{\"properties\":{\"roleName\":\"SQL - DB Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage - SQL databases, but not access to them. Also, you can't manage their security-related - policies or their parent SQL servers.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Sql/locations/*/read\",\"Microsoft.Sql/servers/databases/*\",\"Microsoft.Sql/servers/read\",\"Microsoft.Support/*\",\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\"],\"notActions\":[\"Microsoft.Sql/servers/databases/ledgerDigestUploads/write\",\"Microsoft.Sql/servers/databases/ledgerDigestUploads/disable/action\",\"Microsoft.Sql/managedInstances/databases/currentSensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/recommendedSensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/schemas/tables/columns/sensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/securityAlertPolicies/*\",\"Microsoft.Sql/managedInstances/databases/sensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/vulnerabilityAssessments/*\",\"Microsoft.Sql/managedInstances/securityAlertPolicies/*\",\"Microsoft.Sql/managedInstances/vulnerabilityAssessments/*\",\"Microsoft.Sql/servers/databases/auditingSettings/*\",\"Microsoft.Sql/servers/databases/auditRecords/read\",\"Microsoft.Sql/servers/databases/currentSensitivityLabels/*\",\"Microsoft.Sql/servers/databases/dataMaskingPolicies/*\",\"Microsoft.Sql/servers/databases/extendedAuditingSettings/*\",\"Microsoft.Sql/servers/databases/recommendedSensitivityLabels/*\",\"Microsoft.Sql/servers/databases/schemas/tables/columns/sensitivityLabels/*\",\"Microsoft.Sql/servers/databases/securityAlertPolicies/*\",\"Microsoft.Sql/servers/databases/securityMetrics/*\",\"Microsoft.Sql/servers/databases/sensitivityLabels/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessments/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessmentScans/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessmentSettings/*\",\"Microsoft.Sql/servers/vulnerabilityAssessments/*\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:53.5363219Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9b7fa17d-e63e-47b0-bb0a-15c516ac86ec\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"9b7fa17d-e63e-47b0-bb0a-15c516ac86ec\"},{\"properties\":{\"roleName\":\"SQL - Security Manager\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage - the security-related policies of SQL servers and databases, but not access - to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Network/virtualNetworks/subnets/joinViaServiceEndpoint/action\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Sql/locations/administratorAzureAsyncOperation/read\",\"Microsoft.Sql/managedInstances/databases/currentSensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/recommendedSensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/schemas/tables/columns/sensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/securityAlertPolicies/*\",\"Microsoft.Sql/managedInstances/databases/sensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/vulnerabilityAssessments/*\",\"Microsoft.Sql/managedInstances/securityAlertPolicies/*\",\"Microsoft.Sql/managedInstances/databases/transparentDataEncryption/*\",\"Microsoft.Sql/managedInstances/vulnerabilityAssessments/*\",\"Microsoft.Sql/servers/auditingSettings/*\",\"Microsoft.Sql/servers/extendedAuditingSettings/read\",\"Microsoft.Sql/servers/databases/auditingSettings/*\",\"Microsoft.Sql/servers/databases/auditRecords/read\",\"Microsoft.Sql/servers/databases/currentSensitivityLabels/*\",\"Microsoft.Sql/servers/databases/dataMaskingPolicies/*\",\"Microsoft.Sql/servers/databases/extendedAuditingSettings/read\",\"Microsoft.Sql/servers/databases/read\",\"Microsoft.Sql/servers/databases/recommendedSensitivityLabels/*\",\"Microsoft.Sql/servers/databases/schemas/read\",\"Microsoft.Sql/servers/databases/schemas/tables/columns/read\",\"Microsoft.Sql/servers/databases/schemas/tables/columns/sensitivityLabels/*\",\"Microsoft.Sql/servers/databases/schemas/tables/read\",\"Microsoft.Sql/servers/databases/securityAlertPolicies/*\",\"Microsoft.Sql/servers/databases/securityMetrics/*\",\"Microsoft.Sql/servers/databases/sensitivityLabels/*\",\"Microsoft.Sql/servers/databases/transparentDataEncryption/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessments/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessmentScans/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessmentSettings/*\",\"Microsoft.Sql/servers/devOpsAuditingSettings/*\",\"Microsoft.Sql/servers/firewallRules/*\",\"Microsoft.Sql/servers/read\",\"Microsoft.Sql/servers/securityAlertPolicies/*\",\"Microsoft.Sql/servers/vulnerabilityAssessments/*\",\"Microsoft.Support/*\",\"Microsoft.Sql/servers/azureADOnlyAuthentications/*\",\"Microsoft.Sql/managedInstances/read\",\"Microsoft.Sql/managedInstances/azureADOnlyAuthentications/*\",\"Microsoft.Security/sqlVulnerabilityAssessments/*\",\"Microsoft.Sql/managedInstances/administrators/read\",\"Microsoft.Sql/servers/administrators/read\",\"Microsoft.Sql/servers/externalPolicyBasedAuthorizations/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-06-16T18:44:40.4607572Z\",\"updatedOn\":\"2022-04-27T21:08:08.4474437Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/056cd41c-7e88-42e1-933e-88ba6a50c9c3\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"056cd41c-7e88-42e1-933e-88ba6a50c9c3\"},{\"properties\":{\"roleName\":\"Storage - Account Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - manage storage accounts, including accessing storage account keys which provide - full access to storage account data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/diagnosticSettings/*\",\"Microsoft.Network/virtualNetworks/subnets/joinViaServiceEndpoint/action\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-06-02T00:18:27.3542698Z\",\"updatedOn\":\"2021-11-11T20:13:54.2363539Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/17d1049b-9a84-46fb-8f53-869881c3d3ab\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"17d1049b-9a84-46fb-8f53-869881c3d3ab\"},{\"properties\":{\"roleName\":\"SQL - Server Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage - SQL servers and databases, but not access to them, and not their security - -related policies.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Sql/locations/*/read\",\"Microsoft.Sql/servers/*\",\"Microsoft.Support/*\",\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\"],\"notActions\":[\"Microsoft.Sql/managedInstances/databases/currentSensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/recommendedSensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/schemas/tables/columns/sensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/securityAlertPolicies/*\",\"Microsoft.Sql/managedInstances/databases/sensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/vulnerabilityAssessments/*\",\"Microsoft.Sql/managedInstances/securityAlertPolicies/*\",\"Microsoft.Sql/managedInstances/vulnerabilityAssessments/*\",\"Microsoft.Sql/servers/auditingSettings/*\",\"Microsoft.Sql/servers/databases/auditingSettings/*\",\"Microsoft.Sql/servers/databases/auditRecords/read\",\"Microsoft.Sql/servers/databases/currentSensitivityLabels/*\",\"Microsoft.Sql/servers/databases/dataMaskingPolicies/*\",\"Microsoft.Sql/servers/databases/extendedAuditingSettings/*\",\"Microsoft.Sql/servers/databases/recommendedSensitivityLabels/*\",\"Microsoft.Sql/servers/databases/schemas/tables/columns/sensitivityLabels/*\",\"Microsoft.Sql/servers/databases/securityAlertPolicies/*\",\"Microsoft.Sql/servers/databases/securityMetrics/*\",\"Microsoft.Sql/servers/databases/sensitivityLabels/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessments/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessmentScans/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessmentSettings/*\",\"Microsoft.Sql/servers/devOpsAuditingSettings/*\",\"Microsoft.Sql/servers/extendedAuditingSettings/*\",\"Microsoft.Sql/servers/securityAlertPolicies/*\",\"Microsoft.Sql/servers/vulnerabilityAssessments/*\",\"Microsoft.Sql/servers/azureADOnlyAuthentications/delete\",\"Microsoft.Sql/servers/azureADOnlyAuthentications/write\",\"Microsoft.Sql/servers/externalPolicyBasedAuthorizations/delete\",\"Microsoft.Sql/servers/externalPolicyBasedAuthorizations/write\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2022-04-28T19:00:53.9963035Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6d8ee4ec-f05a-4a1d-8b00-a9b17e38b437\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6d8ee4ec-f05a-4a1d-8b00-a9b17e38b437\"},{\"properties\":{\"roleName\":\"Storage - Account Key Operator Service Role\",\"type\":\"BuiltInRole\",\"description\":\"Storage - Account Key Operators are allowed to list and regenerate keys on Storage Accounts\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/listkeys/action\",\"Microsoft.Storage/storageAccounts/regeneratekey/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-04-13T18:26:11.5770570Z\",\"updatedOn\":\"2021-11-11T20:13:54.7697481Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/81a9662b-bebf-436f-a333-f67b29880f12\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"81a9662b-bebf-436f-a333-f67b29880f12\"},{\"properties\":{\"roleName\":\"Storage - Blob Data Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allows - for read, write and delete access to Azure Storage blob containers and data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/delete\",\"Microsoft.Storage/storageAccounts/blobServices/containers/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/write\",\"Microsoft.Storage/storageAccounts/blobServices/generateUserDelegationKey/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/delete\",\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/write\",\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/move/action\",\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/add/action\"],\"notDataActions\":[]}],\"createdOn\":\"2017-12-21T00:01:24.7972312Z\",\"updatedOn\":\"2021-11-11T20:13:54.9397456Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ba92f5b4-2d11-453d-a403-e96b0029c9fe\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ba92f5b4-2d11-453d-a403-e96b0029c9fe\"},{\"properties\":{\"roleName\":\"Storage - Blob Data Owner\",\"type\":\"BuiltInRole\",\"description\":\"Allows for full - access to Azure Storage blob containers and data, including assigning POSIX - access control.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/*\",\"Microsoft.Storage/storageAccounts/blobServices/generateUserDelegationKey/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/*\"],\"notDataActions\":[]}],\"createdOn\":\"2018-12-04T07:02:58.2775257Z\",\"updatedOn\":\"2021-11-11T20:13:55.1225062Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b7e6dc6d-f1e8-4753-8033-0f276bb0955b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b7e6dc6d-f1e8-4753-8033-0f276bb0955b\"},{\"properties\":{\"roleName\":\"Storage - Blob Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows for read - access to Azure Storage blob containers and data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/read\",\"Microsoft.Storage/storageAccounts/blobServices/generateUserDelegationKey/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/read\"],\"notDataActions\":[]}],\"createdOn\":\"2017-12-21T00:01:24.7972312Z\",\"updatedOn\":\"2021-11-11T20:13:55.2975076Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2a2b9908-6ea1-4ae2-8e65-a410df84e7d1\"},{\"properties\":{\"roleName\":\"Storage - Queue Data Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allows - for read, write, and delete access to Azure Storage queues and queue messages\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/queueServices/queues/delete\",\"Microsoft.Storage/storageAccounts/queueServices/queues/read\",\"Microsoft.Storage/storageAccounts/queueServices/queues/write\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/delete\",\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/read\",\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/write\",\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/process/action\"],\"notDataActions\":[]}],\"createdOn\":\"2017-12-21T00:01:24.7972312Z\",\"updatedOn\":\"2021-11-11T20:13:55.4725469Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/974c5e8b-45b9-4653-ba55-5f855dd0fb88\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"974c5e8b-45b9-4653-ba55-5f855dd0fb88\"},{\"properties\":{\"roleName\":\"Storage - Queue Data Message Processor\",\"type\":\"BuiltInRole\",\"description\":\"Allows - for peek, receive, and delete access to Azure Storage queue messages\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/read\",\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/process/action\"],\"notDataActions\":[]}],\"createdOn\":\"2019-01-28T22:27:04.8947111Z\",\"updatedOn\":\"2021-11-11T20:13:55.6575408Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8a0f0c08-91a1-4084-bc3d-661d67233fed\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8a0f0c08-91a1-4084-bc3d-661d67233fed\"},{\"properties\":{\"roleName\":\"Storage - Queue Data Message Sender\",\"type\":\"BuiltInRole\",\"description\":\"Allows - for sending of Azure Storage queue messages\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/add/action\"],\"notDataActions\":[]}],\"createdOn\":\"2019-01-28T22:28:34.7459724Z\",\"updatedOn\":\"2021-11-11T20:13:55.8325508Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c6a89b2d-59bc-44d0-9896-0f6e12d7b80a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c6a89b2d-59bc-44d0-9896-0f6e12d7b80a\"},{\"properties\":{\"roleName\":\"Storage - Queue Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows for - read access to Azure Storage queues and queue messages\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/queueServices/queues/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/read\"],\"notDataActions\":[]}],\"createdOn\":\"2017-12-21T00:01:24.7972312Z\",\"updatedOn\":\"2021-11-11T20:13:56.0178497Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/19e7f393-937e-4f77-808e-94535e297925\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"19e7f393-937e-4f77-808e-94535e297925\"},{\"properties\":{\"roleName\":\"Support - Request Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - create and manage Support requests\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-06-22T22:25:37.8053068Z\",\"updatedOn\":\"2021-11-11T20:13:56.7444481Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/cfd33db0-3dd1-45e3-aa9d-cdbdf3b6f24e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"cfd33db0-3dd1-45e3-aa9d-cdbdf3b6f24e\"},{\"properties\":{\"roleName\":\"Traffic - Manager Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - manage Traffic Manager profiles, but does not let you control who has access - to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Network/trafficManagerProfiles/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-10-15T23:33:25.9730842Z\",\"updatedOn\":\"2021-11-11T20:13:57.2744497Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a4b10055-b0c7-44c2-b00f-c7b5b3550cf7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a4b10055-b0c7-44c2-b00f-c7b5b3550cf7\"},{\"properties\":{\"roleName\":\"Virtual - Machine Administrator Login\",\"type\":\"BuiltInRole\",\"description\":\"View - Virtual Machines in the portal and login as administrator\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Network/publicIPAddresses/read\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/loadBalancers/read\",\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Compute/virtualMachines/*/read\",\"Microsoft.HybridCompute/machines/*/read\",\"Microsoft.HybridConnectivity/endpoints/listCredentials/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Compute/virtualMachines/login/action\",\"Microsoft.Compute/virtualMachines/loginAsAdmin/action\",\"Microsoft.HybridCompute/machines/login/action\",\"Microsoft.HybridCompute/machines/loginAsAdmin/action\"],\"notDataActions\":[]}],\"createdOn\":\"2018-02-09T18:36:13.3315744Z\",\"updatedOn\":\"2021-11-18T00:56:53.8134295Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1c0163c0-47e6-4577-8991-ea5c82e286e4\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1c0163c0-47e6-4577-8991-ea5c82e286e4\"},{\"properties\":{\"roleName\":\"User - Access Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - manage user access to Azure resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.Authorization/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:57.7932023Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"18d7d88d-d35e-4fb5-a5c3-7773c20a72d9\"},{\"properties\":{\"roleName\":\"Virtual - Machine User Login\",\"type\":\"BuiltInRole\",\"description\":\"View Virtual - Machines in the portal and login as a regular user.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Network/publicIPAddresses/read\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/loadBalancers/read\",\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Compute/virtualMachines/*/read\",\"Microsoft.HybridCompute/machines/*/read\",\"Microsoft.HybridConnectivity/endpoints/listCredentials/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Compute/virtualMachines/login/action\",\"Microsoft.HybridCompute/machines/login/action\"],\"notDataActions\":[]}],\"createdOn\":\"2018-02-09T18:36:13.3315744Z\",\"updatedOn\":\"2021-11-18T00:55:50.6185845Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fb879df8-f326-4884-b1cf-06f3ad86be52\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fb879df8-f326-4884-b1cf-06f3ad86be52\"},{\"properties\":{\"roleName\":\"Virtual - Machine Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - manage virtual machines, but not access to them, and not the virtual network - or storage account they're connected to.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Compute/availabilitySets/*\",\"Microsoft.Compute/locations/*\",\"Microsoft.Compute/virtualMachines/*\",\"Microsoft.Compute/virtualMachineScaleSets/*\",\"Microsoft.Compute/cloudServices/*\",\"Microsoft.Compute/disks/write\",\"Microsoft.Compute/disks/read\",\"Microsoft.Compute/disks/delete\",\"Microsoft.DevTestLab/schedules/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Network/applicationGateways/backendAddressPools/join/action\",\"Microsoft.Network/loadBalancers/backendAddressPools/join/action\",\"Microsoft.Network/loadBalancers/inboundNatPools/join/action\",\"Microsoft.Network/loadBalancers/inboundNatRules/join/action\",\"Microsoft.Network/loadBalancers/probes/join/action\",\"Microsoft.Network/loadBalancers/read\",\"Microsoft.Network/locations/*\",\"Microsoft.Network/networkInterfaces/*\",\"Microsoft.Network/networkSecurityGroups/join/action\",\"Microsoft.Network/networkSecurityGroups/read\",\"Microsoft.Network/publicIPAddresses/join/action\",\"Microsoft.Network/publicIPAddresses/read\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.RecoveryServices/locations/*\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/backupProtectionIntent/write\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/*/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/write\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/read\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/write\",\"Microsoft.RecoveryServices/Vaults/read\",\"Microsoft.RecoveryServices/Vaults/usages/read\",\"Microsoft.RecoveryServices/Vaults/write\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.SerialConsole/serialPorts/connect/action\",\"Microsoft.SqlVirtualMachine/*\",\"Microsoft.Storage/storageAccounts/listKeys/action\",\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-06-02T00:18:27.3542698Z\",\"updatedOn\":\"2021-11-11T20:13:58.3176075Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"9980e02c-c2be-4d73-94e8-173b1dc7cf3c\"},{\"properties\":{\"roleName\":\"Web - Plan Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage - the web plans for websites, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Web/serverFarms/*\",\"Microsoft.Web/hostingEnvironments/Join/Action\",\"Microsoft.Insights/autoscalesettings/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2022-09-02T22:05:21.2973929Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2cc479cb-7b4d-49a8-b449-8c00fd0f0a4b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2cc479cb-7b4d-49a8-b449-8c00fd0f0a4b\"},{\"properties\":{\"roleName\":\"Website - Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage websites - (not web plans), but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/components/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Web/certificates/*\",\"Microsoft.Web/listSitesAssignedToHostName/read\",\"Microsoft.Web/serverFarms/join/action\",\"Microsoft.Web/serverFarms/read\",\"Microsoft.Web/sites/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-05-12T23:10:23.6193952Z\",\"updatedOn\":\"2021-11-11T20:13:58.6655647Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/de139f84-1756-47ae-9be6-808fbbe84772\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"de139f84-1756-47ae-9be6-808fbbe84772\"},{\"properties\":{\"roleName\":\"Azure - Service Bus Data Owner\",\"type\":\"BuiltInRole\",\"description\":\"Allows - for full access to Azure Service Bus resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ServiceBus/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ServiceBus/*\"],\"notDataActions\":[]}],\"createdOn\":\"2019-04-16T21:33:36.7445745Z\",\"updatedOn\":\"2021-11-11T20:13:59.2005807Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/090c5cfd-751d-490a-894a-3ce6f1109419\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"090c5cfd-751d-490a-894a-3ce6f1109419\"},{\"properties\":{\"roleName\":\"Azure - Event Hubs Data Owner\",\"type\":\"BuiltInRole\",\"description\":\"Allows - for full access to Azure Event Hubs resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.EventHub/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.EventHub/*\"],\"notDataActions\":[]}],\"createdOn\":\"2019-04-16T21:34:29.8656362Z\",\"updatedOn\":\"2021-11-11T20:13:59.3721538Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f526a384-b230-433a-b45c-95f59c4a2dec\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f526a384-b230-433a-b45c-95f59c4a2dec\"},{\"properties\":{\"roleName\":\"Attestation - Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can read write or - delete the attestation provider instance\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Attestation/attestationProviders/attestation/read\",\"Microsoft.Attestation/attestationProviders/attestation/write\",\"Microsoft.Attestation/attestationProviders/attestation/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-04-19T00:24:09.3354177Z\",\"updatedOn\":\"2021-11-11T20:13:59.7271218Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/bbf86eb8-f7b4-4cce-96e4-18cddf81d86e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"bbf86eb8-f7b4-4cce-96e4-18cddf81d86e\"},{\"properties\":{\"roleName\":\"HDInsight - Cluster Operator\",\"type\":\"BuiltInRole\",\"description\":\"Lets you read - and modify HDInsight cluster configurations.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HDInsight/*/read\",\"Microsoft.HDInsight/clusters/getGatewaySettings/action\",\"Microsoft.HDInsight/clusters/updateGatewaySettings/action\",\"Microsoft.HDInsight/clusters/configurations/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-04-20T00:03:01.7110732Z\",\"updatedOn\":\"2021-11-11T20:13:59.9052180Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/61ed4efc-fab3-44fd-b111-e24485cc132a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"61ed4efc-fab3-44fd-b111-e24485cc132a\"},{\"properties\":{\"roleName\":\"Cosmos - DB Operator\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage Azure - Cosmos DB accounts, but not access data in them. Prevents access to account - keys and connection strings.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DocumentDb/databaseAccounts/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Network/virtualNetworks/subnets/joinViaServiceEndpoint/action\"],\"notActions\":[\"Microsoft.DocumentDB/databaseAccounts/readonlyKeys/*\",\"Microsoft.DocumentDB/databaseAccounts/regenerateKey/*\",\"Microsoft.DocumentDB/databaseAccounts/listKeys/*\",\"Microsoft.DocumentDB/databaseAccounts/listConnectionStrings/*\",\"Microsoft.DocumentDB/databaseAccounts/sqlRoleDefinitions/write\",\"Microsoft.DocumentDB/databaseAccounts/sqlRoleDefinitions/delete\",\"Microsoft.DocumentDB/databaseAccounts/sqlRoleAssignments/write\",\"Microsoft.DocumentDB/databaseAccounts/sqlRoleAssignments/delete\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-04-26T17:01:17.0169383Z\",\"updatedOn\":\"2021-11-11T20:14:00.0802032Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/230815da-be43-4aae-9cb4-875f7bd000aa\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"230815da-be43-4aae-9cb4-875f7bd000aa\"},{\"properties\":{\"roleName\":\"Hybrid - Server Resource Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Can - read, write, delete, and re-onboard Hybrid servers to the Hybrid Resource - Provider.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HybridCompute/machines/*\",\"Microsoft.HybridCompute/*/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-04-29T21:39:32.3132923Z\",\"updatedOn\":\"2021-11-11T20:14:00.2548257Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/48b40c6e-82e0-4eb3-90d5-19e40f49b624\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"48b40c6e-82e0-4eb3-90d5-19e40f49b624\"},{\"properties\":{\"roleName\":\"Hybrid - Server Onboarding\",\"type\":\"BuiltInRole\",\"description\":\"Can onboard - new Hybrid servers to the Hybrid Resource Provider.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HybridCompute/machines/read\",\"Microsoft.HybridCompute/machines/write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-04-29T22:36:28.1873756Z\",\"updatedOn\":\"2021-11-11T20:14:00.4308999Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5d1e5ee4-7c68-4a71-ac8b-0739630a3dfb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5d1e5ee4-7c68-4a71-ac8b-0739630a3dfb\"},{\"properties\":{\"roleName\":\"Azure - Event Hubs Data Receiver\",\"type\":\"BuiltInRole\",\"description\":\"Allows - receive access to Azure Event Hubs resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.EventHub/*/eventhubs/consumergroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.EventHub/*/receive/action\"],\"notDataActions\":[]}],\"createdOn\":\"2019-05-10T06:25:21.1056666Z\",\"updatedOn\":\"2021-11-11T20:14:01.3225169Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a638d3c7-ab3a-418d-83e6-5f17a39d4fde\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a638d3c7-ab3a-418d-83e6-5f17a39d4fde\"},{\"properties\":{\"roleName\":\"Azure - Event Hubs Data Sender\",\"type\":\"BuiltInRole\",\"description\":\"Allows - send access to Azure Event Hubs resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.EventHub/*/eventhubs/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.EventHub/*/send/action\"],\"notDataActions\":[]}],\"createdOn\":\"2019-05-10T06:26:12.4673714Z\",\"updatedOn\":\"2021-11-11T20:14:01.4925583Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2b629674-e913-4c01-ae53-ef4638d8f975\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2b629674-e913-4c01-ae53-ef4638d8f975\"},{\"properties\":{\"roleName\":\"Azure - Service Bus Data Receiver\",\"type\":\"BuiltInRole\",\"description\":\"Allows - for receive access to Azure Service Bus resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ServiceBus/*/queues/read\",\"Microsoft.ServiceBus/*/topics/read\",\"Microsoft.ServiceBus/*/topics/subscriptions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ServiceBus/*/receive/action\"],\"notDataActions\":[]}],\"createdOn\":\"2019-05-10T06:43:01.6343849Z\",\"updatedOn\":\"2021-11-11T20:14:01.6629685Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4f6d3b9b-027b-4f4c-9142-0e5a2a2247e0\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4f6d3b9b-027b-4f4c-9142-0e5a2a2247e0\"},{\"properties\":{\"roleName\":\"Azure - Service Bus Data Sender\",\"type\":\"BuiltInRole\",\"description\":\"Allows - for send access to Azure Service Bus resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ServiceBus/*/queues/read\",\"Microsoft.ServiceBus/*/topics/read\",\"Microsoft.ServiceBus/*/topics/subscriptions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ServiceBus/*/send/action\"],\"notDataActions\":[]}],\"createdOn\":\"2019-05-10T06:43:46.7046934Z\",\"updatedOn\":\"2021-11-11T20:14:01.8479199Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/69a216fc-b8fb-44d8-bc22-1f3c2cd27a39\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"69a216fc-b8fb-44d8-bc22-1f3c2cd27a39\"},{\"properties\":{\"roleName\":\"Storage - File Data SMB Share Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows - for read access to Azure File Share over SMB\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/read\"],\"notDataActions\":[]}],\"createdOn\":\"2019-07-01T20:19:31.8620471Z\",\"updatedOn\":\"2021-11-11T20:14:04.3642909Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/aba4ae5f-2193-4029-9191-0cb91df5e314\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"aba4ae5f-2193-4029-9191-0cb91df5e314\"},{\"properties\":{\"roleName\":\"Storage - File Data SMB Share Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allows - for read, write, and delete access in Azure Storage file shares over SMB\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/read\",\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/write\",\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/delete\"],\"notDataActions\":[]}],\"createdOn\":\"2019-07-01T20:54:35.4834310Z\",\"updatedOn\":\"2021-11-11T20:14:04.5443323Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0c867c2a-1d8c-454a-a3db-ab2ea1bdc8bb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0c867c2a-1d8c-454a-a3db-ab2ea1bdc8bb\"},{\"properties\":{\"roleName\":\"Private - DNS Zone Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - manage private DNS zone resources, but not the virtual networks they are linked - to.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Network/privateDnsZones/*\",\"Microsoft.Network/privateDnsOperationResults/*\",\"Microsoft.Network/privateDnsOperationStatuses/*\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/join/action\",\"Microsoft.Authorization/*/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-07-10T19:31:15.5645518Z\",\"updatedOn\":\"2021-11-11T20:14:04.7342851Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b12aa53e-6015-4669-85d0-8515ebb3ae7f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b12aa53e-6015-4669-85d0-8515ebb3ae7f\"},{\"properties\":{\"roleName\":\"Storage - Blob Delegator\",\"type\":\"BuiltInRole\",\"description\":\"Allows for generation - of a user delegation key which can be used to sign SAS tokens\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/blobServices/generateUserDelegationKey/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-07-23T00:51:16.3376761Z\",\"updatedOn\":\"2021-11-11T20:14:05.4321714Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/db58b8e5-c6ad-4a2a-8342-4190687cbf4a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"db58b8e5-c6ad-4a2a-8342-4190687cbf4a\"},{\"properties\":{\"roleName\":\"Desktop - Virtualization User\",\"type\":\"BuiltInRole\",\"description\":\"Allows user - to use the applications in an application group.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.DesktopVirtualization/applicationGroups/useApplications/action\"],\"notDataActions\":[]}],\"createdOn\":\"2019-08-07T00:29:03.8727621Z\",\"updatedOn\":\"2021-11-11T20:14:05.9821791Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1d18fff3-a72a-46b5-b4a9-0b38a3cd7e63\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1d18fff3-a72a-46b5-b4a9-0b38a3cd7e63\"},{\"properties\":{\"roleName\":\"Storage - File Data SMB Share Elevated Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allows - for read, write, delete and modify NTFS permission access in Azure Storage - file shares over SMB\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/read\",\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/write\",\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/delete\",\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/modifypermissions/action\"],\"notDataActions\":[]}],\"createdOn\":\"2019-08-07T01:35:36.9935457Z\",\"updatedOn\":\"2021-11-11T20:14:06.1571744Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a7264617-510b-434b-a828-9731dc254ea7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a7264617-510b-434b-a828-9731dc254ea7\"},{\"properties\":{\"roleName\":\"Blueprint - Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can manage blueprint - definitions, but not assign them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Blueprint/blueprints/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-08-14T21:55:16.9683949Z\",\"updatedOn\":\"2021-11-11T20:14:06.5171828Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/41077137-e803-4205-871c-5a86e6a753b4\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"41077137-e803-4205-871c-5a86e6a753b4\"},{\"properties\":{\"roleName\":\"Blueprint - Operator\",\"type\":\"BuiltInRole\",\"description\":\"Can assign existing - published blueprints, but cannot create new blueprints. NOTE: this only works - if the assignment is done with a user-assigned managed identity.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Blueprint/blueprintAssignments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-08-14T21:56:48.7897875Z\",\"updatedOn\":\"2021-11-11T20:14:06.6971401Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/437d2ced-4a38-4302-8479-ed2bcb43d090\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"437d2ced-4a38-4302-8479-ed2bcb43d090\"},{\"properties\":{\"roleName\":\"Microsoft - Sentinel Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Microsoft - Sentinel Contributor\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.SecurityInsights/*\",\"Microsoft.OperationalInsights/workspaces/analytics/query/action\",\"Microsoft.OperationalInsights/workspaces/*/read\",\"Microsoft.OperationalInsights/workspaces/savedSearches/*\",\"Microsoft.OperationsManagement/solutions/read\",\"Microsoft.OperationalInsights/workspaces/query/read\",\"Microsoft.OperationalInsights/workspaces/query/*/read\",\"Microsoft.OperationalInsights/workspaces/dataSources/read\",\"Microsoft.OperationalInsights/querypacks/*/read\",\"Microsoft.Insights/workbooks/*\",\"Microsoft.Insights/myworkbooks/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[\"Microsoft.SecurityInsights/ConfidentialWatchlists/*\",\"Microsoft.OperationalInsights/workspaces/query/ConfidentialWatchlist/*\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-08-28T16:39:03.8725173Z\",\"updatedOn\":\"2022-08-01T16:51:27.7345004Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ab8e14d6-4a74-4a29-9ba8-549422addade\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ab8e14d6-4a74-4a29-9ba8-549422addade\"},{\"properties\":{\"roleName\":\"Microsoft - Sentinel Responder\",\"type\":\"BuiltInRole\",\"description\":\"Microsoft - Sentinel Responder\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.SecurityInsights/*/read\",\"Microsoft.SecurityInsights/dataConnectorsCheckRequirements/action\",\"Microsoft.SecurityInsights/automationRules/*\",\"Microsoft.SecurityInsights/cases/*\",\"Microsoft.SecurityInsights/incidents/*\",\"Microsoft.SecurityInsights/threatIntelligence/indicators/appendTags/action\",\"Microsoft.SecurityInsights/threatIntelligence/indicators/query/action\",\"Microsoft.SecurityInsights/threatIntelligence/bulkTag/action\",\"Microsoft.SecurityInsights/threatIntelligence/indicators/appendTags/action\",\"Microsoft.SecurityInsights/threatIntelligence/indicators/replaceTags/action\",\"Microsoft.SecurityInsights/threatIntelligence/queryIndicators/action\",\"Microsoft.OperationalInsights/workspaces/analytics/query/action\",\"Microsoft.OperationalInsights/workspaces/*/read\",\"Microsoft.OperationalInsights/workspaces/dataSources/read\",\"Microsoft.OperationalInsights/workspaces/savedSearches/read\",\"Microsoft.OperationsManagement/solutions/read\",\"Microsoft.OperationalInsights/workspaces/query/read\",\"Microsoft.OperationalInsights/workspaces/query/*/read\",\"Microsoft.OperationalInsights/workspaces/dataSources/read\",\"Microsoft.OperationalInsights/querypacks/*/read\",\"Microsoft.Insights/workbooks/read\",\"Microsoft.Insights/myworkbooks/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[\"Microsoft.SecurityInsights/cases/*/Delete\",\"Microsoft.SecurityInsights/incidents/*/Delete\",\"Microsoft.SecurityInsights/ConfidentialWatchlists/*\",\"Microsoft.OperationalInsights/workspaces/query/ConfidentialWatchlist/*\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-08-28T16:54:07.6467264Z\",\"updatedOn\":\"2022-08-01T16:51:27.7345004Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e150937-b8fe-4cfb-8069-0eaf05ecd056\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3e150937-b8fe-4cfb-8069-0eaf05ecd056\"},{\"properties\":{\"roleName\":\"Microsoft - Sentinel Reader\",\"type\":\"BuiltInRole\",\"description\":\"Microsoft Sentinel - Reader\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.SecurityInsights/*/read\",\"Microsoft.SecurityInsights/dataConnectorsCheckRequirements/action\",\"Microsoft.SecurityInsights/threatIntelligence/indicators/query/action\",\"Microsoft.SecurityInsights/threatIntelligence/queryIndicators/action\",\"Microsoft.OperationalInsights/workspaces/analytics/query/action\",\"Microsoft.OperationalInsights/workspaces/*/read\",\"Microsoft.OperationalInsights/workspaces/LinkedServices/read\",\"Microsoft.OperationalInsights/workspaces/savedSearches/read\",\"Microsoft.OperationsManagement/solutions/read\",\"Microsoft.OperationalInsights/workspaces/query/read\",\"Microsoft.OperationalInsights/workspaces/query/*/read\",\"Microsoft.OperationalInsights/querypacks/*/read\",\"Microsoft.OperationalInsights/workspaces/dataSources/read\",\"Microsoft.Insights/workbooks/read\",\"Microsoft.Insights/myworkbooks/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/templateSpecs/*/read\",\"Microsoft.Support/*\"],\"notActions\":[\"Microsoft.SecurityInsights/ConfidentialWatchlists/*\",\"Microsoft.OperationalInsights/workspaces/query/ConfidentialWatchlist/*\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-08-28T16:58:50.1132117Z\",\"updatedOn\":\"2022-08-01T16:51:27.7657525Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8d289c81-5878-46d4-8554-54e1e3d8b5cb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8d289c81-5878-46d4-8554-54e1e3d8b5cb\"},{\"properties\":{\"roleName\":\"Workbook - Reader\",\"type\":\"BuiltInRole\",\"description\":\"Can read workbooks.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"microsoft.insights/workbooks/read\",\"microsoft.insights/workbooktemplates/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-08-28T20:56:17.6808140Z\",\"updatedOn\":\"2022-01-03T19:15:12.6968428Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b279062a-9be3-42a0-92ae-8b3cf002ec4d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b279062a-9be3-42a0-92ae-8b3cf002ec4d\"},{\"properties\":{\"roleName\":\"Workbook - Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can save shared workbooks.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Insights/workbooks/write\",\"Microsoft.Insights/workbooks/delete\",\"Microsoft.Insights/workbooks/read\",\"Microsoft.Insights/workbooktemplates/write\",\"Microsoft.Insights/workbooktemplates/delete\",\"Microsoft.Insights/workbooktemplates/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-08-28T20:59:42.4820277Z\",\"updatedOn\":\"2022-01-03T19:14:31.2372561Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e8ddcd69-c73f-4f9f-9844-4100522f16ad\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e8ddcd69-c73f-4f9f-9844-4100522f16ad\"},{\"properties\":{\"roleName\":\"Policy - Insights Data Writer (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Allows - read access to resource policies and write access to resource component policy - events.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/policyassignments/read\",\"Microsoft.Authorization/policydefinitions/read\",\"Microsoft.Authorization/policyexemptions/read\",\"Microsoft.Authorization/policysetdefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.PolicyInsights/checkDataPolicyCompliance/action\",\"Microsoft.PolicyInsights/policyEvents/logDataEvents/action\"],\"notDataActions\":[]}],\"createdOn\":\"2019-09-19T19:35:20.9504127Z\",\"updatedOn\":\"2021-11-11T20:14:09.4235132Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/66bb4e9e-b016-4a94-8249-4c0511c2be84\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"66bb4e9e-b016-4a94-8249-4c0511c2be84\"},{\"properties\":{\"roleName\":\"SignalR - AccessKey Reader\",\"type\":\"BuiltInRole\",\"description\":\"Read SignalR - Service Access Keys\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.SignalRService/*/read\",\"Microsoft.SignalRService/SignalR/listkeys/action\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-09-20T09:33:19.6236874Z\",\"updatedOn\":\"2021-11-11T20:14:09.6134860Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/04165923-9d83-45d5-8227-78b77b0a687e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"04165923-9d83-45d5-8227-78b77b0a687e\"},{\"properties\":{\"roleName\":\"SignalR/Web - PubSub Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Create, Read, - Update, and Delete SignalR service resources\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.SignalRService/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-09-20T09:58:09.0009662Z\",\"updatedOn\":\"2021-11-11T20:14:09.7884765Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8cf5e20a-e4b2-4e9d-b3a1-5ceb692c2761\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8cf5e20a-e4b2-4e9d-b3a1-5ceb692c2761\"},{\"properties\":{\"roleName\":\"Azure - Connected Machine Onboarding\",\"type\":\"BuiltInRole\",\"description\":\"Can - onboard Azure Connected Machines.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HybridCompute/machines/read\",\"Microsoft.HybridCompute/machines/write\",\"Microsoft.HybridCompute/privateLinkScopes/read\",\"Microsoft.GuestConfiguration/guestConfigurationAssignments/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-10-23T20:15:07.1372870Z\",\"updatedOn\":\"2021-11-11T20:14:10.8735219Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b64e21ea-ac4e-4cdf-9dc9-5b892992bee7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b64e21ea-ac4e-4cdf-9dc9-5b892992bee7\"},{\"properties\":{\"roleName\":\"Azure - Connected Machine Resource Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Can - read, write, delete and re-onboard Azure Connected Machines.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HybridCompute/machines/read\",\"Microsoft.HybridCompute/machines/write\",\"Microsoft.HybridCompute/machines/delete\",\"Microsoft.HybridCompute/machines/UpgradeExtensions/action\",\"Microsoft.HybridCompute/machines/extensions/read\",\"Microsoft.HybridCompute/machines/extensions/write\",\"Microsoft.HybridCompute/machines/extensions/delete\",\"Microsoft.HybridCompute/privateLinkScopes/*\",\"Microsoft.HybridCompute/*/read\",\"Microsoft.Resources/deployments/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-10-23T20:24:59.1474607Z\",\"updatedOn\":\"2021-12-15T16:10:25.5898511Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/cd570a14-e51a-42ad-bac8-bafd67325302\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"cd570a14-e51a-42ad-bac8-bafd67325302\"},{\"properties\":{\"roleName\":\"Managed - Services Registration assignment Delete Role\",\"type\":\"BuiltInRole\",\"description\":\"Managed - Services Registration Assignment Delete Role allows the managing tenant users - to delete the registration assignment assigned to their tenant.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ManagedServices/registrationAssignments/read\",\"Microsoft.ManagedServices/registrationAssignments/delete\",\"Microsoft.ManagedServices/operationStatuses/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-10-23T22:33:33.1183469Z\",\"updatedOn\":\"2021-11-11T20:14:11.2336400Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/91c1777a-f3dc-4fae-b103-61d183457e46\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"91c1777a-f3dc-4fae-b103-61d183457e46\"},{\"properties\":{\"roleName\":\"App - Configuration Data Owner\",\"type\":\"BuiltInRole\",\"description\":\"Allows - full access to App Configuration data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AppConfiguration/configurationStores/*/read\",\"Microsoft.AppConfiguration/configurationStores/*/write\",\"Microsoft.AppConfiguration/configurationStores/*/delete\"],\"notDataActions\":[]}],\"createdOn\":\"2019-10-25T18:41:40.1185063Z\",\"updatedOn\":\"2021-11-11T20:14:11.4035314Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5ae67dd6-50cb-40e7-96ff-dc2bfa4b606b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5ae67dd6-50cb-40e7-96ff-dc2bfa4b606b\"},{\"properties\":{\"roleName\":\"App - Configuration Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows - read access to App Configuration data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AppConfiguration/configurationStores/*/read\"],\"notDataActions\":[]}],\"createdOn\":\"2019-10-25T18:45:33.7975332Z\",\"updatedOn\":\"2021-11-11T20:14:11.5885341Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/516239f1-63e1-4d78-a4de-a74fb236a071\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"516239f1-63e1-4d78-a4de-a74fb236a071\"},{\"properties\":{\"roleName\":\"Kubernetes - Cluster - Azure Arc Onboarding\",\"type\":\"BuiltInRole\",\"description\":\"Role - definition to authorize any user/service to create connectedClusters resource\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Kubernetes/connectedClusters/Write\",\"Microsoft.Kubernetes/connectedClusters/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-11-18T17:00:02.2087147Z\",\"updatedOn\":\"2021-11-11T20:14:12.4685303Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/34e09817-6cbe-4d01-b1a2-e0eac5743d41\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"34e09817-6cbe-4d01-b1a2-e0eac5743d41\"},{\"properties\":{\"roleName\":\"Experimentation - Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Experimentation Contributor\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Experimentation/experimentWorkspaces/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/read\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/write\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/delete\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/experiment/action\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/emergencystop/action\",\"Microsoft.Experimentation/experimentWorkspaces/read\",\"Microsoft.Experimentation/experimentWorkspaces/write\",\"Microsoft.Experimentation/experimentWorkspaces/delete\"],\"notDataActions\":[]}],\"createdOn\":\"2019-12-13T00:08:08.6679591Z\",\"updatedOn\":\"2021-11-11T20:14:14.6454147Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7f646f1b-fa08-80eb-a22b-edd6ce5c915c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7f646f1b-fa08-80eb-a22b-edd6ce5c915c\"},{\"properties\":{\"roleName\":\"Cognitive - Services QnA Maker Reader\",\"type\":\"BuiltInRole\",\"description\":\"Let\u2019s - you read and test a KB only.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/download/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/generateanswer/action\",\"Microsoft.CognitiveServices/accounts/QnAMaker/alterations/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/endpointkeys/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/endpointsettings/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/download/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/generateanswer/action\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/alterations/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/endpointkeys/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/endpointsettings/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/download/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/generateanswer/action\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/alterations/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/endpointkeys/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/endpointsettings/read\"],\"notDataActions\":[]}],\"createdOn\":\"2019-12-17T18:26:12.3329439Z\",\"updatedOn\":\"2021-11-11T20:14:14.8254033Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/466ccd10-b268-4a11-b098-b4849f024126\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"466ccd10-b268-4a11-b098-b4849f024126\"},{\"properties\":{\"roleName\":\"Cognitive - Services QnA Maker Editor\",\"type\":\"BuiltInRole\",\"description\":\"Let\u2019s - you create, edit, import and export a KB. You cannot publish or delete a KB.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/download/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/create/write\",\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/write\",\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/generateanswer/action\",\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/train/action\",\"Microsoft.CognitiveServices/accounts/QnAMaker/alterations/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/alterations/write\",\"Microsoft.CognitiveServices/accounts/QnAMaker/endpointkeys/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/endpointkeys/refreshkeys/action\",\"Microsoft.CognitiveServices/accounts/QnAMaker/endpointsettings/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/endpointsettings/write\",\"Microsoft.CognitiveServices/accounts/QnAMaker/operations/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/download/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/create/write\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/write\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/generateanswer/action\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/train/action\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/alterations/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/alterations/write\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/endpointkeys/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/endpointkeys/refreshkeys/action\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/endpointsettings/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/endpointsettings/write\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/operations/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/download/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/create/write\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/write\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/generateanswer/action\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/train/action\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/alterations/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/alterations/write\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/endpointkeys/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/endpointkeys/refreshkeys/action\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/endpointsettings/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/endpointsettings/write\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/operations/read\"],\"notDataActions\":[]}],\"createdOn\":\"2019-12-17T18:27:30.6434556Z\",\"updatedOn\":\"2021-11-11T20:14:14.9961559Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f4cc2bf9-21be-47a1-bdf1-5c5804381025\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f4cc2bf9-21be-47a1-bdf1-5c5804381025\"},{\"properties\":{\"roleName\":\"Experimentation - Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Experimentation - Administrator\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Experimentation/experimentWorkspaces/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/admin/action\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/read\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/write\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/delete\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/experimentadmin/action\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/experiment/action\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/emergencystop/action\",\"Microsoft.Experimentation/experimentWorkspaces/read\",\"Microsoft.Experimentation/experimentWorkspaces/write\",\"Microsoft.Experimentation/experimentWorkspaces/delete\",\"Microsoft.Experimentation/experimentWorkspaces/admin/action\",\"Microsoft.Experimentation/experimentWorkspaces/metricwrite/action\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/metricwrite/action\"],\"notDataActions\":[]}],\"createdOn\":\"2019-12-18T22:46:33.1116612Z\",\"updatedOn\":\"2021-11-11T20:14:15.1811577Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7f646f1b-fa08-80eb-a33b-edd6ce5c915c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7f646f1b-fa08-80eb-a33b-edd6ce5c915c\"},{\"properties\":{\"roleName\":\"Remote - Rendering Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Provides - user with conversion, manage session, rendering and diagnostics capabilities - for Azure Remote Rendering\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/RemoteRenderingAccounts/convert/action\",\"Microsoft.MixedReality/RemoteRenderingAccounts/convert/read\",\"Microsoft.MixedReality/RemoteRenderingAccounts/convert/delete\",\"Microsoft.MixedReality/RemoteRenderingAccounts/managesessions/read\",\"Microsoft.MixedReality/RemoteRenderingAccounts/managesessions/action\",\"Microsoft.MixedReality/RemoteRenderingAccounts/managesessions/delete\",\"Microsoft.MixedReality/RemoteRenderingAccounts/render/read\",\"Microsoft.MixedReality/RemoteRenderingAccounts/diagnostic/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-01-23T18:15:31.3450348Z\",\"updatedOn\":\"2021-11-11T20:14:16.7621737Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3df8b902-2a6f-47c7-8cc5-360e9b272a7e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3df8b902-2a6f-47c7-8cc5-360e9b272a7e\"},{\"properties\":{\"roleName\":\"Remote - Rendering Client\",\"type\":\"BuiltInRole\",\"description\":\"Provides user - with manage session, rendering and diagnostics capabilities for Azure Remote - Rendering.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/RemoteRenderingAccounts/managesessions/read\",\"Microsoft.MixedReality/RemoteRenderingAccounts/managesessions/action\",\"Microsoft.MixedReality/RemoteRenderingAccounts/managesessions/delete\",\"Microsoft.MixedReality/RemoteRenderingAccounts/render/read\",\"Microsoft.MixedReality/RemoteRenderingAccounts/diagnostic/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-01-23T18:32:52.7069824Z\",\"updatedOn\":\"2021-11-11T20:14:16.9421512Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d39065c4-c120-43c9-ab0a-63eed9795f0a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d39065c4-c120-43c9-ab0a-63eed9795f0a\"},{\"properties\":{\"roleName\":\"Managed - Application Contributor Role\",\"type\":\"BuiltInRole\",\"description\":\"Allows - for creating managed application resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.Solutions/applications/*\",\"Microsoft.Solutions/register/action\",\"Microsoft.Resources/subscriptions/resourceGroups/*\",\"Microsoft.Resources/deployments/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-02-08T03:39:11.8933879Z\",\"updatedOn\":\"2021-11-11T20:14:19.1271536Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/641177b8-a67a-45b9-a033-47bc880bb21e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"641177b8-a67a-45b9-a033-47bc880bb21e\"},{\"properties\":{\"roleName\":\"Security - Assessment Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - push assessments to Security Center\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Security/assessments/write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-02-13T08:23:47.7656161Z\",\"updatedOn\":\"2021-11-11T20:14:19.3021974Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/612c2aa1-cb24-443b-ac28-3ab7272de6f5\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"612c2aa1-cb24-443b-ac28-3ab7272de6f5\"},{\"properties\":{\"roleName\":\"Tag - Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage tags - on entities, without providing access to the entities themselves.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/resourceGroups/resources/read\",\"Microsoft.Resources/subscriptions/resources/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Support/*\",\"Microsoft.Resources/tags/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-02-18T23:19:19.2977644Z\",\"updatedOn\":\"2021-11-11T20:14:20.0172041Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4a9ae827-6dc8-4573-8ac7-8239d42aa03f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4a9ae827-6dc8-4573-8ac7-8239d42aa03f\"},{\"properties\":{\"roleName\":\"Integration - Service Environment Developer\",\"type\":\"BuiltInRole\",\"description\":\"Allows - developers to create and update workflows, integration accounts and API connections - in integration service environments.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Support/*\",\"Microsoft.Logic/integrationServiceEnvironments/read\",\"Microsoft.Logic/integrationServiceEnvironments/*/join/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-02-20T21:09:00.5627875Z\",\"updatedOn\":\"2021-11-11T20:14:20.1871986Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c7aa55d3-1abb-444a-a5ca-5e51e485d6ec\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c7aa55d3-1abb-444a-a5ca-5e51e485d6ec\"},{\"properties\":{\"roleName\":\"Integration - Service Environment Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you manage integration service environments, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Support/*\",\"Microsoft.Logic/integrationServiceEnvironments/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-02-20T21:10:44.4008319Z\",\"updatedOn\":\"2021-11-11T20:14:20.3622058Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a41e2c5b-bd99-4a07-88f4-9bf657a760b8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a41e2c5b-bd99-4a07-88f4-9bf657a760b8\"},{\"properties\":{\"roleName\":\"Azure - Kubernetes Service Contributor Role\",\"type\":\"BuiltInRole\",\"description\":\"Grants - access to read and write Azure Kubernetes Service clusters\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerService/managedClusters/read\",\"Microsoft.ContainerService/managedClusters/write\",\"Microsoft.Resources/deployments/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-02-27T19:27:15.0739970Z\",\"updatedOn\":\"2021-11-11T20:14:21.2621727Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ed7f3fbd-7b88-4dd4-9017-9adb7ce333f8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ed7f3fbd-7b88-4dd4-9017-9adb7ce333f8\"},{\"properties\":{\"roleName\":\"Azure - Digital Twins Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Read-only - role for Digital Twins data-plane properties\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.DigitalTwins/digitaltwins/read\",\"Microsoft.DigitalTwins/digitaltwins/relationships/read\",\"Microsoft.DigitalTwins/eventroutes/read\",\"Microsoft.DigitalTwins/models/read\",\"Microsoft.DigitalTwins/query/action\"],\"notDataActions\":[]}],\"createdOn\":\"2020-03-10T23:48:14.7057381Z\",\"updatedOn\":\"2021-11-11T20:14:22.3621788Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d57506d4-4c8d-48b1-8587-93c323f6a5a3\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d57506d4-4c8d-48b1-8587-93c323f6a5a3\"},{\"properties\":{\"roleName\":\"Azure - Digital Twins Data Owner\",\"type\":\"BuiltInRole\",\"description\":\"Full - access role for Digital Twins data-plane\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.DigitalTwins/eventroutes/*\",\"Microsoft.DigitalTwins/digitaltwins/*\",\"Microsoft.DigitalTwins/digitaltwins/commands/*\",\"Microsoft.DigitalTwins/digitaltwins/relationships/*\",\"Microsoft.DigitalTwins/models/*\",\"Microsoft.DigitalTwins/query/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-03-10T23:49:33.7821930Z\",\"updatedOn\":\"2021-11-11T20:14:22.5471888Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/bcd981a7-7f74-457b-83e1-cceb9e632ffe\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"bcd981a7-7f74-457b-83e1-cceb9e632ffe\"},{\"properties\":{\"roleName\":\"Hierarchy - Settings Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Allows - users to edit and delete Hierarchy Settings\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Management/managementGroups/settings/write\",\"Microsoft.Management/managementGroups/settings/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-03-13T23:55:11.0212387Z\",\"updatedOn\":\"2021-11-11T20:14:23.0882347Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/350f8d15-c687-4448-8ae1-157740a3936d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"350f8d15-c687-4448-8ae1-157740a3936d\"},{\"properties\":{\"roleName\":\"FHIR - Data Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Role allows - user or principal full access to FHIR Data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.HealthcareApis/services/fhir/resources/*\",\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-03-17T18:35:04.4949547Z\",\"updatedOn\":\"2021-11-11T20:14:23.6235473Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5a1fc7df-4bf1-4951-a576-89034ee01acd\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5a1fc7df-4bf1-4951-a576-89034ee01acd\"},{\"properties\":{\"roleName\":\"FHIR - Data Exporter\",\"type\":\"BuiltInRole\",\"description\":\"Role allows user - or principal to read and export FHIR Data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.HealthcareApis/services/fhir/resources/read\",\"Microsoft.HealthcareApis/services/fhir/resources/export/action\",\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/read\",\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/export/action\"],\"notDataActions\":[]}],\"createdOn\":\"2020-03-17T18:45:01.9764073Z\",\"updatedOn\":\"2021-11-11T20:14:23.7992557Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3db33094-8700-4567-8da5-1501d4e7e843\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3db33094-8700-4567-8da5-1501d4e7e843\"},{\"properties\":{\"roleName\":\"FHIR - Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Role allows user - or principal to read FHIR Data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.HealthcareApis/services/fhir/resources/read\",\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-03-17T18:49:04.8353499Z\",\"updatedOn\":\"2021-11-11T20:14:23.9692275Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4c8d0bbc-75d3-4935-991f-5f3c56d81508\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4c8d0bbc-75d3-4935-991f-5f3c56d81508\"},{\"properties\":{\"roleName\":\"FHIR - Data Writer\",\"type\":\"BuiltInRole\",\"description\":\"Role allows user - or principal to read and write FHIR Data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.HealthcareApis/services/fhir/resources/*\",\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/*\"],\"notDataActions\":[\"Microsoft.HealthcareApis/services/fhir/resources/hardDelete/action\",\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/hardDelete/action\"]}],\"createdOn\":\"2020-03-17T18:55:35.2413335Z\",\"updatedOn\":\"2021-11-11T20:14:24.1442783Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3f88fce4-5892-4214-ae73-ba5294559913\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3f88fce4-5892-4214-ae73-ba5294559913\"},{\"properties\":{\"roleName\":\"Experimentation - Reader\",\"type\":\"BuiltInRole\",\"description\":\"Experimentation Reader\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Experimentation/experimentWorkspaces/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Experimentation/experimentWorkspaces/read\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-03-25T18:05:14.8375678Z\",\"updatedOn\":\"2021-11-11T20:14:24.5042390Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/49632ef5-d9ac-41f4-b8e7-bbe587fa74a1\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"49632ef5-d9ac-41f4-b8e7-bbe587fa74a1\"},{\"properties\":{\"roleName\":\"Object - Understanding Account Owner\",\"type\":\"BuiltInRole\",\"description\":\"Provides - user with ingestion capabilities for Azure Object Understanding.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/ObjectUnderstandingAccounts/ingest/action\",\"Microsoft.MixedReality/ObjectUnderstandingAccounts/ingest/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-04-22T19:15:09.0697923Z\",\"updatedOn\":\"2021-11-11T20:14:26.8743132Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4dd61c23-6743-42fe-a388-d8bdd41cb745\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4dd61c23-6743-42fe-a388-d8bdd41cb745\"},{\"properties\":{\"roleName\":\"Azure - Maps Data Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Grants - access to read, write, and delete access to map related data from an Azure - maps account.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Maps/accounts/*/read\",\"Microsoft.Maps/accounts/*/write\",\"Microsoft.Maps/accounts/*/delete\",\"Microsoft.Maps/accounts/*/action\"],\"notDataActions\":[]}],\"createdOn\":\"2020-05-07T20:55:05.0645410Z\",\"updatedOn\":\"2021-11-11T20:14:28.3092598Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8f5e0ce6-4f7b-4dcf-bddf-e6f48634a204\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8f5e0ce6-4f7b-4dcf-bddf-e6f48634a204\"},{\"properties\":{\"roleName\":\"Cognitive - Services Custom Vision Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Full - access to the project, including the ability to view, create, edit, or delete - projects.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-05-08T23:47:07.0779345Z\",\"updatedOn\":\"2021-11-11T20:14:28.8342655Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c1ff6cc2-c111-46fe-8896-e0ef812ad9f3\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c1ff6cc2-c111-46fe-8896-e0ef812ad9f3\"},{\"properties\":{\"roleName\":\"Cognitive - Services Custom Vision Deployment\",\"type\":\"BuiltInRole\",\"description\":\"Publish, - unpublish or export models. Deployment can view the project but can\u2019t - update.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/*/read\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/predictions/*\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/iterations/publish/*\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/iterations/export/*\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/quicktest/*\",\"Microsoft.CognitiveServices/accounts/CustomVision/classify/*\",\"Microsoft.CognitiveServices/accounts/CustomVision/detect/*\"],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/projects/export/read\"]}],\"createdOn\":\"2020-05-09T01:31:05.9528620Z\",\"updatedOn\":\"2021-11-11T20:14:29.0142669Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5c4089e1-6d96-4d2f-b296-c1bc7137275f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5c4089e1-6d96-4d2f-b296-c1bc7137275f\"},{\"properties\":{\"roleName\":\"Cognitive - Services Custom Vision Labeler\",\"type\":\"BuiltInRole\",\"description\":\"View, - edit training images and create, add, remove, or delete the image tags. Labelers - can view the project but can\u2019t update anything other than training images - and tags.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/*/read\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/predictions/query/action\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/images/*\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/tags/*\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/images/suggested/*\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/tagsandregions/suggestions/action\"],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/projects/export/read\"]}],\"createdOn\":\"2020-05-09T01:33:20.8278896Z\",\"updatedOn\":\"2021-11-11T20:14:29.1892871Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/88424f51-ebe7-446f-bc41-7fa16989e96c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"88424f51-ebe7-446f-bc41-7fa16989e96c\"},{\"properties\":{\"roleName\":\"Cognitive - Services Custom Vision Reader\",\"type\":\"BuiltInRole\",\"description\":\"Read-only - actions in the project. Readers can\u2019t create or update the project.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/*/read\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/predictions/query/action\"],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/projects/export/read\"]}],\"createdOn\":\"2020-05-09T01:34:18.5328818Z\",\"updatedOn\":\"2021-11-11T20:14:29.3642707Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/93586559-c37d-4a6b-ba08-b9f0940c2d73\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"93586559-c37d-4a6b-ba08-b9f0940c2d73\"},{\"properties\":{\"roleName\":\"Cognitive - Services Custom Vision Trainer\",\"type\":\"BuiltInRole\",\"description\":\"View, - edit projects and train the models, including the ability to publish, unpublish, - export the models. Trainers can\u2019t create or delete the project.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/*\"],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/projects/action\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/delete\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/import/action\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/export/read\"]}],\"createdOn\":\"2020-05-09T01:35:13.8147804Z\",\"updatedOn\":\"2021-11-11T20:14:29.5442713Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0a5ae4ab-0d65-4eeb-be61-29fc9b54394b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0a5ae4ab-0d65-4eeb-be61-29fc9b54394b\"},{\"properties\":{\"roleName\":\"Key - Vault Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Perform all - data plane operations on a key vault and all objects in it, including certificates, - keys, and secrets. Cannot manage key vault resources or manage role assignments. - Only works for key vaults that use the 'Azure role-based access control' permission - model.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.KeyVault/checkNameAvailability/read\",\"Microsoft.KeyVault/deletedVaults/read\",\"Microsoft.KeyVault/locations/*/read\",\"Microsoft.KeyVault/vaults/*/read\",\"Microsoft.KeyVault/operations/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-05-19T17:52:46.2349235Z\",\"updatedOn\":\"2021-11-11T20:14:30.2542755Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/00482a5a-887f-4fb3-b363-3b7fe8e74483\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"00482a5a-887f-4fb3-b363-3b7fe8e74483\"},{\"properties\":{\"roleName\":\"Key - Vault Crypto Officer\",\"type\":\"BuiltInRole\",\"description\":\"Perform - any action on the keys of a key vault, except manage permissions. Only works - for key vaults that use the 'Azure role-based access control' permission model.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.KeyVault/checkNameAvailability/read\",\"Microsoft.KeyVault/deletedVaults/read\",\"Microsoft.KeyVault/locations/*/read\",\"Microsoft.KeyVault/vaults/*/read\",\"Microsoft.KeyVault/operations/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/keys/*\",\"Microsoft.KeyVault/vaults/keyrotationpolicies/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-05-19T17:52:47.0099249Z\",\"updatedOn\":\"2022-01-06T23:21:17.9760884Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/14b46e9e-c2b7-41b4-b07b-48a6ebf60603\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"14b46e9e-c2b7-41b4-b07b-48a6ebf60603\"},{\"properties\":{\"roleName\":\"Key - Vault Crypto User\",\"type\":\"BuiltInRole\",\"description\":\"Perform cryptographic - operations using keys. Only works for key vaults that use the 'Azure role-based - access control' permission model.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/keys/read\",\"Microsoft.KeyVault/vaults/keys/update/action\",\"Microsoft.KeyVault/vaults/keys/backup/action\",\"Microsoft.KeyVault/vaults/keys/encrypt/action\",\"Microsoft.KeyVault/vaults/keys/decrypt/action\",\"Microsoft.KeyVault/vaults/keys/wrap/action\",\"Microsoft.KeyVault/vaults/keys/unwrap/action\",\"Microsoft.KeyVault/vaults/keys/sign/action\",\"Microsoft.KeyVault/vaults/keys/verify/action\"],\"notDataActions\":[]}],\"createdOn\":\"2020-05-19T17:52:47.0699268Z\",\"updatedOn\":\"2021-11-11T20:14:30.6042921Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/12338af0-0e69-4776-bea7-57ae8d297424\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"12338af0-0e69-4776-bea7-57ae8d297424\"},{\"properties\":{\"roleName\":\"Key - Vault Secrets Officer\",\"type\":\"BuiltInRole\",\"description\":\"Perform - any action on the secrets of a key vault, except manage permissions. Only - works for key vaults that use the 'Azure role-based access control' permission - model.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.KeyVault/checkNameAvailability/read\",\"Microsoft.KeyVault/deletedVaults/read\",\"Microsoft.KeyVault/locations/*/read\",\"Microsoft.KeyVault/vaults/*/read\",\"Microsoft.KeyVault/operations/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/secrets/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-05-19T17:52:47.1449242Z\",\"updatedOn\":\"2021-11-11T20:14:30.7793470Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b86a8fe4-44ce-4948-aee5-eccb2c155cd7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b86a8fe4-44ce-4948-aee5-eccb2c155cd7\"},{\"properties\":{\"roleName\":\"Key - Vault Secrets User\",\"type\":\"BuiltInRole\",\"description\":\"Read secret - contents. Only works for key vaults that use the 'Azure role-based access - control' permission model.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/secrets/getSecret/action\",\"Microsoft.KeyVault/vaults/secrets/readMetadata/action\"],\"notDataActions\":[]}],\"createdOn\":\"2020-05-19T17:52:47.2049241Z\",\"updatedOn\":\"2021-11-11T20:14:30.9542829Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4633458b-17de-408a-b874-0445c86b69e6\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4633458b-17de-408a-b874-0445c86b69e6\"},{\"properties\":{\"roleName\":\"Key - Vault Certificates Officer\",\"type\":\"BuiltInRole\",\"description\":\"Perform - any action on the certificates of a key vault, except manage permissions. - Only works for key vaults that use the 'Azure role-based access control' permission - model.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.KeyVault/checkNameAvailability/read\",\"Microsoft.KeyVault/deletedVaults/read\",\"Microsoft.KeyVault/locations/*/read\",\"Microsoft.KeyVault/vaults/*/read\",\"Microsoft.KeyVault/operations/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/certificatecas/*\",\"Microsoft.KeyVault/vaults/certificates/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-05-19T17:52:47.2499247Z\",\"updatedOn\":\"2021-11-11T20:14:31.1292967Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a4417e6f-fecd-4de8-b567-7b0420556985\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a4417e6f-fecd-4de8-b567-7b0420556985\"},{\"properties\":{\"roleName\":\"Key - Vault Reader\",\"type\":\"BuiltInRole\",\"description\":\"Read metadata of - key vaults and its certificates, keys, and secrets. Cannot read sensitive - values such as secret contents or key material. Only works for key vaults - that use the 'Azure role-based access control' permission model.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.KeyVault/checkNameAvailability/read\",\"Microsoft.KeyVault/deletedVaults/read\",\"Microsoft.KeyVault/locations/*/read\",\"Microsoft.KeyVault/vaults/*/read\",\"Microsoft.KeyVault/operations/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/*/read\",\"Microsoft.KeyVault/vaults/secrets/readMetadata/action\"],\"notDataActions\":[]}],\"createdOn\":\"2020-05-19T17:52:47.2949294Z\",\"updatedOn\":\"2021-11-11T20:14:31.3043292Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/21090545-7ca7-4776-b22c-e363652d74d2\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"21090545-7ca7-4776-b22c-e363652d74d2\"},{\"properties\":{\"roleName\":\"Key - Vault Crypto Service Encryption User\",\"type\":\"BuiltInRole\",\"description\":\"Read - metadata of keys and perform wrap/unwrap operations. Only works for key vaults - that use the 'Azure role-based access control' permission model.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.EventGrid/eventSubscriptions/write\",\"Microsoft.EventGrid/eventSubscriptions/read\",\"Microsoft.EventGrid/eventSubscriptions/delete\"],\"notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/keys/read\",\"Microsoft.KeyVault/vaults/keys/wrap/action\",\"Microsoft.KeyVault/vaults/keys/unwrap/action\"],\"notDataActions\":[]}],\"createdOn\":\"2020-05-20T20:55:19.2398470Z\",\"updatedOn\":\"2021-11-11T20:14:31.8443056Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e147488a-f6f5-4113-8e2d-b22465e65bf6\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e147488a-f6f5-4113-8e2d-b22465e65bf6\"},{\"properties\":{\"roleName\":\"Azure - Arc Kubernetes Viewer\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - view all resources in cluster/namespace, except secrets.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Kubernetes/connectedClusters/apps/controllerrevisions/read\",\"Microsoft.Kubernetes/connectedClusters/apps/daemonsets/read\",\"Microsoft.Kubernetes/connectedClusters/apps/deployments/read\",\"Microsoft.Kubernetes/connectedClusters/apps/replicasets/read\",\"Microsoft.Kubernetes/connectedClusters/apps/statefulsets/read\",\"Microsoft.Kubernetes/connectedClusters/autoscaling/horizontalpodautoscalers/read\",\"Microsoft.Kubernetes/connectedClusters/batch/cronjobs/read\",\"Microsoft.Kubernetes/connectedClusters/batch/jobs/read\",\"Microsoft.Kubernetes/connectedClusters/configmaps/read\",\"Microsoft.Kubernetes/connectedClusters/endpoints/read\",\"Microsoft.Kubernetes/connectedClusters/events.k8s.io/events/read\",\"Microsoft.Kubernetes/connectedClusters/events/read\",\"Microsoft.Kubernetes/connectedClusters/extensions/daemonsets/read\",\"Microsoft.Kubernetes/connectedClusters/extensions/deployments/read\",\"Microsoft.Kubernetes/connectedClusters/extensions/ingresses/read\",\"Microsoft.Kubernetes/connectedClusters/extensions/networkpolicies/read\",\"Microsoft.Kubernetes/connectedClusters/extensions/replicasets/read\",\"Microsoft.Kubernetes/connectedClusters/limitranges/read\",\"Microsoft.Kubernetes/connectedClusters/namespaces/read\",\"Microsoft.Kubernetes/connectedClusters/networking.k8s.io/ingresses/read\",\"Microsoft.Kubernetes/connectedClusters/networking.k8s.io/networkpolicies/read\",\"Microsoft.Kubernetes/connectedClusters/persistentvolumeclaims/read\",\"Microsoft.Kubernetes/connectedClusters/pods/read\",\"Microsoft.Kubernetes/connectedClusters/policy/poddisruptionbudgets/read\",\"Microsoft.Kubernetes/connectedClusters/replicationcontrollers/read\",\"Microsoft.Kubernetes/connectedClusters/replicationcontrollers/read\",\"Microsoft.Kubernetes/connectedClusters/resourcequotas/read\",\"Microsoft.Kubernetes/connectedClusters/serviceaccounts/read\",\"Microsoft.Kubernetes/connectedClusters/services/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-06-12T20:51:12.8801199Z\",\"updatedOn\":\"2021-11-11T20:14:33.8193353Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/63f0a09d-1495-4db4-a681-037d84835eb4\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"63f0a09d-1495-4db4-a681-037d84835eb4\"},{\"properties\":{\"roleName\":\"Azure - Arc Kubernetes Writer\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - update everything in cluster/namespace, except (cluster)roles and (cluster)role - bindings.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Kubernetes/connectedClusters/apps/controllerrevisions/read\",\"Microsoft.Kubernetes/connectedClusters/apps/daemonsets/*\",\"Microsoft.Kubernetes/connectedClusters/apps/deployments/*\",\"Microsoft.Kubernetes/connectedClusters/apps/replicasets/*\",\"Microsoft.Kubernetes/connectedClusters/apps/statefulsets/*\",\"Microsoft.Kubernetes/connectedClusters/autoscaling/horizontalpodautoscalers/*\",\"Microsoft.Kubernetes/connectedClusters/batch/cronjobs/*\",\"Microsoft.Kubernetes/connectedClusters/batch/jobs/*\",\"Microsoft.Kubernetes/connectedClusters/configmaps/*\",\"Microsoft.Kubernetes/connectedClusters/endpoints/*\",\"Microsoft.Kubernetes/connectedClusters/events.k8s.io/events/read\",\"Microsoft.Kubernetes/connectedClusters/events/read\",\"Microsoft.Kubernetes/connectedClusters/extensions/daemonsets/*\",\"Microsoft.Kubernetes/connectedClusters/extensions/deployments/*\",\"Microsoft.Kubernetes/connectedClusters/extensions/ingresses/*\",\"Microsoft.Kubernetes/connectedClusters/extensions/networkpolicies/*\",\"Microsoft.Kubernetes/connectedClusters/extensions/replicasets/*\",\"Microsoft.Kubernetes/connectedClusters/limitranges/read\",\"Microsoft.Kubernetes/connectedClusters/namespaces/read\",\"Microsoft.Kubernetes/connectedClusters/networking.k8s.io/ingresses/*\",\"Microsoft.Kubernetes/connectedClusters/networking.k8s.io/networkpolicies/*\",\"Microsoft.Kubernetes/connectedClusters/persistentvolumeclaims/*\",\"Microsoft.Kubernetes/connectedClusters/pods/*\",\"Microsoft.Kubernetes/connectedClusters/policy/poddisruptionbudgets/*\",\"Microsoft.Kubernetes/connectedClusters/replicationcontrollers/*\",\"Microsoft.Kubernetes/connectedClusters/replicationcontrollers/*\",\"Microsoft.Kubernetes/connectedClusters/resourcequotas/read\",\"Microsoft.Kubernetes/connectedClusters/secrets/*\",\"Microsoft.Kubernetes/connectedClusters/serviceaccounts/*\",\"Microsoft.Kubernetes/connectedClusters/services/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-06-12T20:53:50.6749823Z\",\"updatedOn\":\"2021-11-11T20:14:34.0043462Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5b999177-9696-4545-85c7-50de3797e5a1\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5b999177-9696-4545-85c7-50de3797e5a1\"},{\"properties\":{\"roleName\":\"Azure - Arc Kubernetes Cluster Admin\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you manage all resources in the cluster.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Kubernetes/connectedClusters/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-06-12T20:55:30.9910462Z\",\"updatedOn\":\"2021-11-11T20:14:34.1743694Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8393591c-06b9-48a2-a542-1bd6b377f6a2\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8393591c-06b9-48a2-a542-1bd6b377f6a2\"},{\"properties\":{\"roleName\":\"Azure - Arc Kubernetes Admin\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - manage all resources under cluster/namespace, except update or delete resource - quotas and namespaces.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Kubernetes/connectedClusters/apps/controllerrevisions/read\",\"Microsoft.Kubernetes/connectedClusters/apps/daemonsets/*\",\"Microsoft.Kubernetes/connectedClusters/apps/deployments/*\",\"Microsoft.Kubernetes/connectedClusters/apps/replicasets/*\",\"Microsoft.Kubernetes/connectedClusters/apps/statefulsets/*\",\"Microsoft.Kubernetes/connectedClusters/authorization.k8s.io/localsubjectaccessreviews/write\",\"Microsoft.Kubernetes/connectedClusters/autoscaling/horizontalpodautoscalers/*\",\"Microsoft.Kubernetes/connectedClusters/batch/cronjobs/*\",\"Microsoft.Kubernetes/connectedClusters/batch/jobs/*\",\"Microsoft.Kubernetes/connectedClusters/configmaps/*\",\"Microsoft.Kubernetes/connectedClusters/endpoints/*\",\"Microsoft.Kubernetes/connectedClusters/events.k8s.io/events/read\",\"Microsoft.Kubernetes/connectedClusters/events/read\",\"Microsoft.Kubernetes/connectedClusters/extensions/daemonsets/*\",\"Microsoft.Kubernetes/connectedClusters/extensions/deployments/*\",\"Microsoft.Kubernetes/connectedClusters/extensions/ingresses/*\",\"Microsoft.Kubernetes/connectedClusters/extensions/networkpolicies/*\",\"Microsoft.Kubernetes/connectedClusters/extensions/replicasets/*\",\"Microsoft.Kubernetes/connectedClusters/limitranges/read\",\"Microsoft.Kubernetes/connectedClusters/namespaces/read\",\"Microsoft.Kubernetes/connectedClusters/networking.k8s.io/ingresses/*\",\"Microsoft.Kubernetes/connectedClusters/networking.k8s.io/networkpolicies/*\",\"Microsoft.Kubernetes/connectedClusters/persistentvolumeclaims/*\",\"Microsoft.Kubernetes/connectedClusters/pods/*\",\"Microsoft.Kubernetes/connectedClusters/policy/poddisruptionbudgets/*\",\"Microsoft.Kubernetes/connectedClusters/rbac.authorization.k8s.io/rolebindings/*\",\"Microsoft.Kubernetes/connectedClusters/rbac.authorization.k8s.io/roles/*\",\"Microsoft.Kubernetes/connectedClusters/replicationcontrollers/*\",\"Microsoft.Kubernetes/connectedClusters/replicationcontrollers/*\",\"Microsoft.Kubernetes/connectedClusters/resourcequotas/read\",\"Microsoft.Kubernetes/connectedClusters/secrets/*\",\"Microsoft.Kubernetes/connectedClusters/serviceaccounts/*\",\"Microsoft.Kubernetes/connectedClusters/services/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-06-12T20:57:06.0391177Z\",\"updatedOn\":\"2021-11-11T20:14:34.3593384Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/dffb1e0c-446f-4dde-a09f-99eb5cc68b96\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"dffb1e0c-446f-4dde-a09f-99eb5cc68b96\"},{\"properties\":{\"roleName\":\"Azure - Kubernetes Service RBAC Cluster Admin\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you manage all resources in the cluster.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.ContainerService/managedClusters/listClusterUserCredential/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/managedClusters/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-07-02T17:47:24.4071415Z\",\"updatedOn\":\"2021-11-11T20:14:35.5993607Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b1ff04bb-8a4e-4dc4-8eb5-8693973ce19b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b1ff04bb-8a4e-4dc4-8eb5-8693973ce19b\"},{\"properties\":{\"roleName\":\"Azure - Kubernetes Service RBAC Admin\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you manage all resources under cluster/namespace, except update or delete - resource quotas and namespaces.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.ContainerService/managedClusters/listClusterUserCredential/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/managedClusters/*\"],\"notDataActions\":[\"Microsoft.ContainerService/managedClusters/resourcequotas/write\",\"Microsoft.ContainerService/managedClusters/resourcequotas/delete\",\"Microsoft.ContainerService/managedClusters/namespaces/write\",\"Microsoft.ContainerService/managedClusters/namespaces/delete\"]}],\"createdOn\":\"2020-07-02T17:50:30.4020311Z\",\"updatedOn\":\"2021-11-11T20:14:35.7743651Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3498e952-d568-435e-9b2c-8d77e338d7f7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3498e952-d568-435e-9b2c-8d77e338d7f7\"},{\"properties\":{\"roleName\":\"Azure - Kubernetes Service RBAC Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows - read-only access to see most objects in a namespace. It does not allow viewing - roles or role bindings. This role does not allow viewing Secrets, since reading - the contents of Secrets enables access to ServiceAccount credentials in the - namespace, which would allow API access as any ServiceAccount in the namespace - (a form of privilege escalation). Applying this role at cluster scope will - give access across all namespaces.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/managedClusters/apps/controllerrevisions/read\",\"Microsoft.ContainerService/managedClusters/apps/daemonsets/read\",\"Microsoft.ContainerService/managedClusters/apps/deployments/read\",\"Microsoft.ContainerService/managedClusters/apps/replicasets/read\",\"Microsoft.ContainerService/managedClusters/apps/statefulsets/read\",\"Microsoft.ContainerService/managedClusters/autoscaling/horizontalpodautoscalers/read\",\"Microsoft.ContainerService/managedClusters/batch/cronjobs/read\",\"Microsoft.ContainerService/managedClusters/batch/jobs/read\",\"Microsoft.ContainerService/managedClusters/configmaps/read\",\"Microsoft.ContainerService/managedClusters/endpoints/read\",\"Microsoft.ContainerService/managedClusters/events.k8s.io/events/read\",\"Microsoft.ContainerService/managedClusters/events/read\",\"Microsoft.ContainerService/managedClusters/extensions/daemonsets/read\",\"Microsoft.ContainerService/managedClusters/extensions/deployments/read\",\"Microsoft.ContainerService/managedClusters/extensions/ingresses/read\",\"Microsoft.ContainerService/managedClusters/extensions/networkpolicies/read\",\"Microsoft.ContainerService/managedClusters/extensions/replicasets/read\",\"Microsoft.ContainerService/managedClusters/limitranges/read\",\"Microsoft.ContainerService/managedClusters/namespaces/read\",\"Microsoft.ContainerService/managedClusters/networking.k8s.io/ingresses/read\",\"Microsoft.ContainerService/managedClusters/networking.k8s.io/networkpolicies/read\",\"Microsoft.ContainerService/managedClusters/persistentvolumeclaims/read\",\"Microsoft.ContainerService/managedClusters/pods/read\",\"Microsoft.ContainerService/managedClusters/policy/poddisruptionbudgets/read\",\"Microsoft.ContainerService/managedClusters/replicationcontrollers/read\",\"Microsoft.ContainerService/managedClusters/replicationcontrollers/read\",\"Microsoft.ContainerService/managedClusters/resourcequotas/read\",\"Microsoft.ContainerService/managedClusters/serviceaccounts/read\",\"Microsoft.ContainerService/managedClusters/services/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-07-02T17:53:05.5728294Z\",\"updatedOn\":\"2021-11-11T20:14:35.9544048Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7f6c6a51-bcf8-42ba-9220-52d62157d7db\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7f6c6a51-bcf8-42ba-9220-52d62157d7db\"},{\"properties\":{\"roleName\":\"Azure - Kubernetes Service RBAC Writer\",\"type\":\"BuiltInRole\",\"description\":\"Allows - read/write access to most objects in a namespace.This role does not allow - viewing or modifying roles or role bindings. However, this role allows accessing - Secrets and running Pods as any ServiceAccount in the namespace, so it can - be used to gain the API access levels of any ServiceAccount in the namespace. - Applying this role at cluster scope will give access across all namespaces.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/managedClusters/apps/controllerrevisions/read\",\"Microsoft.ContainerService/managedClusters/apps/daemonsets/*\",\"Microsoft.ContainerService/managedClusters/apps/deployments/*\",\"Microsoft.ContainerService/managedClusters/apps/replicasets/*\",\"Microsoft.ContainerService/managedClusters/apps/statefulsets/*\",\"Microsoft.ContainerService/managedClusters/autoscaling/horizontalpodautoscalers/*\",\"Microsoft.ContainerService/managedClusters/batch/cronjobs/*\",\"Microsoft.ContainerService/managedClusters/batch/jobs/*\",\"Microsoft.ContainerService/managedClusters/configmaps/*\",\"Microsoft.ContainerService/managedClusters/endpoints/*\",\"Microsoft.ContainerService/managedClusters/events.k8s.io/events/read\",\"Microsoft.ContainerService/managedClusters/events/read\",\"Microsoft.ContainerService/managedClusters/extensions/daemonsets/*\",\"Microsoft.ContainerService/managedClusters/extensions/deployments/*\",\"Microsoft.ContainerService/managedClusters/extensions/ingresses/*\",\"Microsoft.ContainerService/managedClusters/extensions/networkpolicies/*\",\"Microsoft.ContainerService/managedClusters/extensions/replicasets/*\",\"Microsoft.ContainerService/managedClusters/limitranges/read\",\"Microsoft.ContainerService/managedClusters/namespaces/read\",\"Microsoft.ContainerService/managedClusters/networking.k8s.io/ingresses/*\",\"Microsoft.ContainerService/managedClusters/networking.k8s.io/networkpolicies/*\",\"Microsoft.ContainerService/managedClusters/persistentvolumeclaims/*\",\"Microsoft.ContainerService/managedClusters/pods/*\",\"Microsoft.ContainerService/managedClusters/policy/poddisruptionbudgets/*\",\"Microsoft.ContainerService/managedClusters/replicationcontrollers/*\",\"Microsoft.ContainerService/managedClusters/replicationcontrollers/*\",\"Microsoft.ContainerService/managedClusters/resourcequotas/read\",\"Microsoft.ContainerService/managedClusters/secrets/*\",\"Microsoft.ContainerService/managedClusters/serviceaccounts/*\",\"Microsoft.ContainerService/managedClusters/services/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-07-02T17:54:51.9644983Z\",\"updatedOn\":\"2021-11-11T20:14:36.1293406Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a7ffa36f-339b-4b5c-8bdf-e2c188b2c0eb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a7ffa36f-339b-4b5c-8bdf-e2c188b2c0eb\"},{\"properties\":{\"roleName\":\"Services - Hub Operator\",\"type\":\"BuiltInRole\",\"description\":\"Services Hub Operator - allows you to perform all read, write, and deletion operations related to - Services Hub Connectors.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.ServicesHub/connectors/write\",\"Microsoft.ServicesHub/connectors/read\",\"Microsoft.ServicesHub/connectors/delete\",\"Microsoft.ServicesHub/connectors/checkAssessmentEntitlement/action\",\"Microsoft.ServicesHub/supportOfferingEntitlement/read\",\"Microsoft.ServicesHub/workspaces/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-07-20T17:57:22.0644902Z\",\"updatedOn\":\"2021-11-11T20:14:37.5544021Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/82200a5b-e217-47a5-b665-6d8765ee745b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"82200a5b-e217-47a5-b665-6d8765ee745b\"},{\"properties\":{\"roleName\":\"Object - Understanding Account Reader\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you read ingestion jobs for an object understanding account.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/ObjectUnderstandingAccounts/ingest/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-07-23T19:16:31.9929119Z\",\"updatedOn\":\"2021-11-11T20:14:37.9070085Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d18777c0-1514-4662-8490-608db7d334b6\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d18777c0-1514-4662-8490-608db7d334b6\"},{\"properties\":{\"roleName\":\"Azure - Arc Enabled Kubernetes Cluster User Role\",\"type\":\"BuiltInRole\",\"description\":\"List - cluster user credentials action.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Kubernetes/connectedClusters/listClusterUserCredentials/action\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Support/*\",\"Microsoft.Kubernetes/connectedClusters/listClusterUserCredential/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-07-28T17:37:00.7637445Z\",\"updatedOn\":\"2022-02-17T02:29:05.1000798Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/00493d72-78f6-4148-b6c5-d3ce8e4799dd\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"00493d72-78f6-4148-b6c5-d3ce8e4799dd\"},{\"properties\":{\"roleName\":\"SignalR - App Server\",\"type\":\"BuiltInRole\",\"description\":\"Lets your app server - access SignalR Service with AAD auth options.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SignalRService/SignalR/auth/accessKey/action\",\"Microsoft.SignalRService/SignalR/serverConnection/write\",\"Microsoft.SignalRService/SignalR/clientConnection/write\"],\"notDataActions\":[]}],\"createdOn\":\"2020-07-29T06:54:40.1201435Z\",\"updatedOn\":\"2021-11-16T05:19:04.8579948Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/420fcaa2-552c-430f-98ca-3264be4806c7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"420fcaa2-552c-430f-98ca-3264be4806c7\"},{\"properties\":{\"roleName\":\"SignalR - REST API Owner\",\"type\":\"BuiltInRole\",\"description\":\"Full access to - Azure SignalR Service REST APIs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SignalRService/SignalR/auth/clientToken/action\",\"Microsoft.SignalRService/SignalR/hub/send/action\",\"Microsoft.SignalRService/SignalR/group/send/action\",\"Microsoft.SignalRService/SignalR/group/read\",\"Microsoft.SignalRService/SignalR/group/write\",\"Microsoft.SignalRService/SignalR/clientConnection/send/action\",\"Microsoft.SignalRService/SignalR/clientConnection/read\",\"Microsoft.SignalRService/SignalR/clientConnection/write\",\"Microsoft.SignalRService/SignalR/user/send/action\",\"Microsoft.SignalRService/SignalR/user/read\",\"Microsoft.SignalRService/SignalR/user/write\"],\"notDataActions\":[]}],\"createdOn\":\"2020-07-29T09:35:32.2764751Z\",\"updatedOn\":\"2021-11-11T20:14:38.8028020Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fd53cd77-2268-407a-8f46-7e7863d0f521\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fd53cd77-2268-407a-8f46-7e7863d0f521\"},{\"properties\":{\"roleName\":\"Collaborative - Data Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can manage data - packages of a collaborative.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.IndustryDataLifecycle/custodianCollaboratives/*/read\",\"Microsoft.IndustryDataLifecycle/memberCollaboratives/*/read\",\"Microsoft.IndustryDataLifecycle/locations/dataPackages/*\",\"Microsoft.IndustryDataLifecycle/custodianCollaboratives/receivedDataPackages/*\",\"Microsoft.IndustryDataLifecycle/custodianCollaboratives/rejectDataPackage/action\",\"Microsoft.IndustryDataLifecycle/memberCollaboratives/sharedDataPackages/*\",\"Microsoft.IndustryDataLifecycle/custodianCollaboratives/dataModels/*\",\"Microsoft.IndustryDataLifecycle/custodianCollaboratives/auditLogs/action\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-08-14T11:58:31.8973556Z\",\"updatedOn\":\"2021-11-11T20:14:40.2428145Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/daa9e50b-21df-454c-94a6-a8050adab352\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"daa9e50b-21df-454c-94a6-a8050adab352\"},{\"properties\":{\"roleName\":\"Device - Update Reader\",\"type\":\"BuiltInRole\",\"description\":\"Gives you read - access to management and content operations, but does not allow making changes\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.DeviceUpdate/accounts/instances/updates/read\",\"Microsoft.DeviceUpdate/accounts/instances/management/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-08-21T23:40:19.2373610Z\",\"updatedOn\":\"2021-11-11T20:14:40.7922672Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e9dba6fb-3d52-4cf0-bce3-f06ce71b9e0f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e9dba6fb-3d52-4cf0-bce3-f06ce71b9e0f\"},{\"properties\":{\"roleName\":\"Device - Update Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Gives you - full access to management and content operations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.DeviceUpdate/accounts/instances/updates/read\",\"Microsoft.DeviceUpdate/accounts/instances/updates/write\",\"Microsoft.DeviceUpdate/accounts/instances/updates/delete\",\"Microsoft.DeviceUpdate/accounts/instances/management/read\",\"Microsoft.DeviceUpdate/accounts/instances/management/write\",\"Microsoft.DeviceUpdate/accounts/instances/management/delete\"],\"notDataActions\":[]}],\"createdOn\":\"2020-08-21T23:56:22.3520510Z\",\"updatedOn\":\"2021-11-11T20:14:40.9672678Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/02ca0879-e8e4-47a5-a61e-5c618b76e64a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"02ca0879-e8e4-47a5-a61e-5c618b76e64a\"},{\"properties\":{\"roleName\":\"Device - Update Content Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Gives - you full access to content operations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.DeviceUpdate/accounts/instances/updates/read\",\"Microsoft.DeviceUpdate/accounts/instances/updates/write\",\"Microsoft.DeviceUpdate/accounts/instances/updates/delete\"],\"notDataActions\":[]}],\"createdOn\":\"2020-08-21T23:58:18.4255500Z\",\"updatedOn\":\"2021-11-11T20:14:41.1433368Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0378884a-3af5-44ab-8323-f5b22f9f3c98\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0378884a-3af5-44ab-8323-f5b22f9f3c98\"},{\"properties\":{\"roleName\":\"Device - Update Deployments Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Gives - you full access to management operations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.DeviceUpdate/accounts/instances/management/read\",\"Microsoft.DeviceUpdate/accounts/instances/management/write\",\"Microsoft.DeviceUpdate/accounts/instances/management/delete\",\"Microsoft.DeviceUpdate/accounts/instances/updates/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-08-21T23:59:52.1001666Z\",\"updatedOn\":\"2022-01-13T01:59:19.4616366Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e4237640-0e3d-4a46-8fda-70bc94856432\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e4237640-0e3d-4a46-8fda-70bc94856432\"},{\"properties\":{\"roleName\":\"Device - Update Deployments Reader\",\"type\":\"BuiltInRole\",\"description\":\"Gives - you read access to management operations, but does not allow making changes\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.DeviceUpdate/accounts/instances/management/read\",\"Microsoft.DeviceUpdate/accounts/instances/updates/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-08-22T00:01:34.7053630Z\",\"updatedOn\":\"2022-01-13T01:35:51.6463216Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/49e2f5d2-7741-4835-8efa-19e1fe35e47f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"49e2f5d2-7741-4835-8efa-19e1fe35e47f\"},{\"properties\":{\"roleName\":\"Device - Update Content Reader\",\"type\":\"BuiltInRole\",\"description\":\"Gives you - read access to content operations, but does not allow making changes\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.DeviceUpdate/accounts/instances/updates/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-08-22T00:02:43.3299181Z\",\"updatedOn\":\"2021-11-11T20:14:41.6754856Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d1ee9a80-8b14-47f0-bdc2-f4a351625a7b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d1ee9a80-8b14-47f0-bdc2-f4a351625a7b\"},{\"properties\":{\"roleName\":\"Cognitive - Services Metrics Advisor Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Full - access to the project, including the system level configuration.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/MetricsAdvisor/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-09-10T07:46:47.5804491Z\",\"updatedOn\":\"2021-11-11T20:14:43.6930781Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/cb43c632-a144-4ec5-977c-e80c4affc34a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"cb43c632-a144-4ec5-977c-e80c4affc34a\"},{\"properties\":{\"roleName\":\"Cognitive - Services Metrics Advisor User\",\"type\":\"BuiltInRole\",\"description\":\"Access - to the project.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/MetricsAdvisor/*\"],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/MetricsAdvisor/stats/*\"]}],\"createdOn\":\"2020-09-10T07:47:59.6195639Z\",\"updatedOn\":\"2021-11-11T20:14:43.8780761Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3b20f47b-3825-43cb-8114-4bd2201156a8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3b20f47b-3825-43cb-8114-4bd2201156a8\"},{\"properties\":{\"roleName\":\"Schema - Registry Reader (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Read - and list Schema Registry groups and schemas.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.EventHub/namespaces/schemagroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.EventHub/namespaces/schemas/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-09-13T06:31:38.0272740Z\",\"updatedOn\":\"2021-11-11T20:14:44.6350450Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2c56ea50-c6b3-40a6-83c0-9d98858bc7d2\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2c56ea50-c6b3-40a6-83c0-9d98858bc7d2\"},{\"properties\":{\"roleName\":\"Schema - Registry Contributor (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Read, - write, and delete Schema Registry groups and schemas.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.EventHub/namespaces/schemagroups/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.EventHub/namespaces/schemas/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-09-13T06:48:26.6032931Z\",\"updatedOn\":\"2021-11-11T20:14:44.8200370Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5dffeca3-4936-4216-b2bc-10343a5abb25\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5dffeca3-4936-4216-b2bc-10343a5abb25\"},{\"properties\":{\"roleName\":\"AgFood - Platform Service Reader\",\"type\":\"BuiltInRole\",\"description\":\"Provides - read access to AgFood Platform Service\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AgFoodPlatform/*/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-09-14T10:21:08.9138820Z\",\"updatedOn\":\"2021-11-11T20:14:45.0056815Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7ec7ccdc-f61e-41fe-9aaf-980df0a44eba\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7ec7ccdc-f61e-41fe-9aaf-980df0a44eba\"},{\"properties\":{\"roleName\":\"AgFood - Platform Service Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Provides - contribute access to AgFood Platform Service\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AgFoodPlatform/*/action\",\"Microsoft.AgFoodPlatform/*/read\",\"Microsoft.AgFoodPlatform/*/write\"],\"notDataActions\":[\"Microsoft.AgFoodPlatform/farmers/write\",\"Microsoft.AgFoodPlatform/deletionJobs/*/write\"]}],\"createdOn\":\"2020-09-14T10:21:09.7239169Z\",\"updatedOn\":\"2021-11-11T20:14:45.1806787Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8508508a-4469-4e45-963b-2518ee0bb728\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8508508a-4469-4e45-963b-2518ee0bb728\"},{\"properties\":{\"roleName\":\"AgFood - Platform Service Admin\",\"type\":\"BuiltInRole\",\"description\":\"Provides - admin access to AgFood Platform Service\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AgFoodPlatform/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-09-14T10:21:09.8039209Z\",\"updatedOn\":\"2021-11-11T20:14:45.3613128Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f8da80de-1ff9-4747-ad80-a19b7f6079e3\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f8da80de-1ff9-4747-ad80-a19b7f6079e3\"},{\"properties\":{\"roleName\":\"Managed - HSM contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage - managed HSM pools, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.KeyVault/managedHSMs/*\",\"Microsoft.KeyVault/deletedManagedHsms/read\",\"Microsoft.KeyVault/locations/deletedManagedHsms/read\",\"Microsoft.KeyVault/locations/deletedManagedHsms/purge/action\",\"Microsoft.KeyVault/locations/managedHsmOperationResults/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-09-16T21:47:01.1291104Z\",\"updatedOn\":\"2022-03-07T20:20:03.1782149Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18500a29-7fe2-46b2-a342-b16a415e101d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"18500a29-7fe2-46b2-a342-b16a415e101d\"},{\"properties\":{\"roleName\":\"Security - Detonation Chamber Submitter\",\"type\":\"BuiltInRole\",\"description\":\"Allowed - to create submissions to Security Detonation Chamber\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SecurityDetonation/chambers/submissions/delete\",\"Microsoft.SecurityDetonation/chambers/submissions/write\",\"Microsoft.SecurityDetonation/chambers/submissions/read\",\"Microsoft.SecurityDetonation/chambers/submissions/files/read\",\"Microsoft.SecurityDetonation/chambers/submissions/accesskeyview/read\",\"Microsoft.SecurityDetonation/chambers/platforms/metadata/read\",\"Microsoft.SecurityDetonation/chambers/workflows/metadata/read\",\"Microsoft.SecurityDetonation/chambers/toolsets/metadata/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-10-01T08:55:21.3980274Z\",\"updatedOn\":\"2021-11-11T20:14:47.5471350Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0b555d9b-b4a7-4f43-b330-627f0e5be8f0\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0b555d9b-b4a7-4f43-b330-627f0e5be8f0\"},{\"properties\":{\"roleName\":\"SignalR - REST API Reader\",\"type\":\"BuiltInRole\",\"description\":\"Read-only access - to Azure SignalR Service REST APIs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SignalRService/SignalR/group/read\",\"Microsoft.SignalRService/SignalR/clientConnection/read\",\"Microsoft.SignalRService/SignalR/user/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-10-13T09:19:05.6463616Z\",\"updatedOn\":\"2021-11-11T20:14:48.7902970Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ddde6b66-c0df-4114-a159-3618637b3035\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ddde6b66-c0df-4114-a159-3618637b3035\"},{\"properties\":{\"roleName\":\"SignalR - Service Owner\",\"type\":\"BuiltInRole\",\"description\":\"Full access to - Azure SignalR Service REST APIs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SignalRService/SignalR/auth/accessKey/action\",\"Microsoft.SignalRService/SignalR/auth/clientToken/action\",\"Microsoft.SignalRService/SignalR/hub/send/action\",\"Microsoft.SignalRService/SignalR/group/send/action\",\"Microsoft.SignalRService/SignalR/group/read\",\"Microsoft.SignalRService/SignalR/group/write\",\"Microsoft.SignalRService/SignalR/clientConnection/send/action\",\"Microsoft.SignalRService/SignalR/clientConnection/read\",\"Microsoft.SignalRService/SignalR/clientConnection/write\",\"Microsoft.SignalRService/SignalR/serverConnection/write\",\"Microsoft.SignalRService/SignalR/user/send/action\",\"Microsoft.SignalRService/SignalR/user/read\",\"Microsoft.SignalRService/SignalR/user/write\"],\"notDataActions\":[]}],\"createdOn\":\"2020-10-13T09:20:32.1501410Z\",\"updatedOn\":\"2021-11-11T20:14:48.9653162Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7e4f1700-ea5a-4f59-8f37-079cfe29dce3\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7e4f1700-ea5a-4f59-8f37-079cfe29dce3\"},{\"properties\":{\"roleName\":\"Reservation - Purchaser\",\"type\":\"BuiltInRole\",\"description\":\"Lets you purchase reservations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Capacity/catalogs/read\",\"Microsoft.Capacity/register/action\",\"Microsoft.Compute/register/action\",\"Microsoft.Consumption/register/action\",\"Microsoft.Consumption/reservationRecommendationDetails/read\",\"Microsoft.Consumption/reservationRecommendations/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.SQL/register/action\",\"Microsoft.Support/supporttickets/write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-10-23T20:22:48.9217751Z\",\"updatedOn\":\"2022-04-25T20:55:26.9790121Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f7b75c60-3036-4b75-91c3-6b41c27c1689\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f7b75c60-3036-4b75-91c3-6b41c27c1689\"},{\"properties\":{\"roleName\":\"AzureML - Metrics Writer (preview)\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you write metrics to AzureML workspace\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.MachineLearningServices/workspaces/metrics/*/write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-10-27T16:55:19.5664950Z\",\"updatedOn\":\"2021-11-11T20:14:49.8655015Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/635dd51f-9968-44d3-b7fb-6d9a6bd613ae\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"635dd51f-9968-44d3-b7fb-6d9a6bd613ae\"},{\"properties\":{\"roleName\":\"Storage - Account Backup Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you perform backup and restore operations using Azure Backup on the storage - account.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Authorization/locks/read\",\"Microsoft.Authorization/locks/write\",\"Microsoft.Authorization/locks/delete\",\"Microsoft.Features/features/read\",\"Microsoft.Features/providers/features/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/operations/read\",\"Microsoft.Storage/storageAccounts/objectReplicationPolicies/delete\",\"Microsoft.Storage/storageAccounts/objectReplicationPolicies/read\",\"Microsoft.Storage/storageAccounts/objectReplicationPolicies/write\",\"Microsoft.Storage/storageAccounts/objectReplicationPolicies/restorePointMarkers/write\",\"Microsoft.Storage/storageAccounts/blobServices/containers/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/write\",\"Microsoft.Storage/storageAccounts/blobServices/read\",\"Microsoft.Storage/storageAccounts/blobServices/write\",\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.Storage/storageAccounts/restoreBlobRanges/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-11-02T23:32:50.4203469Z\",\"updatedOn\":\"2022-04-20T01:44:53.5887074Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1\"},{\"properties\":{\"roleName\":\"Experimentation - Metric Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allows for - creation, writes and reads to the metric set via the metrics service APIs.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Experimentation/experimentWorkspaces/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/read\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/metricwrite/action\",\"Microsoft.Experimentation/experimentWorkspaces/metricwrite/action\",\"Microsoft.Experimentation/experimentWorkspaces/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-11-10T20:07:53.7535885Z\",\"updatedOn\":\"2021-11-11T20:14:50.9524177Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6188b7c9-7d01-4f99-a59f-c88b630326c0\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6188b7c9-7d01-4f99-a59f-c88b630326c0\"},{\"properties\":{\"roleName\":\"Project - Babylon Data Curator\",\"type\":\"BuiltInRole\",\"description\":\"The Microsoft.ProjectBabylon - data curator can create, read, modify and delete catalog data objects and - establish relationships between objects. This role is in preview and subject - to change.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ProjectBabylon/accounts/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ProjectBabylon/accounts/data/read\",\"Microsoft.ProjectBabylon/accounts/data/write\"],\"notDataActions\":[]}],\"createdOn\":\"2020-11-14T02:31:33.7988825Z\",\"updatedOn\":\"2021-11-11T20:14:51.4929515Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9ef4ef9c-a049-46b0-82ab-dd8ac094c889\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"9ef4ef9c-a049-46b0-82ab-dd8ac094c889\"},{\"properties\":{\"roleName\":\"Project - Babylon Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"The Microsoft.ProjectBabylon - data reader can read catalog data objects. This role is in preview and subject - to change.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ProjectBabylon/accounts/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ProjectBabylon/accounts/data/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-11-14T02:33:13.5342351Z\",\"updatedOn\":\"2021-11-11T20:14:51.6729667Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c8d896ba-346d-4f50-bc1d-7d1c84130446\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c8d896ba-346d-4f50-bc1d-7d1c84130446\"},{\"properties\":{\"roleName\":\"Project - Babylon Data Source Administrator\",\"type\":\"BuiltInRole\",\"description\":\"The - Microsoft.ProjectBabylon data source administrator can manage data sources - and data scans. This role is in preview and subject to change.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ProjectBabylon/accounts/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ProjectBabylon/accounts/scan/read\",\"Microsoft.ProjectBabylon/accounts/scan/write\"],\"notDataActions\":[]}],\"createdOn\":\"2020-11-14T02:34:01.8401954Z\",\"updatedOn\":\"2021-11-11T20:14:51.8529643Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/05b7651b-dc44-475e-b74d-df3db49fae0f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"05b7651b-dc44-475e-b74d-df3db49fae0f\"},{\"properties\":{\"roleName\":\"Purview - role 1 (Deprecated)\",\"type\":\"BuiltInRole\",\"description\":\"Deprecated - role.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Purview/accounts/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Purview/accounts/data/read\",\"Microsoft.Purview/accounts/data/write\"],\"notDataActions\":[]}],\"createdOn\":\"2020-11-14T02:37:15.0123345Z\",\"updatedOn\":\"2022-01-04T00:43:15.6924286Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8a3c2885-9b38-4fd2-9d99-91af537c1347\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8a3c2885-9b38-4fd2-9d99-91af537c1347\"},{\"properties\":{\"roleName\":\"Purview - role 3 (Deprecated)\",\"type\":\"BuiltInRole\",\"description\":\"Deprecated - role.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Purview/accounts/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Purview/accounts/data/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-11-14T02:39:22.2344740Z\",\"updatedOn\":\"2022-01-04T00:48:08.2844802Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ff100721-1b9d-43d8-af52-42b69c1272db\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ff100721-1b9d-43d8-af52-42b69c1272db\"},{\"properties\":{\"roleName\":\"Purview - role 2 (Deprecated)\",\"type\":\"BuiltInRole\",\"description\":\"Deprecated - role.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Purview/accounts/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Purview/accounts/scan/read\",\"Microsoft.Purview/accounts/scan/write\"],\"notDataActions\":[]}],\"createdOn\":\"2020-11-14T02:40:05.0975648Z\",\"updatedOn\":\"2022-01-04T00:47:22.9678219Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/200bba9e-f0c8-430f-892b-6f0794863803\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"200bba9e-f0c8-430f-892b-6f0794863803\"},{\"properties\":{\"roleName\":\"Application - Group Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Contributor - of the Application Group.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/applicationgroups/*\",\"Microsoft.DesktopVirtualization/hostpools/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/read\",\"Microsoft.DesktopVirtualization/workspaces/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-03T23:26:00.2784962Z\",\"updatedOn\":\"2021-11-11T20:14:52.9432015Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ca6382a4-1721-4bcf-a114-ff0c70227b6b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ca6382a4-1721-4bcf-a114-ff0c70227b6b\"},{\"properties\":{\"roleName\":\"Desktop - Virtualization Reader\",\"type\":\"BuiltInRole\",\"description\":\"Reader - of Desktop Virtualization.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:36:19.0140629Z\",\"updatedOn\":\"2021-11-11T20:14:54.0407838Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/49a72310-ab8d-41df-bbb0-79b649203868\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"49a72310-ab8d-41df-bbb0-79b649203868\"},{\"properties\":{\"roleName\":\"Desktop - Virtualization Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Contributor - of Desktop Virtualization.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:37:16.2910337Z\",\"updatedOn\":\"2021-11-11T20:14:54.2107872Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/082f0a83-3be5-4ba1-904c-961cca79b387\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"082f0a83-3be5-4ba1-904c-961cca79b387\"},{\"properties\":{\"roleName\":\"Desktop - Virtualization Workspace Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Contributor - of the Desktop Virtualization Workspace.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/workspaces/*\",\"Microsoft.DesktopVirtualization/applicationgroups/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:38:29.6089216Z\",\"updatedOn\":\"2021-11-11T20:14:54.3907854Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/21efdde3-836f-432b-bf3d-3e8e734d4b2b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"21efdde3-836f-432b-bf3d-3e8e734d4b2b\"},{\"properties\":{\"roleName\":\"Desktop - Virtualization User Session Operator\",\"type\":\"BuiltInRole\",\"description\":\"Operator - of the Desktop Virtualization Uesr Session.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/hostpools/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:39:16.9100273Z\",\"updatedOn\":\"2021-11-11T20:14:54.5657970Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ea4bfff8-7fb4-485a-aadd-d4129a0ffaa6\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ea4bfff8-7fb4-485a-aadd-d4129a0ffaa6\"},{\"properties\":{\"roleName\":\"Desktop - Virtualization Session Host Operator\",\"type\":\"BuiltInRole\",\"description\":\"Operator - of the Desktop Virtualization Session Host.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/hostpools/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:39:53.2569741Z\",\"updatedOn\":\"2021-11-11T20:14:54.7508042Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2ad6aaab-ead9-4eaa-8ac5-da422f562408\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2ad6aaab-ead9-4eaa-8ac5-da422f562408\"},{\"properties\":{\"roleName\":\"Desktop - Virtualization Host Pool Reader\",\"type\":\"BuiltInRole\",\"description\":\"Reader - of the Desktop Virtualization Host Pool.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/hostpools/*/read\",\"Microsoft.DesktopVirtualization/hostpools/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:40:33.1430834Z\",\"updatedOn\":\"2021-11-11T20:14:54.9257967Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ceadfde2-b300-400a-ab7b-6143895aa822\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ceadfde2-b300-400a-ab7b-6143895aa822\"},{\"properties\":{\"roleName\":\"Desktop - Virtualization Host Pool Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Contributor - of the Desktop Virtualization Host Pool.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/hostpools/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:40:57.2976187Z\",\"updatedOn\":\"2021-11-11T20:14:55.1057701Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e307426c-f9b6-4e81-87de-d99efb3c32bc\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e307426c-f9b6-4e81-87de-d99efb3c32bc\"},{\"properties\":{\"roleName\":\"Desktop - Virtualization Application Group Reader\",\"type\":\"BuiltInRole\",\"description\":\"Reader - of the Desktop Virtualization Application Group.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/applicationgroups/*/read\",\"Microsoft.DesktopVirtualization/applicationgroups/read\",\"Microsoft.DesktopVirtualization/hostpools/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:41:18.0287398Z\",\"updatedOn\":\"2021-11-11T20:14:55.2858006Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/aebf23d0-b568-4e86-b8f9-fe83a2c6ab55\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"aebf23d0-b568-4e86-b8f9-fe83a2c6ab55\"},{\"properties\":{\"roleName\":\"Desktop - Virtualization Application Group Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Contributor - of the Desktop Virtualization Application Group.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/applicationgroups/*\",\"Microsoft.DesktopVirtualization/hostpools/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:41:38.6205531Z\",\"updatedOn\":\"2021-11-11T20:14:55.4677136Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/86240b0e-9422-4c43-887b-b61143f32ba8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"86240b0e-9422-4c43-887b-b61143f32ba8\"},{\"properties\":{\"roleName\":\"Desktop - Virtualization Workspace Reader\",\"type\":\"BuiltInRole\",\"description\":\"Reader - of the Desktop Virtualization Workspace.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/workspaces/read\",\"Microsoft.DesktopVirtualization/applicationgroups/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:41:58.1892707Z\",\"updatedOn\":\"2021-11-11T20:14:55.6577168Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0fa44ee9-7a7d-466b-9bb2-2bf446b1204d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0fa44ee9-7a7d-466b-9bb2-2bf446b1204d\"},{\"properties\":{\"roleName\":\"Disk - Backup Reader\",\"type\":\"BuiltInRole\",\"description\":\"Provides permission - to backup vault to perform disk backup.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Compute/disks/read\",\"Microsoft.Compute/disks/beginGetAccess/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-15T07:39:03.8394514Z\",\"updatedOn\":\"2021-11-11T20:14:56.0178737Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3e5e47e6-65f7-47ef-90b5-e5dd4d455f24\"},{\"properties\":{\"roleName\":\"Autonomous - Development Platform Data Contributor (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Grants - permissions to upload and manage new Autonomous Development Platform measurements.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.AutonomousDevelopmentPlatform/*/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.AutonomousDevelopmentPlatform/accounts/dataPools/discoveries/*\",\"Microsoft.AutonomousDevelopmentPlatform/accounts/dataPools/uploads/*\",\"Microsoft.AutonomousDevelopmentPlatform/accounts/dataPools/measurements/states/new/*\",\"Microsoft.AutonomousDevelopmentPlatform/accounts/dataPools/measurementCollections/*\",\"Microsoft.AutonomousDevelopmentPlatform/accounts/measurementCollections/*\",\"Microsoft.AutonomousDevelopmentPlatform/workspaces/read\",\"Microsoft.AutonomousDevelopmentPlatform/workspaces/discoveries/*\",\"Microsoft.AutonomousDevelopmentPlatform/workspaces/uploads/*\",\"Microsoft.AutonomousDevelopmentPlatform/workspaces/measurements/states/new/*\",\"Microsoft.AutonomousDevelopmentPlatform/workspaces/measurementCollections/*\"],\"notDataActions\":[\"Microsoft.AutonomousDevelopmentPlatform/accounts/dataPools/measurements/states/new/changeState/action\",\"Microsoft.AutonomousDevelopmentPlatform/workspaces/measurements/states/new/changeState/action\"]}],\"createdOn\":\"2020-12-15T11:30:01.7459379Z\",\"updatedOn\":\"2022-05-31T15:19:41.8949991Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b8b15564-4fa6-4a59-ab12-03e1d9594795\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b8b15564-4fa6-4a59-ab12-03e1d9594795\"},{\"properties\":{\"roleName\":\"Autonomous - Development Platform Data Reader (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Grants - read access to Autonomous Development Platform data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.AutonomousDevelopmentPlatform/*/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.AutonomousDevelopmentPlatform/*/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-12-15T12:11:31.9843256Z\",\"updatedOn\":\"2022-01-04T13:21:04.3207709Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d63b75f7-47ea-4f27-92ac-e0d173aaf093\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d63b75f7-47ea-4f27-92ac-e0d173aaf093\"},{\"properties\":{\"roleName\":\"Autonomous - Development Platform Data Owner (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Grants - full access to Autonomous Development Platform data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.AutonomousDevelopmentPlatform/*/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.AutonomousDevelopmentPlatform/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-12-15T12:13:59.9702378Z\",\"updatedOn\":\"2022-01-04T13:20:26.2040404Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/27f8b550-c507-4db9-86f2-f4b8e816d59d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"27f8b550-c507-4db9-86f2-f4b8e816d59d\"},{\"properties\":{\"roleName\":\"Disk - Restore Operator\",\"type\":\"BuiltInRole\",\"description\":\"Provides permission - to backup vault to perform disk restore.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Compute/disks/write\",\"Microsoft.Compute/disks/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-15T12:18:31.8481619Z\",\"updatedOn\":\"2021-11-11T20:14:56.7408912Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b50d9833-a0cb-478e-945f-707fcc997c13\"},{\"properties\":{\"roleName\":\"Disk - Snapshot Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Provides - permission to backup vault to manage disk snapshots.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Compute/snapshots/delete\",\"Microsoft.Compute/snapshots/write\",\"Microsoft.Compute/snapshots/read\",\"Microsoft.Compute/snapshots/beginGetAccess/action\",\"Microsoft.Compute/snapshots/endGetAccess/action\",\"Microsoft.Compute/disks/beginGetAccess/action\",\"Microsoft.Storage/storageAccounts/listkeys/action\",\"Microsoft.Storage/storageAccounts/write\",\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.Storage/storageAccounts/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-15T12:18:51.4471411Z\",\"updatedOn\":\"2021-11-11T20:14:56.9158814Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7efff54f-a5b4-42b5-a1c5-5411624893ce\"},{\"properties\":{\"roleName\":\"Microsoft.Kubernetes - connected cluster role\",\"type\":\"BuiltInRole\",\"description\":\"Microsoft.Kubernetes - connected cluster role.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Kubernetes/connectedClusters/read\",\"Microsoft.Kubernetes/connectedClusters/write\",\"Microsoft.Kubernetes/connectedClusters/delete\",\"Microsoft.Kubernetes/registeredSubscriptions/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-01-07T23:57:10.9923232Z\",\"updatedOn\":\"2021-11-11T20:14:58.2039838Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5548b2cf-c94c-4228-90ba-30851930a12f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5548b2cf-c94c-4228-90ba-30851930a12f\"},{\"properties\":{\"roleName\":\"Security - Detonation Chamber Submission Manager\",\"type\":\"BuiltInRole\",\"description\":\"Allowed - to create and manage submissions to Security Detonation Chamber\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SecurityDetonation/chambers/submissions/delete\",\"Microsoft.SecurityDetonation/chambers/submissions/write\",\"Microsoft.SecurityDetonation/chambers/submissions/read\",\"Microsoft.SecurityDetonation/chambers/submissions/files/read\",\"Microsoft.SecurityDetonation/chambers/submissions/accesskeyview/read\",\"Microsoft.SecurityDetonation/chambers/submissions/adminview/read\",\"Microsoft.SecurityDetonation/chambers/submissions/analystview/read\",\"Microsoft.SecurityDetonation/chambers/submissions/publicview/read\",\"Microsoft.SecurityDetonation/chambers/platforms/metadata/read\",\"Microsoft.SecurityDetonation/chambers/workflows/metadata/read\",\"Microsoft.SecurityDetonation/chambers/toolsets/metadata/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-01-18T09:35:36.5739297Z\",\"updatedOn\":\"2021-11-11T20:14:58.3939604Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a37b566d-3efa-4beb-a2f2-698963fa42ce\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a37b566d-3efa-4beb-a2f2-698963fa42ce\"},{\"properties\":{\"roleName\":\"Security - Detonation Chamber Publisher\",\"type\":\"BuiltInRole\",\"description\":\"Allowed - to publish and modify platforms, workflows and toolsets to Security Detonation - Chamber\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SecurityDetonation/chambers/platforms/read\",\"Microsoft.SecurityDetonation/chambers/platforms/write\",\"Microsoft.SecurityDetonation/chambers/platforms/delete\",\"Microsoft.SecurityDetonation/chambers/platforms/metadata/read\",\"Microsoft.SecurityDetonation/chambers/workflows/read\",\"Microsoft.SecurityDetonation/chambers/workflows/write\",\"Microsoft.SecurityDetonation/chambers/workflows/delete\",\"Microsoft.SecurityDetonation/chambers/workflows/metadata/read\",\"Microsoft.SecurityDetonation/chambers/toolsets/read\",\"Microsoft.SecurityDetonation/chambers/toolsets/write\",\"Microsoft.SecurityDetonation/chambers/toolsets/delete\",\"Microsoft.SecurityDetonation/chambers/toolsets/metadata/read\",\"Microsoft.SecurityDetonation/chambers/publishRequests/read\",\"Microsoft.SecurityDetonation/chambers/publishRequests/cancel/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-01-18T11:43:14.0858184Z\",\"updatedOn\":\"2021-11-11T20:14:58.5639749Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/352470b3-6a9c-4686-b503-35deb827e500\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"352470b3-6a9c-4686-b503-35deb827e500\"},{\"properties\":{\"roleName\":\"Collaborative - Runtime Operator\",\"type\":\"BuiltInRole\",\"description\":\"Can manage resources - created by AICS at runtime\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.IndustryDataLifecycle/derivedModels/*\",\"Microsoft.IndustryDataLifecycle/pipelineSets/*\",\"Microsoft.IndustryDataLifecycle/modelMappings/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-01-19T10:00:27.3464971Z\",\"updatedOn\":\"2021-11-11T20:14:58.7442136Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7a6f0e70-c033-4fb1-828c-08514e5f4102\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7a6f0e70-c033-4fb1-828c-08514e5f4102\"},{\"properties\":{\"roleName\":\"CosmosRestoreOperator\",\"type\":\"BuiltInRole\",\"description\":\"Can - perform restore action for Cosmos DB database account with continuous backup - mode\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DocumentDB/locations/restorableDatabaseAccounts/restore/action\",\"Microsoft.DocumentDB/locations/restorableDatabaseAccounts/*/read\",\"Microsoft.DocumentDB/locations/restorableDatabaseAccounts/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-01-21T19:51:35.3884884Z\",\"updatedOn\":\"2021-11-11T20:14:59.4892686Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5432c526-bc82-444a-b7ba-57c5b0b5b34f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5432c526-bc82-444a-b7ba-57c5b0b5b34f\"},{\"properties\":{\"roleName\":\"FHIR - Data Converter\",\"type\":\"BuiltInRole\",\"description\":\"Role allows user - or principal to convert data from legacy format to FHIR\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.HealthcareApis/services/fhir/resources/convertData/action\",\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/convertData/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-01-22T19:39:01.1601069Z\",\"updatedOn\":\"2021-11-11T20:14:59.8605937Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a1705bd2-3a8f-45a5-8683-466fcfd5cc24\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a1705bd2-3a8f-45a5-8683-466fcfd5cc24\"},{\"properties\":{\"roleName\":\"Microsoft - Sentinel Automation Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Microsoft - Sentinel Automation Contributor\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Logic/workflows/triggers/read\",\"Microsoft.Logic/workflows/triggers/listCallbackUrl/action\",\"Microsoft.Logic/workflows/runs/read\",\"Microsoft.Web/sites/hostruntime/webhooks/api/workflows/triggers/read\",\"Microsoft.Web/sites/hostruntime/webhooks/api/workflows/triggers/listCallbackUrl/action\",\"Microsoft.Web/sites/hostruntime/webhooks/api/workflows/runs/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-01-24T08:50:52.0382991Z\",\"updatedOn\":\"2022-01-26T09:25:00.4699337Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f4c81013-99ee-4d62-a7ee-b3f1f648599a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f4c81013-99ee-4d62-a7ee-b3f1f648599a\"},{\"properties\":{\"roleName\":\"Quota - Request Operator\",\"type\":\"BuiltInRole\",\"description\":\"Read and create - quota requests, get quota request status, and create support tickets.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Capacity/resourceProviders/locations/serviceLimits/read\",\"Microsoft.Capacity/resourceProviders/locations/serviceLimits/write\",\"Microsoft.Capacity/resourceProviders/locations/serviceLimitsRequests/read\",\"Microsoft.Capacity/register/action\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-02-03T00:06:35.8404575Z\",\"updatedOn\":\"2021-11-11T20:15:00.9583919Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0e5f05e5-9ab9-446b-b98d-1e2157c94125\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0e5f05e5-9ab9-446b-b98d-1e2157c94125\"},{\"properties\":{\"roleName\":\"EventGrid - Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage EventGrid - operations.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.EventGrid/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-02-08T18:46:18.8999557Z\",\"updatedOn\":\"2021-11-11T20:15:01.6867802Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1e241071-0855-49ea-94dc-649edcd759de\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1e241071-0855-49ea-94dc-649edcd759de\"},{\"properties\":{\"roleName\":\"Security - Detonation Chamber Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allowed - to query submission info and files from Security Detonation Chamber\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SecurityDetonation/chambers/submissions/read\",\"Microsoft.SecurityDetonation/chambers/submissions/files/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-03-01T14:06:46.2814905Z\",\"updatedOn\":\"2021-11-11T20:15:03.3274090Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/28241645-39f8-410b-ad48-87863e2951d5\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"28241645-39f8-410b-ad48-87863e2951d5\"},{\"properties\":{\"roleName\":\"Object - Anchors Account Reader\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - read ingestion jobs for an object anchors account.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/ObjectAnchorsAccounts/ingest/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-03-02T01:20:47.0279813Z\",\"updatedOn\":\"2021-11-11T20:15:03.5006082Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4a167cdf-cb95-4554-9203-2347fe489bd9\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4a167cdf-cb95-4554-9203-2347fe489bd9\"},{\"properties\":{\"roleName\":\"Object - Anchors Account Owner\",\"type\":\"BuiltInRole\",\"description\":\"Provides - user with ingestion capabilities for an object anchors account.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/ObjectAnchorsAccounts/ingest/action\",\"Microsoft.MixedReality/ObjectAnchorsAccounts/ingest/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-03-02T01:42:02.0014737Z\",\"updatedOn\":\"2021-11-11T20:15:03.6855873Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ca0835dd-bacc-42dd-8ed2-ed5e7230d15b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ca0835dd-bacc-42dd-8ed2-ed5e7230d15b\"},{\"properties\":{\"roleName\":\"WorkloadBuilder - Migration Agent Role\",\"type\":\"BuiltInRole\",\"description\":\"WorkloadBuilder - Migration Agent Role.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.WorkloadBuilder/migrationAgents/Read\",\"Microsoft.WorkloadBuilder/migrationAgents/Write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-03-11T17:07:20.0828003Z\",\"updatedOn\":\"2021-11-11T20:15:04.2456706Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d17ce0a2-0697-43bc-aac5-9113337ab61c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d17ce0a2-0697-43bc-aac5-9113337ab61c\"},{\"properties\":{\"roleName\":\"Web - PubSub Service Owner (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Full - access to Azure Web PubSub Service REST APIs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SignalRService/WebPubSub/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-03-24T09:10:11.8335180Z\",\"updatedOn\":\"2021-11-16T05:16:52.6491279Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/12cf5a90-567b-43ae-8102-96cf46c7d9b4\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"12cf5a90-567b-43ae-8102-96cf46c7d9b4\"},{\"properties\":{\"roleName\":\"Web - PubSub Service Reader (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Read-only - access to Azure Web PubSub Service REST APIs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SignalRService/WebPubSub/*/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-03-24T09:11:12.6235436Z\",\"updatedOn\":\"2021-11-16T05:17:12.8340953Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/bfb1c7d2-fb1a-466b-b2ba-aee63b92deaf\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"bfb1c7d2-fb1a-466b-b2ba-aee63b92deaf\"},{\"properties\":{\"roleName\":\"Azure - Spring Cloud Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allow - read access to Azure Spring Cloud Data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AppPlatform/Spring/*/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-03-25T11:12:12.6786010Z\",\"updatedOn\":\"2021-11-11T20:15:05.3368606Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b5537268-8956-4941-a8f0-646150406f0c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b5537268-8956-4941-a8f0-646150406f0c\"},{\"properties\":{\"roleName\":\"Cognitive - Services Speech User\",\"type\":\"BuiltInRole\",\"description\":\"Access to - the real-time speech recognition and batch transcription APIs, real-time speech - synthesis and long audio APIs, as well as to read the data/test/model/endpoint - for custom models, but can\u2019t create, delete or modify the data/test/model/endpoint - for custom models.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/SpeechServices/*/read\",\"Microsoft.CognitiveServices/accounts/SpeechServices/*/transcriptions/read\",\"Microsoft.CognitiveServices/accounts/SpeechServices/*/transcriptions/write\",\"Microsoft.CognitiveServices/accounts/SpeechServices/*/transcriptions/delete\",\"Microsoft.CognitiveServices/accounts/SpeechServices/*/frontend/action\",\"Microsoft.CognitiveServices/accounts/SpeechServices/text-dependent/*/action\",\"Microsoft.CognitiveServices/accounts/SpeechServices/text-independent/*/action\",\"Microsoft.CognitiveServices/accounts/CustomVoice/*/read\",\"Microsoft.CognitiveServices/accounts/CustomVoice/evaluations/*\",\"Microsoft.CognitiveServices/accounts/CustomVoice/longaudiosynthesis/*\",\"Microsoft.CognitiveServices/accounts/AudioContentCreation/*\"],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVoice/datasets/files/read\",\"Microsoft.CognitiveServices/accounts/CustomVoice/datasets/utterances/read\"]}],\"createdOn\":\"2021-03-30T11:28:27.4339032Z\",\"updatedOn\":\"2022-05-23T15:08:46.2082116Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f2dc8367-1007-4938-bd23-fe263f013447\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f2dc8367-1007-4938-bd23-fe263f013447\"},{\"properties\":{\"roleName\":\"Cognitive - Services Speech Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Full - access to Speech projects, including read, write and delete all entities, - for real-time speech recognition and batch transcription tasks, real-time - speech synthesis and long audio tasks, custom speech and custom voice.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/SpeechServices/*\",\"Microsoft.CognitiveServices/accounts/CustomVoice/*\",\"Microsoft.CognitiveServices/accounts/AudioContentCreation/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-03-30T11:28:49.7826633Z\",\"updatedOn\":\"2022-05-23T15:08:46.1925859Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0e75ca1e-0464-4b4d-8b93-68208a576181\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0e75ca1e-0464-4b4d-8b93-68208a576181\"},{\"properties\":{\"roleName\":\"Cognitive - Services Face Recognizer\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you perform detect, verify, identify, group, and find similar operations on - Face API. This role does not allow create or delete operations, which makes - it well suited for endpoints that only need inferencing capabilities, following - 'least privilege' best practices.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/Face/detect/action\",\"Microsoft.CognitiveServices/accounts/Face/verify/action\",\"Microsoft.CognitiveServices/accounts/Face/identify/action\",\"Microsoft.CognitiveServices/accounts/Face/group/action\",\"Microsoft.CognitiveServices/accounts/Face/findsimilars/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-03-31T01:51:41.3557295Z\",\"updatedOn\":\"2021-11-11T20:15:05.8818362Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9894cab4-e18a-44aa-828b-cb588cd6f2d7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"9894cab4-e18a-44aa-828b-cb588cd6f2d7\"},{\"properties\":{\"roleName\":\"Media - Services Account Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Create, - read, modify, and delete Media Services accounts; read-only access to other - Media Services resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Media/mediaservices/*/read\",\"Microsoft.Media/mediaservices/assets/listStreamingLocators/action\",\"Microsoft.Media/mediaservices/streamingLocators/listPaths/action\",\"Microsoft.Media/mediaservices/write\",\"Microsoft.Media/mediaservices/delete\",\"Microsoft.Media/mediaservices/privateEndpointConnectionsApproval/action\",\"Microsoft.Media/mediaservices/privateEndpointConnections/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-04-19T23:20:32.2956636Z\",\"updatedOn\":\"2021-11-11T20:15:07.1518844Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/054126f8-9a2b-4f1c-a9ad-eca461f08466\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"054126f8-9a2b-4f1c-a9ad-eca461f08466\"},{\"properties\":{\"roleName\":\"Media - Services Live Events Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Create, - read, modify, and delete Live Events, Assets, Asset Filters, and Streaming - Locators; read-only access to other Media Services resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Media/mediaservices/*/read\",\"Microsoft.Media/mediaservices/assets/*\",\"Microsoft.Media/mediaservices/assets/assetfilters/*\",\"Microsoft.Media/mediaservices/streamingLocators/*\",\"Microsoft.Media/mediaservices/liveEvents/*\"],\"notActions\":[\"Microsoft.Media/mediaservices/assets/getEncryptionKey/action\",\"Microsoft.Media/mediaservices/streamingLocators/listContentKeys/action\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-04-19T23:21:00.6119555Z\",\"updatedOn\":\"2021-11-11T20:15:07.3318873Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/532bc159-b25e-42c0-969e-a1d439f60d77\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"532bc159-b25e-42c0-969e-a1d439f60d77\"},{\"properties\":{\"roleName\":\"Media - Services Media Operator\",\"type\":\"BuiltInRole\",\"description\":\"Create, - read, modify, and delete Assets, Asset Filters, Streaming Locators, and Jobs; - read-only access to other Media Services resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Media/mediaservices/*/read\",\"Microsoft.Media/mediaservices/assets/*\",\"Microsoft.Media/mediaservices/assets/assetfilters/*\",\"Microsoft.Media/mediaservices/streamingLocators/*\",\"Microsoft.Media/mediaservices/transforms/jobs/*\"],\"notActions\":[\"Microsoft.Media/mediaservices/assets/getEncryptionKey/action\",\"Microsoft.Media/mediaservices/streamingLocators/listContentKeys/action\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-04-19T23:21:23.2236495Z\",\"updatedOn\":\"2021-11-11T20:15:07.5068487Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e4395492-1534-4db2-bedf-88c14621589c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e4395492-1534-4db2-bedf-88c14621589c\"},{\"properties\":{\"roleName\":\"Media - Services Policy Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Create, - read, modify, and delete Account Filters, Streaming Policies, Content Key - Policies, and Transforms; read-only access to other Media Services resources. - Cannot create Jobs, Assets or Streaming resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Media/mediaservices/*/read\",\"Microsoft.Media/mediaservices/assets/listStreamingLocators/action\",\"Microsoft.Media/mediaservices/streamingLocators/listPaths/action\",\"Microsoft.Media/mediaservices/accountFilters/*\",\"Microsoft.Media/mediaservices/streamingPolicies/*\",\"Microsoft.Media/mediaservices/contentKeyPolicies/*\",\"Microsoft.Media/mediaservices/transforms/*\"],\"notActions\":[\"Microsoft.Media/mediaservices/contentKeyPolicies/getPolicyPropertiesWithSecrets/action\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-04-19T23:21:46.9534330Z\",\"updatedOn\":\"2021-11-11T20:15:07.6968496Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c4bba371-dacd-4a26-b320-7250bca963ae\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c4bba371-dacd-4a26-b320-7250bca963ae\"},{\"properties\":{\"roleName\":\"Media - Services Streaming Endpoints Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Create, - read, modify, and delete Streaming Endpoints; read-only access to other Media - Services resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Media/mediaservices/*/read\",\"Microsoft.Media/mediaservices/assets/listStreamingLocators/action\",\"Microsoft.Media/mediaservices/streamingLocators/listPaths/action\",\"Microsoft.Media/mediaservices/streamingEndpoints/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-04-19T23:22:04.4594851Z\",\"updatedOn\":\"2021-11-11T20:15:07.8718907Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/99dba123-b5fe-44d5-874c-ced7199a5804\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"99dba123-b5fe-44d5-874c-ced7199a5804\"},{\"properties\":{\"roleName\":\"Stream - Analytics Query Tester\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - perform query testing without creating a stream analytics job first\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.StreamAnalytics/locations/TestQuery/action\",\"Microsoft.StreamAnalytics/locations/OperationResults/read\",\"Microsoft.StreamAnalytics/locations/SampleInput/action\",\"Microsoft.StreamAnalytics/locations/CompileQuery/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-04-20T17:33:24.5727870Z\",\"updatedOn\":\"2021-11-11T20:15:08.0481551Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1ec5b3c1-b17e-4e25-8312-2acb3c3c5abf\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1ec5b3c1-b17e-4e25-8312-2acb3c3c5abf\"},{\"properties\":{\"roleName\":\"AnyBuild - Builder\",\"type\":\"BuiltInRole\",\"description\":\"Basic user role for AnyBuild. - This role allows listing of agent information and execution of remote build - capabilities.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AnyBuild/clusters/build/write\",\"Microsoft.AnyBuild/clusters/build/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-04-20T22:07:00.4963853Z\",\"updatedOn\":\"2021-11-11T20:15:08.4254134Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a2138dac-4907-4679-a376-736901ed8ad8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a2138dac-4907-4679-a376-736901ed8ad8\"},{\"properties\":{\"roleName\":\"IoT - Hub Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows for full - read access to IoT Hub data-plane properties\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Devices/IotHubs/*/read\",\"Microsoft.Devices/IotHubs/fileUpload/notifications/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-04-22T18:03:29.8843192Z\",\"updatedOn\":\"2021-11-11T20:15:08.6054154Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b447c946-2db7-41ec-983d-d8bf3b1c77e3\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b447c946-2db7-41ec-983d-d8bf3b1c77e3\"},{\"properties\":{\"roleName\":\"IoT - Hub Twin Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allows for - read and write access to all IoT Hub device and module twins.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Devices/IotHubs/twins/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-04-22T20:36:10.1136903Z\",\"updatedOn\":\"2021-11-11T20:15:08.7855063Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/494bdba2-168f-4f31-a0a1-191d2f7c028c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"494bdba2-168f-4f31-a0a1-191d2f7c028c\"},{\"properties\":{\"roleName\":\"IoT - Hub Registry Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allows - for full access to IoT Hub device registry.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Devices/IotHubs/devices/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-04-22T20:36:47.5532704Z\",\"updatedOn\":\"2021-11-11T20:15:08.9804295Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4ea46cd5-c1b2-4a8e-910b-273211f9ce47\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4ea46cd5-c1b2-4a8e-910b-273211f9ce47\"},{\"properties\":{\"roleName\":\"IoT - Hub Data Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allows for - full access to IoT Hub data plane operations.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Devices/IotHubs/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-04-22T20:37:16.9927761Z\",\"updatedOn\":\"2021-11-11T20:15:09.1754206Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4fc6c259-987e-4a07-842e-c321cc9d413f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4fc6c259-987e-4a07-842e-c321cc9d413f\"},{\"properties\":{\"roleName\":\"Test - Base Reader\",\"type\":\"BuiltInRole\",\"description\":\"Let you view and - download packages and test results.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.TestBase/testBaseAccounts/packages/testResults/getDownloadUrl/action\",\"Microsoft.TestBase/testBaseAccounts/packages/testResults/getVideoDownloadUrl/action\",\"Microsoft.TestBase/testBaseAccounts/packages/getDownloadUrl/action\",\"Microsoft.TestBase/*/read\",\"Microsoft.TestBase/testBaseAccounts/customerEvents/write\",\"Microsoft.TestBase/testBaseAccounts/customerEvents/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-05-11T23:41:33.1038367Z\",\"updatedOn\":\"2021-11-11T20:15:10.8004347Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/15e0f5a1-3450-4248-8e25-e2afe88a9e85\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"15e0f5a1-3450-4248-8e25-e2afe88a9e85\"},{\"properties\":{\"roleName\":\"Search - Index Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Grants read - access to Azure Cognitive Search index data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Search/searchServices/indexes/documents/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-06-01T20:26:13.4850461Z\",\"updatedOn\":\"2021-11-11T20:15:11.3604371Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1407120a-92aa-4202-b7e9-c0e197c71c8f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1407120a-92aa-4202-b7e9-c0e197c71c8f\"},{\"properties\":{\"roleName\":\"Search - Index Data Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Grants - full access to Azure Cognitive Search index data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Search/searchServices/indexes/documents/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-06-01T22:15:16.5388472Z\",\"updatedOn\":\"2021-11-11T20:15:11.5504385Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8ebe5a00-799e-43f5-93ac-243d3dce84a7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8ebe5a00-799e-43f5-93ac-243d3dce84a7\"},{\"properties\":{\"roleName\":\"Storage - Table Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows for - read access to Azure Storage tables and entities\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/tableServices/tables/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/tableServices/tables/entities/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-06-15T06:40:54.9150717Z\",\"updatedOn\":\"2021-11-11T20:15:12.1005298Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/76199698-9eea-4c19-bc75-cec21354c6b6\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"76199698-9eea-4c19-bc75-cec21354c6b6\"},{\"properties\":{\"roleName\":\"Storage - Table Data Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allows - for read, write and delete access to Azure Storage tables and entities\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/tableServices/tables/read\",\"Microsoft.Storage/storageAccounts/tableServices/tables/write\",\"Microsoft.Storage/storageAccounts/tableServices/tables/delete\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/tableServices/tables/entities/read\",\"Microsoft.Storage/storageAccounts/tableServices/tables/entities/write\",\"Microsoft.Storage/storageAccounts/tableServices/tables/entities/delete\",\"Microsoft.Storage/storageAccounts/tableServices/tables/entities/add/action\",\"Microsoft.Storage/storageAccounts/tableServices/tables/entities/update/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-06-15T06:51:59.8207610Z\",\"updatedOn\":\"2021-11-11T20:15:12.2854966Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0a9a7e1f-b9d0-4cc4-a60d-0319b160aaa3\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0a9a7e1f-b9d0-4cc4-a60d-0319b160aaa3\"},{\"properties\":{\"roleName\":\"DICOM - Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Read and search DICOM - data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.HealthcareApis/workspaces/dicomservices/resources/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-06-17T20:58:30.1630494Z\",\"updatedOn\":\"2021-11-11T20:15:13.0154948Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e89c7a3c-2f64-4fa1-a847-3e4c9ba4283a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e89c7a3c-2f64-4fa1-a847-3e4c9ba4283a\"},{\"properties\":{\"roleName\":\"DICOM - Data Owner\",\"type\":\"BuiltInRole\",\"description\":\"Full access to DICOM - data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.HealthcareApis/workspaces/dicomservices/resources/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-06-17T20:59:30.8659515Z\",\"updatedOn\":\"2021-11-11T20:15:13.1904985Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/58a3b984-7adf-4c20-983a-32417c86fbc8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"58a3b984-7adf-4c20-983a-32417c86fbc8\"},{\"properties\":{\"roleName\":\"EventGrid - Data Sender\",\"type\":\"BuiltInRole\",\"description\":\"Allows send access - to event grid events.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.EventGrid/topics/read\",\"Microsoft.EventGrid/domains/read\",\"Microsoft.EventGrid/partnerNamespaces/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.EventGrid/events/send/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-07-02T21:55:40.4847495Z\",\"updatedOn\":\"2021-11-11T20:15:13.5605134Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d5a91429-5739-47e2-a06b-3470a27159e7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d5a91429-5739-47e2-a06b-3470a27159e7\"},{\"properties\":{\"roleName\":\"Disk - Pool Operator\",\"type\":\"BuiltInRole\",\"description\":\"Used by the StoragePool - Resource Provider to manage Disks added to a Disk Pool.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/disks/write\",\"Microsoft.Compute/disks/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-07-08T17:26:05.1079972Z\",\"updatedOn\":\"2021-11-11T20:15:13.9154612Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/60fc6e62-5479-42d4-8bf4-67625fcc2840\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"60fc6e62-5479-42d4-8bf4-67625fcc2840\"},{\"properties\":{\"roleName\":\"AzureML - Data Scientist\",\"type\":\"BuiltInRole\",\"description\":\"Can perform all - actions within an Azure Machine Learning workspace, except for creating or - deleting compute resources and modifying the workspace itself.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.MachineLearningServices/workspaces/*/read\",\"Microsoft.MachineLearningServices/workspaces/*/action\",\"Microsoft.MachineLearningServices/workspaces/*/delete\",\"Microsoft.MachineLearningServices/workspaces/*/write\"],\"notActions\":[\"Microsoft.MachineLearningServices/workspaces/delete\",\"Microsoft.MachineLearningServices/workspaces/write\",\"Microsoft.MachineLearningServices/workspaces/computes/*/write\",\"Microsoft.MachineLearningServices/workspaces/computes/*/delete\",\"Microsoft.MachineLearningServices/workspaces/computes/listKeys/action\",\"Microsoft.MachineLearningServices/workspaces/listKeys/action\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-07-14T21:51:06.0361218Z\",\"updatedOn\":\"2021-11-11T20:15:14.6405263Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f6c7c914-8db3-469d-8ca1-694a8f32e121\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f6c7c914-8db3-469d-8ca1-694a8f32e121\"},{\"properties\":{\"roleName\":\"Grafana - Admin\",\"type\":\"BuiltInRole\",\"description\":\"Built-in Grafana admin - role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Dashboard/grafana/ActAsGrafanaAdmin/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-07-15T21:32:35.3802340Z\",\"updatedOn\":\"2021-11-11T20:15:14.8104670Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/22926164-76b3-42b3-bc55-97df8dab3e41\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"22926164-76b3-42b3-bc55-97df8dab3e41\"},{\"properties\":{\"roleName\":\"Azure - Connected SQL Server Onboarding\",\"type\":\"BuiltInRole\",\"description\":\"Microsoft.AzureArcData\_service\_role\_to\_access\_the\_resources\_of\_Microsoft.AzureArcData\_stored\_with\_RPSAAS.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.AzureArcData/sqlServerInstances/read\",\"Microsoft.AzureArcData/sqlServerInstances/write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-07-19T23:52:15.8885739Z\",\"updatedOn\":\"2021-11-11T20:15:15.1754742Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e8113dce-c529-4d33-91fa-e9b972617508\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e8113dce-c529-4d33-91fa-e9b972617508\"},{\"properties\":{\"roleName\":\"Azure - Relay Sender\",\"type\":\"BuiltInRole\",\"description\":\"Allows for send - access to Azure Relay resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Relay/*/wcfRelays/read\",\"Microsoft.Relay/*/hybridConnections/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Relay/*/send/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-07-20T15:37:20.7558643Z\",\"updatedOn\":\"2021-11-11T20:15:15.5454755Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/26baccc8-eea7-41f1-98f4-1762cc7f685d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"26baccc8-eea7-41f1-98f4-1762cc7f685d\"},{\"properties\":{\"roleName\":\"Azure - Relay Owner\",\"type\":\"BuiltInRole\",\"description\":\"Allows for full access - to Azure Relay resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Relay/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Relay/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-07-20T15:44:26.3023126Z\",\"updatedOn\":\"2021-11-11T20:15:15.7154782Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2787bf04-f1f5-4bfe-8383-c8a24483ee38\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2787bf04-f1f5-4bfe-8383-c8a24483ee38\"},{\"properties\":{\"roleName\":\"Azure - Relay Listener\",\"type\":\"BuiltInRole\",\"description\":\"Allows for listen - access to Azure Relay resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Relay/*/wcfRelays/read\",\"Microsoft.Relay/*/hybridConnections/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Relay/*/listen/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-07-20T18:38:03.1437496Z\",\"updatedOn\":\"2021-11-11T20:15:15.9005232Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/26e0b698-aa6d-4085-9386-aadae190014d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"26e0b698-aa6d-4085-9386-aadae190014d\"},{\"properties\":{\"roleName\":\"Grafana - Viewer\",\"type\":\"BuiltInRole\",\"description\":\"Built-in Grafana Viewer - role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Dashboard/grafana/ActAsGrafanaViewer/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-08-05T16:36:18.7737511Z\",\"updatedOn\":\"2021-11-11T20:15:16.9904932Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/60921a7e-fef1-4a43-9b16-a26c52ad4769\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"60921a7e-fef1-4a43-9b16-a26c52ad4769\"},{\"properties\":{\"roleName\":\"Grafana - Editor\",\"type\":\"BuiltInRole\",\"description\":\"Built-in Grafana Editor - role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Dashboard/grafana/ActAsGrafanaEditor/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-08-05T16:37:32.5299593Z\",\"updatedOn\":\"2021-11-11T20:15:17.1805426Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a79a5197-3a5c-4973-a920-486035ffd60f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a79a5197-3a5c-4973-a920-486035ffd60f\"},{\"properties\":{\"roleName\":\"Automation - Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Manage azure automation - resources and other resources using azure automation.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Automation/automationAccounts/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Insights/ActionGroups/*\",\"Microsoft.Insights/ActivityLogAlerts/*\",\"Microsoft.Insights/MetricAlerts/*\",\"Microsoft.Insights/ScheduledQueryRules/*\",\"Microsoft.Insights/diagnosticSettings/*\",\"Microsoft.OperationalInsights/workspaces/sharedKeys/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-08-09T10:18:19.1054699Z\",\"updatedOn\":\"2021-11-11T20:15:17.7304954Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f353d9bd-d4a6-484e-a77a-8050b599b867\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f353d9bd-d4a6-484e-a77a-8050b599b867\"},{\"properties\":{\"roleName\":\"Kubernetes - Extension Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can create, - update, get, list and delete Kubernetes Extensions, and get extension async - operations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.KubernetesConfiguration/extensions/write\",\"Microsoft.KubernetesConfiguration/extensions/read\",\"Microsoft.KubernetesConfiguration/extensions/delete\",\"Microsoft.KubernetesConfiguration/extensions/operations/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-08-09T19:47:50.6828896Z\",\"updatedOn\":\"2021-11-11T20:15:17.9155393Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/85cb6faf-e071-4c9b-8136-154b5a04f717\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"85cb6faf-e071-4c9b-8136-154b5a04f717\"},{\"properties\":{\"roleName\":\"Device - Provisioning Service Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows - for full read access to Device Provisioning Service data-plane properties.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Devices/provisioningServices/*/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-08-09T19:53:12.1374732Z\",\"updatedOn\":\"2021-11-11T20:15:18.0905503Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/10745317-c249-44a1-a5ce-3a4353c0bbd8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"10745317-c249-44a1-a5ce-3a4353c0bbd8\"},{\"properties\":{\"roleName\":\"Device - Provisioning Service Data Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allows - for full access to Device Provisioning Service data-plane operations.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Devices/provisioningServices/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-08-09T19:54:03.2783227Z\",\"updatedOn\":\"2021-11-11T20:15:18.2605302Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/dfce44e4-17b7-4bd1-a6d1-04996ec95633\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"dfce44e4-17b7-4bd1-a6d1-04996ec95633\"},{\"properties\":{\"roleName\":\"CodeSigning - Certificate Profile Signer\",\"type\":\"BuiltInRole\",\"description\":\"Sign - files with a certificate profile. This role is in preview and subject to change.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CodeSigning/certificateProfiles/Sign/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-08-16T23:17:53.0002693Z\",\"updatedOn\":\"2021-11-11T20:15:18.6105679Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2837e146-70d7-4cfd-ad55-7efa6464f958\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2837e146-70d7-4cfd-ad55-7efa6464f958\"},{\"properties\":{\"roleName\":\"Azure - Spring Cloud Service Registry Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allow - read access to Azure Spring Cloud Service Registry\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AppPlatform/Spring/eurekaService/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-08-20T04:40:17.9785063Z\",\"updatedOn\":\"2021-11-11T20:15:18.9655101Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/cff1b556-2399-4e7e-856d-a8f754be7b65\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"cff1b556-2399-4e7e-856d-a8f754be7b65\"},{\"properties\":{\"roleName\":\"Azure - Spring Cloud Service Registry Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allow - read, write and delete access to Azure Spring Cloud Service Registry\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AppPlatform/Spring/eurekaService/read\",\"Microsoft.AppPlatform/Spring/eurekaService/write\",\"Microsoft.AppPlatform/Spring/eurekaService/delete\"],\"notDataActions\":[]}],\"createdOn\":\"2021-08-20T04:42:38.9153779Z\",\"updatedOn\":\"2021-11-11T20:15:19.1405497Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f5880b48-c26d-48be-b172-7927bfa1c8f1\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f5880b48-c26d-48be-b172-7927bfa1c8f1\"},{\"properties\":{\"roleName\":\"Azure - Spring Cloud Config Server Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allow - read access to Azure Spring Cloud Config Server\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AppPlatform/Spring/configService/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-08-26T01:50:51.5123701Z\",\"updatedOn\":\"2021-11-11T20:15:19.3155517Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d04c6db6-4947-4782-9e91-30a88feb7be7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d04c6db6-4947-4782-9e91-30a88feb7be7\"},{\"properties\":{\"roleName\":\"Azure - Spring Cloud Config Server Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allow - read, write and delete access to Azure Spring Cloud Config Server\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AppPlatform/Spring/configService/read\",\"Microsoft.AppPlatform/Spring/configService/write\",\"Microsoft.AppPlatform/Spring/configService/delete\"],\"notDataActions\":[]}],\"createdOn\":\"2021-09-06T02:30:47.8611580Z\",\"updatedOn\":\"2021-11-11T20:15:20.0405208Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a06f5c24-21a7-4e1a-aa2b-f19eb6684f5b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a06f5c24-21a7-4e1a-aa2b-f19eb6684f5b\"},{\"properties\":{\"roleName\":\"Azure - VM Managed identities restore Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Azure - VM Managed identities restore Contributors are allowed to perform Azure VM - Restores with managed identities both user and system\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-09-13T05:27:59.2180214Z\",\"updatedOn\":\"2021-11-11T20:15:20.5805266Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6ae96244-5829-4925-a7d3-5975537d91dd\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6ae96244-5829-4925-a7d3-5975537d91dd\"},{\"properties\":{\"roleName\":\"Azure - Maps Search and Render Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Grants - access to very limited set of data APIs for common visual web SDK scenarios. - Specifically, render and search data APIs.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Maps/accounts/services/render/read\",\"Microsoft.Maps/accounts/services/search/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-10-01T22:17:50.5178931Z\",\"updatedOn\":\"2021-11-11T20:15:22.0455410Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6be48352-4f82-47c9-ad5e-0acacefdb005\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6be48352-4f82-47c9-ad5e-0acacefdb005\"},{\"properties\":{\"roleName\":\"Azure - Maps Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Grants access - all Azure Maps resource management.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Maps/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-10-01T22:19:13.1357904Z\",\"updatedOn\":\"2021-11-11T20:15:22.2455414Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/dba33070-676a-4fb0-87fa-064dc56ff7fb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"dba33070-676a-4fb0-87fa-064dc56ff7fb\"},{\"properties\":{\"roleName\":\"Azure - Arc VMware VM Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Arc - VMware VM Contributor has permissions to perform all VM actions.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ConnectedVMwarevSphere/virtualmachines/*\",\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/operationresults/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-10-18T20:19:53.0087024Z\",\"updatedOn\":\"2021-11-11T20:15:23.8706020Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b748a06d-6150-4f8a-aaa9-ce3940cd96cb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b748a06d-6150-4f8a-aaa9-ce3940cd96cb\"},{\"properties\":{\"roleName\":\"Azure - Arc VMware Private Cloud User\",\"type\":\"BuiltInRole\",\"description\":\"Azure - Arc VMware Private Cloud User has permissions to use the VMware cloud resources - to deploy VMs.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.ConnectedVMwarevSphere/virtualnetworks/join/action\",\"Microsoft.ConnectedVMwarevSphere/virtualnetworks/Read\",\"Microsoft.ConnectedVMwarevSphere/virtualmachinetemplates/clone/action\",\"Microsoft.ConnectedVMwarevSphere/virtualmachinetemplates/Read\",\"Microsoft.ConnectedVMwarevSphere/resourcepools/deploy/action\",\"Microsoft.ConnectedVMwarevSphere/resourcepools/Read\",\"Microsoft.ConnectedVMwarevSphere/hosts/deploy/action\",\"Microsoft.ConnectedVMwarevSphere/hosts/Read\",\"Microsoft.ConnectedVMwarevSphere/clusters/deploy/action\",\"Microsoft.ConnectedVMwarevSphere/clusters/Read\",\"Microsoft.ConnectedVMwarevSphere/datastores/allocateSpace/action\",\"Microsoft.ConnectedVMwarevSphere/datastores/Read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-10-18T20:20:46.5105444Z\",\"updatedOn\":\"2021-11-11T20:15:24.0456080Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ce551c02-7c42-47e0-9deb-e3b6fc3a9a83\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ce551c02-7c42-47e0-9deb-e3b6fc3a9a83\"},{\"properties\":{\"roleName\":\"Azure - Arc VMware Administrator role \",\"type\":\"BuiltInRole\",\"description\":\"Arc - VMware VM Contributor has permissions to perform all connected VMwarevSphere - actions.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ConnectedVMwarevSphere/*\",\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/operationresults/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-11-01T17:12:42.6172725Z\",\"updatedOn\":\"2021-11-11T20:15:25.1275776Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ddc140ed-e463-4246-9145-7c664192013f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ddc140ed-e463-4246-9145-7c664192013f\"},{\"properties\":{\"roleName\":\"Azure - Arc VMware Private Clouds Onboarding\",\"type\":\"BuiltInRole\",\"description\":\"Azure - Arc VMware Private Clouds Onboarding role has permissions to provision all - the required resources for onboard and deboard vCenter instances to Azure.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ConnectedVMwarevSphere/vcenters/Write\",\"Microsoft.ConnectedVMwarevSphere/vcenters/Read\",\"Microsoft.ConnectedVMwarevSphere/vcenters/Delete\",\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.KubernetesConfiguration/extensions/Write\",\"Microsoft.KubernetesConfiguration/extensions/Read\",\"Microsoft.KubernetesConfiguration/extensions/Delete\",\"Microsoft.KubernetesConfiguration/operations/read\",\"Microsoft.ExtendedLocation/customLocations/Read\",\"Microsoft.ExtendedLocation/customLocations/Write\",\"Microsoft.ExtendedLocation/customLocations/Delete\",\"Microsoft.ExtendedLocation/customLocations/deploy/action\",\"Microsoft.ResourceConnector/appliances/Read\",\"Microsoft.ResourceConnector/appliances/Write\",\"Microsoft.ResourceConnector/appliances/Delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-11-01T22:18:08.4480747Z\",\"updatedOn\":\"2022-01-14T02:51:08.7237156Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/67d33e57-3129-45e6-bb0b-7cc522f762fa\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"67d33e57-3129-45e6-bb0b-7cc522f762fa\"},{\"properties\":{\"roleName\":\"Cognitive - Services LUIS Owner\",\"type\":\"BuiltInRole\",\"description\":\" Has access - to all Read, Test, Write, Deploy and Delete functions under LUIS\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.CognitiveServices/accounts/listkeys/action\",\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/LUIS/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-11-04T03:28:02.9611800Z\",\"updatedOn\":\"2021-11-11T20:15:25.4884913Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f72c8140-2111-481c-87ff-72b910f6e3f8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f72c8140-2111-481c-87ff-72b910f6e3f8\"},{\"properties\":{\"roleName\":\"Cognitive - Services Language Reader\",\"type\":\"BuiltInRole\",\"description\":\"Has - access to Read and Test functions under Language portal\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/LanguageAuthoring/*/read\",\"Microsoft.CognitiveServices/accounts/ConversationalLanguageUnderstanding/*/read\",\"Microsoft.CognitiveServices/accounts/ConversationalLanguageUnderstanding/projects/export/action\",\"Microsoft.CognitiveServices/accounts/Language/*/read\",\"Microsoft.CognitiveServices/accounts/Language/*/projects/export/action\",\"Microsoft.CognitiveServices/accounts/Language/query-text/action\",\"Microsoft.CognitiveServices/accounts/Language/query-dataverse/action\",\"Microsoft.CognitiveServices/accounts/Language/analyze-text/jobs/action\",\"Microsoft.CognitiveServices/accounts/Language/analyze-text/action\",\"Microsoft.CognitiveServices/accounts/Language/analyze-text/jobscancel/action\",\"Microsoft.CognitiveServices/accounts/Language/analyze-conversations/action\",\"Microsoft.CognitiveServices/accounts/Language/analyze-conversations/jobscancel/action\",\"Microsoft.CognitiveServices/accounts/Language/analyze-conversations/jobs/action\",\"Microsoft.CognitiveServices/accounts/Language/query-knowledgebases/action\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/*\"],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnaMaker/*\"]}],\"createdOn\":\"2021-11-04T03:29:14.7643336Z\",\"updatedOn\":\"2022-06-17T06:19:08.0395330Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7628b7b8-a8b2-4cdc-b46f-e9b35248918e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7628b7b8-a8b2-4cdc-b46f-e9b35248918e\"},{\"properties\":{\"roleName\":\"Cognitive - Services Language Writer\",\"type\":\"BuiltInRole\",\"description\":\" Has - access to all Read, Test, and Write functions under Language Portal\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/LanguageAuthoring/*\",\"Microsoft.CognitiveServices/accounts/ConversationalLanguageUnderstanding/*\",\"Microsoft.CognitiveServices/accounts/Language/*\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/*\"],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/LanguageAuthoring/projects/publish/action\",\"Microsoft.CognitiveServices/accounts/ConversationalLanguageUnderstanding/projects/deployments/write\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnaMaker/*\",\"Microsoft.CognitiveServices/accounts/Language/*/projects/delete\",\"Microsoft.CognitiveServices/accounts/Language/*/projects/deployments/write\",\"Microsoft.CognitiveServices/accounts/Language/*/projects/deployments/delete\",\"Microsoft.CognitiveServices/accounts/Language/*/projects/deployments/swap/action\"]}],\"createdOn\":\"2021-11-04T03:29:39.5761019Z\",\"updatedOn\":\"2022-03-29T18:03:23.4902754Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f2310ca1-dc64-4889-bb49-c8e0fa3d47a8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f2310ca1-dc64-4889-bb49-c8e0fa3d47a8\"},{\"properties\":{\"roleName\":\"Cognitive - Services Language Owner\",\"type\":\"BuiltInRole\",\"description\":\"Has access - to all Read, Test, Write, Deploy and Delete functions under Language portal\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.CognitiveServices/accounts/listkeys/action\",\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/LanguageAuthoring/*\",\"Microsoft.CognitiveServices/accounts/ConversationalLanguageUnderstanding/*\",\"Microsoft.CognitiveServices/accounts/Language/*\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/*\"],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnaMaker/*\"]}],\"createdOn\":\"2021-11-04T03:30:07.6173528Z\",\"updatedOn\":\"2022-03-29T18:03:46.5617184Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f07febfe-79bc-46b1-8b37-790e26e6e498\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f07febfe-79bc-46b1-8b37-790e26e6e498\"},{\"properties\":{\"roleName\":\"Cognitive - Services LUIS Reader\",\"type\":\"BuiltInRole\",\"description\":\"Has access - to Read and Test functions under LUIS.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/LUIS/*/read\",\"Microsoft.CognitiveServices/accounts/LUIS/apps/testdatasets/write\"],\"notDataActions\":[]}],\"createdOn\":\"2021-11-04T03:30:31.2704834Z\",\"updatedOn\":\"2021-11-11T20:15:26.2134821Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18e81cdc-4e98-4e29-a639-e7d10c5a6226\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"18e81cdc-4e98-4e29-a639-e7d10c5a6226\"},{\"properties\":{\"roleName\":\"Cognitive - Services LUIS Writer\",\"type\":\"BuiltInRole\",\"description\":\"Has access - to all Read, Test, and Write functions under LUIS\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/LUIS/*\"],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/LUIS/apps/delete\",\"Microsoft.CognitiveServices/accounts/LUIS/apps/move/action\",\"Microsoft.CognitiveServices/accounts/LUIS/apps/publish/action\",\"Microsoft.CognitiveServices/accounts/LUIS/apps/settings/write\",\"Microsoft.CognitiveServices/accounts/LUIS/apps/azureaccounts/action\",\"Microsoft.CognitiveServices/accounts/LUIS/apps/azureaccounts/delete\"]}],\"createdOn\":\"2021-11-04T03:31:12.1580052Z\",\"updatedOn\":\"2021-11-11T20:15:26.3934523Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6322a993-d5c9-4bed-b113-e49bbea25b27\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6322a993-d5c9-4bed-b113-e49bbea25b27\"},{\"properties\":{\"roleName\":\"PlayFab - Reader\",\"type\":\"BuiltInRole\",\"description\":\"Provides read access to - PlayFab resources\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.PlayFab/*/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-11-04T23:26:57.2248605Z\",\"updatedOn\":\"2021-11-11T20:15:26.5784834Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a9a19cc5-31f4-447c-901f-56c0bb18fcaf\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a9a19cc5-31f4-447c-901f-56c0bb18fcaf\"},{\"properties\":{\"roleName\":\"Load - Test Contributor\",\"type\":\"BuiltInRole\",\"description\":\"View, create, - update, delete and execute load tests. View and list load test resources but - can not make any changes.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.LoadTestService/*/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.LoadTestService/loadtests/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-11-09T08:11:21.0936461Z\",\"updatedOn\":\"2021-11-11T20:15:27.1189225Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/749a398d-560b-491b-bb21-08924219302e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"749a398d-560b-491b-bb21-08924219302e\"},{\"properties\":{\"roleName\":\"Load - Test Owner\",\"type\":\"BuiltInRole\",\"description\":\"Execute all operations - on load test resources and load tests\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.LoadTestService/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.LoadTestService/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-11-09T08:12:24.5500195Z\",\"updatedOn\":\"2021-11-11T20:15:27.2897153Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/45bb0b16-2f0c-4e78-afaa-a07599b003f6\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"45bb0b16-2f0c-4e78-afaa-a07599b003f6\"},{\"properties\":{\"roleName\":\"PlayFab - Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Provides contributor - access to PlayFab resources\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.PlayFab/*/read\",\"Microsoft.PlayFab/*/write\",\"Microsoft.PlayFab/*/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-11-10T00:55:37.3326276Z\",\"updatedOn\":\"2021-11-11T20:15:28.0547167Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0c8b84dc-067c-4039-9615-fa1a4b77c726\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0c8b84dc-067c-4039-9615-fa1a4b77c726\"},{\"properties\":{\"roleName\":\"Load - Test Reader\",\"type\":\"BuiltInRole\",\"description\":\"View and list all - load tests and load test resources but can not make any changes\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.LoadTestService/*/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.LoadTestService/loadtests/readTest/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-11-10T06:14:08.3903105Z\",\"updatedOn\":\"2021-11-11T20:15:28.2297181Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3ae3fb29-0000-4ccd-bf80-542e7b26e081\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3ae3fb29-0000-4ccd-bf80-542e7b26e081\"},{\"properties\":{\"roleName\":\"Cognitive - Services Immersive Reader User\",\"type\":\"BuiltInRole\",\"description\":\"Provides - access to create Immersive Reader sessions and call APIs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/ImmersiveReader/getcontentmodelforreader/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-11-10T19:52:14.4487503Z\",\"updatedOn\":\"2021-11-11T20:15:28.4146975Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b2de6794-95db-4659-8781-7e080d3f2b9d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b2de6794-95db-4659-8781-7e080d3f2b9d\"},{\"properties\":{\"roleName\":\"Lab - Services Contributor\",\"type\":\"BuiltInRole\",\"description\":\"The lab - services contributor role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.LabServices/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.LabServices/labPlans/createLab/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-11-11T00:51:03.3308981Z\",\"updatedOn\":\"2021-11-11T20:15:28.7792013Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f69b8690-cc87-41d6-b77a-a4bc3c0a966f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f69b8690-cc87-41d6-b77a-a4bc3c0a966f\"},{\"properties\":{\"roleName\":\"Lab - Services Reader\",\"type\":\"BuiltInRole\",\"description\":\"The lab services - reader role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.LabServices/*/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-11-11T00:55:30.4208618Z\",\"updatedOn\":\"2021-11-11T20:15:28.9592032Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a5c394f-5eb7-4d4f-9c8e-e8eae39faebc\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2a5c394f-5eb7-4d4f-9c8e-e8eae39faebc\"},{\"properties\":{\"roleName\":\"Lab - Assistant\",\"type\":\"BuiltInRole\",\"description\":\"The lab assistant role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.LabServices/labPlans/images/read\",\"Microsoft.LabServices/labPlans/read\",\"Microsoft.LabServices/labs/read\",\"Microsoft.LabServices/labs/schedules/read\",\"Microsoft.LabServices/labs/users/read\",\"Microsoft.LabServices/labs/users/invite/action\",\"Microsoft.LabServices/labs/virtualMachines/read\",\"Microsoft.LabServices/labs/virtualMachines/start/action\",\"Microsoft.LabServices/labs/virtualMachines/stop/action\",\"Microsoft.LabServices/labs/virtualMachines/reimage/action\",\"Microsoft.LabServices/labs/virtualMachines/redeploy/action\",\"Microsoft.LabServices/locations/usages/read\",\"Microsoft.LabServices/skus/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-11-11T00:56:10.4295443Z\",\"updatedOn\":\"2021-11-11T20:15:29.1442530Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ce40b423-cede-4313-a93f-9b28290b72e1\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ce40b423-cede-4313-a93f-9b28290b72e1\"},{\"properties\":{\"roleName\":\"Lab - Operator\",\"type\":\"BuiltInRole\",\"description\":\"The lab operator role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.LabServices/labPlans/images/read\",\"Microsoft.LabServices/labPlans/read\",\"Microsoft.LabServices/labPlans/saveImage/action\",\"Microsoft.LabServices/labs/publish/action\",\"Microsoft.LabServices/labs/read\",\"Microsoft.LabServices/labs/schedules/read\",\"Microsoft.LabServices/labs/schedules/write\",\"Microsoft.LabServices/labs/schedules/delete\",\"Microsoft.LabServices/labs/users/read\",\"Microsoft.LabServices/labs/users/write\",\"Microsoft.LabServices/labs/users/delete\",\"Microsoft.LabServices/labs/users/invite/action\",\"Microsoft.LabServices/labs/virtualMachines/read\",\"Microsoft.LabServices/labs/virtualMachines/start/action\",\"Microsoft.LabServices/labs/virtualMachines/stop/action\",\"Microsoft.LabServices/labs/virtualMachines/reimage/action\",\"Microsoft.LabServices/labs/virtualMachines/redeploy/action\",\"Microsoft.LabServices/labs/virtualMachines/resetPassword/action\",\"Microsoft.LabServices/locations/usages/read\",\"Microsoft.LabServices/skus/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-11-11T00:56:41.9942935Z\",\"updatedOn\":\"2021-11-11T20:15:29.3242664Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a36e6959-b6be-4b12-8e9f-ef4b474d304d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a36e6959-b6be-4b12-8e9f-ef4b474d304d\"},{\"properties\":{\"roleName\":\"Lab - Contributor\",\"type\":\"BuiltInRole\",\"description\":\"The lab contributor - role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.LabServices/labPlans/images/read\",\"Microsoft.LabServices/labPlans/read\",\"Microsoft.LabServices/labPlans/saveImage/action\",\"Microsoft.LabServices/labs/read\",\"Microsoft.LabServices/labs/write\",\"Microsoft.LabServices/labs/delete\",\"Microsoft.LabServices/labs/publish/action\",\"Microsoft.LabServices/labs/syncGroup/action\",\"Microsoft.LabServices/labs/schedules/read\",\"Microsoft.LabServices/labs/schedules/write\",\"Microsoft.LabServices/labs/schedules/delete\",\"Microsoft.LabServices/labs/users/read\",\"Microsoft.LabServices/labs/users/write\",\"Microsoft.LabServices/labs/users/delete\",\"Microsoft.LabServices/labs/users/invite/action\",\"Microsoft.LabServices/labs/virtualMachines/read\",\"Microsoft.LabServices/labs/virtualMachines/start/action\",\"Microsoft.LabServices/labs/virtualMachines/stop/action\",\"Microsoft.LabServices/labs/virtualMachines/reimage/action\",\"Microsoft.LabServices/labs/virtualMachines/redeploy/action\",\"Microsoft.LabServices/labs/virtualMachines/resetPassword/action\",\"Microsoft.LabServices/locations/usages/read\",\"Microsoft.LabServices/skus/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.LabServices/labPlans/createLab/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-11-11T00:57:05.9018065Z\",\"updatedOn\":\"2021-11-11T20:15:29.4992096Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5daaa2af-1fe8-407c-9122-bba179798270\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5daaa2af-1fe8-407c-9122-bba179798270\"},{\"properties\":{\"roleName\":\"Chamber - User\",\"type\":\"BuiltInRole\",\"description\":\"Lets you view everything - under your HPC Workbench chamber, but not make any changes.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HpcWorkbench/instances/chambers/*/read\",\"Microsoft.HpcWorkbench/instances/chambers/workloads/*\",\"Microsoft.HpcWorkbench/instances/chambers/getUploadUri/action\",\"Microsoft.HpcWorkbench/instances/consortiums/*/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-12-15T20:51:06.2119764Z\",\"updatedOn\":\"2022-01-27T04:54:22.9559555Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4447db05-44ed-4da3-ae60-6cbece780e32\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4447db05-44ed-4da3-ae60-6cbece780e32\"},{\"properties\":{\"roleName\":\"Chamber - Admin\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage everything - under your HPC Workbench chamber.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HpcWorkbench/*/read\",\"Microsoft.HpcWorkbench/instances/chambers/*\",\"Microsoft.HpcWorkbench/instances/consortiums/*/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-12-15T20:53:14.4428297Z\",\"updatedOn\":\"2022-01-20T05:04:48.3694000Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4e9b8407-af2e-495b-ae54-bb60a55b1b5a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4e9b8407-af2e-495b-ae54-bb60a55b1b5a\"},{\"properties\":{\"roleName\":\"Windows - Admin Center Administrator Login\",\"type\":\"BuiltInRole\",\"description\":\"Let's - you manage the OS of your resource via Windows Admin Center as an administrator.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HybridCompute/machines/*/read\",\"Microsoft.HybridCompute/machines/extensions/*\",\"Microsoft.HybridCompute/machines/upgradeExtensions/action\",\"Microsoft.HybridCompute/operations/read\",\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Network/loadBalancers/read\",\"Microsoft.Network/publicIPAddresses/read\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/networkSecurityGroups/read\",\"Microsoft.Network/networkSecurityGroups/defaultSecurityRules/read\",\"Microsoft.Network/networkWatchers/securityGroupView/action\",\"Microsoft.Network/networkSecurityGroups/securityRules/read\",\"Microsoft.Network/networkSecurityGroups/securityRules/write\",\"Microsoft.HybridConnectivity/endpoints/write\",\"Microsoft.HybridConnectivity/endpoints/read\",\"Microsoft.HybridConnectivity/endpoints/listManagedProxyDetails/action\",\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Compute/virtualMachines/patchAssessmentResults/latest/read\",\"Microsoft.Compute/virtualMachines/patchAssessmentResults/latest/softwarePatches/read\",\"Microsoft.Compute/virtualMachines/patchInstallationResults/read\",\"Microsoft.Compute/virtualMachines/patchInstallationResults/softwarePatches/read\",\"Microsoft.Compute/virtualMachines/extensions/read\",\"Microsoft.Compute/virtualMachines/instanceView/read\",\"Microsoft.Compute/virtualMachines/runCommands/read\",\"Microsoft.Compute/virtualMachines/vmSizes/read\",\"Microsoft.Compute/locations/publishers/artifacttypes/types/read\",\"Microsoft.Compute/locations/publishers/artifacttypes/types/versions/read\",\"Microsoft.Compute/diskAccesses/read\",\"Microsoft.Compute/galleries/images/read\",\"Microsoft.Compute/images/read\",\"Microsoft.AzureStackHCI/Clusters/Read\",\"Microsoft.AzureStackHCI/Clusters/ArcSettings/Read\",\"Microsoft.AzureStackHCI/Clusters/ArcSettings/Extensions/Read\",\"Microsoft.AzureStackHCI/Clusters/ArcSettings/Extensions/Write\",\"Microsoft.AzureStackHCI/Clusters/ArcSettings/Extensions/Delete\",\"Microsoft.AzureStackHCI/Operations/Read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.HybridCompute/machines/WACLoginAsAdmin/action\",\"Microsoft.Compute/virtualMachines/WACloginAsAdmin/action\",\"Microsoft.AzureStackHCI/Clusters/WACloginAsAdmin/Action\"],\"notDataActions\":[]}],\"createdOn\":\"2022-01-12T00:51:19.5581155Z\",\"updatedOn\":\"2022-07-12T21:33:45.2330879Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a6333a3e-0164-44c3-b281-7a577aff287f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a6333a3e-0164-44c3-b281-7a577aff287f\"},{\"properties\":{\"roleName\":\"Guest - Configuration Resource Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you read, write Guest Configuration Resource.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.GuestConfiguration/guestConfigurationAssignments/write\",\"Microsoft.GuestConfiguration/guestConfigurationAssignments/read\",\"Microsoft.GuestConfiguration/guestConfigurationAssignments/*/read\",\"Microsoft.Resources/deployments/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-01-13T21:31:41.9626667Z\",\"updatedOn\":\"2022-02-10T19:22:44.9057916Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/088ab73d-1256-47ae-bea9-9de8e7131f31\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"088ab73d-1256-47ae-bea9-9de8e7131f31\"},{\"properties\":{\"roleName\":\"Azure - Kubernetes Service Policy Add-on Deployment\",\"type\":\"BuiltInRole\",\"description\":\"Deploy - the Azure Policy add-on on Azure Kubernetes Service clusters\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Resources/deployments/*\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/publicIPPrefixes/join/action\",\"Microsoft.Network/publicIPAddresses/join/action\",\"Microsoft.Compute/diskEncryptionSets/read\",\"Microsoft.Compute/proximityPlacementGroups/write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-02-07T20:51:48.5662807Z\",\"updatedOn\":\"2022-03-15T19:19:25.6182575Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18ed5180-3e48-46fd-8541-4ea054d57064\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"18ed5180-3e48-46fd-8541-4ea054d57064\"},{\"properties\":{\"roleName\":\"Domain - Services Reader\",\"type\":\"BuiltInRole\",\"description\":\"Can view Azure - AD Domain Services and related network configurations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Insights/Logs/Read\",\"Microsoft.Insights/Metrics/read\",\"Microsoft.Insights/DiagnosticSettings/read\",\"Microsoft.Insights/DiagnosticSettingsCategories/Read\",\"Microsoft.AAD/domainServices/*/read\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Network/virtualNetworks/virtualNetworkPeerings/read\",\"Microsoft.Network/virtualNetworks/providers/Microsoft.Insights/diagnosticSettings/read\",\"Microsoft.Network/virtualNetworks/providers/Microsoft.Insights/metricDefinitions/read\",\"Microsoft.Network/azureFirewalls/read\",\"Microsoft.Network/ddosProtectionPlans/read\",\"Microsoft.Network/loadBalancers/read\",\"Microsoft.Network/loadBalancers/*/read\",\"Microsoft.Network/natGateways/read\",\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Network/networkSecurityGroups/defaultSecurityRules/read\",\"Microsoft.Network/networkSecurityGroups/read\",\"Microsoft.Network/networkSecurityGroups/securityRules/read\",\"Microsoft.Network/routeTables/read\",\"Microsoft.Network/routeTables/routes/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-02-15T19:38:46.9043170Z\",\"updatedOn\":\"2022-06-27T15:26:25.8631939Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/361898ef-9ed1-48c2-849c-a832951106bb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"361898ef-9ed1-48c2-849c-a832951106bb\"},{\"properties\":{\"roleName\":\"Domain - Services Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can manage - Azure AD Domain Services and related network configurations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Insights/Logs/Read\",\"Microsoft.Insights/Metrics/Read\",\"Microsoft.Insights/DiagnosticSettings/*\",\"Microsoft.Insights/DiagnosticSettingsCategories/Read\",\"Microsoft.AAD/register/action\",\"Microsoft.AAD/unregister/action\",\"Microsoft.AAD/domainServices/*\",\"Microsoft.Network/register/action\",\"Microsoft.Network/unregister/action\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/write\",\"Microsoft.Network/virtualNetworks/delete\",\"Microsoft.Network/virtualNetworks/peer/action\",\"Microsoft.Network/virtualNetworks/join/action\",\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Network/virtualNetworks/subnets/write\",\"Microsoft.Network/virtualNetworks/subnets/delete\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/virtualNetworks/virtualNetworkPeerings/read\",\"Microsoft.Network/virtualNetworks/virtualNetworkPeerings/write\",\"Microsoft.Network/virtualNetworks/virtualNetworkPeerings/delete\",\"Microsoft.Network/virtualNetworks/providers/Microsoft.Insights/diagnosticSettings/read\",\"Microsoft.Network/virtualNetworks/providers/Microsoft.Insights/metricDefinitions/read\",\"Microsoft.Network/azureFirewalls/read\",\"Microsoft.Network/ddosProtectionPlans/read\",\"Microsoft.Network/ddosProtectionPlans/join/action\",\"Microsoft.Network/loadBalancers/read\",\"Microsoft.Network/loadBalancers/delete\",\"Microsoft.Network/loadBalancers/*/read\",\"Microsoft.Network/loadBalancers/backendAddressPools/join/action\",\"Microsoft.Network/loadBalancers/inboundNatRules/join/action\",\"Microsoft.Network/natGateways/join/action\",\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Network/networkInterfaces/write\",\"Microsoft.Network/networkInterfaces/delete\",\"Microsoft.Network/networkInterfaces/join/action\",\"Microsoft.Network/networkSecurityGroups/defaultSecurityRules/read\",\"Microsoft.Network/networkSecurityGroups/read\",\"Microsoft.Network/networkSecurityGroups/write\",\"Microsoft.Network/networkSecurityGroups/delete\",\"Microsoft.Network/networkSecurityGroups/join/action\",\"Microsoft.Network/networkSecurityGroups/securityRules/read\",\"Microsoft.Network/networkSecurityGroups/securityRules/write\",\"Microsoft.Network/networkSecurityGroups/securityRules/delete\",\"Microsoft.Network/routeTables/read\",\"Microsoft.Network/routeTables/write\",\"Microsoft.Network/routeTables/delete\",\"Microsoft.Network/routeTables/join/action\",\"Microsoft.Network/routeTables/routes/read\",\"Microsoft.Network/routeTables/routes/write\",\"Microsoft.Network/routeTables/routes/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-02-15T19:40:22.3943189Z\",\"updatedOn\":\"2022-06-27T15:26:25.8631939Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/eeaeda52-9324-47f6-8069-5d5bade478b2\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"eeaeda52-9324-47f6-8069-5d5bade478b2\"},{\"properties\":{\"roleName\":\"DNS - Resolver Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you - manage DNS resolver resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Network/dnsResolvers/read\",\"Microsoft.Network/dnsResolvers/write\",\"Microsoft.Network/dnsResolvers/delete\",\"Microsoft.Network/dnsResolvers/join/action\",\"Microsoft.Network/dnsResolvers/inboundEndpoints/read\",\"Microsoft.Network/dnsResolvers/inboundEndpoints/write\",\"Microsoft.Network/dnsResolvers/inboundEndpoints/delete\",\"Microsoft.Network/dnsResolvers/inboundEndpoints/join/action\",\"Microsoft.Network/dnsResolvers/outboundEndpoints/read\",\"Microsoft.Network/dnsResolvers/outboundEndpoints/write\",\"Microsoft.Network/dnsResolvers/outboundEndpoints/delete\",\"Microsoft.Network/dnsResolvers/outboundEndpoints/join/action\",\"Microsoft.Network/dnsForwardingRulesets/read\",\"Microsoft.Network/dnsForwardingRulesets/write\",\"Microsoft.Network/dnsForwardingRulesets/delete\",\"Microsoft.Network/dnsForwardingRulesets/join/action\",\"Microsoft.Network/dnsForwardingRulesets/forwardingRules/read\",\"Microsoft.Network/dnsForwardingRulesets/forwardingRules/write\",\"Microsoft.Network/dnsForwardingRulesets/forwardingRules/delete\",\"Microsoft.Network/dnsForwardingRulesets/virtualNetworkLinks/read\",\"Microsoft.Network/dnsForwardingRulesets/virtualNetworkLinks/write\",\"Microsoft.Network/dnsForwardingRulesets/virtualNetworkLinks/delete\",\"Microsoft.Network/locations/dnsResolverOperationResults/read\",\"Microsoft.Network/locations/dnsResolverOperationStatuses/read\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/join/action\",\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Network/virtualNetworks/subnets/write\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/virtualNetworks/join/action\",\"Microsoft.Network/virtualNetworks/joinLoadBalancer/action\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/virtualNetworks/subnets/joinLoadBalancer/action\",\"Microsoft.Network/natGateways/join/action\",\"Microsoft.Network/networkSecurityGroups/join/action\",\"Microsoft.Network/routeTables/join/action\",\"Microsoft.Network/serviceEndpointPolicies/join/action\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-02-16T23:25:04.4308795Z\",\"updatedOn\":\"2022-03-11T20:54:15.0659022Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0f2ebee7-ffd4-4fc0-b3b7-664099fdad5d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0f2ebee7-ffd4-4fc0-b3b7-664099fdad5d\"},{\"properties\":{\"roleName\":\"Data - Operator for Managed Disks\",\"type\":\"BuiltInRole\",\"description\":\"Provides - permissions to upload data to empty managed disks, read, or export data of - managed disks (not attached to running VMs) and snapshots using SAS URIs and - Azure AD authentication.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Compute/disks/download/action\",\"Microsoft.Compute/disks/upload/action\",\"Microsoft.Compute/snapshots/download/action\",\"Microsoft.Compute/snapshots/upload/action\"],\"notDataActions\":[]}],\"createdOn\":\"2022-03-01T01:28:16.0862180Z\",\"updatedOn\":\"2022-03-01T01:28:16.0862180Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/959f8984-c045-4866-89c7-12bf9737be2e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"959f8984-c045-4866-89c7-12bf9737be2e\"},{\"properties\":{\"roleName\":\"AgFood - Platform Sensor Partner Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Provides - contribute access to manage sensor related entities in AgFood Platform Service\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AgFoodPlatform/sensorPartnerScope/*\"],\"notDataActions\":[\"Microsoft.AgFoodPlatform/sensorPartnerScope/sensors/delete\"]}],\"createdOn\":\"2022-03-09T04:58:18.4183393Z\",\"updatedOn\":\"2022-03-09T04:58:18.4183393Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6b77f0a0-0d89-41cc-acd1-579c22c17a67\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6b77f0a0-0d89-41cc-acd1-579c22c17a67\"},{\"properties\":{\"roleName\":\"Compute - Gallery Sharing Admin\",\"type\":\"BuiltInRole\",\"description\":\"This role - allows user to share gallery to another subscription/tenant or share it to - the public.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/galleries/share/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-03-10T00:33:23.4134686Z\",\"updatedOn\":\"2022-03-25T20:36:59.8004672Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1ef6a3be-d0ac-425d-8c01-acb62866290b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1ef6a3be-d0ac-425d-8c01-acb62866290b\"},{\"properties\":{\"roleName\":\"Scheduled - Patching Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Provides - access to manage maintenance configurations with maintenance scope InGuestPatch - and corresponding configuration assignments\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Maintenance/maintenanceConfigurations/read\",\"Microsoft.Maintenance/maintenanceConfigurations/write\",\"Microsoft.Maintenance/maintenanceConfigurations/delete\",\"Microsoft.Maintenance/configurationAssignments/read\",\"Microsoft.Maintenance/configurationAssignments/write\",\"Microsoft.Maintenance/configurationAssignments/delete\",\"Microsoft.Maintenance/configurationAssignments/maintenanceScope/InGuestPatch/read\",\"Microsoft.Maintenance/configurationAssignments/maintenanceScope/InGuestPatch/write\",\"Microsoft.Maintenance/configurationAssignments/maintenanceScope/InGuestPatch/delete\",\"Microsoft.Maintenance/maintenanceConfigurations/maintenanceScope/InGuestPatch/read\",\"Microsoft.Maintenance/maintenanceConfigurations/maintenanceScope/InGuestPatch/write\",\"Microsoft.Maintenance/maintenanceConfigurations/maintenanceScope/InGuestPatch/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-03-21T10:27:57.4429306Z\",\"updatedOn\":\"2022-04-13T08:04:30.2446363Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/cd08ab90-6b14-449c-ad9a-8f8e549482c6\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"cd08ab90-6b14-449c-ad9a-8f8e549482c6\"},{\"properties\":{\"roleName\":\"DevCenter - Dev Box User\",\"type\":\"BuiltInRole\",\"description\":\"Provides access - to create and manage dev boxes.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DevCenter/projects/read\",\"Microsoft.DevCenter/projects/*/read\",\"Microsoft.Fidalgo/projects/read\",\"Microsoft.Fidalgo/projects/*/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.DevCenter/projects/users/devboxes/userStop/action\",\"Microsoft.DevCenter/projects/users/devboxes/userStart/action\",\"Microsoft.DevCenter/projects/users/devboxes/userGetRemoteConnection/action\",\"Microsoft.DevCenter/projects/users/devboxes/userRead/action\",\"Microsoft.DevCenter/projects/users/devboxes/userWrite/action\",\"Microsoft.DevCenter/projects/users/devboxes/userDelete/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userStop/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userStart/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userGetRdpFileContent/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userRead/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userWrite/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userDelete/action\"],\"notDataActions\":[]}],\"createdOn\":\"2022-03-30T19:23:03.9063898Z\",\"updatedOn\":\"2022-07-25T15:10:35.9457674Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/45d50f46-0b78-4001-a660-4198cbe8cd05\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"45d50f46-0b78-4001-a660-4198cbe8cd05\"},{\"properties\":{\"roleName\":\"DevCenter - Project Admin\",\"type\":\"BuiltInRole\",\"description\":\"Provides access - to manage project resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DevCenter/projects/*\",\"Microsoft.Fidalgo/projects/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[\"Microsoft.DevCenter/projects/write\",\"Microsoft.DevCenter/projects/delete\",\"Microsoft.Fidalgo/projects/write\",\"Microsoft.Fidalgo/projects/delete\"],\"dataActions\":[\"Microsoft.DevCenter/projects/users/devboxes/adminStart/action\",\"Microsoft.DevCenter/projects/users/devboxes/adminStop/action\",\"Microsoft.DevCenter/projects/users/devboxes/adminRead/action\",\"Microsoft.DevCenter/projects/users/devboxes/adminWrite/action\",\"Microsoft.DevCenter/projects/users/devboxes/adminDelete/action\",\"Microsoft.DevCenter/projects/users/devboxes/userStop/action\",\"Microsoft.DevCenter/projects/users/devboxes/userStart/action\",\"Microsoft.DevCenter/projects/users/devboxes/userGetRemoteConnection/action\",\"Microsoft.DevCenter/projects/users/devboxes/userRead/action\",\"Microsoft.DevCenter/projects/users/devboxes/userWrite/action\",\"Microsoft.DevCenter/projects/users/devboxes/userDelete/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/adminStart/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/adminStop/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/adminRead/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/adminWrite/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/adminDelete/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userStop/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userStart/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userGetRdpFileContent/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userRead/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userWrite/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userDelete/action\"],\"notDataActions\":[]}],\"createdOn\":\"2022-03-31T19:42:53.1063939Z\",\"updatedOn\":\"2022-07-25T15:10:35.9301356Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/331c37c6-af14-46d9-b9f4-e1909e1b95a0\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"331c37c6-af14-46d9-b9f4-e1909e1b95a0\"},{\"properties\":{\"roleName\":\"Virtual - Machine Local User Login\",\"type\":\"BuiltInRole\",\"description\":\"View - Virtual Machines in the portal and login as a local user configured on the - arc server\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HybridCompute/machines/*/read\",\"Microsoft.HybridConnectivity/endpoints/listCredentials/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-04-06T23:57:08.4960876Z\",\"updatedOn\":\"2022-04-16T18:55:22.3226785Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/602da2ba-a5c2-41da-b01d-5360126ab525\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"602da2ba-a5c2-41da-b01d-5360126ab525\"},{\"properties\":{\"roleName\":\"Azure - Arc ScVmm VM Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Arc - ScVmm VM Contributor has permissions to perform all VM actions.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"microsoft.scvmm/virtualmachines/*\",\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/operationresults/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-04-13T17:19:43.4978394Z\",\"updatedOn\":\"2022-05-05T20:21:52.7065718Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e582369a-e17b-42a5-b10c-874c387c530b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e582369a-e17b-42a5-b10c-874c387c530b\"},{\"properties\":{\"roleName\":\"Azure - Arc ScVmm Private Clouds Onboarding\",\"type\":\"BuiltInRole\",\"description\":\"Azure - Arc ScVmm Private Clouds Onboarding role has permissions to provision all - the required resources for onboard and deboard vmm server instances to Azure.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"microsoft.scvmm/vmmservers/Read\",\"microsoft.scvmm/vmmservers/Write\",\"microsoft.scvmm/vmmservers/Delete\",\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/operationresults/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-04-13T17:20:22.0259391Z\",\"updatedOn\":\"2022-05-05T20:21:42.0160634Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6aac74c4-6311-40d2-bbdd-7d01e7c6e3a9\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6aac74c4-6311-40d2-bbdd-7d01e7c6e3a9\"},{\"properties\":{\"roleName\":\"Azure - Arc ScVmm Private Cloud User\",\"type\":\"BuiltInRole\",\"description\":\"Azure - Arc ScVmm Private Cloud User has permissions to use the ScVmm resources to - deploy VMs.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"microsoft.scvmm/virtualnetworks/join/action\",\"microsoft.scvmm/virtualnetworks/Read\",\"microsoft.scvmm/virtualmachinetemplates/clone/action\",\"microsoft.scvmm/virtualmachinetemplates/Read\",\"microsoft.scvmm/clouds/deploy/action\",\"microsoft.scvmm/clouds/Read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-04-13T17:21:31.8768952Z\",\"updatedOn\":\"2022-05-05T20:22:10.3489590Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c0781e91-8102-4553-8951-97c6d4243cda\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c0781e91-8102-4553-8951-97c6d4243cda\"},{\"properties\":{\"roleName\":\"Azure - Arc ScVmm Administrator role\",\"type\":\"BuiltInRole\",\"description\":\"Arc - ScVmm VM Administrator has permissions to perform all ScVmm actions.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ScVmm/*\",\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/operationresults/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-04-13T17:23:34.5429371Z\",\"updatedOn\":\"2022-05-05T20:23:15.0154893Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a92dfd61-77f9-4aec-a531-19858b406c87\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a92dfd61-77f9-4aec-a531-19858b406c87\"},{\"properties\":{\"roleName\":\"FHIR - Data Importer\",\"type\":\"BuiltInRole\",\"description\":\"Role allows user - or principal to read and import FHIR Data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/read\",\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/import/action\"],\"notDataActions\":[]}],\"createdOn\":\"2022-04-19T07:59:47.5802132Z\",\"updatedOn\":\"2022-04-21T09:08:14.6059986Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4465e953-8ced-4406-a58e-0f6e3f3b530b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4465e953-8ced-4406-a58e-0f6e3f3b530b\"},{\"properties\":{\"roleName\":\"API - Management Developer Portal Content Editor\",\"type\":\"BuiltInRole\",\"description\":\"Can - customize the developer portal, edit its content, and publish it.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ApiManagement/service/portalRevisions/read\",\"Microsoft.ApiManagement/service/portalRevisions/write\",\"Microsoft.ApiManagement/service/contentTypes/read\",\"Microsoft.ApiManagement/service/contentTypes/delete\",\"Microsoft.ApiManagement/service/contentTypes/write\",\"Microsoft.ApiManagement/service/contentTypes/contentItems/read\",\"Microsoft.ApiManagement/service/contentTypes/contentItems/write\",\"Microsoft.ApiManagement/service/contentTypes/contentItems/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-05-06T17:39:17.7581243Z\",\"updatedOn\":\"2022-05-10T21:30:34.1382013Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c031e6a8-4391-4de0-8d69-4706a7ed3729\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c031e6a8-4391-4de0-8d69-4706a7ed3729\"},{\"properties\":{\"roleName\":\"VM - Scanner Operator\",\"type\":\"BuiltInRole\",\"description\":\"Role that provides - access to disk snapshot for security analysis.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/disks/read\",\"Microsoft.Compute/disks/beginGetAccess/action\",\"Microsoft.Compute/virtualMachines/instanceView/read\",\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Compute/virtualMachineScaleSets/instanceView/read\",\"Microsoft.Compute/virtualMachineScaleSets/read\",\"Microsoft.Compute/virtualMachineScaleSets/virtualMachines/read\",\"Microsoft.Compute/virtualMachineScaleSets/virtualMachines/instanceView/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-05-15T13:31:34.0748579Z\",\"updatedOn\":\"2022-06-07T17:46:56.0797280Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d24ecba3-c1f4-40fa-a7bb-4588a071e8fd\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d24ecba3-c1f4-40fa-a7bb-4588a071e8fd\"},{\"properties\":{\"roleName\":\"Elastic - SAN Owner\",\"type\":\"BuiltInRole\",\"description\":\"Allows for full access - to all resources under Azure Elastic SAN including changing network security - policies to unblock data path access\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ElasticSan/elasticSans/*\",\"Microsoft.ElasticSan/locations/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-05-26T10:38:46.9791574Z\",\"updatedOn\":\"2022-08-23T15:33:50.1290558Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/80dcbedb-47ef-405d-95bd-188a1b4ac406\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"80dcbedb-47ef-405d-95bd-188a1b4ac406\"},{\"properties\":{\"roleName\":\"Elastic - SAN Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows for control - path read access to Azure Elastic SAN\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ElasticSan/elasticSans/*/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-06-01T05:03:02.6894404Z\",\"updatedOn\":\"2022-08-23T15:33:50.1290558Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/af6a70f8-3c9f-4105-acf1-d719e9fca4ca\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"af6a70f8-3c9f-4105-acf1-d719e9fca4ca\"},{\"properties\":{\"roleName\":\"Desktop - Virtualization Power On Contributor\",\"type\":\"BuiltInRole\",\"description\":\"This - role is in preview and subject to change. Provide permission to the Azure - Virtual Desktop Resource Provider to start virtual machines.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/virtualMachines/start/action\",\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Compute/virtualMachines/instanceView/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-06-28T23:42:01.8059413Z\",\"updatedOn\":\"2022-07-18T15:09:56.4105816Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/489581de-a3bd-480d-9518-53dea7416b33\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"489581de-a3bd-480d-9518-53dea7416b33\"},{\"properties\":{\"roleName\":\"Desktop - Virtualization Virtual Machine Contributor\",\"type\":\"BuiltInRole\",\"description\":\"This - role is in preview and subject to change. Provide permission to the Azure - Virtual Desktop Resource Provider to create, delete, update, start, and stop - virtual machines.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/hostpools/read\",\"Microsoft.DesktopVirtualization/hostpools/write\",\"Microsoft.DesktopVirtualization/hostpools/retrieveRegistrationToken/action\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/write\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/delete\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/disconnect/action\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/sendMessage/action\",\"Microsoft.DesktopVirtualization/hostpools/sessionHostConfigurations/read\",\"Microsoft.Compute/availabilitySets/read\",\"Microsoft.Compute/availabilitySets/write\",\"Microsoft.Compute/availabilitySets/vmSizes/read\",\"Microsoft.Compute/disks/read\",\"Microsoft.Compute/disks/write\",\"Microsoft.Compute/disks/delete\",\"Microsoft.Compute/galleries/read\",\"Microsoft.Compute/galleries/images/read\",\"Microsoft.Compute/galleries/images/versions/read\",\"Microsoft.Compute/images/read\",\"Microsoft.Compute/locations/usages/read\",\"Microsoft.Compute/locations/vmSizes/read\",\"Microsoft.Compute/operations/read\",\"Microsoft.Compute/skus/read\",\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Compute/virtualMachines/write\",\"Microsoft.Compute/virtualMachines/delete\",\"Microsoft.Compute/virtualMachines/start/action\",\"Microsoft.Compute/virtualMachines/powerOff/action\",\"Microsoft.Compute/virtualMachines/restart/action\",\"Microsoft.Compute/virtualMachines/deallocate/action\",\"Microsoft.Compute/virtualMachines/runCommand/action\",\"Microsoft.Compute/virtualMachines/extensions/read\",\"Microsoft.Compute/virtualMachines/extensions/write\",\"Microsoft.Compute/virtualMachines/extensions/delete\",\"Microsoft.Compute/virtualMachines/runCommands/read\",\"Microsoft.Compute/virtualMachines/runCommands/write\",\"Microsoft.Compute/virtualMachines/vmSizes/read\",\"Microsoft.Network/networkSecurityGroups/read\",\"Microsoft.Network/networkInterfaces/write\",\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Network/networkInterfaces/join/action\",\"Microsoft.Network/networkInterfaces/delete\",\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Marketplace/offerTypes/publishers/offers/plans/agreements/read\",\"Microsoft.KeyVault/vaults/deploy/action\",\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-06-28T23:42:01.8059413Z\",\"updatedOn\":\"2022-07-18T15:09:56.4418349Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a959dbd1-f747-45e3-8ba6-dd80f235f97c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a959dbd1-f747-45e3-8ba6-dd80f235f97c\"},{\"properties\":{\"roleName\":\"Desktop - Virtualization Power On Off Contributor\",\"type\":\"BuiltInRole\",\"description\":\"This - role is in preview and subject to change. Provide permission to the Azure - Virtual Desktop Resource Provider to start and stop virtual machines.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/virtualMachines/start/action\",\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Compute/virtualMachines/instanceView/read\",\"Microsoft.Compute/virtualMachines/deallocate/action\",\"Microsoft.Compute/virtualMachines/restart/action\",\"Microsoft.Compute/virtualMachines/powerOff/action\",\"Microsoft.Insights/eventtypes/values/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.DesktopVirtualization/hostpools/read\",\"Microsoft.DesktopVirtualization/hostpools/write\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/write\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/delete\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/sendMessage/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-06-28T23:42:01.8059413Z\",\"updatedOn\":\"2022-07-18T15:09:56.4105816Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/40c5ff49-9181-41f8-ae61-143b0e78555e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"40c5ff49-9181-41f8-ae61-143b0e78555e\"},{\"properties\":{\"roleName\":\"Elastic - SAN Volume Group Owner\",\"type\":\"BuiltInRole\",\"description\":\"Allows - for full access to a volume group in Azure Elastic SAN including changing - network security policies to unblock data path access\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\",\"Microsoft.ElasticSan/elasticSans/volumeGroups/*\",\"Microsoft.ElasticSan/locations/asyncoperations/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-07-04T15:02:16.2021423Z\",\"updatedOn\":\"2022-08-23T15:33:50.1290558Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a8281131-f312-4f34-8d98-ae12be9f0d23\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a8281131-f312-4f34-8d98-ae12be9f0d23\"},{\"properties\":{\"roleName\":\"Access - Review Operator Service Role\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you grant Access Review System app permissions to discover and revoke access - as needed by the access review process.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleAssignments/delete\",\"Microsoft.Management/getEntities/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-07-04T15:02:16.2021423Z\",\"updatedOn\":\"2022-07-04T15:02:16.2021423Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/76cc9ee4-d5d3-4a45-a930-26add3d73475\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"76cc9ee4-d5d3-4a45-a930-26add3d73475\"},{\"properties\":{\"roleName\":\"Code - Signing Identity Verifier\",\"type\":\"BuiltInRole\",\"description\":\"Manage - identity or business verification requests. This role is in preview and subject - to change.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.CodeSigning/IdentityVerification/Read\",\"Microsoft.CodeSigning/IdentityVerification/Write\"],\"notDataActions\":[]}],\"createdOn\":\"2022-07-29T05:35:29.1033854Z\",\"updatedOn\":\"2022-07-29T05:35:29.1033854Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4339b7cf-9826-4e41-b4ed-c7f4505dac08\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4339b7cf-9826-4e41-b4ed-c7f4505dac08\"},{\"properties\":{\"roleName\":\"Video - Indexer Restricted Viewer\",\"type\":\"BuiltInRole\",\"description\":\"Has - access to view and search through all video's insights and transcription in - the Video Indexer portal. No access to model customization, embedding of widget, - downloading videos, or sharing the account.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.VideoIndexer/*/read\",\"Microsoft.VideoIndexer/accounts/*/action\"],\"notActions\":[\"Microsoft.VideoIndexer/*/write\",\"Microsoft.VideoIndexer/*/delete\",\"Microsoft.VideoIndexer/accounts/generateAccessToken/action\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-08-09T18:13:17.0570830Z\",\"updatedOn\":\"2022-08-09T18:13:17.0570830Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a2c4a527-7dc0-4ee3-897b-403ade70fafb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a2c4a527-7dc0-4ee3-897b-403ade70fafb\"},{\"properties\":{\"roleName\":\"Monitoring - Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Can read all monitoring - data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Monitor/accounts/data/metrics/read\"],\"notDataActions\":[]}],\"createdOn\":\"2022-08-19T21:54:43.4996119Z\",\"updatedOn\":\"2022-08-19T21:54:43.4996119Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b0d8363b-8ddd-447d-831f-62ca05bff136\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b0d8363b-8ddd-447d-831f-62ca05bff136\"},{\"properties\":{\"roleName\":\"Azure - Kubernetes Fleet Manager Contributor Role\",\"type\":\"BuiltInRole\",\"description\":\"Grants - access to read and write Azure Kubernetes Fleet Manager clusters\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerService/fleets/*\",\"Microsoft.Resources/deployments/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-08-22T15:27:28.6518806Z\",\"updatedOn\":\"2022-08-22T15:27:28.6518806Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/63bb64ad-9799-4770-b5c3-24ed299a07bf\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"63bb64ad-9799-4770-b5c3-24ed299a07bf\"},{\"properties\":{\"roleName\":\"Azure - Kubernetes Fleet Manager RBAC Writer\",\"type\":\"BuiltInRole\",\"description\":\"Allows - read/write access to most objects in a namespace.This role does not allow - viewing or modifying roles or role bindings. However, this role allows accessing - Secrets as any ServiceAccount in the namespace, so it can be used to gain - the API access levels of any ServiceAccount in the namespace. Applying this - role at cluster scope will give access across all namespaces.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ContainerService/fleets/read\",\"Microsoft.ContainerService/fleets/listCredentials/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/fleets/apps/controllerrevisions/read\",\"Microsoft.ContainerService/fleets/apps/daemonsets/*\",\"Microsoft.ContainerService/fleets/apps/deployments/*\",\"Microsoft.ContainerService/fleets/apps/statefulsets/*\",\"Microsoft.ContainerService/fleets/autoscaling/horizontalpodautoscalers/*\",\"Microsoft.ContainerService/fleets/batch/cronjobs/*\",\"Microsoft.ContainerService/fleets/batch/jobs/*\",\"Microsoft.ContainerService/fleets/configmaps/*\",\"Microsoft.ContainerService/fleets/endpoints/*\",\"Microsoft.ContainerService/fleets/events.k8s.io/events/read\",\"Microsoft.ContainerService/fleets/events/read\",\"Microsoft.ContainerService/fleets/extensions/daemonsets/*\",\"Microsoft.ContainerService/fleets/extensions/deployments/*\",\"Microsoft.ContainerService/fleets/extensions/ingresses/*\",\"Microsoft.ContainerService/fleets/extensions/networkpolicies/*\",\"Microsoft.ContainerService/fleets/limitranges/read\",\"Microsoft.ContainerService/fleets/namespaces/read\",\"Microsoft.ContainerService/fleets/networking.k8s.io/ingresses/*\",\"Microsoft.ContainerService/fleets/networking.k8s.io/networkpolicies/*\",\"Microsoft.ContainerService/fleets/persistentvolumeclaims/*\",\"Microsoft.ContainerService/fleets/policy/poddisruptionbudgets/*\",\"Microsoft.ContainerService/fleets/replicationcontrollers/*\",\"Microsoft.ContainerService/fleets/replicationcontrollers/*\",\"Microsoft.ContainerService/fleets/resourcequotas/read\",\"Microsoft.ContainerService/fleets/secrets/*\",\"Microsoft.ContainerService/fleets/serviceaccounts/*\",\"Microsoft.ContainerService/fleets/services/*\"],\"notDataActions\":[]}],\"createdOn\":\"2022-08-22T15:27:28.6674315Z\",\"updatedOn\":\"2022-08-26T18:15:47.1975516Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5af6afb3-c06c-4fa4-8848-71a8aee05683\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5af6afb3-c06c-4fa4-8848-71a8aee05683\"},{\"properties\":{\"roleName\":\"Azure - Kubernetes Fleet Manager RBAC Admin\",\"type\":\"BuiltInRole\",\"description\":\"This - role grants admin access - provides write permissions on most objects within - a a namespace, with the exception of ResourceQuota object and the namespace - object itself. Applying this role at cluster scope will give access across - all namespaces.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ContainerService/fleets/read\",\"Microsoft.ContainerService/fleets/listCredentials/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/fleets/apps/controllerrevisions/read\",\"Microsoft.ContainerService/fleets/apps/daemonsets/*\",\"Microsoft.ContainerService/fleets/apps/deployments/*\",\"Microsoft.ContainerService/fleets/apps/statefulsets/*\",\"Microsoft.ContainerService/fleets/authorization.k8s.io/localsubjectaccessreviews/write\",\"Microsoft.ContainerService/fleets/autoscaling/horizontalpodautoscalers/*\",\"Microsoft.ContainerService/fleets/batch/cronjobs/*\",\"Microsoft.ContainerService/fleets/batch/jobs/*\",\"Microsoft.ContainerService/fleets/configmaps/*\",\"Microsoft.ContainerService/fleets/endpoints/*\",\"Microsoft.ContainerService/fleets/events.k8s.io/events/read\",\"Microsoft.ContainerService/fleets/events/read\",\"Microsoft.ContainerService/fleets/extensions/daemonsets/*\",\"Microsoft.ContainerService/fleets/extensions/deployments/*\",\"Microsoft.ContainerService/fleets/extensions/ingresses/*\",\"Microsoft.ContainerService/fleets/extensions/networkpolicies/*\",\"Microsoft.ContainerService/fleets/limitranges/read\",\"Microsoft.ContainerService/fleets/namespaces/read\",\"Microsoft.ContainerService/fleets/networking.k8s.io/ingresses/*\",\"Microsoft.ContainerService/fleets/networking.k8s.io/networkpolicies/*\",\"Microsoft.ContainerService/fleets/persistentvolumeclaims/*\",\"Microsoft.ContainerService/fleets/policy/poddisruptionbudgets/*\",\"Microsoft.ContainerService/fleets/rbac.authorization.k8s.io/rolebindings/*\",\"Microsoft.ContainerService/fleets/rbac.authorization.k8s.io/roles/*\",\"Microsoft.ContainerService/fleets/replicationcontrollers/*\",\"Microsoft.ContainerService/fleets/replicationcontrollers/*\",\"Microsoft.ContainerService/fleets/resourcequotas/read\",\"Microsoft.ContainerService/fleets/secrets/*\",\"Microsoft.ContainerService/fleets/serviceaccounts/*\",\"Microsoft.ContainerService/fleets/services/*\"],\"notDataActions\":[]}],\"createdOn\":\"2022-08-22T15:27:28.6518806Z\",\"updatedOn\":\"2022-08-26T18:15:47.2131785Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/434fb43a-c01c-447e-9f67-c3ad923cfaba\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"434fb43a-c01c-447e-9f67-c3ad923cfaba\"},{\"properties\":{\"roleName\":\"Azure - Kubernetes Fleet Manager RBAC Cluster Admin\",\"type\":\"BuiltInRole\",\"description\":\"Lets - you manage all resources in the fleet manager cluster.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ContainerService/fleets/read\",\"Microsoft.ContainerService/fleets/listCredentials/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/fleets/*\"],\"notDataActions\":[]}],\"createdOn\":\"2022-08-22T15:27:28.6674315Z\",\"updatedOn\":\"2022-08-22T15:27:28.6674315Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18ab4d3d-a1bf-4477-8ad9-8359bc988f69\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"18ab4d3d-a1bf-4477-8ad9-8359bc988f69\"},{\"properties\":{\"roleName\":\"Azure - Kubernetes Fleet Manager RBAC Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows - read-only access to see most objects in a namespace. It does not allow viewing - roles or role bindings. This role does not allow viewing Secrets, since reading - the contents of Secrets enables access to ServiceAccount credentials in the - namespace, which would allow API access as any ServiceAccount in the namespace - (a form of privilege escalation). Applying this role at cluster scope will - give access across all namespaces.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ContainerService/fleets/read\",\"Microsoft.ContainerService/fleets/listCredentials/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/fleets/apps/controllerrevisions/read\",\"Microsoft.ContainerService/fleets/apps/daemonsets/read\",\"Microsoft.ContainerService/fleets/apps/deployments/read\",\"Microsoft.ContainerService/fleets/apps/statefulsets/read\",\"Microsoft.ContainerService/fleets/autoscaling/horizontalpodautoscalers/read\",\"Microsoft.ContainerService/fleets/batch/cronjobs/read\",\"Microsoft.ContainerService/fleets/batch/jobs/read\",\"Microsoft.ContainerService/fleets/configmaps/read\",\"Microsoft.ContainerService/fleets/endpoints/read\",\"Microsoft.ContainerService/fleets/events.k8s.io/events/read\",\"Microsoft.ContainerService/fleets/events/read\",\"Microsoft.ContainerService/fleets/extensions/daemonsets/read\",\"Microsoft.ContainerService/fleets/extensions/deployments/read\",\"Microsoft.ContainerService/fleets/extensions/ingresses/read\",\"Microsoft.ContainerService/fleets/extensions/networkpolicies/read\",\"Microsoft.ContainerService/fleets/limitranges/read\",\"Microsoft.ContainerService/fleets/namespaces/read\",\"Microsoft.ContainerService/fleets/networking.k8s.io/ingresses/read\",\"Microsoft.ContainerService/fleets/networking.k8s.io/networkpolicies/read\",\"Microsoft.ContainerService/fleets/persistentvolumeclaims/read\",\"Microsoft.ContainerService/fleets/policy/poddisruptionbudgets/read\",\"Microsoft.ContainerService/fleets/replicationcontrollers/read\",\"Microsoft.ContainerService/fleets/replicationcontrollers/read\",\"Microsoft.ContainerService/fleets/resourcequotas/read\",\"Microsoft.ContainerService/fleets/serviceaccounts/read\",\"Microsoft.ContainerService/fleets/services/read\"],\"notDataActions\":[]}],\"createdOn\":\"2022-08-22T15:27:28.6674315Z\",\"updatedOn\":\"2022-08-26T18:15:47.2131785Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/30b27cfc-9c84-438e-b0ce-70e35255df80\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"30b27cfc-9c84-438e-b0ce-70e35255df80\"},{\"properties\":{\"roleName\":\"Kubernetes - Namespace User\",\"type\":\"BuiltInRole\",\"description\":\"Allows a user - to read namespace resources and retrieve kubeconfig for the cluster\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.KubernetesConfiguration/namespaces/read\",\"Microsoft.KubernetesConfiguration/namespaces/listUserCredential/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-08-24T06:03:16.2733663Z\",\"updatedOn\":\"2022-08-24T06:03:16.2733663Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ba79058c-0414-4a34-9e42-c3399d80cd5a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ba79058c-0414-4a34-9e42-c3399d80cd5a\"}]}" - headers: - cache-control: - - no-cache - content-length: - - '425586' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 05 Sep 2022 20:10:56 GMT - expires: - - '-1' - pragma: - - no-cache - set-cookie: - - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: '{"ids": ["b864e281-c12e-45c6-a0c7-6046a7de5481"], "types": ["user", "group", - "servicePrincipal", "directoryObjectPartnerReference"]}' - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-instance update-msi-permissions + - dataprotection backup-instance create Connection: - keep-alive Content-Length: - - '132' + - '1357' Content-Type: - application/json ParameterSetName: - - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance - --keyvault-id --yes + - -g --vault-name --backup-instance User-Agent: - - python/3.8.5 (Windows-10-10.0.22000-SP0) AZURECLI/2.39.0 + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: POST - uri: https://graph.microsoft.com/v1.0/directoryObjects/getByIds - response: - body: - string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#directoryObjects","value":[{"@odata.type":"#microsoft.graph.servicePrincipal","id":"b864e281-c12e-45c6-a0c7-6046a7de5481","deletedDateTime":null,"accountEnabled":true,"alternativeNames":["isExplicit=False","/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault"],"appDisplayName":null,"appDescription":null,"appId":"49bc63b1-190a-4f4e-a962-58db2c2f7112","applicationTemplateId":null,"appOwnerOrganizationId":null,"appRoleAssignmentRequired":false,"createdDateTime":"2021-08-26T09:13:20Z","description":null,"disabledByMicrosoftStatus":null,"displayName":"oss-clitest-vault","homepage":null,"loginUrl":null,"logoutUrl":null,"notes":null,"notificationEmailAddresses":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyThumbprint":null,"replyUrls":[],"servicePrincipalNames":["49bc63b1-190a-4f4e-a962-58db2c2f7112","https://identity.azure.net/QVMExgU4rxwt5XEm5whEdHZLrmsaL9M/n/eZXzCcN54="],"servicePrincipalType":"ManagedIdentity","signInAudience":null,"tags":[],"tokenEncryptionKeyId":null,"info":null,"samlSingleSignOnSettings":null,"addIns":[],"appRoles":[],"keyCredentials":[{"customKeyIdentifier":"06DD62CA457312E21DDF22C874328A49AF671767","displayName":"CN=49bc63b1-190a-4f4e-a962-58db2c2f7112","endDateTime":"2022-10-12T18:18:00Z","key":null,"keyId":"38633d99-d5b8-4a29-b73c-49341b7f7b4f","startDateTime":"2022-07-14T18:18:00Z","type":"AsymmetricX509Cert","usage":"Verify"},{"customKeyIdentifier":"10296B63A1DD090AB64281F85000C1822BB84F58","displayName":"CN=49bc63b1-190a-4f4e-a962-58db2c2f7112","endDateTime":"2022-08-27T17:02:00Z","key":null,"keyId":"bbf02149-b332-4456-83c8-e66d2d66c8a1","startDateTime":"2022-05-29T17:02:00Z","type":"AsymmetricX509Cert","usage":"Verify"},{"customKeyIdentifier":"F0931109872A337B348A716A953CBFF5C7994B9B","displayName":"CN=49bc63b1-190a-4f4e-a962-58db2c2f7112","endDateTime":"2022-07-12T15:44:00Z","key":null,"keyId":"c6e3d740-2fe2-4b79-9125-f45fa0deca41","startDateTime":"2022-04-13T15:44:00Z","type":"AsymmetricX509Cert","usage":"Verify"}],"oauth2PermissionScopes":[],"passwordCredentials":[],"resourceSpecificApplicationPermissions":[],"verifiedPublisher":{"displayName":null,"verifiedPublisherId":null,"addedDateTime":null}}]}' - headers: - cache-control: - - no-cache - content-length: - - '2337' - content-type: - - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 - date: - - Mon, 05 Sep 2022 20:10:57 GMT - location: - - https://graph.microsoft.com - odata-version: - - '4.0' - request-id: - - 05383586-399d-4e3b-b309-023b58557c7c - strict-transport-security: - - max-age=31536000 - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-ms-ags-diagnostic: - - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"002","RoleInstance":"MA1PEPF0000273D"}}' - x-ms-resource-unit: - - '3' - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-instance update-msi-permissions - Connection: - - keep-alive - ParameterSetName: - - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance - --keyvault-id --yes - User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-rdbms/10.2.0b3 Python/3.8.5 (Windows-10-10.0.22000-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/firewallRules?api-version=2017-12-01 - response: - body: - string: '{"value":[]}' - headers: - cache-control: - - no-cache - content-length: - - '12' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 05 Sep 2022 20:10:59 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: '{"properties": {"startIpAddress": "0.0.0.0", "endIpAddress": "0.0.0.0"}}' - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-instance update-msi-permissions - Connection: - - keep-alive - Content-Length: - - '72' - Content-Type: - - application/json - ParameterSetName: - - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance - --keyvault-id --yes - User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-rdbms/10.2.0b3 Python/3.8.5 (Windows-10-10.0.22000-SP0) - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/firewallRules/AllowAllWindowsAzureIps?api-version=2017-12-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/validateForBackup?api-version=2022-05-01 response: body: - string: '{"operation":"UpsertElasticServerFirewallRules","startTime":"2022-09-05T20:11:00.103Z"}' + string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DBforPostgreSQL/locations/centraluseuap/azureAsyncOperation/ddc3e679-a33f-42cb-8582-9b20e2cfdb69?api-version=2017-12-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2YyZWQ3ODg5LWRiYWMtNDI2My1iMGM4LTRlNjZmMzY5ZWY2ZA==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '87' - content-type: - - application/json; charset=utf-8 + - '0' date: - - Mon, 05 Sep 2022 20:10:59 GMT + - Tue, 07 Feb 2023 05:54:14 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DBforPostgreSQL/locations/centraluseuap/operationResults/ddc3e679-a33f-42cb-8582-9b20e2cfdb69?api-version=2017-12-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2YyZWQ3ODg5LWRiYWMtNDI2My1iMGM4LTRlNjZmMzY5ZWY2ZA==?api-version=2022-05-01 pragma: - no-cache - server: - - Microsoft-HTTPAPI/2.0 strict-transport-security: - max-age=31536000; includeSubDomains x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-writes: - '1199' + x-powered-by: + - ASP.NET status: code: 202 message: Accepted @@ -1473,34 +69,34 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance update-msi-permissions + - dataprotection backup-instance create Connection: - keep-alive ParameterSetName: - - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance - --keyvault-id --yes + - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-rdbms/10.2.0b3 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DBforPostgreSQL/locations/centraluseuap/azureAsyncOperation/ddc3e679-a33f-42cb-8582-9b20e2cfdb69?api-version=2017-12-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2YyZWQ3ODg5LWRiYWMtNDI2My1iMGM4LTRlNjZmMzY5ZWY2ZA==?api-version=2022-05-01 response: body: - string: '{"name":"ddc3e679-a33f-42cb-8582-9b20e2cfdb69","status":"Succeeded","startTime":"2022-09-05T20:11:00.103Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2YyZWQ3ODg5LWRiYWMtNDI2My1iMGM4LTRlNjZmMzY5ZWY2ZA==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2YyZWQ3ODg5LWRiYWMtNDI2My1iMGM4LTRlNjZmMzY5ZWY2ZA==","status":"Inprogress","startTime":"2023-02-07T05:54:14.1073792Z","endTime":"0001-01-01T00:00:00Z"}' headers: cache-control: - no-cache content-length: - - '107' + - '481' content-type: - - application/json; charset=utf-8 + - application/json date: - - Mon, 05 Sep 2022 20:11:14 GMT + - Tue, 07 Feb 2023 05:54:24 GMT expires: - '-1' pragma: - no-cache server: - - Microsoft-HTTPAPI/2.0 + - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -1509,6 +105,10 @@ interactions: - Accept-Encoding x-content-type-options: - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '999' + x-powered-by: + - ASP.NET status: code: 200 message: OK @@ -1520,34 +120,34 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance update-msi-permissions + - dataprotection backup-instance create Connection: - keep-alive ParameterSetName: - - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance - --keyvault-id --yes + - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-rdbms/10.2.0b3 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/firewallRules/AllowAllWindowsAzureIps?api-version=2017-12-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2YyZWQ3ODg5LWRiYWMtNDI2My1iMGM4LTRlNjZmMzY5ZWY2ZA==?api-version=2022-05-01 response: body: - string: '{"properties":{"startIpAddress":"0.0.0.0","endIpAddress":"0.0.0.0"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/firewallRules/AllowAllWindowsAzureIps","name":"AllowAllWindowsAzureIps","type":"Microsoft.DBforPostgreSQL/servers/firewallRules"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2YyZWQ3ODg5LWRiYWMtNDI2My1iMGM4LTRlNjZmMzY5ZWY2ZA==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2YyZWQ3ODg5LWRiYWMtNDI2My1iMGM4LTRlNjZmMzY5ZWY2ZA==","status":"Succeeded","startTime":"2023-02-07T05:54:14.1073792Z","endTime":"2023-02-07T05:54:35Z"}' headers: cache-control: - no-cache content-length: - - '348' + - '480' content-type: - - application/json; charset=utf-8 + - application/json date: - - Mon, 05 Sep 2022 20:11:15 GMT + - Tue, 07 Feb 2023 05:54:54 GMT expires: - '-1' pragma: - no-cache server: - - Microsoft-HTTPAPI/2.0 + - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -1556,70 +156,13 @@ interactions: - Accept-Encoding x-content-type-options: - nosniff - status: - code: 200 - message: OK -- request: - body: '{"backupInstance": {"dataSourceInfo": {"datasourceType": "Microsoft.DBforPostgreSQL/servers/databases", - "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres", - "resourceLocation": "centraluseuap", "resourceName": "postgres", "resourceType": - "Microsoft.DBforPostgreSQL/servers/databases", "resourceUri": ""}, "dataSourceSetInfo": - {"datasourceType": "Microsoft.DBforPostgreSQL/servers/databases", "objectType": - "DatasourceSet", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server", - "resourceLocation": "centraluseuap", "resourceName": "oss-clitest-server", "resourceType": - "Microsoft.DBforPostgreSQL/servers", "resourceUri": ""}, "policyInfo": {"policyId": - "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy"}, - "datasourceAuthCredentials": {"objectType": "SecretStoreBasedAuthCredentials", - "secretStoreResource": {"uri": "https://oss-clitest-keyvault.vault.azure.net/secrets/oss-clitest-secret", - "secretStoreType": "AzureKeyVault"}}, "objectType": "BackupInstance"}}' - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-instance create - Connection: - - keep-alive - Content-Length: - - '1357' - Content-Type: - - application/json - ParameterSetName: - - -g --vault-name --backup-instance - User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) - method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/validateForBackup?api-version=2022-05-01 - response: - body: - string: '' - headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzAzMDM2MzNlLWRkOWMtNGM5YS1hYzI0LWIyMzdiODAxNThiOA==?api-version=2022-05-01 - cache-control: - - no-cache - content-length: - - '0' - date: - - Mon, 05 Sep 2022 20:13:21 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzAzMDM2MzNlLWRkOWMtNGM5YS1hYzI0LWIyMzdiODAxNThiOA==?api-version=2022-05-01 - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1199' + x-ms-ratelimit-remaining-subscription-resource-requests: + - '998' x-powered-by: - ASP.NET status: - code: 202 - message: Accepted + code: 200 + message: OK - request: body: null headers: @@ -1634,21 +177,24 @@ interactions: ParameterSetName: - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzAzMDM2MzNlLWRkOWMtNGM5YS1hYzI0LWIyMzdiODAxNThiOA==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2YyZWQ3ODg5LWRiYWMtNDI2My1iMGM4LTRlNjZmMzY5ZWY2ZA==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzAzMDM2MzNlLWRkOWMtNGM5YS1hYzI0LWIyMzdiODAxNThiOA==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzAzMDM2MzNlLWRkOWMtNGM5YS1hYzI0LWIyMzdiODAxNThiOA==","status":"Inprogress","startTime":"2022-09-05T20:13:22.2872596Z","endTime":"0001-01-01T00:00:00Z"}' + string: '{"objectType":"OperationJobExtendedInfo"}' headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2YyZWQ3ODg5LWRiYWMtNDI2My1iMGM4LTRlNjZmMzY5ZWY2ZA==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '481' + - '41' content-type: - application/json date: - - Mon, 05 Sep 2022 20:13:34 GMT + - Tue, 07 Feb 2023 05:54:54 GMT expires: - '-1' pragma: @@ -1664,41 +210,59 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '999' + - '199' x-powered-by: - ASP.NET status: code: 200 message: OK - request: - body: null + body: '{"properties": {"dataSourceInfo": {"datasourceType": "Microsoft.DBforPostgreSQL/servers/databases", + "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres", + "resourceLocation": "centraluseuap", "resourceName": "postgres", "resourceType": + "Microsoft.DBforPostgreSQL/servers/databases", "resourceUri": ""}, "dataSourceSetInfo": + {"datasourceType": "Microsoft.DBforPostgreSQL/servers/databases", "objectType": + "DatasourceSet", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server", + "resourceLocation": "centraluseuap", "resourceName": "oss-clitest-server", "resourceType": + "Microsoft.DBforPostgreSQL/servers", "resourceUri": ""}, "policyInfo": {"policyId": + "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy"}, + "datasourceAuthCredentials": {"objectType": "SecretStoreBasedAuthCredentials", + "secretStoreResource": {"uri": "https://oss-clitest-keyvault.vault.azure.net/secrets/oss-clitest-secret", + "secretStoreType": "AzureKeyVault"}}, "objectType": "BackupInstance"}}' headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - dataprotection backup-instance create Connection: - keep-alive + Content-Length: + - '1353' + Content-Type: + - application/json ParameterSetName: - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzAzMDM2MzNlLWRkOWMtNGM5YS1hYzI0LWIyMzdiODAxNThiOA==?api-version=2022-05-01 + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzAzMDM2MzNlLWRkOWMtNGM5YS1hYzI0LWIyMzdiODAxNThiOA==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzAzMDM2MzNlLWRkOWMtNGM5YS1hYzI0LWIyMzdiODAxNThiOA==","status":"Succeeded","startTime":"2022-09-05T20:13:22.2872596Z","endTime":"2022-09-05T20:13:44Z"}' + string: '{"properties":{"friendlyName":"oss-clitest-server\\postgres","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","resourceUri":"","datasourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceName":"postgres","resourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceLocation":"centraluseuap","objectType":"Datasource"},"dataSourceSetInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server","resourceUri":"","datasourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceName":"oss-clitest-server","resourceType":"Microsoft.DBforPostgreSQL/servers","resourceLocation":"centraluseuap","objectType":"DatasourceSet"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy"},"protectionStatus":{"status":"ConfiguringProtection"},"currentProtectionState":"ConfiguringProtection","provisioningState":"Provisioning","datasourceAuthCredentials":{"objectType":"SecretStoreBasedAuthCredentials","secretStoreResource":{"uri":"https://oss-clitest-keyvault.vault.azure.net/secrets/oss-clitest-secret","secretStoreType":"AzureKeyVault","value":null}},"objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","name":"oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2MwMzYzYmU0LWU1NGItNGU4ZC04NmZhLTdmZjYwMTc0NmU2NQ==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '480' + - '1880' content-type: - application/json date: - - Mon, 05 Sep 2022 20:14:04 GMT + - Tue, 07 Feb 2023 05:54:56 GMT expires: - '-1' pragma: @@ -1707,19 +271,15 @@ interactions: - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '998' + - '199' x-powered-by: - ASP.NET status: - code: 200 - message: OK + code: 201 + message: Created - request: body: null headers: @@ -1734,23 +294,22 @@ interactions: ParameterSetName: - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzAzMDM2MzNlLWRkOWMtNGM5YS1hYzI0LWIyMzdiODAxNThiOA==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2MwMzYzYmU0LWU1NGItNGU4ZC04NmZhLTdmZjYwMTc0NmU2NQ==?api-version=2022-05-01 response: body: - string: '{"objectType":"OperationJobExtendedInfo"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2MwMzYzYmU0LWU1NGItNGU4ZC04NmZhLTdmZjYwMTc0NmU2NQ==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2MwMzYzYmU0LWU1NGItNGU4ZC04NmZhLTdmZjYwMTc0NmU2NQ==","status":"Succeeded","startTime":"2023-02-07T05:54:57.4050756Z","endTime":"2023-02-07T05:55:00Z"}' headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzAzMDM2MzNlLWRkOWMtNGM5YS1hYzI0LWIyMzdiODAxNThiOA==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '41' + - '480' content-type: - application/json date: - - Mon, 05 Sep 2022 20:14:04 GMT + - Tue, 07 Feb 2023 05:55:12 GMT expires: - '-1' pragma: @@ -1765,59 +324,43 @@ interactions: - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: '{"properties": {"dataSourceInfo": {"datasourceType": "Microsoft.DBforPostgreSQL/servers/databases", - "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres", - "resourceLocation": "centraluseuap", "resourceName": "postgres", "resourceType": - "Microsoft.DBforPostgreSQL/servers/databases", "resourceUri": ""}, "dataSourceSetInfo": - {"datasourceType": "Microsoft.DBforPostgreSQL/servers/databases", "objectType": - "DatasourceSet", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server", - "resourceLocation": "centraluseuap", "resourceName": "oss-clitest-server", "resourceType": - "Microsoft.DBforPostgreSQL/servers", "resourceUri": ""}, "policyInfo": {"policyId": - "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy"}, - "datasourceAuthCredentials": {"objectType": "SecretStoreBasedAuthCredentials", - "secretStoreResource": {"uri": "https://oss-clitest-keyvault.vault.azure.net/secrets/oss-clitest-secret", - "secretStoreType": "AzureKeyVault"}}, "objectType": "BackupInstance"}}' + x-ms-ratelimit-remaining-subscription-resource-requests: + - '997' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - dataprotection backup-instance create Connection: - keep-alive - Content-Length: - - '1353' - Content-Type: - - application/json ParameterSetName: - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) - method: PUT + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764?api-version=2022-05-01 response: body: - string: '{"properties":{"friendlyName":"oss-clitest-server\\postgres","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","resourceUri":"","datasourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceName":"postgres","resourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceLocation":"centraluseuap","objectType":"Datasource"},"dataSourceSetInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server","resourceUri":"","datasourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceName":"oss-clitest-server","resourceType":"Microsoft.DBforPostgreSQL/servers","resourceLocation":"centraluseuap","objectType":"DatasourceSet"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy"},"protectionStatus":{"status":"ConfiguringProtection"},"currentProtectionState":"ConfiguringProtection","provisioningState":"Provisioning","datasourceAuthCredentials":{"objectType":"SecretStoreBasedAuthCredentials","secretStoreResource":{"uri":"https://oss-clitest-keyvault.vault.azure.net/secrets/oss-clitest-secret","secretStoreType":"AzureKeyVault","value":null}},"objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","name":"oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' + string: '{"properties":{"friendlyName":"oss-clitest-server\\postgres","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","resourceUri":"","datasourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceName":"postgres","resourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceLocation":"centraluseuap","objectType":"Datasource"},"dataSourceSetInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server","resourceUri":"","datasourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceName":"oss-clitest-server","resourceType":"Microsoft.DBforPostgreSQL/servers","resourceLocation":"centraluseuap","objectType":"DatasourceSet"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy"},"protectionStatus":{"status":"ConfiguringProtection"},"currentProtectionState":"ConfiguringProtection","provisioningState":"Succeeded","datasourceAuthCredentials":{"objectType":"SecretStoreBasedAuthCredentials","secretStoreResource":{"uri":"https://oss-clitest-keyvault.vault.azure.net/secrets/oss-clitest-secret","secretStoreType":"AzureKeyVault","value":null}},"objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","name":"oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEzMzUxYjUxLTQxODMtNDIzMC1iMDczLTE1YjFhZWU5Y2Y4Yw==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '1880' + - '1877' content-type: - application/json date: - - Mon, 05 Sep 2022 20:14:06 GMT + - Tue, 07 Feb 2023 05:55:12 GMT expires: - '-1' pragma: @@ -1826,44 +369,49 @@ interactions: - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '1999' x-powered-by: - ASP.NET status: - code: 201 - message: Created + code: 200 + message: OK - request: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance create + - dataprotection backup-instance list Connection: - keep-alive ParameterSetName: - - -g --vault-name --backup-instance + - -g --vault-name --query User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEzMzUxYjUxLTQxODMtNDIzMC1iMDczLTE1YjFhZWU5Y2Y4Yw==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEzMzUxYjUxLTQxODMtNDIzMC1iMDczLTE1YjFhZWU5Y2Y4Yw==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEzMzUxYjUxLTQxODMtNDIzMC1iMDczLTE1YjFhZWU5Y2Y4Yw==","status":"Succeeded","startTime":"2022-09-05T20:14:07.3994097Z","endTime":"2022-09-05T20:14:09Z"}' + string: '{"value":[{"properties":{"friendlyName":"oss-clitest-server\\postgres","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","resourceUri":"","datasourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceName":"postgres","resourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceLocation":"centraluseuap","objectType":"Datasource"},"dataSourceSetInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server","resourceUri":"","datasourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceName":"oss-clitest-server","resourceType":"Microsoft.DBforPostgreSQL/servers","resourceLocation":"centraluseuap","objectType":"DatasourceSet"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy"},"protectionStatus":{"status":"ConfiguringProtection"},"currentProtectionState":"ConfiguringProtection","provisioningState":"Succeeded","datasourceAuthCredentials":{"objectType":"SecretStoreBasedAuthCredentials","secretStoreResource":{"uri":"https://oss-clitest-keyvault.vault.azure.net/secrets/oss-clitest-secret","secretStoreType":"AzureKeyVault","value":null}},"objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","name":"oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","type":"Microsoft.DataProtection/backupVaults/backupInstances"}]}' headers: cache-control: - no-cache content-length: - - '480' + - '1889' content-type: - application/json date: - - Mon, 05 Sep 2022 20:14:23 GMT + - Tue, 07 Feb 2023 05:55:15 GMT expires: - '-1' pragma: @@ -1879,7 +427,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '997' + - '1999' x-powered-by: - ASP.NET status: @@ -1889,31 +437,32 @@ interactions: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance create + - dataprotection backup-instance list Connection: - keep-alive ParameterSetName: - - -g --vault-name --backup-instance + - -g --vault-name --query User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances?api-version=2022-05-01 response: body: - string: '{"properties":{"friendlyName":"oss-clitest-server\\postgres","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","resourceUri":"","datasourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceName":"postgres","resourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceLocation":"centraluseuap","objectType":"Datasource"},"dataSourceSetInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server","resourceUri":"","datasourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceName":"oss-clitest-server","resourceType":"Microsoft.DBforPostgreSQL/servers","resourceLocation":"centraluseuap","objectType":"DatasourceSet"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy"},"protectionStatus":{"status":"ConfiguringProtection"},"currentProtectionState":"ConfiguringProtection","provisioningState":"Succeeded","datasourceAuthCredentials":{"objectType":"SecretStoreBasedAuthCredentials","secretStoreResource":{"uri":"https://oss-clitest-keyvault.vault.azure.net/secrets/oss-clitest-secret","secretStoreType":"AzureKeyVault","value":null}},"objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","name":"oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' + string: '{"value":[{"properties":{"friendlyName":"oss-clitest-server\\postgres","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","resourceUri":"","datasourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceName":"postgres","resourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceLocation":"centraluseuap","objectType":"Datasource"},"dataSourceSetInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server","resourceUri":"","datasourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceName":"oss-clitest-server","resourceType":"Microsoft.DBforPostgreSQL/servers","resourceLocation":"centraluseuap","objectType":"DatasourceSet"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy"},"protectionStatus":{"status":"ConfiguringProtection"},"currentProtectionState":"ConfiguringProtection","provisioningState":"Succeeded","datasourceAuthCredentials":{"objectType":"SecretStoreBasedAuthCredentials","secretStoreResource":{"uri":"https://oss-clitest-keyvault.vault.azure.net/secrets/oss-clitest-secret","secretStoreType":"AzureKeyVault","value":null}},"objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","name":"oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","type":"Microsoft.DataProtection/backupVaults/backupInstances"}]}' headers: cache-control: - no-cache content-length: - - '1877' + - '1889' content-type: - application/json date: - - Mon, 05 Sep 2022 20:14:23 GMT + - Tue, 07 Feb 2023 05:55:26 GMT expires: - '-1' pragma: @@ -1929,7 +478,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '1999' + - '1998' x-powered-by: - ASP.NET status: @@ -1949,7 +498,8 @@ interactions: ParameterSetName: - -g --vault-name --query User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances?api-version=2022-05-01 response: @@ -1963,7 +513,7 @@ interactions: content-type: - application/json date: - - Mon, 05 Sep 2022 20:14:25 GMT + - Tue, 07 Feb 2023 05:55:37 GMT expires: - '-1' pragma: @@ -1979,7 +529,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '1993' + - '1999' x-powered-by: - ASP.NET status: @@ -1999,7 +549,8 @@ interactions: ParameterSetName: - -g --vault-name --query User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances?api-version=2022-05-01 response: @@ -2013,7 +564,7 @@ interactions: content-type: - application/json date: - - Mon, 05 Sep 2022 20:14:38 GMT + - Tue, 07 Feb 2023 05:55:49 GMT expires: - '-1' pragma: @@ -2029,7 +580,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '1998' + - '1999' x-powered-by: - ASP.NET status: @@ -2049,7 +600,8 @@ interactions: ParameterSetName: - -g --vault-name --backup-instance-name --policy-id --query User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764?api-version=2022-05-01 response: @@ -2063,7 +615,7 @@ interactions: content-type: - application/json date: - - Mon, 05 Sep 2022 20:15:11 GMT + - Tue, 07 Feb 2023 05:56:20 GMT expires: - '-1' pragma: @@ -2079,7 +631,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '1997' + - '1998' x-powered-by: - ASP.NET status: @@ -2115,7 +667,8 @@ interactions: ParameterSetName: - -g --vault-name --backup-instance-name --policy-id --query User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: PUT uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764?api-version=2022-05-01 response: @@ -2123,7 +676,7 @@ interactions: string: '{"properties":{"friendlyName":"oss-clitest-server\\postgres","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","resourceUri":"","datasourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceName":"postgres","resourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceLocation":"centraluseuap","objectType":"Datasource"},"dataSourceSetInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server","resourceUri":"","datasourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceName":"oss-clitest-server","resourceType":"Microsoft.DBforPostgreSQL/servers","resourceLocation":"centraluseuap","objectType":"DatasourceSet"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy"},"protectionStatus":{"status":"UpdatingProtection"},"currentProtectionState":"UpdatingProtection","provisioningState":"Succeeded","datasourceAuthCredentials":{"objectType":"SecretStoreBasedAuthCredentials","secretStoreResource":{"uri":"https://oss-clitest-keyvault.vault.azure.net/secrets/oss-clitest-secret","secretStoreType":"AzureKeyVault","value":null}},"objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","name":"oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzJhMWI2ZjBhLWZmYjEtNGU4Zi04Y2EyLTA5MThlMzU2MDMxZQ==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzVjODA2MDA0LTQzM2ItNDBkYS1iMjNkLTU0M2M5NTZjYTE5NQ==?api-version=2022-05-01 cache-control: - no-cache content-length: @@ -2131,7 +684,7 @@ interactions: content-type: - application/json date: - - Mon, 05 Sep 2022 20:15:12 GMT + - Tue, 07 Feb 2023 05:56:20 GMT expires: - '-1' pragma: @@ -2143,7 +696,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '198' x-powered-by: - ASP.NET status: @@ -2163,12 +716,13 @@ interactions: ParameterSetName: - -g --vault-name --backup-instance-name --policy-id --query User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzJhMWI2ZjBhLWZmYjEtNGU4Zi04Y2EyLTA5MThlMzU2MDMxZQ==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzVjODA2MDA0LTQzM2ItNDBkYS1iMjNkLTU0M2M5NTZjYTE5NQ==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzJhMWI2ZjBhLWZmYjEtNGU4Zi04Y2EyLTA5MThlMzU2MDMxZQ==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzJhMWI2ZjBhLWZmYjEtNGU4Zi04Y2EyLTA5MThlMzU2MDMxZQ==","status":"Succeeded","startTime":"2022-09-05T20:15:12.8655179Z","endTime":"2022-09-05T20:15:14Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzVjODA2MDA0LTQzM2ItNDBkYS1iMjNkLTU0M2M5NTZjYTE5NQ==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzVjODA2MDA0LTQzM2ItNDBkYS1iMjNkLTU0M2M5NTZjYTE5NQ==","status":"Succeeded","startTime":"2023-02-07T05:56:21.6096677Z","endTime":"2023-02-07T05:56:22Z"}' headers: cache-control: - no-cache @@ -2177,7 +731,7 @@ interactions: content-type: - application/json date: - - Mon, 05 Sep 2022 20:15:28 GMT + - Tue, 07 Feb 2023 05:56:37 GMT expires: - '-1' pragma: @@ -2193,7 +747,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '997' + - '996' x-powered-by: - ASP.NET status: @@ -2213,7 +767,8 @@ interactions: ParameterSetName: - -g --vault-name --backup-instance-name --policy-id --query User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764?api-version=2022-05-01 response: @@ -2227,7 +782,7 @@ interactions: content-type: - application/json date: - - Mon, 05 Sep 2022 20:15:28 GMT + - Tue, 07 Feb 2023 05:56:37 GMT expires: - '-1' pragma: @@ -2243,7 +798,58 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '1996' + - '1997' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-instance list + Connection: + - keep-alive + ParameterSetName: + - -g --vault-name --query + User-Agent: + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances?api-version=2022-05-01 + response: + body: + string: '{"value":[{"properties":{"friendlyName":"oss-clitest-server\\postgres","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","resourceUri":"","datasourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceName":"postgres","resourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceLocation":"centraluseuap","objectType":"Datasource"},"dataSourceSetInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server","resourceUri":"","datasourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceName":"oss-clitest-server","resourceType":"Microsoft.DBforPostgreSQL/servers","resourceLocation":"centraluseuap","objectType":"DatasourceSet"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2"},"protectionStatus":{"status":"UpdatingProtection"},"currentProtectionState":"UpdatingProtection","provisioningState":"Succeeded","datasourceAuthCredentials":{"objectType":"SecretStoreBasedAuthCredentials","secretStoreResource":{"uri":"https://oss-clitest-keyvault.vault.azure.net/secrets/oss-clitest-secret","secretStoreType":"AzureKeyVault","value":null}},"objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","name":"oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","type":"Microsoft.DataProtection/backupVaults/backupInstances"}]}' + headers: + cache-control: + - no-cache + content-length: + - '1884' + content-type: + - application/json + date: + - Tue, 07 Feb 2023 05:56:53 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '1998' x-powered-by: - ASP.NET status: @@ -2263,7 +869,8 @@ interactions: ParameterSetName: - -g --vault-name --query User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances?api-version=2022-05-01 response: @@ -2277,7 +884,7 @@ interactions: content-type: - application/json date: - - Mon, 05 Sep 2022 20:15:45 GMT + - Tue, 07 Feb 2023 05:57:04 GMT expires: - '-1' pragma: @@ -2313,7 +920,8 @@ interactions: ParameterSetName: - -g --vault-name --query User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances?api-version=2022-05-01 response: @@ -2327,7 +935,7 @@ interactions: content-type: - application/json date: - - Mon, 05 Sep 2022 20:16:01 GMT + - Tue, 07 Feb 2023 05:57:15 GMT expires: - '-1' pragma: @@ -2343,7 +951,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '1999' + - '1997' x-powered-by: - ASP.NET status: @@ -2365,7 +973,8 @@ interactions: ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: POST uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764/stopProtection?api-version=2022-05-01 response: @@ -2373,17 +982,17 @@ interactions: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzQ4MjYwYjI4LWUwYTEtNGIwZS05OTQwLWExYzU0OTU2Y2JhNw==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzllZGYyNGJlLTVjZDMtNDA2Zi1hYTNkLTE3OTE4ZDcyYThlOA==?api-version=2022-05-01 cache-control: - no-cache content-length: - '0' date: - - Mon, 05 Sep 2022 20:16:38 GMT + - Tue, 07 Feb 2023 05:57:48 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzQ4MjYwYjI4LWUwYTEtNGIwZS05OTQwLWExYzU0OTU2Y2JhNw==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzllZGYyNGJlLTVjZDMtNDA2Zi1hYTNkLTE3OTE4ZDcyYThlOA==?api-version=2022-05-01 pragma: - no-cache strict-transport-security: @@ -2411,12 +1020,64 @@ interactions: ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzllZGYyNGJlLTVjZDMtNDA2Zi1hYTNkLTE3OTE4ZDcyYThlOA==?api-version=2022-05-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzllZGYyNGJlLTVjZDMtNDA2Zi1hYTNkLTE3OTE4ZDcyYThlOA==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzllZGYyNGJlLTVjZDMtNDA2Zi1hYTNkLTE3OTE4ZDcyYThlOA==","status":"Inprogress","startTime":"2023-02-07T05:57:48.2657977Z","endTime":"0001-01-01T00:00:00Z"}' + headers: + cache-control: + - no-cache + content-length: + - '481' + content-type: + - application/json + date: + - Tue, 07 Feb 2023 05:58:02 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '995' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-instance stop-protection + Connection: + - keep-alive + ParameterSetName: + - -n -g --vault-name + User-Agent: + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzQ4MjYwYjI4LWUwYTEtNGIwZS05OTQwLWExYzU0OTU2Y2JhNw==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzllZGYyNGJlLTVjZDMtNDA2Zi1hYTNkLTE3OTE4ZDcyYThlOA==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzQ4MjYwYjI4LWUwYTEtNGIwZS05OTQwLWExYzU0OTU2Y2JhNw==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzQ4MjYwYjI4LWUwYTEtNGIwZS05OTQwLWExYzU0OTU2Y2JhNw==","status":"Succeeded","startTime":"2022-09-05T20:16:38.7484597Z","endTime":"2022-09-05T20:16:52Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzllZGYyNGJlLTVjZDMtNDA2Zi1hYTNkLTE3OTE4ZDcyYThlOA==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzllZGYyNGJlLTVjZDMtNDA2Zi1hYTNkLTE3OTE4ZDcyYThlOA==","status":"Succeeded","startTime":"2023-02-07T05:57:48.2657977Z","endTime":"2023-02-07T05:58:31Z"}' headers: cache-control: - no-cache @@ -2425,7 +1086,7 @@ interactions: content-type: - application/json date: - - Mon, 05 Sep 2022 20:16:53 GMT + - Tue, 07 Feb 2023 05:58:33 GMT expires: - '-1' pragma: @@ -2441,7 +1102,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '996' + - '994' x-powered-by: - ASP.NET status: @@ -2461,15 +1122,16 @@ interactions: ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzQ4MjYwYjI4LWUwYTEtNGIwZS05OTQwLWExYzU0OTU2Y2JhNw==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzllZGYyNGJlLTVjZDMtNDA2Zi1hYTNkLTE3OTE4ZDcyYThlOA==?api-version=2022-05-01 response: body: string: '{"objectType":"OperationJobExtendedInfo"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzQ4MjYwYjI4LWUwYTEtNGIwZS05OTQwLWExYzU0OTU2Y2JhNw==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzllZGYyNGJlLTVjZDMtNDA2Zi1hYTNkLTE3OTE4ZDcyYThlOA==?api-version=2022-05-01 cache-control: - no-cache content-length: @@ -2477,7 +1139,7 @@ interactions: content-type: - application/json date: - - Mon, 05 Sep 2022 20:16:54 GMT + - Tue, 07 Feb 2023 05:58:34 GMT expires: - '-1' pragma: @@ -2497,37 +1159,138 @@ interactions: x-powered-by: - ASP.NET status: - code: 200 - message: OK + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-instance show + Connection: + - keep-alive + ParameterSetName: + - -n -g --vault-name + User-Agent: + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764?api-version=2022-05-01 + response: + body: + string: '{"properties":{"friendlyName":"oss-clitest-server\\postgres","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","resourceUri":"","datasourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceName":"postgres","resourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceLocation":"centraluseuap","objectType":"Datasource"},"dataSourceSetInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server","resourceUri":"","datasourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceName":"oss-clitest-server","resourceType":"Microsoft.DBforPostgreSQL/servers","resourceLocation":"centraluseuap","objectType":"DatasourceSet"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2"},"protectionStatus":{"status":"ProtectionStopped"},"currentProtectionState":"ProtectionStopped","provisioningState":"Succeeded","datasourceAuthCredentials":{"objectType":"SecretStoreBasedAuthCredentials","secretStoreResource":{"uri":"https://oss-clitest-keyvault.vault.azure.net/secrets/oss-clitest-secret","secretStoreType":"AzureKeyVault","value":null}},"objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","name":"oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' + headers: + cache-control: + - no-cache + content-length: + - '1870' + content-type: + - application/json + date: + - Tue, 07 Feb 2023 05:58:35 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '1997' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-instance resume-protection + Connection: + - keep-alive + Content-Length: + - '0' + ParameterSetName: + - -n -g --vault-name + User-Agent: + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764/resumeProtection?api-version=2022-05-01 + response: + body: + string: '' + headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzMxYmMzNDQ3LTA4M2YtNDY5Zi1hOGNiLTA5NzVlMGM3YWVjOQ==?api-version=2022-05-01 + cache-control: + - no-cache + content-length: + - '0' + date: + - Tue, 07 Feb 2023 05:58:37 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzMxYmMzNDQ3LTA4M2YtNDY5Zi1hOGNiLTA5NzVlMGM3YWVjOQ==?api-version=2022-05-01 + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-writes: + - '1199' + x-powered-by: + - ASP.NET + status: + code: 202 + message: Accepted - request: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance show + - dataprotection backup-instance resume-protection Connection: - keep-alive ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzMxYmMzNDQ3LTA4M2YtNDY5Zi1hOGNiLTA5NzVlMGM3YWVjOQ==?api-version=2022-05-01 response: body: - string: '{"properties":{"friendlyName":"oss-clitest-server\\postgres","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","resourceUri":"","datasourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceName":"postgres","resourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceLocation":"centraluseuap","objectType":"Datasource"},"dataSourceSetInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server","resourceUri":"","datasourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceName":"oss-clitest-server","resourceType":"Microsoft.DBforPostgreSQL/servers","resourceLocation":"centraluseuap","objectType":"DatasourceSet"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2"},"protectionStatus":{"status":"ProtectionStopped"},"currentProtectionState":"ProtectionStopped","provisioningState":"Succeeded","datasourceAuthCredentials":{"objectType":"SecretStoreBasedAuthCredentials","secretStoreResource":{"uri":"https://oss-clitest-keyvault.vault.azure.net/secrets/oss-clitest-secret","secretStoreType":"AzureKeyVault","value":null}},"objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","name":"oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzMxYmMzNDQ3LTA4M2YtNDY5Zi1hOGNiLTA5NzVlMGM3YWVjOQ==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzMxYmMzNDQ3LTA4M2YtNDY5Zi1hOGNiLTA5NzVlMGM3YWVjOQ==","status":"Inprogress","startTime":"2023-02-07T05:58:37.7721818Z","endTime":"0001-01-01T00:00:00Z"}' headers: cache-control: - no-cache content-length: - - '1870' + - '481' content-type: - application/json date: - - Mon, 05 Sep 2022 20:16:58 GMT + - Tue, 07 Feb 2023 05:58:53 GMT expires: - '-1' pragma: @@ -2543,7 +1306,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '1999' + - '999' x-powered-by: - ASP.NET status: @@ -2553,50 +1316,53 @@ interactions: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - dataprotection backup-instance resume-protection Connection: - keep-alive - Content-Length: - - '0' ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) - method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764/resumeProtection?api-version=2022-05-01 + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzMxYmMzNDQ3LTA4M2YtNDY5Zi1hOGNiLTA5NzVlMGM3YWVjOQ==?api-version=2022-05-01 response: body: - string: '' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzMxYmMzNDQ3LTA4M2YtNDY5Zi1hOGNiLTA5NzVlMGM3YWVjOQ==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzMxYmMzNDQ3LTA4M2YtNDY5Zi1hOGNiLTA5NzVlMGM3YWVjOQ==","status":"Inprogress","startTime":"2023-02-07T05:58:37.7721818Z","endTime":"0001-01-01T00:00:00Z"}' headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3Ozc5MjMyODg1LWZjYTItNDBkNC05MWVkLTBmYjBlMGM4ODJiYw==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '0' + - '481' + content-type: + - application/json date: - - Mon, 05 Sep 2022 20:17:01 GMT + - Tue, 07 Feb 2023 05:59:23 GMT expires: - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3Ozc5MjMyODg1LWZjYTItNDBkNC05MWVkLTBmYjBlMGM4ODJiYw==?api-version=2022-05-01 pragma: - no-cache + server: + - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1199' + x-ms-ratelimit-remaining-subscription-resource-requests: + - '998' x-powered-by: - ASP.NET status: - code: 202 - message: Accepted + code: 200 + message: OK - request: body: null headers: @@ -2611,12 +1377,13 @@ interactions: ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3Ozc5MjMyODg1LWZjYTItNDBkNC05MWVkLTBmYjBlMGM4ODJiYw==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzMxYmMzNDQ3LTA4M2YtNDY5Zi1hOGNiLTA5NzVlMGM3YWVjOQ==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3Ozc5MjMyODg1LWZjYTItNDBkNC05MWVkLTBmYjBlMGM4ODJiYw==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3Ozc5MjMyODg1LWZjYTItNDBkNC05MWVkLTBmYjBlMGM4ODJiYw==","status":"Succeeded","startTime":"2022-09-05T20:17:02.0045759Z","endTime":"2022-09-05T20:17:16Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzMxYmMzNDQ3LTA4M2YtNDY5Zi1hOGNiLTA5NzVlMGM3YWVjOQ==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzMxYmMzNDQ3LTA4M2YtNDY5Zi1hOGNiLTA5NzVlMGM3YWVjOQ==","status":"Succeeded","startTime":"2023-02-07T05:58:37.7721818Z","endTime":"2023-02-07T05:59:25Z"}' headers: cache-control: - no-cache @@ -2625,7 +1392,7 @@ interactions: content-type: - application/json date: - - Mon, 05 Sep 2022 20:17:17 GMT + - Tue, 07 Feb 2023 05:59:53 GMT expires: - '-1' pragma: @@ -2641,7 +1408,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '999' + - '997' x-powered-by: - ASP.NET status: @@ -2661,15 +1428,16 @@ interactions: ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3Ozc5MjMyODg1LWZjYTItNDBkNC05MWVkLTBmYjBlMGM4ODJiYw==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzMxYmMzNDQ3LTA4M2YtNDY5Zi1hOGNiLTA5NzVlMGM3YWVjOQ==?api-version=2022-05-01 response: body: string: '{"objectType":"OperationJobExtendedInfo"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3Ozc5MjMyODg1LWZjYTItNDBkNC05MWVkLTBmYjBlMGM4ODJiYw==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzMxYmMzNDQ3LTA4M2YtNDY5Zi1hOGNiLTA5NzVlMGM3YWVjOQ==?api-version=2022-05-01 cache-control: - no-cache content-length: @@ -2677,7 +1445,7 @@ interactions: content-type: - application/json date: - - Mon, 05 Sep 2022 20:17:18 GMT + - Tue, 07 Feb 2023 05:59:54 GMT expires: - '-1' pragma: @@ -2713,7 +1481,8 @@ interactions: ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764?api-version=2022-05-01 response: @@ -2727,7 +1496,7 @@ interactions: content-type: - application/json date: - - Mon, 05 Sep 2022 20:17:21 GMT + - Tue, 07 Feb 2023 05:59:55 GMT expires: - '-1' pragma: @@ -2743,7 +1512,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '1998' + - '1996' x-powered-by: - ASP.NET status: @@ -2765,7 +1534,8 @@ interactions: ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: POST uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764/suspendBackups?api-version=2022-05-01 response: @@ -2773,17 +1543,17 @@ interactions: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzdkY2FkMTIwLWNkNzUtNGQ0Mi04MDM5LTY5ZjcxYTM3NDJiNw==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzJlYjEzYTBlLTFhZGMtNGMwYy04YWJhLTg4MDkzOWI5ODk5Zg==?api-version=2022-05-01 cache-control: - no-cache content-length: - '0' date: - - Mon, 05 Sep 2022 20:17:25 GMT + - Tue, 07 Feb 2023 05:59:57 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzdkY2FkMTIwLWNkNzUtNGQ0Mi04MDM5LTY5ZjcxYTM3NDJiNw==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzJlYjEzYTBlLTFhZGMtNGMwYy04YWJhLTg4MDkzOWI5ODk5Zg==?api-version=2022-05-01 pragma: - no-cache strict-transport-security: @@ -2811,21 +1581,22 @@ interactions: ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzdkY2FkMTIwLWNkNzUtNGQ0Mi04MDM5LTY5ZjcxYTM3NDJiNw==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzJlYjEzYTBlLTFhZGMtNGMwYy04YWJhLTg4MDkzOWI5ODk5Zg==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzdkY2FkMTIwLWNkNzUtNGQ0Mi04MDM5LTY5ZjcxYTM3NDJiNw==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzdkY2FkMTIwLWNkNzUtNGQ0Mi04MDM5LTY5ZjcxYTM3NDJiNw==","status":"Succeeded","startTime":"2022-09-05T20:17:25.3831981Z","endTime":"2022-09-05T20:17:37Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzJlYjEzYTBlLTFhZGMtNGMwYy04YWJhLTg4MDkzOWI5ODk5Zg==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzJlYjEzYTBlLTFhZGMtNGMwYy04YWJhLTg4MDkzOWI5ODk5Zg==","status":"Inprogress","startTime":"2023-02-07T05:59:58.0122667Z","endTime":"0001-01-01T00:00:00Z"}' headers: cache-control: - no-cache content-length: - - '480' + - '481' content-type: - application/json date: - - Mon, 05 Sep 2022 20:17:40 GMT + - Tue, 07 Feb 2023 06:00:13 GMT expires: - '-1' pragma: @@ -2861,15 +1632,67 @@ interactions: ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzJlYjEzYTBlLTFhZGMtNGMwYy04YWJhLTg4MDkzOWI5ODk5Zg==?api-version=2022-05-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzJlYjEzYTBlLTFhZGMtNGMwYy04YWJhLTg4MDkzOWI5ODk5Zg==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzJlYjEzYTBlLTFhZGMtNGMwYy04YWJhLTg4MDkzOWI5ODk5Zg==","status":"Succeeded","startTime":"2023-02-07T05:59:58.0122667Z","endTime":"2023-02-07T06:00:36Z"}' + headers: + cache-control: + - no-cache + content-length: + - '480' + content-type: + - application/json + date: + - Tue, 07 Feb 2023 06:00:43 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '998' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-instance suspend-backup + Connection: + - keep-alive + ParameterSetName: + - -n -g --vault-name + User-Agent: + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzdkY2FkMTIwLWNkNzUtNGQ0Mi04MDM5LTY5ZjcxYTM3NDJiNw==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzJlYjEzYTBlLTFhZGMtNGMwYy04YWJhLTg4MDkzOWI5ODk5Zg==?api-version=2022-05-01 response: body: string: '{"objectType":"OperationJobExtendedInfo"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzdkY2FkMTIwLWNkNzUtNGQ0Mi04MDM5LTY5ZjcxYTM3NDJiNw==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzJlYjEzYTBlLTFhZGMtNGMwYy04YWJhLTg4MDkzOWI5ODk5Zg==?api-version=2022-05-01 cache-control: - no-cache content-length: @@ -2877,7 +1700,7 @@ interactions: content-type: - application/json date: - - Mon, 05 Sep 2022 20:17:41 GMT + - Tue, 07 Feb 2023 06:00:44 GMT expires: - '-1' pragma: @@ -2913,7 +1736,8 @@ interactions: ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764?api-version=2022-05-01 response: @@ -2927,7 +1751,7 @@ interactions: content-type: - application/json date: - - Mon, 05 Sep 2022 20:17:42 GMT + - Tue, 07 Feb 2023 06:00:45 GMT expires: - '-1' pragma: @@ -2943,7 +1767,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '1998' + - '1995' x-powered-by: - ASP.NET status: @@ -2965,7 +1789,8 @@ interactions: ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: POST uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764/resumeProtection?api-version=2022-05-01 response: @@ -2973,17 +1798,17 @@ interactions: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2YwYjA2YjA3LWVmNzgtNGI3Ny1iNjhmLTc4ODVhMTNlY2NiNQ==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzgyODM4NDQwLWEyMWUtNGYxYS1iYWU4LWEwYjY2NjI1MjMyNg==?api-version=2022-05-01 cache-control: - no-cache content-length: - '0' date: - - Mon, 05 Sep 2022 20:17:44 GMT + - Tue, 07 Feb 2023 06:00:47 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2YwYjA2YjA3LWVmNzgtNGI3Ny1iNjhmLTc4ODVhMTNlY2NiNQ==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzgyODM4NDQwLWEyMWUtNGYxYS1iYWU4LWEwYjY2NjI1MjMyNg==?api-version=2022-05-01 pragma: - no-cache strict-transport-security: @@ -2991,7 +1816,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-writes: - - '1197' + - '1198' x-powered-by: - ASP.NET status: @@ -3011,12 +1836,64 @@ interactions: ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzgyODM4NDQwLWEyMWUtNGYxYS1iYWU4LWEwYjY2NjI1MjMyNg==?api-version=2022-05-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzgyODM4NDQwLWEyMWUtNGYxYS1iYWU4LWEwYjY2NjI1MjMyNg==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzgyODM4NDQwLWEyMWUtNGYxYS1iYWU4LWEwYjY2NjI1MjMyNg==","status":"Inprogress","startTime":"2023-02-07T06:00:48.1781022Z","endTime":"0001-01-01T00:00:00Z"}' + headers: + cache-control: + - no-cache + content-length: + - '481' + content-type: + - application/json + date: + - Tue, 07 Feb 2023 06:01:03 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '996' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-instance resume-protection + Connection: + - keep-alive + ParameterSetName: + - -n -g --vault-name + User-Agent: + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2YwYjA2YjA3LWVmNzgtNGI3Ny1iNjhmLTc4ODVhMTNlY2NiNQ==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzgyODM4NDQwLWEyMWUtNGYxYS1iYWU4LWEwYjY2NjI1MjMyNg==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2YwYjA2YjA3LWVmNzgtNGI3Ny1iNjhmLTc4ODVhMTNlY2NiNQ==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2YwYjA2YjA3LWVmNzgtNGI3Ny1iNjhmLTc4ODVhMTNlY2NiNQ==","status":"Succeeded","startTime":"2022-09-05T20:17:44.2991947Z","endTime":"2022-09-05T20:17:57Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzgyODM4NDQwLWEyMWUtNGYxYS1iYWU4LWEwYjY2NjI1MjMyNg==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzgyODM4NDQwLWEyMWUtNGYxYS1iYWU4LWEwYjY2NjI1MjMyNg==","status":"Succeeded","startTime":"2023-02-07T06:00:48.1781022Z","endTime":"2023-02-07T06:01:32Z"}' headers: cache-control: - no-cache @@ -3025,7 +1902,7 @@ interactions: content-type: - application/json date: - - Mon, 05 Sep 2022 20:17:59 GMT + - Tue, 07 Feb 2023 06:01:33 GMT expires: - '-1' pragma: @@ -3061,15 +1938,16 @@ interactions: ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2YwYjA2YjA3LWVmNzgtNGI3Ny1iNjhmLTc4ODVhMTNlY2NiNQ==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzgyODM4NDQwLWEyMWUtNGYxYS1iYWU4LWEwYjY2NjI1MjMyNg==?api-version=2022-05-01 response: body: string: '{"objectType":"OperationJobExtendedInfo"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2YwYjA2YjA3LWVmNzgtNGI3Ny1iNjhmLTc4ODVhMTNlY2NiNQ==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzgyODM4NDQwLWEyMWUtNGYxYS1iYWU4LWEwYjY2NjI1MjMyNg==?api-version=2022-05-01 cache-control: - no-cache content-length: @@ -3077,7 +1955,7 @@ interactions: content-type: - application/json date: - - Mon, 05 Sep 2022 20:17:59 GMT + - Tue, 07 Feb 2023 06:01:33 GMT expires: - '-1' pragma: @@ -3093,7 +1971,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '197' + - '198' x-powered-by: - ASP.NET status: @@ -3113,7 +1991,8 @@ interactions: ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764?api-version=2022-05-01 response: @@ -3127,7 +2006,7 @@ interactions: content-type: - application/json date: - - Mon, 05 Sep 2022 20:18:02 GMT + - Tue, 07 Feb 2023 06:01:35 GMT expires: - '-1' pragma: @@ -3143,7 +2022,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '1998' + - '1994' x-powered-by: - ASP.NET status: @@ -3168,7 +2047,8 @@ interactions: ParameterSetName: - -n -g --vault-name --rule-name --retention-tag-override User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: POST uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764/backup?api-version=2022-05-01 response: @@ -3176,17 +2056,17 @@ interactions: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U2OWM2NWUwLTJhY2UtNGZhMi05ZmFlLTkzMDQ2ZDFmZWMxNQ==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEyNzBhZjRmLWMzMTgtNDViOS04YjM0LTk4ZmVmOTM2NGFiOA==?api-version=2022-05-01 cache-control: - no-cache content-length: - '0' date: - - Mon, 05 Sep 2022 20:18:04 GMT + - Tue, 07 Feb 2023 06:01:37 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U2OWM2NWUwLTJhY2UtNGZhMi05ZmFlLTkzMDQ2ZDFmZWMxNQ==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEyNzBhZjRmLWMzMTgtNDViOS04YjM0LTk4ZmVmOTM2NGFiOA==?api-version=2022-05-01 pragma: - no-cache strict-transport-security: @@ -3194,7 +2074,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-writes: - - '1196' + - '1197' x-powered-by: - ASP.NET status: @@ -3214,21 +2094,22 @@ interactions: ParameterSetName: - -n -g --vault-name --rule-name --retention-tag-override User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U2OWM2NWUwLTJhY2UtNGZhMi05ZmFlLTkzMDQ2ZDFmZWMxNQ==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEyNzBhZjRmLWMzMTgtNDViOS04YjM0LTk4ZmVmOTM2NGFiOA==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U2OWM2NWUwLTJhY2UtNGZhMi05ZmFlLTkzMDQ2ZDFmZWMxNQ==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U2OWM2NWUwLTJhY2UtNGZhMi05ZmFlLTkzMDQ2ZDFmZWMxNQ==","status":"Succeeded","startTime":"2022-09-05T20:18:04.0646602Z","endTime":"2022-09-05T20:18:06Z","properties":{"jobId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault/backupJobs/f6d21a45-3dde-4c86-b497-6460ac231a88","objectType":"OperationJobExtendedInfo"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEyNzBhZjRmLWMzMTgtNDViOS04YjM0LTk4ZmVmOTM2NGFiOA==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEyNzBhZjRmLWMzMTgtNDViOS04YjM0LTk4ZmVmOTM2NGFiOA==","status":"Succeeded","startTime":"2023-02-07T06:01:37.368023Z","endTime":"2023-02-07T06:01:39Z","properties":{"jobId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault/backupJobs/37729285-3e72-4f71-9344-587a8442bff0","objectType":"OperationJobExtendedInfo"}}' headers: cache-control: - no-cache content-length: - - '741' + - '740' content-type: - application/json date: - - Mon, 05 Sep 2022 20:18:34 GMT + - Tue, 07 Feb 2023 06:02:07 GMT expires: - '-1' pragma: @@ -3244,7 +2125,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '994' + - '993' x-powered-by: - ASP.NET status: @@ -3264,15 +2145,16 @@ interactions: ParameterSetName: - -n -g --vault-name --rule-name --retention-tag-override User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U2OWM2NWUwLTJhY2UtNGZhMi05ZmFlLTkzMDQ2ZDFmZWMxNQ==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEyNzBhZjRmLWMzMTgtNDViOS04YjM0LTk4ZmVmOTM2NGFiOA==?api-version=2022-05-01 response: body: - string: '{"jobId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault/backupJobs/f6d21a45-3dde-4c86-b497-6460ac231a88","objectType":"OperationJobExtendedInfo"}' + string: '{"jobId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault/backupJobs/37729285-3e72-4f71-9344-587a8442bff0","objectType":"OperationJobExtendedInfo"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U2OWM2NWUwLTJhY2UtNGZhMi05ZmFlLTkzMDQ2ZDFmZWMxNQ==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEyNzBhZjRmLWMzMTgtNDViOS04YjM0LTk4ZmVmOTM2NGFiOA==?api-version=2022-05-01 cache-control: - no-cache content-length: @@ -3280,7 +2162,7 @@ interactions: content-type: - application/json date: - - Mon, 05 Sep 2022 20:18:34 GMT + - Tue, 07 Feb 2023 06:02:07 GMT expires: - '-1' pragma: @@ -3296,7 +2178,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '196' + - '197' x-powered-by: - ASP.NET status: @@ -3316,22 +2198,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/f6d21a45-3dde-4c86-b497-6460ac231a88?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/37729285-3e72-4f71-9344-587a8442bff0?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"d88757d6-2d57-11ed-870d-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T20%3A18%3A04.7833723Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T20:18:04.3019953Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger - Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Weekly"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/f6d21a45-3dde-4c86-b497-6460ac231a88","name":"f6d21a45-3dde-4c86-b497-6460ac231a88","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"e1441bd0-a6ac-11ed-a985-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-07T06%3A01%3A38.7574079Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-07T06:01:37.6694616Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger + Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Weekly"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/37729285-3e72-4f71-9344-587a8442bff0","name":"37729285-3e72-4f71-9344-587a8442bff0","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2199' + - '2227' content-type: - application/json date: - - Mon, 05 Sep 2022 20:18:46 GMT + - Tue, 07 Feb 2023 06:02:19 GMT expires: - '-1' pragma: @@ -3368,22 +2251,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/f6d21a45-3dde-4c86-b497-6460ac231a88?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/37729285-3e72-4f71-9344-587a8442bff0?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"d88757d6-2d57-11ed-870d-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T20%3A18%3A04.7833723Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T20:18:04.3019953Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger - Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Weekly"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/f6d21a45-3dde-4c86-b497-6460ac231a88","name":"f6d21a45-3dde-4c86-b497-6460ac231a88","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"e1441bd0-a6ac-11ed-a985-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-07T06%3A01%3A38.7574079Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-07T06:01:37.6694616Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger + Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Weekly"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/37729285-3e72-4f71-9344-587a8442bff0","name":"37729285-3e72-4f71-9344-587a8442bff0","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2199' + - '2227' content-type: - application/json date: - - Mon, 05 Sep 2022 20:18:59 GMT + - Tue, 07 Feb 2023 06:02:31 GMT expires: - '-1' pragma: @@ -3400,7 +2284,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '198' x-powered-by: - ASP.NET status: @@ -3420,22 +2304,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/f6d21a45-3dde-4c86-b497-6460ac231a88?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/37729285-3e72-4f71-9344-587a8442bff0?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"d88757d6-2d57-11ed-870d-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T20%3A18%3A04.7833723Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T20:18:04.3019953Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger - Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Weekly"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/f6d21a45-3dde-4c86-b497-6460ac231a88","name":"f6d21a45-3dde-4c86-b497-6460ac231a88","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"e1441bd0-a6ac-11ed-a985-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-07T06%3A01%3A38.7574079Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-07T06:01:37.6694616Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger + Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Weekly"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/37729285-3e72-4f71-9344-587a8442bff0","name":"37729285-3e72-4f71-9344-587a8442bff0","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2199' + - '2227' content-type: - application/json date: - - Mon, 05 Sep 2022 20:19:10 GMT + - Tue, 07 Feb 2023 06:02:41 GMT expires: - '-1' pragma: @@ -3452,7 +2337,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '198' + - '197' x-powered-by: - ASP.NET status: @@ -3472,22 +2357,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/f6d21a45-3dde-4c86-b497-6460ac231a88?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/37729285-3e72-4f71-9344-587a8442bff0?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"d88757d6-2d57-11ed-870d-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T20%3A18%3A04.7833723Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T20:18:04.3019953Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger - Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Weekly"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/f6d21a45-3dde-4c86-b497-6460ac231a88","name":"f6d21a45-3dde-4c86-b497-6460ac231a88","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"e1441bd0-a6ac-11ed-a985-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-07T06%3A01%3A38.7574079Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-07T06:01:37.6694616Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger + Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Weekly"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/37729285-3e72-4f71-9344-587a8442bff0","name":"37729285-3e72-4f71-9344-587a8442bff0","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2199' + - '2227' content-type: - application/json date: - - Mon, 05 Sep 2022 20:19:23 GMT + - Tue, 07 Feb 2023 06:02:53 GMT expires: - '-1' pragma: @@ -3504,7 +2390,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '198' + - '199' x-powered-by: - ASP.NET status: @@ -3524,22 +2410,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/f6d21a45-3dde-4c86-b497-6460ac231a88?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/37729285-3e72-4f71-9344-587a8442bff0?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"d88757d6-2d57-11ed-870d-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T20%3A18%3A04.7833723Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T20:18:04.3019953Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger - Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Weekly"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/f6d21a45-3dde-4c86-b497-6460ac231a88","name":"f6d21a45-3dde-4c86-b497-6460ac231a88","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"e1441bd0-a6ac-11ed-a985-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-07T06%3A01%3A38.7574079Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-07T06:01:37.6694616Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger + Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Weekly"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/37729285-3e72-4f71-9344-587a8442bff0","name":"37729285-3e72-4f71-9344-587a8442bff0","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2199' + - '2227' content-type: - application/json date: - - Mon, 05 Sep 2022 20:19:36 GMT + - Tue, 07 Feb 2023 06:03:04 GMT expires: - '-1' pragma: @@ -3576,22 +2463,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/f6d21a45-3dde-4c86-b497-6460ac231a88?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/37729285-3e72-4f71-9344-587a8442bff0?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"d88757d6-2d57-11ed-870d-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T20%3A19%3A38.2708326Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T20:18:04.3019953Z","endTime":"2022-09-05T20:19:38.0294574Z","dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Backup","operation":"Backup","status":"Completed","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT1M33.7274621S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":{"recoveryPointID":"fc52c0986bb04eb49ab36938d79d967f","recoveryPointTime":"0001-01-01T00:00:00Z"},"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger - Backup","taskStatus":"Completed","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Weekly"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/f6d21a45-3dde-4c86-b497-6460ac231a88","name":"f6d21a45-3dde-4c86-b497-6460ac231a88","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"e1441bd0-a6ac-11ed-a985-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-07T06%3A03%3A14.0050216Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-07T06:01:37.6694616Z","endTime":"2023-02-07T06:03:13.7599877Z","dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Backup","operation":"Backup","status":"Completed","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT1M36.0905261S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":2063.0,"targetRecoverPoint":{"recoveryPointID":"470eac9e828948388e9a15938b68c039","recoveryPointTime":"0001-01-01T00:00:00Z"},"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger + Backup","taskStatus":"Completed","taskProgress":null,"additionalDetails":{"OriginalDatasourceSizeInBytes":"8442527","TaskId":"e1441bd0-a6ac-11ed-a985-60a5e2435518","DatasourceType":"Microsoft.DBforPostgreSQL/servers/databases"}}],"additionalDetails":{"RetentionTag":"Weekly"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/37729285-3e72-4f71-9344-587a8442bff0","name":"37729285-3e72-4f71-9344-587a8442bff0","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2327' + - '2507' content-type: - application/json date: - - Mon, 05 Sep 2022 20:19:50 GMT + - Tue, 07 Feb 2023 06:03:15 GMT expires: - '-1' pragma: @@ -3608,7 +2496,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '198' x-powered-by: - ASP.NET status: @@ -3628,21 +2516,22 @@ interactions: ParameterSetName: - --backup-instance-name -g --vault-name User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764/recoveryPoints?api-version=2022-05-01&$filter= response: body: - string: '{"value":[{"properties":{"objectType":"AzureBackupDiscreteRecoveryPoint","recoveryPointId":"fc52c0986bb04eb49ab36938d79d967f","recoveryPointTime":"2022-09-05T20:18:40.0985318Z","recoveryPointType":"Full","friendlyName":"07ccb533b15342bb985b4260d402b62f","recoveryPointDataStoresDetails":[{"id":"beddea84-7b30-42a5-a752-7c75baf96a52","type":"VaultStore","creationTime":"2022-09-05T20:18:40.0985318Z","expiryTime":null,"metaData":null,"visible":true,"state":"COMMITTED","rehydrationExpiryTime":null,"rehydrationStatus":null}],"retentionTagName":"Weekly","retentionTagVersion":"637980057135790033","policyName":"oss-clitest-policy2","policyVersion":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764/recoveryPoints/fc52c0986bb04eb49ab36938d79d967f","name":"fc52c0986bb04eb49ab36938d79d967f","type":"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints"}]}' + string: '{"value":[{"properties":{"objectType":"AzureBackupDiscreteRecoveryPoint","recoveryPointId":"470eac9e828948388e9a15938b68c039","recoveryPointTime":"2023-02-07T06:02:15.0233973Z","recoveryPointType":"Full","friendlyName":"5af5454c1e1442b5ab449a105188d450","recoveryPointDataStoresDetails":[{"id":"beddea84-7b30-42a5-a752-7c75baf96a52","type":"VaultStore","creationTime":"2023-02-07T06:02:15.0233973Z","expiryTime":null,"metaData":null,"visible":true,"state":"COMMITTED","rehydrationExpiryTime":null,"rehydrationStatus":null}],"retentionTagName":"Weekly","retentionTagVersion":"638113461819773117","policyName":"oss-clitest-policy2","policyVersion":null,"expiryTime":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764/recoveryPoints/470eac9e828948388e9a15938b68c039","name":"470eac9e828948388e9a15938b68c039","type":"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints"}]}' headers: cache-control: - no-cache content-length: - - '1058' + - '1076' content-type: - application/json date: - - Mon, 05 Sep 2022 20:19:54 GMT + - Tue, 07 Feb 2023 06:03:17 GMT expires: - '-1' pragma: @@ -3668,8 +2557,8 @@ interactions: body: '{"restoreRequestObject": {"objectType": "AzureBackupRecoveryPointBasedRestoreRequest", "restoreTargetInfo": {"objectType": "RestoreTargetInfo", "recoveryOption": "FailIfExists", "restoreLocation": "centraluseuap", "datasourceInfo": {"datasourceType": "Microsoft.DBforPostgreSQL/servers/databases", - "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres_restore_06092022_014955", - "resourceLocation": "centraluseuap", "resourceName": "postgres_restore_06092022_014955", + "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres_restore_07022023_113318", + "resourceLocation": "centraluseuap", "resourceName": "postgres_restore_07022023_113318", "resourceType": "Microsoft.DBforPostgreSQL/servers/databases", "resourceUri": ""}, "datasourceSetInfo": {"datasourceType": "Microsoft.DBforPostgreSQL/servers/databases", "objectType": "DatasourceSet", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server", @@ -3678,7 +2567,7 @@ interactions: {"objectType": "SecretStoreBasedAuthCredentials", "secretStoreResource": {"uri": "https://oss-clitest-keyvault.vault.azure.net/secrets/oss-clitest-secret", "secretStoreType": "AzureKeyVault"}}}, "sourceDataStoreType": "VaultStore", "recoveryPointId": - "fc52c0986bb04eb49ab36938d79d967f"}}' + "470eac9e828948388e9a15938b68c039"}}' headers: Accept: - application/json @@ -3695,7 +2584,8 @@ interactions: ParameterSetName: - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: POST uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764/validateRestore?api-version=2022-05-01 response: @@ -3703,17 +2593,17 @@ interactions: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2ExODkwN2Q2LTQ0MjgtNDE5Mi1iZDM4LWU5ZGQ4M2ExOTc4OA==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U3NzI3MmQ4LTAyOGQtNDc1Ny1iODY5LTg1OGYwNjJmNGE1Yw==?api-version=2022-05-01 cache-control: - no-cache content-length: - '0' date: - - Mon, 05 Sep 2022 20:19:56 GMT + - Tue, 07 Feb 2023 06:03:19 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2ExODkwN2Q2LTQ0MjgtNDE5Mi1iZDM4LWU5ZGQ4M2ExOTc4OA==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U3NzI3MmQ4LTAyOGQtNDc1Ny1iODY5LTg1OGYwNjJmNGE1Yw==?api-version=2022-05-01 pragma: - no-cache strict-transport-security: @@ -3741,12 +2631,13 @@ interactions: ParameterSetName: - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2ExODkwN2Q2LTQ0MjgtNDE5Mi1iZDM4LWU5ZGQ4M2ExOTc4OA==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U3NzI3MmQ4LTAyOGQtNDc1Ny1iODY5LTg1OGYwNjJmNGE1Yw==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2ExODkwN2Q2LTQ0MjgtNDE5Mi1iZDM4LWU5ZGQ4M2ExOTc4OA==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2ExODkwN2Q2LTQ0MjgtNDE5Mi1iZDM4LWU5ZGQ4M2ExOTc4OA==","status":"Inprogress","startTime":"2022-09-05T20:19:56.8062349Z","endTime":"0001-01-01T00:00:00Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U3NzI3MmQ4LTAyOGQtNDc1Ny1iODY5LTg1OGYwNjJmNGE1Yw==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U3NzI3MmQ4LTAyOGQtNDc1Ny1iODY5LTg1OGYwNjJmNGE1Yw==","status":"Inprogress","startTime":"2023-02-07T06:03:19.4127472Z","endTime":"0001-01-01T00:00:00Z"}' headers: cache-control: - no-cache @@ -3755,7 +2646,7 @@ interactions: content-type: - application/json date: - - Mon, 05 Sep 2022 20:20:07 GMT + - Tue, 07 Feb 2023 06:03:29 GMT expires: - '-1' pragma: @@ -3771,7 +2662,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '999' + - '997' x-powered-by: - ASP.NET status: @@ -3791,12 +2682,13 @@ interactions: ParameterSetName: - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2ExODkwN2Q2LTQ0MjgtNDE5Mi1iZDM4LWU5ZGQ4M2ExOTc4OA==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U3NzI3MmQ4LTAyOGQtNDc1Ny1iODY5LTg1OGYwNjJmNGE1Yw==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2ExODkwN2Q2LTQ0MjgtNDE5Mi1iZDM4LWU5ZGQ4M2ExOTc4OA==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2ExODkwN2Q2LTQ0MjgtNDE5Mi1iZDM4LWU5ZGQ4M2ExOTc4OA==","status":"Succeeded","startTime":"2022-09-05T20:19:56.8062349Z","endTime":"2022-09-05T20:20:20Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U3NzI3MmQ4LTAyOGQtNDc1Ny1iODY5LTg1OGYwNjJmNGE1Yw==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U3NzI3MmQ4LTAyOGQtNDc1Ny1iODY5LTg1OGYwNjJmNGE1Yw==","status":"Succeeded","startTime":"2023-02-07T06:03:19.4127472Z","endTime":"2023-02-07T06:03:44Z"}' headers: cache-control: - no-cache @@ -3805,7 +2697,7 @@ interactions: content-type: - application/json date: - - Mon, 05 Sep 2022 20:20:38 GMT + - Tue, 07 Feb 2023 06:03:59 GMT expires: - '-1' pragma: @@ -3821,7 +2713,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '998' + - '996' x-powered-by: - ASP.NET status: @@ -3841,15 +2733,16 @@ interactions: ParameterSetName: - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2ExODkwN2Q2LTQ0MjgtNDE5Mi1iZDM4LWU5ZGQ4M2ExOTc4OA==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U3NzI3MmQ4LTAyOGQtNDc1Ny1iODY5LTg1OGYwNjJmNGE1Yw==?api-version=2022-05-01 response: body: string: '{"objectType":"OperationJobExtendedInfo"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2ExODkwN2Q2LTQ0MjgtNDE5Mi1iZDM4LWU5ZGQ4M2ExOTc4OA==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U3NzI3MmQ4LTAyOGQtNDc1Ny1iODY5LTg1OGYwNjJmNGE1Yw==?api-version=2022-05-01 cache-control: - no-cache content-length: @@ -3857,7 +2750,7 @@ interactions: content-type: - application/json date: - - Mon, 05 Sep 2022 20:20:38 GMT + - Tue, 07 Feb 2023 06:03:59 GMT expires: - '-1' pragma: @@ -3873,7 +2766,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '198' x-powered-by: - ASP.NET status: @@ -3883,8 +2776,8 @@ interactions: body: '{"objectType": "AzureBackupRecoveryPointBasedRestoreRequest", "restoreTargetInfo": {"objectType": "RestoreTargetInfo", "recoveryOption": "FailIfExists", "restoreLocation": "centraluseuap", "datasourceInfo": {"datasourceType": "Microsoft.DBforPostgreSQL/servers/databases", - "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres_restore_06092022_014955", - "resourceLocation": "centraluseuap", "resourceName": "postgres_restore_06092022_014955", + "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres_restore_07022023_113318", + "resourceLocation": "centraluseuap", "resourceName": "postgres_restore_07022023_113318", "resourceType": "Microsoft.DBforPostgreSQL/servers/databases", "resourceUri": ""}, "datasourceSetInfo": {"datasourceType": "Microsoft.DBforPostgreSQL/servers/databases", "objectType": "DatasourceSet", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server", @@ -3893,7 +2786,7 @@ interactions: {"objectType": "SecretStoreBasedAuthCredentials", "secretStoreResource": {"uri": "https://oss-clitest-keyvault.vault.azure.net/secrets/oss-clitest-secret", "secretStoreType": "AzureKeyVault"}}}, "sourceDataStoreType": "VaultStore", "recoveryPointId": - "fc52c0986bb04eb49ab36938d79d967f"}' + "470eac9e828948388e9a15938b68c039"}' headers: Accept: - application/json @@ -3910,7 +2803,8 @@ interactions: ParameterSetName: - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: POST uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764/restore?api-version=2022-05-01 response: @@ -3918,17 +2812,17 @@ interactions: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzkzY2I0OTIyLWEyMzEtNGMwNS1hMDM4LTRkNWE2OTFmNWIxZQ==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzYzYmVlYmVhLWIxNDYtNGMxNS04YTZjLTc4NjllYzg2NzI0MA==?api-version=2022-05-01 cache-control: - no-cache content-length: - '0' date: - - Mon, 05 Sep 2022 20:20:45 GMT + - Tue, 07 Feb 2023 06:04:01 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzkzY2I0OTIyLWEyMzEtNGMwNS1hMDM4LTRkNWE2OTFmNWIxZQ==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzYzYmVlYmVhLWIxNDYtNGMxNS04YTZjLTc4NjllYzg2NzI0MA==?api-version=2022-05-01 pragma: - no-cache strict-transport-security: @@ -3936,7 +2830,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-writes: - - '1198' + - '1197' x-powered-by: - ASP.NET status: @@ -3956,12 +2850,13 @@ interactions: ParameterSetName: - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzkzY2I0OTIyLWEyMzEtNGMwNS1hMDM4LTRkNWE2OTFmNWIxZQ==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzYzYmVlYmVhLWIxNDYtNGMxNS04YTZjLTc4NjllYzg2NzI0MA==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzkzY2I0OTIyLWEyMzEtNGMwNS1hMDM4LTRkNWE2OTFmNWIxZQ==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzkzY2I0OTIyLWEyMzEtNGMwNS1hMDM4LTRkNWE2OTFmNWIxZQ==","status":"Succeeded","startTime":"2022-09-05T20:20:45.5436547Z","endTime":"2022-09-05T20:20:47Z","properties":{"jobId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault/backupJobs/c50b869a-6b52-4347-870d-84edd650be39","objectType":"OperationJobExtendedInfo"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzYzYmVlYmVhLWIxNDYtNGMxNS04YTZjLTc4NjllYzg2NzI0MA==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzYzYmVlYmVhLWIxNDYtNGMxNS04YTZjLTc4NjllYzg2NzI0MA==","status":"Succeeded","startTime":"2023-02-07T06:04:02.1308896Z","endTime":"2023-02-07T06:04:04Z","properties":{"jobId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault/backupJobs/db880db1-b19c-4b12-ad45-66bc3d4d5d4a","objectType":"OperationJobExtendedInfo"}}' headers: cache-control: - no-cache @@ -3970,7 +2865,7 @@ interactions: content-type: - application/json date: - - Mon, 05 Sep 2022 20:21:15 GMT + - Tue, 07 Feb 2023 06:04:32 GMT expires: - '-1' pragma: @@ -3986,7 +2881,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '998' + - '994' x-powered-by: - ASP.NET status: @@ -4006,15 +2901,16 @@ interactions: ParameterSetName: - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzkzY2I0OTIyLWEyMzEtNGMwNS1hMDM4LTRkNWE2OTFmNWIxZQ==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzYzYmVlYmVhLWIxNDYtNGMxNS04YTZjLTc4NjllYzg2NzI0MA==?api-version=2022-05-01 response: body: - string: '{"jobId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault/backupJobs/c50b869a-6b52-4347-870d-84edd650be39","objectType":"OperationJobExtendedInfo"}' + string: '{"jobId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault/backupJobs/db880db1-b19c-4b12-ad45-66bc3d4d5d4a","objectType":"OperationJobExtendedInfo"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzkzY2I0OTIyLWEyMzEtNGMwNS1hMDM4LTRkNWE2OTFmNWIxZQ==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzYzYmVlYmVhLWIxNDYtNGMxNS04YTZjLTc4NjllYzg2NzI0MA==?api-version=2022-05-01 cache-control: - no-cache content-length: @@ -4022,7 +2918,7 @@ interactions: content-type: - application/json date: - - Mon, 05 Sep 2022 20:21:16 GMT + - Tue, 07 Feb 2023 06:04:32 GMT expires: - '-1' pragma: @@ -4038,7 +2934,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '198' + - '197' x-powered-by: - ASP.NET status: @@ -4058,22 +2954,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/c50b869a-6b52-4347-870d-84edd650be39?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/db880db1-b19c-4b12-ad45-66bc3d4d5d4a?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"359da550-2d58-11ed-836e-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T20%3A20%3A46.409571Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T20:20:45.9973786Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"fc52c0986bb04eb49ab36938d79d967f","recoveryPointTime":"2022-09-05T20:18:40.0985318Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres_restore_06092022_014955","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/c50b869a-6b52-4347-870d-84edd650be39","name":"c50b869a-6b52-4347-870d-84edd650be39","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"37828dc6-a6ad-11ed-bea2-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-07T06%3A04%3A02.8171496Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-07T06:04:02.5277212Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"470eac9e828948388e9a15938b68c039","recoveryPointTime":"2023-02-07T06:02:15.0233973Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres_restore_07022023_113318","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/db880db1-b19c-4b12-ad45-66bc3d4d5d4a","name":"db880db1-b19c-4b12-ad45-66bc3d4d5d4a","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2466' + - '2496' content-type: - application/json date: - - Mon, 05 Sep 2022 20:21:29 GMT + - Tue, 07 Feb 2023 06:04:44 GMT expires: - '-1' pragma: @@ -4090,7 +2987,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '196' x-powered-by: - ASP.NET status: @@ -4110,22 +3007,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/c50b869a-6b52-4347-870d-84edd650be39?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/db880db1-b19c-4b12-ad45-66bc3d4d5d4a?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"359da550-2d58-11ed-836e-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T20%3A20%3A46.409571Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T20:20:45.9973786Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"fc52c0986bb04eb49ab36938d79d967f","recoveryPointTime":"2022-09-05T20:18:40.0985318Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres_restore_06092022_014955","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/c50b869a-6b52-4347-870d-84edd650be39","name":"c50b869a-6b52-4347-870d-84edd650be39","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"37828dc6-a6ad-11ed-bea2-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-07T06%3A04%3A02.8171496Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-07T06:04:02.5277212Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"470eac9e828948388e9a15938b68c039","recoveryPointTime":"2023-02-07T06:02:15.0233973Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres_restore_07022023_113318","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/db880db1-b19c-4b12-ad45-66bc3d4d5d4a","name":"db880db1-b19c-4b12-ad45-66bc3d4d5d4a","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2466' + - '2496' content-type: - application/json date: - - Mon, 05 Sep 2022 20:21:40 GMT + - Tue, 07 Feb 2023 06:04:55 GMT expires: - '-1' pragma: @@ -4142,7 +3040,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '197' + - '198' x-powered-by: - ASP.NET status: @@ -4162,22 +3060,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/c50b869a-6b52-4347-870d-84edd650be39?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/db880db1-b19c-4b12-ad45-66bc3d4d5d4a?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"359da550-2d58-11ed-836e-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T20%3A20%3A46.409571Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T20:20:45.9973786Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"fc52c0986bb04eb49ab36938d79d967f","recoveryPointTime":"2022-09-05T20:18:40.0985318Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres_restore_06092022_014955","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/c50b869a-6b52-4347-870d-84edd650be39","name":"c50b869a-6b52-4347-870d-84edd650be39","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"37828dc6-a6ad-11ed-bea2-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-07T06%3A04%3A02.8171496Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-07T06:04:02.5277212Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"470eac9e828948388e9a15938b68c039","recoveryPointTime":"2023-02-07T06:02:15.0233973Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres_restore_07022023_113318","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/db880db1-b19c-4b12-ad45-66bc3d4d5d4a","name":"db880db1-b19c-4b12-ad45-66bc3d4d5d4a","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2466' + - '2496' content-type: - application/json date: - - Mon, 05 Sep 2022 20:21:52 GMT + - Tue, 07 Feb 2023 06:05:06 GMT expires: - '-1' pragma: @@ -4194,7 +3093,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '196' + - '195' x-powered-by: - ASP.NET status: @@ -4214,22 +3113,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/c50b869a-6b52-4347-870d-84edd650be39?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/db880db1-b19c-4b12-ad45-66bc3d4d5d4a?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"359da550-2d58-11ed-836e-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T20%3A20%3A46.409571Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T20:20:45.9973786Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"fc52c0986bb04eb49ab36938d79d967f","recoveryPointTime":"2022-09-05T20:18:40.0985318Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres_restore_06092022_014955","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/c50b869a-6b52-4347-870d-84edd650be39","name":"c50b869a-6b52-4347-870d-84edd650be39","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"37828dc6-a6ad-11ed-bea2-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-07T06%3A04%3A02.8171496Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-07T06:04:02.5277212Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"470eac9e828948388e9a15938b68c039","recoveryPointTime":"2023-02-07T06:02:15.0233973Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres_restore_07022023_113318","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/db880db1-b19c-4b12-ad45-66bc3d4d5d4a","name":"db880db1-b19c-4b12-ad45-66bc3d4d5d4a","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2466' + - '2496' content-type: - application/json date: - - Mon, 05 Sep 2022 20:22:02 GMT + - Tue, 07 Feb 2023 06:05:18 GMT expires: - '-1' pragma: @@ -4246,7 +3146,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '195' + - '194' x-powered-by: - ASP.NET status: @@ -4266,22 +3166,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/c50b869a-6b52-4347-870d-84edd650be39?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/db880db1-b19c-4b12-ad45-66bc3d4d5d4a?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"359da550-2d58-11ed-836e-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T20%3A20%3A46.409571Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T20:20:45.9973786Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"fc52c0986bb04eb49ab36938d79d967f","recoveryPointTime":"2022-09-05T20:18:40.0985318Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres_restore_06092022_014955","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/c50b869a-6b52-4347-870d-84edd650be39","name":"c50b869a-6b52-4347-870d-84edd650be39","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"37828dc6-a6ad-11ed-bea2-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-07T06%3A04%3A02.8171496Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-07T06:04:02.5277212Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"470eac9e828948388e9a15938b68c039","recoveryPointTime":"2023-02-07T06:02:15.0233973Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres_restore_07022023_113318","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/db880db1-b19c-4b12-ad45-66bc3d4d5d4a","name":"db880db1-b19c-4b12-ad45-66bc3d4d5d4a","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2466' + - '2496' content-type: - application/json date: - - Mon, 05 Sep 2022 20:22:17 GMT + - Tue, 07 Feb 2023 06:05:28 GMT expires: - '-1' pragma: @@ -4298,7 +3199,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '197' x-powered-by: - ASP.NET status: @@ -4318,22 +3219,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/c50b869a-6b52-4347-870d-84edd650be39?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/db880db1-b19c-4b12-ad45-66bc3d4d5d4a?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"359da550-2d58-11ed-836e-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T20%3A20%3A46.409571Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T20:20:45.9973786Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"fc52c0986bb04eb49ab36938d79d967f","recoveryPointTime":"2022-09-05T20:18:40.0985318Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres_restore_06092022_014955","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/c50b869a-6b52-4347-870d-84edd650be39","name":"c50b869a-6b52-4347-870d-84edd650be39","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"37828dc6-a6ad-11ed-bea2-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-07T06%3A04%3A02.8171496Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-07T06:04:02.5277212Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"470eac9e828948388e9a15938b68c039","recoveryPointTime":"2023-02-07T06:02:15.0233973Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres_restore_07022023_113318","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/db880db1-b19c-4b12-ad45-66bc3d4d5d4a","name":"db880db1-b19c-4b12-ad45-66bc3d4d5d4a","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2466' + - '2496' content-type: - application/json date: - - Mon, 05 Sep 2022 20:22:31 GMT + - Tue, 07 Feb 2023 06:05:40 GMT expires: - '-1' pragma: @@ -4370,22 +3272,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/c50b869a-6b52-4347-870d-84edd650be39?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/db880db1-b19c-4b12-ad45-66bc3d4d5d4a?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"359da550-2d58-11ed-836e-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T20%3A22%3A31.4155776Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T20:20:45.9973786Z","endTime":"2022-09-05T20:22:31.168873Z","dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"Completed","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT1M45.1714944S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"fc52c0986bb04eb49ab36938d79d967f","recoveryPointTime":"2022-09-05T20:18:40.0985318Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres_restore_06092022_014955","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"Completed","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/c50b869a-6b52-4347-870d-84edd650be39","name":"c50b869a-6b52-4347-870d-84edd650be39","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"37828dc6-a6ad-11ed-bea2-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-07T06%3A05%3A49.8100777Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-07T06:04:02.5277212Z","endTime":"2023-02-07T06:05:49.5046299Z","dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"Completed","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT1M46.9769087S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"470eac9e828948388e9a15938b68c039","recoveryPointTime":"2023-02-07T06:02:15.0233973Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres_restore_07022023_113318","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"Completed","taskProgress":null,"additionalDetails":{"DataTransferredInBytes":"0","TaskId":"37828dc6-a6ad-11ed-bea2-60a5e2435518","DatasourceType":"Microsoft.DBforPostgreSQL/servers/databases"}}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/db880db1-b19c-4b12-ad45-66bc3d4d5d4a","name":"db880db1-b19c-4b12-ad45-66bc3d4d5d4a","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2501' + - '2668' content-type: - application/json date: - - Mon, 05 Sep 2022 20:22:42 GMT + - Tue, 07 Feb 2023 06:05:51 GMT expires: - '-1' pragma: @@ -4402,7 +3305,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '198' + - '193' x-powered-by: - ASP.NET status: @@ -4412,9 +3315,9 @@ interactions: body: '{"restoreRequestObject": {"objectType": "AzureBackupRecoveryPointBasedRestoreRequest", "restoreTargetInfo": {"objectType": "RestoreFilesTargetInfo", "recoveryOption": "FailIfExists", "restoreLocation": "centraluseuap", "targetDetails": {"filePrefix": - "postgres_restore_06092022_015243", "restoreTargetLocationType": "AzureBlobs", + "postgres_restore_07022023_113552", "restoreTargetLocationType": "AzureBlobs", "url": "https://ossclitestsa.blob.core.windows.net/oss-clitest-blob-container"}}, - "sourceDataStoreType": "VaultStore", "recoveryPointId": "fc52c0986bb04eb49ab36938d79d967f"}}' + "sourceDataStoreType": "VaultStore", "recoveryPointId": "470eac9e828948388e9a15938b68c039"}}' headers: Accept: - application/json @@ -4431,7 +3334,8 @@ interactions: ParameterSetName: - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: POST uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764/validateRestore?api-version=2022-05-01 response: @@ -4439,17 +3343,17 @@ interactions: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzM0NzAyNDhiLWYyYzEtNDE5My04NDlhLTQxZTE2MjA0NmZmZA==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U0NTkyODM3LWM5ZjYtNDIzNy04YTE2LTQ0Y2U1ZjgzNmJjNQ==?api-version=2022-05-01 cache-control: - no-cache content-length: - '0' date: - - Mon, 05 Sep 2022 20:22:43 GMT + - Tue, 07 Feb 2023 06:05:53 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzM0NzAyNDhiLWYyYzEtNDE5My04NDlhLTQxZTE2MjA0NmZmZA==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U0NTkyODM3LWM5ZjYtNDIzNy04YTE2LTQ0Y2U1ZjgzNmJjNQ==?api-version=2022-05-01 pragma: - no-cache strict-transport-security: @@ -4477,12 +3381,13 @@ interactions: ParameterSetName: - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzM0NzAyNDhiLWYyYzEtNDE5My04NDlhLTQxZTE2MjA0NmZmZA==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U0NTkyODM3LWM5ZjYtNDIzNy04YTE2LTQ0Y2U1ZjgzNmJjNQ==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzM0NzAyNDhiLWYyYzEtNDE5My04NDlhLTQxZTE2MjA0NmZmZA==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzM0NzAyNDhiLWYyYzEtNDE5My04NDlhLTQxZTE2MjA0NmZmZA==","status":"Inprogress","startTime":"2022-09-05T20:22:44.3233645Z","endTime":"0001-01-01T00:00:00Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U0NTkyODM3LWM5ZjYtNDIzNy04YTE2LTQ0Y2U1ZjgzNmJjNQ==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U0NTkyODM3LWM5ZjYtNDIzNy04YTE2LTQ0Y2U1ZjgzNmJjNQ==","status":"Inprogress","startTime":"2023-02-07T06:05:53.8999173Z","endTime":"0001-01-01T00:00:00Z"}' headers: cache-control: - no-cache @@ -4491,7 +3396,7 @@ interactions: content-type: - application/json date: - - Mon, 05 Sep 2022 20:22:55 GMT + - Tue, 07 Feb 2023 06:06:04 GMT expires: - '-1' pragma: @@ -4507,7 +3412,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '997' + - '995' x-powered-by: - ASP.NET status: @@ -4527,12 +3432,13 @@ interactions: ParameterSetName: - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzM0NzAyNDhiLWYyYzEtNDE5My04NDlhLTQxZTE2MjA0NmZmZA==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U0NTkyODM3LWM5ZjYtNDIzNy04YTE2LTQ0Y2U1ZjgzNmJjNQ==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzM0NzAyNDhiLWYyYzEtNDE5My04NDlhLTQxZTE2MjA0NmZmZA==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzM0NzAyNDhiLWYyYzEtNDE5My04NDlhLTQxZTE2MjA0NmZmZA==","status":"Succeeded","startTime":"2022-09-05T20:22:44.3233645Z","endTime":"2022-09-05T20:23:07Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U0NTkyODM3LWM5ZjYtNDIzNy04YTE2LTQ0Y2U1ZjgzNmJjNQ==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U0NTkyODM3LWM5ZjYtNDIzNy04YTE2LTQ0Y2U1ZjgzNmJjNQ==","status":"Succeeded","startTime":"2023-02-07T06:05:53.8999173Z","endTime":"2023-02-07T06:06:15Z"}' headers: cache-control: - no-cache @@ -4541,7 +3447,7 @@ interactions: content-type: - application/json date: - - Mon, 05 Sep 2022 20:23:25 GMT + - Tue, 07 Feb 2023 06:06:35 GMT expires: - '-1' pragma: @@ -4557,7 +3463,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '996' + - '994' x-powered-by: - ASP.NET status: @@ -4577,15 +3483,16 @@ interactions: ParameterSetName: - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzM0NzAyNDhiLWYyYzEtNDE5My04NDlhLTQxZTE2MjA0NmZmZA==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U0NTkyODM3LWM5ZjYtNDIzNy04YTE2LTQ0Y2U1ZjgzNmJjNQ==?api-version=2022-05-01 response: body: string: '{"objectType":"OperationJobExtendedInfo"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzM0NzAyNDhiLWYyYzEtNDE5My04NDlhLTQxZTE2MjA0NmZmZA==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U0NTkyODM3LWM5ZjYtNDIzNy04YTE2LTQ0Y2U1ZjgzNmJjNQ==?api-version=2022-05-01 cache-control: - no-cache content-length: @@ -4593,7 +3500,7 @@ interactions: content-type: - application/json date: - - Mon, 05 Sep 2022 20:23:26 GMT + - Tue, 07 Feb 2023 06:06:35 GMT expires: - '-1' pragma: @@ -4618,9 +3525,9 @@ interactions: - request: body: '{"objectType": "AzureBackupRecoveryPointBasedRestoreRequest", "restoreTargetInfo": {"objectType": "RestoreFilesTargetInfo", "recoveryOption": "FailIfExists", "restoreLocation": - "centraluseuap", "targetDetails": {"filePrefix": "postgres_restore_06092022_015243", + "centraluseuap", "targetDetails": {"filePrefix": "postgres_restore_07022023_113552", "restoreTargetLocationType": "AzureBlobs", "url": "https://ossclitestsa.blob.core.windows.net/oss-clitest-blob-container"}}, - "sourceDataStoreType": "VaultStore", "recoveryPointId": "fc52c0986bb04eb49ab36938d79d967f"}' + "sourceDataStoreType": "VaultStore", "recoveryPointId": "470eac9e828948388e9a15938b68c039"}' headers: Accept: - application/json @@ -4637,7 +3544,8 @@ interactions: ParameterSetName: - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: POST uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764/restore?api-version=2022-05-01 response: @@ -4645,17 +3553,17 @@ interactions: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzBhYzU4ZTU1LTUzZmQtNDUyYS04ZmIzLTYwMzVlYmFhMmM3MA==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzBiMDM2ZTAwLTc4YWUtNDZlYS1hZTMwLTk2OWY1MTU4MmU0Yg==?api-version=2022-05-01 cache-control: - no-cache content-length: - '0' date: - - Mon, 05 Sep 2022 20:23:28 GMT + - Tue, 07 Feb 2023 06:06:36 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzBhYzU4ZTU1LTUzZmQtNDUyYS04ZmIzLTYwMzVlYmFhMmM3MA==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzBiMDM2ZTAwLTc4YWUtNDZlYS1hZTMwLTk2OWY1MTU4MmU0Yg==?api-version=2022-05-01 pragma: - no-cache strict-transport-security: @@ -4663,7 +3571,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-writes: - - '1199' + - '1196' x-powered-by: - ASP.NET status: @@ -4683,12 +3591,13 @@ interactions: ParameterSetName: - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzBhYzU4ZTU1LTUzZmQtNDUyYS04ZmIzLTYwMzVlYmFhMmM3MA==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzBiMDM2ZTAwLTc4YWUtNDZlYS1hZTMwLTk2OWY1MTU4MmU0Yg==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzBhYzU4ZTU1LTUzZmQtNDUyYS04ZmIzLTYwMzVlYmFhMmM3MA==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzBhYzU4ZTU1LTUzZmQtNDUyYS04ZmIzLTYwMzVlYmFhMmM3MA==","status":"Succeeded","startTime":"2022-09-05T20:23:29.0463324Z","endTime":"2022-09-05T20:23:31Z","properties":{"jobId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault/backupJobs/9e8bf45c-7490-4b30-9f65-b437abb039b0","objectType":"OperationJobExtendedInfo"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzBiMDM2ZTAwLTc4YWUtNDZlYS1hZTMwLTk2OWY1MTU4MmU0Yg==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzBiMDM2ZTAwLTc4YWUtNDZlYS1hZTMwLTk2OWY1MTU4MmU0Yg==","status":"Succeeded","startTime":"2023-02-07T06:06:37.0925158Z","endTime":"2023-02-07T06:06:38Z","properties":{"jobId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault/backupJobs/a807fba5-285a-4371-a2b0-f63b156abcb8","objectType":"OperationJobExtendedInfo"}}' headers: cache-control: - no-cache @@ -4697,7 +3606,7 @@ interactions: content-type: - application/json date: - - Mon, 05 Sep 2022 20:23:59 GMT + - Tue, 07 Feb 2023 06:07:10 GMT expires: - '-1' pragma: @@ -4713,7 +3622,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '999' + - '993' x-powered-by: - ASP.NET status: @@ -4733,15 +3642,16 @@ interactions: ParameterSetName: - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzBhYzU4ZTU1LTUzZmQtNDUyYS04ZmIzLTYwMzVlYmFhMmM3MA==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzBiMDM2ZTAwLTc4YWUtNDZlYS1hZTMwLTk2OWY1MTU4MmU0Yg==?api-version=2022-05-01 response: body: - string: '{"jobId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault/backupJobs/9e8bf45c-7490-4b30-9f65-b437abb039b0","objectType":"OperationJobExtendedInfo"}' + string: '{"jobId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault/backupJobs/a807fba5-285a-4371-a2b0-f63b156abcb8","objectType":"OperationJobExtendedInfo"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzBhYzU4ZTU1LTUzZmQtNDUyYS04ZmIzLTYwMzVlYmFhMmM3MA==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzBiMDM2ZTAwLTc4YWUtNDZlYS1hZTMwLTk2OWY1MTU4MmU0Yg==?api-version=2022-05-01 cache-control: - no-cache content-length: @@ -4749,7 +3659,7 @@ interactions: content-type: - application/json date: - - Mon, 05 Sep 2022 20:23:59 GMT + - Tue, 07 Feb 2023 06:07:11 GMT expires: - '-1' pragma: @@ -4765,7 +3675,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '196' x-powered-by: - ASP.NET status: @@ -4785,23 +3695,24 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/9e8bf45c-7490-4b30-9f65-b437abb039b0?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/a807fba5-285a-4371-a2b0-f63b156abcb8?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"99653998-2d58-11ed-abf0-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T20%3A23%3A30.0526248Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T20:23:29.5604479Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"fc52c0986bb04eb49ab36938d79d967f","recoveryPointTime":"2022-09-05T20:18:40.0985318Z"},"recoveryDestination":"https://ossclitestsa.blob.core.windows.net/oss-clitest-blob-container","subTasks":[{"taskId":1,"taskName":"Trigger + string: '{"properties":{"activityID":"93f25846-a6ad-11ed-ae11-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-07T06%3A06%3A37.7577318Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-07T06:06:37.3987371Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"470eac9e828948388e9a15938b68c039","recoveryPointTime":"2023-02-07T06:02:15.0233973Z"},"recoveryDestination":"https://ossclitestsa.blob.core.windows.net/oss-clitest-blob-container","subTasks":[{"taskId":1,"taskName":"Trigger Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"Restore - File Prefix":"postgres_restore_06092022_015243"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/9e8bf45c-7490-4b30-9f65-b437abb039b0","name":"9e8bf45c-7490-4b30-9f65-b437abb039b0","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + File Prefix":"postgres_restore_07022023_113552"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/a807fba5-285a-4371-a2b0-f63b156abcb8","name":"a807fba5-285a-4371-a2b0-f63b156abcb8","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2403' + - '2432' content-type: - application/json date: - - Mon, 05 Sep 2022 20:24:11 GMT + - Tue, 07 Feb 2023 06:07:22 GMT expires: - '-1' pragma: @@ -4818,7 +3729,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '197' x-powered-by: - ASP.NET status: @@ -4838,23 +3749,24 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/9e8bf45c-7490-4b30-9f65-b437abb039b0?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/a807fba5-285a-4371-a2b0-f63b156abcb8?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"99653998-2d58-11ed-abf0-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T20%3A23%3A30.0526248Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T20:23:29.5604479Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"fc52c0986bb04eb49ab36938d79d967f","recoveryPointTime":"2022-09-05T20:18:40.0985318Z"},"recoveryDestination":"https://ossclitestsa.blob.core.windows.net/oss-clitest-blob-container","subTasks":[{"taskId":1,"taskName":"Trigger + string: '{"properties":{"activityID":"93f25846-a6ad-11ed-ae11-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-07T06%3A06%3A37.7577318Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-07T06:06:37.3987371Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"470eac9e828948388e9a15938b68c039","recoveryPointTime":"2023-02-07T06:02:15.0233973Z"},"recoveryDestination":"https://ossclitestsa.blob.core.windows.net/oss-clitest-blob-container","subTasks":[{"taskId":1,"taskName":"Trigger Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"Restore - File Prefix":"postgres_restore_06092022_015243"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/9e8bf45c-7490-4b30-9f65-b437abb039b0","name":"9e8bf45c-7490-4b30-9f65-b437abb039b0","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + File Prefix":"postgres_restore_07022023_113552"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/a807fba5-285a-4371-a2b0-f63b156abcb8","name":"a807fba5-285a-4371-a2b0-f63b156abcb8","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2403' + - '2432' content-type: - application/json date: - - Mon, 05 Sep 2022 20:24:23 GMT + - Tue, 07 Feb 2023 06:07:34 GMT expires: - '-1' pragma: @@ -4871,7 +3783,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '196' x-powered-by: - ASP.NET status: @@ -4891,23 +3803,24 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/9e8bf45c-7490-4b30-9f65-b437abb039b0?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/a807fba5-285a-4371-a2b0-f63b156abcb8?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"99653998-2d58-11ed-abf0-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T20%3A23%3A30.0526248Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T20:23:29.5604479Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"fc52c0986bb04eb49ab36938d79d967f","recoveryPointTime":"2022-09-05T20:18:40.0985318Z"},"recoveryDestination":"https://ossclitestsa.blob.core.windows.net/oss-clitest-blob-container","subTasks":[{"taskId":1,"taskName":"Trigger + string: '{"properties":{"activityID":"93f25846-a6ad-11ed-ae11-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-07T06%3A06%3A37.7577318Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-07T06:06:37.3987371Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"470eac9e828948388e9a15938b68c039","recoveryPointTime":"2023-02-07T06:02:15.0233973Z"},"recoveryDestination":"https://ossclitestsa.blob.core.windows.net/oss-clitest-blob-container","subTasks":[{"taskId":1,"taskName":"Trigger Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"Restore - File Prefix":"postgres_restore_06092022_015243"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/9e8bf45c-7490-4b30-9f65-b437abb039b0","name":"9e8bf45c-7490-4b30-9f65-b437abb039b0","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + File Prefix":"postgres_restore_07022023_113552"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/a807fba5-285a-4371-a2b0-f63b156abcb8","name":"a807fba5-285a-4371-a2b0-f63b156abcb8","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2403' + - '2432' content-type: - application/json date: - - Mon, 05 Sep 2022 20:24:36 GMT + - Tue, 07 Feb 2023 06:07:44 GMT expires: - '-1' pragma: @@ -4924,7 +3837,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '198' + - '196' x-powered-by: - ASP.NET status: @@ -4944,23 +3857,24 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/9e8bf45c-7490-4b30-9f65-b437abb039b0?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/a807fba5-285a-4371-a2b0-f63b156abcb8?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"99653998-2d58-11ed-abf0-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T20%3A23%3A30.0526248Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T20:23:29.5604479Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"fc52c0986bb04eb49ab36938d79d967f","recoveryPointTime":"2022-09-05T20:18:40.0985318Z"},"recoveryDestination":"https://ossclitestsa.blob.core.windows.net/oss-clitest-blob-container","subTasks":[{"taskId":1,"taskName":"Trigger + string: '{"properties":{"activityID":"93f25846-a6ad-11ed-ae11-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-07T06%3A06%3A37.7577318Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-07T06:06:37.3987371Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"470eac9e828948388e9a15938b68c039","recoveryPointTime":"2023-02-07T06:02:15.0233973Z"},"recoveryDestination":"https://ossclitestsa.blob.core.windows.net/oss-clitest-blob-container","subTasks":[{"taskId":1,"taskName":"Trigger Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"Restore - File Prefix":"postgres_restore_06092022_015243"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/9e8bf45c-7490-4b30-9f65-b437abb039b0","name":"9e8bf45c-7490-4b30-9f65-b437abb039b0","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + File Prefix":"postgres_restore_07022023_113552"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/a807fba5-285a-4371-a2b0-f63b156abcb8","name":"a807fba5-285a-4371-a2b0-f63b156abcb8","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2403' + - '2432' content-type: - application/json date: - - Mon, 05 Sep 2022 20:24:48 GMT + - Tue, 07 Feb 2023 06:07:56 GMT expires: - '-1' pragma: @@ -4977,7 +3891,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '198' x-powered-by: - ASP.NET status: @@ -4997,23 +3911,24 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/9e8bf45c-7490-4b30-9f65-b437abb039b0?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/a807fba5-285a-4371-a2b0-f63b156abcb8?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"99653998-2d58-11ed-abf0-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T20%3A23%3A30.0526248Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T20:23:29.5604479Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"fc52c0986bb04eb49ab36938d79d967f","recoveryPointTime":"2022-09-05T20:18:40.0985318Z"},"recoveryDestination":"https://ossclitestsa.blob.core.windows.net/oss-clitest-blob-container","subTasks":[{"taskId":1,"taskName":"Trigger + string: '{"properties":{"activityID":"93f25846-a6ad-11ed-ae11-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-07T06%3A06%3A37.7577318Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-07T06:06:37.3987371Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"470eac9e828948388e9a15938b68c039","recoveryPointTime":"2023-02-07T06:02:15.0233973Z"},"recoveryDestination":"https://ossclitestsa.blob.core.windows.net/oss-clitest-blob-container","subTasks":[{"taskId":1,"taskName":"Trigger Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"Restore - File Prefix":"postgres_restore_06092022_015243"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/9e8bf45c-7490-4b30-9f65-b437abb039b0","name":"9e8bf45c-7490-4b30-9f65-b437abb039b0","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + File Prefix":"postgres_restore_07022023_113552"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/a807fba5-285a-4371-a2b0-f63b156abcb8","name":"a807fba5-285a-4371-a2b0-f63b156abcb8","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2403' + - '2432' content-type: - application/json date: - - Mon, 05 Sep 2022 20:25:00 GMT + - Tue, 07 Feb 2023 06:08:07 GMT expires: - '-1' pragma: @@ -5030,7 +3945,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '198' + - '197' x-powered-by: - ASP.NET status: @@ -5050,23 +3965,24 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/9e8bf45c-7490-4b30-9f65-b437abb039b0?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/a807fba5-285a-4371-a2b0-f63b156abcb8?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"99653998-2d58-11ed-abf0-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T20%3A23%3A30.0526248Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T20:23:29.5604479Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"fc52c0986bb04eb49ab36938d79d967f","recoveryPointTime":"2022-09-05T20:18:40.0985318Z"},"recoveryDestination":"https://ossclitestsa.blob.core.windows.net/oss-clitest-blob-container","subTasks":[{"taskId":1,"taskName":"Trigger + string: '{"properties":{"activityID":"93f25846-a6ad-11ed-ae11-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-07T06%3A06%3A37.7577318Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-07T06:06:37.3987371Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"470eac9e828948388e9a15938b68c039","recoveryPointTime":"2023-02-07T06:02:15.0233973Z"},"recoveryDestination":"https://ossclitestsa.blob.core.windows.net/oss-clitest-blob-container","subTasks":[{"taskId":1,"taskName":"Trigger Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"Restore - File Prefix":"postgres_restore_06092022_015243"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/9e8bf45c-7490-4b30-9f65-b437abb039b0","name":"9e8bf45c-7490-4b30-9f65-b437abb039b0","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + File Prefix":"postgres_restore_07022023_113552"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/a807fba5-285a-4371-a2b0-f63b156abcb8","name":"a807fba5-285a-4371-a2b0-f63b156abcb8","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2403' + - '2432' content-type: - application/json date: - - Mon, 05 Sep 2022 20:25:12 GMT + - Tue, 07 Feb 2023 06:08:19 GMT expires: - '-1' pragma: @@ -5083,7 +3999,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '197' + - '196' x-powered-by: - ASP.NET status: @@ -5103,23 +4019,24 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/9e8bf45c-7490-4b30-9f65-b437abb039b0?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/a807fba5-285a-4371-a2b0-f63b156abcb8?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"99653998-2d58-11ed-abf0-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T20%3A25%3A16.1579765Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T20:23:29.5604479Z","endTime":"2022-09-05T20:25:15.8666376Z","dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"Completed","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT1M46.3061897S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"fc52c0986bb04eb49ab36938d79d967f","recoveryPointTime":"2022-09-05T20:18:40.0985318Z"},"recoveryDestination":"https://ossclitestsa.blob.core.windows.net/oss-clitest-blob-container","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"Completed","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"Restore - File Prefix":"postgres_restore_06092022_015243"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/9e8bf45c-7490-4b30-9f65-b437abb039b0","name":"9e8bf45c-7490-4b30-9f65-b437abb039b0","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"93f25846-a6ad-11ed-ae11-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-07T06%3A08%3A26.6526042Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-07T06:06:37.3987371Z","endTime":"2023-02-07T06:08:26.3408229Z","dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"Completed","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT1M48.9420858S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"470eac9e828948388e9a15938b68c039","recoveryPointTime":"2023-02-07T06:02:15.0233973Z"},"recoveryDestination":"https://ossclitestsa.blob.core.windows.net/oss-clitest-blob-container","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"Completed","taskProgress":null,"additionalDetails":{"DataTransferredInBytes":"0","TaskId":"93f25846-a6ad-11ed-ae11-60a5e2435518","DatasourceType":"Microsoft.DBforPostgreSQL/servers/databases"}}],"additionalDetails":{"Restore + File Prefix":"postgres_restore_07022023_113552"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/a807fba5-285a-4371-a2b0-f63b156abcb8","name":"a807fba5-285a-4371-a2b0-f63b156abcb8","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2438' + - '2604' content-type: - application/json date: - - Mon, 05 Sep 2022 20:25:23 GMT + - Tue, 07 Feb 2023 06:08:30 GMT expires: - '-1' pragma: @@ -5136,7 +4053,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '197' + - '195' x-powered-by: - ASP.NET status: @@ -5158,7 +4075,8 @@ interactions: ParameterSetName: - -g --vault-name -n --yes User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: DELETE uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764?api-version=2022-05-01 response: @@ -5166,17 +4084,17 @@ interactions: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzJkNDBmMzk4LTNhNmEtNGU4My1hOTRmLTgxMTAyYjQ4NTcyNA==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2M2MTQ4NjFjLTgxZWUtNDQxYy05NmJjLTJiMzEzNTJkZjRkOQ==?api-version=2022-05-01 cache-control: - no-cache content-length: - '0' date: - - Mon, 05 Sep 2022 20:25:26 GMT + - Tue, 07 Feb 2023 06:08:32 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzJkNDBmMzk4LTNhNmEtNGU4My1hOTRmLTgxMTAyYjQ4NTcyNA==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2M2MTQ4NjFjLTgxZWUtNDQxYy05NmJjLTJiMzEzNTJkZjRkOQ==?api-version=2022-05-01 pragma: - no-cache strict-transport-security: @@ -5204,12 +4122,64 @@ interactions: ParameterSetName: - -g --vault-name -n --yes User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2M2MTQ4NjFjLTgxZWUtNDQxYy05NmJjLTJiMzEzNTJkZjRkOQ==?api-version=2022-05-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2M2MTQ4NjFjLTgxZWUtNDQxYy05NmJjLTJiMzEzNTJkZjRkOQ==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2M2MTQ4NjFjLTgxZWUtNDQxYy05NmJjLTJiMzEzNTJkZjRkOQ==","status":"Inprogress","startTime":"2023-02-07T06:08:32.921688Z","endTime":"0001-01-01T00:00:00Z"}' + headers: + cache-control: + - no-cache + content-length: + - '480' + content-type: + - application/json + date: + - Tue, 07 Feb 2023 06:09:02 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '992' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-instance delete + Connection: + - keep-alive + ParameterSetName: + - -g --vault-name -n --yes + User-Agent: + - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzJkNDBmMzk4LTNhNmEtNGU4My1hOTRmLTgxMTAyYjQ4NTcyNA==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2M2MTQ4NjFjLTgxZWUtNDQxYy05NmJjLTJiMzEzNTJkZjRkOQ==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzJkNDBmMzk4LTNhNmEtNGU4My1hOTRmLTgxMTAyYjQ4NTcyNA==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzJkNDBmMzk4LTNhNmEtNGU4My1hOTRmLTgxMTAyYjQ4NTcyNA==","status":"Succeeded","startTime":"2022-09-05T20:25:26.354079Z","endTime":"2022-09-05T20:25:42Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2M2MTQ4NjFjLTgxZWUtNDQxYy05NmJjLTJiMzEzNTJkZjRkOQ==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2M2MTQ4NjFjLTgxZWUtNDQxYy05NmJjLTJiMzEzNTJkZjRkOQ==","status":"Succeeded","startTime":"2023-02-07T06:08:32.921688Z","endTime":"2023-02-07T06:09:20Z"}' headers: cache-control: - no-cache @@ -5218,7 +4188,7 @@ interactions: content-type: - application/json date: - - Mon, 05 Sep 2022 20:25:56 GMT + - Tue, 07 Feb 2023 06:09:33 GMT expires: - '-1' pragma: @@ -5234,7 +4204,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '993' + - '991' x-powered-by: - ASP.NET status: diff --git a/src/dataprotection/setup.py b/src/dataprotection/setup.py index 1289ad2f7df..1a713f3270a 100644 --- a/src/dataprotection/setup.py +++ b/src/dataprotection/setup.py @@ -10,7 +10,7 @@ from setuptools import setup, find_packages # HISTORY.rst entry. -VERSION = '0.6.0' +VERSION = '0.7.0' try: from azext_dataprotection.manual.version import VERSION except ImportError: diff --git a/src/index.json b/src/index.json index 3c8177c4828..dfd76d3f750 100644 --- a/src/index.json +++ b/src/index.json @@ -7687,6 +7687,49 @@ "version": "0.5.128" }, "sha256Digest": "1156f159e8c1b16284b930487a1284aca1ded1dbc8d21a6cbf5cddcdc625767a" + }, + { + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/aks_preview-0.5.129-py2.py3-none-any.whl", + "filename": "aks_preview-0.5.129-py2.py3-none-any.whl", + "metadata": { + "azext.isPreview": true, + "azext.minCliCoreVersion": "2.44.0", + "classifiers": [ + "Development Status :: 4 - Beta", + "Intended Audience :: Developers", + "Intended Audience :: System Administrators", + "Programming Language :: Python", + "Programming Language :: Python :: 3", + "Programming Language :: Python :: 3.6", + "Programming Language :: Python :: 3.7", + "Programming Language :: Python :: 3.8", + "License :: OSI Approved :: MIT License" + ], + "extensions": { + "python.details": { + "contacts": [ + { + "email": "azpycli@microsoft.com", + "name": "Microsoft Corporation", + "role": "author" + } + ], + "document_names": { + "description": "DESCRIPTION.rst" + }, + "project_urls": { + "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/aks-preview" + } + } + }, + "generator": "bdist_wheel (0.30.0)", + "license": "MIT", + "metadata_version": "2.0", + "name": "aks-preview", + "summary": "Provides a preview for upcoming AKS features", + "version": "0.5.129" + }, + "sha256Digest": "49e50e7fd43b285880af9c6b17d1c3bddd316fdecf555eb473388c200423970e" } ], "alertsmanagement": [ @@ -8366,6 +8409,50 @@ "version": "1.0.0" }, "sha256Digest": "dbb9572514ce2151900b38b9c30af7459f8ae35f8b052d0e7800894b50cc482e" + }, + { + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/amg-1.1.0-py3-none-any.whl", + "filename": "amg-1.1.0-py3-none-any.whl", + "metadata": { + "azext.isPreview": false, + "azext.maxCliCoreVersion": "2.99.0", + "azext.minCliCoreVersion": "2.38.0", + "classifiers": [ + "Development Status :: 4 - Beta", + "Intended Audience :: Developers", + "Intended Audience :: System Administrators", + "Programming Language :: Python", + "Programming Language :: Python :: 3", + "Programming Language :: Python :: 3.6", + "Programming Language :: Python :: 3.7", + "Programming Language :: Python :: 3.8", + "License :: OSI Approved :: MIT License" + ], + "extensions": { + "python.details": { + "contacts": [ + { + "email": "ad4g@microsoft.com", + "name": "Microsoft Corporation", + "role": "author" + } + ], + "document_names": { + "description": "DESCRIPTION.rst" + }, + "project_urls": { + "Home": "https://github.com/Azure/azure-cli-extensions/tree/master/src/amg" + } + } + }, + "generator": "bdist_wheel (0.30.0)", + "license": "MIT", + "metadata_version": "2.0", + "name": "amg", + "summary": "Microsoft Azure Command-Line Tools Azure Managed Grafana Extension", + "version": "1.1.0" + }, + "sha256Digest": "9d6e10ce78bcdeca062ab790a80d62ca1ccaabdb27fca8db891cbf3cec2835a0" } ], "application-insights": [ @@ -9515,11 +9602,11 @@ ], "arcappliance": [ { - "downloadUrl": "https://arcplatformcliextprod.blob.core.windows.net/arcappliance/arcappliance-0.2.16-py2.py3-none-any.whl", - "filename": "arcappliance-0.2.16-py2.py3-none-any.whl", + "downloadUrl": "https://arcplatformcliextprod.blob.core.windows.net/arcappliance/arcappliance-0.2.27-py2.py3-none-any.whl", + "filename": "arcappliance-0.2.27-py2.py3-none-any.whl", "metadata": { "azext.isPreview": true, - "azext.minCliCoreVersion": "2.0.67", + "azext.minCliCoreVersion": "2.39.0", "classifiers": [ "Development Status :: 4 - Beta", "Intended Audience :: Developers", @@ -9562,16 +9649,16 @@ } ], "summary": "Microsoft Azure Command-Line Tools Arcappliance Extension", - "version": "0.2.16" + "version": "0.2.27" }, - "sha256Digest": "3f528b71c913ba0daf69fd048211ccf52428a2c8f9f48d39281d3b9fc88c0c06" + "sha256Digest": "ac083e353e6b9a308df6723b9e759fbf8f4cec4694a4779d722ddd42c0132ada" }, { - "downloadUrl": "https://arcplatformcliextprod.blob.core.windows.net/arcappliance/arcappliance-0.2.23-py2.py3-none-any.whl", - "filename": "arcappliance-0.2.23-py2.py3-none-any.whl", + "downloadUrl": "https://arcplatformcliextprod.blob.core.windows.net/arcappliance/arcappliance-0.2.28-py2.py3-none-any.whl", + "filename": "arcappliance-0.2.28-py2.py3-none-any.whl", "metadata": { "azext.isPreview": true, - "azext.minCliCoreVersion": "2.0.67", + "azext.minCliCoreVersion": "2.41.0", "classifiers": [ "Development Status :: 4 - Beta", "Intended Audience :: Developers", @@ -9614,16 +9701,16 @@ } ], "summary": "Microsoft Azure Command-Line Tools Arcappliance Extension", - "version": "0.2.23" + "version": "0.2.28" }, - "sha256Digest": "f65ea31e60c8576137f8abef556c365bea8cbf50f1650b9e4375fdc8ba7a0b1e" + "sha256Digest": "d3958a72a58c21092b3a01f04cf8fbb418a34db6c9310e16f41af3447052ed80" }, { - "downloadUrl": "https://arcplatformcliextprod.blob.core.windows.net/arcappliance/arcappliance-0.2.27-py2.py3-none-any.whl", - "filename": "arcappliance-0.2.27-py2.py3-none-any.whl", + "downloadUrl": "https://arcplatformcliextprod.blob.core.windows.net/arcappliance/arcappliance-0.2.29-py2.py3-none-any.whl", + "filename": "arcappliance-0.2.29-py2.py3-none-any.whl", "metadata": { "azext.isPreview": true, - "azext.minCliCoreVersion": "2.39.0", + "azext.minCliCoreVersion": "2.41.0", "classifiers": [ "Development Status :: 4 - Beta", "Intended Audience :: Developers", @@ -9666,13 +9753,13 @@ } ], "summary": "Microsoft Azure Command-Line Tools Arcappliance Extension", - "version": "0.2.27" + "version": "0.2.29" }, - "sha256Digest": "ac083e353e6b9a308df6723b9e759fbf8f4cec4694a4779d722ddd42c0132ada" + "sha256Digest": "3d6f6c2077d902b9a4270bc270c3a010bbcadad13f6079306749d553d8194f4b" }, { - "downloadUrl": "https://arcplatformcliextprod.blob.core.windows.net/arcappliance/arcappliance-0.2.28-py2.py3-none-any.whl", - "filename": "arcappliance-0.2.28-py2.py3-none-any.whl", + "downloadUrl": "https://arcplatformcliextprod.blob.core.windows.net/arcappliance/arcappliance-0.2.30-py2.py3-none-any.whl", + "filename": "arcappliance-0.2.30-py2.py3-none-any.whl", "metadata": { "azext.isPreview": true, "azext.minCliCoreVersion": "2.41.0", @@ -9718,21 +9805,21 @@ } ], "summary": "Microsoft Azure Command-Line Tools Arcappliance Extension", - "version": "0.2.28" + "version": "0.2.30" }, - "sha256Digest": "d3958a72a58c21092b3a01f04cf8fbb418a34db6c9310e16f41af3447052ed80" - }, + "sha256Digest": "18395b15fe6f55604b24e0d46bfa79e216c822ddc169d743dbfe98de2269b84b" + } + ], + "arcdata": [ { - "downloadUrl": "https://arcplatformcliextprod.blob.core.windows.net/arcappliance/arcappliance-0.2.29-py2.py3-none-any.whl", - "filename": "arcappliance-0.2.29-py2.py3-none-any.whl", + "downloadUrl": "https://azurearcdatacli.blob.core.windows.net/cli-extensions/arcdata-1.4.11-py2.py3-none-any.whl", + "filename": "arcdata-1.4.11-py2.py3-none-any.whl", "metadata": { - "azext.isPreview": true, - "azext.minCliCoreVersion": "2.41.0", + "azext.isExperimental": false, + "azext.minCliCoreVersion": "2.3.1", "classifiers": [ - "Development Status :: 4 - Beta", + "Development Status :: 1 - Beta", "Intended Audience :: Developers", - "Intended Audience :: System Administrators", - "Programming Language :: Python", "Programming Language :: Python :: 3", "Programming Language :: Python :: 3.6", "Programming Language :: Python :: 3.7", @@ -9743,7 +9830,7 @@ "python.details": { "contacts": [ { - "email": "appliance@microsoft.com", + "email": "dpgswdist@microsoft.com", "name": "Microsoft Corporation", "role": "author" } @@ -9752,30 +9839,36 @@ "description": "DESCRIPTION.rst" }, "project_urls": { - "Home": "https://msazure.visualstudio.com/AzureArcPlatform/_git/arcappliance-cli-extensions" + "Home": "https://docs.microsoft.com/en-us/azure/azure-arc/data/" } } }, "extras": [], "generator": "bdist_wheel (0.30.0)", "license": "MIT", + "license_file": "LICENSE", "metadata_version": "2.0", - "name": "arcappliance", + "name": "arcdata", "run_requires": [ { "requires": [ + "colorama (==0.4.4)", + "jinja2 (==3.0.3)", + "jsonpatch (==1.24)", + "jsonpath-ng (==1.4.3)", "jsonschema (==3.2.0)", - "kubernetes (==11.0.0)" + "kubernetes (==23.3.0)", + "ndjson (==0.3.1)", + "pem (==21.2.0)", + "pydash (==4.8.0)" ] } ], - "summary": "Microsoft Azure Command-Line Tools Arcappliance Extension", - "version": "0.2.29" + "summary": "Tools for managing ArcData.", + "version": "1.4.11" }, - "sha256Digest": "3d6f6c2077d902b9a4270bc270c3a010bbcadad13f6079306749d553d8194f4b" - } - ], - "arcdata": [ + "sha256Digest": "658b8e1a70644c140d05552f81ba22e04cdf523e48bb0123b83d16ba77369e2f" + }, { "downloadUrl": "https://azurearcdatacli.blob.core.windows.net/cli-extensions/arcdata-1.4.10-py2.py3-none-any.whl", "filename": "arcdata-1.4.10-py2.py3-none-any.whl", @@ -11408,6 +11501,49 @@ "version": "0.1.1" }, "sha256Digest": "0beb143e3ca4f4f9706877d416b07cb9f9796bd696a0a642825d8ca48217edb0" + }, + { + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/authV2-0.1.2-py3-none-any.whl", + "filename": "authV2-0.1.2-py3-none-any.whl", + "metadata": { + "azext.isPreview": false, + "azext.minCliCoreVersion": "2.23.0", + "classifiers": [ + "Development Status :: 4 - Beta", + "Intended Audience :: Developers", + "Intended Audience :: System Administrators", + "Programming Language :: Python", + "Programming Language :: Python :: 3", + "Programming Language :: Python :: 3.6", + "Programming Language :: Python :: 3.7", + "Programming Language :: Python :: 3.8", + "License :: OSI Approved :: MIT License" + ], + "extensions": { + "python.details": { + "contacts": [ + { + "email": "azpycli@microsoft.com", + "name": "Microsoft Corporation", + "role": "author" + } + ], + "document_names": { + "description": "DESCRIPTION.rst" + }, + "project_urls": { + "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/authV2" + } + } + }, + "generator": "bdist_wheel (0.30.0)", + "license": "MIT", + "metadata_version": "2.0", + "name": "authV2", + "summary": "Microsoft Azure Command-Line Tools Authv2 Extension", + "version": "0.1.2" + }, + "sha256Digest": "b98f07b7b669416ef4386d2a0834364a6c8d0278ddfffd35c1be5eb931968d5b" } ], "automanage": [ @@ -11453,24 +11589,22 @@ "version": "0.1.0" }, "sha256Digest": "ca6771604ac50df02682f581b52ca92d775f0fd2f187f627a6bfe62d4fdb6651" - } - ], - "automation": [ + }, { - "downloadUrl": "https://azurecliprod.blob.core.windows.net/cli-extensions/automation-0.1.0-py3-none-any.whl", - "filename": "automation-0.1.0-py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/automanage-0.1.1-py3-none-any.whl", + "filename": "automanage-0.1.1-py3-none-any.whl", "metadata": { - "azext.isExperimental": true, - "azext.minCliCoreVersion": "2.13.0", + "azext.isPreview": true, + "azext.minCliCoreVersion": "2.44.1", "classifiers": [ "Development Status :: 4 - Beta", "Intended Audience :: Developers", "Intended Audience :: System Administrators", "Programming Language :: Python", "Programming Language :: Python :: 3", - "Programming Language :: Python :: 3.6", "Programming Language :: Python :: 3.7", "Programming Language :: Python :: 3.8", + "Programming Language :: Python :: 3.9", "License :: OSI Approved :: MIT License" ], "extensions": { @@ -11486,22 +11620,67 @@ "description": "DESCRIPTION.rst" }, "project_urls": { - "Home": "https://github.com/Azure/azure-cli-extensions/tree/master/src/automation" + "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/automanage" } } }, "generator": "bdist_wheel (0.30.0)", "license": "MIT", "metadata_version": "2.0", - "name": "automation", - "summary": "Microsoft Azure Command-Line Tools AutomationClient Extension", - "version": "0.1.0" + "name": "automanage", + "summary": "Microsoft Azure Command-Line Tools Automanage Extension.", + "version": "0.1.1" }, - "sha256Digest": "779f996ffab9fd76438d8938216fcbeb6f9aecad3a23bd2097731182607e4d7a" + "sha256Digest": "40c62cf4389bc282e4c06d0f2688087efb4a8ca6bb7a2b37fc6befb79dc2c526" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/automation-0.1.1-py3-none-any.whl", - "filename": "automation-0.1.1-py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/automanage-0.1.2-py3-none-any.whl", + "filename": "automanage-0.1.2-py3-none-any.whl", + "metadata": { + "azext.isPreview": true, + "azext.minCliCoreVersion": "2.44.1", + "classifiers": [ + "Development Status :: 4 - Beta", + "Intended Audience :: Developers", + "Intended Audience :: System Administrators", + "Programming Language :: Python", + "Programming Language :: Python :: 3", + "Programming Language :: Python :: 3.7", + "Programming Language :: Python :: 3.8", + "Programming Language :: Python :: 3.9", + "License :: OSI Approved :: MIT License" + ], + "extensions": { + "python.details": { + "contacts": [ + { + "email": "azpycli@microsoft.com", + "name": "Microsoft Corporation", + "role": "author" + } + ], + "document_names": { + "description": "DESCRIPTION.rst" + }, + "project_urls": { + "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/automanage" + } + } + }, + "generator": "bdist_wheel (0.30.0)", + "license": "MIT", + "metadata_version": "2.0", + "name": "automanage", + "summary": "Microsoft Azure Command-Line Tools Automanage Extension.", + "version": "0.1.2" + }, + "sha256Digest": "42341a6cfdacb3af0433b10b3e9bcb5226d4c7fb59730378408a957662266551" + } + ], + "automation": [ + { + "downloadUrl": "https://azurecliprod.blob.core.windows.net/cli-extensions/automation-0.1.0-py3-none-any.whl", + "filename": "automation-0.1.0-py3-none-any.whl", "metadata": { "azext.isExperimental": true, "azext.minCliCoreVersion": "2.13.0", @@ -11538,16 +11717,59 @@ "metadata_version": "2.0", "name": "automation", "summary": "Microsoft Azure Command-Line Tools AutomationClient Extension", - "version": "0.1.1" + "version": "0.1.0" }, - "sha256Digest": "99640d86e3596a806ea2eca6b8f67f02fea74951ffa0606bff60fbfc88da7d6e" + "sha256Digest": "779f996ffab9fd76438d8938216fcbeb6f9aecad3a23bd2097731182607e4d7a" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/automation-0.1.2-py3-none-any.whl", - "filename": "automation-0.1.2-py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/automation-0.1.1-py3-none-any.whl", + "filename": "automation-0.1.1-py3-none-any.whl", "metadata": { "azext.isExperimental": true, - "azext.minCliCoreVersion": "2.39.0", + "azext.minCliCoreVersion": "2.13.0", + "classifiers": [ + "Development Status :: 4 - Beta", + "Intended Audience :: Developers", + "Intended Audience :: System Administrators", + "Programming Language :: Python", + "Programming Language :: Python :: 3", + "Programming Language :: Python :: 3.6", + "Programming Language :: Python :: 3.7", + "Programming Language :: Python :: 3.8", + "License :: OSI Approved :: MIT License" + ], + "extensions": { + "python.details": { + "contacts": [ + { + "email": "azpycli@microsoft.com", + "name": "Microsoft Corporation", + "role": "author" + } + ], + "document_names": { + "description": "DESCRIPTION.rst" + }, + "project_urls": { + "Home": "https://github.com/Azure/azure-cli-extensions/tree/master/src/automation" + } + } + }, + "generator": "bdist_wheel (0.30.0)", + "license": "MIT", + "metadata_version": "2.0", + "name": "automation", + "summary": "Microsoft Azure Command-Line Tools AutomationClient Extension", + "version": "0.1.1" + }, + "sha256Digest": "99640d86e3596a806ea2eca6b8f67f02fea74951ffa0606bff60fbfc88da7d6e" + }, + { + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/automation-0.1.2-py3-none-any.whl", + "filename": "automation-0.1.2-py3-none-any.whl", + "metadata": { + "azext.isExperimental": true, + "azext.minCliCoreVersion": "2.39.0", "classifiers": [ "Development Status :: 4 - Beta", "Intended Audience :: Developers", @@ -14715,6 +14937,85 @@ "version": "0.19.0" }, "sha256Digest": "e1dded53fc9e298a1ef7e1fcbf3399517e3be015785ba526c26d1584064a4fe0" + }, + { + "downloadUrl": "https://github.com/Azure/azure-iot-cli-extension/releases/download/v0.19.1/azure_iot-0.19.1-py3-none-any.whl", + "filename": "azure_iot-0.19.1-py3-none-any.whl", + "metadata": { + "azext.minCliCoreVersion": "2.32.0", + "classifiers": [ + "Development Status :: 4 - Beta", + "Intended Audience :: Developers", + "Intended Audience :: System Administrators", + "Programming Language :: Python", + "Programming Language :: Python :: 3 :: Only", + "Programming Language :: Python :: 3", + "Programming Language :: Python :: 3.7", + "Programming Language :: Python :: 3.8", + "Programming Language :: Python :: 3.9", + "Programming Language :: Python :: 3.10", + "License :: OSI Approved :: MIT License" + ], + "extensions": { + "python.details": { + "contacts": [ + { + "email": "iotupx@microsoft.com", + "name": "Microsoft", + "role": "author" + } + ], + "document_names": { + "description": "DESCRIPTION.rst" + }, + "project_urls": { + "Home": "https://github.com/azure/azure-iot-cli-extension" + } + } + }, + "extras": [ + "uamqp" + ], + "generator": "bdist_wheel (0.30.0)", + "license": "MIT", + "metadata_version": "2.0", + "name": "azure-iot", + "requires_python": ">=3.7", + "run_requires": [ + { + "requires": [ + "azure-core (<2.0.0,>=1.24.0)", + "azure-identity (<2.0.0,>=1.6.1)", + "azure-iot-device (~=2.11)", + "azure-mgmt-core (<2.0.0,>=1.3.0)", + "azure-storage-blob (<13.0.0,>=12.14.0)", + "jsonschema (~=3.2.0)", + "msrest (>=0.6.21)", + "msrestazure (<2.0.0,>=0.6.3)", + "packaging", + "tomli (~=2.0)", + "tomli-w (~=1.0)", + "tqdm (~=4.62)", + "treelib (~=1.6)" + ] + }, + { + "extra": "uamqp", + "requires": [ + "uamqp (~=1.2)" + ] + }, + { + "environment": "python_version < \"3.8\"", + "requires": [ + "importlib-metadata" + ] + } + ], + "summary": "The Azure IoT extension for Azure CLI.", + "version": "0.19.1" + }, + "sha256Digest": "685c526081ce60fa2188106cd71c9412ee4765d5d74f3f0dce53466bdd9df15e" } ], "azurestackhci": [ @@ -15106,6 +15407,92 @@ "version": "0.1.0" }, "sha256Digest": "8a3ab4753d4c5be5306ff7102a962d9a3c6e867e0cfc50d628823af3c4cb4f31" + }, + { + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/bastion-0.2.0-py3-none-any.whl", + "filename": "bastion-0.2.0-py3-none-any.whl", + "metadata": { + "azext.isPreview": true, + "azext.minCliCoreVersion": "2.43.0", + "classifiers": [ + "Development Status :: 4 - Beta", + "Intended Audience :: Developers", + "Intended Audience :: System Administrators", + "Programming Language :: Python", + "Programming Language :: Python :: 3", + "Programming Language :: Python :: 3.7", + "Programming Language :: Python :: 3.8", + "Programming Language :: Python :: 3.9", + "License :: OSI Approved :: MIT License" + ], + "extensions": { + "python.details": { + "contacts": [ + { + "email": "azpycli@microsoft.com", + "name": "Microsoft Corporation", + "role": "author" + } + ], + "document_names": { + "description": "DESCRIPTION.rst" + }, + "project_urls": { + "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/bastion" + } + } + }, + "generator": "bdist_wheel (0.30.0)", + "license": "MIT", + "metadata_version": "2.0", + "name": "bastion", + "summary": "Microsoft Azure Command-Line Tools Bastion Extension.", + "version": "0.2.0" + }, + "sha256Digest": "97cfe1c32304e23317d06afa627718759b08fa4e7a653fff54a4bd03cfd28b22" + }, + { + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/bastion-0.2.1-py3-none-any.whl", + "filename": "bastion-0.2.1-py3-none-any.whl", + "metadata": { + "azext.isPreview": true, + "azext.minCliCoreVersion": "2.43.0", + "classifiers": [ + "Development Status :: 4 - Beta", + "Intended Audience :: Developers", + "Intended Audience :: System Administrators", + "Programming Language :: Python", + "Programming Language :: Python :: 3", + "Programming Language :: Python :: 3.7", + "Programming Language :: Python :: 3.8", + "Programming Language :: Python :: 3.9", + "License :: OSI Approved :: MIT License" + ], + "extensions": { + "python.details": { + "contacts": [ + { + "email": "azpycli@microsoft.com", + "name": "Microsoft Corporation", + "role": "author" + } + ], + "document_names": { + "description": "DESCRIPTION.rst" + }, + "project_urls": { + "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/bastion" + } + } + }, + "generator": "bdist_wheel (0.30.0)", + "license": "MIT", + "metadata_version": "2.0", + "name": "bastion", + "summary": "Microsoft Azure Command-Line Tools Bastion Extension.", + "version": "0.2.1" + }, + "sha256Digest": "5eae321c2da7598d58e2f7b3c7ce9c2ceaa478ddc677fcc2f2cbaf9db5d9990b" } ], "billing-benefits": [ @@ -16293,9 +16680,178 @@ } ], "summary": "Microsoft Azure Command-Line Tools CommunicationServiceManagementClient Extension", - "version": "1.4.1" + "version": "1.4.1" + }, + "sha256Digest": "f3b8d6812151f45bd12be1f7e567a857ed13e822f5471965449e1212853481d1" + }, + { + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/communication-1.5.0-py3-none-any.whl", + "filename": "communication-1.5.0-py3-none-any.whl", + "metadata": { + "azext.minCliCoreVersion": "2.40.0", + "classifiers": [ + "Development Status :: 4 - Beta", + "Intended Audience :: Developers", + "Intended Audience :: System Administrators", + "Programming Language :: Python", + "Programming Language :: Python :: 3", + "Programming Language :: Python :: 3.7", + "Programming Language :: Python :: 3.8", + "License :: OSI Approved :: MIT License" + ], + "extensions": { + "python.details": { + "contacts": [ + { + "email": "azpycli@microsoft.com", + "name": "Microsoft Corporation", + "role": "author" + } + ], + "document_names": { + "description": "DESCRIPTION.rst" + }, + "project_urls": { + "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/communication" + } + } + }, + "extras": [], + "generator": "bdist_wheel (0.30.0)", + "license": "MIT", + "metadata_version": "2.0", + "name": "communication", + "requires_python": ">=3.7", + "run_requires": [ + { + "requires": [ + "azure-communication-chat", + "azure-communication-email (>=1.0.0b1)", + "azure-communication-identity (>=1.2.0)", + "azure-communication-phonenumbers", + "azure-communication-rooms", + "azure-communication-sms", + "azure-core" + ] + } + ], + "summary": "Microsoft Azure Command-Line Tools CommunicationServiceManagementClient Extension", + "version": "1.5.0" + }, + "sha256Digest": "74e52d38fe0e14c66992c44f265fae7a2cf89ee64a33e402c217defbd1f2e28c" + }, + { + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/communication-1.5.1-py3-none-any.whl", + "filename": "communication-1.5.1-py3-none-any.whl", + "metadata": { + "azext.minCliCoreVersion": "2.40.0", + "classifiers": [ + "Development Status :: 4 - Beta", + "Intended Audience :: Developers", + "Intended Audience :: System Administrators", + "Programming Language :: Python", + "Programming Language :: Python :: 3", + "Programming Language :: Python :: 3.7", + "Programming Language :: Python :: 3.8", + "License :: OSI Approved :: MIT License" + ], + "extensions": { + "python.details": { + "contacts": [ + { + "email": "azpycli@microsoft.com", + "name": "Microsoft Corporation", + "role": "author" + } + ], + "document_names": { + "description": "DESCRIPTION.rst" + }, + "project_urls": { + "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/communication" + } + } + }, + "extras": [], + "generator": "bdist_wheel (0.30.0)", + "license": "MIT", + "metadata_version": "2.0", + "name": "communication", + "requires_python": ">=3.7", + "run_requires": [ + { + "requires": [ + "azure-communication-chat", + "azure-communication-email (>=1.0.0b1)", + "azure-communication-identity (>=1.2.0)", + "azure-communication-phonenumbers", + "azure-communication-rooms", + "azure-communication-sms", + "azure-core" + ] + } + ], + "summary": "Microsoft Azure Command-Line Tools CommunicationServiceManagementClient Extension", + "version": "1.5.1" }, - "sha256Digest": "f3b8d6812151f45bd12be1f7e567a857ed13e822f5471965449e1212853481d1" + "sha256Digest": "04aadad0932fb25c5491396c367c10d948930aa8c65398c9b5ba0a5bdfa41ca4" + } + ], + "confcom": [ + { + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/confcom-0.2.10-py3-none-any.whl", + "filename": "confcom-0.2.10-py3-none-any.whl", + "metadata": { + "azext.isPreview": true, + "azext.minCliCoreVersion": "2.26.2", + "classifiers": [ + "Development Status :: 4 - Beta", + "Intended Audience :: Developers", + "Intended Audience :: System Administrators", + "Programming Language :: Python", + "Programming Language :: Python :: 3", + "Programming Language :: Python :: 3.6", + "Programming Language :: Python :: 3.7", + "Programming Language :: Python :: 3.8", + "Programming Language :: Python :: 3.9", + "Programming Language :: Python :: 3.10", + "License :: OSI Approved :: MIT License" + ], + "extensions": { + "python.details": { + "contacts": [ + { + "email": "acccli@microsoft.com", + "name": "Microsoft Corporation", + "role": "author" + } + ], + "document_names": { + "description": "DESCRIPTION.rst" + }, + "project_urls": { + "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/confcom" + } + } + }, + "extras": [], + "generator": "bdist_wheel (0.30.0)", + "license": "MIT", + "metadata_version": "2.0", + "name": "confcom", + "run_requires": [ + { + "requires": [ + "deepdiff", + "docker", + "tqdm" + ] + } + ], + "summary": "Microsoft Azure Command-Line Tools Confidential Container Security Policy Generator Extension", + "version": "0.2.10" + }, + "sha256Digest": "c464da586646d3616fe501de68c0ada6c56448532d541bc5386d0a60f7719286" } ], "confidentialledger": [ @@ -18010,20 +18566,228 @@ { "requires": [ "kubernetes (==11.0.0)", - "pycryptodome (==3.9.8)" + "pycryptodome (==3.9.8)" + ] + } + ], + "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", + "version": "1.2.5" + }, + "sha256Digest": "fd0bc6f534e5a9e72fe6585031eeb29655d05f2cac4f505804bc6052a52c5fcd" + }, + { + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.2.6-py2.py3-none-any.whl", + "filename": "connectedk8s-1.2.6-py2.py3-none-any.whl", + "metadata": { + "azext.minCliCoreVersion": "2.23.0", + "classifiers": [ + "Development Status :: 4 - Beta", + "Intended Audience :: Developers", + "Intended Audience :: System Administrators", + "Programming Language :: Python", + "Programming Language :: Python :: 3", + "Programming Language :: Python :: 3.6", + "Programming Language :: Python :: 3.7", + "Programming Language :: Python :: 3.8", + "License :: OSI Approved :: MIT License" + ], + "description_content_type": "text/markdown", + "extensions": { + "python.details": { + "contacts": [ + { + "email": "k8connect@microsoft.com", + "name": "Microsoft Corporation", + "role": "author" + } + ], + "document_names": { + "description": "DESCRIPTION.rst" + }, + "project_urls": { + "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/connectedk8s" + } + } + }, + "extras": [], + "generator": "bdist_wheel (0.30.0)", + "license": "MIT", + "metadata_version": "2.0", + "name": "connectedk8s", + "run_requires": [ + { + "requires": [ + "kubernetes (==11.0.0)", + "pycryptodome (==3.9.8)" + ] + } + ], + "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", + "version": "1.2.6" + }, + "sha256Digest": "473e31ada7636316304b2a39a76654722a0f5409bf8a2ffddf196ccc42df10a4" + }, + { + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.2.7-py2.py3-none-any.whl", + "filename": "connectedk8s-1.2.7-py2.py3-none-any.whl", + "metadata": { + "azext.minCliCoreVersion": "2.16.0", + "classifiers": [ + "Development Status :: 4 - Beta", + "Intended Audience :: Developers", + "Intended Audience :: System Administrators", + "Programming Language :: Python", + "Programming Language :: Python :: 3", + "Programming Language :: Python :: 3.6", + "Programming Language :: Python :: 3.7", + "Programming Language :: Python :: 3.8", + "License :: OSI Approved :: MIT License" + ], + "description_content_type": "text/markdown", + "extensions": { + "python.details": { + "contacts": [ + { + "email": "k8connect@microsoft.com", + "name": "Microsoft Corporation", + "role": "author" + } + ], + "document_names": { + "description": "DESCRIPTION.rst" + }, + "project_urls": { + "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/connectedk8s" + } + } + }, + "extras": [], + "generator": "bdist_wheel (0.30.0)", + "license": "MIT", + "metadata_version": "2.0", + "name": "connectedk8s", + "run_requires": [ + { + "requires": [ + "kubernetes (==11.0.0)", + "pycryptodome (==3.9.8)" + ] + } + ], + "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", + "version": "1.2.7" + }, + "sha256Digest": "3f13d1b95c89865a8bdc0d40323956d599305892a54085e1115866b429ab2fa1" + }, + { + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.2.8-py2.py3-none-any.whl", + "filename": "connectedk8s-1.2.8-py2.py3-none-any.whl", + "metadata": { + "azext.minCliCoreVersion": "2.16.0", + "classifiers": [ + "Development Status :: 4 - Beta", + "Intended Audience :: Developers", + "Intended Audience :: System Administrators", + "Programming Language :: Python", + "Programming Language :: Python :: 3", + "Programming Language :: Python :: 3.6", + "Programming Language :: Python :: 3.7", + "Programming Language :: Python :: 3.8", + "License :: OSI Approved :: MIT License" + ], + "description_content_type": "text/markdown", + "extensions": { + "python.details": { + "contacts": [ + { + "email": "k8connect@microsoft.com", + "name": "Microsoft Corporation", + "role": "author" + } + ], + "document_names": { + "description": "DESCRIPTION.rst" + }, + "project_urls": { + "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/connectedk8s" + } + } + }, + "extras": [], + "generator": "bdist_wheel (0.30.0)", + "license": "MIT", + "metadata_version": "2.0", + "name": "connectedk8s", + "run_requires": [ + { + "requires": [ + "kubernetes (==11.0.0)", + "pycryptodome (==3.14.1)" + ] + } + ], + "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", + "version": "1.2.8" + }, + "sha256Digest": "df97793b98a0f8e2e70f8a7942c6d65b9e581c54cf3f7632d4c48f01b2426a09" + }, + { + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.2.9-py2.py3-none-any.whl", + "filename": "connectedk8s-1.2.9-py2.py3-none-any.whl", + "metadata": { + "azext.minCliCoreVersion": "2.16.0", + "classifiers": [ + "Development Status :: 4 - Beta", + "Intended Audience :: Developers", + "Intended Audience :: System Administrators", + "Programming Language :: Python", + "Programming Language :: Python :: 3", + "Programming Language :: Python :: 3.6", + "Programming Language :: Python :: 3.7", + "Programming Language :: Python :: 3.8", + "License :: OSI Approved :: MIT License" + ], + "description_content_type": "text/markdown", + "extensions": { + "python.details": { + "contacts": [ + { + "email": "k8connect@microsoft.com", + "name": "Microsoft Corporation", + "role": "author" + } + ], + "document_names": { + "description": "DESCRIPTION.rst" + }, + "project_urls": { + "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/connectedk8s" + } + } + }, + "extras": [], + "generator": "bdist_wheel (0.30.0)", + "license": "MIT", + "metadata_version": "2.0", + "name": "connectedk8s", + "run_requires": [ + { + "requires": [ + "kubernetes (==11.0.0)", + "pycryptodome (==3.14.1)" ] } ], "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", - "version": "1.2.5" + "version": "1.2.9" }, - "sha256Digest": "fd0bc6f534e5a9e72fe6585031eeb29655d05f2cac4f505804bc6052a52c5fcd" + "sha256Digest": "06cb4e2aa841abeb712b9e564748c28b14cc49cc30cd65b05730f633120c7666" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.2.6-py2.py3-none-any.whl", - "filename": "connectedk8s-1.2.6-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.2.10-py2.py3-none-any.whl", + "filename": "connectedk8s-1.2.10-py2.py3-none-any.whl", "metadata": { - "azext.minCliCoreVersion": "2.23.0", + "azext.minCliCoreVersion": "2.16.0", "classifiers": [ "Development Status :: 4 - Beta", "Intended Audience :: Developers", @@ -18062,18 +18826,18 @@ { "requires": [ "kubernetes (==11.0.0)", - "pycryptodome (==3.9.8)" + "pycryptodome (==3.14.1)" ] } ], "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", - "version": "1.2.6" + "version": "1.2.10" }, - "sha256Digest": "473e31ada7636316304b2a39a76654722a0f5409bf8a2ffddf196ccc42df10a4" + "sha256Digest": "f470e60e651201635e358411d9e07f0a9519fa059ca33f5543a9bff2982d8998" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.2.7-py2.py3-none-any.whl", - "filename": "connectedk8s-1.2.7-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.2.11-py2.py3-none-any.whl", + "filename": "connectedk8s-1.2.11-py2.py3-none-any.whl", "metadata": { "azext.minCliCoreVersion": "2.16.0", "classifiers": [ @@ -18114,18 +18878,18 @@ { "requires": [ "kubernetes (==11.0.0)", - "pycryptodome (==3.9.8)" + "pycryptodome (==3.14.1)" ] } ], "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", - "version": "1.2.7" + "version": "1.2.11" }, - "sha256Digest": "3f13d1b95c89865a8bdc0d40323956d599305892a54085e1115866b429ab2fa1" + "sha256Digest": "0cc9fb7514b040ec8deb4269282c16a1d382c95a3b3a7def04ed6e795f85d62d" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.2.8-py2.py3-none-any.whl", - "filename": "connectedk8s-1.2.8-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.0-py2.py3-none-any.whl", + "filename": "connectedk8s-1.3.0-py2.py3-none-any.whl", "metadata": { "azext.minCliCoreVersion": "2.16.0", "classifiers": [ @@ -18165,21 +18929,22 @@ "run_requires": [ { "requires": [ + "azure-mgmt-hybridcompute (==7.0.0)", "kubernetes (==11.0.0)", "pycryptodome (==3.14.1)" ] } ], "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", - "version": "1.2.8" + "version": "1.3.0" }, - "sha256Digest": "df97793b98a0f8e2e70f8a7942c6d65b9e581c54cf3f7632d4c48f01b2426a09" + "sha256Digest": "c3edd32939e90e2b1cb9af32e46c065cfa0cb869f1d5438fbab9d77215513b2a" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.2.9-py2.py3-none-any.whl", - "filename": "connectedk8s-1.2.9-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.1-py2.py3-none-any.whl", + "filename": "connectedk8s-1.3.1-py2.py3-none-any.whl", "metadata": { - "azext.minCliCoreVersion": "2.16.0", + "azext.minCliCoreVersion": "2.30.0", "classifiers": [ "Development Status :: 4 - Beta", "Intended Audience :: Developers", @@ -18217,21 +18982,22 @@ "run_requires": [ { "requires": [ + "azure-mgmt-hybridcompute (==7.0.0)", "kubernetes (==11.0.0)", "pycryptodome (==3.14.1)" ] } ], "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", - "version": "1.2.9" + "version": "1.3.1" }, - "sha256Digest": "06cb4e2aa841abeb712b9e564748c28b14cc49cc30cd65b05730f633120c7666" + "sha256Digest": "b728b34c4c3edf32744d092cd915f62f4d4898e959214014905807c136518e94" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.2.10-py2.py3-none-any.whl", - "filename": "connectedk8s-1.2.10-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.2-py2.py3-none-any.whl", + "filename": "connectedk8s-1.3.2-py2.py3-none-any.whl", "metadata": { - "azext.minCliCoreVersion": "2.16.0", + "azext.minCliCoreVersion": "2.30.0", "classifiers": [ "Development Status :: 4 - Beta", "Intended Audience :: Developers", @@ -18269,21 +19035,22 @@ "run_requires": [ { "requires": [ + "azure-mgmt-hybridcompute (==7.0.0)", "kubernetes (==11.0.0)", "pycryptodome (==3.14.1)" ] } ], "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", - "version": "1.2.10" + "version": "1.3.2" }, - "sha256Digest": "f470e60e651201635e358411d9e07f0a9519fa059ca33f5543a9bff2982d8998" + "sha256Digest": "e392698b2f1f7a545f0f0c40cca2c17ba74cdd47db2299b7eaea1d3e0b6595a9" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.2.11-py2.py3-none-any.whl", - "filename": "connectedk8s-1.2.11-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.3-py2.py3-none-any.whl", + "filename": "connectedk8s-1.3.3-py2.py3-none-any.whl", "metadata": { - "azext.minCliCoreVersion": "2.16.0", + "azext.minCliCoreVersion": "2.30.0", "classifiers": [ "Development Status :: 4 - Beta", "Intended Audience :: Developers", @@ -18321,21 +19088,22 @@ "run_requires": [ { "requires": [ + "azure-mgmt-hybridcompute (==7.0.0)", "kubernetes (==11.0.0)", "pycryptodome (==3.14.1)" ] } ], "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", - "version": "1.2.11" + "version": "1.3.3" }, - "sha256Digest": "0cc9fb7514b040ec8deb4269282c16a1d382c95a3b3a7def04ed6e795f85d62d" + "sha256Digest": "1a42dd74a1c4d8552ed57112314da641a8e78acc1ba7ec763ebecc390b5aaf9c" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.0-py2.py3-none-any.whl", - "filename": "connectedk8s-1.3.0-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.4-py2.py3-none-any.whl", + "filename": "connectedk8s-1.3.4-py2.py3-none-any.whl", "metadata": { - "azext.minCliCoreVersion": "2.16.0", + "azext.minCliCoreVersion": "2.30.0", "classifiers": [ "Development Status :: 4 - Beta", "Intended Audience :: Developers", @@ -18380,15 +19148,15 @@ } ], "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", - "version": "1.3.0" + "version": "1.3.4" }, - "sha256Digest": "c3edd32939e90e2b1cb9af32e46c065cfa0cb869f1d5438fbab9d77215513b2a" + "sha256Digest": "83ed63bb821ae47b944b6d2e4894229bfc76e9b0cefec8b73a0c74f9ea44e833" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.1-py2.py3-none-any.whl", - "filename": "connectedk8s-1.3.1-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.5-py2.py3-none-any.whl", + "filename": "connectedk8s-1.3.5-py2.py3-none-any.whl", "metadata": { - "azext.minCliCoreVersion": "2.30.0", + "azext.minCliCoreVersion": "2.38.0", "classifiers": [ "Development Status :: 4 - Beta", "Intended Audience :: Developers", @@ -18427,21 +19195,21 @@ { "requires": [ "azure-mgmt-hybridcompute (==7.0.0)", - "kubernetes (==11.0.0)", + "kubernetes (==24.2.0)", "pycryptodome (==3.14.1)" ] } ], "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", - "version": "1.3.1" + "version": "1.3.5" }, - "sha256Digest": "b728b34c4c3edf32744d092cd915f62f4d4898e959214014905807c136518e94" + "sha256Digest": "17ba7dd032c87e7ff4b9cce298dd81171e6e75bcfe2912f7c2f3cd1f55c00d11" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.2-py2.py3-none-any.whl", - "filename": "connectedk8s-1.3.2-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.6-py2.py3-none-any.whl", + "filename": "connectedk8s-1.3.6-py2.py3-none-any.whl", "metadata": { - "azext.minCliCoreVersion": "2.30.0", + "azext.minCliCoreVersion": "2.38.0", "classifiers": [ "Development Status :: 4 - Beta", "Intended Audience :: Developers", @@ -18480,21 +19248,21 @@ { "requires": [ "azure-mgmt-hybridcompute (==7.0.0)", - "kubernetes (==11.0.0)", + "kubernetes (==24.2.0)", "pycryptodome (==3.14.1)" ] } ], "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", - "version": "1.3.2" + "version": "1.3.6" }, - "sha256Digest": "e392698b2f1f7a545f0f0c40cca2c17ba74cdd47db2299b7eaea1d3e0b6595a9" + "sha256Digest": "5c0c55940802239372608d9c7faf1c76e4f2f2fef5ebbd36be7011ae854a7563" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.3-py2.py3-none-any.whl", - "filename": "connectedk8s-1.3.3-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.7-py2.py3-none-any.whl", + "filename": "connectedk8s-1.3.7-py2.py3-none-any.whl", "metadata": { - "azext.minCliCoreVersion": "2.30.0", + "azext.minCliCoreVersion": "2.38.0", "classifiers": [ "Development Status :: 4 - Beta", "Intended Audience :: Developers", @@ -18533,21 +19301,21 @@ { "requires": [ "azure-mgmt-hybridcompute (==7.0.0)", - "kubernetes (==11.0.0)", + "kubernetes (==24.2.0)", "pycryptodome (==3.14.1)" ] } ], "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", - "version": "1.3.3" + "version": "1.3.7" }, - "sha256Digest": "1a42dd74a1c4d8552ed57112314da641a8e78acc1ba7ec763ebecc390b5aaf9c" + "sha256Digest": "5a62c4c4e6e27e0e9f5522b12118ce5dcb227fd42f2ac03495cafd8fd9a3bcba" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.4-py2.py3-none-any.whl", - "filename": "connectedk8s-1.3.4-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.8-py2.py3-none-any.whl", + "filename": "connectedk8s-1.3.8-py2.py3-none-any.whl", "metadata": { - "azext.minCliCoreVersion": "2.30.0", + "azext.minCliCoreVersion": "2.38.0", "classifiers": [ "Development Status :: 4 - Beta", "Intended Audience :: Developers", @@ -18586,19 +19354,19 @@ { "requires": [ "azure-mgmt-hybridcompute (==7.0.0)", - "kubernetes (==11.0.0)", + "kubernetes (==24.2.0)", "pycryptodome (==3.14.1)" ] } ], "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", - "version": "1.3.4" + "version": "1.3.8" }, - "sha256Digest": "83ed63bb821ae47b944b6d2e4894229bfc76e9b0cefec8b73a0c74f9ea44e833" + "sha256Digest": "a2ca94688926fb98cece7b8624c5dd7cf9e6ae69eeb1bc9f1dd525ae1abdc95e" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.5-py2.py3-none-any.whl", - "filename": "connectedk8s-1.3.5-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.9-py2.py3-none-any.whl", + "filename": "connectedk8s-1.3.9-py2.py3-none-any.whl", "metadata": { "azext.minCliCoreVersion": "2.38.0", "classifiers": [ @@ -18645,13 +19413,13 @@ } ], "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", - "version": "1.3.5" + "version": "1.3.9" }, - "sha256Digest": "17ba7dd032c87e7ff4b9cce298dd81171e6e75bcfe2912f7c2f3cd1f55c00d11" + "sha256Digest": "ad770af71a013785229d287705580e6b9815cafb7e10fb09c07b917baba813a0" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.6-py2.py3-none-any.whl", - "filename": "connectedk8s-1.3.6-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.10-py2.py3-none-any.whl", + "filename": "connectedk8s-1.3.10-py2.py3-none-any.whl", "metadata": { "azext.minCliCoreVersion": "2.38.0", "classifiers": [ @@ -18698,13 +19466,13 @@ } ], "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", - "version": "1.3.6" + "version": "1.3.10" }, - "sha256Digest": "5c0c55940802239372608d9c7faf1c76e4f2f2fef5ebbd36be7011ae854a7563" + "sha256Digest": "e2c5055b87d3529d90574e67988e7cf7efabf8ce3515bb2e1017ae613bcc89a1" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.7-py2.py3-none-any.whl", - "filename": "connectedk8s-1.3.7-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.11-py2.py3-none-any.whl", + "filename": "connectedk8s-1.3.11-py2.py3-none-any.whl", "metadata": { "azext.minCliCoreVersion": "2.38.0", "classifiers": [ @@ -18751,13 +19519,13 @@ } ], "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", - "version": "1.3.7" + "version": "1.3.11" }, - "sha256Digest": "5a62c4c4e6e27e0e9f5522b12118ce5dcb227fd42f2ac03495cafd8fd9a3bcba" + "sha256Digest": "1587e042d7e37ca66d7cdff96f06f334e388e01689efdbf1622daff5d56182e1" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.8-py2.py3-none-any.whl", - "filename": "connectedk8s-1.3.8-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.12-py2.py3-none-any.whl", + "filename": "connectedk8s-1.3.12-py2.py3-none-any.whl", "metadata": { "azext.minCliCoreVersion": "2.38.0", "classifiers": [ @@ -18804,13 +19572,13 @@ } ], "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", - "version": "1.3.8" + "version": "1.3.12" }, - "sha256Digest": "a2ca94688926fb98cece7b8624c5dd7cf9e6ae69eeb1bc9f1dd525ae1abdc95e" + "sha256Digest": "1b2613fe1d4a12eb5cdcf3d57189d4a3213d572fdf0c67146d8d7cd5910190ac" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.9-py2.py3-none-any.whl", - "filename": "connectedk8s-1.3.9-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.13-py2.py3-none-any.whl", + "filename": "connectedk8s-1.3.13-py2.py3-none-any.whl", "metadata": { "azext.minCliCoreVersion": "2.38.0", "classifiers": [ @@ -18857,9 +19625,9 @@ } ], "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", - "version": "1.3.9" + "version": "1.3.13" }, - "sha256Digest": "ad770af71a013785229d287705580e6b9815cafb7e10fb09c07b917baba813a0" + "sha256Digest": "6e145db641dd77cd5d73271562f74f70d9bc4171bec05449b7722d54eb1e0ba2" } ], "connectedmachine": [ @@ -20555,13 +21323,121 @@ } ], "summary": "Microsoft Azure Command-Line Tools Containerapp Extension", - "version": "0.3.15" + "version": "0.3.15" + }, + "sha256Digest": "fab4b6bbed951ad7e94b50af4e169ece562379b91a7ca3fae1987ebed01470e4" + }, + { + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/containerapp-0.3.16-py2.py3-none-any.whl", + "filename": "containerapp-0.3.16-py2.py3-none-any.whl", + "metadata": { + "azext.isPreview": true, + "azext.minCliCoreVersion": "2.37.0", + "classifiers": [ + "Development Status :: 4 - Beta", + "Intended Audience :: Developers", + "Intended Audience :: System Administrators", + "Programming Language :: Python", + "Programming Language :: Python :: 3", + "Programming Language :: Python :: 3.6", + "Programming Language :: Python :: 3.7", + "Programming Language :: Python :: 3.8", + "Programming Language :: Python :: 3.9", + "Programming Language :: Python :: 3.10", + "License :: OSI Approved :: MIT License" + ], + "extensions": { + "python.details": { + "contacts": [ + { + "email": "azpycli@microsoft.com", + "name": "Microsoft Corporation", + "role": "author" + } + ], + "document_names": { + "description": "DESCRIPTION.rst" + }, + "project_urls": { + "Home": "https://github.com/Azure/azure-cli-extensions" + } + } + }, + "extras": [], + "generator": "bdist_wheel (0.30.0)", + "license": "MIT", + "metadata_version": "2.0", + "name": "containerapp", + "run_requires": [ + { + "requires": [ + "azure-cli-core", + "pycomposefile (>=0.0.29)" + ] + } + ], + "summary": "Microsoft Azure Command-Line Tools Containerapp Extension", + "version": "0.3.16" + }, + "sha256Digest": "de6bddcca942bbb447c680148c22ce12f7f0279b6437c839f9ad82db3e3062fe" + }, + { + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/containerapp-0.3.17-py2.py3-none-any.whl", + "filename": "containerapp-0.3.17-py2.py3-none-any.whl", + "metadata": { + "azext.isPreview": true, + "azext.minCliCoreVersion": "2.37.0", + "classifiers": [ + "Development Status :: 4 - Beta", + "Intended Audience :: Developers", + "Intended Audience :: System Administrators", + "Programming Language :: Python", + "Programming Language :: Python :: 3", + "Programming Language :: Python :: 3.6", + "Programming Language :: Python :: 3.7", + "Programming Language :: Python :: 3.8", + "Programming Language :: Python :: 3.9", + "Programming Language :: Python :: 3.10", + "License :: OSI Approved :: MIT License" + ], + "extensions": { + "python.details": { + "contacts": [ + { + "email": "azpycli@microsoft.com", + "name": "Microsoft Corporation", + "role": "author" + } + ], + "document_names": { + "description": "DESCRIPTION.rst" + }, + "project_urls": { + "Home": "https://github.com/Azure/azure-cli-extensions" + } + } + }, + "extras": [], + "generator": "bdist_wheel (0.30.0)", + "license": "MIT", + "metadata_version": "2.0", + "name": "containerapp", + "run_requires": [ + { + "requires": [ + "azure-cli-core", + "pycomposefile (>=0.0.29)" + ] + } + ], + "summary": "Microsoft Azure Command-Line Tools Containerapp Extension", + "version": "0.3.17" }, - "sha256Digest": "fab4b6bbed951ad7e94b50af4e169ece562379b91a7ca3fae1987ebed01470e4" + "sha256Digest": "08afc8c17a73d4a910d210a8863a7822de732e2a763d5ef7c2971fc1a9bbf9e8" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/containerapp-0.3.16-py2.py3-none-any.whl", - "filename": "containerapp-0.3.16-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/containerapp-0.3.18-py2.py3-none-any.whl", + "filename": "containerapp-0.3.18-py2.py3-none-any.whl", "metadata": { "azext.isPreview": true, "azext.minCliCoreVersion": "2.37.0", @@ -20609,13 +21485,13 @@ } ], "summary": "Microsoft Azure Command-Line Tools Containerapp Extension", - "version": "0.3.16" + "version": "0.3.18" }, - "sha256Digest": "de6bddcca942bbb447c680148c22ce12f7f0279b6437c839f9ad82db3e3062fe" + "sha256Digest": "2f86a9d6eae01dd16801576febf29f42dbb5c1b11ce6a4d461df1804c735f386" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/containerapp-0.3.17-py2.py3-none-any.whl", - "filename": "containerapp-0.3.17-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/containerapp-0.3.19-py2.py3-none-any.whl", + "filename": "containerapp-0.3.19-py2.py3-none-any.whl", "metadata": { "azext.isPreview": true, "azext.minCliCoreVersion": "2.37.0", @@ -20663,13 +21539,13 @@ } ], "summary": "Microsoft Azure Command-Line Tools Containerapp Extension", - "version": "0.3.17" + "version": "0.3.19" }, - "sha256Digest": "08afc8c17a73d4a910d210a8863a7822de732e2a763d5ef7c2971fc1a9bbf9e8" + "sha256Digest": "191040f708d6f49ab908f364fc653e5398cd28d1bbd4f0c172e541d71c5ba0f3" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/containerapp-0.3.18-py2.py3-none-any.whl", - "filename": "containerapp-0.3.18-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/containerapp-0.3.20-py2.py3-none-any.whl", + "filename": "containerapp-0.3.20-py2.py3-none-any.whl", "metadata": { "azext.isPreview": true, "azext.minCliCoreVersion": "2.37.0", @@ -20717,13 +21593,13 @@ } ], "summary": "Microsoft Azure Command-Line Tools Containerapp Extension", - "version": "0.3.18" + "version": "0.3.20" }, - "sha256Digest": "2f86a9d6eae01dd16801576febf29f42dbb5c1b11ce6a4d461df1804c735f386" + "sha256Digest": "6c8affb758834439b76edaa724ecf7bc77a6f1d08979dad0a8178f9434406b15" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/containerapp-0.3.19-py2.py3-none-any.whl", - "filename": "containerapp-0.3.19-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/containerapp-0.3.21-py2.py3-none-any.whl", + "filename": "containerapp-0.3.21-py2.py3-none-any.whl", "metadata": { "azext.isPreview": true, "azext.minCliCoreVersion": "2.37.0", @@ -20771,13 +21647,13 @@ } ], "summary": "Microsoft Azure Command-Line Tools Containerapp Extension", - "version": "0.3.19" + "version": "0.3.21" }, - "sha256Digest": "191040f708d6f49ab908f364fc653e5398cd28d1bbd4f0c172e541d71c5ba0f3" + "sha256Digest": "d63c2004502f698da946ebf552b748b0a7fc166a1f6599f6c1dd3a46309d1994" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/containerapp-0.3.20-py2.py3-none-any.whl", - "filename": "containerapp-0.3.20-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/containerapp-0.3.22-py2.py3-none-any.whl", + "filename": "containerapp-0.3.22-py2.py3-none-any.whl", "metadata": { "azext.isPreview": true, "azext.minCliCoreVersion": "2.37.0", @@ -20825,9 +21701,9 @@ } ], "summary": "Microsoft Azure Command-Line Tools Containerapp Extension", - "version": "0.3.20" + "version": "0.3.22" }, - "sha256Digest": "6c8affb758834439b76edaa724ecf7bc77a6f1d08979dad0a8178f9434406b15" + "sha256Digest": "c2c6a17fc6c450f2f0cab604d1d22bb7c76c6c7af860c6a7b00e4534f51e1c4c" } ], "cosmosdb-preview": [ @@ -23921,6 +24797,49 @@ "version": "0.6.0" }, "sha256Digest": "1284734882f589b86ac87933bbd5f13a0e74b2c745130615636aeeb52690fbb7" + }, + { + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/dataprotection-0.7.0-py3-none-any.whl", + "filename": "dataprotection-0.7.0-py3-none-any.whl", + "metadata": { + "azext.isExperimental": true, + "azext.minCliCoreVersion": "2.43.0", + "classifiers": [ + "Development Status :: 4 - Beta", + "Intended Audience :: Developers", + "Intended Audience :: System Administrators", + "Programming Language :: Python", + "Programming Language :: Python :: 3", + "Programming Language :: Python :: 3.6", + "Programming Language :: Python :: 3.7", + "Programming Language :: Python :: 3.8", + "License :: OSI Approved :: MIT License" + ], + "extensions": { + "python.details": { + "contacts": [ + { + "email": "azpycli@microsoft.com", + "name": "Microsoft Corporation", + "role": "author" + } + ], + "document_names": { + "description": "DESCRIPTION.rst" + }, + "project_urls": { + "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/dataprotection" + } + } + }, + "generator": "bdist_wheel (0.30.0)", + "license": "MIT", + "metadata_version": "2.0", + "name": "dataprotection", + "summary": "Microsoft Azure Command-Line Tools DataProtectionClient Extension", + "version": "0.7.0" + }, + "sha256Digest": "79bf91539d0f66c6751c3b43e86715458c7404641396b1ed9454ab3b31968a5b" } ], "datashare": [ @@ -31075,6 +31994,48 @@ "version": "1.3.8" }, "sha256Digest": "83c256f2d0fe27de40ac1ccb1f45e714cd32d38f209df8f71556c7ce712eb61c" + }, + { + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/k8s_extension-1.3.9-py3-none-any.whl", + "filename": "k8s_extension-1.3.9-py3-none-any.whl", + "metadata": { + "azext.minCliCoreVersion": "2.24.0", + "classifiers": [ + "Development Status :: 4 - Beta", + "Intended Audience :: Developers", + "Intended Audience :: System Administrators", + "Programming Language :: Python", + "Programming Language :: Python :: 3", + "Programming Language :: Python :: 3.6", + "Programming Language :: Python :: 3.7", + "Programming Language :: Python :: 3.8", + "License :: OSI Approved :: MIT License" + ], + "extensions": { + "python.details": { + "contacts": [ + { + "email": "azpycli@microsoft.com", + "name": "Microsoft Corporation", + "role": "author" + } + ], + "document_names": { + "description": "DESCRIPTION.rst" + }, + "project_urls": { + "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/k8s-extension" + } + } + }, + "generator": "bdist_wheel (0.30.0)", + "license": "MIT", + "metadata_version": "2.0", + "name": "k8s-extension", + "summary": "Microsoft Azure Command-Line Tools K8s-extension Extension", + "version": "1.3.9" + }, + "sha256Digest": "076beb20efe4840f8d62f2ecdc227eb67ee396a55a5788210ad6402cf1a6e9c4" } ], "k8sconfiguration": [ @@ -31801,6 +32762,48 @@ "version": "0.1.0" }, "sha256Digest": "9814fb6215faf902944ef7e7a6e9a8c86f40d8e348ffff64da7befe98fd3d9ef" + }, + { + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/load-0.2.0-py3-none-any.whl", + "filename": "load-0.2.0-py3-none-any.whl", + "metadata": { + "azext.minCliCoreVersion": "2.41.0", + "classifiers": [ + "Development Status :: 4 - Beta", + "Intended Audience :: Developers", + "Intended Audience :: System Administrators", + "Programming Language :: Python", + "Programming Language :: Python :: 3", + "Programming Language :: Python :: 3.7", + "Programming Language :: Python :: 3.8", + "Programming Language :: Python :: 3.9", + "License :: OSI Approved :: MIT License" + ], + "extensions": { + "python.details": { + "contacts": [ + { + "email": "azpycli@microsoft.com", + "name": "Microsoft Corporation", + "role": "author" + } + ], + "document_names": { + "description": "DESCRIPTION.rst" + }, + "project_urls": { + "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/load" + } + } + }, + "generator": "bdist_wheel (0.30.0)", + "license": "MIT", + "metadata_version": "2.0", + "name": "load", + "summary": "Microsoft Azure Command-Line Tools Load Extension.", + "version": "0.2.0" + }, + "sha256Digest": "373e6f5af459d33f5e8e655ba497b19e15f519918bb3a0ef3e4fd6ba3cc813a2" } ], "log-analytics": [ @@ -34786,6 +35789,73 @@ "version": "2.13.0" }, "sha256Digest": "24d2f8af646ace7d5b2c7c49adb8eff7e6d8a8610cbf071b2654695f8d512f3f" + }, + { + "downloadUrl": "https://azuremlsdktestpypi.blob.core.windows.net/wheels/sdk-cli-v2-public/ml-2.14.0-py3-none-any.whl", + "filename": "ml-2.14.0-py3-none-any.whl", + "metadata": { + "azext.minCliCoreVersion": "2.15.0", + "classifiers": [ + "Development Status :: 5 - Production/Stable", + "Intended Audience :: Developers", + "Intended Audience :: System Administrators", + "Environment :: Console", + "Programming Language :: Python", + "Programming Language :: Python :: 3", + "Programming Language :: Python :: 3.7", + "Programming Language :: Python :: 3.8", + "Programming Language :: Python :: 3.9", + "Programming Language :: Python :: 3.10", + "License :: OSI Approved :: MIT License" + ], + "description_content_type": "text/x-rst", + "extensions": { + "python.details": { + "contacts": [ + { + "email": "azuremlsdk@microsoft.com", + "name": "Microsoft Corporation", + "role": "author" + } + ], + "document_names": { + "description": "DESCRIPTION.rst" + }, + "project_urls": { + "Home": "https://github.com/Azure/azureml-examples" + } + } + }, + "extras": [], + "generator": "bdist_wheel (0.30.0)", + "license": "MIT", + "metadata_version": "2.0", + "name": "ml", + "run_requires": [ + { + "requires": [ + "azure-common (<2.0.0,>=1.1)", + "azure-storage-blob (<13.0.0,>=12.10.0)", + "azure-storage-file-datalake (<13.0.0)", + "azure-storage-file-share (<13.0.0)", + "colorama (<0.5.0)", + "cryptography", + "docker", + "isodate", + "jsonschema (<5.0.0,>=4.0.0)", + "marshmallow (<4.0.0,>=3.5)", + "pydash (<6.0.0)", + "pyjwt (<3.0.0)", + "strictyaml (<2.0.0)", + "tqdm (<5.0.0)", + "typing-extensions (<5.0.0)" + ] + } + ], + "summary": "Microsoft Azure Command-Line Tools AzureMachineLearningWorkspaces Extension", + "version": "2.14.0" + }, + "sha256Digest": "90e8e03ff67f1c6b73219b44764a44e6e45ab7786ff5dd26660ba9f600879747" } ], "mobile-network": [ @@ -35057,13 +36127,56 @@ "metadata_version": "2.0", "name": "next", "summary": "Microsoft Azure Command-Line Tools Next Extension", - "version": "0.1.0" + "version": "0.1.0" + }, + "sha256Digest": "038d673501dd3b3c04314d0f69f01cfdd52e6ca3f44820a45d20dc3dd58317dd" + }, + { + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/next-0.1.1-py2.py3-none-any.whl", + "filename": "next-0.1.1-py2.py3-none-any.whl", + "metadata": { + "azext.isExperimental": true, + "azext.minCliCoreVersion": "2.20.0", + "classifiers": [ + "Development Status :: 4 - Beta", + "Intended Audience :: Developers", + "Intended Audience :: System Administrators", + "Programming Language :: Python", + "Programming Language :: Python :: 3", + "Programming Language :: Python :: 3.6", + "Programming Language :: Python :: 3.7", + "Programming Language :: Python :: 3.8", + "License :: OSI Approved :: MIT License" + ], + "extensions": { + "python.details": { + "contacts": [ + { + "email": "azpycli@microsoft.com", + "name": "Microsoft Corporation", + "role": "author" + } + ], + "document_names": { + "description": "DESCRIPTION.rst" + }, + "project_urls": { + "Home": "https://github.com/Azure/azure-cli-extensions" + } + } + }, + "generator": "bdist_wheel (0.30.0)", + "license": "MIT", + "metadata_version": "2.0", + "name": "next", + "summary": "Microsoft Azure Command-Line Tools Next Extension", + "version": "0.1.1" }, - "sha256Digest": "038d673501dd3b3c04314d0f69f01cfdd52e6ca3f44820a45d20dc3dd58317dd" + "sha256Digest": "dee069e3a0efafbec8154fbf91ced5cee1f782599a726ac5937b9adc297d3c8a" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/next-0.1.1-py2.py3-none-any.whl", - "filename": "next-0.1.1-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/next-0.1.2-py2.py3-none-any.whl", + "filename": "next-0.1.2-py2.py3-none-any.whl", "metadata": { "azext.isExperimental": true, "azext.minCliCoreVersion": "2.20.0", @@ -35100,13 +36213,13 @@ "metadata_version": "2.0", "name": "next", "summary": "Microsoft Azure Command-Line Tools Next Extension", - "version": "0.1.1" + "version": "0.1.2" }, - "sha256Digest": "dee069e3a0efafbec8154fbf91ced5cee1f782599a726ac5937b9adc297d3c8a" + "sha256Digest": "3bd9bc4ddf96fdb0ce17da57700fd40fc2a7aca56c0277ff95376256baeab4c8" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/next-0.1.2-py2.py3-none-any.whl", - "filename": "next-0.1.2-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/next-0.1.3-py2.py3-none-any.whl", + "filename": "next-0.1.3-py2.py3-none-any.whl", "metadata": { "azext.isExperimental": true, "azext.minCliCoreVersion": "2.20.0", @@ -35134,7 +36247,7 @@ "description": "DESCRIPTION.rst" }, "project_urls": { - "Home": "https://github.com/Azure/azure-cli-extensions" + "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/next" } } }, @@ -35143,16 +36256,17 @@ "metadata_version": "2.0", "name": "next", "summary": "Microsoft Azure Command-Line Tools Next Extension", - "version": "0.1.2" + "version": "0.1.3" }, - "sha256Digest": "3bd9bc4ddf96fdb0ce17da57700fd40fc2a7aca56c0277ff95376256baeab4c8" - }, + "sha256Digest": "83c4e03427f190203e094c14e4f7e79cec989f1277e16b9256bb9fe688aa5e07" + } + ], + "nginx": [ { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/next-0.1.3-py2.py3-none-any.whl", - "filename": "next-0.1.3-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/nginx-0.1.0-py2.py3-none-any.whl", + "filename": "nginx-0.1.0-py2.py3-none-any.whl", "metadata": { - "azext.isExperimental": true, - "azext.minCliCoreVersion": "2.20.0", + "azext.minCliCoreVersion": "2.40.0", "classifiers": [ "Development Status :: 4 - Beta", "Intended Audience :: Developers", @@ -35177,24 +36291,22 @@ "description": "DESCRIPTION.rst" }, "project_urls": { - "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/next" + "Home": "https://github.com/Azure/azure-cli-extensions" } } }, "generator": "bdist_wheel (0.30.0)", "license": "MIT", "metadata_version": "2.0", - "name": "next", - "summary": "Microsoft Azure Command-Line Tools Next Extension", - "version": "0.1.3" + "name": "nginx", + "summary": "Microsoft Azure Command-Line Tools Nginx Extension", + "version": "0.1.0" }, - "sha256Digest": "83c4e03427f190203e094c14e4f7e79cec989f1277e16b9256bb9fe688aa5e07" - } - ], - "nginx": [ + "sha256Digest": "a5b017c415c4a030b2c63b2145e6476f789f860a0cb0385b6e336e7572bef73b" + }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/nginx-0.1.0-py2.py3-none-any.whl", - "filename": "nginx-0.1.0-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/nginx-0.1.1-py2.py3-none-any.whl", + "filename": "nginx-0.1.1-py2.py3-none-any.whl", "metadata": { "azext.minCliCoreVersion": "2.40.0", "classifiers": [ @@ -35230,9 +36342,9 @@ "metadata_version": "2.0", "name": "nginx", "summary": "Microsoft Azure Command-Line Tools Nginx Extension", - "version": "0.1.0" + "version": "0.1.1" }, - "sha256Digest": "a5b017c415c4a030b2c63b2145e6476f789f860a0cb0385b6e336e7572bef73b" + "sha256Digest": "3234129a26043a68e80ee1ae31c36e7ef8b2691a096cd6fc557e3a46fea8170e" } ], "notification-hub": [ @@ -36898,6 +38010,57 @@ "version": "0.17.0" }, "sha256Digest": "219065a730c5caa44b07979d56211e24e498a4cfb2d1d50e2d86239254b4d945" + }, + { + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/quantum-0.18.0-py3-none-any.whl", + "filename": "quantum-0.18.0-py3-none-any.whl", + "metadata": { + "azext.isPreview": true, + "azext.minCliCoreVersion": "2.41.0", + "classifiers": [ + "Development Status :: 4 - Beta", + "Intended Audience :: Developers", + "Intended Audience :: System Administrators", + "Programming Language :: Python", + "Programming Language :: Python :: 3", + "Programming Language :: Python :: 3.6", + "Programming Language :: Python :: 3.7", + "Programming Language :: Python :: 3.8", + "License :: OSI Approved :: MIT License" + ], + "extensions": { + "python.details": { + "contacts": [ + { + "email": "que-contacts@microsoft.com", + "name": "Microsoft Corporation, Quantum Team", + "role": "author" + } + ], + "document_names": { + "description": "DESCRIPTION.rst" + }, + "project_urls": { + "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/quantum" + } + } + }, + "extras": [], + "generator": "bdist_wheel (0.30.0)", + "license": "MIT", + "metadata_version": "2.0", + "name": "quantum", + "run_requires": [ + { + "requires": [ + "azure-storage-blob (~=12.14.1)" + ] + } + ], + "summary": "Microsoft Azure Command-Line Tools Quantum Extension", + "version": "0.18.0" + }, + "sha256Digest": "7eddef419f89623b2f4d168be9c60c2ead8ede385fbff1c23671823260fd8569" } ], "quota": [ @@ -39016,6 +40179,63 @@ "sha256Digest": "312bd981dc2a9c2661bae6056333d0d74292023ffaeb5be26a4be9c5ec233e50" } ], + "serviceconnector-passwordless": [ + { + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/serviceconnector_passwordless-0.1.0-py3-none-any.whl", + "filename": "serviceconnector_passwordless-0.1.0-py3-none-any.whl", + "metadata": { + "azext.isPreview": true, + "azext.minCliCoreVersion": "2.45.0", + "classifiers": [ + "Development Status :: 4 - Beta", + "Intended Audience :: Developers", + "Intended Audience :: System Administrators", + "Programming Language :: Python", + "Programming Language :: Python :: 3", + "Programming Language :: Python :: 3.6", + "Programming Language :: Python :: 3.7", + "Programming Language :: Python :: 3.8", + "License :: OSI Approved :: MIT License" + ], + "extensions": { + "python.details": { + "contacts": [ + { + "email": "azpycli@microsoft.com", + "name": "Microsoft Corporation", + "role": "author" + } + ], + "document_names": { + "description": "DESCRIPTION.rst" + }, + "project_urls": { + "Home": "https://github.com/Azure/azure-cli-extensions/tree/master/src/serviceconnector-passwordless" + } + } + }, + "extras": [], + "generator": "bdist_wheel (0.30.0)", + "license": "MIT", + "metadata_version": "2.0", + "name": "serviceconnector-passwordless", + "run_requires": [ + { + "requires": [ + "PyMySQL (==1.0.2)", + "azure-core", + "azure-mgmt-servicelinker (==1.2.0b1)", + "psycopg2 (==2.9.5)", + "pyodbc (==4.0.35)" + ] + } + ], + "summary": "Microsoft Azure Command-Line Tools Serviceconnector-passwordless Extension", + "version": "0.1.0" + }, + "sha256Digest": "3aefb271fde159a5bb164688aea7269f65cdff1e1fbeb5b0357df3d6ed05f8cf" + } + ], "spring": [ { "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/spring-1.0.0-py3-none-any.whl", @@ -40134,6 +41354,135 @@ "version": "1.6.4" }, "sha256Digest": "a52902d1a828827847c2b8a571fcd3970ee6c006a49ed1fcfd57e581bfefa251" + }, + { + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/spring-1.6.5-py3-none-any.whl", + "filename": "spring-1.6.5-py3-none-any.whl", + "metadata": { + "azext.isPreview": false, + "azext.minCliCoreVersion": "2.38.0", + "classifiers": [ + "Development Status :: 4 - Beta", + "Intended Audience :: Developers", + "Intended Audience :: System Administrators", + "Programming Language :: Python", + "Programming Language :: Python :: 3", + "Programming Language :: Python :: 3.6", + "Programming Language :: Python :: 3.7", + "Programming Language :: Python :: 3.8", + "License :: OSI Approved :: MIT License" + ], + "extensions": { + "python.details": { + "contacts": [ + { + "email": "azpycli@microsoft.com", + "name": "Microsoft Corporation", + "role": "author" + } + ], + "document_names": { + "description": "DESCRIPTION.rst" + }, + "project_urls": { + "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/spring" + } + } + }, + "generator": "bdist_wheel (0.30.0)", + "license": "MIT", + "metadata_version": "2.0", + "name": "spring", + "summary": "Microsoft Azure Command-Line Tools spring Extension", + "version": "1.6.5" + }, + "sha256Digest": "a00363a73db626180830a20c0465874f6d4062dad07862e1b4a22f8c1908dca8" + }, + { + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/spring-1.6.6-py3-none-any.whl", + "filename": "spring-1.6.6-py3-none-any.whl", + "metadata": { + "azext.isPreview": false, + "azext.minCliCoreVersion": "2.38.0", + "classifiers": [ + "Development Status :: 4 - Beta", + "Intended Audience :: Developers", + "Intended Audience :: System Administrators", + "Programming Language :: Python", + "Programming Language :: Python :: 3", + "Programming Language :: Python :: 3.6", + "Programming Language :: Python :: 3.7", + "Programming Language :: Python :: 3.8", + "License :: OSI Approved :: MIT License" + ], + "extensions": { + "python.details": { + "contacts": [ + { + "email": "azpycli@microsoft.com", + "name": "Microsoft Corporation", + "role": "author" + } + ], + "document_names": { + "description": "DESCRIPTION.rst" + }, + "project_urls": { + "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/spring" + } + } + }, + "generator": "bdist_wheel (0.30.0)", + "license": "MIT", + "metadata_version": "2.0", + "name": "spring", + "summary": "Microsoft Azure Command-Line Tools spring Extension", + "version": "1.6.6" + }, + "sha256Digest": "34064f43b620a36f1f8aa20200990297aaaf91c58795e0274d6f719136b029a4" + }, + { + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/spring-1.6.7-py3-none-any.whl", + "filename": "spring-1.6.7-py3-none-any.whl", + "metadata": { + "azext.isPreview": false, + "azext.minCliCoreVersion": "2.38.0", + "classifiers": [ + "Development Status :: 4 - Beta", + "Intended Audience :: Developers", + "Intended Audience :: System Administrators", + "Programming Language :: Python", + "Programming Language :: Python :: 3", + "Programming Language :: Python :: 3.6", + "Programming Language :: Python :: 3.7", + "Programming Language :: Python :: 3.8", + "License :: OSI Approved :: MIT License" + ], + "extensions": { + "python.details": { + "contacts": [ + { + "email": "azpycli@microsoft.com", + "name": "Microsoft Corporation", + "role": "author" + } + ], + "document_names": { + "description": "DESCRIPTION.rst" + }, + "project_urls": { + "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/spring" + } + } + }, + "generator": "bdist_wheel (0.30.0)", + "license": "MIT", + "metadata_version": "2.0", + "name": "spring", + "summary": "Microsoft Azure Command-Line Tools spring Extension", + "version": "1.6.7" + }, + "sha256Digest": "7d9a8d4f792962dd1f713a839f9099bcf04c24958411f8e0edc4ef47321b87a3" } ], "spring-cloud": [ diff --git a/src/k8s-extension/HISTORY.rst b/src/k8s-extension/HISTORY.rst index 00f8e22c2e4..20019ce969b 100644 --- a/src/k8s-extension/HISTORY.rst +++ b/src/k8s-extension/HISTORY.rst @@ -3,6 +3,10 @@ Release History =============== +1.4.0 +++++++++++++++++++ +* microsoft.dapr: Update version comparison logic to use semver based comparison + 1.3.9 ++++++++++++++++++ * Deprecating --config-settings alias for --configuration-settings diff --git a/src/k8s-extension/setup.py b/src/k8s-extension/setup.py index 2ac25f917b6..0fcc313500e 100644 --- a/src/k8s-extension/setup.py +++ b/src/k8s-extension/setup.py @@ -33,7 +33,7 @@ # TODO: Add any additional SDK dependencies here DEPENDENCIES = [] -VERSION = "1.3.9" +VERSION = "1.4.0" with open("README.rst", "r", encoding="utf-8") as f: README = f.read() diff --git a/src/load/HISTORY.rst b/src/load/HISTORY.rst index 8c34bccfff8..f81b9ad4a6d 100644 --- a/src/load/HISTORY.rst +++ b/src/load/HISTORY.rst @@ -3,6 +3,10 @@ Release History =============== +0.2.0 +++++++ +* Stable version release. + 0.1.0 ++++++ * Initial release. \ No newline at end of file diff --git a/src/load/azext_load/azext_metadata.json b/src/load/azext_load/azext_metadata.json index 0a5db3c35db..fc7c9f095c7 100644 --- a/src/load/azext_load/azext_metadata.json +++ b/src/load/azext_load/azext_metadata.json @@ -1,4 +1,3 @@ { - "azext.isPreview": true, "azext.minCliCoreVersion": "2.41.0" } \ No newline at end of file diff --git a/src/load/azext_load/tests/latest/recordings/test_load_scenarios.yaml b/src/load/azext_load/tests/latest/recordings/test_load_scenarios.yaml index 75bfafa6e9a..cc9581b781b 100644 --- a/src/load/azext_load/tests/latest/recordings/test_load_scenarios.yaml +++ b/src/load/azext_load/tests/latest/recordings/test_load_scenarios.yaml @@ -13,12 +13,12 @@ interactions: ParameterSetName: - -n -g User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001?api-version=2021-04-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001","name":"cli_test_azure_load_testing000001","type":"Microsoft.Resources/resourceGroups","location":"westus2","tags":{"product":"azurecli","cause":"automation","date":"2022-11-17T11:01:46Z"},"properties":{"provisioningState":"Succeeded"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001","name":"cli_test_azure_load_testing000001","type":"Microsoft.Resources/resourceGroups","location":"westus2","tags":{"product":"azurecli","cause":"automation","date":"2023-02-01T04:17:59Z"},"properties":{"provisioningState":"Succeeded"}}' headers: cache-control: - no-cache @@ -27,7 +27,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:02:32 GMT + - Wed, 01 Feb 2023 04:18:47 GMT expires: - '-1' pragma: @@ -59,12 +59,12 @@ interactions: ParameterSetName: - -n -g User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-msi/6.1.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-msi/6.1.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: PUT uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.ManagedIdentity/userAssignedIdentities/clitestid1?api-version=2022-01-31-preview response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/Microsoft.ManagedIdentity/userAssignedIdentities/clitestid1","name":"clitestid1","type":"Microsoft.ManagedIdentity/userAssignedIdentities","location":"westus2","tags":{},"properties":{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","principalId":"9861d064-d9e5-42dd-9f97-cd05e0f5de7a","clientId":"26267b45-e83e-4b9b-8572-2dc83f12fa33"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/Microsoft.ManagedIdentity/userAssignedIdentities/clitestid1","name":"clitestid1","type":"Microsoft.ManagedIdentity/userAssignedIdentities","location":"westus2","tags":{},"properties":{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","principalId":"bfabf9ea-3e68-4907-8ab8-8024c629b571","clientId":"3cda7595-ceca-4d9a-a6bc-ff0935b9a542"}}' headers: cache-control: - no-cache @@ -73,7 +73,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:02:40 GMT + - Wed, 01 Feb 2023 04:18:55 GMT expires: - '-1' location: @@ -85,7 +85,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-writes: - - '1199' + - '1198' status: code: 201 message: Created @@ -103,12 +103,12 @@ interactions: ParameterSetName: - -n -g User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001?api-version=2021-04-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001","name":"cli_test_azure_load_testing000001","type":"Microsoft.Resources/resourceGroups","location":"westus2","tags":{"product":"azurecli","cause":"automation","date":"2022-11-17T11:01:46Z"},"properties":{"provisioningState":"Succeeded"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001","name":"cli_test_azure_load_testing000001","type":"Microsoft.Resources/resourceGroups","location":"westus2","tags":{"product":"azurecli","cause":"automation","date":"2023-02-01T04:17:59Z"},"properties":{"provisioningState":"Succeeded"}}' headers: cache-control: - no-cache @@ -117,7 +117,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:02:40 GMT + - Wed, 01 Feb 2023 04:18:56 GMT expires: - '-1' pragma: @@ -149,12 +149,12 @@ interactions: ParameterSetName: - -n -g User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-msi/6.1.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-msi/6.1.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: PUT uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.ManagedIdentity/userAssignedIdentities/clitestid2?api-version=2022-01-31-preview response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/Microsoft.ManagedIdentity/userAssignedIdentities/clitestid2","name":"clitestid2","type":"Microsoft.ManagedIdentity/userAssignedIdentities","location":"westus2","tags":{},"properties":{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","principalId":"505441bb-4f69-47b2-9994-96e413413ef8","clientId":"2f1c0651-b16e-4780-b82c-23a3b9c69f13"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/Microsoft.ManagedIdentity/userAssignedIdentities/clitestid2","name":"clitestid2","type":"Microsoft.ManagedIdentity/userAssignedIdentities","location":"westus2","tags":{},"properties":{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","principalId":"6a78c89d-3df1-476f-9f6c-596086f71421","clientId":"c6118f22-8c3c-4f48-9f2d-31f6a55514d5"}}' headers: cache-control: - no-cache @@ -163,7 +163,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:02:48 GMT + - Wed, 01 Feb 2023 04:19:03 GMT expires: - '-1' location: @@ -197,29 +197,29 @@ interactions: ParameterSetName: - --name --location --resource-group User-Agent: - - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: PUT uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","name":"load-test000003","type":"microsoft.loadtestservice/loadtests","location":"westus2","systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:02:53.8618697Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:02:53.8618697Z"},"identity":{"type":"None"},"properties":{"description":null,"dataPlaneURI":"81165d2a-64bd-44a9-a4fe-83956aab1684.westus2.cnt-prod.loadtesting.azure.com","encryption":null,"provisioningState":"Accepted"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","name":"load-test000003","type":"microsoft.loadtestservice/loadtests","location":"westus2","systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:19:09.0391589Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:19:09.0391589Z"},"identity":{"type":"None"},"properties":{"description":null,"dataPlaneURI":"76244603-53a7-458f-8bd3-3ebf2a1b6470.westus2.cnt-prod.loadtesting.azure.com","encryption":null,"provisioningState":"Accepted"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/a661d173-57d7-42a0-b3e1-d8bfdf36eb76*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E?api-version=2022-12-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/8933d83a-f457-45a3-814f-6a7c73846f01*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC?api-version=2022-12-01 cache-control: - no-cache content-length: - - '743' + - '693' content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:02:56 GMT + - Wed, 01 Feb 2023 04:19:11 GMT etag: - - '"e4008de9-0000-0800-0000-637614df0000"' + - '"1000811a-0000-0800-0000-63d9e83e0000"' expires: - '-1' mise-correlation-id: - - 97817e2b-b741-4ae0-8ed3-38290fb329fa + - 987931f4-d652-452c-a1f7-2cad6de78ebd pragma: - no-cache strict-transport-security: @@ -229,7 +229,7 @@ interactions: x-ms-providerhub-traffic: - 'True' x-ms-ratelimit-remaining-subscription-writes: - - '1199' + - '1198' status: code: 201 message: Created @@ -247,23 +247,23 @@ interactions: ParameterSetName: - --name --location --resource-group User-Agent: - - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/a661d173-57d7-42a0-b3e1-d8bfdf36eb76*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E?api-version=2022-12-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/8933d83a-f457-45a3-814f-6a7c73846f01*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/a661d173-57d7-42a0-b3e1-d8bfdf36eb76*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E","name":"a661d173-57d7-42a0-b3e1-d8bfdf36eb76*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","status":"Succeeded","startTime":"2022-11-17T11:02:54.776177Z","endTime":"2022-11-17T11:02:56.335686Z","properties":null}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/8933d83a-f457-45a3-814f-6a7c73846f01*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC","name":"8933d83a-f457-45a3-814f-6a7c73846f01*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","status":"Succeeded","startTime":"2023-02-01T04:19:10.0481693Z","endTime":"2023-02-01T04:19:11.4925213Z","properties":null}' headers: cache-control: - no-cache content-length: - - '644' + - '646' content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:03:27 GMT + - Wed, 01 Feb 2023 04:19:41 GMT etag: - - '"6e00ab09-0000-0800-0000-637614e00000"' + - '"0900ec26-0000-0800-0000-63d9e83f0000"' expires: - '-1' pragma: @@ -293,23 +293,23 @@ interactions: ParameterSetName: - --name --location --resource-group User-Agent: - - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","name":"load-test000003","type":"microsoft.loadtestservice/loadtests","location":"westus2","systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:02:53.8618697Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:02:53.8618697Z"},"identity":{"type":"None"},"properties":{"description":null,"dataPlaneURI":"81165d2a-64bd-44a9-a4fe-83956aab1684.westus2.cnt-prod.loadtesting.azure.com","encryption":null,"provisioningState":"Succeeded"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","name":"load-test000003","type":"microsoft.loadtestservice/loadtests","location":"westus2","systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:19:09.0391589Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:19:09.0391589Z"},"identity":{"type":"None"},"properties":{"description":null,"dataPlaneURI":"76244603-53a7-458f-8bd3-3ebf2a1b6470.westus2.cnt-prod.loadtesting.azure.com","encryption":null,"provisioningState":"Succeeded"}}' headers: cache-control: - no-cache content-length: - - '744' + - '694' content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:03:27 GMT + - Wed, 01 Feb 2023 04:19:42 GMT etag: - - '"e4009de9-0000-0800-0000-637614e00000"' + - '"10009c1a-0000-0800-0000-63d9e83f0000"' expires: - '-1' pragma: @@ -347,30 +347,30 @@ interactions: ParameterSetName: - --name --location --resource-group --identity-type --user-assigned User-Agent: - - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: PUT uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","name":"load-test000003","type":"microsoft.loadtestservice/loadtests","location":"westus2","systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:02:53.8618697Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:03:28.8195486Z"},"identity":{"principalId":"fb8f0a9c-e5e6-44b4-a53e-d23c57fca7d1","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned, - UserAssigned","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/microsoft.managedidentity/userassignedidentities/clitestid1":{"principalId":"9861d064-d9e5-42dd-9f97-cd05e0f5de7a","clientId":"26267b45-e83e-4b9b-8572-2dc83f12fa33"}}},"properties":{"description":null,"dataPlaneURI":"81165d2a-64bd-44a9-a4fe-83956aab1684.westus2.cnt-prod.loadtesting.azure.com","encryption":null,"provisioningState":"Accepted"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","name":"load-test000003","type":"microsoft.loadtestservice/loadtests","location":"westus2","systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:19:09.0391589Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:19:44.399303Z"},"identity":{"principalId":"8a2d32e2-0572-4e72-a5b4-3b89bfc06508","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned, + UserAssigned","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/microsoft.managedidentity/userassignedidentities/clitestid1":{"principalId":"bfabf9ea-3e68-4907-8ab8-8024c629b571","clientId":"3cda7595-ceca-4d9a-a6bc-ff0935b9a542"}}},"properties":{"description":null,"dataPlaneURI":"76244603-53a7-458f-8bd3-3ebf2a1b6470.westus2.cnt-prod.loadtesting.azure.com","encryption":null,"provisioningState":"Accepted"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/52e6862c-d42e-460d-9347-32beedb39070*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E?api-version=2022-12-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/800a4a7f-4285-4e4d-a127-fd71f4b000e5*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC?api-version=2022-12-01 cache-control: - no-cache content-length: - - '1175' + - '1124' content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:03:34 GMT + - Wed, 01 Feb 2023 04:19:51 GMT etag: - - '"e400f7ec-0000-0800-0000-637615040000"' + - '"1000391c-0000-0800-0000-63d9e8630000"' expires: - '-1' mise-correlation-id: - - 847f34d5-5a44-4160-926e-03dce86b5cb6 + - a7895a11-a761-4a9b-81bf-045945146715 pragma: - no-cache strict-transport-security: @@ -380,7 +380,7 @@ interactions: x-ms-providerhub-traffic: - 'True' x-ms-ratelimit-remaining-subscription-writes: - - '1197' + - '1199' status: code: 201 message: Created @@ -398,23 +398,23 @@ interactions: ParameterSetName: - --name --location --resource-group --identity-type --user-assigned User-Agent: - - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/52e6862c-d42e-460d-9347-32beedb39070*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E?api-version=2022-12-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/800a4a7f-4285-4e4d-a127-fd71f4b000e5*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/52e6862c-d42e-460d-9347-32beedb39070*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E","name":"52e6862c-d42e-460d-9347-32beedb39070*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","status":"Succeeded","startTime":"2022-11-17T11:03:31.747317Z","endTime":"2022-11-17T11:03:33.6901562Z","properties":null}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/800a4a7f-4285-4e4d-a127-fd71f4b000e5*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC","name":"800a4a7f-4285-4e4d-a127-fd71f4b000e5*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","status":"Succeeded","startTime":"2023-02-01T04:19:46.9581374Z","endTime":"2023-02-01T04:19:48.7803683Z","properties":null}' headers: cache-control: - no-cache content-length: - - '645' + - '646' content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:04:05 GMT + - Wed, 01 Feb 2023 04:20:22 GMT etag: - - '"6e005d0b-0000-0800-0000-637615050000"' + - '"09008c27-0000-0800-0000-63d9e8640000"' expires: - '-1' pragma: @@ -444,24 +444,24 @@ interactions: ParameterSetName: - --name --location --resource-group --identity-type --user-assigned User-Agent: - - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","name":"load-test000003","type":"microsoft.loadtestservice/loadtests","location":"westus2","systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:02:53.8618697Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:03:28.8195486Z"},"identity":{"principalId":"fb8f0a9c-e5e6-44b4-a53e-d23c57fca7d1","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned, - UserAssigned","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/microsoft.managedidentity/userassignedidentities/clitestid1":{"principalId":"9861d064-d9e5-42dd-9f97-cd05e0f5de7a","clientId":"26267b45-e83e-4b9b-8572-2dc83f12fa33"}}},"properties":{"description":null,"dataPlaneURI":"81165d2a-64bd-44a9-a4fe-83956aab1684.westus2.cnt-prod.loadtesting.azure.com","encryption":null,"provisioningState":"Succeeded"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","name":"load-test000003","type":"microsoft.loadtestservice/loadtests","location":"westus2","systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:19:09.0391589Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:19:44.399303Z"},"identity":{"principalId":"8a2d32e2-0572-4e72-a5b4-3b89bfc06508","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned, + UserAssigned","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/microsoft.managedidentity/userassignedidentities/clitestid1":{"principalId":"bfabf9ea-3e68-4907-8ab8-8024c629b571","clientId":"3cda7595-ceca-4d9a-a6bc-ff0935b9a542"}}},"properties":{"description":null,"dataPlaneURI":"76244603-53a7-458f-8bd3-3ebf2a1b6470.westus2.cnt-prod.loadtesting.azure.com","encryption":null,"provisioningState":"Succeeded"}}' headers: cache-control: - no-cache content-length: - - '1176' + - '1125' content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:04:05 GMT + - Wed, 01 Feb 2023 04:20:22 GMT etag: - - '"e40023ed-0000-0800-0000-637615050000"' + - '"1000401c-0000-0800-0000-63d9e8640000"' expires: - '-1' pragma: @@ -493,21 +493,21 @@ interactions: ParameterSetName: - --name --resource-group --set User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-keyvault/10.1.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-keyvault/10.1.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002?api-version=2022-07-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002","name":"clitest000002","type":"Microsoft.KeyVault/vaults","location":"westus2","tags":{},"systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:01:56.7Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:01:56.7Z"},"properties":{"sku":{"family":"A","name":"standard"},"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","accessPolicies":[{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"6cebd55a-b019-43e3-ba0c-79707d129832","permissions":{"keys":["all"],"secrets":["all"],"certificates":["all"],"storage":["all"]}}],"enabledForDeployment":false,"enableSoftDelete":true,"softDeleteRetentionInDays":7,"vaultUri":"https://clitest000002.vault.azure.net/","provisioningState":"Succeeded","publicNetworkAccess":"Enabled"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002","name":"clitest000002","type":"Microsoft.KeyVault/vaults","location":"westus2","tags":{},"systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:18:13.035Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:18:13.035Z"},"properties":{"sku":{"family":"A","name":"standard"},"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","accessPolicies":[{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"b2ce67ee-5de9-4b0f-acd6-2f6465e7aa2f","permissions":{"keys":["all"],"secrets":["all"],"certificates":["all"],"storage":["all"]}}],"enabledForDeployment":false,"enableSoftDelete":true,"softDeleteRetentionInDays":7,"vaultUri":"https://clitest000002.vault.azure.net/","provisioningState":"Succeeded","publicNetworkAccess":"Enabled"}}' headers: cache-control: - no-cache content-length: - - '1028' + - '982' content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:04:07 GMT + - Wed, 01 Feb 2023 04:20:26 GMT expires: - '-1' pragma: @@ -525,14 +525,14 @@ interactions: x-content-type-options: - nosniff x-ms-keyvault-service-version: - - 1.5.564.0 + - 1.5.644.0 status: code: 200 message: OK - request: body: '{"location": "westus2", "tags": {}, "properties": {"tenantId": "72f988bf-86f1-41af-91ab-2d7cd011db47", "sku": {"family": "A", "name": "standard"}, "accessPolicies": [{"tenantId": - "72f988bf-86f1-41af-91ab-2d7cd011db47", "objectId": "6cebd55a-b019-43e3-ba0c-79707d129832", + "72f988bf-86f1-41af-91ab-2d7cd011db47", "objectId": "b2ce67ee-5de9-4b0f-acd6-2f6465e7aa2f", "permissions": {"keys": ["all"], "secrets": ["all"], "certificates": ["all"], "storage": ["all"]}}], "vaultUri": "https://clitest000002.vault.azure.net/", "enabledForDeployment": false, "enableSoftDelete": true, "softDeleteRetentionInDays": @@ -553,21 +553,21 @@ interactions: ParameterSetName: - --name --resource-group --set User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-keyvault/10.1.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-keyvault/10.1.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: PUT uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002?api-version=2022-07-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002","name":"clitest000002","type":"Microsoft.KeyVault/vaults","location":"westus2","tags":{},"systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:01:56.7Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:04:09.614Z"},"properties":{"sku":{"family":"A","name":"standard"},"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","accessPolicies":[{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"6cebd55a-b019-43e3-ba0c-79707d129832","permissions":{"keys":["all"],"secrets":["all"],"certificates":["all"],"storage":["all"]}}],"enabledForDeployment":false,"enableSoftDelete":true,"softDeleteRetentionInDays":7,"vaultUri":"https://clitest000002.vault.azure.net/","provisioningState":"Succeeded","publicNetworkAccess":"Enabled"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002","name":"clitest000002","type":"Microsoft.KeyVault/vaults","location":"westus2","tags":{},"systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:18:13.035Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:20:29.321Z"},"properties":{"sku":{"family":"A","name":"standard"},"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","accessPolicies":[{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"b2ce67ee-5de9-4b0f-acd6-2f6465e7aa2f","permissions":{"keys":["all"],"secrets":["all"],"certificates":["all"],"storage":["all"]}}],"enabledForDeployment":false,"enableSoftDelete":true,"softDeleteRetentionInDays":7,"vaultUri":"https://clitest000002.vault.azure.net/","provisioningState":"Succeeded","publicNetworkAccess":"Enabled"}}' headers: cache-control: - no-cache content-length: - - '1030' + - '982' content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:04:09 GMT + - Wed, 01 Feb 2023 04:20:30 GMT expires: - '-1' pragma: @@ -585,7 +585,7 @@ interactions: x-content-type-options: - nosniff x-ms-keyvault-service-version: - - 1.5.564.0 + - 1.5.644.0 x-ms-ratelimit-remaining-subscription-writes: - '1199' status: @@ -605,21 +605,21 @@ interactions: ParameterSetName: - --name --resource-group --set User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-keyvault/10.1.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-keyvault/10.1.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002?api-version=2022-07-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002","name":"clitest000002","type":"Microsoft.KeyVault/vaults","location":"westus2","tags":{},"systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:01:56.7Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:04:09.614Z"},"properties":{"sku":{"family":"A","name":"standard"},"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","accessPolicies":[{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"6cebd55a-b019-43e3-ba0c-79707d129832","permissions":{"keys":["all"],"secrets":["all"],"certificates":["all"],"storage":["all"]}}],"enabledForDeployment":false,"enableSoftDelete":true,"softDeleteRetentionInDays":7,"vaultUri":"https://clitest000002.vault.azure.net/","provisioningState":"Succeeded","publicNetworkAccess":"Enabled"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002","name":"clitest000002","type":"Microsoft.KeyVault/vaults","location":"westus2","tags":{},"systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:18:13.035Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:20:29.321Z"},"properties":{"sku":{"family":"A","name":"standard"},"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","accessPolicies":[{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"b2ce67ee-5de9-4b0f-acd6-2f6465e7aa2f","permissions":{"keys":["all"],"secrets":["all"],"certificates":["all"],"storage":["all"]}}],"enabledForDeployment":false,"enableSoftDelete":true,"softDeleteRetentionInDays":7,"vaultUri":"https://clitest000002.vault.azure.net/","provisioningState":"Succeeded","publicNetworkAccess":"Enabled"}}' headers: cache-control: - no-cache content-length: - - '1030' + - '982' content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:04:10 GMT + - Wed, 01 Feb 2023 04:20:33 GMT expires: - '-1' pragma: @@ -637,14 +637,14 @@ interactions: x-content-type-options: - nosniff x-ms-keyvault-service-version: - - 1.5.564.0 + - 1.5.644.0 status: code: 200 message: OK - request: body: '{"location": "westus2", "tags": {}, "properties": {"tenantId": "72f988bf-86f1-41af-91ab-2d7cd011db47", "sku": {"family": "A", "name": "standard"}, "accessPolicies": [{"tenantId": - "72f988bf-86f1-41af-91ab-2d7cd011db47", "objectId": "6cebd55a-b019-43e3-ba0c-79707d129832", + "72f988bf-86f1-41af-91ab-2d7cd011db47", "objectId": "b2ce67ee-5de9-4b0f-acd6-2f6465e7aa2f", "permissions": {"keys": ["all"], "secrets": ["all"], "certificates": ["all"], "storage": ["all"]}}], "vaultUri": "https://clitest000002.vault.azure.net/", "enabledForDeployment": false, "enableSoftDelete": true, "softDeleteRetentionInDays": @@ -666,21 +666,21 @@ interactions: ParameterSetName: - --name --resource-group --set User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-keyvault/10.1.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-keyvault/10.1.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: PUT uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002?api-version=2022-07-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002","name":"clitest000002","type":"Microsoft.KeyVault/vaults","location":"westus2","tags":{},"systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:01:56.7Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:04:13.236Z"},"properties":{"sku":{"family":"A","name":"standard"},"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","accessPolicies":[{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"6cebd55a-b019-43e3-ba0c-79707d129832","permissions":{"keys":["all"],"secrets":["all"],"certificates":["all"],"storage":["all"]}}],"enabledForDeployment":false,"enableSoftDelete":true,"softDeleteRetentionInDays":7,"enablePurgeProtection":true,"vaultUri":"https://clitest000002.vault.azure.net/","provisioningState":"Succeeded","publicNetworkAccess":"Enabled"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002","name":"clitest000002","type":"Microsoft.KeyVault/vaults","location":"westus2","tags":{},"systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:18:13.035Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:20:37.316Z"},"properties":{"sku":{"family":"A","name":"standard"},"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","accessPolicies":[{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"b2ce67ee-5de9-4b0f-acd6-2f6465e7aa2f","permissions":{"keys":["all"],"secrets":["all"],"certificates":["all"],"storage":["all"]}}],"enabledForDeployment":false,"enableSoftDelete":true,"softDeleteRetentionInDays":7,"enablePurgeProtection":true,"vaultUri":"https://clitest000002.vault.azure.net/","provisioningState":"Succeeded","publicNetworkAccess":"Enabled"}}' headers: cache-control: - no-cache content-length: - - '1059' + - '1011' content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:04:13 GMT + - Wed, 01 Feb 2023 04:20:37 GMT expires: - '-1' pragma: @@ -698,7 +698,7 @@ interactions: x-content-type-options: - nosniff x-ms-keyvault-service-version: - - 1.5.564.0 + - 1.5.644.0 x-ms-ratelimit-remaining-subscription-writes: - '1199' status: @@ -718,21 +718,21 @@ interactions: ParameterSetName: - --name --resource-group --object-id --key-permissions User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-keyvault/10.1.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-keyvault/10.1.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002?api-version=2022-07-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002","name":"clitest000002","type":"Microsoft.KeyVault/vaults","location":"westus2","tags":{},"systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:01:56.7Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:04:13.236Z"},"properties":{"sku":{"family":"A","name":"standard"},"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","accessPolicies":[{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"6cebd55a-b019-43e3-ba0c-79707d129832","permissions":{"keys":["all"],"secrets":["all"],"certificates":["all"],"storage":["all"]}}],"enabledForDeployment":false,"enableSoftDelete":true,"softDeleteRetentionInDays":7,"enablePurgeProtection":true,"vaultUri":"https://clitest000002.vault.azure.net/","provisioningState":"Succeeded","publicNetworkAccess":"Enabled"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002","name":"clitest000002","type":"Microsoft.KeyVault/vaults","location":"westus2","tags":{},"systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:18:13.035Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:20:37.316Z"},"properties":{"sku":{"family":"A","name":"standard"},"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","accessPolicies":[{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"b2ce67ee-5de9-4b0f-acd6-2f6465e7aa2f","permissions":{"keys":["all"],"secrets":["all"],"certificates":["all"],"storage":["all"]}}],"enabledForDeployment":false,"enableSoftDelete":true,"softDeleteRetentionInDays":7,"enablePurgeProtection":true,"vaultUri":"https://clitest000002.vault.azure.net/","provisioningState":"Succeeded","publicNetworkAccess":"Enabled"}}' headers: cache-control: - no-cache content-length: - - '1059' + - '1011' content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:04:15 GMT + - Wed, 01 Feb 2023 04:20:38 GMT expires: - '-1' pragma: @@ -750,18 +750,18 @@ interactions: x-content-type-options: - nosniff x-ms-keyvault-service-version: - - 1.5.564.0 + - 1.5.644.0 status: code: 200 message: OK - request: body: '{"location": "westus2", "tags": {}, "properties": {"tenantId": "72f988bf-86f1-41af-91ab-2d7cd011db47", "sku": {"family": "A", "name": "standard"}, "accessPolicies": [{"tenantId": - "72f988bf-86f1-41af-91ab-2d7cd011db47", "objectId": "6cebd55a-b019-43e3-ba0c-79707d129832", + "72f988bf-86f1-41af-91ab-2d7cd011db47", "objectId": "b2ce67ee-5de9-4b0f-acd6-2f6465e7aa2f", "permissions": {"keys": ["all"], "secrets": ["all"], "certificates": ["all"], "storage": ["all"]}}, {"tenantId": "72f988bf-86f1-41af-91ab-2d7cd011db47", "objectId": - "9861d064-d9e5-42dd-9f97-cd05e0f5de7a", "permissions": {"keys": ["unwrapKey", - "get", "wrapKey"]}}], "vaultUri": "https://clitest000002.vault.azure.net/", + "bfabf9ea-3e68-4907-8ab8-8024c629b571", "permissions": {"keys": ["wrapKey", + "get", "unwrapKey"]}}], "vaultUri": "https://clitest000002.vault.azure.net/", "enabledForDeployment": false, "enableSoftDelete": true, "softDeleteRetentionInDays": 7, "enablePurgeProtection": true, "provisioningState": "Succeeded", "publicNetworkAccess": "Enabled"}}' @@ -781,21 +781,21 @@ interactions: ParameterSetName: - --name --resource-group --object-id --key-permissions User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-keyvault/10.1.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-keyvault/10.1.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: PUT uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002?api-version=2022-07-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002","name":"clitest000002","type":"Microsoft.KeyVault/vaults","location":"westus2","tags":{},"systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:01:56.7Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:04:16.198Z"},"properties":{"sku":{"family":"A","name":"standard"},"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","accessPolicies":[{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"6cebd55a-b019-43e3-ba0c-79707d129832","permissions":{"keys":["all"],"secrets":["all"],"certificates":["all"],"storage":["all"]}},{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"9861d064-d9e5-42dd-9f97-cd05e0f5de7a","permissions":{"keys":["unwrapKey","get","wrapKey"]}}],"enabledForDeployment":false,"enableSoftDelete":true,"softDeleteRetentionInDays":7,"enablePurgeProtection":true,"vaultUri":"https://clitest000002.vault.azure.net/","provisioningState":"Succeeded","publicNetworkAccess":"Enabled"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002","name":"clitest000002","type":"Microsoft.KeyVault/vaults","location":"westus2","tags":{},"systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:18:13.035Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:20:40.647Z"},"properties":{"sku":{"family":"A","name":"standard"},"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","accessPolicies":[{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"b2ce67ee-5de9-4b0f-acd6-2f6465e7aa2f","permissions":{"keys":["all"],"secrets":["all"],"certificates":["all"],"storage":["all"]}},{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"bfabf9ea-3e68-4907-8ab8-8024c629b571","permissions":{"keys":["wrapKey","get","unwrapKey"]}}],"enabledForDeployment":false,"enableSoftDelete":true,"softDeleteRetentionInDays":7,"enablePurgeProtection":true,"vaultUri":"https://clitest000002.vault.azure.net/","provisioningState":"Succeeded","publicNetworkAccess":"Enabled"}}' headers: cache-control: - no-cache content-length: - - '1214' + - '1166' content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:04:15 GMT + - Wed, 01 Feb 2023 04:20:40 GMT expires: - '-1' pragma: @@ -813,9 +813,9 @@ interactions: x-content-type-options: - nosniff x-ms-keyvault-service-version: - - 1.5.564.0 + - 1.5.644.0 x-ms-ratelimit-remaining-subscription-writes: - - '1196' + - '1198' status: code: 200 message: OK @@ -833,9 +833,9 @@ interactions: Content-Type: - application/json User-Agent: - - azsdk-python-keyvault-keys/4.5.1 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - azsdk-python-keyvault-keys/4.8.0b2 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: POST - uri: https://clitest000002.vault.azure.net/keys/testkey1/create?api-version=7.3 + uri: https://clitest000002.vault.azure.net/keys/testkey1/create?api-version=7.4-preview.1 response: body: string: '{"error":{"code":"Unauthorized","message":"AKV10000: Request is missing @@ -848,7 +848,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:04:16 GMT + - Wed, 01 Feb 2023 04:20:41 GMT expires: - '-1' pragma: @@ -861,11 +861,11 @@ interactions: x-content-type-options: - nosniff x-ms-keyvault-network-info: - - conn_type=Ipv4;addr=167.220.238.154;act_addr_fam=InterNetwork; + - conn_type=Ipv4;addr=167.220.238.156;act_addr_fam=InterNetwork; x-ms-keyvault-region: - westus2 x-ms-keyvault-service-version: - - 1.9.576.1 + - 1.9.679.1 status: code: 401 message: Unauthorized @@ -883,12 +883,12 @@ interactions: Content-Type: - application/json User-Agent: - - azsdk-python-keyvault-keys/4.5.1 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - azsdk-python-keyvault-keys/4.8.0b2 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: POST - uri: https://clitest000002.vault.azure.net/keys/testkey1/create?api-version=7.3 + uri: https://clitest000002.vault.azure.net/keys/testkey1/create?api-version=7.4-preview.1 response: body: - string: '{"key":{"kid":"https://clitest000002.vault.azure.net/keys/testkey1/b6a74887155942a39dfa6e4b0ea82127","kty":"RSA","key_ops":["encrypt","decrypt","sign","verify","wrapKey","unwrapKey"],"n":"pC8lT_cgOT7HNgrRdblgjFMzAw_eKISMuqaOIDdMvy500O1rk1ImXNc6KmsRJ_6P5fBCHCr5eU1Tj6Irh5V_-VVJ65cCy6G1b-81H4BG8nAoyz1_0IF934_yHbFynSunc1nUE3AVgXTju69C9b0txdwkpRoFb4yyz-0nzLar-3UvO2mM_2PaiQUdnThP9JFUkp3sLEsJl0OHHqqp6QKWzy_3RKnBu4hM7RfGJfqpgwE0q9kFITRbs-ZkzbLzsIvJ4oBCGBzKAWEbATtvKhqdsG-FzAt-08lo5LECbrmMn2mOFO4WCgf0lQjh0Qu6LZpqk-dVXV9bKeZHKiiJY47ZxQ","e":"AQAB"},"attributes":{"enabled":true,"created":1668683058,"updated":1668683058,"recoveryLevel":"CustomizedRecoverable","recoverableDays":7,"exportable":false}}' + string: '{"key":{"kid":"https://clitest000002.vault.azure.net/keys/testkey1/d0619076d8074400a82fef2b6a8f83fc","kty":"RSA","key_ops":["encrypt","decrypt","sign","verify","wrapKey","unwrapKey"],"n":"tsEqiewoJ1jl4i9gOdg_6dUQJCDz4OzqXuxTM3Huzqxxs1kffo02C6yiU2zmAQacOAiv5-e6k-oSiOFQAsVlAjNoGiS26BRKL4xxCrsTwlZ6Vye5XJXs9jRATSgvf-QlRzgDYl-znjGH3vR82sJL_DKnowk5ZRxCGTNu0xivA9qe50Wxe344o3uTXp4MlD6GIvv4iA7CoXlBEiiUS-rHaFzpQeBa-2Ol4nW11y0GVyP2P00BYR-NZFP1ZXEbbKnCWb6s8PzeV1yfYjzLQYaNwuCyme_CyW4yMxuQrJXRzasVENHY6eQk1zhOpHhi_stTAkNXUoJs2j9fgokRLBSxqQ","e":"AQAB"},"attributes":{"enabled":true,"created":1675225243,"updated":1675225243,"recoveryLevel":"CustomizedRecoverable","recoverableDays":7,"exportable":false}}' headers: cache-control: - no-cache @@ -897,7 +897,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:04:17 GMT + - Wed, 01 Feb 2023 04:20:43 GMT expires: - '-1' pragma: @@ -907,11 +907,11 @@ interactions: x-content-type-options: - nosniff x-ms-keyvault-network-info: - - conn_type=Ipv4;addr=167.220.238.154;act_addr_fam=InterNetwork; + - conn_type=Ipv4;addr=167.220.238.156;act_addr_fam=InterNetwork; x-ms-keyvault-region: - westus2 x-ms-keyvault-service-version: - - 1.9.576.1 + - 1.9.679.1 status: code: 200 message: OK @@ -919,7 +919,7 @@ interactions: body: '{"identity": {"type": "UserAssigned", "userAssignedIdentities": {"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/Microsoft.ManagedIdentity/userAssignedIdentities/clitestid1": {}}}, "location": "westus2", "properties": {"encryption": {"identity": {"resourceId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/Microsoft.ManagedIdentity/userAssignedIdentities/clitestid1", - "type": "UserAssigned"}, "keyUrl": "https://clitest000002.vault.azure.net/keys/testkey1/b6a74887155942a39dfa6e4b0ea82127"}}}' + "type": "UserAssigned"}, "keyUrl": "https://clitest000002.vault.azure.net/keys/testkey1/d0619076d8074400a82fef2b6a8f83fc"}}}' headers: Accept: - application/json @@ -937,29 +937,29 @@ interactions: - --name --location --resource-group --identity-type --user-assigned --encryption-key --encryption-identity User-Agent: - - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: PUT uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","name":"load-test000004","type":"microsoft.loadtestservice/loadtests","location":"westus2","systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:04:23.3559629Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:04:23.3559629Z"},"identity":{"type":"UserAssigned","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/microsoft.managedidentity/userassignedidentities/clitestid1":{"principalId":"9861d064-d9e5-42dd-9f97-cd05e0f5de7a","clientId":"26267b45-e83e-4b9b-8572-2dc83f12fa33"}}},"properties":{"description":null,"dataPlaneURI":"5039f074-f3dd-43b3-993b-acbf4b27e61a.westus2.cnt-prod.loadtesting.azure.com","encryption":{"keyUrl":"https://clitest000002.vault.azure.net/keys/testkey1/b6a74887155942a39dfa6e4b0ea82127","identity":{"type":"UserAssigned","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/Microsoft.ManagedIdentity/userAssignedIdentities/clitestid1"}},"provisioningState":"Accepted"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","name":"load-test000004","type":"microsoft.loadtestservice/loadtests","location":"westus2","systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:20:52.0405641Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:20:52.0405641Z"},"identity":{"type":"UserAssigned","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/microsoft.managedidentity/userassignedidentities/clitestid1":{"principalId":"bfabf9ea-3e68-4907-8ab8-8024c629b571","clientId":"3cda7595-ceca-4d9a-a6bc-ff0935b9a542"}}},"properties":{"description":null,"dataPlaneURI":"f9ae91a2-5196-4a1d-923b-f2563ecf134a.westus2.cnt-prod.loadtesting.azure.com","encryption":{"keyUrl":"https://clitest000002.vault.azure.net/keys/testkey1/d0619076d8074400a82fef2b6a8f83fc","identity":{"type":"UserAssigned","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/Microsoft.ManagedIdentity/userAssignedIdentities/clitestid1"}},"provisioningState":"Accepted"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/b4f7b5d1-c6a2-47a1-adaf-1955b647f394*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A?api-version=2022-12-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/ef3725a0-1711-4bf5-a619-ed60816d833d*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B?api-version=2022-12-01 cache-control: - no-cache content-length: - - '1370' + - '1320' content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:04:31 GMT + - Wed, 01 Feb 2023 04:20:59 GMT etag: - - '"e400f4f1-0000-0800-0000-6376153e0000"' + - '"1000c31e-0000-0800-0000-63d9e8aa0000"' expires: - '-1' mise-correlation-id: - - d386453d-cf7f-499b-af40-a40dc131566d + - 9bc4fef4-549b-43f5-95ba-7b0f8f375884 pragma: - no-cache strict-transport-security: @@ -969,7 +969,7 @@ interactions: x-ms-providerhub-traffic: - 'True' x-ms-ratelimit-remaining-subscription-writes: - - '1199' + - '1198' status: code: 201 message: Created @@ -988,12 +988,12 @@ interactions: - --name --location --resource-group --identity-type --user-assigned --encryption-key --encryption-identity User-Agent: - - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/b4f7b5d1-c6a2-47a1-adaf-1955b647f394*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A?api-version=2022-12-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/ef3725a0-1711-4bf5-a619-ed60816d833d*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/b4f7b5d1-c6a2-47a1-adaf-1955b647f394*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A","name":"b4f7b5d1-c6a2-47a1-adaf-1955b647f394*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","status":"Succeeded","startTime":"2022-11-17T11:04:27.3800538Z","endTime":"2022-11-17T11:04:32.0001444Z","properties":null}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/ef3725a0-1711-4bf5-a619-ed60816d833d*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B","name":"ef3725a0-1711-4bf5-a619-ed60816d833d*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","status":"Succeeded","startTime":"2023-02-01T04:20:54.1820254Z","endTime":"2023-02-01T04:20:59.2002861Z","properties":null}' headers: cache-control: - no-cache @@ -1002,9 +1002,9 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:05:01 GMT + - Wed, 01 Feb 2023 04:21:29 GMT etag: - - '"6e003e0e-0000-0800-0000-637615400000"' + - '"09009328-0000-0800-0000-63d9e8ab0000"' expires: - '-1' pragma: @@ -1035,23 +1035,23 @@ interactions: - --name --location --resource-group --identity-type --user-assigned --encryption-key --encryption-identity User-Agent: - - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","name":"load-test000004","type":"microsoft.loadtestservice/loadtests","location":"westus2","systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:04:23.3559629Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:04:23.3559629Z"},"identity":{"type":"UserAssigned","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/microsoft.managedidentity/userassignedidentities/clitestid1":{"principalId":"9861d064-d9e5-42dd-9f97-cd05e0f5de7a","clientId":"26267b45-e83e-4b9b-8572-2dc83f12fa33"}}},"properties":{"description":null,"dataPlaneURI":"5039f074-f3dd-43b3-993b-acbf4b27e61a.westus2.cnt-prod.loadtesting.azure.com","encryption":{"keyUrl":"https://clitest000002.vault.azure.net/keys/testkey1/b6a74887155942a39dfa6e4b0ea82127","identity":{"type":"UserAssigned","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/Microsoft.ManagedIdentity/userAssignedIdentities/clitestid1"}},"provisioningState":"Succeeded"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","name":"load-test000004","type":"microsoft.loadtestservice/loadtests","location":"westus2","systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:20:52.0405641Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:20:52.0405641Z"},"identity":{"type":"UserAssigned","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/microsoft.managedidentity/userassignedidentities/clitestid1":{"principalId":"bfabf9ea-3e68-4907-8ab8-8024c629b571","clientId":"3cda7595-ceca-4d9a-a6bc-ff0935b9a542"}}},"properties":{"description":null,"dataPlaneURI":"f9ae91a2-5196-4a1d-923b-f2563ecf134a.westus2.cnt-prod.loadtesting.azure.com","encryption":{"keyUrl":"https://clitest000002.vault.azure.net/keys/testkey1/d0619076d8074400a82fef2b6a8f83fc","identity":{"type":"UserAssigned","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/Microsoft.ManagedIdentity/userAssignedIdentities/clitestid1"}},"provisioningState":"Succeeded"}}' headers: cache-control: - no-cache content-length: - - '1371' + - '1321' content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:05:02 GMT + - Wed, 01 Feb 2023 04:21:30 GMT etag: - - '"e4001ff2-0000-0800-0000-637615400000"' + - '"1000d01e-0000-0800-0000-63d9e8ab0000"' expires: - '-1' pragma: @@ -1087,7 +1087,7 @@ interactions: ParameterSetName: - --name --resource-group --tags --identity-type User-Agent: - - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: PATCH uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003?api-version=2022-12-01 response: @@ -1095,7 +1095,7 @@ interactions: string: 'null' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/3d665954-2bf1-46ef-be8e-4d91089c42d1*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E?api-version=2022-12-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/3bdf1003-e191-4483-b146-0265a1c2cfc5*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC?api-version=2022-12-01 cache-control: - no-cache content-length: @@ -1103,15 +1103,15 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:05:06 GMT + - Wed, 01 Feb 2023 04:21:34 GMT etag: - - '"e4004af5-0000-0800-0000-637615630000"' + - '"10000620-0000-0800-0000-63d9e8ce0000"' expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/3d665954-2bf1-46ef-be8e-4d91089c42d1*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E?api-version=2022-12-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/3bdf1003-e191-4483-b146-0265a1c2cfc5*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC?api-version=2022-12-01 mise-correlation-id: - - b46d8e35-6979-449a-9a31-51dd6f3c5ff2 + - 376857be-c468-4e44-a4e1-1630fb03ede3 pragma: - no-cache strict-transport-security: @@ -1121,7 +1121,7 @@ interactions: x-ms-providerhub-traffic: - 'True' x-ms-ratelimit-remaining-subscription-writes: - - '1195' + - '1196' status: code: 202 message: Accepted @@ -1139,12 +1139,12 @@ interactions: ParameterSetName: - --name --resource-group --tags --identity-type User-Agent: - - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/3d665954-2bf1-46ef-be8e-4d91089c42d1*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E?api-version=2022-12-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/3bdf1003-e191-4483-b146-0265a1c2cfc5*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/3d665954-2bf1-46ef-be8e-4d91089c42d1*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E","name":"3d665954-2bf1-46ef-be8e-4d91089c42d1*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","status":"Succeeded","startTime":"2022-11-17T11:05:06.9703142Z","endTime":"2022-11-17T11:05:08.2846843Z","properties":null}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/3bdf1003-e191-4483-b146-0265a1c2cfc5*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC","name":"3bdf1003-e191-4483-b146-0265a1c2cfc5*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","status":"Succeeded","startTime":"2023-02-01T04:21:34.2437249Z","endTime":"2023-02-01T04:21:35.4412755Z","properties":null}' headers: cache-control: - no-cache @@ -1153,9 +1153,9 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:05:36 GMT + - Wed, 01 Feb 2023 04:22:04 GMT etag: - - '"6e00d40f-0000-0800-0000-637615640000"' + - '"09003929-0000-0800-0000-63d9e8cf0000"' expires: - '-1' pragma: @@ -1185,23 +1185,23 @@ interactions: ParameterSetName: - --name --resource-group --tags --identity-type User-Agent: - - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","name":"load-test000003","type":"microsoft.loadtestservice/loadtests","location":"westus2","tags":{"test":"test"},"systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:02:53.8618697Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:05:06.0392213Z"},"identity":{"type":"None"},"properties":{"description":null,"dataPlaneURI":"81165d2a-64bd-44a9-a4fe-83956aab1684.westus2.cnt-prod.loadtesting.azure.com","encryption":null,"provisioningState":"Succeeded"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","name":"load-test000003","type":"microsoft.loadtestservice/loadtests","location":"westus2","tags":{"test":"test"},"systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:19:09.0391589Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:21:33.3419556Z"},"identity":{"type":"None"},"properties":{"description":null,"dataPlaneURI":"76244603-53a7-458f-8bd3-3ebf2a1b6470.westus2.cnt-prod.loadtesting.azure.com","encryption":null,"provisioningState":"Succeeded"}}' headers: cache-control: - no-cache content-length: - - '767' + - '717' content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:05:37 GMT + - Wed, 01 Feb 2023 04:22:04 GMT etag: - - '"e40071f5-0000-0800-0000-637615640000"' + - '"10002920-0000-0800-0000-63d9e8cf0000"' expires: - '-1' pragma: @@ -1237,7 +1237,7 @@ interactions: ParameterSetName: - --name --resource-group --identity-type User-Agent: - - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: PATCH uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004?api-version=2022-12-01 response: @@ -1245,7 +1245,7 @@ interactions: string: 'null' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/a5cbebad-ed6c-4f56-ab0b-6a280849d6ac*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A?api-version=2022-12-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/9b320d22-cb3d-4b75-92b0-1d377d0ce5ac*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B?api-version=2022-12-01 cache-control: - no-cache content-length: @@ -1253,15 +1253,15 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:05:41 GMT + - Wed, 01 Feb 2023 04:22:10 GMT etag: - - '"e40000f9-0000-0800-0000-637615860000"' + - '"10005621-0000-0800-0000-63d9e8f30000"' expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/a5cbebad-ed6c-4f56-ab0b-6a280849d6ac*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A?api-version=2022-12-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/9b320d22-cb3d-4b75-92b0-1d377d0ce5ac*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B?api-version=2022-12-01 mise-correlation-id: - - 50321852-f725-4f74-b00d-65f5c3b61649 + - 8cccd990-2f44-4fcc-bd6a-11f1c4caafec pragma: - no-cache strict-transport-security: @@ -1271,7 +1271,7 @@ interactions: x-ms-providerhub-traffic: - 'True' x-ms-ratelimit-remaining-subscription-writes: - - '1199' + - '1198' status: code: 202 message: Accepted @@ -1289,12 +1289,12 @@ interactions: ParameterSetName: - --name --resource-group --identity-type User-Agent: - - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/a5cbebad-ed6c-4f56-ab0b-6a280849d6ac*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A?api-version=2022-12-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/9b320d22-cb3d-4b75-92b0-1d377d0ce5ac*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/a5cbebad-ed6c-4f56-ab0b-6a280849d6ac*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A","name":"a5cbebad-ed6c-4f56-ab0b-6a280849d6ac*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","status":"Succeeded","startTime":"2022-11-17T11:05:42.1940706Z","endTime":"2022-11-17T11:05:43.3651944Z","properties":null}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/9b320d22-cb3d-4b75-92b0-1d377d0ce5ac*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B","name":"9b320d22-cb3d-4b75-92b0-1d377d0ce5ac*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","status":"Succeeded","startTime":"2023-02-01T04:22:11.0534714Z","endTime":"2023-02-01T04:22:12.2378943Z","properties":null}' headers: cache-control: - no-cache @@ -1303,9 +1303,9 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:06:12 GMT + - Wed, 01 Feb 2023 04:22:40 GMT etag: - - '"6e003d11-0000-0800-0000-637615870000"' + - '"0900d329-0000-0800-0000-63d9e8f40000"' expires: - '-1' pragma: @@ -1335,24 +1335,24 @@ interactions: ParameterSetName: - --name --resource-group --identity-type User-Agent: - - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","name":"load-test000004","type":"microsoft.loadtestservice/loadtests","location":"westus2","systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:04:23.3559629Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:05:41.2780534Z"},"identity":{"principalId":"917190b6-08bf-44a8-afe9-8782b8e41124","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned, - UserAssigned","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/microsoft.managedidentity/userassignedidentities/clitestid1":{"principalId":"9861d064-d9e5-42dd-9f97-cd05e0f5de7a","clientId":"26267b45-e83e-4b9b-8572-2dc83f12fa33"}}},"properties":{"description":null,"dataPlaneURI":"5039f074-f3dd-43b3-993b-acbf4b27e61a.westus2.cnt-prod.loadtesting.azure.com","encryption":{"keyUrl":"https://clitest000002.vault.azure.net/keys/testkey1/b6a74887155942a39dfa6e4b0ea82127","identity":{"type":"UserAssigned","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/Microsoft.ManagedIdentity/userAssignedIdentities/clitestid1"}},"provisioningState":"Succeeded"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","name":"load-test000004","type":"microsoft.loadtestservice/loadtests","location":"westus2","systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:20:52.0405641Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:22:10.136236Z"},"identity":{"principalId":"2000cdd6-42b1-4c45-bb37-244fd784d854","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned, + UserAssigned","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/microsoft.managedidentity/userassignedidentities/clitestid1":{"principalId":"bfabf9ea-3e68-4907-8ab8-8024c629b571","clientId":"3cda7595-ceca-4d9a-a6bc-ff0935b9a542"}}},"properties":{"description":null,"dataPlaneURI":"f9ae91a2-5196-4a1d-923b-f2563ecf134a.westus2.cnt-prod.loadtesting.azure.com","encryption":{"keyUrl":"https://clitest000002.vault.azure.net/keys/testkey1/d0619076d8074400a82fef2b6a8f83fc","identity":{"type":"UserAssigned","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/Microsoft.ManagedIdentity/userAssignedIdentities/clitestid1"}},"provisioningState":"Succeeded"}}' headers: cache-control: - no-cache content-length: - - '1490' + - '1439' content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:06:12 GMT + - Wed, 01 Feb 2023 04:22:41 GMT etag: - - '"e40011f9-0000-0800-0000-637615870000"' + - '"10006e21-0000-0800-0000-63d9e8f40000"' expires: - '-1' pragma: @@ -1384,21 +1384,21 @@ interactions: ParameterSetName: - --name --resource-group --object-id --key-permissions User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-keyvault/10.1.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-keyvault/10.1.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002?api-version=2022-07-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002","name":"clitest000002","type":"Microsoft.KeyVault/vaults","location":"westus2","tags":{},"systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:01:56.7Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:04:16.198Z"},"properties":{"sku":{"family":"A","name":"standard"},"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","accessPolicies":[{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"6cebd55a-b019-43e3-ba0c-79707d129832","permissions":{"keys":["all"],"secrets":["all"],"certificates":["all"],"storage":["all"]}},{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"9861d064-d9e5-42dd-9f97-cd05e0f5de7a","permissions":{"keys":["unwrapKey","get","wrapKey"]}}],"enabledForDeployment":false,"enableSoftDelete":true,"softDeleteRetentionInDays":7,"enablePurgeProtection":true,"vaultUri":"https://clitest000002.vault.azure.net/","provisioningState":"Succeeded","publicNetworkAccess":"Enabled"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002","name":"clitest000002","type":"Microsoft.KeyVault/vaults","location":"westus2","tags":{},"systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:18:13.035Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:20:40.647Z"},"properties":{"sku":{"family":"A","name":"standard"},"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","accessPolicies":[{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"b2ce67ee-5de9-4b0f-acd6-2f6465e7aa2f","permissions":{"keys":["all"],"secrets":["all"],"certificates":["all"],"storage":["all"]}},{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"bfabf9ea-3e68-4907-8ab8-8024c629b571","permissions":{"keys":["wrapKey","get","unwrapKey"]}}],"enabledForDeployment":false,"enableSoftDelete":true,"softDeleteRetentionInDays":7,"enablePurgeProtection":true,"vaultUri":"https://clitest000002.vault.azure.net/","provisioningState":"Succeeded","publicNetworkAccess":"Enabled"}}' headers: cache-control: - no-cache content-length: - - '1214' + - '1166' content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:06:14 GMT + - Wed, 01 Feb 2023 04:22:44 GMT expires: - '-1' pragma: @@ -1416,20 +1416,20 @@ interactions: x-content-type-options: - nosniff x-ms-keyvault-service-version: - - 1.5.564.0 + - 1.5.644.0 status: code: 200 message: OK - request: body: '{"location": "westus2", "tags": {}, "properties": {"tenantId": "72f988bf-86f1-41af-91ab-2d7cd011db47", "sku": {"family": "A", "name": "standard"}, "accessPolicies": [{"tenantId": - "72f988bf-86f1-41af-91ab-2d7cd011db47", "objectId": "6cebd55a-b019-43e3-ba0c-79707d129832", + "72f988bf-86f1-41af-91ab-2d7cd011db47", "objectId": "b2ce67ee-5de9-4b0f-acd6-2f6465e7aa2f", "permissions": {"keys": ["all"], "secrets": ["all"], "certificates": ["all"], "storage": ["all"]}}, {"tenantId": "72f988bf-86f1-41af-91ab-2d7cd011db47", "objectId": - "9861d064-d9e5-42dd-9f97-cd05e0f5de7a", "permissions": {"keys": ["unwrapKey", - "get", "wrapKey"]}}, {"tenantId": "72f988bf-86f1-41af-91ab-2d7cd011db47", "objectId": - "917190b6-08bf-44a8-afe9-8782b8e41124", "permissions": {"keys": ["unwrapKey", - "get", "wrapKey"]}}], "vaultUri": "https://clitest000002.vault.azure.net/", + "bfabf9ea-3e68-4907-8ab8-8024c629b571", "permissions": {"keys": ["wrapKey", + "get", "unwrapKey"]}}, {"tenantId": "72f988bf-86f1-41af-91ab-2d7cd011db47", + "objectId": "2000cdd6-42b1-4c45-bb37-244fd784d854", "permissions": {"keys": + ["wrapKey", "get", "unwrapKey"]}}], "vaultUri": "https://clitest000002.vault.azure.net/", "enabledForDeployment": false, "enableSoftDelete": true, "softDeleteRetentionInDays": 7, "enablePurgeProtection": true, "provisioningState": "Succeeded", "publicNetworkAccess": "Enabled"}}' @@ -1449,21 +1449,21 @@ interactions: ParameterSetName: - --name --resource-group --object-id --key-permissions User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-keyvault/10.1.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-keyvault/10.1.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: PUT uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002?api-version=2022-07-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002","name":"clitest000002","type":"Microsoft.KeyVault/vaults","location":"westus2","tags":{},"systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:01:56.7Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:06:15.805Z"},"properties":{"sku":{"family":"A","name":"standard"},"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","accessPolicies":[{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"6cebd55a-b019-43e3-ba0c-79707d129832","permissions":{"keys":["all"],"secrets":["all"],"certificates":["all"],"storage":["all"]}},{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"9861d064-d9e5-42dd-9f97-cd05e0f5de7a","permissions":{"keys":["unwrapKey","get","wrapKey"]}},{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"917190b6-08bf-44a8-afe9-8782b8e41124","permissions":{"keys":["unwrapKey","get","wrapKey"]}}],"enabledForDeployment":false,"enableSoftDelete":true,"softDeleteRetentionInDays":7,"enablePurgeProtection":true,"vaultUri":"https://clitest000002.vault.azure.net/","provisioningState":"Succeeded","publicNetworkAccess":"Enabled"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002","name":"clitest000002","type":"Microsoft.KeyVault/vaults","location":"westus2","tags":{},"systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:18:13.035Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:22:45.551Z"},"properties":{"sku":{"family":"A","name":"standard"},"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","accessPolicies":[{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"b2ce67ee-5de9-4b0f-acd6-2f6465e7aa2f","permissions":{"keys":["all"],"secrets":["all"],"certificates":["all"],"storage":["all"]}},{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"bfabf9ea-3e68-4907-8ab8-8024c629b571","permissions":{"keys":["wrapKey","get","unwrapKey"]}},{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"2000cdd6-42b1-4c45-bb37-244fd784d854","permissions":{"keys":["wrapKey","get","unwrapKey"]}}],"enabledForDeployment":false,"enableSoftDelete":true,"softDeleteRetentionInDays":7,"enablePurgeProtection":true,"vaultUri":"https://clitest000002.vault.azure.net/","provisioningState":"Succeeded","publicNetworkAccess":"Enabled"}}' headers: cache-control: - no-cache content-length: - - '1369' + - '1321' content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:06:15 GMT + - Wed, 01 Feb 2023 04:22:45 GMT expires: - '-1' pragma: @@ -1481,9 +1481,9 @@ interactions: x-content-type-options: - nosniff x-ms-keyvault-service-version: - - 1.5.564.0 + - 1.5.644.0 x-ms-ratelimit-remaining-subscription-writes: - - '1194' + - '1197' status: code: 200 message: OK @@ -1506,7 +1506,7 @@ interactions: ParameterSetName: - --name --resource-group --encryption-identity User-Agent: - - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: PATCH uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004?api-version=2022-12-01 response: @@ -1514,7 +1514,7 @@ interactions: string: 'null' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/f76cb219-9a95-4ddd-ba82-d962b0f5e5ca*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A?api-version=2022-12-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/27856cae-380b-4fda-9f54-c69a12a67867*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B?api-version=2022-12-01 cache-control: - no-cache content-length: @@ -1522,15 +1522,15 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:06:22 GMT + - Wed, 01 Feb 2023 04:22:50 GMT etag: - - '"e400aefc-0000-0800-0000-637615ae0000"' + - '"1000d622-0000-0800-0000-63d9e91a0000"' expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/f76cb219-9a95-4ddd-ba82-d962b0f5e5ca*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A?api-version=2022-12-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/27856cae-380b-4fda-9f54-c69a12a67867*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B?api-version=2022-12-01 mise-correlation-id: - - eec75e4e-a454-45c0-9a6b-dfc75fd15947 + - 1bcc8e0d-88ca-41a0-a2de-dc88ba7a51c3 pragma: - no-cache strict-transport-security: @@ -1540,7 +1540,7 @@ interactions: x-ms-providerhub-traffic: - 'True' x-ms-ratelimit-remaining-subscription-writes: - - '1198' + - '1196' status: code: 202 message: Accepted @@ -1558,12 +1558,12 @@ interactions: ParameterSetName: - --name --resource-group --encryption-identity User-Agent: - - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/f76cb219-9a95-4ddd-ba82-d962b0f5e5ca*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A?api-version=2022-12-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/27856cae-380b-4fda-9f54-c69a12a67867*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/f76cb219-9a95-4ddd-ba82-d962b0f5e5ca*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A","name":"f76cb219-9a95-4ddd-ba82-d962b0f5e5ca*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","status":"Succeeded","startTime":"2022-11-17T11:06:17.7553437Z","endTime":"2022-11-17T11:06:24.014795Z","properties":null}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/27856cae-380b-4fda-9f54-c69a12a67867*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B","name":"27856cae-380b-4fda-9f54-c69a12a67867*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","status":"Succeeded","startTime":"2023-02-01T04:22:47.4711771Z","endTime":"2023-02-01T04:22:51.803665Z","properties":null}' headers: cache-control: - no-cache @@ -1572,9 +1572,9 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:06:53 GMT + - Wed, 01 Feb 2023 04:23:21 GMT etag: - - '"6e001713-0000-0800-0000-637615b00000"' + - '"0900992a-0000-0800-0000-63d9e91b0000"' expires: - '-1' pragma: @@ -1604,24 +1604,24 @@ interactions: ParameterSetName: - --name --resource-group --encryption-identity User-Agent: - - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","name":"load-test000004","type":"microsoft.loadtestservice/loadtests","location":"westus2","systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:04:23.3559629Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:06:16.8106827Z"},"identity":{"principalId":"917190b6-08bf-44a8-afe9-8782b8e41124","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned, - UserAssigned","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/microsoft.managedidentity/userassignedidentities/clitestid1":{"principalId":"9861d064-d9e5-42dd-9f97-cd05e0f5de7a","clientId":"26267b45-e83e-4b9b-8572-2dc83f12fa33"}}},"properties":{"description":null,"dataPlaneURI":"5039f074-f3dd-43b3-993b-acbf4b27e61a.westus2.cnt-prod.loadtesting.azure.com","encryption":{"keyUrl":"https://clitest000002.vault.azure.net/keys/testkey1/b6a74887155942a39dfa6e4b0ea82127","identity":{"type":"SystemAssigned","resourceId":null}},"provisioningState":"Succeeded"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","name":"load-test000004","type":"microsoft.loadtestservice/loadtests","location":"westus2","systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:20:52.0405641Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:22:46.5824473Z"},"identity":{"principalId":"2000cdd6-42b1-4c45-bb37-244fd784d854","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned, + UserAssigned","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/microsoft.managedidentity/userassignedidentities/clitestid1":{"principalId":"bfabf9ea-3e68-4907-8ab8-8024c629b571","clientId":"3cda7595-ceca-4d9a-a6bc-ff0935b9a542"}}},"properties":{"description":null,"dataPlaneURI":"f9ae91a2-5196-4a1d-923b-f2563ecf134a.westus2.cnt-prod.loadtesting.azure.com","encryption":{"keyUrl":"https://clitest000002.vault.azure.net/keys/testkey1/d0619076d8074400a82fef2b6a8f83fc","identity":{"type":"SystemAssigned","resourceId":null}},"provisioningState":"Succeeded"}}' headers: cache-control: - no-cache content-length: - - '1324' + - '1274' content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:06:53 GMT + - Wed, 01 Feb 2023 04:23:22 GMT etag: - - '"e400c8fc-0000-0800-0000-637615b00000"' + - '"1000db22-0000-0800-0000-63d9e91b0000"' expires: - '-1' pragma: @@ -1653,24 +1653,24 @@ interactions: ParameterSetName: - --name --resource-group User-Agent: - - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","name":"load-test000004","type":"microsoft.loadtestservice/loadtests","location":"westus2","systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:04:23.3559629Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:06:16.8106827Z"},"identity":{"principalId":"917190b6-08bf-44a8-afe9-8782b8e41124","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned, - UserAssigned","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/microsoft.managedidentity/userassignedidentities/clitestid1":{"principalId":"9861d064-d9e5-42dd-9f97-cd05e0f5de7a","clientId":"26267b45-e83e-4b9b-8572-2dc83f12fa33"}}},"properties":{"description":null,"dataPlaneURI":"5039f074-f3dd-43b3-993b-acbf4b27e61a.westus2.cnt-prod.loadtesting.azure.com","encryption":{"keyUrl":"https://clitest000002.vault.azure.net/keys/testkey1/b6a74887155942a39dfa6e4b0ea82127","identity":{"type":"SystemAssigned","resourceId":null}},"provisioningState":"Succeeded"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","name":"load-test000004","type":"microsoft.loadtestservice/loadtests","location":"westus2","systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:20:52.0405641Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:22:46.5824473Z"},"identity":{"principalId":"2000cdd6-42b1-4c45-bb37-244fd784d854","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned, + UserAssigned","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/microsoft.managedidentity/userassignedidentities/clitestid1":{"principalId":"bfabf9ea-3e68-4907-8ab8-8024c629b571","clientId":"3cda7595-ceca-4d9a-a6bc-ff0935b9a542"}}},"properties":{"description":null,"dataPlaneURI":"f9ae91a2-5196-4a1d-923b-f2563ecf134a.westus2.cnt-prod.loadtesting.azure.com","encryption":{"keyUrl":"https://clitest000002.vault.azure.net/keys/testkey1/d0619076d8074400a82fef2b6a8f83fc","identity":{"type":"SystemAssigned","resourceId":null}},"provisioningState":"Succeeded"}}' headers: cache-control: - no-cache content-length: - - '1324' + - '1274' content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:06:55 GMT + - Wed, 01 Feb 2023 04:23:24 GMT etag: - - '"e400c8fc-0000-0800-0000-637615b00000"' + - '"1000db22-0000-0800-0000-63d9e91b0000"' expires: - '-1' pragma: @@ -1702,23 +1702,23 @@ interactions: ParameterSetName: - --name --resource-group User-Agent: - - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","name":"load-test000003","type":"microsoft.loadtestservice/loadtests","location":"westus2","tags":{"test":"test"},"systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:02:53.8618697Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:05:06.0392213Z"},"identity":{"type":"None"},"properties":{"description":null,"dataPlaneURI":"81165d2a-64bd-44a9-a4fe-83956aab1684.westus2.cnt-prod.loadtesting.azure.com","encryption":null,"provisioningState":"Succeeded"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","name":"load-test000003","type":"microsoft.loadtestservice/loadtests","location":"westus2","tags":{"test":"test"},"systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:19:09.0391589Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:21:33.3419556Z"},"identity":{"type":"None"},"properties":{"description":null,"dataPlaneURI":"76244603-53a7-458f-8bd3-3ebf2a1b6470.westus2.cnt-prod.loadtesting.azure.com","encryption":null,"provisioningState":"Succeeded"}}' headers: cache-control: - no-cache content-length: - - '767' + - '717' content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:06:55 GMT + - Wed, 01 Feb 2023 04:23:25 GMT etag: - - '"e40071f5-0000-0800-0000-637615640000"' + - '"10002920-0000-0800-0000-63d9e8cf0000"' expires: - '-1' pragma: @@ -1750,22 +1750,22 @@ interactions: ParameterSetName: - --resource-group User-Agent: - - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests?api-version=2022-12-01 response: body: - string: '{"value":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","name":"load-test000003","type":"microsoft.loadtestservice/loadtests","location":"westus2","tags":{"test":"test"},"systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:02:53.8618697Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:05:06.0392213Z"},"identity":{"type":"None"},"properties":{"description":null,"dataPlaneURI":"81165d2a-64bd-44a9-a4fe-83956aab1684.westus2.cnt-prod.loadtesting.azure.com","encryption":null,"provisioningState":"Succeeded"}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","name":"load-test000004","type":"microsoft.loadtestservice/loadtests","location":"westus2","systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:04:23.3559629Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:06:16.8106827Z"},"identity":{"principalId":"917190b6-08bf-44a8-afe9-8782b8e41124","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned, - UserAssigned","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/microsoft.managedidentity/userassignedidentities/clitestid1":{"principalId":"9861d064-d9e5-42dd-9f97-cd05e0f5de7a","clientId":"26267b45-e83e-4b9b-8572-2dc83f12fa33"}}},"properties":{"description":null,"dataPlaneURI":"5039f074-f3dd-43b3-993b-acbf4b27e61a.westus2.cnt-prod.loadtesting.azure.com","encryption":{"keyUrl":"https://clitest000002.vault.azure.net/keys/testkey1/b6a74887155942a39dfa6e4b0ea82127","identity":{"type":"SystemAssigned","resourceId":null}},"provisioningState":"Succeeded"}}]}' + string: '{"value":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","name":"load-test000003","type":"microsoft.loadtestservice/loadtests","location":"westus2","tags":{"test":"test"},"systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:19:09.0391589Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:21:33.3419556Z"},"identity":{"type":"None"},"properties":{"description":null,"dataPlaneURI":"76244603-53a7-458f-8bd3-3ebf2a1b6470.westus2.cnt-prod.loadtesting.azure.com","encryption":null,"provisioningState":"Succeeded"}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","name":"load-test000004","type":"microsoft.loadtestservice/loadtests","location":"westus2","systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:20:52.0405641Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:22:46.5824473Z"},"identity":{"principalId":"2000cdd6-42b1-4c45-bb37-244fd784d854","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned, + UserAssigned","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/microsoft.managedidentity/userassignedidentities/clitestid1":{"principalId":"bfabf9ea-3e68-4907-8ab8-8024c629b571","clientId":"3cda7595-ceca-4d9a-a6bc-ff0935b9a542"}}},"properties":{"description":null,"dataPlaneURI":"f9ae91a2-5196-4a1d-923b-f2563ecf134a.westus2.cnt-prod.loadtesting.azure.com","encryption":{"keyUrl":"https://clitest000002.vault.azure.net/keys/testkey1/d0619076d8074400a82fef2b6a8f83fc","identity":{"type":"SystemAssigned","resourceId":null}},"provisioningState":"Succeeded"}}]}' headers: cache-control: - no-cache content-length: - - '2104' + - '2004' content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:06:57 GMT + - Wed, 01 Feb 2023 04:23:28 GMT expires: - '-1' pragma: @@ -1777,16 +1777,19 @@ interactions: x-content-type-options: - nosniff x-ms-original-request-ids: - - e4754363-8fe0-441a-93a5-ac5d144cb613 - - 7b86d2a2-65ff-4069-8b01-8ea4fa1e9dd7 - - a03402e6-27c0-4d8d-898d-a9f27c468d80 - - b0132fca-5245-4f64-b6ea-190f31c882ad - - 9bc988fd-2ede-4d46-80e9-243f58ac6c30 - - a91b3e53-9e0c-41b6-9885-758077d3ae73 - - 34396ef0-6d61-4895-a2fd-c44597fb5351 - - 040d3853-47d6-43d8-9599-4cfd66e3afe0 - - 874fa487-ca4b-4483-bb7c-09b795327328 - - dbc7eb72-e9ee-4fe4-a553-a6dd7901d310 + - 61d31bd2-c028-4c3d-9bda-02066b82303c + - ecbfbf98-9eb9-4f8c-81fd-f1f4b85d8370 + - 6b78015b-6f77-452e-ad57-c97d58c67521 + - 5c045037-caed-403b-bcb8-b09a44abd80d + - cde25eb1-10b8-4dde-8f0c-3ad840203fd0 + - cf66f7da-c783-4038-8f61-cc588110250e + - d1a0f091-92dd-4f0e-84fa-343f12cceee0 + - 83cc533f-36b8-4bb1-a408-a01b5d99a034 + - 9fed9c0b-2e87-4d88-a645-540fa03621db + - cb748a2e-d41f-427b-af82-83baf0229be8 + - 7064ff5a-4784-4d30-b658-9ffbc4d4f221 + - e23b22a5-10c5-4005-921f-265cd192eafe + - 9ea82ab6-48ca-45ca-94b2-4d1cdcf65081 status: code: 200 message: OK @@ -1806,7 +1809,7 @@ interactions: ParameterSetName: - --name --resource-group --yes User-Agent: - - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: DELETE uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003?api-version=2022-12-01 response: @@ -1814,7 +1817,7 @@ interactions: string: 'null' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/58dbb6dd-7039-4469-bb35-3ea86de12a88*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E?api-version=2022-12-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/b7911dd1-1dd7-4de3-9a92-9f32e07aff83*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC?api-version=2022-12-01 cache-control: - no-cache content-length: @@ -1822,15 +1825,15 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:07:00 GMT + - Wed, 01 Feb 2023 04:23:32 GMT etag: - - '"e5004600-0000-0800-0000-637615d40000"' + - '"10005524-0000-0800-0000-63d9e9440000"' expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/58dbb6dd-7039-4469-bb35-3ea86de12a88*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E?api-version=2022-12-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/b7911dd1-1dd7-4de3-9a92-9f32e07aff83*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC?api-version=2022-12-01 mise-correlation-id: - - 9d00e8c9-6a7a-441c-a7be-5dbce651790b + - 81443718-ea8a-41ee-a034-191f205e1ba9 pragma: - no-cache strict-transport-security: @@ -1858,12 +1861,12 @@ interactions: ParameterSetName: - --name --resource-group --yes User-Agent: - - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/58dbb6dd-7039-4469-bb35-3ea86de12a88*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E?api-version=2022-12-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/b7911dd1-1dd7-4de3-9a92-9f32e07aff83*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/58dbb6dd-7039-4469-bb35-3ea86de12a88*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E","name":"58dbb6dd-7039-4469-bb35-3ea86de12a88*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","status":"Succeeded","startTime":"2022-11-17T11:07:00.1529262Z","endTime":"2022-11-17T11:07:00.9617049Z","properties":null}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/b7911dd1-1dd7-4de3-9a92-9f32e07aff83*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC","name":"b7911dd1-1dd7-4de3-9a92-9f32e07aff83*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","status":"Succeeded","startTime":"2023-02-01T04:23:31.1165264Z","endTime":"2023-02-01T04:23:32.6510971Z","properties":null}' headers: cache-control: - no-cache @@ -1872,9 +1875,9 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:07:30 GMT + - Wed, 01 Feb 2023 04:24:01 GMT etag: - - '"6e00eb14-0000-0800-0000-637615d40000"' + - '"0900792b-0000-0800-0000-63d9e9440000"' expires: - '-1' pragma: @@ -1904,12 +1907,12 @@ interactions: ParameterSetName: - --name --resource-group --yes User-Agent: - - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/58dbb6dd-7039-4469-bb35-3ea86de12a88*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E?api-version=2022-12-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/b7911dd1-1dd7-4de3-9a92-9f32e07aff83*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/58dbb6dd-7039-4469-bb35-3ea86de12a88*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E","name":"58dbb6dd-7039-4469-bb35-3ea86de12a88*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","status":"Succeeded","startTime":"2022-11-17T11:07:00.1529262Z","endTime":"2022-11-17T11:07:00.9617049Z","properties":null}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/b7911dd1-1dd7-4de3-9a92-9f32e07aff83*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC","name":"b7911dd1-1dd7-4de3-9a92-9f32e07aff83*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","status":"Succeeded","startTime":"2023-02-01T04:23:31.1165264Z","endTime":"2023-02-01T04:23:32.6510971Z","properties":null}' headers: cache-control: - no-cache @@ -1918,9 +1921,9 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:07:30 GMT + - Wed, 01 Feb 2023 04:24:02 GMT etag: - - '"6e00eb14-0000-0800-0000-637615d40000"' + - '"0900792b-0000-0800-0000-63d9e9440000"' expires: - '-1' pragma: @@ -1952,7 +1955,7 @@ interactions: ParameterSetName: - --name --resource-group --yes User-Agent: - - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: DELETE uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004?api-version=2022-12-01 response: @@ -1960,7 +1963,7 @@ interactions: string: 'null' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/e2015996-7122-4a2d-ade9-0bd25728fd93*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A?api-version=2022-12-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/167f6eab-d815-4fd1-b00c-81ae2a443a6c*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B?api-version=2022-12-01 cache-control: - no-cache content-length: @@ -1968,15 +1971,15 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:07:33 GMT + - Wed, 01 Feb 2023 04:24:04 GMT etag: - - '"e500f803-0000-0800-0000-637615f50000"' + - '"10008e25-0000-0800-0000-63d9e9640000"' expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/e2015996-7122-4a2d-ade9-0bd25728fd93*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A?api-version=2022-12-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/167f6eab-d815-4fd1-b00c-81ae2a443a6c*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B?api-version=2022-12-01 mise-correlation-id: - - 27a8b63a-e219-4539-95b4-0c06fdaf18b4 + - 9fdde045-5b63-4f37-b3a1-3b563284c0b5 pragma: - no-cache strict-transport-security: @@ -2004,23 +2007,23 @@ interactions: ParameterSetName: - --name --resource-group --yes User-Agent: - - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/e2015996-7122-4a2d-ade9-0bd25728fd93*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A?api-version=2022-12-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/167f6eab-d815-4fd1-b00c-81ae2a443a6c*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/e2015996-7122-4a2d-ade9-0bd25728fd93*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A","name":"e2015996-7122-4a2d-ade9-0bd25728fd93*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","status":"Succeeded","startTime":"2022-11-17T11:07:33.4652853Z","endTime":"2022-11-17T11:07:34.0146053Z","properties":null}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/167f6eab-d815-4fd1-b00c-81ae2a443a6c*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B","name":"167f6eab-d815-4fd1-b00c-81ae2a443a6c*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","status":"Succeeded","startTime":"2023-02-01T04:24:04.7100365Z","endTime":"2023-02-01T04:24:05.160336Z","properties":null}' headers: cache-control: - no-cache content-length: - - '646' + - '645' content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:08:03 GMT + - Wed, 01 Feb 2023 04:24:35 GMT etag: - - '"6e003b16-0000-0800-0000-637615f60000"' + - '"09000d2c-0000-0800-0000-63d9e9650000"' expires: - '-1' pragma: @@ -2050,23 +2053,23 @@ interactions: ParameterSetName: - --name --resource-group --yes User-Agent: - - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/e2015996-7122-4a2d-ade9-0bd25728fd93*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A?api-version=2022-12-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/167f6eab-d815-4fd1-b00c-81ae2a443a6c*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/e2015996-7122-4a2d-ade9-0bd25728fd93*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A","name":"e2015996-7122-4a2d-ade9-0bd25728fd93*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","status":"Succeeded","startTime":"2022-11-17T11:07:33.4652853Z","endTime":"2022-11-17T11:07:34.0146053Z","properties":null}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/167f6eab-d815-4fd1-b00c-81ae2a443a6c*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B","name":"167f6eab-d815-4fd1-b00c-81ae2a443a6c*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","status":"Succeeded","startTime":"2023-02-01T04:24:04.7100365Z","endTime":"2023-02-01T04:24:05.160336Z","properties":null}' headers: cache-control: - no-cache content-length: - - '646' + - '645' content-type: - application/json; charset=utf-8 date: - - Thu, 17 Nov 2022 11:08:04 GMT + - Wed, 01 Feb 2023 04:24:35 GMT etag: - - '"6e003b16-0000-0800-0000-637615f60000"' + - '"09000d2c-0000-0800-0000-63d9e9650000"' expires: - '-1' pragma: diff --git a/src/load/setup.py b/src/load/setup.py index 7536ef6b2e6..bdd8a200136 100644 --- a/src/load/setup.py +++ b/src/load/setup.py @@ -10,7 +10,7 @@ # HISTORY.rst entry. -VERSION = '0.1.0' +VERSION = '0.2.0' # The full list of classifiers is available at # https://pypi.python.org/pypi?%3Aaction=list_classifiers diff --git a/src/nginx/HISTORY.rst b/src/nginx/HISTORY.rst index 8c34bccfff8..4a3adac3823 100644 --- a/src/nginx/HISTORY.rst +++ b/src/nginx/HISTORY.rst @@ -3,6 +3,10 @@ Release History =============== +0.1.1 +++++++ +* Update the GA sku in the creation example. + 0.1.0 ++++++ * Initial release. \ No newline at end of file diff --git a/src/nginx/azext_nginx/aaz/latest/nginx/deployment/_create.py b/src/nginx/azext_nginx/aaz/latest/nginx/deployment/_create.py index ef8afd482ad..f85fe4e046b 100644 --- a/src/nginx/azext_nginx/aaz/latest/nginx/deployment/_create.py +++ b/src/nginx/azext_nginx/aaz/latest/nginx/deployment/_create.py @@ -18,11 +18,11 @@ class Create(AAZCommand): """Create an NGINX for Azure resource :example: Deployment Create with PublicIP - az nginx deployment create --name myDeployment --resource-group myResourceGroup --location eastus2 --sku name="preview_Monthly_gmz7xq9ge3py" --network-profile front-end-ip-configuration="{public-ip-addresses:[{id:/subscriptions/mySubscription/resourceGroups/myResourceGroup/providers/Microsoft.Network/publicIPAddresses/myPublicIP}]}" network-interface-configuration="{subnet-id:/subscriptions/mySubscription/resourceGroups/myResourceGroup/providers/Microsoft.Network/virtualNetworks/myVNet/subnets/mySubnet}" + az nginx deployment create --name myDeployment --resource-group myResourceGroup --location eastus2 --sku name="standard_Monthly" --network-profile front-end-ip-configuration="{public-ip-addresses:[{id:/subscriptions/mySubscription/resourceGroups/myResourceGroup/providers/Microsoft.Network/publicIPAddresses/myPublicIP}]}" network-interface-configuration="{subnet-id:/subscriptions/mySubscription/resourceGroups/myResourceGroup/providers/Microsoft.Network/virtualNetworks/myVNet/subnets/mySubnet}" :example: Deployment Create with PrivateIP - az nginx deployment create --name myDeployment --resource-group myResourceGroup --location eastus2 --sku name="preview_Monthly_gmz7xq9ge3py" --network-profile front-end-ip-configuration="{private-ip-addresses:[{private-ip-allocation-method:Static,subnet-id:/subscriptions/mySubscription/resourceGroups/myResourceGroup/providers/Microsoft.Network/virtualNetworks/myVNet/subnets/mySubnet,private-ip-address:10.0.0.2}]}" network-interface-configuration="{subnet-id:/subscriptions/mySubscription/resourceGroups/myResourceGroup/providers/Microsoft.Network/virtualNetworks/myVNet/subnets/mySubnet}" - az nginx deployment create --name myDeployment --resource-group myResourceGroup --location eastus2 --sku name="preview_Monthly_gmz7xq9ge3py" --network-profile front-end-ip-configuration="{private-ip-addresses:[{private-ip-allocation-method:Dynamic,subnet-id:/subscriptions/mySubscription/resourceGroups/myResourceGroup/providers/Microsoft.Network/virtualNetworks/myVNet/subnets/mySubnet,private-ip-address:10.0.0.2}]}" network-interface-configuration="{subnet-id:/subscriptions/mySubscription/resourceGroups/myResourceGroup/providers/Microsoft.Network/virtualNetworks/myVNet/subnets/mySubnet}" + az nginx deployment create --name myDeployment --resource-group myResourceGroup --location eastus2 --sku name="standard_Monthly" --network-profile front-end-ip-configuration="{private-ip-addresses:[{private-ip-allocation-method:Static,subnet-id:/subscriptions/mySubscription/resourceGroups/myResourceGroup/providers/Microsoft.Network/virtualNetworks/myVNet/subnets/mySubnet,private-ip-address:10.0.0.2}]}" network-interface-configuration="{subnet-id:/subscriptions/mySubscription/resourceGroups/myResourceGroup/providers/Microsoft.Network/virtualNetworks/myVNet/subnets/mySubnet}" + az nginx deployment create --name myDeployment --resource-group myResourceGroup --location eastus2 --sku name="standard_Monthly" --network-profile front-end-ip-configuration="{private-ip-addresses:[{private-ip-allocation-method:Dynamic,subnet-id:/subscriptions/mySubscription/resourceGroups/myResourceGroup/providers/Microsoft.Network/virtualNetworks/myVNet/subnets/mySubnet,private-ip-address:10.0.0.2}]}" network-interface-configuration="{subnet-id:/subscriptions/mySubscription/resourceGroups/myResourceGroup/providers/Microsoft.Network/virtualNetworks/myVNet/subnets/mySubnet}" """ _aaz_info = { diff --git a/src/nginx/azext_nginx/tests/latest/recordings/test_deployment_cert_config.yaml b/src/nginx/azext_nginx/tests/latest/recordings/test_deployment_cert_config.yaml index 13f8ddbaf96..57113323e7c 100644 --- a/src/nginx/azext_nginx/tests/latest/recordings/test_deployment_cert_config.yaml +++ b/src/nginx/azext_nginx/tests/latest/recordings/test_deployment_cert_config.yaml @@ -65,7 +65,7 @@ interactions: - AZURECLI/2.40.0 (PIP) azsdk-python-azure-mgmt-network/21.0.1 Python/3.10.7 (Windows-10-10.0.22000-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip?api-version=2022-01-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip?api-version=2022-05-01 response: body: string: "{\r\n \"name\": \"azclitest-public-ip\",\r\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip\"\ @@ -175,7 +175,7 @@ interactions: - AZURECLI/2.40.0 (PIP) azsdk-python-azure-mgmt-network/21.0.1 Python/3.10.7 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip?api-version=2022-01-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip?api-version=2022-05-01 response: body: string: "{\r\n \"name\": \"azclitest-public-ip\",\r\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip\"\ @@ -705,7 +705,7 @@ interactions: true, "networkProfile": {"frontEndIPConfiguration": {"publicIPAddresses": [{"id": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip"}]}, "networkInterfaceConfiguration": {"subnetId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/virtualNetworks/azclitest-vnet/subnets/azclitest-subnet"}}}, - "sku": {"name": "preview_Monthly_gmz7xq9ge3py"}}' + "sku": {"name": "standard_Monthly"}}' headers: Accept: - application/json @@ -727,7 +727,7 @@ interactions: uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment?api-version=2022-08-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment","name":"azclitest-deployment","type":"nginx.nginxplus/nginxdeployments","sku":{"name":"preview_Monthly_gmz7xq9ge3py"},"location":"eastus2euap","systemData":{"createdBy":"georgengugi@microsoft.com","createdByType":"User","createdAt":"2022-09-20T11:55:31.727496Z","lastModifiedBy":"georgengugi@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-20T11:55:31.727496Z"},"properties":{"provisioningState":"Accepted","nginxVersion":null,"managedResourceGroup":null,"ipAddress":null,"networkProfile":{"frontEndIPConfiguration":{"publicIPAddresses":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip"}]},"networkInterfaceConfiguration":{"subnetId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/virtualNetworks/azclitest-vnet/subnets/azclitest-subnet"}},"enableDiagnosticsSupport":true,"logging":null}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment","name":"azclitest-deployment","type":"nginx.nginxplus/nginxdeployments","sku":{"name":"standard_Monthly"},"location":"eastus2euap","systemData":{"createdBy":"georgengugi@microsoft.com","createdByType":"User","createdAt":"2022-09-20T11:55:31.727496Z","lastModifiedBy":"georgengugi@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-20T11:55:31.727496Z"},"properties":{"provisioningState":"Accepted","nginxVersion":null,"managedResourceGroup":null,"ipAddress":null,"networkProfile":{"frontEndIPConfiguration":{"publicIPAddresses":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip"}]},"networkInterfaceConfiguration":{"subnetId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/virtualNetworks/azclitest-vnet/subnets/azclitest-subnet"}},"enableDiagnosticsSupport":true,"logging":null}}' headers: azure-asyncoperation: - https://management.azure.com/providers/Nginx.NginxPlus/locations/EASTUS2EUAP/operationStatuses/81ce1629-a593-4a4f-ac9f-b3d388206bac*23B61C80BD45EC670D58F6356F4F15E09A23A3DEEC48503E47ACA45B6209CAE3?api-version=2022-08-01 @@ -1101,7 +1101,7 @@ interactions: uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment?api-version=2022-08-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment","name":"azclitest-deployment","type":"nginx.nginxplus/nginxdeployments","sku":{"name":"preview_Monthly_gmz7xq9ge3py"},"location":"eastus2euap","systemData":{"createdBy":"georgengugi@microsoft.com","createdByType":"User","createdAt":"2022-09-20T11:55:31.727496Z","lastModifiedBy":"georgengugi@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-20T11:55:31.727496Z"},"properties":{"provisioningState":"Succeeded","nginxVersion":"","managedResourceGroup":"NGX_AZCLIDeploymentTestRG_000001_azclitest-deployment_eastus2euap","ipAddress":"20.47.162.158","networkProfile":{"frontEndIPConfiguration":{"publicIPAddresses":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip"}]},"networkInterfaceConfiguration":{"subnetId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/virtualNetworks/azclitest-vnet/subnets/azclitest-subnet"}},"enableDiagnosticsSupport":true}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment","name":"azclitest-deployment","type":"nginx.nginxplus/nginxdeployments","sku":{"name":"standard_Monthly"},"location":"eastus2euap","systemData":{"createdBy":"georgengugi@microsoft.com","createdByType":"User","createdAt":"2022-09-20T11:55:31.727496Z","lastModifiedBy":"georgengugi@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-20T11:55:31.727496Z"},"properties":{"provisioningState":"Succeeded","nginxVersion":"","managedResourceGroup":"NGX_AZCLIDeploymentTestRG_000001_azclitest-deployment_eastus2euap","ipAddress":"20.47.162.158","networkProfile":{"frontEndIPConfiguration":{"publicIPAddresses":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip"}]},"networkInterfaceConfiguration":{"subnetId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/virtualNetworks/azclitest-vnet/subnets/azclitest-subnet"}},"enableDiagnosticsSupport":true}}' headers: cache-control: - no-cache @@ -1149,7 +1149,7 @@ interactions: uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments?api-version=2022-08-01 response: body: - string: '{"value":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment","name":"azclitest-deployment","type":"nginx.nginxplus/nginxdeployments","sku":{"name":"preview_Monthly_gmz7xq9ge3py"},"location":"eastus2euap","systemData":{"createdBy":"georgengugi@microsoft.com","createdByType":"User","createdAt":"2022-09-20T11:55:31.727496Z","lastModifiedBy":"georgengugi@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-20T11:55:31.727496Z"},"properties":{"provisioningState":"Succeeded","nginxVersion":"","managedResourceGroup":"NGX_AZCLIDeploymentTestRG_000001_azclitest-deployment_eastus2euap","ipAddress":"20.47.162.158","networkProfile":{"frontEndIPConfiguration":{"publicIPAddresses":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip"}]},"networkInterfaceConfiguration":{"subnetId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/virtualNetworks/azclitest-vnet/subnets/azclitest-subnet"}},"enableDiagnosticsSupport":true}}]}' + string: '{"value":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment","name":"azclitest-deployment","type":"nginx.nginxplus/nginxdeployments","sku":{"name":"standard_Monthly"},"location":"eastus2euap","systemData":{"createdBy":"georgengugi@microsoft.com","createdByType":"User","createdAt":"2022-09-20T11:55:31.727496Z","lastModifiedBy":"georgengugi@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-20T11:55:31.727496Z"},"properties":{"provisioningState":"Succeeded","nginxVersion":"","managedResourceGroup":"NGX_AZCLIDeploymentTestRG_000001_azclitest-deployment_eastus2euap","ipAddress":"20.47.162.158","networkProfile":{"frontEndIPConfiguration":{"publicIPAddresses":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip"}]},"networkInterfaceConfiguration":{"subnetId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/virtualNetworks/azclitest-vnet/subnets/azclitest-subnet"}},"enableDiagnosticsSupport":true}}]}' headers: cache-control: - no-cache @@ -1200,7 +1200,7 @@ interactions: uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment?api-version=2022-08-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment","name":"azclitest-deployment","type":"nginx.nginxplus/nginxdeployments","sku":{"name":"preview_Monthly_gmz7xq9ge3py"},"location":"eastus2euap","systemData":{"createdBy":"georgengugi@microsoft.com","createdByType":"User","createdAt":"2022-09-20T11:55:31.727496Z","lastModifiedBy":"georgengugi@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-20T11:55:31.727496Z"},"properties":{"provisioningState":"Succeeded","nginxVersion":"","managedResourceGroup":"NGX_AZCLIDeploymentTestRG_000001_azclitest-deployment_eastus2euap","ipAddress":"20.47.162.158","networkProfile":{"frontEndIPConfiguration":{"publicIPAddresses":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip"}]},"networkInterfaceConfiguration":{"subnetId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/virtualNetworks/azclitest-vnet/subnets/azclitest-subnet"}},"enableDiagnosticsSupport":true}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment","name":"azclitest-deployment","type":"nginx.nginxplus/nginxdeployments","sku":{"name":"standard_Monthly"},"location":"eastus2euap","systemData":{"createdBy":"georgengugi@microsoft.com","createdByType":"User","createdAt":"2022-09-20T11:55:31.727496Z","lastModifiedBy":"georgengugi@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-20T11:55:31.727496Z"},"properties":{"provisioningState":"Succeeded","nginxVersion":"","managedResourceGroup":"NGX_AZCLIDeploymentTestRG_000001_azclitest-deployment_eastus2euap","ipAddress":"20.47.162.158","networkProfile":{"frontEndIPConfiguration":{"publicIPAddresses":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip"}]},"networkInterfaceConfiguration":{"subnetId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/virtualNetworks/azclitest-vnet/subnets/azclitest-subnet"}},"enableDiagnosticsSupport":true}}' headers: cache-control: - no-cache @@ -1235,7 +1235,7 @@ interactions: "networkProfile": {"frontEndIPConfiguration": {"publicIPAddresses": [{"id": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip"}]}, "networkInterfaceConfiguration": {"subnetId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/virtualNetworks/azclitest-vnet/subnets/azclitest-subnet"}}, - "provisioningState": "Succeeded"}, "sku": {"name": "preview_Monthly_gmz7xq9ge3py"}, + "provisioningState": "Succeeded"}, "sku": {"name": "standard_Monthly"}, "tags": {"tag1": "value1", "tag2": "value2"}}' headers: Accept: @@ -1258,7 +1258,7 @@ interactions: uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment?api-version=2022-08-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment","name":"azclitest-deployment","type":"nginx.nginxplus/nginxdeployments","sku":{"name":"preview_Monthly_gmz7xq9ge3py"},"location":"eastus2euap","tags":{"tag1":"value1","tag2":"value2"},"systemData":{"createdBy":"georgengugi@microsoft.com","createdByType":"User","createdAt":"2022-09-20T11:55:31.727496Z","lastModifiedBy":"georgengugi@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-20T11:59:25.1693125Z"},"properties":{"provisioningState":"Accepted","nginxVersion":"","managedResourceGroup":"NGX_AZCLIDeploymentTestRG_000001_azclitest-deployment_eastus2euap","ipAddress":"20.47.162.158","networkProfile":{"frontEndIPConfiguration":{"publicIPAddresses":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip"}]},"networkInterfaceConfiguration":{"subnetId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/virtualNetworks/azclitest-vnet/subnets/azclitest-subnet"}},"enableDiagnosticsSupport":false,"logging":null}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment","name":"azclitest-deployment","type":"nginx.nginxplus/nginxdeployments","sku":{"name":"standard_Monthly"},"location":"eastus2euap","tags":{"tag1":"value1","tag2":"value2"},"systemData":{"createdBy":"georgengugi@microsoft.com","createdByType":"User","createdAt":"2022-09-20T11:55:31.727496Z","lastModifiedBy":"georgengugi@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-20T11:59:25.1693125Z"},"properties":{"provisioningState":"Accepted","nginxVersion":"","managedResourceGroup":"NGX_AZCLIDeploymentTestRG_000001_azclitest-deployment_eastus2euap","ipAddress":"20.47.162.158","networkProfile":{"frontEndIPConfiguration":{"publicIPAddresses":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip"}]},"networkInterfaceConfiguration":{"subnetId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/virtualNetworks/azclitest-vnet/subnets/azclitest-subnet"}},"enableDiagnosticsSupport":false,"logging":null}}' headers: azure-asyncoperation: - https://management.azure.com/providers/Nginx.NginxPlus/locations/EASTUS2EUAP/operationStatuses/4ddc3930-5161-499d-bc34-347d074eeebd*23B61C80BD45EC670D58F6356F4F15E09A23A3DEEC48503E47ACA45B6209CAE3?api-version=2022-08-01 @@ -1356,7 +1356,7 @@ interactions: uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment?api-version=2022-08-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment","name":"azclitest-deployment","type":"nginx.nginxplus/nginxdeployments","sku":{"name":"preview_Monthly_gmz7xq9ge3py"},"location":"eastus2euap","tags":{"tag1":"value1","tag2":"value2"},"systemData":{"createdBy":"georgengugi@microsoft.com","createdByType":"User","createdAt":"2022-09-20T11:55:31.727496Z","lastModifiedBy":"georgengugi@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-20T11:59:25.1693125Z"},"properties":{"provisioningState":"Succeeded","nginxVersion":"1.21.6 + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment","name":"azclitest-deployment","type":"nginx.nginxplus/nginxdeployments","sku":{"name":"standard_Monthly"},"location":"eastus2euap","tags":{"tag1":"value1","tag2":"value2"},"systemData":{"createdBy":"georgengugi@microsoft.com","createdByType":"User","createdAt":"2022-09-20T11:55:31.727496Z","lastModifiedBy":"georgengugi@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-20T11:59:25.1693125Z"},"properties":{"provisioningState":"Succeeded","nginxVersion":"1.21.6 (nginx-plus-r27)","managedResourceGroup":"NGX_AZCLIDeploymentTestRG_000001_azclitest-deployment_eastus2euap","ipAddress":"20.47.162.158","networkProfile":{"frontEndIPConfiguration":{"publicIPAddresses":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip"}]},"networkInterfaceConfiguration":{"subnetId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/virtualNetworks/azclitest-vnet/subnets/azclitest-subnet"}},"enableDiagnosticsSupport":false}}' headers: cache-control: @@ -1405,7 +1405,7 @@ interactions: uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment?api-version=2022-08-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment","name":"azclitest-deployment","type":"nginx.nginxplus/nginxdeployments","sku":{"name":"preview_Monthly_gmz7xq9ge3py"},"location":"eastus2euap","tags":{"tag1":"value1","tag2":"value2"},"systemData":{"createdBy":"georgengugi@microsoft.com","createdByType":"User","createdAt":"2022-09-20T11:55:31.727496Z","lastModifiedBy":"georgengugi@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-20T11:59:25.1693125Z"},"properties":{"provisioningState":"Succeeded","nginxVersion":"1.21.6 + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment","name":"azclitest-deployment","type":"nginx.nginxplus/nginxdeployments","sku":{"name":"standard_Monthly"},"location":"eastus2euap","tags":{"tag1":"value1","tag2":"value2"},"systemData":{"createdBy":"georgengugi@microsoft.com","createdByType":"User","createdAt":"2022-09-20T11:55:31.727496Z","lastModifiedBy":"georgengugi@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-20T11:59:25.1693125Z"},"properties":{"provisioningState":"Succeeded","nginxVersion":"1.21.6 (nginx-plus-r27)","managedResourceGroup":"NGX_AZCLIDeploymentTestRG_000001_azclitest-deployment_eastus2euap","ipAddress":"20.47.162.158","networkProfile":{"frontEndIPConfiguration":{"publicIPAddresses":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip"}]},"networkInterfaceConfiguration":{"subnetId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/virtualNetworks/azclitest-vnet/subnets/azclitest-subnet"}},"enableDiagnosticsSupport":false}}' headers: cache-control: @@ -1454,7 +1454,7 @@ interactions: uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment?api-version=2022-08-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment","name":"azclitest-deployment","type":"nginx.nginxplus/nginxdeployments","sku":{"name":"preview_Monthly_gmz7xq9ge3py"},"location":"eastus2euap","tags":{"tag1":"value1","tag2":"value2"},"systemData":{"createdBy":"georgengugi@microsoft.com","createdByType":"User","createdAt":"2022-09-20T11:55:31.727496Z","lastModifiedBy":"georgengugi@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-20T11:59:25.1693125Z"},"properties":{"provisioningState":"Succeeded","nginxVersion":"1.21.6 + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment","name":"azclitest-deployment","type":"nginx.nginxplus/nginxdeployments","sku":{"name":"standard_Monthly"},"location":"eastus2euap","tags":{"tag1":"value1","tag2":"value2"},"systemData":{"createdBy":"georgengugi@microsoft.com","createdByType":"User","createdAt":"2022-09-20T11:55:31.727496Z","lastModifiedBy":"georgengugi@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-20T11:59:25.1693125Z"},"properties":{"provisioningState":"Succeeded","nginxVersion":"1.21.6 (nginx-plus-r27)","managedResourceGroup":"NGX_AZCLIDeploymentTestRG_000001_azclitest-deployment_eastus2euap","ipAddress":"20.47.162.158","networkProfile":{"frontEndIPConfiguration":{"publicIPAddresses":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip"}]},"networkInterfaceConfiguration":{"subnetId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/virtualNetworks/azclitest-vnet/subnets/azclitest-subnet"}},"enableDiagnosticsSupport":false}}' headers: cache-control: diff --git a/src/nginx/azext_nginx/tests/latest/test_nginx_scenario.py b/src/nginx/azext_nginx/tests/latest/test_nginx_scenario.py index f8f735c6f45..370782d0c0a 100644 --- a/src/nginx/azext_nginx/tests/latest/test_nginx_scenario.py +++ b/src/nginx/azext_nginx/tests/latest/test_nginx_scenario.py @@ -16,7 +16,7 @@ def test_deployment_cert_config(self, resource_group): 'deployment_name': 'azclitest-deployment', 'location': 'eastus2euap', 'rg': resource_group, - 'sku': 'preview_Monthly_gmz7xq9ge3py', + 'sku': 'standard_Monthly', 'public_ip_name': 'azclitest-public-ip', 'vnet_name': 'azclitest-vnet', 'subnet_name': 'azclitest-subnet', diff --git a/src/nginx/setup.py b/src/nginx/setup.py index bd3e0ab055d..4105594e88e 100644 --- a/src/nginx/setup.py +++ b/src/nginx/setup.py @@ -16,7 +16,7 @@ # TODO: Confirm this is the right version number you want and it matches your # HISTORY.rst entry. -VERSION = '0.1.0' +VERSION = '0.1.1' # The full list of classifiers is available at # https://pypi.python.org/pypi?%3Aaction=list_classifiers diff --git a/src/quantum/HISTORY.rst b/src/quantum/HISTORY.rst index d0aa5beaaf5..2c6efdaf175 100644 --- a/src/quantum/HISTORY.rst +++ b/src/quantum/HISTORY.rst @@ -3,6 +3,12 @@ Release History =============== +0.18.0 +++++++ +* [2023-02-08] Version intended to work with QDK version 0.27.253010 and Azure CLI 2.41.0 or greater. +* You can now submit QIR and pass-through jobs using the CLI. +* Fixed Azure/azure-cli-extensions Issue #5831 to eliminate some workspace creation errors. + 0.17.0 ++++++ * [2022-11-02] Update default QDK version to latest 0.27.238334 - See https://learn.microsoft.com/azure/quantum/release-notes. diff --git a/src/quantum/azext_quantum/__init__.py b/src/quantum/azext_quantum/__init__.py index cc51ac7daca..80bb9d280f0 100644 --- a/src/quantum/azext_quantum/__init__.py +++ b/src/quantum/azext_quantum/__init__.py @@ -11,7 +11,7 @@ # This is the version reported by the CLI to the service when submitting requests. # This should be in sync with the extension version in 'setup.py', unless we need to # submit using a different version. -CLI_REPORTED_VERSION = "0.17.0" +CLI_REPORTED_VERSION = "0.18.0" class QuantumCommandsLoader(AzCommandsLoader): diff --git a/src/quantum/azext_quantum/_help.py b/src/quantum/azext_quantum/_help.py index 38301de1c45..7fee9a6b254 100644 --- a/src/quantum/azext_quantum/_help.py +++ b/src/quantum/azext_quantum/_help.py @@ -15,7 +15,7 @@ type: command short-summary: Submit a job to run on Azure Quantum, and waits for the result. examples: - - name: Submit the Q# program from the current folder and wait for the result. + - name: Submit a Q# program from the current folder and wait for the result. text: |- az quantum execute -g MyResourceGroup -w MyWorkspace -l MyLocation -t MyTarget - name: Submit and wait for a Q# program from the current folder with job and program parameters. @@ -32,7 +32,7 @@ type: command short-summary: Equivalent to `az quantum execute` examples: - - name: Submit the Q# program from the current folder and wait for the result. + - name: Submit a Q# program from the current folder and wait for the result. text: |- az quantum run -g MyResourceGroup -w MyWorkspace -l MyLocation -t MyTarget - name: Submit and wait for a Q# program from the current folder with job and program parameters. @@ -81,17 +81,17 @@ helps['quantum job submit'] = """ type: command - short-summary: Submit a Q# project to run on Azure Quantum. + short-summary: Submit a program or circuit to run on Azure Quantum. examples: - - name: Submit the Q# program from the current folder. + - name: Submit a Q# program from the current folder. text: |- az quantum job submit -g MyResourceGroup -w MyWorkspace -l MyLocation \\ -t MyTarget --job-name MyJob - - name: Submit the Q# program from the current folder with job parameters for a target. + - name: Submit a Q# program from the current folder with job parameters for a target. text: |- az quantum job submit -g MyResourceGroup -w MyWorkspace -l MyLocation \\ -t MyTarget --job-name MyJob --job-params param1=value1 param2=value2 - - name: Submit the Q# program with program parameters (e.g. n-qubits = 2). + - name: Submit a Q# program with program parameters (e.g. n-qubits = 2). text: |- az quantum job submit -g MyResourceGroup -w MyWorkspace -l MyLocation \\ -t MyTarget --job-name MyJob -- --n-qubits=2 @@ -99,6 +99,11 @@ text: |- az quantum job submit -g MyResourceGroup -w MyWorkspace -l MyLocation -t MyTarget \\ --target-capability MyTargetCapability + - name: Submit QIR bitcode from a file in the current folder. + text: |- + az quantum job submit -g MyResourceGroup -w MyWorkspace -l MyLocation -t MyTarget \\ + --job-name MyJob --job-input-format qir.v1 --job-input-file MyQirBitcode.bc \\ + --entry-point MyQirEntryPoint """ helps['quantum job wait'] = """ diff --git a/src/quantum/azext_quantum/_params.py b/src/quantum/azext_quantum/_params.py index c53cbf60d1e..80e6fdf266c 100644 --- a/src/quantum/azext_quantum/_params.py +++ b/src/quantum/azext_quantum/_params.py @@ -6,7 +6,6 @@ # pylint: disable=line-too-long,protected-access,no-self-use,too-many-statements import argparse -import json from knack.arguments import CLIArgumentType from azure.cli.core.azclierror import InvalidArgumentValueError, CLIError from azure.cli.core.util import shell_safe_json_parse @@ -53,6 +52,10 @@ def load_arguments(self, _): provider_sku_list_type = CLIArgumentType(options_list=['--provider-sku-list', '-r'], help='Comma separated list of Provider/SKU pairs. Separate the Provider and SKU with a slash. Enclose the entire list in quotes. Values from `az quantum offerings list -l -o table`') auto_accept_type = CLIArgumentType(help='If specified, provider terms are accepted without an interactive Y/N prompt.') autoadd_only_type = CLIArgumentType(help='If specified, only the plans flagged "autoAdd" are displayed.') + job_input_file_type = CLIArgumentType(help='The location of the input file to submit. Required for QIR, QIO, and pass-through jobs. Ignored on Q# jobs.') + job_input_format_type = CLIArgumentType(help='The format of the file to submit. Omit this parameter on Q# jobs.') + job_output_format_type = CLIArgumentType(help='The expected job output format. Ignored on Q# jobs.') + entry_point_type = CLIArgumentType(help='The entry point for the QIR program or circuit. Required for QIR. Ignored on Q# jobs.') with self.argument_context('quantum workspace') as c: c.argument('workspace_name', workspace_name_type) @@ -84,6 +87,10 @@ def load_arguments(self, _): with self.argument_context('quantum job submit') as c: c.argument('job_params', job_params_type) c.argument('target_capability', target_capability_type) + c.argument('job_input_file', job_input_file_type) + c.argument('job_input_format', job_input_format_type) + c.argument('job_output_format', job_output_format_type) + c.argument('entry_point', entry_point_type) c.positional('program_args', program_args_type) with self.argument_context('quantum execute') as c: @@ -96,6 +103,10 @@ def load_arguments(self, _): c.argument('no_build', no_build_type) c.argument('job_params', job_params_type) c.argument('target_capability', target_capability_type) + c.argument('job_input_file', job_input_file_type) + c.argument('job_input_format', job_input_format_type) + c.argument('job_output_format', job_output_format_type) + c.argument('entry_point', entry_point_type) c.positional('program_args', program_args_type) with self.argument_context('quantum run') as c: @@ -108,6 +119,10 @@ def load_arguments(self, _): c.argument('no_build', no_build_type) c.argument('job_params', job_params_type) c.argument('target_capability', target_capability_type) + c.argument('job_input_file', job_input_file_type) + c.argument('job_input_format', job_input_format_type) + c.argument('job_output_format', job_output_format_type) + c.argument('entry_point', entry_point_type) c.positional('program_args', program_args_type) with self.argument_context('quantum offerings') as c: diff --git a/src/quantum/azext_quantum/_storage.py b/src/quantum/azext_quantum/_storage.py new file mode 100644 index 00000000000..bb372186112 --- /dev/null +++ b/src/quantum/azext_quantum/_storage.py @@ -0,0 +1,116 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- + +# This file is a reduced version of qdk-python\azure-quantum\azure\quantum\storage.py +# It only contains the functions required to do inputData blob upload for job submission. +# Other cosmetic changes were made to appease the Azure CLI CI/CD checks. + +# Unused imports were removed to reduce Pylint style-rule violations. +import logging +from datetime import datetime, timedelta +from typing import Any +from azure.storage.blob import ( + BlobServiceClient, + ContainerClient, + BlobClient, + BlobSasPermissions, + ContentSettings, + generate_blob_sas, +) + +logger = logging.getLogger(__name__) + + +def create_container( + connection_string: str, container_name: str +) -> ContainerClient: + """ + Creates and initialize a container; returns the client needed to access it. + """ + blob_service_client = BlobServiceClient.from_connection_string( + connection_string + ) + logger.info( + f'{"Initializing storage client for account:"}' + + f"{blob_service_client.account_name}" + ) + + container_client = blob_service_client.get_container_client(container_name) + create_container_using_client(container_client) + return container_client + + +def create_container_using_client(container_client: ContainerClient): + """ + Creates the container if it doesn't already exist. + """ + if not container_client.exists(): + logger.debug( + f'{" - uploading to **new** container:"}' + f"{container_client.container_name}" + ) + container_client.create_container() + + +def upload_blob( + container: ContainerClient, + blob_name: str, + content_type: str, + content_encoding: str, + data: Any, + return_sas_token: bool = True, +) -> str: + """ + Uploads the given data to a blob record. + If a blob with the given name already exist, it throws an error. + + Returns a uri with a SAS token to access the newly created blob. + """ + create_container_using_client(container) + logger.info( + f"Uploading blob '{blob_name}'" + + f"to container '{container.container_name}'" + + f"on account: '{container.account_name}'" + ) + + content_settings = ContentSettings( + content_type=content_type, content_encoding=content_encoding + ) + + blob = container.get_blob_client(blob_name) + + blob.upload_blob(data, content_settings=content_settings) + logger.debug(f" - blob '{blob_name}' uploaded. generating sas token.") + + if return_sas_token: + uri = get_blob_uri_with_sas_token(blob) + else: + uri = remove_sas_token(blob.url) + logger.debug(f" - blob access url: '{uri}'.") + + return uri + + +def get_blob_uri_with_sas_token(blob: BlobClient): + """Returns a URI for the given blob that contains a SAS Token""" + sas_token = generate_blob_sas( + blob.account_name, + blob.container_name, + blob.blob_name, + account_key=blob.credential.account_key, + permission=BlobSasPermissions(read=True), + expiry=datetime.utcnow() + timedelta(days=14), + ) + + return blob.url + "?" + sas_token + + +def remove_sas_token(sas_uri: str) -> str: + """Removes the SAS Token from the given URI if it contains one""" + index = sas_uri.find("?") + if index != -1: + sas_uri = sas_uri[0:index] + + return sas_uri diff --git a/src/quantum/azext_quantum/azext_metadata.json b/src/quantum/azext_quantum/azext_metadata.json index 811d86de250..40dc71e5e71 100644 --- a/src/quantum/azext_quantum/azext_metadata.json +++ b/src/quantum/azext_quantum/azext_metadata.json @@ -1,4 +1,4 @@ { "azext.isPreview": true, - "azext.minCliCoreVersion": "2.23.0" + "azext.minCliCoreVersion": "2.41.0" } diff --git a/src/quantum/azext_quantum/operations/job.py b/src/quantum/azext_quantum/operations/job.py index 1d566f05998..73219cf489d 100644 --- a/src/quantum/azext_quantum/operations/job.py +++ b/src/quantum/azext_quantum/operations/job.py @@ -3,20 +3,41 @@ # Licensed under the MIT License. See License.txt in the project root for license information. # -------------------------------------------------------------------------------------------- -# pylint: disable=redefined-builtin,bare-except,inconsistent-return-statements +# pylint: disable=line-too-long,redefined-builtin,bare-except,inconsistent-return-statements,too-many-locals,too-many-branches,too-many-statements -import logging +import gzip +import io import json +import logging +import os +import uuid import knack.log +from azure.cli.command_modules.storage.operations.account import show_storage_account_connection_string from azure.cli.core.azclierror import (FileOperationError, AzureInternalError, - InvalidArgumentValueError, AzureResponseError) + InvalidArgumentValueError, AzureResponseError, + RequiredArgumentMissingError) + +from .._storage import create_container, upload_blob from .._client_factory import cf_jobs, _get_data_credentials from .workspace import WorkspaceInfo -from .target import TargetInfo +from .target import TargetInfo, get_provider + MINIMUM_MAX_POLL_WAIT_SECS = 1 +DEFAULT_SHOTS = 500 +QIO_DEFAULT_TIMEOUT = 100 + +ERROR_MSG_MISSING_INPUT_FORMAT = "The following argument is required: --job-input-format" # NOTE: The Azure CLI core generates a similar error message, but "the" is lowercase and "arguments" is always plural. +ERROR_MSG_MISSING_OUTPUT_FORMAT = "The following argument is required: --job-output-format" +ERROR_MSG_MISSING_ENTRY_POINT = "The following argument is required on QIR jobs: --entry-point" +JOB_SUBMIT_DOC_LINK_MSG = "See https://learn.microsoft.com/cli/azure/quantum/job?view=azure-cli-latest#az-quantum-job-submit" + +# Job types +QIO_JOB = 1 +QIR_JOB = 2 +PASS_THROUGH_JOB = 3 logger = logging.getLogger(__name__) knack_logger = knack.log.get_logger(__name__) @@ -162,7 +183,6 @@ def _set_cli_version(): # before support for the --user-agent parameter is added. We'll rely on the environment # variable before the stand alone executable submits to the service. try: - import os from .._client_factory import get_appid os.environ["USER_AGENT"] = get_appid() except: @@ -173,9 +193,272 @@ def _has_completed(job): return job.status in ("Succeeded", "Failed", "Cancelled") +def _convert_numeric_params(job_params): + # The CLI framework passes all --job-params values as strings. This function + # attempts to convert numeric string values to their appropriate numeric types. + # Non-numeric string values and values that are already integers are unaffected. + for param in job_params: + if isinstance(job_params[param], str): + try: + job_params[param] = int(job_params[param]) + except: + try: + job_params[param] = float(job_params[param]) + except: + pass + + def submit(cmd, program_args, resource_group_name, workspace_name, location, target_id, - project=None, job_name=None, shots=None, storage=None, no_build=False, job_params=None, - target_capability=None): + project=None, job_name=None, shots=None, storage=None, no_build=False, job_params=None, target_capability=None, + job_input_file=None, job_input_format=None, job_output_format=None, entry_point=None): + """ + Submit a quantum program to run on Azure Quantum. + """ + if job_input_file is None: + return _submit_qsharp(cmd, program_args, resource_group_name, workspace_name, location, target_id, + project, job_name, shots, storage, no_build, job_params, target_capability) + + return _submit_directly_to_service(cmd, resource_group_name, workspace_name, location, target_id, + job_name, shots, storage, job_params, target_capability, + job_input_file, job_input_format, job_output_format, entry_point) + + +def _submit_directly_to_service(cmd, resource_group_name, workspace_name, location, target_id, + job_name, shots, storage, job_params, target_capability, + job_input_file, job_input_format, job_output_format, entry_point): + """ + Submit QIR bitcode, QIO problem JSON, or a pass-through job to run on Azure Quantum. + """ + if job_input_format is None: + raise RequiredArgumentMissingError(ERROR_MSG_MISSING_INPUT_FORMAT, JOB_SUBMIT_DOC_LINK_MSG) + + # Get workspace, target, and provider information + ws_info = WorkspaceInfo(cmd, resource_group_name, workspace_name, location) + if ws_info is None: + raise AzureInternalError("Failed to get workspace information.") + target_info = TargetInfo(cmd, target_id) + if target_info is None: + raise AzureInternalError("Failed to get target information.") + provider_id = get_provider(cmd, target_info.target_id, resource_group_name, workspace_name, location) + if provider_id is None: + raise AzureInternalError(f"Failed to find a Provider ID for the specified Target ID, {target_info.target_id}") + + # Identify the type of job being submitted + lc_job_input_format = job_input_format.lower() + if "qir.v" in lc_job_input_format: + job_type = QIR_JOB + elif lc_job_input_format == "microsoft.qio.v2": + job_type = QIO_JOB + else: + job_type = PASS_THROUGH_JOB + + # If output format is not specified, supply a default for QIR or QIO jobs + if job_output_format is None: + if job_type == QIR_JOB: + job_output_format = "microsoft.quantum-results.v1" + elif job_type == QIO_JOB: + job_output_format = "microsoft.qio-results.v2" + else: + raise RequiredArgumentMissingError(ERROR_MSG_MISSING_OUTPUT_FORMAT, JOB_SUBMIT_DOC_LINK_MSG) + + # An entry point is required on QIR jobs + if job_type == QIR_JOB: + # An entry point is required for a QIR job, but there are four ways to specify it in a CLI command: + # - Use the --entry-point parameter + # - Include it in --job-params as entryPoint=MyEntryPoint + # - Include it as 'entryPoint':'MyEntryPoint' in a JSON --job-params string or file + # - Include it in an "items" list in a JSON --job-params string or file + found_entry_point_in_items = False + if "items" in job_params: + items_list = job_params["items"] + if isinstance(items_list, type([])): # "list" has been redefined as a function name + for item in items_list: + if isinstance(item, dict): + for item_dict in items_list: + if "entryPoint" in item_dict: + if item_dict["entryPoint"] is not None: + found_entry_point_in_items = True + if not found_entry_point_in_items: + if entry_point is None and ("entryPoint" not in job_params.keys() or job_params["entryPoint"] is None): + raise RequiredArgumentMissingError(ERROR_MSG_MISSING_ENTRY_POINT, JOB_SUBMIT_DOC_LINK_MSG) + + # Extract "metadata" and "tags" from job_params, then remove those parameters from job_params, + # since they should not be included in the "inputParams" parameter of job_details. They are + # separate parameters of job_details. + # + # USAGE NOTE: To specify "metadata", the --job-params value needs to be entered as a JSON string or file. + # + metadata = None + tags = [] + if job_params is not None: + if "metadata" in job_params.keys(): + metadata = job_params["metadata"] + del job_params["metadata"] + if not isinstance(metadata, dict) and metadata is not None: + raise InvalidArgumentValueError('The "metadata" parameter is not valid.', + 'To specify "metadata", use a JSON string for the --job-params value.') + if "tags" in job_params.keys(): + tags = job_params["tags"] + del job_params["tags"] + if isinstance(tags, str): + tags = tags.split(',') + list_type = type([]) # "list" has been redefined as a function name, so "isinstance(tags, list)" doesn't work here + if not isinstance(tags, list_type): + raise InvalidArgumentValueError('The "tags" parameter is not valid.') + + # Extract content type and content encoding from --job-parameters, then remove those parameters from job_params, since + # they should not be included in the "inputParams" parameter of job_details. Content type and content encoding are + # parameters of the upload_blob function. These parameters are accepted in three case-formats: kebab-case, snake_case, + # and camelCase. (See comments below.) + content_type = None + content_encoding = None + if job_params is not None: + if "content-type" in job_params.keys(): # Parameter names in the CLI are commonly in kebab-case (hyphenated)... + content_type = job_params["content-type"] + del job_params["content-type"] + if "content_type" in job_params.keys(): # ...however names are often in in snake_case in our Jupyter notebooks... + content_type = job_params["content_type"] + del job_params["content_type"] + if "contentType" in job_params.keys(): # ...but the params that go into inputParams are generally in camelCase. + content_type = job_params["contentType"] + del job_params["contentType"] + if "content-encoding" in job_params.keys(): + content_encoding = job_params["content-encoding"] + del job_params["content-encoding"] + if "content_encoding" in job_params.keys(): + content_encoding = job_params["content_encoding"] + del job_params["content_encoding"] + if "contentEncoding" in job_params.keys(): + content_encoding = job_params["contentEncoding"] + del job_params["contentEncoding"] + + # Prepare for input file upload according to job type + if job_type == QIO_JOB: + if content_type is None: + content_type = "application/json" + if content_encoding is None: + content_encoding = "gzip" + try: + with open(job_input_file, encoding="utf-8") as qio_file: + uncompressed_blob_data = qio_file.read() + except (IOError, OSError) as e: + raise FileOperationError(f"An error occurred opening the input file: {job_input_file}") from e + + if ("content_type" in uncompressed_blob_data and "application/x-protobuf" in uncompressed_blob_data) or (content_type.lower() == "application/x-protobuf"): + raise InvalidArgumentValueError('Content type "application/x-protobuf" is not supported.') + + # Compress the input data (This code is based on to_blob in qdk-python\azure-quantum\azure\quantum\optimization\problem.py) + data = io.BytesIO() + with gzip.GzipFile(fileobj=data, mode="w") as fo: + fo.write(uncompressed_blob_data.encode()) + blob_data = data.getvalue() + + else: + if job_type == QIR_JOB: + if content_type is None: + if provider_id.lower() == "rigetti": + content_type = "application/octet-stream" + else: + # MAINTENANCE NOTE: The following value is valid for QCI and Quantinuum. + # Make sure it's correct for new providers when they are added. If not, + # modify this logic. + content_type = "application/x-qir.v1" + content_encoding = None + try: + with open(job_input_file, "rb") as input_file: + blob_data = input_file.read() + except (IOError, OSError) as e: + raise FileOperationError(f"An error occurred opening the input file: {job_input_file}") from e + + # Upload the input file to the workspace's storage account + if storage is None: + from .workspace import get as ws_get + ws = ws_get(cmd) + if ws.storage_account is None: + raise RequiredArgumentMissingError("No storage account specified or linked with workspace.") + storage = ws.storage_account.split('/')[-1] + job_id = str(uuid.uuid4()) + container_name = "quantum-job-" + job_id + connection_string_dict = show_storage_account_connection_string(cmd, resource_group_name, storage) + connection_string = connection_string_dict["connectionString"] + container_client = create_container(connection_string, container_name) + blob_name = "inputData" + + knack_logger.warning("Uploading input data...") + try: + blob_uri = upload_blob(container_client, blob_name, content_type, content_encoding, blob_data, False) + except Exception as e: + # Unexplained behavior: + # QIR bitcode input and QIO (gzip) input data get UnicodeDecodeError on jobs run in tests using + # "azdev test --live", but the same commands are successful when run interactively. + # See commented-out tests in test_submit in test_quantum_jobs.py + error_msg = f"Input file upload failed.\nError type: {type(e)}" + if isinstance(e, UnicodeDecodeError): + error_msg += f"\nReason: {e.reason}" + raise AzureResponseError(error_msg) from e + + start_of_blob_name = blob_uri.find(blob_name) + container_uri = blob_uri[0:start_of_blob_name - 1] + + # Combine separate command-line parameters (like shots, target_capability, and entry_point) with job_params + if job_params is None: + job_params = {} + if shots is not None: + try: + job_params["shots"] = int(shots) + except: + raise InvalidArgumentValueError("Invalid --shots value. Shots must be an integer.") + if target_capability is not None: + job_params["targetCapability"] = target_capability + if entry_point is not None: + job_params["entryPoint"] = entry_point + + # Convert "count" to an integer + if "count" in job_params.keys(): + try: + job_params["count"] = int(job_params["count"]) + except: + raise InvalidArgumentValueError("Invalid count value. Count must be an integer.") + + # Convert all other numeric parameter values from string to int or float + _convert_numeric_params(job_params) + + # Make sure QIR jobs have an "arguments" parameter, even if it's empty + if job_type == QIR_JOB: + if "arguments" not in job_params: + job_params["arguments"] = [] + + # ...supply a default "shots" if it's not specified (like Q# does) + if "shots" not in job_params: + job_params["shots"] = DEFAULT_SHOTS + + # For QIO jobs, start inputParams with a "params" key and supply a default timeout + if job_type == QIO_JOB: + if job_params is None: + job_params = {"params": {"timeout": QIO_DEFAULT_TIMEOUT}} + else: + if "timeout" not in job_params: + job_params["timeout"] = QIO_DEFAULT_TIMEOUT + job_params = {"params": job_params} + + # Submit the job + client = cf_jobs(cmd.cli_ctx, ws_info.subscription, ws_info.resource_group, ws_info.name, ws_info.location) + job_details = {'name': job_name, + 'container_uri': container_uri, + 'input_data_format': job_input_format, + 'output_data_format': job_output_format, + 'inputParams': job_params, + 'provider_id': provider_id, + 'target': target_info.target_id, + 'metadata': metadata, + 'tags': tags} + + knack_logger.warning("Submitting job...") + return client.create(job_id, job_details) + + +def _submit_qsharp(cmd, program_args, resource_group_name, workspace_name, location, target_id, + project, job_name, shots, storage, no_build, job_params, target_capability): """ Submit a Q# project to run on Azure Quantum. """ @@ -239,8 +522,6 @@ def output(cmd, job_id, resource_group_name, workspace_name, location): Get the results of running a Q# job. """ import tempfile - import json - import os from azure.cli.command_modules.storage._client_factory import blob_data_service_factory path = os.path.join(tempfile.gettempdir(), job_id) @@ -350,12 +631,14 @@ def job_show(cmd, job_id, resource_group_name, workspace_name, location): def run(cmd, program_args, resource_group_name, workspace_name, location, target_id, - project=None, job_name=None, shots=None, storage=None, no_build=False, job_params=None, target_capability=None): + project=None, job_name=None, shots=None, storage=None, no_build=False, job_params=None, target_capability=None, + job_input_file=None, job_input_format=None, job_output_format=None, entry_point=None): """ - Submit a job to run on Azure Quantum, and waits for the result. + Submit a job to run on Azure Quantum, and wait for the result. """ job = submit(cmd, program_args, resource_group_name, workspace_name, location, target_id, - project, job_name, shots, storage, no_build, job_params, target_capability) + project, job_name, shots, storage, no_build, job_params, target_capability, + job_input_file, job_input_format, job_output_format, entry_point) logger.warning("Job id: %s", job.id) logger.debug(job) diff --git a/src/quantum/azext_quantum/operations/target.py b/src/quantum/azext_quantum/operations/target.py index ce93669f7fe..0bbf0243eae 100644 --- a/src/quantum/azext_quantum/operations/target.py +++ b/src/quantum/azext_quantum/operations/target.py @@ -75,3 +75,20 @@ def target_show(cmd, target_id): info = TargetInfo(cmd, target_id) info.target_id += "" # Kludge excuse: Without this the only output we ever get is "targetId": {"isDefault": true} return info + + +def get_provider(cmd, target_id, resource_group_name, workspace_name, location): + """ + Get the the Provider ID for a specific target + """ + provider_id = None + provider_list = list(cmd, resource_group_name, workspace_name, location) + if provider_list is not None: + for item in provider_list: + for target_item in item.targets: + if target_item.id.lower() == target_id.lower(): + provider_id = item.id + break + if provider_id is not None: + break + return provider_id diff --git a/src/quantum/azext_quantum/operations/workspace.py b/src/quantum/azext_quantum/operations/workspace.py index b2db7bc8fed..38e6d8dcd1a 100644 --- a/src/quantum/azext_quantum/operations/workspace.py +++ b/src/quantum/azext_quantum/operations/workspace.py @@ -118,7 +118,7 @@ def _autoadd_providers(cmd, providers_in_region, providers_selected, workspace_l # Don't duplicate a provider/sku if it was also specified in the command's -r parameter provider_already_added = False for already_selected_provider in providers_selected: - if already_selected_provider['provider_id'] == provider.id and already_selected_provider['sku'] == sku.id: + if already_selected_provider['provider_id'] == provider.id: provider_already_added = True break if not provider_already_added: diff --git a/src/quantum/azext_quantum/tests/latest/source_for_build_test/Program.qs b/src/quantum/azext_quantum/tests/latest/input_data/Program.qs similarity index 100% rename from src/quantum/azext_quantum/tests/latest/source_for_build_test/Program.qs rename to src/quantum/azext_quantum/tests/latest/input_data/Program.qs diff --git a/src/quantum/azext_quantum/tests/latest/input_data/QIO-Problem-2.json b/src/quantum/azext_quantum/tests/latest/input_data/QIO-Problem-2.json new file mode 100644 index 00000000000..84858120d71 --- /dev/null +++ b/src/quantum/azext_quantum/tests/latest/input_data/QIO-Problem-2.json @@ -0,0 +1,18 @@ +{ + "metadata": { + "name": "QIO Problem 02 v-wjones" + }, + "cost_function": { + "version": "1.0", + "type": "ising", + "terms": [ + {"c": -9, "ids": [0]}, + {"c": -3, "ids": [1, 0]}, + {"c": 5, "ids": [2, 0]}, + {"c": 9, "ids": [2, 1]}, + {"c": 2, "ids": [3, 0]}, + {"c": -4, "ids": [3, 1]}, + {"c": 4, "ids": [3, 2]} + ] + } +} \ No newline at end of file diff --git a/src/quantum/azext_quantum/tests/latest/input_data/Qiskit-3-qubit-GHZ-circuit.json b/src/quantum/azext_quantum/tests/latest/input_data/Qiskit-3-qubit-GHZ-circuit.json new file mode 100644 index 00000000000..1e740286355 --- /dev/null +++ b/src/quantum/azext_quantum/tests/latest/input_data/Qiskit-3-qubit-GHZ-circuit.json @@ -0,0 +1 @@ +{"gateset": "qis", "qubits": 3, "circuit": [{"gate": "h", "targets": [0]}, {"gate": "x", "targets": [1], "controls": [0]}, {"gate": "x", "targets": [2], "controls": [1]}]} \ No newline at end of file diff --git a/src/quantum/azext_quantum/tests/latest/input_data/Qrng.bc b/src/quantum/azext_quantum/tests/latest/input_data/Qrng.bc new file mode 100644 index 0000000000000000000000000000000000000000..6fb4ee7729d450c6cd20bd49548ee4b40c4f545b GIT binary patch literal 1728 zcmaJ>e@Giw9Diptm)7i(*3c&NF1>3~CSBKEV``Hn0b{JQU0I`DHwPWbCArMD8qYJ) z=zfrx$XV(iX(ucN2MNfa|5~Aag%!4U(T&oLJ-GLM z-|zc;-+jK{_x-*G$IQx66#x|g0FRv3pM3W#|3`mJo~~?(oI;?Dk^^uSE-K3?PzLoq z@I#}zEB0*p38~UxzKX=<2P$M5ZTV$SM0LEZ;c8{WxYD39$<%M`G_(#kbMut0akns{ zv|larWo0*1q@!t={2DQ|#?=RF4knI#IC1U@c{2;oy+i__fzq(Qc?aof0@Ta;q>4HK zC(TRpq49*f)pw56vxA@-p^;Q%=wwCK*aQ}7Bt1B^=QyZ?>uWktp-VL`$RbLI_kjMw zwOca4H-+PQ98o6`>xu7V`4&P3|Iwm`aX?u;mj4qDA+1`DYKzo9cY(M&ORS5bgA))V zE~*9rc#)FtkY5Kz=qtK!jYXhtP21lofwoO4gdRUQbi^6i)Z;p0G~o@tt^7i z7jVA{u?;&+@ytj=1nm!_J;`qQJ)n4?#2!bmT6u$ZZkD){#{G0f2^Oo)No-k%ZA4P&qk-!SHB0wuvH?d78R;!#RRw#UlBIX#apT1<7 zj#(BR=1GZlI%bVaEV)fpuN(cK9X-}A@NkX@TteX7Xm1VL`=kOM+ZPdBGND^7@JXRR z89nrH6MLA)ew)EIXo)AA#*1k@SDKd@e1XE}qr?Iu{UPBnXC3BbX`afMMjfVMiDfkN zD*WlwLCg0N%S1+g`@F!l2|O1IwxeOU5L64nl%TnDM)43ResyBS1h!hQD3I6&jDoBo zmS?qdcI{mXhsCg*$BPBx7ewnt^rTwZ+2Tr2?@62{dag6EWLltU8`CjX2D?jCE?(oXx-(t-0pOZW#($ zb;AU<37Q{oVHQ;RIJg8HB#}r6ALJ@RT_ipqrCLzJXUmKPiWmw8w@@dC6)?% zHz?vBMa)wKyuo#9pP&59GVQQUNz9`$bFOU~-aZU=0P<`W`Z(A$*I{2!u*NEP@-^`8 z(1A8C3Go@2CG%ot@E(3E{ldCkEG>BKR!;U9SKZisCrq`XC?;HS--$h*h(yu;no=c% z1sH{xhc<33W12)P<1yQ4rtBgtDtx(sFOztY5$E-&c8%~{7| zmN8fW5?d-}g~gD_h#kU^0PKUZs@#4ELQ8L${$i@sWIAa%7<4=JI%x%zGx+SV9f^?Y z`X<`r2Bb{-$u8ygmVRzHDsG)>qDRy!ARDxwE!Rn<(2Ld}=|cV1`}w)D9(5|eQ88b- z8{>_yRKeesMmGt71g;F2a(^65{nO0v!MF7^wC|RTa-y+?54`Vkonbn;4z?x41cIT? zRwm%<>U=ZQ>0$ZT*#OHk!7kqA>fYLQx%i-{c+Ll1Oh-qTmkF}}zsc}C)Bm3kp6y_n zo@d>=&-b`o?Jk$6%lE8H$=vxbv&e*JdqN#SSBUe8M0nQE@@&A%y1ZSXK#6E6rY+Xn zSf2HE@jh2qD9D9^M`{n#hiTGx%u`oq_S7=9bgl8I*YEXt41OPLVElD{qlsaR9<$M8 KJnDlf1AhUIzB3H~ literal 0 HcmV?d00001 diff --git a/src/quantum/azext_quantum/tests/latest/source_for_build_test/QuantumRNG.csproj b/src/quantum/azext_quantum/tests/latest/input_data/QuantumRNG.csproj similarity index 55% rename from src/quantum/azext_quantum/tests/latest/source_for_build_test/QuantumRNG.csproj rename to src/quantum/azext_quantum/tests/latest/input_data/QuantumRNG.csproj index fff8f29d8b3..4b048a8363c 100644 --- a/src/quantum/azext_quantum/tests/latest/source_for_build_test/QuantumRNG.csproj +++ b/src/quantum/azext_quantum/tests/latest/input_data/QuantumRNG.csproj @@ -1,7 +1,7 @@ - + Exe - netcoreapp3.1 + net6.0 ionq.qpu \ No newline at end of file diff --git a/src/quantum/azext_quantum/tests/latest/input_data/bell-state.quil b/src/quantum/azext_quantum/tests/latest/input_data/bell-state.quil new file mode 100644 index 00000000000..70706838752 --- /dev/null +++ b/src/quantum/azext_quantum/tests/latest/input_data/bell-state.quil @@ -0,0 +1,7 @@ +DECLARE ro BIT[2] + +H 0 +CNOT 0 1 + +MEASURE 0 ro[0] +MEASURE 1 ro[1] \ No newline at end of file diff --git a/src/quantum/azext_quantum/tests/latest/recordings/test_get_provider.yaml b/src/quantum/azext_quantum/tests/latest/recordings/test_get_provider.yaml new file mode 100644 index 00000000000..fd2a9092b94 --- /dev/null +++ b/src/quantum/azext_quantum/tests/latest/recordings/test_get_provider.yaml @@ -0,0 +1,1461 @@ +interactions: +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - quantum workspace create + Connection: + - keep-alive + ParameterSetName: + - -g -w -l -a -r + User-Agent: + - AZURECLI/2.44.1 azsdk-python-mgmt-quantum/1.0.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + az-cli-ext/0.17.0.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Quantum/locations/eastus/offerings?api-version=2022-01-10-preview + response: + body: + string: "{\"value\":[{\"id\":\"1qbit\",\"name\":\"1Qloud Optimization Platform\",\"properties\":{\"description\":\"1QBit + 1Qloud Optimization Platform with Quantum Inspired Solutions\",\"providerType\":\"qio\",\"company\":\"1QBit\",\"managedApplication\":{\"publisherId\":\"1qbinformationtechnologies1580939206424\",\"offerId\":\"1qbit-1qloud-optimization-aq\"},\"targets\":[{\"id\":\"1qbit.tabu\",\"name\":\"1QBit + Quadratic Tabu Solver\",\"description\":\"An iterative heuristic algorithm + that uses local search techniques to solve a problem\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"1qbit.pathrelinking\",\"name\":\"1QBit + Quadratic Path-Relinking Solver\",\"description\":\"The path-relinking algorithm + is a heuristic algorithm that uses the tabu search as a subroutine to solve + a QUBO problem\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"1qbit.pticm\",\"name\":\"1QBit + Quadratic Parallel Tempering Isoenergetic Cluster Moves Solver\",\"description\":\"The + parallel tempering with isoenergetic cluster moves (PTICM) solver is a Monte + Carlo approach to solving QUBO problems\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]}],\"skus\":[{\"id\":\"1qbit-internal-free-plan\",\"version\":\"1.0.3\",\"name\":\"1QBit + No Charge Plan\",\"description\":\"1QBit plan with no charge for specific + customer arrangements\",\"autoAdd\":false,\"targets\":[\"1qbit.tabu\",\"1qbit.pathrelinking\",\"1qbit.pticm\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Tabu + Search Solver
Path-Relinking Solver
PTICM Solver\"},{\"id\":\"quota\",\"value\":\"N/A\"},{\"id\":\"price\",\"value\":\"Free + for select customers\"}]},{\"id\":\"1qbit-fixed-monthly-202012\",\"version\":\"1.0.3\",\"name\":\"Fixed + Monthly Plan\",\"description\":\"This plan provides access to all 1QBit quantum-inspired + optimization solvers with a flat monthly fee\",\"autoAdd\":false,\"targets\":[\"1qbit.tabu\",\"1qbit.pathrelinking\",\"1qbit.pticm\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Tabu + Search Solver
Path-Relinking Solver
PTICM Solver\"},{\"id\":\"quota\",\"value\":\"N/A\"},{\"id\":\"price\",\"value\":\"$7500 + USD per month\"}]},{\"id\":\"1qbit-pay-as-you-go-20210428\",\"version\":\"1.0.3\",\"name\":\"Pay + As You Go by CPU Usage\",\"description\":\"This plan provides access to all + 1QBit quantum-inspired optimization solvers with a pay as you go pricing\",\"autoAdd\":false,\"targets\":[\"1qbit.tabu\",\"1qbit.pathrelinking\",\"1qbit.pticm\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Tabu + Search Solver
Path-Relinking Solver
PTICM Solver\"},{\"id\":\"quota\",\"value\":\"N/A\"},{\"id\":\"price\",\"value\":\"$0.075 + per minute; rounded up to nearest second, with a minimum 1-second charge per + solve request\"}]}],\"pricingDimensions\":[{\"id\":\"features\",\"name\":\"Features\"},{\"id\":\"quota\",\"name\":\"Quota\"},{\"id\":\"price\",\"name\":\"Pricing\"}]}},{\"id\":\"ionq\",\"name\":\"IonQ\",\"properties\":{\"description\":\"IonQ\u2019s + trapped ion quantum computers perform calculations by manipulating charged + atoms of Ytterbium held in a vacuum with lasers.\",\"providerType\":\"qe\",\"company\":\"IonQ\",\"managedApplication\":{\"publisherId\":\"ionqinc1582730893633\",\"offerId\":\"ionq-aq\"},\"targets\":[{\"id\":\"ionq.simulator\",\"name\":\"Trapped + Ion Quantum Computer Simulator\",\"description\":\"GPU-accelerated idealized + simulator supporting up to 29 qubits, using the same gates IonQ provides on + its quantum computers. No errors are modeled at present.\",\"acceptedDataFormats\":[\"ionq.circuit.v1\"],\"acceptedContentEncodings\":[\"identity\"]},{\"id\":\"ionq.qpu\",\"name\":\"Trapped + Ion Quantum Computer\",\"description\":\"IonQ's quantum computer is dynamically + reconfigurable in software to use up to 11 qubits. All qubits are fully connected, + meaning you can run a two-qubit gate between any pair.\",\"acceptedDataFormats\":[\"ionq.circuit.v1\"],\"acceptedContentEncodings\":[\"identity\"]},{\"id\":\"ionq.qpu.aria-1\",\"name\":\"Aria + 1\",\"description\":\"IonQ's Aria 1 quantum computer is dynamically reconfigurable + in software to use up to 23 qubits. All qubits are fully connected, meaning + you can run a two-qubit gate between any pair.\",\"acceptedDataFormats\":[\"ionq.circuit.v1\"],\"acceptedContentEncodings\":[\"identity\"]},{\"id\":\"ionq.simulator-preview\",\"name\":\"Trapped + Ion Quantum Computer Simulator Preview\",\"description\":\"GPU-accelerated + idealized simulator supporting up to 29 qubits, using the same gates IonQ + provides on its quantum computers. No errors are modeled at present.\",\"acceptedDataFormats\":[\"ionq.qir.v1\"],\"acceptedContentEncodings\":[\"identity\"]},{\"id\":\"ionq.qpu-preview\",\"name\":\"Harmony + Preview\",\"description\":\"IonQ's Harmony quantum computer is dynamically + reconfigurable in software to use up to 11 qubits. All qubits are fully connected, + meaning you can run a two-qubit gate between any pair.\",\"acceptedDataFormats\":[\"ionq.qir.v1\"],\"acceptedContentEncodings\":[\"identity\"]},{\"id\":\"ionq.qpu.aria-1-preview\",\"name\":\"Aria + 1 Preview\",\"description\":\"IonQ's Aria 1 quantum computer is dynamically + reconfigurable in software to use up to 23 qubits. All qubits are fully connected, + meaning you can run a two-qubit gate between any pair.\",\"acceptedDataFormats\":[\"ionq.qir.v1\"],\"acceptedContentEncodings\":[\"identity\"]}],\"skus\":[{\"id\":\"pay-as-you-go-cred\",\"version\":\"0.0.5\",\"name\":\"Azure + Quantum Credits\",\"description\":\"The Azure Quantum Credits program provides + sponsored access to IonQ hardware through Azure. You will not be charged for + usage created under the credits program.\",\"autoAdd\":true,\"targets\":[\"ionq.qpu\",\"ionq.qpu.aria-1\",\"ionq.simulator\"],\"quotaDimensions\":[{\"id\":\"qgs\",\"scope\":\"Subscription\"}],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"IonQ + Simulator
Aria Trapped + Ion QC (23 qubits)
Harmony + Trapped Ion QC (11 qubits)\"},{\"id\":\"quota\",\"value\":\"$500 worth + of IonQ compute, unless you have received an additional project-based grant.

While availability + lasts, credits must be used within 6 months.

Learn more about quota for credits.\"},{\"id\":\"price\",\"value\":\"Free, + up to the granted value of your credits.\"}]},{\"id\":\"pay-as-you-go\",\"version\":\"0.0.5\",\"name\":\"Pay + As You Go\",\"description\":\"A la carte access based on resource requirements + and usage.\",\"autoAdd\":false,\"targets\":[\"ionq.qpu\",\"ionq.simulator\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"IonQ + Simulator
Harmony + Trapped Ion QC (11 qubits)\"},{\"id\":\"quota\",\"value\":\"No limit\"},{\"id\":\"price\",\"value\":\"$ + 3,000.00 USD / hour (est)
See documentation for details\"}]},{\"id\":\"committed-subscription-2\",\"version\":\"0.0.5\",\"name\":\"Subscription\",\"description\":\"Committed + access to all of IonQ's quantum computers\",\"autoAdd\":false,\"restrictedAccessUri\":\"mailto:partnerships@ionq.co\",\"targets\":[\"ionq.qpu\",\"ionq.qpu.aria-1\",\"ionq.simulator\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"IonQ + Simulator
Aria Trapped + Ion QC (23 qubits)
Harmony + Trapped Ion QC (11 qubits)\"},{\"id\":\"quota\",\"value\":\"N/A\"},{\"id\":\"price\",\"value\":\"$ + 25,000.00 USD / month
See documentation for details\"}]},{\"id\":\"private-preview-free\",\"version\":\"0.0.5\",\"name\":\"QIR + Private Preview Free\",\"description\":\"Submit QIR jobs to IonQ quantum platform.\",\"autoAdd\":false,\"targets\":[\"ionq.qpu-preview\",\"ionq.qpu.aria-1-preview\",\"ionq.simulator-preview\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"IonQ + QIR job execution\"},{\"id\":\"quota\",\"value\":\"N/A\"},{\"id\":\"price\",\"value\":\"N/A\"}]},{\"id\":\"preview-internal\",\"version\":\"0.0.5\",\"name\":\"Internal + Preview\",\"description\":\"Internal preview with zero cost.\",\"autoAdd\":false,\"targets\":[\"ionq.qpu-preview\",\"ionq.qpu.aria-1-preview\",\"ionq.simulator-preview\",\"ionq.qpu\",\"ionq.qpu.aria-1\",\"ionq.simulator\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"IonQ + Internal Preview\"},{\"id\":\"quota\",\"value\":\"N/A\"},{\"id\":\"price\",\"value\":\"N/A\"}]},{\"id\":\"aq-internal-testing\",\"version\":\"0.0.1\",\"name\":\"Microsoft + Internal Testing\",\"description\":\"You're testing, so it's free! As in beer.\",\"autoAdd\":false,\"targets\":[\"ionq.qpu\",\"ionq.qpu.aria-1\",\"ionq.simulator\",\"ionq.qpu-preview\",\"ionq.qpu.aria-1-preview\",\"ionq.simulator-preview\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"IonQ + Simulator
Harmony Trapped Ion QC (11 qubits)\"},{\"id\":\"quota\",\"value\":\"N/A\"},{\"id\":\"price\",\"value\":\"Free\"}]}],\"quotaDimensions\":[{\"id\":\"qgs\",\"scope\":\"Subscription\",\"quota\":16666667,\"period\":\"Infinite\",\"name\":\"QPU + Credit\",\"description\":\"Credited resource usage against your account. See + IonQ documentation for more information: https://aka.ms/AQ/IonQ/ProviderDocumentation.\",\"unit\":\"qubit-gate-shot\",\"unitPlural\":\"qubit-gate-shots\"}],\"pricingDimensions\":[{\"id\":\"features\",\"name\":\"Features\"},{\"id\":\"quota\",\"name\":\"Limits\"},{\"id\":\"price\",\"name\":\"Pricing\"}]}},{\"id\":\"Microsoft\",\"name\":\"Microsoft + QIO\",\"properties\":{\"description\":\"Ground-breaking optimization algorithms + inspired by decades of quantum research.\",\"providerType\":\"qio\",\"company\":\"Microsoft\",\"managedApplication\":{\"publisherId\":\"N/A\",\"offerId\":\"N/A\"},\"targets\":[{\"id\":\"microsoft.tabu.cpu\",\"name\":\"microsoft.tabu.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]},{\"id\":\"microsoft.qmc.cpu\",\"name\":\"microsoft.qmc.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]},{\"id\":\"microsoft.tabu-parameterfree.cpu\",\"name\":\"microsoft.tabu-parameterfree.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]},{\"id\":\"microsoft.simulatedannealing.cpu\",\"name\":\"microsoft.simulatedannealing.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]},{\"id\":\"microsoft.simulatedannealing-parameterfree.cpu\",\"name\":\"microsoft.simulatedannealing-parameterfree.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]},{\"id\":\"microsoft.paralleltempering.cpu\",\"name\":\"microsoft.paralleltempering.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]},{\"id\":\"microsoft.paralleltempering-parameterfree.cpu\",\"name\":\"microsoft.paralleltempering-parameterfree.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]},{\"id\":\"microsoft.populationannealing.cpu\",\"name\":\"microsoft.populationannealing.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]},{\"id\":\"microsoft.substochasticmontecarlo.cpu\",\"name\":\"microsoft.substochasticmontecarlo.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]},{\"id\":\"microsoft.substochasticmontecarlo-parameterfree.cpu\",\"name\":\"microsoft.substochasticmontecarlo-parameterfree.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]},{\"id\":\"microsoft.populationannealing-parameterfree.cpu\",\"name\":\"microsoft.populationannealing-parameterfree.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]}],\"skus\":[{\"id\":\"Basic\",\"version\":\"1.0\",\"name\":\"Private + Preview\",\"description\":\"Free Private Preview access through February 15 + 2020\",\"autoAdd\":false,\"targets\":[\"microsoft.paralleltempering-parameterfree.cpu\",\"microsoft.paralleltempering.cpu\",\"microsoft.simulatedannealing-parameterfree.cpu\",\"microsoft.simulatedannealing.cpu\",\"microsoft.tabu-parameterfree.cpu\",\"microsoft.tabu.cpu\",\"microsoft.qmc.cpu\",\"microsoft.populationannealing.cpu\",\"microsoft.populationannealing-parameterfree.cpu\",\"microsoft.substochasticmontecarlo.cpu\",\"microsoft.substochasticmontecarlo-parameterfree.cpu\",\"microsoft.populationannealing-parameterfree.cpu\"],\"quotaDimensions\":[{\"id\":\"combined_job_hours\",\"scope\":\"Workspace\"},{\"id\":\"combined_job_hours\",\"scope\":\"Subscription\"},{\"id\":\"concurrent_cpu_jobs\",\"scope\":\"Workspace\"}],\"pricingDetails\":[{\"id\":\"targets\",\"value\":\"Simulated + Annealing
Parallel Tempering
Tabu Search
Substochastic Monte Carlo
Population + Annealing
all solvers above have a parameter-free mode

Quantum + Monte Carlo\"},{\"id\":\"perf\",\"value\":\"CPU based: Up to 5 concurrent + jobs\"},{\"id\":\"quota\",\"value\":\"CPU based: 5 hours / month\"},{\"id\":\"price\",\"value\":\"$ + 0\"}]},{\"id\":\"DZH3178M639F\",\"version\":\"1.0\",\"name\":\"Learn & Develop\",\"description\":\"Learn + and develop with Optimization solutions.\",\"autoAdd\":true,\"targets\":[\"microsoft.paralleltempering-parameterfree.cpu\",\"microsoft.paralleltempering.cpu\",\"microsoft.simulatedannealing-parameterfree.cpu\",\"microsoft.simulatedannealing.cpu\",\"microsoft.tabu-parameterfree.cpu\",\"microsoft.tabu.cpu\",\"microsoft.qmc.cpu\",\"microsoft.populationannealing.cpu\",\"microsoft.populationannealing-parameterfree.cpu\",\"microsoft.substochasticmontecarlo.cpu\",\"microsoft.substochasticmontecarlo-parameterfree.cpu\"],\"quotaDimensions\":[{\"id\":\"combined_job_hours\",\"scope\":\"Workspace\",\"quota\":20},{\"id\":\"combined_job_hours\",\"scope\":\"Subscription\"},{\"id\":\"concurrent_cpu_jobs\",\"scope\":\"Workspace\"}],\"pricingDetails\":[{\"id\":\"targets\",\"value\":\"Simulated + Annealing
Parallel Tempering
Tabu Search
Substochastic Monte Carlo
Population + Annealing
all solvers above have a parameter-free mode

Quantum + Monte Carlo\"},{\"id\":\"perf\",\"value\":\"CPU based: Up to 5 concurrent + jobs\"},{\"id\":\"quota\",\"value\":\"CPU based: 20 hours / month\"},{\"id\":\"price\",\"value\":\"Pay + as you go
1 free hour included

See + pricing sheet\"}]},{\"id\":\"DZH318RV7MW4\",\"version\":\"1.0\",\"name\":\"Scale\",\"description\":\"Deploy + world-class Optimization solutions.\",\"autoAdd\":false,\"targets\":[\"microsoft.paralleltempering-parameterfree.cpu\",\"microsoft.paralleltempering.cpu\",\"microsoft.simulatedannealing-parameterfree.cpu\",\"microsoft.simulatedannealing.cpu\",\"microsoft.tabu-parameterfree.cpu\",\"microsoft.tabu.cpu\",\"microsoft.qmc.cpu\",\"microsoft.populationannealing.cpu\",\"microsoft.populationannealing-parameterfree.cpu\",\"microsoft.substochasticmontecarlo.cpu\",\"microsoft.substochasticmontecarlo-parameterfree.cpu\"],\"quotaDimensions\":[{\"id\":\"combined_job_hours\",\"scope\":\"Workspace\",\"quota\":1000},{\"id\":\"combined_job_hours\",\"scope\":\"Subscription\"},{\"id\":\"concurrent_cpu_jobs\",\"scope\":\"Workspace\",\"quota\":100}],\"pricingDetails\":[{\"id\":\"targets\",\"value\":\"Simulated + Annealing
Parallel Tempering
Tabu Search
Substochastic Monte Carlo
Population + Annealing
all solvers above have a parameter-free mode

Quantum + Monte Carlo\"},{\"id\":\"perf\",\"value\":\"CPU based: Up to 100 concurrent + jobs\"},{\"id\":\"quota\",\"value\":\"Up to 50,000 hours / month\"},{\"id\":\"price\",\"value\":\"Pay + as you go
1 free hour included

See + pricing sheet\"}]},{\"id\":\"EarlyAccess\",\"version\":\"1.0\",\"name\":\"Early + Access\",\"description\":\"Help us test new capabilities in our Microsoft + Optimization provider. This SKU is available to a select group of users and + limited to targets that we are currently running an Early Access test for.\",\"autoAdd\":false,\"targets\":[],\"quotaDimensions\":[{\"id\":\"combined_job_hours\",\"scope\":\"Workspace\",\"quota\":10},{\"id\":\"combined_job_hours\",\"scope\":\"Subscription\"},{\"id\":\"concurrent_cpu_jobs\",\"scope\":\"Workspace\"}],\"pricingDetails\":[{\"id\":\"targets\",\"value\":\"No + available targets.\"},{\"id\":\"quota\",\"value\":\"CPU based: 10 hours / + month\"},{\"id\":\"price\",\"value\":\"$ 0\"}]}],\"quotaDimensions\":[{\"id\":\"combined_job_hours\",\"scope\":\"Workspace\",\"quota\":5,\"period\":\"Monthly\",\"name\":\"CPU + Solver Hours [Workspace]\",\"description\":\"The amount of CPU solver time + you may use per month within this workspace\",\"unit\":\"hour\",\"unitPlural\":\"hours\"},{\"id\":\"combined_job_hours\",\"scope\":\"Subscription\",\"quota\":1000,\"period\":\"Monthly\",\"name\":\"CPU + Solver Hours [Subscription]\",\"description\":\"The amount of CPU solver time + you may use per month shared by all workspaces within the subscription\",\"unit\":\"hour\",\"unitPlural\":\"hours\"},{\"id\":\"concurrent_cpu_jobs\",\"scope\":\"Workspace\",\"quota\":5}],\"pricingDimensions\":[{\"id\":\"targets\",\"name\":\"Targets + available\"},{\"id\":\"perf\",\"name\":\"Performance\"},{\"id\":\"quota\",\"name\":\"Quota\"},{\"id\":\"price\",\"name\":\"Price + per month\"}]}},{\"id\":\"microsoft-qc\",\"name\":\"Microsoft Quantum Computing\",\"properties\":{\"description\":\"Prepare + for fault-tolerant quantum computing with Microsoft specific tools and services, + including the Azure Quantum Resource Estimator.\",\"providerType\":\"qe\",\"company\":\"Microsoft\",\"managedApplication\":{\"publisherId\":\"N/A\",\"offerId\":\"N/A\"},\"targets\":[{\"id\":\"microsoft.estimator\",\"name\":\"Resource + Estimator\",\"acceptedDataFormats\":[\"microsoft.qir.v1\",\"qir.v1\"],\"acceptedContentEncodings\":[\"identity\"]}],\"skus\":[{\"id\":\"learn-and-develop\",\"version\":\"1.0\",\"name\":\"Learn + & Develop\",\"description\":\"Free plan including access to hosted notebooks + with pre-configured support for Q#, Qiskit and Cirq, noisy simulator and Azure + Quantum Resource Estimator.\",\"autoAdd\":true,\"targets\":[\"microsoft.estimator\"],\"quotaDimensions\":[{\"id\":\"concurrent_resource_estimator_jobs\",\"scope\":\"Workspace\"}],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Resource + Estimator

Designed specifically for scaled quantum systems, Azure + Quantum Resource Estimator provides estimates for the number of physical qubits + and runtime required to execute quantum applications on post-NISQ, fault-tolerant + systems.\"},{\"id\":\"quota\",\"value\":\"Up to 10 concurrent jobs.\"},{\"id\":\"price\",\"value\":\"Free + usage.\"}]}],\"quotaDimensions\":[{\"id\":\"concurrent_resource_estimator_jobs\",\"scope\":\"Workspace\",\"quota\":10}],\"pricingDimensions\":[{\"id\":\"features\",\"name\":\"Features\"},{\"id\":\"quota\",\"name\":\"Quota\"},{\"id\":\"price\",\"name\":\"Pricing\"}]}},{\"id\":\"Microsoft.FleetManagement\",\"name\":\"Microsoft + Fleet Management Solution\",\"properties\":{\"description\":\"(Preview) Leverage + Azure Quantum's advanced optimization algorithms to solve fleet management + problems.\",\"providerType\":\"qio\",\"company\":\"Microsoft\",\"managedApplication\":{\"publisherId\":\"N/A\",\"offerId\":\"N/A\"},\"targets\":[{\"id\":\"microsoft.fleetmanagement\",\"name\":\"microsoft.fleetmanagement\",\"acceptedDataFormats\":[\"microsoft.fleetmanagement.v1\"],\"acceptedContentEncodings\":[\"gzip\"]}],\"skus\":[{\"id\":\"Basic\",\"version\":\"1.0\",\"name\":\"Private + Preview\",\"description\":\"Private preview fleet management SKU.\",\"autoAdd\":false,\"targets\":[\"microsoft.fleetManagement\"],\"quotaDimensions\":[{\"id\":\"combined_job_hours\",\"scope\":\"Workspace\"},{\"id\":\"combined_job_hours\",\"scope\":\"Subscription\"},{\"id\":\"concurrent_cpu_jobs\",\"scope\":\"Workspace\"}]}],\"quotaDimensions\":[{\"id\":\"combined_job_hours\",\"scope\":\"Workspace\",\"quota\":20,\"period\":\"Monthly\",\"name\":\"Job + Hours [Workspace]\",\"description\":\"The amount of job time you may use per + month within this workspace\",\"unit\":\"hour\",\"unitPlural\":\"hours\"},{\"id\":\"combined_job_hours\",\"scope\":\"Subscription\",\"quota\":1000,\"period\":\"Monthly\",\"name\":\"Job + Hours [Subscription]\",\"description\":\"The amount of job time you may use + per month shared by all workspaces within the subscription\",\"unit\":\"hour\",\"unitPlural\":\"hours\"},{\"id\":\"concurrent_cpu_jobs\",\"scope\":\"Workspace\",\"quota\":5}]}},{\"id\":\"Microsoft.Simulator\",\"name\":\"Microsoft + Simulation Tools\",\"properties\":{\"description\":\"Microsoft Simulation + Tools.\",\"providerType\":\"qe\",\"company\":\"Microsoft\",\"managedApplication\":{\"publisherId\":\"N/A\",\"offerId\":\"N/A\"},\"targets\":[{\"id\":\"microsoft.simulator.resources-estimator\",\"name\":\"Quantum + Resources Estimator\",\"acceptedDataFormats\":[\"microsoft.qir.v1\",\"qir.v1\"],\"acceptedContentEncodings\":[\"gzip\"]}],\"skus\":[{\"id\":\"resources-estimator-preview\",\"version\":\"1.0\",\"name\":\"Resource + Estimation Private Preview\",\"description\":\"Private preview plan for resource + estimation. Provider and target names may change upon public preview.\",\"autoAdd\":false,\"targets\":[\"microsoft.simulator.resources-estimator\"],\"quotaDimensions\":[{\"id\":\"concurrent_resource_estimator_jobs\",\"scope\":\"Workspace\"}]}],\"quotaDimensions\":[{\"id\":\"simulator_job_hours\",\"scope\":\"Workspace\",\"quota\":20,\"period\":\"Monthly\",\"name\":\"Simulator + Hours [Workspace]\",\"description\":\"The amount of simulator time you may + use per month within this workspace\",\"unit\":\"hour\",\"unitPlural\":\"hours\"},{\"id\":\"simulator_job_hours\",\"scope\":\"Subscription\",\"quota\":1000,\"period\":\"Monthly\",\"name\":\"Simulator + Hours [Subscription]\",\"description\":\"The amount of simulator time you + may use per month shared by all workspaces within the subscription\",\"unit\":\"hour\",\"unitPlural\":\"hours\"},{\"id\":\"concurrent_simulator_jobs\",\"scope\":\"Workspace\",\"quota\":5},{\"id\":\"concurrent_resource_estimator_jobs\",\"scope\":\"Workspace\",\"quota\":10}]}},{\"id\":\"Microsoft.Test\",\"name\":\"Microsoft + Test Provider\",\"properties\":{\"description\":\"Microsoft Test Provider\",\"providerType\":\"qe\",\"company\":\"Microsoft\",\"managedApplication\":{\"publisherId\":\"microsoft_qio\",\"offerId\":\"samplepartner-aq-preview\"},\"targets\":[{\"id\":\"echo-rigetti\",\"name\":\"echo-rigetti\",\"acceptedDataFormats\":[\"rigetti.qir.v1\"],\"acceptedContentEncodings\":[\"identity\"]},{\"id\":\"echo-quantinuum\",\"name\":\"echo-quantinuum\",\"acceptedDataFormats\":[\"honeywell.qir.v1\"],\"acceptedContentEncodings\":[\"identity\"]},{\"id\":\"echo-qci\",\"name\":\"echo-qci\",\"acceptedDataFormats\":[\"qci.qir.v1\"],\"acceptedContentEncodings\":[\"identity\"]},{\"id\":\"echo-output\",\"name\":\"echo-output\",\"acceptedDataFormats\":[\"microsoft.quantum-log.v1.1\",\"microsoft.quantum-log.v2.1\",\"microsoft.quantum-log.v1\",\"microsoft.quantum-log.v2\"],\"acceptedContentEncodings\":[\"identity\"]}],\"skus\":[{\"id\":\"sample-plan-3\",\"version\":\"1.0.4\",\"name\":\"Standard\",\"description\":\"Standard + services\",\"autoAdd\":false,\"targets\":[\"echo-rigetti\",\"echo-quantinuum\",\"echo-qci\",\"echo-output\"],\"pricingDetails\":[{\"id\":\"price\",\"value\":\"Free\"}]}],\"pricingDimensions\":[{\"id\":\"price\",\"name\":\"Pricing\"}]}},{\"id\":\"qci\",\"name\":\"Quantum + Circuits, Inc.\",\"properties\":{\"description\":\"Superconducting Circuits + Quantum Computing Systems\",\"providerType\":\"qe\",\"company\":\"Quantum + Circuits, Inc.\",\"managedApplication\":{\"publisherId\":\"quantumcircuitsinc1598045891596\",\"offerId\":\"qci-aq\"},\"targets\":[{\"id\":\"qci.machine1\",\"name\":\"Machine + 1\",\"description\":\"8-qubit quantum computing system with real-time control + flow capability.\",\"acceptedDataFormats\":[\"qci.qcdl.v1\",\"qci.qir.v1\"],\"acceptedContentEncodings\":[\"identity\"]},{\"id\":\"qci.simulator\",\"name\":\"AquSim\",\"description\":\"8-qubit + noise-free simulator.\",\"acceptedDataFormats\":[\"qci.qcdl.v1\",\"qci.qir.v1\"],\"acceptedContentEncodings\":[\"identity\"]},{\"id\":\"qci.simulator.noisy\",\"name\":\"AquSim-N\",\"description\":\"8-qubit + simulator that incorporates QCI's gate and measurement performance\",\"acceptedDataFormats\":[\"qci.qcdl.v1\",\"qci.qir.v1\"],\"acceptedContentEncodings\":[\"identity\"]}],\"skus\":[{\"id\":\"qci-syspreview\",\"version\":\"0.1.0\",\"name\":\"System + Preview\",\"description\":\"A metered pricing preview of QCI's Systems and + Simulators\",\"autoAdd\":false,\"targets\":[\"qci.simulator\",\"qci.machine1\",\"qci.simulator.noisy\"],\"quotaDimensions\":[{\"id\":\"jobcount\",\"scope\":\"Workspace\"}],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Integration + testing plan for Microsoft\"},{\"id\":\"quota\",\"value\":\"1000 jobs per + month\"},{\"id\":\"price\",\"value\":\"\"}]},{\"id\":\"qci-syspreview-free\",\"version\":\"0.1.0\",\"name\":\"System + Preview Free\",\"description\":\"A free preview of QCI's Systems and Simulators\",\"autoAdd\":false,\"targets\":[\"qci.simulator\",\"qci.machine1\",\"qci.simulator.noisy\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Integration + testing plan for Microsoft\"},{\"id\":\"quota\",\"value\":\"Unlimited jobs\"},{\"id\":\"price\",\"value\":\"\"}]},{\"id\":\"qci-freepreview\",\"version\":\"0.1.0\",\"name\":\"System + Preview (Free)\",\"description\":\"A free preview of QCI's simulators and + quantum systems.\",\"autoAdd\":false,\"targets\":[\"qci.simulator\",\"qci.machine1\",\"qci.simulator.noisy\"],\"quotaDimensions\":[{\"id\":\"jobcount\",\"scope\":\"Workspace\"}],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Machine + 1 Quantum System and the AquSim Quantum Simulator\"},{\"id\":\"quota\",\"value\":\"1000 + jobs per month\"},{\"id\":\"price\",\"value\":\"\"}]}],\"quotaDimensions\":[{\"id\":\"jobcount\",\"scope\":\"Workspace\",\"quota\":1000,\"period\":\"Monthly\",\"name\":\"Job + Count\",\"description\":\"Number of jobs you can run in a month.\",\"unit\":\"job\",\"unitPlural\":\"jobs\"}],\"pricingDimensions\":[{\"id\":\"features\",\"name\":\"Features\"},{\"id\":\"quota\",\"name\":\"Quota\"},{\"id\":\"price\",\"name\":\"Pricing\"}]}},{\"id\":\"quantinuum\",\"name\":\"Quantinuum\",\"properties\":{\"description\":\"Access + to Quantinuum trapped-ion systems\",\"providerType\":\"qe\",\"company\":\"Quantinuum\",\"managedApplication\":{\"publisherId\":\"quantinuumllc1640113159771\",\"offerId\":\"quantinuum-aq\"},\"targets\":[{\"id\":\"quantinuum.hqs-lt-s1\",\"name\":\"Quantinuum + H1-1\",\"description\":\"Quantinuum H1-1, Powered by Honeywell\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.qpu.h1-1\",\"name\":\"Quantinuum + H1-1\",\"description\":\"Quantinuum H1-1, Powered by Honeywell\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.hqs-lt-s2\",\"name\":\"Quantinuum + H1-2\",\"description\":\"Quantinuum H1-2, Powered by Honeywell\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.qpu.h1-2\",\"name\":\"Quantinuum + H1-2\",\"description\":\"Quantinuum H1-2, Powered by Honeywell\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.hqs-lt\",\"name\":\"Quantinuum + System Model: H1 Family\",\"description\":\"Quantinuum System Model H1 Family, + Powered by Honeywell\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.qpu.h1\",\"name\":\"Quantinuum + System Model: H1 Family\",\"description\":\"Quantinuum System Model H1 Family, + Powered by Honeywell\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.hqs-lt-s1-apival\",\"name\":\"Quantinuum + H1-1 Syntax Checker\",\"description\":\"Quantinuum H1-1 Syntax Checker\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.sim.h1-1sc\",\"name\":\"Quantinuum + H1-1 Syntax Checker\",\"description\":\"Quantinuum H1-1 Syntax Checker\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.hqs-lt-s2-apival\",\"name\":\"Quantinuum + H1-2 Syntax Checker\",\"description\":\"Quantinuum H1-2 Syntax Checker\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.sim.h1-2sc\",\"name\":\"Quantinuum + H1-2 Syntax Checker\",\"description\":\"Quantinuum H1-2 Syntax Checker\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.hqs-lt-s1-sim\",\"name\":\"Quantinuum + H1-1 Emulator\",\"description\":\"Quantinuum H1-1 Emulator\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.sim.h1-1e\",\"name\":\"Quantinuum + H1-1 Emulator\",\"description\":\"Quantinuum H1-1 Emulator\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.hqs-lt-s2-sim\",\"name\":\"Quantinuum + H1-2 Emulator\",\"description\":\"Quantinuum H1-2 Emulator\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.sim.h1-2e\",\"name\":\"Quantinuum + H1-2 Emulator\",\"description\":\"Quantinuum H1-2 Emulator\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.sim.h1-1sc-preview\",\"name\":\"Quantinuum + H1-1 Syntax Checker Preview\",\"description\":\"Quantinuum H1-1 Syntax Checker + Preview\",\"acceptedDataFormats\":[\"honeywell.qir.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.sim.h1-2sc-preview\",\"name\":\"Quantinuum + H1-2 Syntax Checker Preview\",\"description\":\"Quantinuum H1-2 Syntax Checker + Preview\",\"acceptedDataFormats\":[\"honeywell.qir.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.sim.h1-1e-preview\",\"name\":\"Quantinuum + H1-1 Emulator Preview\",\"description\":\"Quantinuum H1-1 Emulator Preview\",\"acceptedDataFormats\":[\"honeywell.qir.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.sim.h1-2e-preview\",\"name\":\"Quantinuum + H1-2 Emulator Preview\",\"description\":\"Quantinuum H1-2 Emulator Preview\",\"acceptedDataFormats\":[\"honeywell.qir.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.qpu.h1-1-preview\",\"name\":\"Quantinuum + H1-1 Preview\",\"description\":\"Quantinuum H1-1 Preview\",\"acceptedDataFormats\":[\"honeywell.qir.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.qpu.h1-2-preview\",\"name\":\"Quantinuum + H1-2 Preview\",\"description\":\"Quantinuum H1-2 Preview\",\"acceptedDataFormats\":[\"honeywell.qir.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]}],\"skus\":[{\"id\":\"credits1\",\"version\":\"1.0.0\",\"name\":\"Azure + Quantum Credits\",\"description\":\"The Azure Quantum Credits program provides + sponsored access to Quantinuum hardware through Azure. You will not be charged + for usage created under the credits program, up to the limit of your credit + grant.\",\"autoAdd\":true,\"targets\":[\"quantinuum.hqs-lt-s1\",\"quantinuum.hqs-lt-s1-apival\",\"quantinuum.hqs-lt-s2\",\"quantinuum.hqs-lt-s2-apival\",\"quantinuum.hqs-lt-s1-sim\",\"quantinuum.hqs-lt-s2-sim\",\"quantinuum.hqs-lt\",\"quantinuum.qpu.h1-1\",\"quantinuum.sim.h1-1sc\",\"quantinuum.qpu.h1-2\",\"quantinuum.sim.h1-2sc\",\"quantinuum.sim.h1-1e\",\"quantinuum.sim.h1-2e\",\"quantinuum.qpu.h1\"],\"quotaDimensions\":[{\"id\":\"hqc\",\"scope\":\"Subscription\"},{\"id\":\"ehqc\",\"scope\":\"Subscription\"}],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"System + Model H1 Syntax Checker
Quantinuum System Model H1 Emulator
Quantinuum + System Model H1, Powered by Honeywell\"},{\"id\":\"limits\",\"value\":\"Up + to $500 of Quantinuum compute, unless you have received an additional project-based grant.

While availability + lasts, credits must be used within 6 months.

Learn more about quota for credits.\"},{\"id\":\"price\",\"value\":\"Free, + up to the granted value of your credits.\"}]},{\"id\":\"premium1\",\"version\":\"1.0.0\",\"name\":\"Premium\",\"description\":\"Monthly + subscription plan with 17K Quantinuum H-System Quantum Credits (HQCs) / month, + available through queue\",\"autoAdd\":false,\"restrictedAccessUri\":\"mailto:QuantinuumAzureQuantumSupport@Quantinuum.com\",\"targets\":[\"quantinuum.hqs-lt-s1\",\"quantinuum.hqs-lt-s1-apival\",\"quantinuum.hqs-lt-s2\",\"quantinuum.hqs-lt-s2-apival\",\"quantinuum.hqs-lt-s1-sim\",\"quantinuum.hqs-lt-s2-sim\",\"quantinuum.hqs-lt\",\"quantinuum.qpu.h1-1\",\"quantinuum.sim.h1-1sc\",\"quantinuum.qpu.h1-2\",\"quantinuum.sim.h1-2sc\",\"quantinuum.sim.h1-1e\",\"quantinuum.sim.h1-2e\",\"quantinuum.qpu.h1\"],\"quotaDimensions\":[{\"id\":\"hqc\",\"scope\":\"Subscription\"},{\"id\":\"ehqc\",\"scope\":\"Subscription\"}],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Quantinuum + System Model H1 Syntax Checker
Quantinuum System Model H1 Emulator
Quantinuum System Model H1\"},{\"id\":\"limits\",\"value\":\"17K H-System + Quantum Credits (HQCs) / month\"},{\"id\":\"price\",\"value\":\"$ 175,000 + USD / Month\"}]},{\"id\":\"standard1\",\"version\":\"1.0.0\",\"name\":\"Standard\",\"description\":\"Monthly + subscription plan with 10K Quantinuum H-System quantum credits (HQCs) / month, + available through queue\",\"autoAdd\":false,\"restrictedAccessUri\":\"mailto:QuantinuumAzureQuantumSupport@Quantinuum.com\",\"targets\":[\"quantinuum.hqs-lt-s1\",\"quantinuum.hqs-lt-s1-apival\",\"quantinuum.hqs-lt-s2\",\"quantinuum.hqs-lt-s2-apival\",\"quantinuum.hqs-lt-s1-sim\",\"quantinuum.hqs-lt-s2-sim\",\"quantinuum.hqs-lt\",\"quantinuum.qpu.h1-1\",\"quantinuum.sim.h1-1sc\",\"quantinuum.qpu.h1-2\",\"quantinuum.sim.h1-2sc\",\"quantinuum.sim.h1-1e\",\"quantinuum.sim.h1-2e\",\"quantinuum.qpu.h1\"],\"quotaDimensions\":[{\"id\":\"hqc\",\"scope\":\"Subscription\"},{\"id\":\"ehqc\",\"scope\":\"Subscription\"}],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Quantinuum + System Model H1 Syntax Checker
Quantinuum System Model H1 Emulator
Quantinuum System Model H1\"},{\"id\":\"limits\",\"value\":\"10K H-System + Quantum Credits (HQCs) / month\"},{\"id\":\"price\",\"value\":\"$ 125,000 + USD / Month\"}]},{\"id\":\"test1\",\"version\":\"1.0.0\",\"name\":\"Partner + Access\",\"description\":\"Charge-free access to Quantinuum System Model H1 + for Azure integration verification\",\"autoAdd\":false,\"targets\":[\"quantinuum.hqs-lt-s1\",\"quantinuum.hqs-lt-s1-apival\",\"quantinuum.hqs-lt-s2\",\"quantinuum.hqs-lt-s2-apival\",\"quantinuum.hqs-lt-s1-sim\",\"quantinuum.hqs-lt-s2-sim\",\"quantinuum.hqs-lt\",\"quantinuum.qpu.h1-1\",\"quantinuum.sim.h1-1sc\",\"quantinuum.qpu.h1-2\",\"quantinuum.sim.h1-2sc\",\"quantinuum.sim.h1-1e\",\"quantinuum.sim.h1-2e\",\"quantinuum.qpu.h1\",\"quantinuum.sim.h1-1sc-preview\",\"quantinuum.sim.h1-2sc-preview\",\"quantinuum.sim.h1-1e-preview\",\"quantinuum.sim.h1-2e-preview\",\"quantinuum.qpu.h1-1-preview\",\"quantinuum.qpu.h1-2-preview\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Quantinuum + System Model H1 Syntax Checker
Quantinuum System Model H1 Emulator
Quantinuum System Model H1\"},{\"id\":\"limits\",\"value\":\"No limit for + integration testing\"},{\"id\":\"price\",\"value\":\"Free for validation\"}]}],\"quotaDimensions\":[{\"id\":\"hqc\",\"scope\":\"Subscription\",\"quota\":40,\"period\":\"Infinite\",\"name\":\"H-System + Quantum Credit (HQC)\",\"description\":\"H-System Quantum Credits (HQCs) are + used to calculate the cost of a job. See Quantinuum documentation for more + information.\",\"unit\":\"HQC\",\"unitPlural\":\"HQC's\"},{\"id\":\"ehqc\",\"scope\":\"Subscription\",\"quota\":400,\"period\":\"Infinite\",\"name\":\"Emulator + HQCs (eHQC)\",\"description\":\"Quantinuum Emulator H-System Quantum Credits + (eHQCs) are used for submission to the emulator.\",\"unit\":\"EHQC\",\"unitPlural\":\"EHQC's\"}],\"pricingDimensions\":[{\"id\":\"features\",\"name\":\"Features\"},{\"id\":\"limits\",\"name\":\"Limits\"},{\"id\":\"price\",\"name\":\"Pricing\"}]}},{\"id\":\"rigetti\",\"name\":\"Rigetti + Quantum\",\"properties\":{\"description\":\"Run quantum programs on Rigetti's + superconducting qubit-based quantum processors.\",\"providerType\":\"qe\",\"company\":\"Rigetti + Computing\",\"managedApplication\":{\"publisherId\":\"rigetticoinc1644276861431\",\"offerId\":\"rigetti-aq\"},\"targets\":[{\"id\":\"rigetti.sim.qvm\",\"name\":\"QVM\",\"description\":\"Simulate + Quil and QIR programs on the open-source Quantum Virtual Machine.\",\"acceptedDataFormats\":[\"rigetti.quil.v1\",\"rigetti.qir.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"rigetti.qpu.aspen-11\",\"name\":\"Aspen-11\",\"description\":\"A + 40-Qubit QPU\",\"acceptedDataFormats\":[\"rigetti.quil.v1\",\"rigetti.qir.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"rigetti.qpu.aspen-m-2\",\"name\":\"Aspen-M-2\",\"description\":\"An + 80-Qubit QPU\",\"acceptedDataFormats\":[\"rigetti.quil.v1\",\"rigetti.qir.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"rigetti.qpu.aspen-m-3\",\"name\":\"Aspen-M-3\",\"description\":\"An + 80-Qubit QPU\",\"acceptedDataFormats\":[\"rigetti.quil.v1\",\"rigetti.qir.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]}],\"skus\":[{\"id\":\"rigetti-private-beta-metered\",\"version\":\"0.0.0\",\"name\":\"Metered + Private Preview\",\"description\":\"Limited-time free access to Rigetti quantum + computers with the ability to see your utilization.\",\"autoAdd\":false,\"targets\":[\"rigetti.sim.qvm\",\"rigetti.qpu.aspen-11\",\"rigetti.qpu.aspen-m-2\",\"rigetti.qpu.aspen-m-3\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Learn more about + Rigetti Targets\"},{\"id\":\"quota\",\"value\":\"This plan has no quota.\"},{\"id\":\"price\",\"value\":\"This + plan is free.\"}]},{\"id\":\"rigetti-pay-as-you-go\",\"version\":\"0.0.0\",\"name\":\"Pay + As You Go\",\"description\":\"Pay-as-you-go access to Rigetti quantum computers.\",\"autoAdd\":false,\"targets\":[\"rigetti.sim.qvm\",\"rigetti.qpu.aspen-11\",\"rigetti.qpu.aspen-m-2\",\"rigetti.qpu.aspen-m-3\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Learn more about + Rigetti Targets\"},{\"id\":\"quota\",\"value\":\"This plan has no quota.\"},{\"id\":\"price\",\"value\":\"$0.02 + per 10 milliseconds (rounded up) of QPU execution time.\"}]},{\"id\":\"azure-quantum-credits\",\"version\":\"0.0.0\",\"name\":\"Azure + Quantum Credits\",\"description\":\"Pay with Azure credits for access to Rigetti + quantum computers.\",\"autoAdd\":true,\"targets\":[\"rigetti.sim.qvm\",\"rigetti.qpu.aspen-11\",\"rigetti.qpu.aspen-m-2\",\"rigetti.qpu.aspen-m-3\"],\"quotaDimensions\":[{\"id\":\"provider-credit\",\"scope\":\"Subscription\"}],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Learn more about + Rigetti Targets\"},{\"id\":\"quota\",\"value\":\"$500 worth of Rigetti + compute, unless you have received an additional project-based grant.

While availability + lasts, credits must be used within 6 months.

Learn more about quota for credits.\"},{\"id\":\"price\",\"value\":\"Free, + up to the granted value of your credits.
Credits consumed on the base + of $0.02 (credits) per 10 milliseconds (rounded up) of QPU execution time.\"}]}],\"quotaDimensions\":[{\"id\":\"provider-credit\",\"scope\":\"Subscription\",\"quota\":25000,\"period\":\"Infinite\",\"name\":\"QPU + Credits\",\"description\":\"One credit covers 10 milliseconds of QPU execution + time, which normally costs $0.02.\",\"unit\":\"credit\",\"unitPlural\":\"credits\"}],\"pricingDimensions\":[{\"id\":\"features\",\"name\":\"Features\"},{\"id\":\"quota\",\"name\":\"Quota\"},{\"id\":\"price\",\"name\":\"Pricing\"}]}},{\"id\":\"toshiba\",\"name\":\"SQBM+ + Cloud on Azure Quantum\",\"properties\":{\"description\":\"A GPU-powered ISING + machine featuring the Simulated Bifurcation algorithm inspired by Toshiba's + research on quantum computing.\",\"providerType\":\"qio\",\"company\":\"Toshiba + Digital Solutions Corporation\",\"managedApplication\":{\"publisherId\":\"2812187\",\"offerId\":\"toshiba-aq\"},\"targets\":[{\"id\":\"toshiba.sbm.ising\",\"name\":\"Ising + solver\",\"description\":\"Originated from research on quantum bifurcation + machines, the SQBM+ is a practical and ready-to-use ISING machine that solves + large-scale \\\"combinatorial optimization problems\\\" at high speed.\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]}],\"skus\":[{\"id\":\"toshiba-solutionseconds\",\"version\":\"1.0.1\",\"name\":\"Pay + As You Go\",\"description\":\"This is the only plan for using SQBM+ in Azure + Quantum Private Preview.\",\"autoAdd\":false,\"targets\":[\"toshiba.sbm.ising\"],\"pricingDetails\":[{\"id\":\"targets\",\"value\":\"toshiba.sbm.ising\"},{\"id\":\"quota\",\"value\":\"No + limit\"},{\"id\":\"price\",\"value\":\"This plan is available for free during + private preview.\"}]},{\"id\":\"learn_and_develop\",\"version\":\"1.0.1\",\"name\":\"Learn + & Develop\",\"description\":\"Learn and develop with SQBM+ (not for operational + use).\",\"autoAdd\":false,\"targets\":[\"toshiba.sbm.ising\"],\"quotaDimensions\":[{\"id\":\"learn_and_develop_concurrent_jobs\",\"scope\":\"Workspace\"},{\"id\":\"learn_and_develop_job_execution_time\",\"scope\":\"Subscription\"}],\"pricingDetails\":[{\"id\":\"targets\",\"value\":\"toshiba.sbm.ising\"},{\"id\":\"quota\",\"value\":\"

Up + to 1 concurrent jobs.

1 hour of compute per month.

\"},{\"id\":\"price\",\"value\":\"This + value loaded from partner center.\"}]},{\"id\":\"performance_at_scale\",\"version\":\"1.0.1\",\"name\":\"Performance + at scale\",\"description\":\"Deploy world-class SQBM+ solutions.\",\"autoAdd\":false,\"targets\":[\"toshiba.sbm.ising\"],\"quotaDimensions\":[{\"id\":\"performance_at_scale_concurrent_jobs\",\"scope\":\"Workspace\"},{\"id\":\"performance_at_scale_job_execution_time\",\"scope\":\"Subscription\"}],\"pricingDetails\":[{\"id\":\"targets\",\"value\":\"toshiba.sbm.ising\"},{\"id\":\"quota\",\"value\":\"

Up + to 3 concurrent jobs.

2,500 hours of compute per month.

\"},{\"id\":\"price\",\"value\":\"This + value loaded from partner center.\"}]}],\"quotaDimensions\":[{\"id\":\"learn_and_develop_concurrent_jobs\",\"scope\":\"Workspace\",\"quota\":1,\"name\":\"Concurrent + jobs\",\"description\":\"The number of jobs that you can submit within a single + workspace at the same time.\",\"unit\":\"job\",\"unitPlural\":\"jobs\"},{\"id\":\"learn_and_develop_job_execution_time\",\"scope\":\"Subscription\",\"quota\":1,\"period\":\"Monthly\",\"name\":\"Computing + hours per month\",\"description\":\"Computing hours within a subscription + per month.\",\"unit\":\"hour\",\"unitPlural\":\"hours\"},{\"id\":\"performance_at_scale_concurrent_jobs\",\"scope\":\"Workspace\",\"quota\":3,\"name\":\"Concurrent + jobs\",\"description\":\"The number of jobs that you can submit within a single + workspace at the same time.\",\"unit\":\"job\",\"unitPlural\":\"jobs\"},{\"id\":\"performance_at_scale_job_execution_time\",\"scope\":\"Subscription\",\"quota\":2500,\"period\":\"Monthly\",\"name\":\"Computing + hours per month\",\"description\":\"Computing hours within a subscription + per month.\",\"unit\":\"hour\",\"unitPlural\":\"hours\"}],\"pricingDimensions\":[{\"id\":\"targets\",\"name\":\"Targets + available\"},{\"id\":\"quota\",\"name\":\"Quota\"},{\"id\":\"price\",\"name\":\"Price + per month\"}]}}]}" + headers: + cache-control: + - no-cache + content-length: + - '41041' + content-type: + - application/json; charset=utf-8 + date: + - Fri, 20 Jan 2023 19:03:42 GMT + expires: + - '-1' + mise-correlation-id: + - 6fb27320-9d0e-4bdc-b7de-6b933b77ed92 + pragma: + - no-cache + request-context: + - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f + set-cookie: + - ARRAffinity=8ff86c9a27601d7f5b6518ec4d18af424875e57b5b1d58a058e5ff9db2bf1a1f;Path=/;HttpOnly;Secure;Domain=rpcontrol-eastus.azurewebsites.net + - ARRAffinitySameSite=8ff86c9a27601d7f5b6518ec4d18af424875e57b5b1d58a058e5ff9db2bf1a1f;Path=/;HttpOnly;SameSite=None;Secure;Domain=rpcontrol-eastus.azurewebsites.net + - ASLBSA=0003d40efdced3b125786ca8cb22325eb49a925b534478081c4d828d5b638143f548; + path=/; secure + - ASLBSACORS=0003d40efdced3b125786ca8cb22325eb49a925b534478081c4d828d5b638143f548; + samesite=none; path=/; secure + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-azure-ref: + - 0jeXKYwAAAABWUw/wC54bSakoyGo90fgfTU5aMjIxMDYwNjE0MDI5AGU0ODIyNTNiLTllMDUtNDA1ZS1hODNmLTU4NmVlMWQ1NTNlNA== + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-providerhub-traffic: + - 'True' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - quantum workspace create + Connection: + - keep-alive + ParameterSetName: + - -g -w -l -a -r + User-Agent: + - AZURECLI/2.44.1 azsdk-python-mgmt-marketplaceordering/1.1.0 Python/3.10.6 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/virtualmachine/publishers/ionqinc1582730893633/offers/ionq-aq/plans/pay-as-you-go-cred/agreements/current?api-version=2021-01-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/VirtualMachine/publishers/ionqinc1582730893633/offers/ionq-aq/plans/pay-as-you-go-cred/agreements/current","name":"pay-as-you-go-cred","type":"Microsoft.MarketplaceOrdering/offertypes","properties":{"publisher":"ionqinc1582730893633","product":"ionq-aq","plan":"pay-as-you-go-cred","licenseTextLink":"https://mpcprodsa.blob.core.windows.net/legalterms/3E5ED_legalterms_IONQINC1582730893633%253a24IONQ%253a2DAQ%253a24PAY%253a2DAS%253a2DYOU%253a2DGO%253a2DCRED%253a247ODGLEAK7RQISNHUEU4KJYVC6QLVZF5IANNQFGBHOKJMXWIW3OPRUADLB63ROSGS5FVYSHLINGX5BK7GF7Y2ZO24HKBHSPKMXBHFBAQ.txt","privacyPolicyLink":"https://ionq.com/privacy","marketplaceTermsLink":"https://mpcprodsa.blob.core.windows.net/marketplaceterms/3EDEF_marketplaceterms_AZUREAPPLICATION%253a24OF7TIMHFEMPZHRBYEO3SVLC7Q2MPXXAASJ5BO2FUY4UC6EZCN5TIL2KIGTA7WI2CSM3WV4L7QMPNRYPE2I7BOCM34RGOL3XTC6ADIMI.txt","retrieveDatetime":"2023-01-20T19:03:45.6167933Z","signature":"RVA52GI5HVUXDUK4L33MCQRODA7OXRLVZLREDVXSWOTOP2RUWMQKSX52PVAHNZC5VHW2GFCXHDN5YOYJBXQUB63S74JQOHTHOQK3WRA","accepted":true},"systemData":{"createdBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","createdByType":"ManagedIdentity","createdAt":"2023-01-20T19:03:45.8355212+00:00","lastModifiedBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","lastModifiedByType":"ManagedIdentity","lastModifiedAt":"2023-01-20T19:03:45.8355212+00:00"}}' + headers: + cache-control: + - no-cache + content-length: + - '1448' + content-type: + - application/json; charset=utf-8 + date: + - Fri, 20 Jan 2023 19:03:45 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - quantum workspace create + Connection: + - keep-alive + ParameterSetName: + - -g -w -l -a -r + User-Agent: + - AZURECLI/2.44.1 azsdk-python-mgmt-marketplaceordering/1.1.0 Python/3.10.6 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/virtualmachine/publishers/quantinuumllc1640113159771/offers/quantinuum-aq/plans/credits1/agreements/current?api-version=2021-01-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/VirtualMachine/publishers/quantinuumllc1640113159771/offers/quantinuum-aq/plans/credits1/agreements/current","name":"credits1","type":"Microsoft.MarketplaceOrdering/offertypes","properties":{"publisher":"quantinuumllc1640113159771","product":"quantinuum-aq","plan":"credits1","licenseTextLink":"https://mpcprodsa.blob.core.windows.net/legalterms/3E5ED_legalterms_QUANTINUUMLLC1640113159771%253a24QUANTINUUM%253a2DAQ%253a24CREDITS1%253a24U3AGC77IHGZ5FLJYZ6QWF357B7LQHG6PW5CSVK7VKS2YGVWO4OBIOCCOCSXJEEP6BMMDOPFM4ETZZYATWBPM2EFN4YT4KWM6QDFMTOY.txt","privacyPolicyLink":"https://www.quantinuum.com/privacy-statement","marketplaceTermsLink":"https://mpcprodsa.blob.core.windows.net/marketplaceterms/3EDEF_marketplaceterms_AZUREAPPLICATION%253a24OF7TIMHFEMPZHRBYEO3SVLC7Q2MPXXAASJ5BO2FUY4UC6EZCN5TIL2KIGTA7WI2CSM3WV4L7QMPNRYPE2I7BOCM34RGOL3XTC6ADIMI.txt","retrieveDatetime":"2023-01-20T19:03:48.1858181Z","signature":"NBVQZQ7KPMHVGW6AGK2X4C2Y2DZSYN36RUPQYOS5E3Z6A7TI4B2O4HY2NBBVN65QEDMEBJ3GNY33IJALILC26JAG6DPQ6LFKAVRNBIQ","accepted":true},"systemData":{"createdBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","createdByType":"ManagedIdentity","createdAt":"2023-01-20T19:03:48.2483186+00:00","lastModifiedBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","lastModifiedByType":"ManagedIdentity","lastModifiedAt":"2023-01-20T19:03:48.2483186+00:00"}}' + headers: + cache-control: + - no-cache + content-length: + - '1440' + content-type: + - application/json; charset=utf-8 + date: + - Fri, 20 Jan 2023 19:03:47 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - quantum workspace create + Connection: + - keep-alive + ParameterSetName: + - -g -w -l -a -r + User-Agent: + - AZURECLI/2.44.1 azsdk-python-mgmt-marketplaceordering/1.1.0 Python/3.10.6 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/virtualmachine/publishers/rigetticoinc1644276861431/offers/rigetti-aq/plans/azure-quantum-credits/agreements/current?api-version=2021-01-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/VirtualMachine/publishers/rigetticoinc1644276861431/offers/rigetti-aq/plans/azure-quantum-credits/agreements/current","name":"azure-quantum-credits","type":"Microsoft.MarketplaceOrdering/offertypes","properties":{"publisher":"rigetticoinc1644276861431","product":"rigetti-aq","plan":"azure-quantum-credits","licenseTextLink":"https://mpcprodsa.blob.core.windows.net/legalterms/3E5ED_legalterms_RIGETTICOINC1644276861431%253a24RIGETTI%253a2DAQ%253a24AZURE%253a2DQUANTUM%253a2DCREDITS%253a24H35R3FYQURHQDNSLAZ4YCHIHABQ4NR4UI66LMJ3K53EHCQWZJMC3BLGZODKSAMOQ4ZI5CVO37XQXKFBQ3YWK444S7B3XGBK67JHVZNI.txt","privacyPolicyLink":"https://www.rigetti.com/privacy-policy","marketplaceTermsLink":"https://mpcprodsa.blob.core.windows.net/marketplaceterms/3EDEF_marketplaceterms_AZUREAPPLICATION%253a24OF7TIMHFEMPZHRBYEO3SVLC7Q2MPXXAASJ5BO2FUY4UC6EZCN5TIL2KIGTA7WI2CSM3WV4L7QMPNRYPE2I7BOCM34RGOL3XTC6ADIMI.txt","retrieveDatetime":"2023-01-20T19:03:50.5480142Z","signature":"3ZNIUHASJWR27VXEU73UN4ONBFIFTGLIZGD6LGUPP3DQSFZQUYTIUZLUBM6BA275NWAGPOYTMBFYT2HMHCODZKUCROACCHX3WYW5B6Y","accepted":true},"systemData":{"createdBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","createdByType":"ManagedIdentity","createdAt":"2023-01-20T19:03:50.6261369+00:00","lastModifiedBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","lastModifiedByType":"ManagedIdentity","lastModifiedAt":"2023-01-20T19:03:50.6261369+00:00"}}' + headers: + cache-control: + - no-cache + content-length: + - '1486' + content-type: + - application/json; charset=utf-8 + date: + - Fri, 20 Jan 2023 19:03:50 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - quantum workspace create + Connection: + - keep-alive + ParameterSetName: + - -g -w -l -a -r + User-Agent: + - AZURECLI/2.44.1 azsdk-python-mgmt-marketplaceordering/1.1.0 Python/3.10.6 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/virtualmachine/publishers/ionqinc1582730893633/offers/ionq-aq/plans/pay-as-you-go-cred/agreements/current?api-version=2021-01-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/VirtualMachine/publishers/ionqinc1582730893633/offers/ionq-aq/plans/pay-as-you-go-cred/agreements/current","name":"pay-as-you-go-cred","type":"Microsoft.MarketplaceOrdering/offertypes","properties":{"publisher":"ionqinc1582730893633","product":"ionq-aq","plan":"pay-as-you-go-cred","licenseTextLink":"https://mpcprodsa.blob.core.windows.net/legalterms/3E5ED_legalterms_IONQINC1582730893633%253a24IONQ%253a2DAQ%253a24PAY%253a2DAS%253a2DYOU%253a2DGO%253a2DCRED%253a247ODGLEAK7RQISNHUEU4KJYVC6QLVZF5IANNQFGBHOKJMXWIW3OPRUADLB63ROSGS5FVYSHLINGX5BK7GF7Y2ZO24HKBHSPKMXBHFBAQ.txt","privacyPolicyLink":"https://ionq.com/privacy","marketplaceTermsLink":"https://mpcprodsa.blob.core.windows.net/marketplaceterms/3EDEF_marketplaceterms_AZUREAPPLICATION%253a24OF7TIMHFEMPZHRBYEO3SVLC7Q2MPXXAASJ5BO2FUY4UC6EZCN5TIL2KIGTA7WI2CSM3WV4L7QMPNRYPE2I7BOCM34RGOL3XTC6ADIMI.txt","retrieveDatetime":"2023-01-20T19:03:53.3988364Z","signature":"WU7A7ZKOMRIX7E37VN263MXKYCIC4J3DG4JG5X2SL67WYHFSEGGCXN3XJUQGULILXH5RSMDQP6Q2VDS7TYCGLY34RBWCE4R623UE2YI","accepted":true},"systemData":{"createdBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","createdByType":"ManagedIdentity","createdAt":"2023-01-20T19:03:53.6332309+00:00","lastModifiedBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","lastModifiedByType":"ManagedIdentity","lastModifiedAt":"2023-01-20T19:03:53.6332309+00:00"}}' + headers: + cache-control: + - no-cache + content-length: + - '1448' + content-type: + - application/json; charset=utf-8 + date: + - Fri, 20 Jan 2023 19:03:53 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - quantum workspace create + Connection: + - keep-alive + ParameterSetName: + - -g -w -l -a -r + User-Agent: + - AZURECLI/2.44.1 azsdk-python-mgmt-marketplaceordering/1.1.0 Python/3.10.6 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/virtualmachine/publishers/quantinuumllc1640113159771/offers/quantinuum-aq/plans/credits1/agreements/current?api-version=2021-01-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/VirtualMachine/publishers/quantinuumllc1640113159771/offers/quantinuum-aq/plans/credits1/agreements/current","name":"credits1","type":"Microsoft.MarketplaceOrdering/offertypes","properties":{"publisher":"quantinuumllc1640113159771","product":"quantinuum-aq","plan":"credits1","licenseTextLink":"https://mpcprodsa.blob.core.windows.net/legalterms/3E5ED_legalterms_QUANTINUUMLLC1640113159771%253a24QUANTINUUM%253a2DAQ%253a24CREDITS1%253a24U3AGC77IHGZ5FLJYZ6QWF357B7LQHG6PW5CSVK7VKS2YGVWO4OBIOCCOCSXJEEP6BMMDOPFM4ETZZYATWBPM2EFN4YT4KWM6QDFMTOY.txt","privacyPolicyLink":"https://www.quantinuum.com/privacy-statement","marketplaceTermsLink":"https://mpcprodsa.blob.core.windows.net/marketplaceterms/3EDEF_marketplaceterms_AZUREAPPLICATION%253a24OF7TIMHFEMPZHRBYEO3SVLC7Q2MPXXAASJ5BO2FUY4UC6EZCN5TIL2KIGTA7WI2CSM3WV4L7QMPNRYPE2I7BOCM34RGOL3XTC6ADIMI.txt","retrieveDatetime":"2023-01-20T19:03:56.243642Z","signature":"QBU5N5FDU72W4O7S6LJ6ZFB4Q7VIWXANZMH7H35ILYEBGOYC5BH7F2FFQEUSMJQYDMGIQW5FWFXPKQGOFVXNQRUQIGVH4SKDI3J7XCQ","accepted":true},"systemData":{"createdBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","createdByType":"ManagedIdentity","createdAt":"2023-01-20T19:03:56.338663+00:00","lastModifiedBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","lastModifiedByType":"ManagedIdentity","lastModifiedAt":"2023-01-20T19:03:56.338663+00:00"}}' + headers: + cache-control: + - no-cache + content-length: + - '1437' + content-type: + - application/json; charset=utf-8 + date: + - Fri, 20 Jan 2023 19:03:55 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - quantum workspace create + Connection: + - keep-alive + ParameterSetName: + - -g -w -l -a -r + User-Agent: + - AZURECLI/2.44.1 azsdk-python-mgmt-marketplaceordering/1.1.0 Python/3.10.6 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/virtualmachine/publishers/rigetticoinc1644276861431/offers/rigetti-aq/plans/azure-quantum-credits/agreements/current?api-version=2021-01-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/VirtualMachine/publishers/rigetticoinc1644276861431/offers/rigetti-aq/plans/azure-quantum-credits/agreements/current","name":"azure-quantum-credits","type":"Microsoft.MarketplaceOrdering/offertypes","properties":{"publisher":"rigetticoinc1644276861431","product":"rigetti-aq","plan":"azure-quantum-credits","licenseTextLink":"https://mpcprodsa.blob.core.windows.net/legalterms/3E5ED_legalterms_RIGETTICOINC1644276861431%253a24RIGETTI%253a2DAQ%253a24AZURE%253a2DQUANTUM%253a2DCREDITS%253a24H35R3FYQURHQDNSLAZ4YCHIHABQ4NR4UI66LMJ3K53EHCQWZJMC3BLGZODKSAMOQ4ZI5CVO37XQXKFBQ3YWK444S7B3XGBK67JHVZNI.txt","privacyPolicyLink":"https://www.rigetti.com/privacy-policy","marketplaceTermsLink":"https://mpcprodsa.blob.core.windows.net/marketplaceterms/3EDEF_marketplaceterms_AZUREAPPLICATION%253a24OF7TIMHFEMPZHRBYEO3SVLC7Q2MPXXAASJ5BO2FUY4UC6EZCN5TIL2KIGTA7WI2CSM3WV4L7QMPNRYPE2I7BOCM34RGOL3XTC6ADIMI.txt","retrieveDatetime":"2023-01-20T19:03:58.875214Z","signature":"DX7EDC7PLJBK3N4ZGHHP4RC4VVI56IMEYH6SJQ3LFIOCXKXFW5ZUMKYH2EVLIEYWY2L72JLFKOO6TQ2GAGS4UDZ7EPMW5SKEFGOTOHA","accepted":true},"systemData":{"createdBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","createdByType":"ManagedIdentity","createdAt":"2023-01-20T19:03:58.9689391+00:00","lastModifiedBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","lastModifiedByType":"ManagedIdentity","lastModifiedAt":"2023-01-20T19:03:58.9689391+00:00"}}' + headers: + cache-control: + - no-cache + content-length: + - '1485' + content-type: + - application/json; charset=utf-8 + date: + - Fri, 20 Jan 2023 19:03:58 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - quantum workspace create + Connection: + - keep-alive + ParameterSetName: + - -g -w -l -a -r + User-Agent: + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts?api-version=2022-09-01 + response: + body: + string: '{"value":[{"sku":{"name":"Standard_LRS","tier":"Standard"},"kind":"Storage","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2","name":"vwjonesstorage2","type":"Microsoft.Storage/storageAccounts","location":"eastus","tags":{},"properties":{"keyCreationTime":{"key1":"2021-09-21T22:04:47.1374328Z","key2":"2021-09-21T22:04:47.1374328Z"},"privateEndpointConnections":[],"minimumTlsVersion":"TLS1_0","allowBlobPublicAccess":true,"networkAcls":{"bypass":"AzureServices","virtualNetworkRules":[],"ipRules":[],"defaultAction":"Allow"},"supportsHttpsTrafficOnly":true,"encryption":{"services":{"file":{"keyType":"Account","enabled":true,"lastEnabledTime":"2021-09-21T22:04:47.1374328Z"},"blob":{"keyType":"Account","enabled":true,"lastEnabledTime":"2021-09-21T22:04:47.1374328Z"}},"keySource":"Microsoft.Storage"},"provisioningState":"Succeeded","creationTime":"2021-09-21T22:04:47.0124593Z","primaryEndpoints":{"blob":"https://vwjonesstorage2.blob.core.windows.net/","queue":"https://vwjonesstorage2.queue.core.windows.net/","table":"https://vwjonesstorage2.table.core.windows.net/","file":"https://vwjonesstorage2.file.core.windows.net/"},"primaryLocation":"eastus","statusOfPrimary":"available"}},{"sku":{"name":"Standard_LRS","tier":"Standard"},"kind":"Storage","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage3","name":"vwjonesstorage3","type":"Microsoft.Storage/storageAccounts","location":"eastus","tags":{},"properties":{"keyCreationTime":{"key1":"2022-08-11T18:41:05.2371860Z","key2":"2022-08-11T18:41:05.2371860Z"},"privateEndpointConnections":[],"minimumTlsVersion":"TLS1_0","allowBlobPublicAccess":true,"networkAcls":{"bypass":"AzureServices","virtualNetworkRules":[],"ipRules":[],"defaultAction":"Allow"},"supportsHttpsTrafficOnly":true,"encryption":{"services":{"file":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-08-11T18:41:05.2371860Z"},"blob":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-08-11T18:41:05.2371860Z"}},"keySource":"Microsoft.Storage"},"provisioningState":"Succeeded","creationTime":"2022-08-11T18:41:05.0652888Z","primaryEndpoints":{"blob":"https://vwjonesstorage3.blob.core.windows.net/","queue":"https://vwjonesstorage3.queue.core.windows.net/","table":"https://vwjonesstorage3.table.core.windows.net/","file":"https://vwjonesstorage3.file.core.windows.net/"},"primaryLocation":"eastus","statusOfPrimary":"available"}},{"sku":{"name":"Standard_LRS","tier":"Standard"},"kind":"Storage","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage33310","name":"vwjonesstorage33310","type":"Microsoft.Storage/storageAccounts","location":"eastus","tags":{},"properties":{"keyCreationTime":{"key1":"2022-12-13T02:10:06.0148695Z","key2":"2022-12-13T02:10:06.0148695Z"},"privateEndpointConnections":[],"minimumTlsVersion":"TLS1_0","allowBlobPublicAccess":true,"networkAcls":{"bypass":"AzureServices","virtualNetworkRules":[],"ipRules":[],"defaultAction":"Allow"},"supportsHttpsTrafficOnly":true,"encryption":{"services":{"file":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-12-13T02:10:06.0148695Z"},"blob":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-12-13T02:10:06.0148695Z"}},"keySource":"Microsoft.Storage"},"provisioningState":"Succeeded","creationTime":"2022-12-13T02:10:05.8273595Z","primaryEndpoints":{"blob":"https://vwjonesstorage33310.blob.core.windows.net/","queue":"https://vwjonesstorage33310.queue.core.windows.net/","table":"https://vwjonesstorage33310.table.core.windows.net/","file":"https://vwjonesstorage33310.file.core.windows.net/"},"primaryLocation":"eastus","statusOfPrimary":"available"}},{"sku":{"name":"Standard_LRS","tier":"Standard"},"kind":"Storage","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage4","name":"vwjonesstorage4","type":"Microsoft.Storage/storageAccounts","location":"westus","tags":{},"properties":{"keyCreationTime":{"key1":"2022-08-24T18:30:25.3831084Z","key2":"2022-08-24T18:30:25.3831084Z"},"privateEndpointConnections":[],"minimumTlsVersion":"TLS1_0","allowBlobPublicAccess":true,"networkAcls":{"bypass":"AzureServices","virtualNetworkRules":[],"ipRules":[],"defaultAction":"Allow"},"supportsHttpsTrafficOnly":true,"encryption":{"services":{"file":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-08-24T18:30:25.3987025Z"},"blob":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-08-24T18:30:25.3987025Z"}},"keySource":"Microsoft.Storage"},"provisioningState":"Succeeded","creationTime":"2022-08-24T18:30:25.2580954Z","primaryEndpoints":{"blob":"https://vwjonesstorage4.blob.core.windows.net/","queue":"https://vwjonesstorage4.queue.core.windows.net/","table":"https://vwjonesstorage4.table.core.windows.net/","file":"https://vwjonesstorage4.file.core.windows.net/"},"primaryLocation":"westus","statusOfPrimary":"available"}},{"sku":{"name":"Standard_LRS","tier":"Standard"},"kind":"StorageV2","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage5","name":"vwjonesstorage5","type":"Microsoft.Storage/storageAccounts","location":"westus2","tags":{},"properties":{"dnsEndpointType":"Standard","defaultToOAuthAuthentication":false,"publicNetworkAccess":"Enabled","keyCreationTime":{"key1":"2022-08-25T21:57:16.1412273Z","key2":"2022-08-25T21:57:16.1412273Z"},"allowCrossTenantReplication":true,"privateEndpointConnections":[],"minimumTlsVersion":"TLS1_2","allowBlobPublicAccess":true,"allowSharedKeyAccess":true,"networkAcls":{"bypass":"AzureServices","virtualNetworkRules":[],"ipRules":[],"defaultAction":"Allow"},"supportsHttpsTrafficOnly":true,"encryption":{"requireInfrastructureEncryption":false,"services":{"file":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-08-25T21:57:16.5630689Z"},"blob":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-08-25T21:57:16.5630689Z"}},"keySource":"Microsoft.Storage"},"accessTier":"Hot","provisioningState":"Succeeded","creationTime":"2022-08-25T21:57:16.0474739Z","primaryEndpoints":{"dfs":"https://vwjonesstorage5.dfs.core.windows.net/","web":"https://vwjonesstorage5.z5.web.core.windows.net/","blob":"https://vwjonesstorage5.blob.core.windows.net/","queue":"https://vwjonesstorage5.queue.core.windows.net/","table":"https://vwjonesstorage5.table.core.windows.net/","file":"https://vwjonesstorage5.file.core.windows.net/"},"primaryLocation":"westus2","statusOfPrimary":"available"}},{"sku":{"name":"Standard_LRS","tier":"Standard"},"kind":"Storage","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage7","name":"vwjonesstorage7","type":"Microsoft.Storage/storageAccounts","location":"eastus2euap","tags":{},"properties":{"keyCreationTime":{"key1":"2022-09-29T22:32:06.2588030Z","key2":"2022-09-29T22:32:06.2588030Z"},"allowCrossTenantReplication":false,"privateEndpointConnections":[],"minimumTlsVersion":"TLS1_0","allowBlobPublicAccess":true,"networkAcls":{"bypass":"AzureServices","virtualNetworkRules":[],"ipRules":[],"defaultAction":"Allow"},"supportsHttpsTrafficOnly":true,"encryption":{"services":{"file":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-09-29T22:32:06.7900691Z"},"blob":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-09-29T22:32:06.7900691Z"}},"keySource":"Microsoft.Storage"},"provisioningState":"Succeeded","creationTime":"2022-09-29T22:32:06.1806703Z","primaryEndpoints":{"blob":"https://vwjonesstorage7.blob.core.windows.net/","queue":"https://vwjonesstorage7.queue.core.windows.net/","table":"https://vwjonesstorage7.table.core.windows.net/","file":"https://vwjonesstorage7.file.core.windows.net/"},"primaryLocation":"eastus2euap","statusOfPrimary":"available"}},{"sku":{"name":"Standard_LRS","tier":"Standard"},"kind":"Storage","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage6","name":"vwjonesstorage6","type":"Microsoft.Storage/storageAccounts","location":"centraluseuap","tags":{},"properties":{"keyCreationTime":{"key1":"2022-09-29T22:13:05.8017810Z","key2":"2022-09-29T22:13:05.8017810Z"},"allowCrossTenantReplication":false,"privateEndpointConnections":[],"minimumTlsVersion":"TLS1_0","allowBlobPublicAccess":true,"networkAcls":{"bypass":"AzureServices","virtualNetworkRules":[],"ipRules":[],"defaultAction":"Allow"},"supportsHttpsTrafficOnly":true,"encryption":{"services":{"file":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-09-29T22:13:06.3017835Z"},"blob":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-09-29T22:13:06.3017835Z"}},"keySource":"Microsoft.Storage"},"provisioningState":"Succeeded","creationTime":"2022-09-29T22:13:05.7392784Z","primaryEndpoints":{"blob":"https://vwjonesstorage6.blob.core.windows.net/","queue":"https://vwjonesstorage6.queue.core.windows.net/","table":"https://vwjonesstorage6.table.core.windows.net/","file":"https://vwjonesstorage6.file.core.windows.net/"},"primaryLocation":"centraluseuap","statusOfPrimary":"available"}},{"sku":{"name":"Standard_LRS","tier":"Standard"},"kind":"Storage","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstoragecanary","name":"vwjonesstoragecanary","type":"Microsoft.Storage/storageAccounts","location":"centraluseuap","tags":{},"properties":{"keyCreationTime":{"key1":"2022-10-27T21:45:38.3454788Z","key2":"2022-10-27T21:45:38.3454788Z"},"allowCrossTenantReplication":false,"privateEndpointConnections":[],"minimumTlsVersion":"TLS1_0","allowBlobPublicAccess":true,"networkAcls":{"bypass":"AzureServices","virtualNetworkRules":[],"ipRules":[],"defaultAction":"Allow"},"supportsHttpsTrafficOnly":true,"encryption":{"services":{"file":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-10-27T21:45:38.3454788Z"},"blob":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-10-27T21:45:38.3454788Z"}},"keySource":"Microsoft.Storage"},"provisioningState":"Succeeded","creationTime":"2022-10-27T21:45:38.2829751Z","primaryEndpoints":{"blob":"https://vwjonesstoragecanary.blob.core.windows.net/","queue":"https://vwjonesstoragecanary.queue.core.windows.net/","table":"https://vwjonesstoragecanary.table.core.windows.net/","file":"https://vwjonesstoragecanary.file.core.windows.net/"},"primaryLocation":"centraluseuap","statusOfPrimary":"available"}}]}' + headers: + cache-control: + - no-cache + content-length: + - '10770' + content-type: + - application/json; charset=utf-8 + date: + - Fri, 20 Jan 2023 19:03:58 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-original-request-ids: + - 7ed43851-3112-4f37-8f7e-5bd4e0439d58 + - f217e0f7-c6fa-4b7c-b706-b43eb59ec1aa + - 620fae5d-b7d2-4f4c-a7a0-f2c7e18da86d + - 6b34fc14-bfab-4910-91a6-b3e3f83eb2ff + - f3f96f03-0f4c-4200-8fc7-bdd9e0c6ed94 + status: + code: 200 + message: OK +- request: + body: '{"properties": {"template": {"$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", + "contentVersion": "1.0.0.0", "parameters": {"quantumWorkspaceName": {"type": + "string", "metadata": {"description": "Quantum Workspace Name"}}, "location": + {"type": "string", "metadata": {"description": "Workspace Location"}}, "tags": + {"type": "object", "defaultValue": {}, "metadata": {"description": "Tags for + this workspace"}}, "providers": {"type": "array", "metadata": {"description": + "A list of Providers for this workspace"}}, "storageAccountName": {"type": "string", + "metadata": {"description": "Storage account short name"}}, "storageAccountId": + {"type": "string", "metadata": {"description": "Storage account ID (path)"}}, + "storageAccountLocation": {"type": "string", "metadata": {"description": "Storage + account location"}}, "storageAccountSku": {"type": "string", "metadata": {"description": + "Storage account SKU"}}, "storageAccountKind": {"type": "string", "metadata": + {"description": "Kind of storage account"}}, "storageAccountDeploymentName": + {"type": "string", "metadata": {"description": "Deployment name for role assignment + operation"}}}, "functions": [], "variables": {}, "resources": [{"type": "Microsoft.Quantum/workspaces", + "apiVersion": "2019-11-04-preview", "name": "[parameters(''quantumWorkspaceName'')]", + "location": "[parameters(''location'')]", "tags": "[parameters(''tags'')]", + "identity": {"type": "SystemAssigned"}, "properties": {"providers": "[parameters(''providers'')]", + "storageAccount": "[parameters(''storageAccountId'')]"}}, {"apiVersion": "2019-10-01", + "name": "[parameters(''storageAccountDeploymentName'')]", "type": "Microsoft.Resources/deployments", + "dependsOn": ["[resourceId(''Microsoft.Quantum/Workspaces'', parameters(''quantumWorkspaceName''))]"], + "properties": {"mode": "Incremental", "template": {"$schema": "https://schema.management.azure.com/schemas/2015-01-01/deploymentTemplate.json#", + "contentVersion": "1.0.0.0", "resources": [{"apiVersion": "2019-06-01", "name": + "[parameters(''storageAccountName'')]", "location": "[parameters(''storageAccountLocation'')]", + "type": "Microsoft.Storage/storageAccounts", "sku": {"name": "[parameters(''storageAccountSku'')]"}, + "kind": "[parameters(''storageAccountKind'')]", "resources": [{"name": "default", + "type": "fileServices", "apiVersion": "2019-06-01", "dependsOn": ["[parameters(''storageAccountId'')]"], + "properties": {"cors": {"corsRules": [{"allowedOrigins": ["*"], "allowedHeaders": + ["*"], "allowedMethods": ["GET", "HEAD", "OPTIONS", "POST", "PUT"], "exposedHeaders": + ["*"], "maxAgeInSeconds": 180}]}}}]}, {"apiVersion": "2020-04-01-preview", "name": + "[concat(parameters(''storageAccountName''), ''/Microsoft.Authorization/'', + guid(reference(concat(''Microsoft.Quantum/Workspaces/'', parameters(''quantumWorkspaceName'')), + ''2019-11-04-preview'', ''Full'').identity.principalId))]", "type": "Microsoft.Storage/storageAccounts/providers/roleAssignments", + "location": "[parameters(''storageAccountLocation'')]", "properties": {"roleDefinitionId": + "[resourceId(''Microsoft.Authorization/roleDefinitions'', ''b24988ac-6180-42a0-ab88-20f7382dd24c'')]", + "principalId": "[reference(concat(''Microsoft.Quantum/Workspaces/'', parameters(''quantumWorkspaceName'')), + ''2019-11-04-preview'', ''Full'').identity.principalId]", "principalType": "ServicePrincipal"}, + "dependsOn": ["[parameters(''storageAccountId'')]"]}]}}}], "outputs": {}}, "parameters": + {"quantumWorkspaceName": {"value": "e2e-test-w6358292"}, "location": {"value": + "eastus"}, "tags": {"value": {}}, "providers": {"value": [{"providerId": "microsoft-qc", + "providerSku": "learn-and-develop"}, {"providerId": "ionq", "providerSku": "pay-as-you-go-cred"}, + {"providerId": "Microsoft", "providerSku": "DZH3178M639F"}, {"providerId": "quantinuum", + "providerSku": "credits1"}, {"providerId": "rigetti", "providerSku": "azure-quantum-credits"}]}, + "storageAccountName": {"value": "vwjonesstorage2"}, "storageAccountId": {"value": + "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2"}, + "storageAccountLocation": {"value": "eastus"}, "storageAccountSku": {"value": + "Standard_LRS"}, "storageAccountKind": {"value": "Storage"}, "storageAccountDeploymentName": + {"value": "Microsoft.StorageAccount-20-Jan-2023-19-03-59"}}, "mode": "Incremental"}}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + Content-Length: + - '4350' + Content-Type: + - application/json + User-Agent: + - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment?api-version=2021-04-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/Microsoft.AzureQuantum-e2e-test-w6358292","name":"Microsoft.AzureQuantum-e2e-test-w6358292","type":"Microsoft.Resources/deployments","properties":{"templateHash":"6354453805046911057","parameters":{"quantumWorkspaceName":{"type":"String","value":"e2e-test-w6358292"},"location":{"type":"String","value":"eastus"},"tags":{"type":"Object","value":{}},"providers":{"type":"Array","value":[{"providerId":"microsoft-qc","providerSku":"learn-and-develop"},{"providerId":"ionq","providerSku":"pay-as-you-go-cred"},{"providerId":"Microsoft","providerSku":"DZH3178M639F"},{"providerId":"quantinuum","providerSku":"credits1"},{"providerId":"rigetti","providerSku":"azure-quantum-credits"}]},"storageAccountName":{"type":"String","value":"vwjonesstorage2"},"storageAccountId":{"type":"String","value":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2"},"storageAccountLocation":{"type":"String","value":"eastus"},"storageAccountSku":{"type":"String","value":"Standard_LRS"},"storageAccountKind":{"type":"String","value":"Storage"},"storageAccountDeploymentName":{"type":"String","value":"Microsoft.StorageAccount-20-Jan-2023-19-03-59"}},"mode":"Incremental","provisioningState":"Accepted","timestamp":"2023-01-20T19:04:02.5108628Z","duration":"PT0.0005313S","correlationId":"9ac06a99-7f29-4b84-9e5f-7f5d5afa05ef","providers":[{"namespace":"Microsoft.Quantum","resourceTypes":[{"resourceType":"workspaces","locations":["eastus"]}]},{"namespace":"Microsoft.Resources","resourceTypes":[{"resourceType":"deployments","locations":[null]}]}],"dependencies":[{"dependsOn":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/Workspaces/e2e-test-w6358292","resourceType":"Microsoft.Quantum/Workspaces","resourceName":"e2e-test-w6358292"},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w6358292","resourceType":"Microsoft.Quantum/workspaces","resourceName":"e2e-test-w6358292","apiVersion":"2019-11-04-preview"}],"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/Microsoft.StorageAccount-20-Jan-2023-19-03-59","resourceType":"Microsoft.Resources/deployments","resourceName":"Microsoft.StorageAccount-20-Jan-2023-19-03-59"}]}}' + headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/Microsoft.AzureQuantum-e2e-test-w6358292/operationStatuses/08585273654438437744?api-version=2021-04-01 + cache-control: + - no-cache + content-length: + - '2554' + content-type: + - application/json; charset=utf-8 + date: + - Fri, 20 Jan 2023 19:04:01 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-writes: + - '1199' + status: + code: 201 + message: Created +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + User-Agent: + - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585273654438437744?api-version=2021-04-01 + response: + body: + string: '{"status":"Accepted"}' + headers: + cache-control: + - no-cache + content-length: + - '21' + content-type: + - application/json; charset=utf-8 + date: + - Fri, 20 Jan 2023 19:04:01 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + User-Agent: + - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585273654438437744?api-version=2021-04-01 + response: + body: + string: '{"status":"Running"}' + headers: + cache-control: + - no-cache + content-length: + - '20' + content-type: + - application/json; charset=utf-8 + date: + - Fri, 20 Jan 2023 19:04:32 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + User-Agent: + - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585273654438437744?api-version=2021-04-01 + response: + body: + string: '{"status":"Running"}' + headers: + cache-control: + - no-cache + content-length: + - '20' + content-type: + - application/json; charset=utf-8 + date: + - Fri, 20 Jan 2023 19:05:03 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + User-Agent: + - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585273654438437744?api-version=2021-04-01 + response: + body: + string: '{"status":"Running"}' + headers: + cache-control: + - no-cache + connection: + - close + content-length: + - '20' + content-type: + - application/json; charset=utf-8 + date: + - Fri, 20 Jan 2023 19:05:33 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + User-Agent: + - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585273654438437744?api-version=2021-04-01 + response: + body: + string: '{"status":"Running"}' + headers: + cache-control: + - no-cache + content-length: + - '20' + content-type: + - application/json; charset=utf-8 + date: + - Fri, 20 Jan 2023 19:06:02 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + User-Agent: + - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585273654438437744?api-version=2021-04-01 + response: + body: + string: '{"status":"Running"}' + headers: + cache-control: + - no-cache + content-length: + - '20' + content-type: + - application/json; charset=utf-8 + date: + - Fri, 20 Jan 2023 19:06:33 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + User-Agent: + - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585273654438437744?api-version=2021-04-01 + response: + body: + string: '{"status":"Running"}' + headers: + cache-control: + - no-cache + content-length: + - '20' + content-type: + - application/json; charset=utf-8 + date: + - Fri, 20 Jan 2023 19:07:03 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + User-Agent: + - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585273654438437744?api-version=2021-04-01 + response: + body: + string: '{"status":"Running"}' + headers: + cache-control: + - no-cache + content-length: + - '20' + content-type: + - application/json; charset=utf-8 + date: + - Fri, 20 Jan 2023 19:07:33 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + User-Agent: + - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585273654438437744?api-version=2021-04-01 + response: + body: + string: '{"status":"Running"}' + headers: + cache-control: + - no-cache + content-length: + - '20' + content-type: + - application/json; charset=utf-8 + date: + - Fri, 20 Jan 2023 19:08:03 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + User-Agent: + - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585273654438437744?api-version=2021-04-01 + response: + body: + string: '{"status":"Running"}' + headers: + cache-control: + - no-cache + content-length: + - '20' + content-type: + - application/json; charset=utf-8 + date: + - Fri, 20 Jan 2023 19:08:33 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + User-Agent: + - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585273654438437744?api-version=2021-04-01 + response: + body: + string: '{"status":"Succeeded"}' + headers: + cache-control: + - no-cache + content-length: + - '22' + content-type: + - application/json; charset=utf-8 + date: + - Fri, 20 Jan 2023 19:09:03 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + User-Agent: + - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment?api-version=2021-04-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/Microsoft.AzureQuantum-e2e-test-w6358292","name":"Microsoft.AzureQuantum-e2e-test-w6358292","type":"Microsoft.Resources/deployments","properties":{"templateHash":"6354453805046911057","parameters":{"quantumWorkspaceName":{"type":"String","value":"e2e-test-w6358292"},"location":{"type":"String","value":"eastus"},"tags":{"type":"Object","value":{}},"providers":{"type":"Array","value":[{"providerId":"microsoft-qc","providerSku":"learn-and-develop"},{"providerId":"ionq","providerSku":"pay-as-you-go-cred"},{"providerId":"Microsoft","providerSku":"DZH3178M639F"},{"providerId":"quantinuum","providerSku":"credits1"},{"providerId":"rigetti","providerSku":"azure-quantum-credits"}]},"storageAccountName":{"type":"String","value":"vwjonesstorage2"},"storageAccountId":{"type":"String","value":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2"},"storageAccountLocation":{"type":"String","value":"eastus"},"storageAccountSku":{"type":"String","value":"Standard_LRS"},"storageAccountKind":{"type":"String","value":"Storage"},"storageAccountDeploymentName":{"type":"String","value":"Microsoft.StorageAccount-20-Jan-2023-19-03-59"}},"mode":"Incremental","provisioningState":"Succeeded","timestamp":"2023-01-20T19:09:01.2033975Z","duration":"PT4M58.693066S","correlationId":"9ac06a99-7f29-4b84-9e5f-7f5d5afa05ef","providers":[{"namespace":"Microsoft.Quantum","resourceTypes":[{"resourceType":"workspaces","locations":["eastus"]}]},{"namespace":"Microsoft.Resources","resourceTypes":[{"resourceType":"deployments","locations":[null]}]}],"dependencies":[{"dependsOn":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/Workspaces/e2e-test-w6358292","resourceType":"Microsoft.Quantum/Workspaces","resourceName":"e2e-test-w6358292"},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w6358292","resourceType":"Microsoft.Quantum/workspaces","resourceName":"e2e-test-w6358292","apiVersion":"2019-11-04-preview"}],"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/Microsoft.StorageAccount-20-Jan-2023-19-03-59","resourceType":"Microsoft.Resources/deployments","resourceName":"Microsoft.StorageAccount-20-Jan-2023-19-03-59"}],"outputs":{},"outputResources":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w6358292"},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2"},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2/fileServices/default"},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2/providers/Microsoft.Authorization/roleAssignments/503a3621-2e9c-50f7-a6c4-fb765449f56e"}]}}' + headers: + cache-control: + - no-cache + content-length: + - '3291' + content-type: + - application/json; charset=utf-8 + date: + - Fri, 20 Jan 2023 19:09:03 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + User-Agent: + - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w6358292/providerStatus + response: + body: + string: '{"value":[{"id":"microsoft-qc","currentAvailability":"Available","targets":[{"id":"microsoft.estimator","currentAvailability":"Available","averageQueueTime":0,"statusPage":null}]},{"id":"ionq","currentAvailability":"Available","targets":[{"id":"ionq.qpu","currentAvailability":"Available","averageQueueTime":17493,"statusPage":"https://status.ionq.co"},{"id":"ionq.qpu.aria-1","currentAvailability":"Available","averageQueueTime":908201,"statusPage":"https://status.ionq.co"},{"id":"ionq.simulator","currentAvailability":"Available","averageQueueTime":3,"statusPage":"https://status.ionq.co"}]},{"id":"Microsoft","currentAvailability":"Available","targets":[{"id":"microsoft.paralleltempering-parameterfree.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.paralleltempering.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.simulatedannealing-parameterfree.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.simulatedannealing.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.tabu-parameterfree.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.tabu.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.qmc.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.populationannealing.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.populationannealing-parameterfree.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.substochasticmontecarlo.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.substochasticmontecarlo-parameterfree.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null}]},{"id":"quantinuum","currentAvailability":"Degraded","targets":[{"id":"quantinuum.hqs-lt-s1","currentAvailability":"Available","averageQueueTime":34708,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt-s1-apival","currentAvailability":"Available","averageQueueTime":24,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt-s2","currentAvailability":"Unavailable","averageQueueTime":0,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt-s2-apival","currentAvailability":"Available","averageQueueTime":1,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt-s1-sim","currentAvailability":"Available","averageQueueTime":14638,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt-s2-sim","currentAvailability":"Available","averageQueueTime":21,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt","currentAvailability":"Available","averageQueueTime":0,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.qpu.h1-1","currentAvailability":"Available","averageQueueTime":34708,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.sim.h1-1sc","currentAvailability":"Available","averageQueueTime":24,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.qpu.h1-2","currentAvailability":"Unavailable","averageQueueTime":0,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.sim.h1-2sc","currentAvailability":"Available","averageQueueTime":1,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.sim.h1-1e","currentAvailability":"Available","averageQueueTime":14638,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.sim.h1-2e","currentAvailability":"Available","averageQueueTime":21,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.qpu.h1","currentAvailability":"Unavailable","averageQueueTime":0,"statusPage":null}]},{"id":"rigetti","currentAvailability":"Degraded","targets":[{"id":"rigetti.sim.qvm","currentAvailability":"Available","averageQueueTime":5,"statusPage":"https://rigetti.statuspage.io/"},{"id":"rigetti.qpu.aspen-11","currentAvailability":"Unavailable","averageQueueTime":0,"statusPage":null},{"id":"rigetti.qpu.aspen-m-2","currentAvailability":"Degraded","averageQueueTime":5,"statusPage":"https://rigetti.statuspage.io/"},{"id":"rigetti.qpu.aspen-m-3","currentAvailability":"Available","averageQueueTime":5,"statusPage":"https://rigetti.statuspage.io/"}]}],"nextLink":null}' + headers: + connection: + - keep-alive + content-length: + - '4552' + content-type: + - application/json; charset=utf-8 + date: + - Fri, 20 Jan 2023 19:09:07 GMT + mise-correlation-id: + - cd8b321d-2bde-4c66-a409-41554a52fd48 + request-context: + - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f + server: + - Microsoft-IIS/10.0 + set-cookie: + - ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc; Path=/; SameSite=None; + Secure + - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; Path=/ + - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + strict-transport-security: + - max-age=2592000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + User-Agent: + - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w6358292/providerStatus + response: + body: + string: '{"value":[{"id":"microsoft-qc","currentAvailability":"Available","targets":[{"id":"microsoft.estimator","currentAvailability":"Available","averageQueueTime":0,"statusPage":null}]},{"id":"ionq","currentAvailability":"Available","targets":[{"id":"ionq.qpu","currentAvailability":"Available","averageQueueTime":17493,"statusPage":"https://status.ionq.co"},{"id":"ionq.qpu.aria-1","currentAvailability":"Available","averageQueueTime":908201,"statusPage":"https://status.ionq.co"},{"id":"ionq.simulator","currentAvailability":"Available","averageQueueTime":3,"statusPage":"https://status.ionq.co"}]},{"id":"Microsoft","currentAvailability":"Available","targets":[{"id":"microsoft.paralleltempering-parameterfree.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.paralleltempering.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.simulatedannealing-parameterfree.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.simulatedannealing.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.tabu-parameterfree.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.tabu.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.qmc.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.populationannealing.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.populationannealing-parameterfree.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.substochasticmontecarlo.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.substochasticmontecarlo-parameterfree.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null}]},{"id":"quantinuum","currentAvailability":"Degraded","targets":[{"id":"quantinuum.hqs-lt-s1","currentAvailability":"Available","averageQueueTime":34708,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt-s1-apival","currentAvailability":"Available","averageQueueTime":24,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt-s2","currentAvailability":"Unavailable","averageQueueTime":0,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt-s2-apival","currentAvailability":"Available","averageQueueTime":1,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt-s1-sim","currentAvailability":"Available","averageQueueTime":14638,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt-s2-sim","currentAvailability":"Available","averageQueueTime":21,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt","currentAvailability":"Available","averageQueueTime":0,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.qpu.h1-1","currentAvailability":"Available","averageQueueTime":34708,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.sim.h1-1sc","currentAvailability":"Available","averageQueueTime":24,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.qpu.h1-2","currentAvailability":"Unavailable","averageQueueTime":0,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.sim.h1-2sc","currentAvailability":"Available","averageQueueTime":1,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.sim.h1-1e","currentAvailability":"Available","averageQueueTime":14638,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.sim.h1-2e","currentAvailability":"Available","averageQueueTime":21,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.qpu.h1","currentAvailability":"Unavailable","averageQueueTime":0,"statusPage":null}]},{"id":"rigetti","currentAvailability":"Degraded","targets":[{"id":"rigetti.sim.qvm","currentAvailability":"Available","averageQueueTime":5,"statusPage":"https://rigetti.statuspage.io/"},{"id":"rigetti.qpu.aspen-11","currentAvailability":"Unavailable","averageQueueTime":0,"statusPage":null},{"id":"rigetti.qpu.aspen-m-2","currentAvailability":"Degraded","averageQueueTime":5,"statusPage":"https://rigetti.statuspage.io/"},{"id":"rigetti.qpu.aspen-m-3","currentAvailability":"Available","averageQueueTime":5,"statusPage":"https://rigetti.statuspage.io/"}]}],"nextLink":null}' + headers: + connection: + - keep-alive + content-length: + - '4552' + content-type: + - application/json; charset=utf-8 + date: + - Fri, 20 Jan 2023 19:09:07 GMT + mise-correlation-id: + - 1f695a40-c0c9-42d6-9d17-5c129a611007 + request-context: + - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f + server: + - Microsoft-IIS/10.0 + set-cookie: + - ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc; Path=/; SameSite=None; + Secure + - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; Path=/ + - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + strict-transport-security: + - max-age=2592000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - quantum workspace delete + Connection: + - keep-alive + Content-Length: + - '0' + ParameterSetName: + - -g -w + User-Agent: + - AZURECLI/2.44.1 azsdk-python-mgmt-quantum/1.0.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + az-cli-ext/0.17.0.1 + method: DELETE + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w6358292?api-version=2022-01-10-preview + response: + body: + string: 'null' + headers: + azure-asyncoperation: + - https://management.azure.com/providers/Microsoft.Quantum/locations/EASTUS/operationStatuses/93c3e403-6fd8-4ae6-919a-27c5f4e1455f*35023C7D7A6F36DD69B9780F798D55E04B80101294997BCEB8BE5D9EE5FBE7B0?api-version=2022-01-10-preview + cache-control: + - no-cache + content-length: + - '4' + content-type: + - application/json; charset=utf-8 + date: + - Fri, 20 Jan 2023 19:09:07 GMT + etag: + - '"4500f8ed-0000-0100-0000-63cae6d40000"' + expires: + - '-1' + location: + - https://management.azure.com/providers/Microsoft.Quantum/locations/EASTUS/operationStatuses/93c3e403-6fd8-4ae6-919a-27c5f4e1455f*35023C7D7A6F36DD69B9780F798D55E04B80101294997BCEB8BE5D9EE5FBE7B0?api-version=2022-01-10-preview + mise-correlation-id: + - 4e626981-d530-465b-a92a-f6a17a9227bd + pragma: + - no-cache + request-context: + - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f + set-cookie: + - ARRAffinity=8ff86c9a27601d7f5b6518ec4d18af424875e57b5b1d58a058e5ff9db2bf1a1f;Path=/;HttpOnly;Secure;Domain=rpcontrol-eastus.azurewebsites.net + - ARRAffinitySameSite=8ff86c9a27601d7f5b6518ec4d18af424875e57b5b1d58a058e5ff9db2bf1a1f;Path=/;HttpOnly;SameSite=None;Secure;Domain=rpcontrol-eastus.azurewebsites.net + - ASLBSA=0003d40efdced3b125786ca8cb22325eb49a925b534478081c4d828d5b638143f548; + path=/; secure + - ASLBSACORS=0003d40efdced3b125786ca8cb22325eb49a925b534478081c4d828d5b638143f548; + samesite=none; path=/; secure + strict-transport-security: + - max-age=31536000; includeSubDomains + x-azure-ref: + - 01ObKYwAAAABOjAMZwSlFTIu9erCZzXJjTU5aMjIxMDYwNjEzMDUzAGU0ODIyNTNiLTllMDUtNDA1ZS1hODNmLTU4NmVlMWQ1NTNlNA== + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-providerhub-traffic: + - 'True' + x-ms-ratelimit-remaining-subscription-deletes: + - '14999' + x-powered-by: + - ASP.NET + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - quantum workspace delete + Connection: + - keep-alive + Cookie: + - ASLBSA=0003d40efdced3b125786ca8cb22325eb49a925b534478081c4d828d5b638143f548; + ASLBSACORS=0003d40efdced3b125786ca8cb22325eb49a925b534478081c4d828d5b638143f548 + ParameterSetName: + - -g -w + User-Agent: + - AZURECLI/2.44.1 azsdk-python-mgmt-quantum/1.0.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + az-cli-ext/0.17.0.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w6358292?api-version=2022-01-10-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w6358292","name":"e2e-test-w6358292","type":"microsoft.quantum/workspaces","location":"eastus","tags":{},"systemData":{"createdBy":"v-wjones@microsoft.com","createdByType":"User","createdAt":"2023-01-20T19:04:04.9195724Z","lastModifiedBy":"v-wjones@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-20T19:04:04.9195724Z"},"identity":{"principalId":"e2c36b92-54c3-4ef3-ae2d-334e90acbe66","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned"},"properties":{"providers":[{"providerId":"microsoft-qc","providerSku":"learn-and-develop","applicationName":"e2e-test-w6358292-microsoft-qc","provisioningState":"Succeeded"},{"providerId":"ionq","providerSku":"pay-as-you-go-cred","applicationName":"e2e-test-w6358292-ionq","provisioningState":"Succeeded","resourceUsageId":"fe2b3f5d-7627-4135-82fd-7c853bd1c800"},{"providerId":"Microsoft","providerSku":"DZH3178M639F","applicationName":"e2e-test-w6358292-Microsoft","provisioningState":"Succeeded"},{"providerId":"quantinuum","providerSku":"credits1","applicationName":"e2e-test-w6358292-quantinuum","provisioningState":"Succeeded","resourceUsageId":"465e53bd-002d-45d1-a39c-86e83f30680d"},{"providerId":"rigetti","providerSku":"azure-quantum-credits","applicationName":"e2e-test-w6358292-rigetti","provisioningState":"Succeeded","resourceUsageId":"59090a45-56a1-49b9-bb85-840f5e7840be"}],"provisioningState":"Deleting","usable":"Yes","storageAccount":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2","endpointUri":"https://e2e-test-w6358292.eastus.quantum.azure.com"}}' + headers: + cache-control: + - no-cache + content-length: + - '1778' + content-type: + - application/json; charset=utf-8 + date: + - Fri, 20 Jan 2023 19:09:08 GMT + etag: + - '"4500f8ed-0000-0100-0000-63cae6d40000"' + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-providerhub-traffic: + - 'True' + status: + code: 200 + message: OK +version: 1 diff --git a/src/quantum/azext_quantum/tests/latest/recordings/test_submit.yaml b/src/quantum/azext_quantum/tests/latest/recordings/test_submit.yaml new file mode 100644 index 00000000000..051abcda551 --- /dev/null +++ b/src/quantum/azext_quantum/tests/latest/recordings/test_submit.yaml @@ -0,0 +1,3326 @@ +interactions: +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - quantum workspace create + Connection: + - keep-alive + ParameterSetName: + - -g -w -l -a -r + User-Agent: + - AZURECLI/2.44.1 azsdk-python-mgmt-quantum/1.0.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + az-cli-ext/0.17.0.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Quantum/locations/eastus/offerings?api-version=2022-01-10-preview + response: + body: + string: "{\"value\":[{\"id\":\"1qbit\",\"name\":\"1Qloud Optimization Platform\",\"properties\":{\"description\":\"1QBit + 1Qloud Optimization Platform with Quantum Inspired Solutions\",\"providerType\":\"qio\",\"company\":\"1QBit\",\"managedApplication\":{\"publisherId\":\"1qbinformationtechnologies1580939206424\",\"offerId\":\"1qbit-1qloud-optimization-aq\"},\"targets\":[{\"id\":\"1qbit.tabu\",\"name\":\"1QBit + Quadratic Tabu Solver\",\"description\":\"An iterative heuristic algorithm + that uses local search techniques to solve a problem\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"1qbit.pathrelinking\",\"name\":\"1QBit + Quadratic Path-Relinking Solver\",\"description\":\"The path-relinking algorithm + is a heuristic algorithm that uses the tabu search as a subroutine to solve + a QUBO problem\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"1qbit.pticm\",\"name\":\"1QBit + Quadratic Parallel Tempering Isoenergetic Cluster Moves Solver\",\"description\":\"The + parallel tempering with isoenergetic cluster moves (PTICM) solver is a Monte + Carlo approach to solving QUBO problems\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]}],\"skus\":[{\"id\":\"1qbit-internal-free-plan\",\"version\":\"1.0.3\",\"name\":\"1QBit + No Charge Plan\",\"description\":\"1QBit plan with no charge for specific + customer arrangements\",\"autoAdd\":false,\"targets\":[\"1qbit.tabu\",\"1qbit.pathrelinking\",\"1qbit.pticm\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Tabu + Search Solver
Path-Relinking Solver
PTICM Solver\"},{\"id\":\"quota\",\"value\":\"N/A\"},{\"id\":\"price\",\"value\":\"Free + for select customers\"}]},{\"id\":\"1qbit-fixed-monthly-202012\",\"version\":\"1.0.3\",\"name\":\"Fixed + Monthly Plan\",\"description\":\"This plan provides access to all 1QBit quantum-inspired + optimization solvers with a flat monthly fee\",\"autoAdd\":false,\"targets\":[\"1qbit.tabu\",\"1qbit.pathrelinking\",\"1qbit.pticm\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Tabu + Search Solver
Path-Relinking Solver
PTICM Solver\"},{\"id\":\"quota\",\"value\":\"N/A\"},{\"id\":\"price\",\"value\":\"$7500 + USD per month\"}]},{\"id\":\"1qbit-pay-as-you-go-20210428\",\"version\":\"1.0.3\",\"name\":\"Pay + As You Go by CPU Usage\",\"description\":\"This plan provides access to all + 1QBit quantum-inspired optimization solvers with a pay as you go pricing\",\"autoAdd\":false,\"targets\":[\"1qbit.tabu\",\"1qbit.pathrelinking\",\"1qbit.pticm\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Tabu + Search Solver
Path-Relinking Solver
PTICM Solver\"},{\"id\":\"quota\",\"value\":\"N/A\"},{\"id\":\"price\",\"value\":\"$0.075 + per minute; rounded up to nearest second, with a minimum 1-second charge per + solve request\"}]}],\"pricingDimensions\":[{\"id\":\"features\",\"name\":\"Features\"},{\"id\":\"quota\",\"name\":\"Quota\"},{\"id\":\"price\",\"name\":\"Pricing\"}]}},{\"id\":\"ionq\",\"name\":\"IonQ\",\"properties\":{\"description\":\"IonQ\u2019s + trapped ion quantum computers perform calculations by manipulating charged + atoms of Ytterbium held in a vacuum with lasers.\",\"providerType\":\"qe\",\"company\":\"IonQ\",\"managedApplication\":{\"publisherId\":\"ionqinc1582730893633\",\"offerId\":\"ionq-aq\"},\"targets\":[{\"id\":\"ionq.simulator\",\"name\":\"Trapped + Ion Quantum Computer Simulator\",\"description\":\"GPU-accelerated idealized + simulator supporting up to 29 qubits, using the same gates IonQ provides on + its quantum computers. No errors are modeled at present.\",\"acceptedDataFormats\":[\"ionq.circuit.v1\"],\"acceptedContentEncodings\":[\"identity\"]},{\"id\":\"ionq.qpu\",\"name\":\"Trapped + Ion Quantum Computer\",\"description\":\"IonQ's quantum computer is dynamically + reconfigurable in software to use up to 11 qubits. All qubits are fully connected, + meaning you can run a two-qubit gate between any pair.\",\"acceptedDataFormats\":[\"ionq.circuit.v1\"],\"acceptedContentEncodings\":[\"identity\"]},{\"id\":\"ionq.qpu.aria-1\",\"name\":\"Aria + 1\",\"description\":\"IonQ's Aria 1 quantum computer is dynamically reconfigurable + in software to use up to 23 qubits. All qubits are fully connected, meaning + you can run a two-qubit gate between any pair.\",\"acceptedDataFormats\":[\"ionq.circuit.v1\"],\"acceptedContentEncodings\":[\"identity\"]},{\"id\":\"ionq.simulator-preview\",\"name\":\"Trapped + Ion Quantum Computer Simulator Preview\",\"description\":\"GPU-accelerated + idealized simulator supporting up to 29 qubits, using the same gates IonQ + provides on its quantum computers. No errors are modeled at present.\",\"acceptedDataFormats\":[\"ionq.qir.v1\"],\"acceptedContentEncodings\":[\"identity\"]},{\"id\":\"ionq.qpu-preview\",\"name\":\"Harmony + Preview\",\"description\":\"IonQ's Harmony quantum computer is dynamically + reconfigurable in software to use up to 11 qubits. All qubits are fully connected, + meaning you can run a two-qubit gate between any pair.\",\"acceptedDataFormats\":[\"ionq.qir.v1\"],\"acceptedContentEncodings\":[\"identity\"]},{\"id\":\"ionq.qpu.aria-1-preview\",\"name\":\"Aria + 1 Preview\",\"description\":\"IonQ's Aria 1 quantum computer is dynamically + reconfigurable in software to use up to 23 qubits. All qubits are fully connected, + meaning you can run a two-qubit gate between any pair.\",\"acceptedDataFormats\":[\"ionq.qir.v1\"],\"acceptedContentEncodings\":[\"identity\"]}],\"skus\":[{\"id\":\"pay-as-you-go-cred\",\"version\":\"0.0.5\",\"name\":\"Azure + Quantum Credits\",\"description\":\"The Azure Quantum Credits program provides + sponsored access to IonQ hardware through Azure. You will not be charged for + usage created under the credits program.\",\"autoAdd\":true,\"targets\":[\"ionq.qpu\",\"ionq.qpu.aria-1\",\"ionq.simulator\"],\"quotaDimensions\":[{\"id\":\"qgs\",\"scope\":\"Subscription\"}],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"IonQ + Simulator
Aria Trapped + Ion QC (23 qubits)
Harmony + Trapped Ion QC (11 qubits)\"},{\"id\":\"quota\",\"value\":\"$500 worth + of IonQ compute, unless you have received an additional project-based grant.

While availability + lasts, credits must be used within 6 months.

Learn more about quota for credits.\"},{\"id\":\"price\",\"value\":\"Free, + up to the granted value of your credits.\"}]},{\"id\":\"pay-as-you-go\",\"version\":\"0.0.5\",\"name\":\"Pay + As You Go\",\"description\":\"A la carte access based on resource requirements + and usage.\",\"autoAdd\":false,\"targets\":[\"ionq.qpu\",\"ionq.simulator\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"IonQ + Simulator
Harmony + Trapped Ion QC (11 qubits)\"},{\"id\":\"quota\",\"value\":\"No limit\"},{\"id\":\"price\",\"value\":\"$ + 3,000.00 USD / hour (est)
See documentation for details\"}]},{\"id\":\"committed-subscription-2\",\"version\":\"0.0.5\",\"name\":\"Subscription\",\"description\":\"Committed + access to all of IonQ's quantum computers\",\"autoAdd\":false,\"restrictedAccessUri\":\"mailto:partnerships@ionq.co\",\"targets\":[\"ionq.qpu\",\"ionq.qpu.aria-1\",\"ionq.simulator\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"IonQ + Simulator
Aria Trapped + Ion QC (23 qubits)
Harmony + Trapped Ion QC (11 qubits)\"},{\"id\":\"quota\",\"value\":\"N/A\"},{\"id\":\"price\",\"value\":\"$ + 25,000.00 USD / month
See documentation for details\"}]},{\"id\":\"private-preview-free\",\"version\":\"0.0.5\",\"name\":\"QIR + Private Preview Free\",\"description\":\"Submit QIR jobs to IonQ quantum platform.\",\"autoAdd\":false,\"targets\":[\"ionq.qpu-preview\",\"ionq.qpu.aria-1-preview\",\"ionq.simulator-preview\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"IonQ + QIR job execution\"},{\"id\":\"quota\",\"value\":\"N/A\"},{\"id\":\"price\",\"value\":\"N/A\"}]},{\"id\":\"preview-internal\",\"version\":\"0.0.5\",\"name\":\"Internal + Preview\",\"description\":\"Internal preview with zero cost.\",\"autoAdd\":false,\"targets\":[\"ionq.qpu-preview\",\"ionq.qpu.aria-1-preview\",\"ionq.simulator-preview\",\"ionq.qpu\",\"ionq.qpu.aria-1\",\"ionq.simulator\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"IonQ + Internal Preview\"},{\"id\":\"quota\",\"value\":\"N/A\"},{\"id\":\"price\",\"value\":\"N/A\"}]},{\"id\":\"aq-internal-testing\",\"version\":\"0.0.1\",\"name\":\"Microsoft + Internal Testing\",\"description\":\"You're testing, so it's free! As in beer.\",\"autoAdd\":false,\"targets\":[\"ionq.qpu\",\"ionq.qpu.aria-1\",\"ionq.simulator\",\"ionq.qpu-preview\",\"ionq.qpu.aria-1-preview\",\"ionq.simulator-preview\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"IonQ + Simulator
Harmony Trapped Ion QC (11 qubits)\"},{\"id\":\"quota\",\"value\":\"N/A\"},{\"id\":\"price\",\"value\":\"Free\"}]}],\"quotaDimensions\":[{\"id\":\"qgs\",\"scope\":\"Subscription\",\"quota\":16666667,\"period\":\"Infinite\",\"name\":\"QPU + Credit\",\"description\":\"Credited resource usage against your account. See + IonQ documentation for more information: https://aka.ms/AQ/IonQ/ProviderDocumentation.\",\"unit\":\"qubit-gate-shot\",\"unitPlural\":\"qubit-gate-shots\"}],\"pricingDimensions\":[{\"id\":\"features\",\"name\":\"Features\"},{\"id\":\"quota\",\"name\":\"Limits\"},{\"id\":\"price\",\"name\":\"Pricing\"}]}},{\"id\":\"Microsoft\",\"name\":\"Microsoft + QIO\",\"properties\":{\"description\":\"Ground-breaking optimization algorithms + inspired by decades of quantum research.\",\"providerType\":\"qio\",\"company\":\"Microsoft\",\"managedApplication\":{\"publisherId\":\"N/A\",\"offerId\":\"N/A\"},\"targets\":[{\"id\":\"microsoft.tabu.cpu\",\"name\":\"microsoft.tabu.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]},{\"id\":\"microsoft.qmc.cpu\",\"name\":\"microsoft.qmc.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]},{\"id\":\"microsoft.tabu-parameterfree.cpu\",\"name\":\"microsoft.tabu-parameterfree.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]},{\"id\":\"microsoft.simulatedannealing.cpu\",\"name\":\"microsoft.simulatedannealing.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]},{\"id\":\"microsoft.simulatedannealing-parameterfree.cpu\",\"name\":\"microsoft.simulatedannealing-parameterfree.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]},{\"id\":\"microsoft.paralleltempering.cpu\",\"name\":\"microsoft.paralleltempering.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]},{\"id\":\"microsoft.paralleltempering-parameterfree.cpu\",\"name\":\"microsoft.paralleltempering-parameterfree.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]},{\"id\":\"microsoft.populationannealing.cpu\",\"name\":\"microsoft.populationannealing.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]},{\"id\":\"microsoft.substochasticmontecarlo.cpu\",\"name\":\"microsoft.substochasticmontecarlo.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]},{\"id\":\"microsoft.substochasticmontecarlo-parameterfree.cpu\",\"name\":\"microsoft.substochasticmontecarlo-parameterfree.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]},{\"id\":\"microsoft.populationannealing-parameterfree.cpu\",\"name\":\"microsoft.populationannealing-parameterfree.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]}],\"skus\":[{\"id\":\"Basic\",\"version\":\"1.0\",\"name\":\"Private + Preview\",\"description\":\"Free Private Preview access through February 15 + 2020\",\"autoAdd\":false,\"targets\":[\"microsoft.paralleltempering-parameterfree.cpu\",\"microsoft.paralleltempering.cpu\",\"microsoft.simulatedannealing-parameterfree.cpu\",\"microsoft.simulatedannealing.cpu\",\"microsoft.tabu-parameterfree.cpu\",\"microsoft.tabu.cpu\",\"microsoft.qmc.cpu\",\"microsoft.populationannealing.cpu\",\"microsoft.populationannealing-parameterfree.cpu\",\"microsoft.substochasticmontecarlo.cpu\",\"microsoft.substochasticmontecarlo-parameterfree.cpu\",\"microsoft.populationannealing-parameterfree.cpu\"],\"quotaDimensions\":[{\"id\":\"combined_job_hours\",\"scope\":\"Workspace\"},{\"id\":\"combined_job_hours\",\"scope\":\"Subscription\"},{\"id\":\"concurrent_cpu_jobs\",\"scope\":\"Workspace\"}],\"pricingDetails\":[{\"id\":\"targets\",\"value\":\"Simulated + Annealing
Parallel Tempering
Tabu Search
Substochastic Monte Carlo
Population + Annealing
all solvers above have a parameter-free mode

Quantum + Monte Carlo\"},{\"id\":\"perf\",\"value\":\"CPU based: Up to 5 concurrent + jobs\"},{\"id\":\"quota\",\"value\":\"CPU based: 5 hours / month\"},{\"id\":\"price\",\"value\":\"$ + 0\"}]},{\"id\":\"DZH3178M639F\",\"version\":\"1.0\",\"name\":\"Learn & Develop\",\"description\":\"Learn + and develop with Optimization solutions.\",\"autoAdd\":true,\"targets\":[\"microsoft.paralleltempering-parameterfree.cpu\",\"microsoft.paralleltempering.cpu\",\"microsoft.simulatedannealing-parameterfree.cpu\",\"microsoft.simulatedannealing.cpu\",\"microsoft.tabu-parameterfree.cpu\",\"microsoft.tabu.cpu\",\"microsoft.qmc.cpu\",\"microsoft.populationannealing.cpu\",\"microsoft.populationannealing-parameterfree.cpu\",\"microsoft.substochasticmontecarlo.cpu\",\"microsoft.substochasticmontecarlo-parameterfree.cpu\"],\"quotaDimensions\":[{\"id\":\"combined_job_hours\",\"scope\":\"Workspace\",\"quota\":20},{\"id\":\"combined_job_hours\",\"scope\":\"Subscription\"},{\"id\":\"concurrent_cpu_jobs\",\"scope\":\"Workspace\"}],\"pricingDetails\":[{\"id\":\"targets\",\"value\":\"Simulated + Annealing
Parallel Tempering
Tabu Search
Substochastic Monte Carlo
Population + Annealing
all solvers above have a parameter-free mode

Quantum + Monte Carlo\"},{\"id\":\"perf\",\"value\":\"CPU based: Up to 5 concurrent + jobs\"},{\"id\":\"quota\",\"value\":\"CPU based: 20 hours / month\"},{\"id\":\"price\",\"value\":\"Pay + as you go
1 free hour included

See + pricing sheet\"}]},{\"id\":\"DZH318RV7MW4\",\"version\":\"1.0\",\"name\":\"Scale\",\"description\":\"Deploy + world-class Optimization solutions.\",\"autoAdd\":false,\"targets\":[\"microsoft.paralleltempering-parameterfree.cpu\",\"microsoft.paralleltempering.cpu\",\"microsoft.simulatedannealing-parameterfree.cpu\",\"microsoft.simulatedannealing.cpu\",\"microsoft.tabu-parameterfree.cpu\",\"microsoft.tabu.cpu\",\"microsoft.qmc.cpu\",\"microsoft.populationannealing.cpu\",\"microsoft.populationannealing-parameterfree.cpu\",\"microsoft.substochasticmontecarlo.cpu\",\"microsoft.substochasticmontecarlo-parameterfree.cpu\"],\"quotaDimensions\":[{\"id\":\"combined_job_hours\",\"scope\":\"Workspace\",\"quota\":1000},{\"id\":\"combined_job_hours\",\"scope\":\"Subscription\"},{\"id\":\"concurrent_cpu_jobs\",\"scope\":\"Workspace\",\"quota\":100}],\"pricingDetails\":[{\"id\":\"targets\",\"value\":\"Simulated + Annealing
Parallel Tempering
Tabu Search
Substochastic Monte Carlo
Population + Annealing
all solvers above have a parameter-free mode

Quantum + Monte Carlo\"},{\"id\":\"perf\",\"value\":\"CPU based: Up to 100 concurrent + jobs\"},{\"id\":\"quota\",\"value\":\"Up to 50,000 hours / month\"},{\"id\":\"price\",\"value\":\"Pay + as you go
1 free hour included

See + pricing sheet\"}]},{\"id\":\"EarlyAccess\",\"version\":\"1.0\",\"name\":\"Early + Access\",\"description\":\"Help us test new capabilities in our Microsoft + Optimization provider. This SKU is available to a select group of users and + limited to targets that we are currently running an Early Access test for.\",\"autoAdd\":false,\"targets\":[],\"quotaDimensions\":[{\"id\":\"combined_job_hours\",\"scope\":\"Workspace\",\"quota\":10},{\"id\":\"combined_job_hours\",\"scope\":\"Subscription\"},{\"id\":\"concurrent_cpu_jobs\",\"scope\":\"Workspace\"}],\"pricingDetails\":[{\"id\":\"targets\",\"value\":\"No + available targets.\"},{\"id\":\"quota\",\"value\":\"CPU based: 10 hours / + month\"},{\"id\":\"price\",\"value\":\"$ 0\"}]}],\"quotaDimensions\":[{\"id\":\"combined_job_hours\",\"scope\":\"Workspace\",\"quota\":5,\"period\":\"Monthly\",\"name\":\"CPU + Solver Hours [Workspace]\",\"description\":\"The amount of CPU solver time + you may use per month within this workspace\",\"unit\":\"hour\",\"unitPlural\":\"hours\"},{\"id\":\"combined_job_hours\",\"scope\":\"Subscription\",\"quota\":1000,\"period\":\"Monthly\",\"name\":\"CPU + Solver Hours [Subscription]\",\"description\":\"The amount of CPU solver time + you may use per month shared by all workspaces within the subscription\",\"unit\":\"hour\",\"unitPlural\":\"hours\"},{\"id\":\"concurrent_cpu_jobs\",\"scope\":\"Workspace\",\"quota\":5}],\"pricingDimensions\":[{\"id\":\"targets\",\"name\":\"Targets + available\"},{\"id\":\"perf\",\"name\":\"Performance\"},{\"id\":\"quota\",\"name\":\"Quota\"},{\"id\":\"price\",\"name\":\"Price + per month\"}]}},{\"id\":\"microsoft-qc\",\"name\":\"Microsoft Quantum Computing\",\"properties\":{\"description\":\"Prepare + for fault-tolerant quantum computing with Microsoft specific tools and services, + including the Azure Quantum Resource Estimator.\",\"providerType\":\"qe\",\"company\":\"Microsoft\",\"managedApplication\":{\"publisherId\":\"N/A\",\"offerId\":\"N/A\"},\"targets\":[{\"id\":\"microsoft.estimator\",\"name\":\"Resource + Estimator\",\"acceptedDataFormats\":[\"microsoft.qir.v1\",\"qir.v1\"],\"acceptedContentEncodings\":[\"identity\"]}],\"skus\":[{\"id\":\"learn-and-develop\",\"version\":\"1.0\",\"name\":\"Learn + & Develop\",\"description\":\"Free plan including access to hosted notebooks + with pre-configured support for Q#, Qiskit and Cirq, noisy simulator and Azure + Quantum Resource Estimator.\",\"autoAdd\":true,\"targets\":[\"microsoft.estimator\"],\"quotaDimensions\":[{\"id\":\"concurrent_resource_estimator_jobs\",\"scope\":\"Workspace\"}],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Resource + Estimator

Designed specifically for scaled quantum systems, Azure + Quantum Resource Estimator provides estimates for the number of physical qubits + and runtime required to execute quantum applications on post-NISQ, fault-tolerant + systems.\"},{\"id\":\"quota\",\"value\":\"Up to 10 concurrent jobs.\"},{\"id\":\"price\",\"value\":\"Free + usage.\"}]}],\"quotaDimensions\":[{\"id\":\"concurrent_resource_estimator_jobs\",\"scope\":\"Workspace\",\"quota\":10}],\"pricingDimensions\":[{\"id\":\"features\",\"name\":\"Features\"},{\"id\":\"quota\",\"name\":\"Quota\"},{\"id\":\"price\",\"name\":\"Pricing\"}]}},{\"id\":\"Microsoft.FleetManagement\",\"name\":\"Microsoft + Fleet Management Solution\",\"properties\":{\"description\":\"(Preview) Leverage + Azure Quantum's advanced optimization algorithms to solve fleet management + problems.\",\"providerType\":\"qio\",\"company\":\"Microsoft\",\"managedApplication\":{\"publisherId\":\"N/A\",\"offerId\":\"N/A\"},\"targets\":[{\"id\":\"microsoft.fleetmanagement\",\"name\":\"microsoft.fleetmanagement\",\"acceptedDataFormats\":[\"microsoft.fleetmanagement.v1\"],\"acceptedContentEncodings\":[\"gzip\"]}],\"skus\":[{\"id\":\"Basic\",\"version\":\"1.0\",\"name\":\"Private + Preview\",\"description\":\"Private preview fleet management SKU.\",\"autoAdd\":false,\"targets\":[\"microsoft.fleetManagement\"],\"quotaDimensions\":[{\"id\":\"combined_job_hours\",\"scope\":\"Workspace\"},{\"id\":\"combined_job_hours\",\"scope\":\"Subscription\"},{\"id\":\"concurrent_cpu_jobs\",\"scope\":\"Workspace\"}]}],\"quotaDimensions\":[{\"id\":\"combined_job_hours\",\"scope\":\"Workspace\",\"quota\":20,\"period\":\"Monthly\",\"name\":\"Job + Hours [Workspace]\",\"description\":\"The amount of job time you may use per + month within this workspace\",\"unit\":\"hour\",\"unitPlural\":\"hours\"},{\"id\":\"combined_job_hours\",\"scope\":\"Subscription\",\"quota\":1000,\"period\":\"Monthly\",\"name\":\"Job + Hours [Subscription]\",\"description\":\"The amount of job time you may use + per month shared by all workspaces within the subscription\",\"unit\":\"hour\",\"unitPlural\":\"hours\"},{\"id\":\"concurrent_cpu_jobs\",\"scope\":\"Workspace\",\"quota\":5}]}},{\"id\":\"Microsoft.Simulator\",\"name\":\"Microsoft + Simulation Tools\",\"properties\":{\"description\":\"Microsoft Simulation + Tools.\",\"providerType\":\"qe\",\"company\":\"Microsoft\",\"managedApplication\":{\"publisherId\":\"N/A\",\"offerId\":\"N/A\"},\"targets\":[{\"id\":\"microsoft.simulator.resources-estimator\",\"name\":\"Quantum + Resources Estimator\",\"acceptedDataFormats\":[\"microsoft.qir.v1\",\"qir.v1\"],\"acceptedContentEncodings\":[\"gzip\"]}],\"skus\":[{\"id\":\"resources-estimator-preview\",\"version\":\"1.0\",\"name\":\"Resource + Estimation Private Preview\",\"description\":\"Private preview plan for resource + estimation. Provider and target names may change upon public preview.\",\"autoAdd\":false,\"targets\":[\"microsoft.simulator.resources-estimator\"],\"quotaDimensions\":[{\"id\":\"concurrent_resource_estimator_jobs\",\"scope\":\"Workspace\"}]}],\"quotaDimensions\":[{\"id\":\"simulator_job_hours\",\"scope\":\"Workspace\",\"quota\":20,\"period\":\"Monthly\",\"name\":\"Simulator + Hours [Workspace]\",\"description\":\"The amount of simulator time you may + use per month within this workspace\",\"unit\":\"hour\",\"unitPlural\":\"hours\"},{\"id\":\"simulator_job_hours\",\"scope\":\"Subscription\",\"quota\":1000,\"period\":\"Monthly\",\"name\":\"Simulator + Hours [Subscription]\",\"description\":\"The amount of simulator time you + may use per month shared by all workspaces within the subscription\",\"unit\":\"hour\",\"unitPlural\":\"hours\"},{\"id\":\"concurrent_simulator_jobs\",\"scope\":\"Workspace\",\"quota\":5},{\"id\":\"concurrent_resource_estimator_jobs\",\"scope\":\"Workspace\",\"quota\":10}]}},{\"id\":\"Microsoft.Test\",\"name\":\"Microsoft + Test Provider\",\"properties\":{\"description\":\"Microsoft Test Provider\",\"providerType\":\"qe\",\"company\":\"Microsoft\",\"managedApplication\":{\"publisherId\":\"microsoft_qio\",\"offerId\":\"samplepartner-aq-preview\"},\"targets\":[{\"id\":\"echo-rigetti\",\"name\":\"echo-rigetti\",\"acceptedDataFormats\":[\"rigetti.qir.v1\"],\"acceptedContentEncodings\":[\"identity\"]},{\"id\":\"echo-quantinuum\",\"name\":\"echo-quantinuum\",\"acceptedDataFormats\":[\"honeywell.qir.v1\"],\"acceptedContentEncodings\":[\"identity\"]},{\"id\":\"echo-qci\",\"name\":\"echo-qci\",\"acceptedDataFormats\":[\"qci.qir.v1\"],\"acceptedContentEncodings\":[\"identity\"]},{\"id\":\"echo-output\",\"name\":\"echo-output\",\"acceptedDataFormats\":[\"microsoft.quantum-log.v1.1\",\"microsoft.quantum-log.v2.1\",\"microsoft.quantum-log.v1\",\"microsoft.quantum-log.v2\"],\"acceptedContentEncodings\":[\"identity\"]}],\"skus\":[{\"id\":\"sample-plan-3\",\"version\":\"1.0.4\",\"name\":\"Standard\",\"description\":\"Standard + services\",\"autoAdd\":false,\"targets\":[\"echo-rigetti\",\"echo-quantinuum\",\"echo-qci\",\"echo-output\"],\"pricingDetails\":[{\"id\":\"price\",\"value\":\"Free\"}]}],\"pricingDimensions\":[{\"id\":\"price\",\"name\":\"Pricing\"}]}},{\"id\":\"qci\",\"name\":\"Quantum + Circuits, Inc.\",\"properties\":{\"description\":\"Superconducting Circuits + Quantum Computing Systems\",\"providerType\":\"qe\",\"company\":\"Quantum + Circuits, Inc.\",\"managedApplication\":{\"publisherId\":\"quantumcircuitsinc1598045891596\",\"offerId\":\"qci-aq\"},\"targets\":[{\"id\":\"qci.machine1\",\"name\":\"Machine + 1\",\"description\":\"8-qubit quantum computing system with real-time control + flow capability.\",\"acceptedDataFormats\":[\"qci.qcdl.v1\",\"qci.qir.v1\"],\"acceptedContentEncodings\":[\"identity\"]},{\"id\":\"qci.simulator\",\"name\":\"AquSim\",\"description\":\"8-qubit + noise-free simulator.\",\"acceptedDataFormats\":[\"qci.qcdl.v1\",\"qci.qir.v1\"],\"acceptedContentEncodings\":[\"identity\"]},{\"id\":\"qci.simulator.noisy\",\"name\":\"AquSim-N\",\"description\":\"8-qubit + simulator that incorporates QCI's gate and measurement performance\",\"acceptedDataFormats\":[\"qci.qcdl.v1\",\"qci.qir.v1\"],\"acceptedContentEncodings\":[\"identity\"]}],\"skus\":[{\"id\":\"qci-syspreview\",\"version\":\"0.1.0\",\"name\":\"System + Preview\",\"description\":\"A metered pricing preview of QCI's Systems and + Simulators\",\"autoAdd\":false,\"targets\":[\"qci.simulator\",\"qci.machine1\",\"qci.simulator.noisy\"],\"quotaDimensions\":[{\"id\":\"jobcount\",\"scope\":\"Workspace\"}],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Integration + testing plan for Microsoft\"},{\"id\":\"quota\",\"value\":\"1000 jobs per + month\"},{\"id\":\"price\",\"value\":\"\"}]},{\"id\":\"qci-syspreview-free\",\"version\":\"0.1.0\",\"name\":\"System + Preview Free\",\"description\":\"A free preview of QCI's Systems and Simulators\",\"autoAdd\":false,\"targets\":[\"qci.simulator\",\"qci.machine1\",\"qci.simulator.noisy\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Integration + testing plan for Microsoft\"},{\"id\":\"quota\",\"value\":\"Unlimited jobs\"},{\"id\":\"price\",\"value\":\"\"}]},{\"id\":\"qci-freepreview\",\"version\":\"0.1.0\",\"name\":\"System + Preview (Free)\",\"description\":\"A free preview of QCI's simulators and + quantum systems.\",\"autoAdd\":false,\"targets\":[\"qci.simulator\",\"qci.machine1\",\"qci.simulator.noisy\"],\"quotaDimensions\":[{\"id\":\"jobcount\",\"scope\":\"Workspace\"}],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Machine + 1 Quantum System and the AquSim Quantum Simulator\"},{\"id\":\"quota\",\"value\":\"1000 + jobs per month\"},{\"id\":\"price\",\"value\":\"\"}]}],\"quotaDimensions\":[{\"id\":\"jobcount\",\"scope\":\"Workspace\",\"quota\":1000,\"period\":\"Monthly\",\"name\":\"Job + Count\",\"description\":\"Number of jobs you can run in a month.\",\"unit\":\"job\",\"unitPlural\":\"jobs\"}],\"pricingDimensions\":[{\"id\":\"features\",\"name\":\"Features\"},{\"id\":\"quota\",\"name\":\"Quota\"},{\"id\":\"price\",\"name\":\"Pricing\"}]}},{\"id\":\"quantinuum\",\"name\":\"Quantinuum\",\"properties\":{\"description\":\"Access + to Quantinuum trapped-ion systems\",\"providerType\":\"qe\",\"company\":\"Quantinuum\",\"managedApplication\":{\"publisherId\":\"quantinuumllc1640113159771\",\"offerId\":\"quantinuum-aq\"},\"targets\":[{\"id\":\"quantinuum.hqs-lt-s1\",\"name\":\"Quantinuum + H1-1\",\"description\":\"Quantinuum H1-1, Powered by Honeywell\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.qpu.h1-1\",\"name\":\"Quantinuum + H1-1\",\"description\":\"Quantinuum H1-1, Powered by Honeywell\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.hqs-lt-s2\",\"name\":\"Quantinuum + H1-2\",\"description\":\"Quantinuum H1-2, Powered by Honeywell\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.qpu.h1-2\",\"name\":\"Quantinuum + H1-2\",\"description\":\"Quantinuum H1-2, Powered by Honeywell\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.hqs-lt\",\"name\":\"Quantinuum + System Model: H1 Family\",\"description\":\"Quantinuum System Model H1 Family, + Powered by Honeywell\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.qpu.h1\",\"name\":\"Quantinuum + System Model: H1 Family\",\"description\":\"Quantinuum System Model H1 Family, + Powered by Honeywell\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.hqs-lt-s1-apival\",\"name\":\"Quantinuum + H1-1 Syntax Checker\",\"description\":\"Quantinuum H1-1 Syntax Checker\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.sim.h1-1sc\",\"name\":\"Quantinuum + H1-1 Syntax Checker\",\"description\":\"Quantinuum H1-1 Syntax Checker\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.hqs-lt-s2-apival\",\"name\":\"Quantinuum + H1-2 Syntax Checker\",\"description\":\"Quantinuum H1-2 Syntax Checker\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.sim.h1-2sc\",\"name\":\"Quantinuum + H1-2 Syntax Checker\",\"description\":\"Quantinuum H1-2 Syntax Checker\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.hqs-lt-s1-sim\",\"name\":\"Quantinuum + H1-1 Emulator\",\"description\":\"Quantinuum H1-1 Emulator\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.sim.h1-1e\",\"name\":\"Quantinuum + H1-1 Emulator\",\"description\":\"Quantinuum H1-1 Emulator\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.hqs-lt-s2-sim\",\"name\":\"Quantinuum + H1-2 Emulator\",\"description\":\"Quantinuum H1-2 Emulator\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.sim.h1-2e\",\"name\":\"Quantinuum + H1-2 Emulator\",\"description\":\"Quantinuum H1-2 Emulator\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.sim.h1-1sc-preview\",\"name\":\"Quantinuum + H1-1 Syntax Checker Preview\",\"description\":\"Quantinuum H1-1 Syntax Checker + Preview\",\"acceptedDataFormats\":[\"honeywell.qir.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.sim.h1-2sc-preview\",\"name\":\"Quantinuum + H1-2 Syntax Checker Preview\",\"description\":\"Quantinuum H1-2 Syntax Checker + Preview\",\"acceptedDataFormats\":[\"honeywell.qir.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.sim.h1-1e-preview\",\"name\":\"Quantinuum + H1-1 Emulator Preview\",\"description\":\"Quantinuum H1-1 Emulator Preview\",\"acceptedDataFormats\":[\"honeywell.qir.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.sim.h1-2e-preview\",\"name\":\"Quantinuum + H1-2 Emulator Preview\",\"description\":\"Quantinuum H1-2 Emulator Preview\",\"acceptedDataFormats\":[\"honeywell.qir.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.qpu.h1-1-preview\",\"name\":\"Quantinuum + H1-1 Preview\",\"description\":\"Quantinuum H1-1 Preview\",\"acceptedDataFormats\":[\"honeywell.qir.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.qpu.h1-2-preview\",\"name\":\"Quantinuum + H1-2 Preview\",\"description\":\"Quantinuum H1-2 Preview\",\"acceptedDataFormats\":[\"honeywell.qir.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]}],\"skus\":[{\"id\":\"credits1\",\"version\":\"1.0.0\",\"name\":\"Azure + Quantum Credits\",\"description\":\"The Azure Quantum Credits program provides + sponsored access to Quantinuum hardware through Azure. You will not be charged + for usage created under the credits program, up to the limit of your credit + grant.\",\"autoAdd\":true,\"targets\":[\"quantinuum.hqs-lt-s1\",\"quantinuum.hqs-lt-s1-apival\",\"quantinuum.hqs-lt-s2\",\"quantinuum.hqs-lt-s2-apival\",\"quantinuum.hqs-lt-s1-sim\",\"quantinuum.hqs-lt-s2-sim\",\"quantinuum.hqs-lt\",\"quantinuum.qpu.h1-1\",\"quantinuum.sim.h1-1sc\",\"quantinuum.qpu.h1-2\",\"quantinuum.sim.h1-2sc\",\"quantinuum.sim.h1-1e\",\"quantinuum.sim.h1-2e\",\"quantinuum.qpu.h1\"],\"quotaDimensions\":[{\"id\":\"hqc\",\"scope\":\"Subscription\"},{\"id\":\"ehqc\",\"scope\":\"Subscription\"}],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"System + Model H1 Syntax Checker
Quantinuum System Model H1 Emulator
Quantinuum + System Model H1, Powered by Honeywell\"},{\"id\":\"limits\",\"value\":\"Up + to $500 of Quantinuum compute, unless you have received an additional project-based grant.

While availability + lasts, credits must be used within 6 months.

Learn more about quota for credits.\"},{\"id\":\"price\",\"value\":\"Free, + up to the granted value of your credits.\"}]},{\"id\":\"premium1\",\"version\":\"1.0.0\",\"name\":\"Premium\",\"description\":\"Monthly + subscription plan with 17K Quantinuum H-System Quantum Credits (HQCs) / month, + available through queue\",\"autoAdd\":false,\"restrictedAccessUri\":\"mailto:QuantinuumAzureQuantumSupport@Quantinuum.com\",\"targets\":[\"quantinuum.hqs-lt-s1\",\"quantinuum.hqs-lt-s1-apival\",\"quantinuum.hqs-lt-s2\",\"quantinuum.hqs-lt-s2-apival\",\"quantinuum.hqs-lt-s1-sim\",\"quantinuum.hqs-lt-s2-sim\",\"quantinuum.hqs-lt\",\"quantinuum.qpu.h1-1\",\"quantinuum.sim.h1-1sc\",\"quantinuum.qpu.h1-2\",\"quantinuum.sim.h1-2sc\",\"quantinuum.sim.h1-1e\",\"quantinuum.sim.h1-2e\",\"quantinuum.qpu.h1\"],\"quotaDimensions\":[{\"id\":\"hqc\",\"scope\":\"Subscription\"},{\"id\":\"ehqc\",\"scope\":\"Subscription\"}],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Quantinuum + System Model H1 Syntax Checker
Quantinuum System Model H1 Emulator
Quantinuum System Model H1\"},{\"id\":\"limits\",\"value\":\"17K H-System + Quantum Credits (HQCs) / month\"},{\"id\":\"price\",\"value\":\"$ 175,000 + USD / Month\"}]},{\"id\":\"standard1\",\"version\":\"1.0.0\",\"name\":\"Standard\",\"description\":\"Monthly + subscription plan with 10K Quantinuum H-System quantum credits (HQCs) / month, + available through queue\",\"autoAdd\":false,\"restrictedAccessUri\":\"mailto:QuantinuumAzureQuantumSupport@Quantinuum.com\",\"targets\":[\"quantinuum.hqs-lt-s1\",\"quantinuum.hqs-lt-s1-apival\",\"quantinuum.hqs-lt-s2\",\"quantinuum.hqs-lt-s2-apival\",\"quantinuum.hqs-lt-s1-sim\",\"quantinuum.hqs-lt-s2-sim\",\"quantinuum.hqs-lt\",\"quantinuum.qpu.h1-1\",\"quantinuum.sim.h1-1sc\",\"quantinuum.qpu.h1-2\",\"quantinuum.sim.h1-2sc\",\"quantinuum.sim.h1-1e\",\"quantinuum.sim.h1-2e\",\"quantinuum.qpu.h1\"],\"quotaDimensions\":[{\"id\":\"hqc\",\"scope\":\"Subscription\"},{\"id\":\"ehqc\",\"scope\":\"Subscription\"}],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Quantinuum + System Model H1 Syntax Checker
Quantinuum System Model H1 Emulator
Quantinuum System Model H1\"},{\"id\":\"limits\",\"value\":\"10K H-System + Quantum Credits (HQCs) / month\"},{\"id\":\"price\",\"value\":\"$ 125,000 + USD / Month\"}]},{\"id\":\"test1\",\"version\":\"1.0.0\",\"name\":\"Partner + Access\",\"description\":\"Charge-free access to Quantinuum System Model H1 + for Azure integration verification\",\"autoAdd\":false,\"targets\":[\"quantinuum.hqs-lt-s1\",\"quantinuum.hqs-lt-s1-apival\",\"quantinuum.hqs-lt-s2\",\"quantinuum.hqs-lt-s2-apival\",\"quantinuum.hqs-lt-s1-sim\",\"quantinuum.hqs-lt-s2-sim\",\"quantinuum.hqs-lt\",\"quantinuum.qpu.h1-1\",\"quantinuum.sim.h1-1sc\",\"quantinuum.qpu.h1-2\",\"quantinuum.sim.h1-2sc\",\"quantinuum.sim.h1-1e\",\"quantinuum.sim.h1-2e\",\"quantinuum.qpu.h1\",\"quantinuum.sim.h1-1sc-preview\",\"quantinuum.sim.h1-2sc-preview\",\"quantinuum.sim.h1-1e-preview\",\"quantinuum.sim.h1-2e-preview\",\"quantinuum.qpu.h1-1-preview\",\"quantinuum.qpu.h1-2-preview\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Quantinuum + System Model H1 Syntax Checker
Quantinuum System Model H1 Emulator
Quantinuum System Model H1\"},{\"id\":\"limits\",\"value\":\"No limit for + integration testing\"},{\"id\":\"price\",\"value\":\"Free for validation\"}]}],\"quotaDimensions\":[{\"id\":\"hqc\",\"scope\":\"Subscription\",\"quota\":40,\"period\":\"Infinite\",\"name\":\"H-System + Quantum Credit (HQC)\",\"description\":\"H-System Quantum Credits (HQCs) are + used to calculate the cost of a job. See Quantinuum documentation for more + information.\",\"unit\":\"HQC\",\"unitPlural\":\"HQC's\"},{\"id\":\"ehqc\",\"scope\":\"Subscription\",\"quota\":400,\"period\":\"Infinite\",\"name\":\"Emulator + HQCs (eHQC)\",\"description\":\"Quantinuum Emulator H-System Quantum Credits + (eHQCs) are used for submission to the emulator.\",\"unit\":\"EHQC\",\"unitPlural\":\"EHQC's\"}],\"pricingDimensions\":[{\"id\":\"features\",\"name\":\"Features\"},{\"id\":\"limits\",\"name\":\"Limits\"},{\"id\":\"price\",\"name\":\"Pricing\"}]}},{\"id\":\"rigetti\",\"name\":\"Rigetti + Quantum\",\"properties\":{\"description\":\"Run quantum programs on Rigetti's + superconducting qubit-based quantum processors.\",\"providerType\":\"qe\",\"company\":\"Rigetti + Computing\",\"managedApplication\":{\"publisherId\":\"rigetticoinc1644276861431\",\"offerId\":\"rigetti-aq\"},\"targets\":[{\"id\":\"rigetti.sim.qvm\",\"name\":\"QVM\",\"description\":\"Simulate + Quil and QIR programs on the open-source Quantum Virtual Machine.\",\"acceptedDataFormats\":[\"rigetti.quil.v1\",\"rigetti.qir.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"rigetti.qpu.aspen-11\",\"name\":\"Aspen-11\",\"description\":\"A + 40-Qubit QPU\",\"acceptedDataFormats\":[\"rigetti.quil.v1\",\"rigetti.qir.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"rigetti.qpu.aspen-m-2\",\"name\":\"Aspen-M-2\",\"description\":\"An + 80-Qubit QPU\",\"acceptedDataFormats\":[\"rigetti.quil.v1\",\"rigetti.qir.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"rigetti.qpu.aspen-m-3\",\"name\":\"Aspen-M-3\",\"description\":\"An + 80-Qubit QPU\",\"acceptedDataFormats\":[\"rigetti.quil.v1\",\"rigetti.qir.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]}],\"skus\":[{\"id\":\"rigetti-private-beta-metered\",\"version\":\"0.0.0\",\"name\":\"Metered + Private Preview\",\"description\":\"Limited-time free access to Rigetti quantum + computers with the ability to see your utilization.\",\"autoAdd\":false,\"targets\":[\"rigetti.sim.qvm\",\"rigetti.qpu.aspen-11\",\"rigetti.qpu.aspen-m-2\",\"rigetti.qpu.aspen-m-3\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Learn more about + Rigetti Targets\"},{\"id\":\"quota\",\"value\":\"This plan has no quota.\"},{\"id\":\"price\",\"value\":\"This + plan is free.\"}]},{\"id\":\"rigetti-pay-as-you-go\",\"version\":\"0.0.0\",\"name\":\"Pay + As You Go\",\"description\":\"Pay-as-you-go access to Rigetti quantum computers.\",\"autoAdd\":false,\"targets\":[\"rigetti.sim.qvm\",\"rigetti.qpu.aspen-11\",\"rigetti.qpu.aspen-m-2\",\"rigetti.qpu.aspen-m-3\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Learn more about + Rigetti Targets\"},{\"id\":\"quota\",\"value\":\"This plan has no quota.\"},{\"id\":\"price\",\"value\":\"$0.02 + per 10 milliseconds (rounded up) of QPU execution time.\"}]},{\"id\":\"azure-quantum-credits\",\"version\":\"0.0.0\",\"name\":\"Azure + Quantum Credits\",\"description\":\"Pay with Azure credits for access to Rigetti + quantum computers.\",\"autoAdd\":true,\"targets\":[\"rigetti.sim.qvm\",\"rigetti.qpu.aspen-11\",\"rigetti.qpu.aspen-m-2\",\"rigetti.qpu.aspen-m-3\"],\"quotaDimensions\":[{\"id\":\"provider-credit\",\"scope\":\"Subscription\"}],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Learn more about + Rigetti Targets\"},{\"id\":\"quota\",\"value\":\"$500 worth of Rigetti + compute, unless you have received an additional project-based grant.

While availability + lasts, credits must be used within 6 months.

Learn more about quota for credits.\"},{\"id\":\"price\",\"value\":\"Free, + up to the granted value of your credits.
Credits consumed on the base + of $0.02 (credits) per 10 milliseconds (rounded up) of QPU execution time.\"}]}],\"quotaDimensions\":[{\"id\":\"provider-credit\",\"scope\":\"Subscription\",\"quota\":25000,\"period\":\"Infinite\",\"name\":\"QPU + Credits\",\"description\":\"One credit covers 10 milliseconds of QPU execution + time, which normally costs $0.02.\",\"unit\":\"credit\",\"unitPlural\":\"credits\"}],\"pricingDimensions\":[{\"id\":\"features\",\"name\":\"Features\"},{\"id\":\"quota\",\"name\":\"Quota\"},{\"id\":\"price\",\"name\":\"Pricing\"}]}},{\"id\":\"toshiba\",\"name\":\"SQBM+ + Cloud on Azure Quantum\",\"properties\":{\"description\":\"A GPU-powered ISING + machine featuring the Simulated Bifurcation algorithm inspired by Toshiba's + research on quantum computing.\",\"providerType\":\"qio\",\"company\":\"Toshiba + Digital Solutions Corporation\",\"managedApplication\":{\"publisherId\":\"2812187\",\"offerId\":\"toshiba-aq\"},\"targets\":[{\"id\":\"toshiba.sbm.ising\",\"name\":\"Ising + solver\",\"description\":\"Originated from research on quantum bifurcation + machines, the SQBM+ is a practical and ready-to-use ISING machine that solves + large-scale \\\"combinatorial optimization problems\\\" at high speed.\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]}],\"skus\":[{\"id\":\"toshiba-solutionseconds\",\"version\":\"1.0.1\",\"name\":\"Pay + As You Go\",\"description\":\"This is the only plan for using SQBM+ in Azure + Quantum Private Preview.\",\"autoAdd\":false,\"targets\":[\"toshiba.sbm.ising\"],\"pricingDetails\":[{\"id\":\"targets\",\"value\":\"toshiba.sbm.ising\"},{\"id\":\"quota\",\"value\":\"No + limit\"},{\"id\":\"price\",\"value\":\"This plan is available for free during + private preview.\"}]},{\"id\":\"learn_and_develop\",\"version\":\"1.0.1\",\"name\":\"Learn + & Develop\",\"description\":\"Learn and develop with SQBM+ (not for operational + use).\",\"autoAdd\":false,\"targets\":[\"toshiba.sbm.ising\"],\"quotaDimensions\":[{\"id\":\"learn_and_develop_concurrent_jobs\",\"scope\":\"Workspace\"},{\"id\":\"learn_and_develop_job_execution_time\",\"scope\":\"Subscription\"}],\"pricingDetails\":[{\"id\":\"targets\",\"value\":\"toshiba.sbm.ising\"},{\"id\":\"quota\",\"value\":\"

Up + to 1 concurrent jobs.

1 hour of compute per month.

\"},{\"id\":\"price\",\"value\":\"This + value loaded from partner center.\"}]},{\"id\":\"performance_at_scale\",\"version\":\"1.0.1\",\"name\":\"Performance + at scale\",\"description\":\"Deploy world-class SQBM+ solutions.\",\"autoAdd\":false,\"targets\":[\"toshiba.sbm.ising\"],\"quotaDimensions\":[{\"id\":\"performance_at_scale_concurrent_jobs\",\"scope\":\"Workspace\"},{\"id\":\"performance_at_scale_job_execution_time\",\"scope\":\"Subscription\"}],\"pricingDetails\":[{\"id\":\"targets\",\"value\":\"toshiba.sbm.ising\"},{\"id\":\"quota\",\"value\":\"

Up + to 3 concurrent jobs.

2,500 hours of compute per month.

\"},{\"id\":\"price\",\"value\":\"This + value loaded from partner center.\"}]}],\"quotaDimensions\":[{\"id\":\"learn_and_develop_concurrent_jobs\",\"scope\":\"Workspace\",\"quota\":1,\"name\":\"Concurrent + jobs\",\"description\":\"The number of jobs that you can submit within a single + workspace at the same time.\",\"unit\":\"job\",\"unitPlural\":\"jobs\"},{\"id\":\"learn_and_develop_job_execution_time\",\"scope\":\"Subscription\",\"quota\":1,\"period\":\"Monthly\",\"name\":\"Computing + hours per month\",\"description\":\"Computing hours within a subscription + per month.\",\"unit\":\"hour\",\"unitPlural\":\"hours\"},{\"id\":\"performance_at_scale_concurrent_jobs\",\"scope\":\"Workspace\",\"quota\":3,\"name\":\"Concurrent + jobs\",\"description\":\"The number of jobs that you can submit within a single + workspace at the same time.\",\"unit\":\"job\",\"unitPlural\":\"jobs\"},{\"id\":\"performance_at_scale_job_execution_time\",\"scope\":\"Subscription\",\"quota\":2500,\"period\":\"Monthly\",\"name\":\"Computing + hours per month\",\"description\":\"Computing hours within a subscription + per month.\",\"unit\":\"hour\",\"unitPlural\":\"hours\"}],\"pricingDimensions\":[{\"id\":\"targets\",\"name\":\"Targets + available\"},{\"id\":\"quota\",\"name\":\"Quota\"},{\"id\":\"price\",\"name\":\"Price + per month\"}]}}]}" + headers: + cache-control: + - no-cache + content-length: + - '41041' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 23 Jan 2023 23:53:37 GMT + expires: + - '-1' + mise-correlation-id: + - 8a259e7c-d048-4f00-8f47-c4f23da77e03 + pragma: + - no-cache + request-context: + - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f + set-cookie: + - ARRAffinity=8ff86c9a27601d7f5b6518ec4d18af424875e57b5b1d58a058e5ff9db2bf1a1f;Path=/;HttpOnly;Secure;Domain=rpcontrol-eastus.azurewebsites.net + - ARRAffinitySameSite=8ff86c9a27601d7f5b6518ec4d18af424875e57b5b1d58a058e5ff9db2bf1a1f;Path=/;HttpOnly;SameSite=None;Secure;Domain=rpcontrol-eastus.azurewebsites.net + - ASLBSA=0003d40efdced3b125786ca8cb22325eb49a925b534478081c4d828d5b638143f548; + path=/; secure + - ASLBSACORS=0003d40efdced3b125786ca8cb22325eb49a925b534478081c4d828d5b638143f548; + samesite=none; path=/; secure + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-azure-ref: + - 0Ah7PYwAAAADUroH2IYYnTK4Yg9D+aIdlUEhMMzBFREdFMDMxMwBlNDgyMjUzYi05ZTA1LTQwNWUtYTgzZi01ODZlZTFkNTUzZTQ= + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-providerhub-traffic: + - 'True' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - quantum workspace create + Connection: + - keep-alive + ParameterSetName: + - -g -w -l -a -r + User-Agent: + - AZURECLI/2.44.1 azsdk-python-mgmt-marketplaceordering/1.1.0 Python/3.10.6 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/virtualmachine/publishers/quantinuumllc1640113159771/offers/quantinuum-aq/plans/credits1/agreements/current?api-version=2021-01-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/VirtualMachine/publishers/quantinuumllc1640113159771/offers/quantinuum-aq/plans/credits1/agreements/current","name":"credits1","type":"Microsoft.MarketplaceOrdering/offertypes","properties":{"publisher":"quantinuumllc1640113159771","product":"quantinuum-aq","plan":"credits1","licenseTextLink":"https://mpcprodsa.blob.core.windows.net/legalterms/3E5ED_legalterms_QUANTINUUMLLC1640113159771%253a24QUANTINUUM%253a2DAQ%253a24CREDITS1%253a24U3AGC77IHGZ5FLJYZ6QWF357B7LQHG6PW5CSVK7VKS2YGVWO4OBIOCCOCSXJEEP6BMMDOPFM4ETZZYATWBPM2EFN4YT4KWM6QDFMTOY.txt","privacyPolicyLink":"https://www.quantinuum.com/privacy-statement","marketplaceTermsLink":"https://mpcprodsa.blob.core.windows.net/marketplaceterms/3EDEF_marketplaceterms_AZUREAPPLICATION%253a24OF7TIMHFEMPZHRBYEO3SVLC7Q2MPXXAASJ5BO2FUY4UC6EZCN5TIL2KIGTA7WI2CSM3WV4L7QMPNRYPE2I7BOCM34RGOL3XTC6ADIMI.txt","retrieveDatetime":"2023-01-23T23:53:41.1664378Z","signature":"5Y32HTGUQ3SZ7DXZFNY2W6WXBFKK4FCY4G5BAV5XRFVTEBD7FAETP4WUDZBDQTE5JEU4EO5OSJ3RFGVNOTWYFW64BBU7LCP6WCYV4JI","accepted":true},"systemData":{"createdBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","createdByType":"ManagedIdentity","createdAt":"2023-01-23T23:53:41.2602379+00:00","lastModifiedBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","lastModifiedByType":"ManagedIdentity","lastModifiedAt":"2023-01-23T23:53:41.2602379+00:00"}}' + headers: + cache-control: + - no-cache + content-length: + - '1440' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 23 Jan 2023 23:53:40 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - quantum workspace create + Connection: + - keep-alive + ParameterSetName: + - -g -w -l -a -r + User-Agent: + - AZURECLI/2.44.1 azsdk-python-mgmt-marketplaceordering/1.1.0 Python/3.10.6 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/virtualmachine/publishers/quantumcircuitsinc1598045891596/offers/qci-aq/plans/qci-freepreview/agreements/current?api-version=2021-01-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/VirtualMachine/publishers/quantumcircuitsinc1598045891596/offers/qci-aq/plans/qci-freepreview/agreements/current","name":"qci-freepreview","type":"Microsoft.MarketplaceOrdering/offertypes","properties":{"publisher":"quantumcircuitsinc1598045891596","product":"qci-aq","plan":"qci-freepreview","licenseTextLink":"https://mpcprodsa.blob.core.windows.net/legalterms/3E5ED_legalterms_QUANTUMCIRCUITSINC1598045891596%253a24QCI%253a2DAQ%253a24QCI%253a2DFREEPREVIEW%253a24PP3GLE327RQ6PXCFKVKKUIHX2KTKAPSMYHMY4RTIDVZNPA5MI4TAS4E3EMRM43OT3R3PWF5I7NG2Z2AYJYYMAIATBW7A256UYHC34CY.txt","privacyPolicyLink":"https://www.quantumcircuits.com/privacy-policy","marketplaceTermsLink":"https://mpcprodsa.blob.core.windows.net/marketplaceterms/3EDEF_marketplaceterms_AZUREAPPLICATION%253a24OF7TIMHFEMPZHRBYEO3SVLC7Q2MPXXAASJ5BO2FUY4UC6EZCN5TIL2KIGTA7WI2CSM3WV4L7QMPNRYPE2I7BOCM34RGOL3XTC6ADIMI.txt","retrieveDatetime":"2023-01-23T23:53:44.0959179Z","signature":"B2YT2LIQZGTIQYZOVHBBM5Z3QBSWXLSESYUH6AACOQXUYR7WPLYZ6K4YTNUEN6OWG4GPDEN4EQQDV6ETWDHGEUA7MSH4CYGIZVRUPFQ","accepted":true},"systemData":{"createdBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","createdByType":"ManagedIdentity","createdAt":"2023-01-23T23:53:44.4709855+00:00","lastModifiedBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","lastModifiedByType":"ManagedIdentity","lastModifiedAt":"2023-01-23T23:53:44.4709855+00:00"}}' + headers: + cache-control: + - no-cache + content-length: + - '1470' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 23 Jan 2023 23:53:44 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - quantum workspace create + Connection: + - keep-alive + ParameterSetName: + - -g -w -l -a -r + User-Agent: + - AZURECLI/2.44.1 azsdk-python-mgmt-marketplaceordering/1.1.0 Python/3.10.6 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/virtualmachine/publishers/rigetticoinc1644276861431/offers/rigetti-aq/plans/azure-quantum-credits/agreements/current?api-version=2021-01-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/VirtualMachine/publishers/rigetticoinc1644276861431/offers/rigetti-aq/plans/azure-quantum-credits/agreements/current","name":"azure-quantum-credits","type":"Microsoft.MarketplaceOrdering/offertypes","properties":{"publisher":"rigetticoinc1644276861431","product":"rigetti-aq","plan":"azure-quantum-credits","licenseTextLink":"https://mpcprodsa.blob.core.windows.net/legalterms/3E5ED_legalterms_RIGETTICOINC1644276861431%253a24RIGETTI%253a2DAQ%253a24AZURE%253a2DQUANTUM%253a2DCREDITS%253a24H35R3FYQURHQDNSLAZ4YCHIHABQ4NR4UI66LMJ3K53EHCQWZJMC3BLGZODKSAMOQ4ZI5CVO37XQXKFBQ3YWK444S7B3XGBK67JHVZNI.txt","privacyPolicyLink":"https://www.rigetti.com/privacy-policy","marketplaceTermsLink":"https://mpcprodsa.blob.core.windows.net/marketplaceterms/3EDEF_marketplaceterms_AZUREAPPLICATION%253a24OF7TIMHFEMPZHRBYEO3SVLC7Q2MPXXAASJ5BO2FUY4UC6EZCN5TIL2KIGTA7WI2CSM3WV4L7QMPNRYPE2I7BOCM34RGOL3XTC6ADIMI.txt","retrieveDatetime":"2023-01-23T23:53:46.8260086Z","signature":"WLVIWIGCA55LLZXVGE2HMZB4RUDK2WFDYJCEBCHOK2ZXEYQBEZ4RUPE3B4DDZSZTF4E2KS6VXSO237JCY2DXI7GOWB7FHR6UKFQTOEA","accepted":true},"systemData":{"createdBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","createdByType":"ManagedIdentity","createdAt":"2023-01-23T23:53:46.8729165+00:00","lastModifiedBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","lastModifiedByType":"ManagedIdentity","lastModifiedAt":"2023-01-23T23:53:46.8729165+00:00"}}' + headers: + cache-control: + - no-cache + content-length: + - '1486' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 23 Jan 2023 23:53:46 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - quantum workspace create + Connection: + - keep-alive + ParameterSetName: + - -g -w -l -a -r + User-Agent: + - AZURECLI/2.44.1 azsdk-python-mgmt-marketplaceordering/1.1.0 Python/3.10.6 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/virtualmachine/publishers/ionqinc1582730893633/offers/ionq-aq/plans/pay-as-you-go-cred/agreements/current?api-version=2021-01-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/VirtualMachine/publishers/ionqinc1582730893633/offers/ionq-aq/plans/pay-as-you-go-cred/agreements/current","name":"pay-as-you-go-cred","type":"Microsoft.MarketplaceOrdering/offertypes","properties":{"publisher":"ionqinc1582730893633","product":"ionq-aq","plan":"pay-as-you-go-cred","licenseTextLink":"https://mpcprodsa.blob.core.windows.net/legalterms/3E5ED_legalterms_IONQINC1582730893633%253a24IONQ%253a2DAQ%253a24PAY%253a2DAS%253a2DYOU%253a2DGO%253a2DCRED%253a247ODGLEAK7RQISNHUEU4KJYVC6QLVZF5IANNQFGBHOKJMXWIW3OPRUADLB63ROSGS5FVYSHLINGX5BK7GF7Y2ZO24HKBHSPKMXBHFBAQ.txt","privacyPolicyLink":"https://ionq.com/privacy","marketplaceTermsLink":"https://mpcprodsa.blob.core.windows.net/marketplaceterms/3EDEF_marketplaceterms_AZUREAPPLICATION%253a24OF7TIMHFEMPZHRBYEO3SVLC7Q2MPXXAASJ5BO2FUY4UC6EZCN5TIL2KIGTA7WI2CSM3WV4L7QMPNRYPE2I7BOCM34RGOL3XTC6ADIMI.txt","retrieveDatetime":"2023-01-23T23:53:49.5359409Z","signature":"6G36P3GWN52X7G2MFGD7OHF47VWVYHZCR65XOL6WWUKRTXSVYKSGTKTRYHGIJZMXQMZPERJNSGMXKCM66MJBPT7JGKLW3PYSXIBLZRY","accepted":true},"systemData":{"createdBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","createdByType":"ManagedIdentity","createdAt":"2023-01-23T23:53:49.6921817+00:00","lastModifiedBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","lastModifiedByType":"ManagedIdentity","lastModifiedAt":"2023-01-23T23:53:49.6921817+00:00"}}' + headers: + cache-control: + - no-cache + content-length: + - '1448' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 23 Jan 2023 23:53:49 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - quantum workspace create + Connection: + - keep-alive + ParameterSetName: + - -g -w -l -a -r + User-Agent: + - AZURECLI/2.44.1 azsdk-python-mgmt-marketplaceordering/1.1.0 Python/3.10.6 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/virtualmachine/publishers/quantinuumllc1640113159771/offers/quantinuum-aq/plans/credits1/agreements/current?api-version=2021-01-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/VirtualMachine/publishers/quantinuumllc1640113159771/offers/quantinuum-aq/plans/credits1/agreements/current","name":"credits1","type":"Microsoft.MarketplaceOrdering/offertypes","properties":{"publisher":"quantinuumllc1640113159771","product":"quantinuum-aq","plan":"credits1","licenseTextLink":"https://mpcprodsa.blob.core.windows.net/legalterms/3E5ED_legalterms_QUANTINUUMLLC1640113159771%253a24QUANTINUUM%253a2DAQ%253a24CREDITS1%253a24U3AGC77IHGZ5FLJYZ6QWF357B7LQHG6PW5CSVK7VKS2YGVWO4OBIOCCOCSXJEEP6BMMDOPFM4ETZZYATWBPM2EFN4YT4KWM6QDFMTOY.txt","privacyPolicyLink":"https://www.quantinuum.com/privacy-statement","marketplaceTermsLink":"https://mpcprodsa.blob.core.windows.net/marketplaceterms/3EDEF_marketplaceterms_AZUREAPPLICATION%253a24OF7TIMHFEMPZHRBYEO3SVLC7Q2MPXXAASJ5BO2FUY4UC6EZCN5TIL2KIGTA7WI2CSM3WV4L7QMPNRYPE2I7BOCM34RGOL3XTC6ADIMI.txt","retrieveDatetime":"2023-01-23T23:53:52.2083793Z","signature":"HO7LUGMLF2BYUTPYEHAKL3YYEYWCNJZJ74MXNUU4F7Y6UJRN34SZOS4MWA6BMSWAOF7MY5MOV4ALHGARHTU3HFMCWN4ZAX7XQBMZ5OQ","accepted":true},"systemData":{"createdBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","createdByType":"ManagedIdentity","createdAt":"2023-01-23T23:53:52.270862+00:00","lastModifiedBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","lastModifiedByType":"ManagedIdentity","lastModifiedAt":"2023-01-23T23:53:52.270862+00:00"}}' + headers: + cache-control: + - no-cache + content-length: + - '1438' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 23 Jan 2023 23:53:51 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-frame-options: + - SAMEORIGIN + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - quantum workspace create + Connection: + - keep-alive + ParameterSetName: + - -g -w -l -a -r + User-Agent: + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts?api-version=2022-09-01 + response: + body: + string: '{"value":[{"sku":{"name":"Standard_LRS","tier":"Standard"},"kind":"Storage","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2","name":"vwjonesstorage2","type":"Microsoft.Storage/storageAccounts","location":"eastus","tags":{},"properties":{"keyCreationTime":{"key1":"2021-09-21T22:04:47.1374328Z","key2":"2021-09-21T22:04:47.1374328Z"},"privateEndpointConnections":[],"minimumTlsVersion":"TLS1_0","allowBlobPublicAccess":true,"networkAcls":{"bypass":"AzureServices","virtualNetworkRules":[],"ipRules":[],"defaultAction":"Allow"},"supportsHttpsTrafficOnly":true,"encryption":{"services":{"file":{"keyType":"Account","enabled":true,"lastEnabledTime":"2021-09-21T22:04:47.1374328Z"},"blob":{"keyType":"Account","enabled":true,"lastEnabledTime":"2021-09-21T22:04:47.1374328Z"}},"keySource":"Microsoft.Storage"},"provisioningState":"Succeeded","creationTime":"2021-09-21T22:04:47.0124593Z","primaryEndpoints":{"blob":"https://vwjonesstorage2.blob.core.windows.net/","queue":"https://vwjonesstorage2.queue.core.windows.net/","table":"https://vwjonesstorage2.table.core.windows.net/","file":"https://vwjonesstorage2.file.core.windows.net/"},"primaryLocation":"eastus","statusOfPrimary":"available"}},{"sku":{"name":"Standard_LRS","tier":"Standard"},"kind":"Storage","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage3","name":"vwjonesstorage3","type":"Microsoft.Storage/storageAccounts","location":"eastus","tags":{},"properties":{"keyCreationTime":{"key1":"2022-08-11T18:41:05.2371860Z","key2":"2022-08-11T18:41:05.2371860Z"},"privateEndpointConnections":[],"minimumTlsVersion":"TLS1_0","allowBlobPublicAccess":true,"networkAcls":{"bypass":"AzureServices","virtualNetworkRules":[],"ipRules":[],"defaultAction":"Allow"},"supportsHttpsTrafficOnly":true,"encryption":{"services":{"file":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-08-11T18:41:05.2371860Z"},"blob":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-08-11T18:41:05.2371860Z"}},"keySource":"Microsoft.Storage"},"provisioningState":"Succeeded","creationTime":"2022-08-11T18:41:05.0652888Z","primaryEndpoints":{"blob":"https://vwjonesstorage3.blob.core.windows.net/","queue":"https://vwjonesstorage3.queue.core.windows.net/","table":"https://vwjonesstorage3.table.core.windows.net/","file":"https://vwjonesstorage3.file.core.windows.net/"},"primaryLocation":"eastus","statusOfPrimary":"available"}},{"sku":{"name":"Standard_LRS","tier":"Standard"},"kind":"Storage","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage33310","name":"vwjonesstorage33310","type":"Microsoft.Storage/storageAccounts","location":"eastus","tags":{},"properties":{"keyCreationTime":{"key1":"2022-12-13T02:10:06.0148695Z","key2":"2022-12-13T02:10:06.0148695Z"},"privateEndpointConnections":[],"minimumTlsVersion":"TLS1_0","allowBlobPublicAccess":true,"networkAcls":{"bypass":"AzureServices","virtualNetworkRules":[],"ipRules":[],"defaultAction":"Allow"},"supportsHttpsTrafficOnly":true,"encryption":{"services":{"file":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-12-13T02:10:06.0148695Z"},"blob":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-12-13T02:10:06.0148695Z"}},"keySource":"Microsoft.Storage"},"provisioningState":"Succeeded","creationTime":"2022-12-13T02:10:05.8273595Z","primaryEndpoints":{"blob":"https://vwjonesstorage33310.blob.core.windows.net/","queue":"https://vwjonesstorage33310.queue.core.windows.net/","table":"https://vwjonesstorage33310.table.core.windows.net/","file":"https://vwjonesstorage33310.file.core.windows.net/"},"primaryLocation":"eastus","statusOfPrimary":"available"}},{"sku":{"name":"Standard_LRS","tier":"Standard"},"kind":"Storage","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage4","name":"vwjonesstorage4","type":"Microsoft.Storage/storageAccounts","location":"westus","tags":{},"properties":{"keyCreationTime":{"key1":"2022-08-24T18:30:25.3831084Z","key2":"2022-08-24T18:30:25.3831084Z"},"privateEndpointConnections":[],"minimumTlsVersion":"TLS1_0","allowBlobPublicAccess":true,"networkAcls":{"bypass":"AzureServices","virtualNetworkRules":[],"ipRules":[],"defaultAction":"Allow"},"supportsHttpsTrafficOnly":true,"encryption":{"services":{"file":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-08-24T18:30:25.3987025Z"},"blob":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-08-24T18:30:25.3987025Z"}},"keySource":"Microsoft.Storage"},"provisioningState":"Succeeded","creationTime":"2022-08-24T18:30:25.2580954Z","primaryEndpoints":{"blob":"https://vwjonesstorage4.blob.core.windows.net/","queue":"https://vwjonesstorage4.queue.core.windows.net/","table":"https://vwjonesstorage4.table.core.windows.net/","file":"https://vwjonesstorage4.file.core.windows.net/"},"primaryLocation":"westus","statusOfPrimary":"available"}},{"sku":{"name":"Standard_LRS","tier":"Standard"},"kind":"StorageV2","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage5","name":"vwjonesstorage5","type":"Microsoft.Storage/storageAccounts","location":"westus2","tags":{},"properties":{"dnsEndpointType":"Standard","defaultToOAuthAuthentication":false,"publicNetworkAccess":"Enabled","keyCreationTime":{"key1":"2022-08-25T21:57:16.1412273Z","key2":"2022-08-25T21:57:16.1412273Z"},"allowCrossTenantReplication":true,"privateEndpointConnections":[],"minimumTlsVersion":"TLS1_2","allowBlobPublicAccess":true,"allowSharedKeyAccess":true,"networkAcls":{"bypass":"AzureServices","virtualNetworkRules":[],"ipRules":[],"defaultAction":"Allow"},"supportsHttpsTrafficOnly":true,"encryption":{"requireInfrastructureEncryption":false,"services":{"file":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-08-25T21:57:16.5630689Z"},"blob":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-08-25T21:57:16.5630689Z"}},"keySource":"Microsoft.Storage"},"accessTier":"Hot","provisioningState":"Succeeded","creationTime":"2022-08-25T21:57:16.0474739Z","primaryEndpoints":{"dfs":"https://vwjonesstorage5.dfs.core.windows.net/","web":"https://vwjonesstorage5.z5.web.core.windows.net/","blob":"https://vwjonesstorage5.blob.core.windows.net/","queue":"https://vwjonesstorage5.queue.core.windows.net/","table":"https://vwjonesstorage5.table.core.windows.net/","file":"https://vwjonesstorage5.file.core.windows.net/"},"primaryLocation":"westus2","statusOfPrimary":"available"}},{"sku":{"name":"Standard_LRS","tier":"Standard"},"kind":"Storage","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage7","name":"vwjonesstorage7","type":"Microsoft.Storage/storageAccounts","location":"eastus2euap","tags":{},"properties":{"keyCreationTime":{"key1":"2022-09-29T22:32:06.2588030Z","key2":"2022-09-29T22:32:06.2588030Z"},"allowCrossTenantReplication":false,"privateEndpointConnections":[],"minimumTlsVersion":"TLS1_0","allowBlobPublicAccess":true,"networkAcls":{"bypass":"AzureServices","virtualNetworkRules":[],"ipRules":[],"defaultAction":"Allow"},"supportsHttpsTrafficOnly":true,"encryption":{"services":{"file":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-09-29T22:32:06.7900691Z"},"blob":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-09-29T22:32:06.7900691Z"}},"keySource":"Microsoft.Storage"},"provisioningState":"Succeeded","creationTime":"2022-09-29T22:32:06.1806703Z","primaryEndpoints":{"blob":"https://vwjonesstorage7.blob.core.windows.net/","queue":"https://vwjonesstorage7.queue.core.windows.net/","table":"https://vwjonesstorage7.table.core.windows.net/","file":"https://vwjonesstorage7.file.core.windows.net/"},"primaryLocation":"eastus2euap","statusOfPrimary":"available"}},{"sku":{"name":"Standard_LRS","tier":"Standard"},"kind":"Storage","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage6","name":"vwjonesstorage6","type":"Microsoft.Storage/storageAccounts","location":"centraluseuap","tags":{},"properties":{"keyCreationTime":{"key1":"2022-09-29T22:13:05.8017810Z","key2":"2022-09-29T22:13:05.8017810Z"},"allowCrossTenantReplication":false,"privateEndpointConnections":[],"minimumTlsVersion":"TLS1_0","allowBlobPublicAccess":true,"networkAcls":{"bypass":"AzureServices","virtualNetworkRules":[],"ipRules":[],"defaultAction":"Allow"},"supportsHttpsTrafficOnly":true,"encryption":{"services":{"file":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-09-29T22:13:06.3017835Z"},"blob":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-09-29T22:13:06.3017835Z"}},"keySource":"Microsoft.Storage"},"provisioningState":"Succeeded","creationTime":"2022-09-29T22:13:05.7392784Z","primaryEndpoints":{"blob":"https://vwjonesstorage6.blob.core.windows.net/","queue":"https://vwjonesstorage6.queue.core.windows.net/","table":"https://vwjonesstorage6.table.core.windows.net/","file":"https://vwjonesstorage6.file.core.windows.net/"},"primaryLocation":"centraluseuap","statusOfPrimary":"available"}},{"sku":{"name":"Standard_LRS","tier":"Standard"},"kind":"Storage","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstoragecanary","name":"vwjonesstoragecanary","type":"Microsoft.Storage/storageAccounts","location":"centraluseuap","tags":{},"properties":{"keyCreationTime":{"key1":"2022-10-27T21:45:38.3454788Z","key2":"2022-10-27T21:45:38.3454788Z"},"allowCrossTenantReplication":false,"privateEndpointConnections":[],"minimumTlsVersion":"TLS1_0","allowBlobPublicAccess":true,"networkAcls":{"bypass":"AzureServices","virtualNetworkRules":[],"ipRules":[],"defaultAction":"Allow"},"supportsHttpsTrafficOnly":true,"encryption":{"services":{"file":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-10-27T21:45:38.3454788Z"},"blob":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-10-27T21:45:38.3454788Z"}},"keySource":"Microsoft.Storage"},"provisioningState":"Succeeded","creationTime":"2022-10-27T21:45:38.2829751Z","primaryEndpoints":{"blob":"https://vwjonesstoragecanary.blob.core.windows.net/","queue":"https://vwjonesstoragecanary.queue.core.windows.net/","table":"https://vwjonesstoragecanary.table.core.windows.net/","file":"https://vwjonesstoragecanary.file.core.windows.net/"},"primaryLocation":"centraluseuap","statusOfPrimary":"available"}}]}' + headers: + cache-control: + - no-cache + content-length: + - '10770' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 23 Jan 2023 23:53:52 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-original-request-ids: + - d5176945-61e0-4c6b-b031-eac48aca78ee + - 536008ae-bb8f-4590-99c7-4442b054332a + - e0b566c6-7e8d-4037-bec5-324e35d5de02 + - 2dd73991-6cba-4cc6-b429-0f35832064fa + - f0ce29fd-53bd-4b2e-b5a3-cc36bd92ec2c + status: + code: 200 + message: OK +- request: + body: '{"properties": {"template": {"$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", + "contentVersion": "1.0.0.0", "parameters": {"quantumWorkspaceName": {"type": + "string", "metadata": {"description": "Quantum Workspace Name"}}, "location": + {"type": "string", "metadata": {"description": "Workspace Location"}}, "tags": + {"type": "object", "defaultValue": {}, "metadata": {"description": "Tags for + this workspace"}}, "providers": {"type": "array", "metadata": {"description": + "A list of Providers for this workspace"}}, "storageAccountName": {"type": "string", + "metadata": {"description": "Storage account short name"}}, "storageAccountId": + {"type": "string", "metadata": {"description": "Storage account ID (path)"}}, + "storageAccountLocation": {"type": "string", "metadata": {"description": "Storage + account location"}}, "storageAccountSku": {"type": "string", "metadata": {"description": + "Storage account SKU"}}, "storageAccountKind": {"type": "string", "metadata": + {"description": "Kind of storage account"}}, "storageAccountDeploymentName": + {"type": "string", "metadata": {"description": "Deployment name for role assignment + operation"}}}, "functions": [], "variables": {}, "resources": [{"type": "Microsoft.Quantum/workspaces", + "apiVersion": "2019-11-04-preview", "name": "[parameters(''quantumWorkspaceName'')]", + "location": "[parameters(''location'')]", "tags": "[parameters(''tags'')]", + "identity": {"type": "SystemAssigned"}, "properties": {"providers": "[parameters(''providers'')]", + "storageAccount": "[parameters(''storageAccountId'')]"}}, {"apiVersion": "2019-10-01", + "name": "[parameters(''storageAccountDeploymentName'')]", "type": "Microsoft.Resources/deployments", + "dependsOn": ["[resourceId(''Microsoft.Quantum/Workspaces'', parameters(''quantumWorkspaceName''))]"], + "properties": {"mode": "Incremental", "template": {"$schema": "https://schema.management.azure.com/schemas/2015-01-01/deploymentTemplate.json#", + "contentVersion": "1.0.0.0", "resources": [{"apiVersion": "2019-06-01", "name": + "[parameters(''storageAccountName'')]", "location": "[parameters(''storageAccountLocation'')]", + "type": "Microsoft.Storage/storageAccounts", "sku": {"name": "[parameters(''storageAccountSku'')]"}, + "kind": "[parameters(''storageAccountKind'')]", "resources": [{"name": "default", + "type": "fileServices", "apiVersion": "2019-06-01", "dependsOn": ["[parameters(''storageAccountId'')]"], + "properties": {"cors": {"corsRules": [{"allowedOrigins": ["*"], "allowedHeaders": + ["*"], "allowedMethods": ["GET", "HEAD", "OPTIONS", "POST", "PUT"], "exposedHeaders": + ["*"], "maxAgeInSeconds": 180}]}}}]}, {"apiVersion": "2020-04-01-preview", "name": + "[concat(parameters(''storageAccountName''), ''/Microsoft.Authorization/'', + guid(reference(concat(''Microsoft.Quantum/Workspaces/'', parameters(''quantumWorkspaceName'')), + ''2019-11-04-preview'', ''Full'').identity.principalId))]", "type": "Microsoft.Storage/storageAccounts/providers/roleAssignments", + "location": "[parameters(''storageAccountLocation'')]", "properties": {"roleDefinitionId": + "[resourceId(''Microsoft.Authorization/roleDefinitions'', ''b24988ac-6180-42a0-ab88-20f7382dd24c'')]", + "principalId": "[reference(concat(''Microsoft.Quantum/Workspaces/'', parameters(''quantumWorkspaceName'')), + ''2019-11-04-preview'', ''Full'').identity.principalId]", "principalType": "ServicePrincipal"}, + "dependsOn": ["[parameters(''storageAccountId'')]"]}]}}}], "outputs": {}}, "parameters": + {"quantumWorkspaceName": {"value": "e2e-test-w9154517"}, "location": {"value": + "eastus"}, "tags": {"value": {}}, "providers": {"value": [{"providerId": "qci", + "providerSku": "qci-freepreview"}, {"providerId": "rigetti", "providerSku": + "azure-quantum-credits"}, {"providerId": "ionq", "providerSku": "pay-as-you-go-cred"}, + {"providerId": "Microsoft", "providerSku": "DZH3178M639F"}, {"providerId": "microsoft-qc", + "providerSku": "learn-and-develop"}, {"providerId": "quantinuum", "providerSku": + "credits1"}]}, "storageAccountName": {"value": "vwjonesstorage2"}, "storageAccountId": + {"value": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2"}, + "storageAccountLocation": {"value": "eastus"}, "storageAccountSku": {"value": + "Standard_LRS"}, "storageAccountKind": {"value": "Storage"}, "storageAccountDeploymentName": + {"value": "Microsoft.StorageAccount-23-Jan-2023-23-53-52"}}, "mode": "Incremental"}}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + Content-Length: + - '4407' + Content-Type: + - application/json + User-Agent: + - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment?api-version=2021-04-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/Microsoft.AzureQuantum-e2e-test-w9154517","name":"Microsoft.AzureQuantum-e2e-test-w9154517","type":"Microsoft.Resources/deployments","properties":{"templateHash":"6354453805046911057","parameters":{"quantumWorkspaceName":{"type":"String","value":"e2e-test-w9154517"},"location":{"type":"String","value":"eastus"},"tags":{"type":"Object","value":{}},"providers":{"type":"Array","value":[{"providerId":"qci","providerSku":"qci-freepreview"},{"providerId":"rigetti","providerSku":"azure-quantum-credits"},{"providerId":"ionq","providerSku":"pay-as-you-go-cred"},{"providerId":"Microsoft","providerSku":"DZH3178M639F"},{"providerId":"microsoft-qc","providerSku":"learn-and-develop"},{"providerId":"quantinuum","providerSku":"credits1"}]},"storageAccountName":{"type":"String","value":"vwjonesstorage2"},"storageAccountId":{"type":"String","value":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2"},"storageAccountLocation":{"type":"String","value":"eastus"},"storageAccountSku":{"type":"String","value":"Standard_LRS"},"storageAccountKind":{"type":"String","value":"Storage"},"storageAccountDeploymentName":{"type":"String","value":"Microsoft.StorageAccount-23-Jan-2023-23-53-52"}},"mode":"Incremental","provisioningState":"Accepted","timestamp":"2023-01-23T23:53:55.5261362Z","duration":"PT0.0000859S","correlationId":"6d789773-7724-47ae-a1c4-a7ee02bca3d6","providers":[{"namespace":"Microsoft.Quantum","resourceTypes":[{"resourceType":"workspaces","locations":["eastus"]}]},{"namespace":"Microsoft.Resources","resourceTypes":[{"resourceType":"deployments","locations":[null]}]}],"dependencies":[{"dependsOn":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/Workspaces/e2e-test-w9154517","resourceType":"Microsoft.Quantum/Workspaces","resourceName":"e2e-test-w9154517"},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517","resourceType":"Microsoft.Quantum/workspaces","resourceName":"e2e-test-w9154517","apiVersion":"2019-11-04-preview"}],"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/Microsoft.StorageAccount-23-Jan-2023-23-53-52","resourceType":"Microsoft.Resources/deployments","resourceName":"Microsoft.StorageAccount-23-Jan-2023-23-53-52"}]}}' + headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/Microsoft.AzureQuantum-e2e-test-w9154517/operationStatuses/08585270888509999263?api-version=2021-04-01 + cache-control: + - no-cache + content-length: + - '2607' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 23 Jan 2023 23:53:55 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-writes: + - '1199' + status: + code: 201 + message: Created +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + User-Agent: + - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585270888509999263?api-version=2021-04-01 + response: + body: + string: '{"status":"Running"}' + headers: + cache-control: + - no-cache + content-length: + - '20' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 23 Jan 2023 23:53:55 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + User-Agent: + - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585270888509999263?api-version=2021-04-01 + response: + body: + string: '{"status":"Running"}' + headers: + cache-control: + - no-cache + content-length: + - '20' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 23 Jan 2023 23:54:25 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + User-Agent: + - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585270888509999263?api-version=2021-04-01 + response: + body: + string: '{"status":"Running"}' + headers: + cache-control: + - no-cache + content-length: + - '20' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 23 Jan 2023 23:54:56 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + User-Agent: + - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585270888509999263?api-version=2021-04-01 + response: + body: + string: '{"status":"Running"}' + headers: + cache-control: + - no-cache + content-length: + - '20' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 23 Jan 2023 23:55:25 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + User-Agent: + - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585270888509999263?api-version=2021-04-01 + response: + body: + string: '{"status":"Running"}' + headers: + cache-control: + - no-cache + content-length: + - '20' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 23 Jan 2023 23:55:55 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + User-Agent: + - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585270888509999263?api-version=2021-04-01 + response: + body: + string: '{"status":"Running"}' + headers: + cache-control: + - no-cache + content-length: + - '20' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 23 Jan 2023 23:56:25 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + User-Agent: + - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585270888509999263?api-version=2021-04-01 + response: + body: + string: '{"status":"Running"}' + headers: + cache-control: + - no-cache + content-length: + - '20' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 23 Jan 2023 23:56:55 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + User-Agent: + - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585270888509999263?api-version=2021-04-01 + response: + body: + string: '{"status":"Running"}' + headers: + cache-control: + - no-cache + content-length: + - '20' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 23 Jan 2023 23:57:26 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + User-Agent: + - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585270888509999263?api-version=2021-04-01 + response: + body: + string: '{"status":"Running"}' + headers: + cache-control: + - no-cache + content-length: + - '20' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 23 Jan 2023 23:57:56 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + User-Agent: + - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585270888509999263?api-version=2021-04-01 + response: + body: + string: '{"status":"Running"}' + headers: + cache-control: + - no-cache + content-length: + - '20' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 23 Jan 2023 23:58:26 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + User-Agent: + - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585270888509999263?api-version=2021-04-01 + response: + body: + string: '{"status":"Running"}' + headers: + cache-control: + - no-cache + content-length: + - '20' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 23 Jan 2023 23:58:56 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + User-Agent: + - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585270888509999263?api-version=2021-04-01 + response: + body: + string: '{"status":"Running"}' + headers: + cache-control: + - no-cache + content-length: + - '20' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 23 Jan 2023 23:59:26 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + User-Agent: + - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585270888509999263?api-version=2021-04-01 + response: + body: + string: '{"status":"Running"}' + headers: + cache-control: + - no-cache + content-length: + - '20' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 23 Jan 2023 23:59:56 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + User-Agent: + - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585270888509999263?api-version=2021-04-01 + response: + body: + string: '{"status":"Running"}' + headers: + cache-control: + - no-cache + content-length: + - '20' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 24 Jan 2023 00:00:26 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + User-Agent: + - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585270888509999263?api-version=2021-04-01 + response: + body: + string: '{"status":"Succeeded"}' + headers: + cache-control: + - no-cache + content-length: + - '22' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 24 Jan 2023 00:00:57 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + User-Agent: + - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment?api-version=2021-04-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/Microsoft.AzureQuantum-e2e-test-w9154517","name":"Microsoft.AzureQuantum-e2e-test-w9154517","type":"Microsoft.Resources/deployments","properties":{"templateHash":"6354453805046911057","parameters":{"quantumWorkspaceName":{"type":"String","value":"e2e-test-w9154517"},"location":{"type":"String","value":"eastus"},"tags":{"type":"Object","value":{}},"providers":{"type":"Array","value":[{"providerId":"qci","providerSku":"qci-freepreview"},{"providerId":"rigetti","providerSku":"azure-quantum-credits"},{"providerId":"ionq","providerSku":"pay-as-you-go-cred"},{"providerId":"Microsoft","providerSku":"DZH3178M639F"},{"providerId":"microsoft-qc","providerSku":"learn-and-develop"},{"providerId":"quantinuum","providerSku":"credits1"}]},"storageAccountName":{"type":"String","value":"vwjonesstorage2"},"storageAccountId":{"type":"String","value":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2"},"storageAccountLocation":{"type":"String","value":"eastus"},"storageAccountSku":{"type":"String","value":"Standard_LRS"},"storageAccountKind":{"type":"String","value":"Storage"},"storageAccountDeploymentName":{"type":"String","value":"Microsoft.StorageAccount-23-Jan-2023-23-53-52"}},"mode":"Incremental","provisioningState":"Succeeded","timestamp":"2023-01-24T00:00:46.1976076Z","duration":"PT6M50.6715573S","correlationId":"6d789773-7724-47ae-a1c4-a7ee02bca3d6","providers":[{"namespace":"Microsoft.Quantum","resourceTypes":[{"resourceType":"workspaces","locations":["eastus"]}]},{"namespace":"Microsoft.Resources","resourceTypes":[{"resourceType":"deployments","locations":[null]}]}],"dependencies":[{"dependsOn":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/Workspaces/e2e-test-w9154517","resourceType":"Microsoft.Quantum/Workspaces","resourceName":"e2e-test-w9154517"},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517","resourceType":"Microsoft.Quantum/workspaces","resourceName":"e2e-test-w9154517","apiVersion":"2019-11-04-preview"}],"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/Microsoft.StorageAccount-23-Jan-2023-23-53-52","resourceType":"Microsoft.Resources/deployments","resourceName":"Microsoft.StorageAccount-23-Jan-2023-23-53-52"}],"outputs":{},"outputResources":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517"},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2"},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2/fileServices/default"},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2/providers/Microsoft.Authorization/roleAssignments/d550c41b-4c5d-5b1b-9b5c-059d9eb63549"}]}}' + headers: + cache-control: + - no-cache + content-length: + - '3345' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 24 Jan 2023 00:00:57 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - quantum workspace set + Connection: + - keep-alive + ParameterSetName: + - -g -w -l + User-Agent: + - AZURECLI/2.44.1 azsdk-python-mgmt-quantum/1.0.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + az-cli-ext/0.17.0.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517?api-version=2022-01-10-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517","name":"e2e-test-w9154517","type":"microsoft.quantum/workspaces","location":"eastus","tags":{},"systemData":{"createdBy":"v-wjones@microsoft.com","createdByType":"User","createdAt":"2023-01-23T23:53:56.9639159Z","lastModifiedBy":"v-wjones@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-23T23:53:56.9639159Z"},"identity":{"principalId":"75b04db9-f07d-49f2-b05e-c8150e586215","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned"},"properties":{"providers":[{"providerId":"qci","providerSku":"qci-freepreview","applicationName":"e2e-test-w9154517-qci","provisioningState":"Succeeded"},{"providerId":"rigetti","providerSku":"azure-quantum-credits","applicationName":"e2e-test-w9154517-rigetti","provisioningState":"Succeeded","resourceUsageId":"7964fd5b-f302-4c93-bf64-d458ff733112"},{"providerId":"ionq","providerSku":"pay-as-you-go-cred","applicationName":"e2e-test-w9154517-ionq","provisioningState":"Succeeded","resourceUsageId":"71b0823e-8eab-4e92-a036-28d137c0c498"},{"providerId":"Microsoft","providerSku":"DZH3178M639F","applicationName":"e2e-test-w9154517-Microsoft","provisioningState":"Succeeded"},{"providerId":"microsoft-qc","providerSku":"learn-and-develop","applicationName":"e2e-test-w9154517-microsoft-qc","provisioningState":"Succeeded"},{"providerId":"quantinuum","providerSku":"credits1","applicationName":"e2e-test-w9154517-quantinuum","provisioningState":"Succeeded","resourceUsageId":"be341c87-5098-487f-b767-5a091fa55d3b"}],"provisioningState":"Succeeded","usable":"Yes","storageAccount":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2","endpointUri":"https://e2e-test-w9154517.eastus.quantum.azure.com"}}' + headers: + cache-control: + - no-cache + content-length: + - '1906' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 24 Jan 2023 00:01:00 GMT + etag: + - '"45004ef6-0000-0100-0000-63cf1f980000"' + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-providerhub-traffic: + - 'True' + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + User-Agent: + - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/providerStatus + response: + body: + string: '{"value":[{"id":"qci","currentAvailability":"Degraded","targets":[{"id":"qci.simulator","currentAvailability":"Available","averageQueueTime":1,"statusPage":"https://quantumcircuits.com"},{"id":"qci.machine1","currentAvailability":"Unavailable","averageQueueTime":1,"statusPage":"https://quantumcircuits.com"},{"id":"qci.simulator.noisy","currentAvailability":"Available","averageQueueTime":0,"statusPage":"https://quantumcircuits.com"}]},{"id":"rigetti","currentAvailability":"Degraded","targets":[{"id":"rigetti.sim.qvm","currentAvailability":"Available","averageQueueTime":5,"statusPage":"https://rigetti.statuspage.io/"},{"id":"rigetti.qpu.aspen-11","currentAvailability":"Unavailable","averageQueueTime":0,"statusPage":null},{"id":"rigetti.qpu.aspen-m-2","currentAvailability":"Available","averageQueueTime":5,"statusPage":"https://rigetti.statuspage.io/"},{"id":"rigetti.qpu.aspen-m-3","currentAvailability":"Available","averageQueueTime":5,"statusPage":"https://rigetti.statuspage.io/"}]},{"id":"ionq","currentAvailability":"Available","targets":[{"id":"ionq.qpu","currentAvailability":"Available","averageQueueTime":66466,"statusPage":"https://status.ionq.co"},{"id":"ionq.qpu.aria-1","currentAvailability":"Available","averageQueueTime":1029551,"statusPage":"https://status.ionq.co"},{"id":"ionq.simulator","currentAvailability":"Available","averageQueueTime":2,"statusPage":"https://status.ionq.co"}]},{"id":"Microsoft","currentAvailability":"Available","targets":[{"id":"microsoft.paralleltempering-parameterfree.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.paralleltempering.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.simulatedannealing-parameterfree.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.simulatedannealing.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.tabu-parameterfree.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.tabu.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.qmc.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.populationannealing.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.populationannealing-parameterfree.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.substochasticmontecarlo.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.substochasticmontecarlo-parameterfree.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null}]},{"id":"microsoft-qc","currentAvailability":"Available","targets":[{"id":"microsoft.estimator","currentAvailability":"Available","averageQueueTime":0,"statusPage":null}]},{"id":"quantinuum","currentAvailability":"Degraded","targets":[{"id":"quantinuum.hqs-lt-s1","currentAvailability":"Degraded","averageQueueTime":777,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt-s1-apival","currentAvailability":"Available","averageQueueTime":2,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt-s2","currentAvailability":"Unavailable","averageQueueTime":0,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt-s2-apival","currentAvailability":"Available","averageQueueTime":0,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt-s1-sim","currentAvailability":"Available","averageQueueTime":1061,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt-s2-sim","currentAvailability":"Available","averageQueueTime":29,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt","currentAvailability":"Degraded","averageQueueTime":0,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.qpu.h1-1","currentAvailability":"Degraded","averageQueueTime":777,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.sim.h1-1sc","currentAvailability":"Available","averageQueueTime":2,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.qpu.h1-2","currentAvailability":"Unavailable","averageQueueTime":0,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.sim.h1-2sc","currentAvailability":"Available","averageQueueTime":0,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.sim.h1-1e","currentAvailability":"Available","averageQueueTime":1061,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.sim.h1-2e","currentAvailability":"Available","averageQueueTime":29,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.qpu.h1","currentAvailability":"Unavailable","averageQueueTime":0,"statusPage":null}]}],"nextLink":null}' + headers: + connection: + - keep-alive + content-length: + - '4971' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 24 Jan 2023 00:01:01 GMT + mise-correlation-id: + - bda7e6d7-9cbb-4081-acac-947286838bdf + request-context: + - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f + server: + - Microsoft-IIS/10.0 + set-cookie: + - ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc; Path=/; SameSite=None; + Secure + - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; Path=/ + - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + strict-transport-security: + - max-age=2592000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - quantum run + Connection: + - keep-alive + ParameterSetName: + - -t --job-input-format -t --job-input-file --job-output-format -o + User-Agent: + - AZURECLI/2.44.1 azsdk-python-mgmt-quantum/1.0.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + az-cli-ext/0.17.0.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517?api-version=2022-01-10-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517","name":"e2e-test-w9154517","type":"microsoft.quantum/workspaces","location":"eastus","tags":{},"systemData":{"createdBy":"v-wjones@microsoft.com","createdByType":"User","createdAt":"2023-01-23T23:53:56.9639159Z","lastModifiedBy":"v-wjones@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-23T23:53:56.9639159Z"},"identity":{"principalId":"75b04db9-f07d-49f2-b05e-c8150e586215","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned"},"properties":{"providers":[{"providerId":"qci","providerSku":"qci-freepreview","applicationName":"e2e-test-w9154517-qci","provisioningState":"Succeeded"},{"providerId":"rigetti","providerSku":"azure-quantum-credits","applicationName":"e2e-test-w9154517-rigetti","provisioningState":"Succeeded","resourceUsageId":"7964fd5b-f302-4c93-bf64-d458ff733112"},{"providerId":"ionq","providerSku":"pay-as-you-go-cred","applicationName":"e2e-test-w9154517-ionq","provisioningState":"Succeeded","resourceUsageId":"71b0823e-8eab-4e92-a036-28d137c0c498"},{"providerId":"Microsoft","providerSku":"DZH3178M639F","applicationName":"e2e-test-w9154517-Microsoft","provisioningState":"Succeeded"},{"providerId":"microsoft-qc","providerSku":"learn-and-develop","applicationName":"e2e-test-w9154517-microsoft-qc","provisioningState":"Succeeded"},{"providerId":"quantinuum","providerSku":"credits1","applicationName":"e2e-test-w9154517-quantinuum","provisioningState":"Succeeded","resourceUsageId":"be341c87-5098-487f-b767-5a091fa55d3b"}],"provisioningState":"Succeeded","usable":"Yes","storageAccount":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2","endpointUri":"https://e2e-test-w9154517.eastus.quantum.azure.com"}}' + headers: + cache-control: + - no-cache + content-length: + - '1906' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 24 Jan 2023 00:01:01 GMT + etag: + - '"45004ef6-0000-0100-0000-63cf1f980000"' + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-providerhub-traffic: + - 'True' + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - quantum run + Connection: + - keep-alive + Content-Length: + - '0' + ParameterSetName: + - -t --job-input-format -t --job-input-file --job-output-format -o + User-Agent: + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2/listKeys?api-version=2022-09-01&$expand=kerb + response: + body: + string: '{"keys":[{"creationTime":"2021-09-21T22:04:47.1374328Z","keyName":"key1","value":"veryFakedStorageAccountKey==","permissions":"FULL"},{"creationTime":"2021-09-21T22:04:47.1374328Z","keyName":"key2","value":"veryFakedStorageAccountKey==","permissions":"FULL"}]}' + headers: + cache-control: + - no-cache + content-length: + - '260' + content-type: + - application/json + date: + - Tue, 24 Jan 2023 00:01:02 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '11999' + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - quantum run + Connection: + - keep-alive + ParameterSetName: + - -t --job-input-format -t --job-input-file --job-output-format -o + User-Agent: + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2?api-version=2022-09-01 + response: + body: + string: '{"sku":{"name":"Standard_LRS","tier":"Standard"},"kind":"Storage","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2","name":"vwjonesstorage2","type":"Microsoft.Storage/storageAccounts","location":"eastus","tags":{},"properties":{"keyCreationTime":{"key1":"2021-09-21T22:04:47.1374328Z","key2":"2021-09-21T22:04:47.1374328Z"},"privateEndpointConnections":[],"minimumTlsVersion":"TLS1_0","allowBlobPublicAccess":true,"networkAcls":{"bypass":"AzureServices","virtualNetworkRules":[],"ipRules":[],"defaultAction":"Allow"},"supportsHttpsTrafficOnly":true,"encryption":{"services":{"file":{"keyType":"Account","enabled":true,"lastEnabledTime":"2021-09-21T22:04:47.1374328Z"},"blob":{"keyType":"Account","enabled":true,"lastEnabledTime":"2021-09-21T22:04:47.1374328Z"}},"keySource":"Microsoft.Storage"},"provisioningState":"Succeeded","creationTime":"2021-09-21T22:04:47.0124593Z","primaryEndpoints":{"blob":"https://vwjonesstorage2.blob.core.windows.net/","queue":"https://vwjonesstorage2.queue.core.windows.net/","table":"https://vwjonesstorage2.table.core.windows.net/","file":"https://vwjonesstorage2.file.core.windows.net/"},"primaryLocation":"eastus","statusOfPrimary":"available"}}' + headers: + cache-control: + - no-cache + content-length: + - '1277' + content-type: + - application/json + date: + - Tue, 24 Jan 2023 00:01:02 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/xml + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + User-Agent: + - azsdk-python-storage-blob/12.14.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + x-ms-date: + - Tue, 24 Jan 2023 00:01:02 GMT + x-ms-version: + - '2021-08-06' + method: GET + uri: https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04?restype=container + response: + body: + string: "\uFEFFContainerNotFoundThe + specified container does not exist.\nRequestId:9b5c8450-101e-0022-2a86-2f8712000000\nTime:2023-01-24T00:01:03.2610959Z" + headers: + content-length: + - '223' + content-type: + - application/xml + date: + - Tue, 24 Jan 2023 00:01:02 GMT + server: + - Windows-Azure-Blob/1.0 Microsoft-HTTPAPI/2.0 + x-ms-error-code: + - ContainerNotFound + x-ms-version: + - '2021-08-06' + status: + code: 404 + message: The specified container does not exist. +- request: + body: null + headers: + Accept: + - application/xml + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + Content-Length: + - '0' + User-Agent: + - azsdk-python-storage-blob/12.14.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + x-ms-date: + - Tue, 24 Jan 2023 00:01:03 GMT + x-ms-version: + - '2021-08-06' + method: PUT + uri: https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04?restype=container + response: + body: + string: '' + headers: + content-length: + - '0' + date: + - Tue, 24 Jan 2023 00:01:03 GMT + etag: + - '"0x8DAFD9E157DC471"' + last-modified: + - Tue, 24 Jan 2023 00:01:03 GMT + server: + - Windows-Azure-Blob/1.0 Microsoft-HTTPAPI/2.0 + x-ms-version: + - '2021-08-06' + status: + code: 201 + message: Created +- request: + body: null + headers: + Accept: + - application/xml + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + User-Agent: + - azsdk-python-storage-blob/12.14.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + x-ms-date: + - Tue, 24 Jan 2023 00:01:03 GMT + x-ms-version: + - '2021-08-06' + method: GET + uri: https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04?restype=container + response: + body: + string: '' + headers: + content-length: + - '0' + date: + - Tue, 24 Jan 2023 00:01:03 GMT + etag: + - '"0x8DAFD9E157DC471"' + last-modified: + - Tue, 24 Jan 2023 00:01:03 GMT + server: + - Windows-Azure-Blob/1.0 Microsoft-HTTPAPI/2.0 + x-ms-default-encryption-scope: + - $account-encryption-key + x-ms-deny-encryption-scope-override: + - 'false' + x-ms-has-immutability-policy: + - 'false' + x-ms-has-legal-hold: + - 'false' + x-ms-immutable-storage-with-versioning-enabled: + - 'false' + x-ms-lease-state: + - available + x-ms-lease-status: + - unlocked + x-ms-version: + - '2021-08-06' + status: + code: 200 + message: OK +- request: + body: "DECLARE ro BIT[2]\r\n\r\nH 0\r\nCNOT 0 1\r\n\r\nMEASURE 0 ro[0]\r\nMEASURE + 1 ro[1]" + headers: + Accept: + - application/xml + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + Content-Length: + - '70' + Content-Type: + - application/octet-stream + If-None-Match: + - '*' + User-Agent: + - azsdk-python-storage-blob/12.14.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + x-ms-blob-type: + - BlockBlob + x-ms-date: + - Tue, 24 Jan 2023 00:01:03 GMT + x-ms-version: + - '2021-08-06' + method: PUT + uri: https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/inputData + response: + body: + string: '' + headers: + content-length: + - '0' + content-md5: + - wBue1+6CQmWpgL5BeUu42Q== + date: + - Tue, 24 Jan 2023 00:01:03 GMT + etag: + - '"0x8DAFD9E15A4582B"' + last-modified: + - Tue, 24 Jan 2023 00:01:03 GMT + server: + - Windows-Azure-Blob/1.0 Microsoft-HTTPAPI/2.0 + x-ms-content-crc64: + - csHCMZWsMR0= + x-ms-request-server-encrypted: + - 'true' + x-ms-version: + - '2021-08-06' + status: + code: 201 + message: Created +- request: + body: '{"containerUri": "https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04", + "inputDataFormat": "rigetti.quil.v1", "inputParams": {}, "providerId": "rigetti", + "target": "rigetti.sim.qvm", "outputDataFormat": "rigetti.quil-results.v1", + "tags": []}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + Content-Length: + - '284' + Content-Type: + - application/json + User-Agent: + - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: PUT + uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/jobs/9299af19-149b-473f-b0c7-caa21f832a04 + response: + body: + string: '{"containerUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04","inputDataUri":"https://vwjonesstorage2.blob.core.windows.net:443/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/inputData","inputDataFormat":"rigetti.quil.v1","inputParams":{},"metadata":null,"sessionId":null,"status":"Waiting","jobType":"Unknown","outputDataFormat":"rigetti.quil-results.v1","outputDataUri":"https://vwjonesstorage2.blob.core.windows.net:443/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/outputData","beginExecutionTime":null,"cancellationTime":null,"quantumComputingData":null,"errorData":null,"isCancelling":false,"tags":[],"name":null,"id":"9299af19-149b-473f-b0c7-caa21f832a04","providerId":"rigetti","target":"rigetti.sim.qvm","creationTime":"2023-01-24T00:01:04.0381633+00:00","endExecutionTime":null,"costEstimate":null,"itemType":"Job"}' + headers: + connection: + - keep-alive + content-length: + - '881' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 24 Jan 2023 00:01:04 GMT + mise-correlation-id: + - 5283d66c-2dba-4eff-aeda-c8e7b85c8b07 + request-context: + - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f + server: + - Microsoft-IIS/10.0 + set-cookie: + - ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc; Path=/; SameSite=None; + Secure + - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; Path=/ + - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + strict-transport-security: + - max-age=2592000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + User-Agent: + - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/jobs/9299af19-149b-473f-b0c7-caa21f832a04 + response: + body: + string: '{"containerUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04","inputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/inputData?sv=2019-07-07&sr=b&sig=196l3rto%2FiErsoNKNuu3kdSa8bBExnzC0san3TA%2Bv78%3D&se=2023-01-28T00%3A01%3A05Z&sp=r&rscd=attachment%3B%20filename%3Djob-9299af19-149b-473f-b0c7-caa21f832a04.input.json","inputDataFormat":"rigetti.quil.v1","inputParams":{},"metadata":null,"sessionId":null,"status":"Waiting","jobType":"Unknown","outputDataFormat":"rigetti.quil-results.v1","outputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/outputData?sv=2019-07-07&sr=b&sig=6aEX01kamP55lVCPYWgx4xKkIzxZKK0Za%2B%2Bc0U9vqEs%3D&se=2023-01-28T00%3A01%3A05Z&sp=r&rscd=attachment%3B%20filename%3Djob-9299af19-149b-473f-b0c7-caa21f832a04.output.json","beginExecutionTime":null,"cancellationTime":null,"quantumComputingData":null,"errorData":null,"isCancelling":false,"tags":[],"name":null,"id":"9299af19-149b-473f-b0c7-caa21f832a04","providerId":"rigetti","target":"rigetti.sim.qvm","creationTime":"2023-01-24T00:01:04.0381633+00:00","endExecutionTime":null,"costEstimate":null,"itemType":"Job"}' + headers: + connection: + - keep-alive + content-length: + - '1256' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 24 Jan 2023 00:01:05 GMT + mise-correlation-id: + - 4d8cffd1-9ba4-4ff5-b2df-8e8861d4ef2c + request-context: + - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f + server: + - Microsoft-IIS/10.0 + set-cookie: + - ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc; Path=/; SameSite=None; + Secure + - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; Path=/ + - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + strict-transport-security: + - max-age=2592000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + Cookie: + - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc + User-Agent: + - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/jobs/9299af19-149b-473f-b0c7-caa21f832a04 + response: + body: + string: '{"containerUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04","inputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/inputData?sv=2019-07-07&sr=b&sig=32jhKNasct4oafX1D1LRMQ%2F90fYGK65Bao%2BOI64QJlg%3D&se=2023-01-28T00%3A01%3A06Z&sp=r&rscd=attachment%3B%20filename%3Djob-9299af19-149b-473f-b0c7-caa21f832a04.input.json","inputDataFormat":"rigetti.quil.v1","inputParams":{},"metadata":null,"sessionId":null,"status":"Waiting","jobType":"QuantumComputing","outputDataFormat":"rigetti.quil-results.v1","outputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/outputData?sv=2019-07-07&sr=b&sig=rmlQYOTTlqmLx9yThReHBUlT0W0POCKXabUIOik1TwQ%3D&se=2023-01-28T00%3A01%3A06Z&sp=r&rscd=attachment%3B%20filename%3Djob-9299af19-149b-473f-b0c7-caa21f832a04.output.json","beginExecutionTime":null,"cancellationTime":null,"quantumComputingData":{"count":1},"errorData":null,"isCancelling":false,"tags":[],"name":null,"id":"9299af19-149b-473f-b0c7-caa21f832a04","providerId":"rigetti","target":"rigetti.sim.qvm","creationTime":"2023-01-24T00:01:04.0381633+00:00","endExecutionTime":null,"costEstimate":null,"itemType":"Job"}' + headers: + connection: + - keep-alive + content-length: + - '1268' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 24 Jan 2023 00:01:06 GMT + mise-correlation-id: + - a2216388-802d-4d91-9fbb-573b18929d54 + request-context: + - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f + server: + - Microsoft-IIS/10.0 + set-cookie: + - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + strict-transport-security: + - max-age=2592000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + Cookie: + - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc + User-Agent: + - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/jobs/9299af19-149b-473f-b0c7-caa21f832a04 + response: + body: + string: '{"containerUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04","inputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/inputData?sv=2019-07-07&sr=b&sig=32jhKNasct4oafX1D1LRMQ%2F90fYGK65Bao%2BOI64QJlg%3D&se=2023-01-28T00%3A01%3A06Z&sp=r&rscd=attachment%3B%20filename%3Djob-9299af19-149b-473f-b0c7-caa21f832a04.input.json","inputDataFormat":"rigetti.quil.v1","inputParams":{},"metadata":null,"sessionId":null,"status":"Waiting","jobType":"QuantumComputing","outputDataFormat":"rigetti.quil-results.v1","outputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/outputData?sv=2019-07-07&sr=b&sig=rmlQYOTTlqmLx9yThReHBUlT0W0POCKXabUIOik1TwQ%3D&se=2023-01-28T00%3A01%3A06Z&sp=r&rscd=attachment%3B%20filename%3Djob-9299af19-149b-473f-b0c7-caa21f832a04.output.json","beginExecutionTime":null,"cancellationTime":null,"quantumComputingData":{"count":1},"errorData":null,"isCancelling":false,"tags":[],"name":null,"id":"9299af19-149b-473f-b0c7-caa21f832a04","providerId":"rigetti","target":"rigetti.sim.qvm","creationTime":"2023-01-24T00:01:04.0381633+00:00","endExecutionTime":null,"costEstimate":null,"itemType":"Job"}' + headers: + connection: + - keep-alive + content-length: + - '1268' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 24 Jan 2023 00:01:06 GMT + mise-correlation-id: + - be00132a-e76e-4455-ab6a-623f4a8e864a + request-context: + - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f + server: + - Microsoft-IIS/10.0 + set-cookie: + - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + strict-transport-security: + - max-age=2592000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + Cookie: + - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc + User-Agent: + - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/jobs/9299af19-149b-473f-b0c7-caa21f832a04 + response: + body: + string: '{"containerUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04","inputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/inputData?sv=2019-07-07&sr=b&sig=iERZEPoIeZnQyIXFoxbWbJpLeAFL%2BF2yyElhYzzFlqE%3D&se=2023-01-28T00%3A01%3A07Z&sp=r&rscd=attachment%3B%20filename%3Djob-9299af19-149b-473f-b0c7-caa21f832a04.input.json","inputDataFormat":"rigetti.quil.v1","inputParams":{},"metadata":null,"sessionId":null,"status":"Waiting","jobType":"QuantumComputing","outputDataFormat":"rigetti.quil-results.v1","outputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/outputData?sv=2019-07-07&sr=b&sig=qbF6QCTF89gqkSioQ8UXR31qWZsGi4ILWUHCEYfsjvs%3D&se=2023-01-28T00%3A01%3A07Z&sp=r&rscd=attachment%3B%20filename%3Djob-9299af19-149b-473f-b0c7-caa21f832a04.output.json","beginExecutionTime":null,"cancellationTime":null,"quantumComputingData":{"count":1},"errorData":null,"isCancelling":false,"tags":[],"name":null,"id":"9299af19-149b-473f-b0c7-caa21f832a04","providerId":"rigetti","target":"rigetti.sim.qvm","creationTime":"2023-01-24T00:01:04.0381633+00:00","endExecutionTime":null,"costEstimate":null,"itemType":"Job"}' + headers: + connection: + - keep-alive + content-length: + - '1266' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 24 Jan 2023 00:01:07 GMT + mise-correlation-id: + - 358e59c4-1dfc-46c8-be90-16092d0b61b2 + request-context: + - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f + server: + - Microsoft-IIS/10.0 + set-cookie: + - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + strict-transport-security: + - max-age=2592000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + Cookie: + - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc + User-Agent: + - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/jobs/9299af19-149b-473f-b0c7-caa21f832a04 + response: + body: + string: '{"containerUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04","inputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/inputData?sv=2019-07-07&sr=b&sig=iERZEPoIeZnQyIXFoxbWbJpLeAFL%2BF2yyElhYzzFlqE%3D&se=2023-01-28T00%3A01%3A07Z&sp=r&rscd=attachment%3B%20filename%3Djob-9299af19-149b-473f-b0c7-caa21f832a04.input.json","inputDataFormat":"rigetti.quil.v1","inputParams":{},"metadata":null,"sessionId":null,"status":"Waiting","jobType":"QuantumComputing","outputDataFormat":"rigetti.quil-results.v1","outputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/outputData?sv=2019-07-07&sr=b&sig=qbF6QCTF89gqkSioQ8UXR31qWZsGi4ILWUHCEYfsjvs%3D&se=2023-01-28T00%3A01%3A07Z&sp=r&rscd=attachment%3B%20filename%3Djob-9299af19-149b-473f-b0c7-caa21f832a04.output.json","beginExecutionTime":null,"cancellationTime":null,"quantumComputingData":{"count":1},"errorData":null,"isCancelling":false,"tags":[],"name":null,"id":"9299af19-149b-473f-b0c7-caa21f832a04","providerId":"rigetti","target":"rigetti.sim.qvm","creationTime":"2023-01-24T00:01:04.0381633+00:00","endExecutionTime":null,"costEstimate":null,"itemType":"Job"}' + headers: + connection: + - keep-alive + content-length: + - '1266' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 24 Jan 2023 00:01:07 GMT + mise-correlation-id: + - 7c4070b2-07b5-4812-a9e8-425476aa1270 + request-context: + - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f + server: + - Microsoft-IIS/10.0 + set-cookie: + - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + strict-transport-security: + - max-age=2592000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + Cookie: + - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc + User-Agent: + - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/jobs/9299af19-149b-473f-b0c7-caa21f832a04 + response: + body: + string: '{"containerUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04","inputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/inputData?sv=2019-07-07&sr=b&sig=q9afTepaJL8V8nkrL40XzXwyU1%2FXZfA4q7UR774Muds%3D&se=2023-01-28T00%3A01%3A08Z&sp=r&rscd=attachment%3B%20filename%3Djob-9299af19-149b-473f-b0c7-caa21f832a04.input.json","inputDataFormat":"rigetti.quil.v1","inputParams":{},"metadata":null,"sessionId":null,"status":"Executing","jobType":"QuantumComputing","outputDataFormat":"rigetti.quil-results.v1","outputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/outputData?sv=2019-07-07&sr=b&sig=ojIT3zvEC43DvcfzETIdy%2FFwQzXREszQEFObgQIqdLo%3D&se=2023-01-28T00%3A01%3A08Z&sp=r&rscd=attachment%3B%20filename%3Djob-9299af19-149b-473f-b0c7-caa21f832a04.output.json","beginExecutionTime":"2023-01-24T00:01:08.6533255Z","cancellationTime":null,"quantumComputingData":{"count":1},"errorData":null,"isCancelling":false,"tags":[],"name":null,"id":"9299af19-149b-473f-b0c7-caa21f832a04","providerId":"rigetti","target":"rigetti.sim.qvm","creationTime":"2023-01-24T00:01:04.0381633+00:00","endExecutionTime":null,"costEstimate":null,"itemType":"Job"}' + headers: + connection: + - keep-alive + content-length: + - '1296' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 24 Jan 2023 00:01:08 GMT + mise-correlation-id: + - 580fc7a1-c48a-47d2-929d-bb7d743e2560 + request-context: + - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f + server: + - Microsoft-IIS/10.0 + set-cookie: + - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + strict-transport-security: + - max-age=2592000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + Cookie: + - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc + User-Agent: + - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/jobs/9299af19-149b-473f-b0c7-caa21f832a04 + response: + body: + string: '{"containerUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04","inputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/inputData?sv=2019-07-07&sr=b&sig=A3ThuTTbxno215AB%2BtQfEyoSBNR27jZpIwWJJdllNH4%3D&se=2023-01-28T00%3A01%3A10Z&sp=r&rscd=attachment%3B%20filename%3Djob-9299af19-149b-473f-b0c7-caa21f832a04.input.json","inputDataFormat":"rigetti.quil.v1","inputParams":{},"metadata":null,"sessionId":null,"status":"Executing","jobType":"QuantumComputing","outputDataFormat":"rigetti.quil-results.v1","outputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/outputData?sv=2019-07-07&sr=b&sig=bvfmXKugkelgIiXAwfU6WT7sjKgNsaG4meMb4WQ3C7g%3D&se=2023-01-28T00%3A01%3A10Z&sp=r&rscd=attachment%3B%20filename%3Djob-9299af19-149b-473f-b0c7-caa21f832a04.output.json","beginExecutionTime":"2023-01-24T00:01:08.6533255Z","cancellationTime":null,"quantumComputingData":{"count":1},"errorData":null,"isCancelling":false,"tags":[],"name":null,"id":"9299af19-149b-473f-b0c7-caa21f832a04","providerId":"rigetti","target":"rigetti.sim.qvm","creationTime":"2023-01-24T00:01:04.0381633+00:00","endExecutionTime":null,"costEstimate":null,"itemType":"Job"}' + headers: + connection: + - keep-alive + content-length: + - '1294' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 24 Jan 2023 00:01:10 GMT + mise-correlation-id: + - 9acb306b-e91f-4684-b5b3-cd462d80548e + request-context: + - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f + server: + - Microsoft-IIS/10.0 + set-cookie: + - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + strict-transport-security: + - max-age=2592000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + Cookie: + - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc + User-Agent: + - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/jobs/9299af19-149b-473f-b0c7-caa21f832a04 + response: + body: + string: '{"containerUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04","inputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/inputData?sv=2019-07-07&sr=b&sig=X%2Bl1cJa246nD0qBNUYTFYLuh0K2PdGwW2zi1ZFoRT9U%3D&se=2023-01-28T00%3A01%3A12Z&sp=r&rscd=attachment%3B%20filename%3Djob-9299af19-149b-473f-b0c7-caa21f832a04.input.json","inputDataFormat":"rigetti.quil.v1","inputParams":{},"metadata":null,"sessionId":null,"status":"Succeeded","jobType":"QuantumComputing","outputDataFormat":"rigetti.quil-results.v1","outputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/rawOutputData?sv=2019-07-07&sr=b&sig=X99ZpReiJbIfvzFaKDDau9lt7b%2BdXrWxVMoUBJ%2FXsoU%3D&se=2023-01-28T00%3A01%3A12Z&sp=r&rscd=attachment%3B%20filename%3Djob-9299af19-149b-473f-b0c7-caa21f832a04.output.json","beginExecutionTime":"2023-01-24T00:01:08.6533255Z","cancellationTime":null,"quantumComputingData":{"count":1},"errorData":null,"isCancelling":false,"tags":[],"name":null,"id":"9299af19-149b-473f-b0c7-caa21f832a04","providerId":"rigetti","target":"rigetti.sim.qvm","creationTime":"2023-01-24T00:01:04.0381633+00:00","endExecutionTime":"2023-01-24T00:01:10.7805788Z","costEstimate":{"currencyCode":"USD","events":[{"dimensionId":"qpu_time_centiseconds","dimensionName":"QPU + Execution Time","measureUnit":"10ms (rounded up)","amountBilled":0.0,"amountConsumed":0.0,"unitPrice":0.0}],"estimatedTotal":0.0},"itemType":"Job"}' + headers: + connection: + - keep-alive + content-length: + - '1544' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 24 Jan 2023 00:01:12 GMT + mise-correlation-id: + - 30e8c501-d201-47dc-ad53-668fc626cf24 + request-context: + - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f + server: + - Microsoft-IIS/10.0 + set-cookie: + - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + strict-transport-security: + - max-age=2592000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + User-Agent: + - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/jobs/9299af19-149b-473f-b0c7-caa21f832a04 + response: + body: + string: '{"containerUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04","inputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/inputData?sv=2019-07-07&sr=b&sig=YpRiai7YWinpgLHPxSs3KdBpH4afnjGSoTKPaOzVEL4%3D&se=2023-01-28T00%3A01%3A13Z&sp=r&rscd=attachment%3B%20filename%3Djob-9299af19-149b-473f-b0c7-caa21f832a04.input.json","inputDataFormat":"rigetti.quil.v1","inputParams":{},"metadata":null,"sessionId":null,"status":"Succeeded","jobType":"QuantumComputing","outputDataFormat":"rigetti.quil-results.v1","outputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/rawOutputData?sv=2019-07-07&sr=b&sig=TpatYf%2FqKxTbrhPtRXPy91rKNlEkMmRoXRN3nrbOPKE%3D&se=2023-01-28T00%3A01%3A13Z&sp=r&rscd=attachment%3B%20filename%3Djob-9299af19-149b-473f-b0c7-caa21f832a04.output.json","beginExecutionTime":"2023-01-24T00:01:08.6533255Z","cancellationTime":null,"quantumComputingData":{"count":1},"errorData":null,"isCancelling":false,"tags":[],"name":null,"id":"9299af19-149b-473f-b0c7-caa21f832a04","providerId":"rigetti","target":"rigetti.sim.qvm","creationTime":"2023-01-24T00:01:04.0381633+00:00","endExecutionTime":"2023-01-24T00:01:10.7805788Z","costEstimate":{"currencyCode":"USD","events":[{"dimensionId":"qpu_time_centiseconds","dimensionName":"QPU + Execution Time","measureUnit":"10ms (rounded up)","amountBilled":0.0,"amountConsumed":0.0,"unitPrice":0.0}],"estimatedTotal":0.0},"itemType":"Job"}' + headers: + connection: + - keep-alive + content-length: + - '1540' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 24 Jan 2023 00:01:13 GMT + mise-correlation-id: + - e3c89597-f5b1-4cc6-8ce9-e4e891aee5b6 + request-context: + - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f + server: + - Microsoft-IIS/10.0 + set-cookie: + - ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc; Path=/; SameSite=None; + Secure + - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; Path=/ + - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + strict-transport-security: + - max-age=2592000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Connection: + - keep-alive + User-Agent: + - Azure-Storage/2.0.0-2.0.1 (Python CPython 3.10.6; Windows 10) AZURECLI/2.44.1 + x-ms-date: + - Tue, 24 Jan 2023 00:01:13 GMT + x-ms-range: + - bytes=0-33554431 + x-ms-version: + - '2018-11-09' + method: GET + uri: https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/rawOutputData?sv=2019-07-07&sr=b&sig=TpatYf%2FqKxTbrhPtRXPy91rKNlEkMmRoXRN3nrbOPKE%3D&se=2023-01-28T00%3A01%3A13Z&sp=r&rscd=attachment%3B+filename%3Djob-9299af19-149b-473f-b0c7-caa21f832a04.output.json + response: + body: + string: '{"ro":[[1,1]]}' + headers: + accept-ranges: + - bytes + content-disposition: + - attachment; filename=job-9299af19-149b-473f-b0c7-caa21f832a04.output.json + content-length: + - '14' + content-range: + - bytes 0-13/14 + content-type: + - application/json + date: + - Tue, 24 Jan 2023 00:01:13 GMT + etag: + - '"0x8DAFD9E19E3396E"' + last-modified: + - Tue, 24 Jan 2023 00:01:10 GMT + server: + - Windows-Azure-Blob/1.0 Microsoft-HTTPAPI/2.0 + x-ms-blob-content-md5: + - IjWSe/NyJii12borFKQGng== + x-ms-blob-type: + - BlockBlob + x-ms-creation-time: + - Tue, 24 Jan 2023 00:01:06 GMT + x-ms-lease-state: + - available + x-ms-lease-status: + - unlocked + x-ms-server-encrypted: + - 'true' + x-ms-version: + - '2018-11-09' + status: + code: 206 + message: Partial Content +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + User-Agent: + - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/providerStatus + response: + body: + string: '{"value":[{"id":"qci","currentAvailability":"Degraded","targets":[{"id":"qci.simulator","currentAvailability":"Available","averageQueueTime":1,"statusPage":"https://quantumcircuits.com"},{"id":"qci.machine1","currentAvailability":"Unavailable","averageQueueTime":1,"statusPage":"https://quantumcircuits.com"},{"id":"qci.simulator.noisy","currentAvailability":"Available","averageQueueTime":0,"statusPage":"https://quantumcircuits.com"}]},{"id":"rigetti","currentAvailability":"Degraded","targets":[{"id":"rigetti.sim.qvm","currentAvailability":"Available","averageQueueTime":5,"statusPage":"https://rigetti.statuspage.io/"},{"id":"rigetti.qpu.aspen-11","currentAvailability":"Unavailable","averageQueueTime":0,"statusPage":null},{"id":"rigetti.qpu.aspen-m-2","currentAvailability":"Available","averageQueueTime":5,"statusPage":"https://rigetti.statuspage.io/"},{"id":"rigetti.qpu.aspen-m-3","currentAvailability":"Available","averageQueueTime":5,"statusPage":"https://rigetti.statuspage.io/"}]},{"id":"ionq","currentAvailability":"Available","targets":[{"id":"ionq.qpu","currentAvailability":"Available","averageQueueTime":66466,"statusPage":"https://status.ionq.co"},{"id":"ionq.qpu.aria-1","currentAvailability":"Available","averageQueueTime":1029551,"statusPage":"https://status.ionq.co"},{"id":"ionq.simulator","currentAvailability":"Available","averageQueueTime":2,"statusPage":"https://status.ionq.co"}]},{"id":"Microsoft","currentAvailability":"Available","targets":[{"id":"microsoft.paralleltempering-parameterfree.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.paralleltempering.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.simulatedannealing-parameterfree.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.simulatedannealing.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.tabu-parameterfree.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.tabu.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.qmc.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.populationannealing.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.populationannealing-parameterfree.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.substochasticmontecarlo.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.substochasticmontecarlo-parameterfree.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null}]},{"id":"microsoft-qc","currentAvailability":"Available","targets":[{"id":"microsoft.estimator","currentAvailability":"Available","averageQueueTime":0,"statusPage":null}]},{"id":"quantinuum","currentAvailability":"Degraded","targets":[{"id":"quantinuum.hqs-lt-s1","currentAvailability":"Degraded","averageQueueTime":777,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt-s1-apival","currentAvailability":"Available","averageQueueTime":2,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt-s2","currentAvailability":"Unavailable","averageQueueTime":0,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt-s2-apival","currentAvailability":"Available","averageQueueTime":0,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt-s1-sim","currentAvailability":"Available","averageQueueTime":1061,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt-s2-sim","currentAvailability":"Available","averageQueueTime":29,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt","currentAvailability":"Degraded","averageQueueTime":0,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.qpu.h1-1","currentAvailability":"Degraded","averageQueueTime":777,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.sim.h1-1sc","currentAvailability":"Available","averageQueueTime":2,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.qpu.h1-2","currentAvailability":"Unavailable","averageQueueTime":0,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.sim.h1-2sc","currentAvailability":"Available","averageQueueTime":0,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.sim.h1-1e","currentAvailability":"Available","averageQueueTime":1061,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.sim.h1-2e","currentAvailability":"Available","averageQueueTime":29,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.qpu.h1","currentAvailability":"Unavailable","averageQueueTime":0,"statusPage":null}]}],"nextLink":null}' + headers: + connection: + - keep-alive + content-length: + - '4971' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 24 Jan 2023 00:01:14 GMT + mise-correlation-id: + - 60a63976-917b-488c-860b-6363795d5efc + request-context: + - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f + server: + - Microsoft-IIS/10.0 + set-cookie: + - ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc; Path=/; SameSite=None; + Secure + - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; Path=/ + - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + strict-transport-security: + - max-age=2592000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - quantum run + Connection: + - keep-alive + ParameterSetName: + - -t --shots --job-input-format --job-input-file --job-output-format --job-params + -o + User-Agent: + - AZURECLI/2.44.1 azsdk-python-mgmt-quantum/1.0.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + az-cli-ext/0.17.0.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517?api-version=2022-01-10-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517","name":"e2e-test-w9154517","type":"microsoft.quantum/workspaces","location":"eastus","tags":{},"systemData":{"createdBy":"v-wjones@microsoft.com","createdByType":"User","createdAt":"2023-01-23T23:53:56.9639159Z","lastModifiedBy":"v-wjones@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-23T23:53:56.9639159Z"},"identity":{"principalId":"75b04db9-f07d-49f2-b05e-c8150e586215","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned"},"properties":{"providers":[{"providerId":"qci","providerSku":"qci-freepreview","applicationName":"e2e-test-w9154517-qci","provisioningState":"Succeeded"},{"providerId":"rigetti","providerSku":"azure-quantum-credits","applicationName":"e2e-test-w9154517-rigetti","provisioningState":"Succeeded","resourceUsageId":"7964fd5b-f302-4c93-bf64-d458ff733112"},{"providerId":"ionq","providerSku":"pay-as-you-go-cred","applicationName":"e2e-test-w9154517-ionq","provisioningState":"Succeeded","resourceUsageId":"71b0823e-8eab-4e92-a036-28d137c0c498"},{"providerId":"Microsoft","providerSku":"DZH3178M639F","applicationName":"e2e-test-w9154517-Microsoft","provisioningState":"Succeeded"},{"providerId":"microsoft-qc","providerSku":"learn-and-develop","applicationName":"e2e-test-w9154517-microsoft-qc","provisioningState":"Succeeded"},{"providerId":"quantinuum","providerSku":"credits1","applicationName":"e2e-test-w9154517-quantinuum","provisioningState":"Succeeded","resourceUsageId":"be341c87-5098-487f-b767-5a091fa55d3b"}],"provisioningState":"Succeeded","usable":"Yes","storageAccount":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2","endpointUri":"https://e2e-test-w9154517.eastus.quantum.azure.com"}}' + headers: + cache-control: + - no-cache + content-length: + - '1906' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 24 Jan 2023 00:01:13 GMT + etag: + - '"45004ef6-0000-0100-0000-63cf1f980000"' + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-providerhub-traffic: + - 'True' + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - quantum run + Connection: + - keep-alive + Content-Length: + - '0' + ParameterSetName: + - -t --shots --job-input-format --job-input-file --job-output-format --job-params + -o + User-Agent: + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2/listKeys?api-version=2022-09-01&$expand=kerb + response: + body: + string: '{"keys":[{"creationTime":"2021-09-21T22:04:47.1374328Z","keyName":"key1","value":"veryFakedStorageAccountKey==","permissions":"FULL"},{"creationTime":"2021-09-21T22:04:47.1374328Z","keyName":"key2","value":"veryFakedStorageAccountKey==","permissions":"FULL"}]}' + headers: + cache-control: + - no-cache + content-length: + - '260' + content-type: + - application/json + date: + - Tue, 24 Jan 2023 00:01:14 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '11999' + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - quantum run + Connection: + - keep-alive + ParameterSetName: + - -t --shots --job-input-format --job-input-file --job-output-format --job-params + -o + User-Agent: + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2?api-version=2022-09-01 + response: + body: + string: '{"sku":{"name":"Standard_LRS","tier":"Standard"},"kind":"Storage","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2","name":"vwjonesstorage2","type":"Microsoft.Storage/storageAccounts","location":"eastus","tags":{},"properties":{"keyCreationTime":{"key1":"2021-09-21T22:04:47.1374328Z","key2":"2021-09-21T22:04:47.1374328Z"},"privateEndpointConnections":[],"minimumTlsVersion":"TLS1_0","allowBlobPublicAccess":true,"networkAcls":{"bypass":"AzureServices","virtualNetworkRules":[],"ipRules":[],"defaultAction":"Allow"},"supportsHttpsTrafficOnly":true,"encryption":{"services":{"file":{"keyType":"Account","enabled":true,"lastEnabledTime":"2021-09-21T22:04:47.1374328Z"},"blob":{"keyType":"Account","enabled":true,"lastEnabledTime":"2021-09-21T22:04:47.1374328Z"}},"keySource":"Microsoft.Storage"},"provisioningState":"Succeeded","creationTime":"2021-09-21T22:04:47.0124593Z","primaryEndpoints":{"blob":"https://vwjonesstorage2.blob.core.windows.net/","queue":"https://vwjonesstorage2.queue.core.windows.net/","table":"https://vwjonesstorage2.table.core.windows.net/","file":"https://vwjonesstorage2.file.core.windows.net/"},"primaryLocation":"eastus","statusOfPrimary":"available"}}' + headers: + cache-control: + - no-cache + content-length: + - '1277' + content-type: + - application/json + date: + - Tue, 24 Jan 2023 00:01:14 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/xml + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + User-Agent: + - azsdk-python-storage-blob/12.14.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + x-ms-date: + - Tue, 24 Jan 2023 00:01:15 GMT + x-ms-version: + - '2021-08-06' + method: GET + uri: https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14?restype=container + response: + body: + string: "\uFEFFContainerNotFoundThe + specified container does not exist.\nRequestId:3105c290-801e-0042-7a86-2ffb8d000000\nTime:2023-01-24T00:01:15.4120367Z" + headers: + content-length: + - '223' + content-type: + - application/xml + date: + - Tue, 24 Jan 2023 00:01:15 GMT + server: + - Windows-Azure-Blob/1.0 Microsoft-HTTPAPI/2.0 + x-ms-error-code: + - ContainerNotFound + x-ms-version: + - '2021-08-06' + status: + code: 404 + message: The specified container does not exist. +- request: + body: null + headers: + Accept: + - application/xml + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + Content-Length: + - '0' + User-Agent: + - azsdk-python-storage-blob/12.14.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + x-ms-date: + - Tue, 24 Jan 2023 00:01:15 GMT + x-ms-version: + - '2021-08-06' + method: PUT + uri: https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14?restype=container + response: + body: + string: '' + headers: + content-length: + - '0' + date: + - Tue, 24 Jan 2023 00:01:15 GMT + etag: + - '"0x8DAFD9E1CC094C8"' + last-modified: + - Tue, 24 Jan 2023 00:01:15 GMT + server: + - Windows-Azure-Blob/1.0 Microsoft-HTTPAPI/2.0 + x-ms-version: + - '2021-08-06' + status: + code: 201 + message: Created +- request: + body: null + headers: + Accept: + - application/xml + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + User-Agent: + - azsdk-python-storage-blob/12.14.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + x-ms-date: + - Tue, 24 Jan 2023 00:01:15 GMT + x-ms-version: + - '2021-08-06' + method: GET + uri: https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14?restype=container + response: + body: + string: '' + headers: + content-length: + - '0' + date: + - Tue, 24 Jan 2023 00:01:15 GMT + etag: + - '"0x8DAFD9E1CC094C8"' + last-modified: + - Tue, 24 Jan 2023 00:01:15 GMT + server: + - Windows-Azure-Blob/1.0 Microsoft-HTTPAPI/2.0 + x-ms-default-encryption-scope: + - $account-encryption-key + x-ms-deny-encryption-scope-override: + - 'false' + x-ms-has-immutability-policy: + - 'false' + x-ms-has-legal-hold: + - 'false' + x-ms-immutable-storage-with-versioning-enabled: + - 'false' + x-ms-lease-state: + - available + x-ms-lease-status: + - unlocked + x-ms-version: + - '2021-08-06' + status: + code: 200 + message: OK +- request: + body: '{"gateset": "qis", "qubits": 3, "circuit": [{"gate": "h", "targets": [0]}, + {"gate": "x", "targets": [1], "controls": [0]}, {"gate": "x", "targets": [2], + "controls": [1]}]}' + headers: + Accept: + - application/xml + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + Content-Length: + - '171' + Content-Type: + - application/octet-stream + If-None-Match: + - '*' + User-Agent: + - azsdk-python-storage-blob/12.14.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + x-ms-blob-content-type: + - application/json + x-ms-blob-type: + - BlockBlob + x-ms-date: + - Tue, 24 Jan 2023 00:01:15 GMT + x-ms-version: + - '2021-08-06' + method: PUT + uri: https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/inputData + response: + body: + string: '' + headers: + content-length: + - '0' + content-md5: + - 3+pg2wKa9x2rK+IB+BmzGA== + date: + - Tue, 24 Jan 2023 00:01:15 GMT + etag: + - '"0x8DAFD9E1CEC5F82"' + last-modified: + - Tue, 24 Jan 2023 00:01:15 GMT + server: + - Windows-Azure-Blob/1.0 Microsoft-HTTPAPI/2.0 + x-ms-content-crc64: + - VPUiKdL2pXs= + x-ms-request-server-encrypted: + - 'true' + x-ms-version: + - '2021-08-06' + status: + code: 201 + message: Created +- request: + body: '{"containerUri": "https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14", + "inputDataFormat": "ionq.circuit.v1", "inputParams": {"count": 100, "shots": + 100}, "providerId": "ionq", "target": "ionq.simulator", "outputDataFormat": + "ionq.quantum-results.v1", "tags": []}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + Content-Length: + - '306' + Content-Type: + - application/json + User-Agent: + - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: PUT + uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/jobs/398f62ca-1311-458f-8843-d78c0ebf7a14 + response: + body: + string: '{"containerUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14","inputDataUri":"https://vwjonesstorage2.blob.core.windows.net:443/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/inputData","inputDataFormat":"ionq.circuit.v1","inputParams":{"count":100,"shots":100},"metadata":null,"sessionId":null,"status":"Waiting","jobType":"Unknown","outputDataFormat":"ionq.quantum-results.v1","outputDataUri":"https://vwjonesstorage2.blob.core.windows.net:443/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/outputData","beginExecutionTime":null,"cancellationTime":null,"quantumComputingData":null,"errorData":null,"isCancelling":false,"tags":[],"name":null,"id":"398f62ca-1311-458f-8843-d78c0ebf7a14","providerId":"ionq","target":"ionq.simulator","creationTime":"2023-01-24T00:01:16.1680299+00:00","endExecutionTime":null,"costEstimate":null,"itemType":"Job"}' + headers: + connection: + - keep-alive + content-length: + - '900' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 24 Jan 2023 00:01:16 GMT + mise-correlation-id: + - a68dc305-e07e-400b-9f55-202048a5eea4 + request-context: + - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f + server: + - Microsoft-IIS/10.0 + set-cookie: + - ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc; Path=/; SameSite=None; + Secure + - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; Path=/ + - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + strict-transport-security: + - max-age=2592000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + User-Agent: + - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/jobs/398f62ca-1311-458f-8843-d78c0ebf7a14 + response: + body: + string: '{"containerUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14","inputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/inputData?sv=2019-07-07&sr=b&sig=mkUU29DndFtCn%2FuDSiWzhFiivQgWQlKRlohzU3ATyx0%3D&se=2023-01-28T00%3A01%3A16Z&sp=r&rscd=attachment%3B%20filename%3Djob-398f62ca-1311-458f-8843-d78c0ebf7a14.input.json","inputDataFormat":"ionq.circuit.v1","inputParams":{"count":100,"shots":100},"metadata":null,"sessionId":null,"status":"Waiting","jobType":"QuantumComputing","outputDataFormat":"ionq.quantum-results.v1","outputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/outputData?sv=2019-07-07&sr=b&sig=4S7kWpmHEJtgLqdWGEAL2NfX9i%2BuN%2FOU8Wxyi95Vdcg%3D&se=2023-01-28T00%3A01%3A16Z&sp=r&rscd=attachment%3B%20filename%3Djob-398f62ca-1311-458f-8843-d78c0ebf7a14.output.json","beginExecutionTime":null,"cancellationTime":null,"quantumComputingData":{"count":1},"errorData":null,"isCancelling":false,"tags":[],"name":null,"id":"398f62ca-1311-458f-8843-d78c0ebf7a14","providerId":"ionq","target":"ionq.simulator","creationTime":"2023-01-24T00:01:16.1680299+00:00","endExecutionTime":null,"costEstimate":null,"itemType":"Job"}' + headers: + connection: + - keep-alive + content-length: + - '1289' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 24 Jan 2023 00:01:16 GMT + mise-correlation-id: + - 63ef75df-7dc7-46a1-ae10-7bf780156d38 + request-context: + - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f + server: + - Microsoft-IIS/10.0 + set-cookie: + - ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc; Path=/; SameSite=None; + Secure + - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; Path=/ + - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + strict-transport-security: + - max-age=2592000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + Cookie: + - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc + User-Agent: + - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/jobs/398f62ca-1311-458f-8843-d78c0ebf7a14 + response: + body: + string: '{"containerUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14","inputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/inputData?sv=2019-07-07&sr=b&sig=mkUU29DndFtCn%2FuDSiWzhFiivQgWQlKRlohzU3ATyx0%3D&se=2023-01-28T00%3A01%3A16Z&sp=r&rscd=attachment%3B%20filename%3Djob-398f62ca-1311-458f-8843-d78c0ebf7a14.input.json","inputDataFormat":"ionq.circuit.v1","inputParams":{"count":100,"shots":100},"metadata":null,"sessionId":null,"status":"Waiting","jobType":"QuantumComputing","outputDataFormat":"ionq.quantum-results.v1","outputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/outputData?sv=2019-07-07&sr=b&sig=4S7kWpmHEJtgLqdWGEAL2NfX9i%2BuN%2FOU8Wxyi95Vdcg%3D&se=2023-01-28T00%3A01%3A16Z&sp=r&rscd=attachment%3B%20filename%3Djob-398f62ca-1311-458f-8843-d78c0ebf7a14.output.json","beginExecutionTime":null,"cancellationTime":null,"quantumComputingData":{"count":1},"errorData":null,"isCancelling":false,"tags":[],"name":null,"id":"398f62ca-1311-458f-8843-d78c0ebf7a14","providerId":"ionq","target":"ionq.simulator","creationTime":"2023-01-24T00:01:16.1680299+00:00","endExecutionTime":null,"costEstimate":null,"itemType":"Job"}' + headers: + connection: + - keep-alive + content-length: + - '1289' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 24 Jan 2023 00:01:16 GMT + mise-correlation-id: + - eab616d5-a8a1-42ed-8904-52c5369dfd06 + request-context: + - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f + server: + - Microsoft-IIS/10.0 + set-cookie: + - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + strict-transport-security: + - max-age=2592000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + Cookie: + - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc + User-Agent: + - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/jobs/398f62ca-1311-458f-8843-d78c0ebf7a14 + response: + body: + string: '{"containerUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14","inputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/inputData?sv=2019-07-07&sr=b&sig=TST8VFMgakopwOYokKH%2BG%2FKE0rOK9oNuSk%2FQIVcAm1g%3D&se=2023-01-28T00%3A01%3A17Z&sp=r&rscd=attachment%3B%20filename%3Djob-398f62ca-1311-458f-8843-d78c0ebf7a14.input.json","inputDataFormat":"ionq.circuit.v1","inputParams":{"count":100,"shots":100},"metadata":null,"sessionId":null,"status":"Waiting","jobType":"QuantumComputing","outputDataFormat":"ionq.quantum-results.v1","outputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/outputData?sv=2019-07-07&sr=b&sig=OIULmt%2BruIUV2rd8srnAZFM4NGxtBRSEm0S6nMXZtVA%3D&se=2023-01-28T00%3A01%3A17Z&sp=r&rscd=attachment%3B%20filename%3Djob-398f62ca-1311-458f-8843-d78c0ebf7a14.output.json","beginExecutionTime":null,"cancellationTime":null,"quantumComputingData":{"count":1},"errorData":null,"isCancelling":false,"tags":[],"name":null,"id":"398f62ca-1311-458f-8843-d78c0ebf7a14","providerId":"ionq","target":"ionq.simulator","creationTime":"2023-01-24T00:01:16.1680299+00:00","endExecutionTime":null,"costEstimate":null,"itemType":"Job"}' + headers: + connection: + - keep-alive + content-length: + - '1291' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 24 Jan 2023 00:01:17 GMT + mise-correlation-id: + - a90771df-eab6-4c75-96ad-dca396aa8aaa + request-context: + - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f + server: + - Microsoft-IIS/10.0 + set-cookie: + - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + strict-transport-security: + - max-age=2592000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + Cookie: + - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc + User-Agent: + - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/jobs/398f62ca-1311-458f-8843-d78c0ebf7a14 + response: + body: + string: '{"containerUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14","inputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/inputData?sv=2019-07-07&sr=b&sig=TST8VFMgakopwOYokKH%2BG%2FKE0rOK9oNuSk%2FQIVcAm1g%3D&se=2023-01-28T00%3A01%3A17Z&sp=r&rscd=attachment%3B%20filename%3Djob-398f62ca-1311-458f-8843-d78c0ebf7a14.input.json","inputDataFormat":"ionq.circuit.v1","inputParams":{"count":100,"shots":100},"metadata":null,"sessionId":null,"status":"Waiting","jobType":"QuantumComputing","outputDataFormat":"ionq.quantum-results.v1","outputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/outputData?sv=2019-07-07&sr=b&sig=OIULmt%2BruIUV2rd8srnAZFM4NGxtBRSEm0S6nMXZtVA%3D&se=2023-01-28T00%3A01%3A17Z&sp=r&rscd=attachment%3B%20filename%3Djob-398f62ca-1311-458f-8843-d78c0ebf7a14.output.json","beginExecutionTime":null,"cancellationTime":null,"quantumComputingData":{"count":1},"errorData":null,"isCancelling":false,"tags":[],"name":null,"id":"398f62ca-1311-458f-8843-d78c0ebf7a14","providerId":"ionq","target":"ionq.simulator","creationTime":"2023-01-24T00:01:16.1680299+00:00","endExecutionTime":null,"costEstimate":null,"itemType":"Job"}' + headers: + connection: + - keep-alive + content-length: + - '1291' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 24 Jan 2023 00:01:17 GMT + mise-correlation-id: + - 95916ed4-641d-4e6d-ac59-e6e0a8bdb78b + request-context: + - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f + server: + - Microsoft-IIS/10.0 + set-cookie: + - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + strict-transport-security: + - max-age=2592000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + Cookie: + - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc + User-Agent: + - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/jobs/398f62ca-1311-458f-8843-d78c0ebf7a14 + response: + body: + string: '{"containerUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14","inputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/inputData?sv=2019-07-07&sr=b&sig=9uFU6Oa%2BrlbtuGySZXsijXz13wPAXzfKnZqGBSMXye4%3D&se=2023-01-28T00%3A01%3A18Z&sp=r&rscd=attachment%3B%20filename%3Djob-398f62ca-1311-458f-8843-d78c0ebf7a14.input.json","inputDataFormat":"ionq.circuit.v1","inputParams":{"count":100,"shots":100},"metadata":null,"sessionId":null,"status":"Waiting","jobType":"QuantumComputing","outputDataFormat":"ionq.quantum-results.v1","outputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/outputData?sv=2019-07-07&sr=b&sig=dwDghUIXtHNI%2BIgr%2FMv%2BTg5%2FWOUMjNXHjMJIzqlt3z4%3D&se=2023-01-28T00%3A01%3A18Z&sp=r&rscd=attachment%3B%20filename%3Djob-398f62ca-1311-458f-8843-d78c0ebf7a14.output.json","beginExecutionTime":null,"cancellationTime":null,"quantumComputingData":{"count":1},"errorData":null,"isCancelling":false,"tags":[],"name":null,"id":"398f62ca-1311-458f-8843-d78c0ebf7a14","providerId":"ionq","target":"ionq.simulator","creationTime":"2023-01-24T00:01:16.1680299+00:00","endExecutionTime":null,"costEstimate":null,"itemType":"Job"}' + headers: + connection: + - keep-alive + content-length: + - '1293' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 24 Jan 2023 00:01:18 GMT + mise-correlation-id: + - 975d87fc-d555-4083-b24f-955ab26ca6fc + request-context: + - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f + server: + - Microsoft-IIS/10.0 + set-cookie: + - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + strict-transport-security: + - max-age=2592000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + Cookie: + - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc + User-Agent: + - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/jobs/398f62ca-1311-458f-8843-d78c0ebf7a14 + response: + body: + string: '{"containerUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14","inputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/inputData?sv=2019-07-07&sr=b&sig=ry6z01ZBqwAaKFjkuCdNc1Hv92sOxmgeHjBbfKvMVvw%3D&se=2023-01-28T00%3A01%3A19Z&sp=r&rscd=attachment%3B%20filename%3Djob-398f62ca-1311-458f-8843-d78c0ebf7a14.input.json","inputDataFormat":"ionq.circuit.v1","inputParams":{"count":100,"shots":100},"metadata":null,"sessionId":null,"status":"Waiting","jobType":"QuantumComputing","outputDataFormat":"ionq.quantum-results.v1","outputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/outputData?sv=2019-07-07&sr=b&sig=cuH2n1llb02s9QcQMq9%2BTDLzptTAAQU%2BS87CQQfGjYg%3D&se=2023-01-28T00%3A01%3A19Z&sp=r&rscd=attachment%3B%20filename%3Djob-398f62ca-1311-458f-8843-d78c0ebf7a14.output.json","beginExecutionTime":null,"cancellationTime":null,"quantumComputingData":{"count":1},"errorData":null,"isCancelling":false,"tags":[],"name":null,"id":"398f62ca-1311-458f-8843-d78c0ebf7a14","providerId":"ionq","target":"ionq.simulator","creationTime":"2023-01-24T00:01:16.1680299+00:00","endExecutionTime":null,"costEstimate":null,"itemType":"Job"}' + headers: + connection: + - keep-alive + content-length: + - '1287' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 24 Jan 2023 00:01:19 GMT + mise-correlation-id: + - 42a29ad2-6148-44ca-ac9c-eccefc31709a + request-context: + - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f + server: + - Microsoft-IIS/10.0 + set-cookie: + - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + strict-transport-security: + - max-age=2592000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + Cookie: + - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc + User-Agent: + - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/jobs/398f62ca-1311-458f-8843-d78c0ebf7a14 + response: + body: + string: '{"containerUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14","inputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/inputData?sv=2019-07-07&sr=b&sig=jmZzKlOZPmz60Enp3BfJhiCfvaIxQn0Twd2%2BpvJpPBQ%3D&se=2023-01-28T00%3A01%3A21Z&sp=r&rscd=attachment%3B%20filename%3Djob-398f62ca-1311-458f-8843-d78c0ebf7a14.input.json","inputDataFormat":"ionq.circuit.v1","inputParams":{"count":100,"shots":100},"metadata":null,"sessionId":null,"status":"Waiting","jobType":"QuantumComputing","outputDataFormat":"ionq.quantum-results.v1","outputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/outputData?sv=2019-07-07&sr=b&sig=wgLX5vQRFNSwSbKWTL2v6R8S4NznBOa%2F2h2J%2BE6JH0g%3D&se=2023-01-28T00%3A01%3A21Z&sp=r&rscd=attachment%3B%20filename%3Djob-398f62ca-1311-458f-8843-d78c0ebf7a14.output.json","beginExecutionTime":null,"cancellationTime":null,"quantumComputingData":{"count":1},"errorData":null,"isCancelling":false,"tags":[],"name":null,"id":"398f62ca-1311-458f-8843-d78c0ebf7a14","providerId":"ionq","target":"ionq.simulator","creationTime":"2023-01-24T00:01:16.1680299+00:00","endExecutionTime":null,"costEstimate":null,"itemType":"Job"}' + headers: + connection: + - keep-alive + content-length: + - '1289' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 24 Jan 2023 00:01:21 GMT + mise-correlation-id: + - 06239b25-6f12-4658-abb5-46d005768d89 + request-context: + - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f + server: + - Microsoft-IIS/10.0 + set-cookie: + - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + strict-transport-security: + - max-age=2592000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + Cookie: + - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc + User-Agent: + - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/jobs/398f62ca-1311-458f-8843-d78c0ebf7a14 + response: + body: + string: '{"containerUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14","inputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/inputData?sv=2019-07-07&sr=b&sig=qHVjRfOSy6dNin%2BynpbFp40lm3m5F8M9HSCn%2FYBSEa4%3D&se=2023-01-28T00%3A01%3A23Z&sp=r&rscd=attachment%3B%20filename%3Djob-398f62ca-1311-458f-8843-d78c0ebf7a14.input.json","inputDataFormat":"ionq.circuit.v1","inputParams":{"count":100,"shots":100},"metadata":null,"sessionId":null,"status":"Succeeded","jobType":"QuantumComputing","outputDataFormat":"ionq.quantum-results.v1","outputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/rawOutputData?sv=2019-07-07&sr=b&sig=bsjokMHDEus8m7q1qUIzbgP%2BTLq3aSXw4bbUZqnbDv4%3D&se=2023-01-28T00%3A01%3A23Z&sp=r&rscd=attachment%3B%20filename%3Djob-398f62ca-1311-458f-8843-d78c0ebf7a14.output.json","beginExecutionTime":"2023-01-24T00:01:22.232Z","cancellationTime":null,"quantumComputingData":{"count":1},"errorData":null,"isCancelling":false,"tags":[],"name":null,"id":"398f62ca-1311-458f-8843-d78c0ebf7a14","providerId":"ionq","target":"ionq.simulator","creationTime":"2023-01-24T00:01:16.1680299+00:00","endExecutionTime":"2023-01-24T00:01:22.313Z","costEstimate":null,"itemType":"Job"}' + headers: + connection: + - keep-alive + content-length: + - '1338' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 24 Jan 2023 00:01:23 GMT + mise-correlation-id: + - ff85161a-2f4c-4e6a-8119-a6f8b5c6d71f + request-context: + - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f + server: + - Microsoft-IIS/10.0 + set-cookie: + - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + strict-transport-security: + - max-age=2592000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + User-Agent: + - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/jobs/398f62ca-1311-458f-8843-d78c0ebf7a14 + response: + body: + string: '{"containerUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14","inputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/inputData?sv=2019-07-07&sr=b&sig=qHVjRfOSy6dNin%2BynpbFp40lm3m5F8M9HSCn%2FYBSEa4%3D&se=2023-01-28T00%3A01%3A23Z&sp=r&rscd=attachment%3B%20filename%3Djob-398f62ca-1311-458f-8843-d78c0ebf7a14.input.json","inputDataFormat":"ionq.circuit.v1","inputParams":{"count":100,"shots":100},"metadata":null,"sessionId":null,"status":"Succeeded","jobType":"QuantumComputing","outputDataFormat":"ionq.quantum-results.v1","outputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/rawOutputData?sv=2019-07-07&sr=b&sig=bsjokMHDEus8m7q1qUIzbgP%2BTLq3aSXw4bbUZqnbDv4%3D&se=2023-01-28T00%3A01%3A23Z&sp=r&rscd=attachment%3B%20filename%3Djob-398f62ca-1311-458f-8843-d78c0ebf7a14.output.json","beginExecutionTime":"2023-01-24T00:01:22.232Z","cancellationTime":null,"quantumComputingData":{"count":1},"errorData":null,"isCancelling":false,"tags":[],"name":null,"id":"398f62ca-1311-458f-8843-d78c0ebf7a14","providerId":"ionq","target":"ionq.simulator","creationTime":"2023-01-24T00:01:16.1680299+00:00","endExecutionTime":"2023-01-24T00:01:22.313Z","costEstimate":null,"itemType":"Job"}' + headers: + connection: + - keep-alive + content-length: + - '1338' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 24 Jan 2023 00:01:23 GMT + mise-correlation-id: + - 83c80300-3ad4-48a3-be0a-ec6d6413c799 + request-context: + - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f + server: + - Microsoft-IIS/10.0 + set-cookie: + - ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc; Path=/; SameSite=None; + Secure + - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; Path=/ + - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net + strict-transport-security: + - max-age=2592000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Connection: + - keep-alive + User-Agent: + - Azure-Storage/2.0.0-2.0.1 (Python CPython 3.10.6; Windows 10) AZURECLI/2.44.1 + x-ms-date: + - Tue, 24 Jan 2023 00:01:23 GMT + x-ms-range: + - bytes=0-33554431 + x-ms-version: + - '2018-11-09' + method: GET + uri: https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/rawOutputData?sv=2019-07-07&sr=b&sig=bsjokMHDEus8m7q1qUIzbgP%2BTLq3aSXw4bbUZqnbDv4%3D&se=2023-01-28T00%3A01%3A23Z&sp=r&rscd=attachment%3B+filename%3Djob-398f62ca-1311-458f-8843-d78c0ebf7a14.output.json + response: + body: + string: '{"histogram":{"0":0.500000000,"7":0.500000000}}' + headers: + accept-ranges: + - bytes + content-disposition: + - attachment; filename=job-398f62ca-1311-458f-8843-d78c0ebf7a14.output.json + content-length: + - '47' + content-range: + - bytes 0-46/47 + content-type: + - application/json + date: + - Tue, 24 Jan 2023 00:01:23 GMT + etag: + - '"0x8DAFD9E21079149"' + last-modified: + - Tue, 24 Jan 2023 00:01:22 GMT + server: + - Windows-Azure-Blob/1.0 Microsoft-HTTPAPI/2.0 + x-ms-blob-type: + - BlockBlob + x-ms-creation-time: + - Tue, 24 Jan 2023 00:01:18 GMT + x-ms-lease-state: + - available + x-ms-lease-status: + - unlocked + x-ms-server-encrypted: + - 'true' + x-ms-version: + - '2018-11-09' + status: + code: 206 + message: Partial Content +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - quantum workspace delete + Connection: + - keep-alive + Content-Length: + - '0' + ParameterSetName: + - -g -w + User-Agent: + - AZURECLI/2.44.1 azsdk-python-mgmt-quantum/1.0.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + az-cli-ext/0.17.0.1 + method: DELETE + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517?api-version=2022-01-10-preview + response: + body: + string: 'null' + headers: + azure-asyncoperation: + - https://management.azure.com/providers/Microsoft.Quantum/locations/EASTUS/operationStatuses/8e852d6e-256c-4085-8b18-f975964d129a*9791A27D973CEDA5971DD16C3BE876DA873258CAC7236125D24D1E999120C663?api-version=2022-01-10-preview + cache-control: + - no-cache + content-length: + - '4' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 24 Jan 2023 00:01:25 GMT + etag: + - '"45004ff6-0000-0100-0000-63cf1fd50000"' + expires: + - '-1' + location: + - https://management.azure.com/providers/Microsoft.Quantum/locations/EASTUS/operationStatuses/8e852d6e-256c-4085-8b18-f975964d129a*9791A27D973CEDA5971DD16C3BE876DA873258CAC7236125D24D1E999120C663?api-version=2022-01-10-preview + mise-correlation-id: + - 673c2de1-842d-4250-a0b1-d5a3135af34f + pragma: + - no-cache + request-context: + - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f + set-cookie: + - ARRAffinity=8ff86c9a27601d7f5b6518ec4d18af424875e57b5b1d58a058e5ff9db2bf1a1f;Path=/;HttpOnly;Secure;Domain=rpcontrol-eastus.azurewebsites.net + - ARRAffinitySameSite=8ff86c9a27601d7f5b6518ec4d18af424875e57b5b1d58a058e5ff9db2bf1a1f;Path=/;HttpOnly;SameSite=None;Secure;Domain=rpcontrol-eastus.azurewebsites.net + - ASLBSA=0003d40efdced3b125786ca8cb22325eb49a925b534478081c4d828d5b638143f548; + path=/; secure + - ASLBSACORS=0003d40efdced3b125786ca8cb22325eb49a925b534478081c4d828d5b638143f548; + samesite=none; path=/; secure + strict-transport-security: + - max-age=31536000; includeSubDomains + x-azure-ref: + - 01R/PYwAAAACpX24CzKoETZt8uW5nGJVhTU5aMjIxMDYwNjExMDM1AGU0ODIyNTNiLTllMDUtNDA1ZS1hODNmLTU4NmVlMWQ1NTNlNA== + x-cache: + - CONFIG_NOCACHE + x-content-type-options: + - nosniff + x-ms-providerhub-traffic: + - 'True' + x-ms-ratelimit-remaining-subscription-deletes: + - '14999' + x-powered-by: + - ASP.NET + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - quantum workspace delete + Connection: + - keep-alive + Cookie: + - ASLBSA=0003d40efdced3b125786ca8cb22325eb49a925b534478081c4d828d5b638143f548; + ASLBSACORS=0003d40efdced3b125786ca8cb22325eb49a925b534478081c4d828d5b638143f548 + ParameterSetName: + - -g -w + User-Agent: + - AZURECLI/2.44.1 azsdk-python-mgmt-quantum/1.0.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) + az-cli-ext/0.17.0.1 + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517?api-version=2022-01-10-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517","name":"e2e-test-w9154517","type":"microsoft.quantum/workspaces","location":"eastus","tags":{},"systemData":{"createdBy":"v-wjones@microsoft.com","createdByType":"User","createdAt":"2023-01-23T23:53:56.9639159Z","lastModifiedBy":"v-wjones@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-23T23:53:56.9639159Z"},"identity":{"principalId":"75b04db9-f07d-49f2-b05e-c8150e586215","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned"},"properties":{"providers":[{"providerId":"qci","providerSku":"qci-freepreview","applicationName":"e2e-test-w9154517-qci","provisioningState":"Succeeded"},{"providerId":"rigetti","providerSku":"azure-quantum-credits","applicationName":"e2e-test-w9154517-rigetti","provisioningState":"Succeeded","resourceUsageId":"7964fd5b-f302-4c93-bf64-d458ff733112"},{"providerId":"ionq","providerSku":"pay-as-you-go-cred","applicationName":"e2e-test-w9154517-ionq","provisioningState":"Succeeded","resourceUsageId":"71b0823e-8eab-4e92-a036-28d137c0c498"},{"providerId":"Microsoft","providerSku":"DZH3178M639F","applicationName":"e2e-test-w9154517-Microsoft","provisioningState":"Succeeded"},{"providerId":"microsoft-qc","providerSku":"learn-and-develop","applicationName":"e2e-test-w9154517-microsoft-qc","provisioningState":"Succeeded"},{"providerId":"quantinuum","providerSku":"credits1","applicationName":"e2e-test-w9154517-quantinuum","provisioningState":"Succeeded","resourceUsageId":"be341c87-5098-487f-b767-5a091fa55d3b"}],"provisioningState":"Deleting","usable":"Yes","storageAccount":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2","endpointUri":"https://e2e-test-w9154517.eastus.quantum.azure.com"}}' + headers: + cache-control: + - no-cache + content-length: + - '1905' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 24 Jan 2023 00:01:25 GMT + etag: + - '"45004ff6-0000-0100-0000-63cf1fd50000"' + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-providerhub-traffic: + - 'True' + status: + code: 200 + message: OK +version: 1 diff --git a/src/quantum/azext_quantum/tests/latest/test_quantum_jobs.py b/src/quantum/azext_quantum/tests/latest/test_quantum_jobs.py index 3c8d1d009f9..2c1aa9c936f 100644 --- a/src/quantum/azext_quantum/tests/latest/test_quantum_jobs.py +++ b/src/quantum/azext_quantum/tests/latest/test_quantum_jobs.py @@ -12,12 +12,12 @@ from azure.cli.testsdk import ScenarioTest from azure.cli.core.azclierror import InvalidArgumentValueError, AzureInternalError -from .utils import get_test_subscription_id, get_test_resource_group, get_test_workspace, get_test_workspace_location, issue_cmd_with_param_missing +from .utils import get_test_subscription_id, get_test_resource_group, get_test_workspace, get_test_workspace_location, issue_cmd_with_param_missing, get_test_workspace_storage, get_test_workspace_random_name from ..._client_factory import _get_data_credentials from ...commands import transform_output -from ...operations.workspace import WorkspaceInfo +from ...operations.workspace import WorkspaceInfo, DEPLOYMENT_NAME_PREFIX from ...operations.target import TargetInfo -from ...operations.job import _generate_submit_args, _parse_blob_url, _validate_max_poll_wait_secs, build +from ...operations.job import _generate_submit_args, _parse_blob_url, _validate_max_poll_wait_secs, build, _convert_numeric_params TEST_DIR = os.path.abspath(os.path.join(os.path.abspath(__file__), '..')) @@ -44,16 +44,16 @@ def test_job_errors(self): issue_cmd_with_param_missing(self, "az quantum job wait", "az quantum job wait -g MyResourceGroup -w MyWorkspace -l MyLocation -j yyyyyyyy-yyyy-yyyy-yyyy-yyyyyyyyyyyy --max-poll-wait-secs 60 -o table\nWait for completion of a job, check at 60 second intervals.") def test_build(self): - result = build(self, target_id='ionq.simulator', project='src\\quantum\\azext_quantum\\tests\\latest\\source_for_build_test\\QuantumRNG.csproj', target_capability='BasicQuantumFunctionality') + result = build(self, target_id='ionq.simulator', project='src\\quantum\\azext_quantum\\tests\\latest\\input_data\\QuantumRNG.csproj', target_capability='BasicQuantumFunctionality') assert result == {'result': 'ok'} - self.testfile = open(os.path.join(os.path.dirname(__file__), 'source_for_build_test/obj/qsharp/config/qsc.rsp')) + self.testfile = open(os.path.join(os.path.dirname(__file__), 'input_data/obj/qsharp/config/qsc.rsp')) self.testdata = self.testfile.read() self.assertIn('TargetCapability:BasicQuantumFunctionality', self.testdata) self.testfile.close() try: - build(self, target_id='ionq.simulator', project='src\\quantum\\azext_quantum\\tests\\latest\\source_for_build_test\\QuantumRNG.csproj', target_capability='BogusQuantumFunctionality') + build(self, target_id='ionq.simulator', project='src\\quantum\\azext_quantum\\tests\\latest\\input_data\\QuantumRNG.csproj', target_capability='BogusQuantumFunctionality') assert False except AzureInternalError as e: assert str(e) == "Failed to compile program." @@ -237,3 +237,54 @@ def test_validate_max_poll_wait_secs(self): assert False except InvalidArgumentValueError as e: assert str(e) == "--max-poll-wait-secs parameter is not valid: foobar" + + def test_convert_numeric_params(self): + # Show that it converts numeric strings, but doesn't modify params that are already numeric + test_job_params = {"integer1": "1", "float1.5": "1.5", "integer2": 2, "float2.5": 2.5, "integer3": "3", "float3.5": "3.5"} + _convert_numeric_params(test_job_params) + assert test_job_params == {"integer1": 1, "float1.5": 1.5, "integer2": 2, "float2.5": 2.5, "integer3": 3, "float3.5": 3.5} + + # Make sure it doesn't modify non-numeric strings + test_job_params = {"string1": "string_value1", "string2": "string_value2", "string3": "string_value3"} + _convert_numeric_params(test_job_params) + assert test_job_params == {"string1": "string_value1", "string2": "string_value2", "string3": "string_value3"} + + # Make sure it doesn't modify the "tags" list + test_job_params = {"string1": "string_value1", "tags": ["tag1", "tag2", "3", "4"], "integer1": "1"} + _convert_numeric_params(test_job_params) + assert test_job_params == {"string1": "string_value1", "tags": ["tag1", "tag2", "3", "4"], "integer1": 1} + + # Make sure it doesn't modify nested dict like metadata uses + test_job_params = {"string1": "string_value1", "metadata": {"meta1": "meta_value1", "meta2": "2"}, "integer1": "1"} + _convert_numeric_params(test_job_params) + assert test_job_params == {"string1": "string_value1", "metadata": {"meta1": "meta_value1", "meta2": "2"}, "integer1": 1} + + @live_only() + def test_submit(self): + test_location = get_test_workspace_location() + test_resource_group = get_test_resource_group() + test_workspace_temp = get_test_workspace_random_name() + test_provider_sku_list = "qci/qci-freepreview,rigetti/azure-quantum-credits,ionq/pay-as-you-go-cred,Microsoft/DZH3178M639F" + test_storage = get_test_workspace_storage() + + self.cmd(f"az quantum workspace create -g {test_resource_group} -w {test_workspace_temp} -l {test_location} -a {test_storage} -r {test_provider_sku_list}") + self.cmd(f"az quantum workspace set -g {test_resource_group} -w {test_workspace_temp} -l {test_location}") + + # Run a Quil pass-through job on Rigetti + results = self.cmd("az quantum run -t rigetti.sim.qvm --job-input-format rigetti.quil.v1 -t rigetti.sim.qvm --job-input-file src/quantum/azext_quantum/tests/latest/input_data/bell-state.quil --job-output-format rigetti.quil-results.v1 -o json").get_output_in_json() + self.assertIn("ro", results) + + # Run a Qiskit pass-through job on IonQ + results = self.cmd("az quantum run -t ionq.simulator --shots 100 --job-input-format ionq.circuit.v1 --job-input-file src/quantum/azext_quantum/tests/latest/input_data/Qiskit-3-qubit-GHZ-circuit.json --job-output-format ionq.quantum-results.v1 --job-params count=100 content-type=application/json -o json").get_output_in_json() + self.assertIn("histogram", results) + + # Unexplained behavior: upload_blob fails with on the next two tests, but the same commands succeed when run interactively. + # # Run a QIR job on QCI + # results = self.cmd("az quantum run -t qci.simulator --shots 100 --job-input-format qir.v1 --job-input-file src/quantum/azext_quantum/tests/latest/input_data/Qrng.bc --entry-point Qrng__SampleQuantumRandomNumberGenerator -o json") + # self.assertIn("Histogram", results) + # + # # Run a QIO job + # results = self.cmd("az quantum run -t microsoft.paralleltempering-parameterfree.cpu --job-input-format microsoft.qio.v2 --job-input-file src/quantum/azext_quantum/tests/latest/input_data/QIO-Problem-2.json -o json").get_output_in_json() + # self.assertIn("solutions", results) + + self.cmd(f'az quantum workspace delete -g {test_resource_group} -w {test_workspace_temp}') diff --git a/src/quantum/azext_quantum/tests/latest/test_quantum_targets.py b/src/quantum/azext_quantum/tests/latest/test_quantum_targets.py index e350a96ae32..dc0c8e5836c 100644 --- a/src/quantum/azext_quantum/tests/latest/test_quantum_targets.py +++ b/src/quantum/azext_quantum/tests/latest/test_quantum_targets.py @@ -7,10 +7,13 @@ import pytest import unittest -from azure.cli.testsdk.scenario_tests import AllowLargeResponse +from azure.cli.testsdk.scenario_tests import AllowLargeResponse, live_only from azure.cli.testsdk import (ScenarioTest, ResourceGroupPreparer) -from .utils import get_test_resource_group, get_test_workspace, get_test_workspace_location, issue_cmd_with_param_missing +from .utils import (get_test_resource_group, get_test_workspace, get_test_workspace_location, issue_cmd_with_param_missing, + get_test_workspace_random_name, get_test_workspace_storage, get_test_target_provider_sku_list, + get_test_target_provider, get_test_target_target) +from ...operations.target import get_provider, TargetInfo TEST_DIR = os.path.abspath(os.path.join(os.path.abspath(__file__), '..')) @@ -52,3 +55,25 @@ def test_targets(self): def test_target_errors(self): self.cmd(f'az quantum target clear') issue_cmd_with_param_missing(self, "az quantum target set", "az quantum target set -t target-id\nSelect a default when submitting jobs to Azure Quantum.") + + @live_only() + def test_get_provider(self): + test_resource_group = get_test_resource_group() + test_location = get_test_workspace_location() + test_storage = get_test_workspace_storage() + test_target_provider_sku_list = get_test_target_provider_sku_list() + test_workspace_temp = get_test_workspace_random_name() + + self.cmd(f'az quantum workspace create -g {test_resource_group} -w {test_workspace_temp} -l {test_location} -a {test_storage} -r "{test_target_provider_sku_list}"') + + test_target = get_test_target_target() + test_expected_provider = get_test_target_provider() + test_returned_provider = get_provider(self, test_target, test_resource_group, test_workspace_temp, test_location) + assert test_returned_provider == test_expected_provider + + test_target = "nonexistant.target" + test_expected_provider = None + test_returned_provider = get_provider(self, test_target, test_resource_group, test_workspace_temp, test_location) + assert test_returned_provider == test_expected_provider + + self.cmd(f'az quantum workspace delete -g {test_resource_group} -w {test_workspace_temp}') diff --git a/src/quantum/azext_quantum/tests/latest/test_quantum_workspace.py b/src/quantum/azext_quantum/tests/latest/test_quantum_workspace.py index ed65adfb7c4..e34c6dc15ba 100644 --- a/src/quantum/azext_quantum/tests/latest/test_quantum_workspace.py +++ b/src/quantum/azext_quantum/tests/latest/test_quantum_workspace.py @@ -155,7 +155,7 @@ def test_workspace_create_destroy(self): # @pytest.fixture(autouse=True) # def _pass_fixtures(self, capsys): # self.capsys = capsys - # # See "TODO" in issue_cmd_with_param_missing un utils.py + # # See "TODO" in issue_cmd_with_param_missing in utils.py @live_only() def test_workspace_errors(self): diff --git a/src/quantum/azext_quantum/tests/latest/utils.py b/src/quantum/azext_quantum/tests/latest/utils.py index a2540136728..7f6f37d8ab3 100644 --- a/src/quantum/azext_quantum/tests/latest/utils.py +++ b/src/quantum/azext_quantum/tests/latest/utils.py @@ -10,7 +10,11 @@ TEST_WORKSPACE_DEFAULT_STORAGE = "e2etests" TEST_WORKSPACE_DEFAULT_STORAGE_GRS = "e2etestsgrs" TEST_WORKSPACE_DEFAULT_PROVIDER_SKU_LIST = "Microsoft/Basic" -TEST_CAPABILITIES_DEFAULT = "new.microsoft;submit.microsoft" +TEST_CAPABILITIES_DEFAULT = "new.microsoft;submit.microsoft" + +TEST_TARGET_DEFAULT_PROVIDER_SKU_LIST = "microsoft-qc/learn-and-develop" +TEST_TARGET_DEFAULT_PROVIDER = "microsoft-qc" +TEST_TARGET_DEFAULT_TARGET = "microsoft.estimator" def get_from_os_environment(env_name, default): import os @@ -40,6 +44,15 @@ def get_test_workspace_provider_sku_list(): def get_test_capabilities(): return get_from_os_environment("AZURE_QUANTUM_CAPABILITIES", TEST_CAPABILITIES_DEFAULT).lower() +def get_test_target_provider_sku_list(): + return get_from_os_environment("AZURE_QUANTUM_TARGET_PROVIDER_SKU_LIST", TEST_TARGET_DEFAULT_PROVIDER_SKU_LIST) + +def get_test_target_provider(): + return get_from_os_environment("AZURE_QUANTUM_PROVIDER", TEST_TARGET_DEFAULT_PROVIDER) + +def get_test_target_target(): + return get_from_os_environment("AZURE_QUANTUM_TARGET", TEST_TARGET_DEFAULT_TARGET) + def get_test_workspace_random_name(): import random return "e2e-test-w" + str(random.randint(1000000, 9999999)) diff --git a/src/quantum/setup.py b/src/quantum/setup.py index 2343cb8117d..6b9bb07c5a9 100644 --- a/src/quantum/setup.py +++ b/src/quantum/setup.py @@ -17,7 +17,7 @@ # This version should match the latest entry in HISTORY.rst # Also, when updating this, please review the version used by the extension to # submit requests, which can be found at './azext_quantum/__init__.py' -VERSION = '0.17.0' +VERSION = '0.18.0' # The full list of classifiers is available at # https://pypi.python.org/pypi?%3Aaction=list_classifiers @@ -34,6 +34,7 @@ ] DEPENDENCIES = [ + 'azure-storage-blob~=12.14.1' ] with open('README.rst', 'r', encoding='utf-8') as f: diff --git a/src/service_name.json b/src/service_name.json index 5abca86ef6e..3b53fc1220b 100644 --- a/src/service_name.json +++ b/src/service_name.json @@ -79,6 +79,11 @@ "AzureServiceName": "Azure Communication Service", "URL": "https://docs.microsoft.com/azure/communication-services/" }, + { + "Command": "az confcom", + "AzureServiceName": "Microsoft Confidential Computing", + "URL": "https://docs.microsoft.com/en-us/azure/confcom/" + }, { "Command": "az confidentialledger", "AzureServiceName": "Microsoft Confidential Ledger", @@ -99,6 +104,11 @@ "AzureServiceName": "Azure Arc", "URL": "https://docs.microsoft.com/azure/azure-arc/servers/overview" }, + { + "Command": "az connection", + "AzureServiceName": "Service Connector", + "URL": "https://learn.microsoft.com/azure/service-connector/" + }, { "Command": "az containerapp", "AzureServiceName": "Azure Container Apps", @@ -640,9 +650,9 @@ "URL": "https://docs.microsoft.com/en-us/azure/azure-monitor/change/change-analysis" }, { - "Command": "az orbital", - "AzureServiceName": "Azure Orbital", - "URL": "https://docs.microsoft.com/en-us/azure/orbital/" + "Command": "az orbital", + "AzureServiceName": "Azure Orbital", + "URL": "https://docs.microsoft.com/en-us/azure/orbital/" }, { "Command": "az nginx", @@ -690,8 +700,13 @@ "URL": "https://learn.microsoft.com/en-us/azure/private-5g-core/" }, { - "Command": "az automanage", - "AzureServiceName": "Azure Automanage", - "URL": "https://learn.microsoft.com/en-us/azure/automanage/" + "Command": "az automanage", + "AzureServiceName": "Azure Automanage", + "URL": "https://learn.microsoft.com/en-us/azure/automanage/" + }, + { + "Command": "az voice-service", + "AzureServiceName": "Azure VoiceServices", + "URL": "" } -] +] \ No newline at end of file diff --git a/src/serviceconnector-passwordless/HISTORY.rst b/src/serviceconnector-passwordless/HISTORY.rst new file mode 100644 index 00000000000..8c34bccfff8 --- /dev/null +++ b/src/serviceconnector-passwordless/HISTORY.rst @@ -0,0 +1,8 @@ +.. :changelog: + +Release History +=============== + +0.1.0 +++++++ +* Initial release. \ No newline at end of file diff --git a/src/serviceconnector-passwordless/README.rst b/src/serviceconnector-passwordless/README.rst new file mode 100644 index 00000000000..a0633f7e6cd --- /dev/null +++ b/src/serviceconnector-passwordless/README.rst @@ -0,0 +1,5 @@ +Microsoft Azure CLI 'serviceconnector-passwordless' Extension +========================================== + +This package is for the 'serviceconnector-passwordless' extension. +i.e. 'az serviceconnector-passwordless' \ No newline at end of file diff --git a/src/serviceconnector-passwordless/azext_serviceconnector_passwordless/__init__.py b/src/serviceconnector-passwordless/azext_serviceconnector_passwordless/__init__.py new file mode 100644 index 00000000000..99cfe3905e0 --- /dev/null +++ b/src/serviceconnector-passwordless/azext_serviceconnector_passwordless/__init__.py @@ -0,0 +1,31 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- + +from azure.cli.core import AzCommandsLoader + +from azext_serviceconnector_passwordless._help import helps # pylint: disable=unused-import + + +class Serviceconnector_passwordlessCommandsLoader(AzCommandsLoader): + + def __init__(self, cli_ctx=None): + from azure.cli.core.commands import CliCommandType + serviceconnector_passwordless_custom = CliCommandType( + operations_tmpl='azext_serviceconnector_passwordless.custom#{}') + super().__init__( + cli_ctx=cli_ctx, + custom_command_type=serviceconnector_passwordless_custom) + + def load_command_table(self, args): + from azext_serviceconnector_passwordless.commands import load_command_table + load_command_table(self, args) + return self.command_table + + def load_arguments(self, command): + from azext_serviceconnector_passwordless._params import load_arguments + load_arguments(self, command) + + +COMMAND_LOADER_CLS = Serviceconnector_passwordlessCommandsLoader diff --git a/src/serviceconnector-passwordless/azext_serviceconnector_passwordless/_credential_free.py b/src/serviceconnector-passwordless/azext_serviceconnector_passwordless/_credential_free.py new file mode 100644 index 00000000000..95e24483782 --- /dev/null +++ b/src/serviceconnector-passwordless/azext_serviceconnector_passwordless/_credential_free.py @@ -0,0 +1,732 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- + +import struct +import sys +from knack.log import get_logger +from msrestazure.tools import parse_resource_id +from azure.cli.core.azclierror import ( + AzureConnectionError, + ValidationError, + CLIInternalError +) +from azure.cli.core.extension.operations import _install_deps_for_psycopg2, _run_pip +from azure.cli.core._profile import Profile +from azure.cli.command_modules.serviceconnector._utils import ( + run_cli_cmd, + generate_random_string, + is_packaged_installed, + get_object_id_of_current_user +) +from azure.cli.command_modules.serviceconnector._resource_config import ( + RESOURCE, + AUTH_TYPE +) +from azure.cli.command_modules.serviceconnector._validators import ( + get_source_resource_name, + get_target_resource_name, +) + +logger = get_logger(__name__) + +AUTHTYPES = { + AUTH_TYPE.SystemIdentity: 'systemAssignedIdentity', + AUTH_TYPE.UserAccount: 'userAccount' +} + + +# pylint: disable=line-too-long, consider-using-f-string +# For db(mysqlFlex/psql/psqlFlex/sql) linker with auth type=systemAssignedIdentity, enable AAD auth and create db user on data plane +# For other linker, ignore the steps +def enable_mi_for_db_linker(cmd, source_id, target_id, auth_info, client_type, connection_name): + # return if connection is not for db mi + if auth_info['auth_type'] not in {AUTHTYPES[AUTH_TYPE.SystemIdentity], AUTHTYPES[AUTH_TYPE.UserAccount]}: + return None + + source_type = get_source_resource_name(cmd) + target_type = get_target_resource_name(cmd) + source_handler = getSourceHandler(source_id, source_type) + if source_handler is None: + return None + target_handler = getTargetHandler( + cmd, target_id, target_type, auth_info['auth_type'], client_type, connection_name) + if target_handler is None: + return None + + user_object_id = auth_info.get('principal_id') + if user_object_id is None: + user_object_id = get_object_id_of_current_user() + + if user_object_id is None: + raise Exception( + "No object id for user {}".format(target_handler.login_username)) + + target_handler.user_object_id = user_object_id + if source_type != RESOURCE.Local: + # enable source mi + source_object_id = source_handler.get_identity_pid() + target_handler.identity_object_id = source_object_id + try: + identity_info = run_cli_cmd( + 'az ad sp show --id {}'.format(source_object_id), 15, 10) + target_handler.identity_client_id = identity_info.get('appId') + target_handler.identity_name = identity_info.get('displayName') + except CLIInternalError as e: + if 'AADSTS530003' in e.error_msg: + logger.warning( + 'Please ask your IT department for help to join this device to Azure Active Directory.') + raise e + + # enable target aad authentication and set login user as db aad admin + target_handler.enable_target_aad_auth() + target_handler.set_user_admin( + user_object_id, mysql_identity_id=auth_info.get('mysql-identity-id')) + + # create an aad user in db + target_handler.create_aad_user() + return target_handler.get_auth_config(user_object_id) + + +# pylint: disable=no-self-use, unused-argument, too-many-instance-attributes +def getTargetHandler(cmd, target_id, target_type, auth_type, client_type, connection_name): + if target_type in {RESOURCE.Sql}: + return SqlHandler(cmd, target_id, target_type, auth_type, connection_name) + if target_type in {RESOURCE.Postgres}: + return PostgresSingleHandler(cmd, target_id, target_type, auth_type, connection_name) + if target_type in {RESOURCE.PostgresFlexible}: + return PostgresFlexHandler(cmd, target_id, target_type, auth_type, connection_name) + if target_type in {RESOURCE.MysqlFlexible}: + return MysqlFlexibleHandler(cmd, target_id, target_type, auth_type, connection_name) + return None + + +class TargetHandler: + cmd = None + auth_type = "" + + tenant_id = "" + subscription = "" + resource_group = "" + target_id = "" + target_type = "" + endpoint = "" + + login_username = "" + login_usertype = "" # servicePrincipal, user + user_object_id = "" + aad_username = "" + + identity_name = "" + identity_client_id = "" + identity_object_id = "" + + def __init__(self, cmd, target_id, target_type, auth_type, connection_name): + self.cmd = cmd + self.target_id = target_id + self.target_type = target_type + self.tenant_id = Profile( + cli_ctx=cmd.cli_ctx).get_subscription().get("tenantId") + target_segments = parse_resource_id(target_id) + self.subscription = target_segments.get('subscription') + self.resource_group = target_segments.get('resource_group') + self.auth_type = auth_type + self.login_username = run_cli_cmd( + 'az account show').get("user").get("name") + self.login_usertype = run_cli_cmd( + 'az account show').get("user").get("type") + if(self.login_usertype not in ['servicePrincipal', 'user']): + raise CLIInternalError( + f'{self.login_usertype} is not supported. Please login as user or servicePrincipal') + self.aad_username = "aad_" + connection_name + + def enable_target_aad_auth(self): + return + + def set_user_admin(self, user_object_id, **kwargs): + return + + def set_target_firewall(self, add_new_rule, ip_name): + return + + def create_aad_user(self): + return + + def get_auth_config(self, user_object_id): + if self.auth_type == AUTHTYPES[AUTH_TYPE.UserAccount]: + return { + 'auth_type': self.auth_type, + 'username': self.aad_username, + 'principal_id': user_object_id + } + if self.auth_type == AUTHTYPES[AUTH_TYPE.SystemIdentity]: + return { + 'auth_type': self.auth_type, + 'username': self.aad_username, + } + return None + + +class MysqlFlexibleHandler(TargetHandler): + + server = "" + dbname = "" + + def __init__(self, cmd, target_id, target_type, auth_type, connection_name): + super().__init__(cmd, target_id, target_type, auth_type, connection_name) + self.endpoint = cmd.cli_ctx.cloud.suffixes.mysql_server_endpoint + target_segments = parse_resource_id(target_id) + self.server = target_segments.get('name') + self.dbname = target_segments.get('child_name_1') + + def set_user_admin(self, user_object_id, **kwargs): + mysql_identity_id = kwargs['mysql_identity_id'] + admins = run_cli_cmd( + 'az mysql flexible-server ad-admin list -g {} -s {} --subscription {}'.format( + self.resource_group, self.server, self.subscription) + ) + is_admin = any(ad.get('sid') == user_object_id for ad in admins) + if is_admin: + return + + logger.warning('Set current user as DB Server AAD Administrators.') + # set user as AAD admin + if mysql_identity_id is None: + raise ValidationError( + "Provide '{} mysql-identity-id=xx' to set {} as AAD administrator.".format( + '--system-identity' if self.auth_type == AUTHTYPES[AUTH_TYPE.SystemIdentity] else '--user-account', self.login_username)) + mysql_umi = run_cli_cmd( + 'az mysql flexible-server identity list -g {} -s {} --subscription {}'.format(self.resource_group, self.server, self.subscription)) + if (not mysql_umi) or (not mysql_umi.get("userAssignedIdentities")) or mysql_identity_id not in mysql_umi.get("userAssignedIdentities"): + run_cli_cmd('az mysql flexible-server identity assign -g {} -s {} --subscription {} --identity {}'.format( + self.resource_group, self.server, self.subscription, mysql_identity_id)) + run_cli_cmd('az mysql flexible-server ad-admin create -g {} -s {} --subscription {} -u {} -i {} --identity {}'.format( + self.resource_group, self.server, self.subscription, self.login_username, user_object_id, mysql_identity_id)) + + def create_aad_user(self): + query_list = self.get_create_query() + connection_kwargs = self.get_connection_string() + ip_name = None + try: + logger.warning("Connecting to database...") + self.create_aad_user_in_mysql(connection_kwargs, query_list) + except AzureConnectionError: + # allow public access + ip_name = generate_random_string(prefix='svc_').lower() + self.set_target_firewall(True, ip_name) + # create again + self.create_aad_user_in_mysql(connection_kwargs, query_list) + + # remove firewall rule + if ip_name is not None: + try: + self.set_target_firewall(False, ip_name) + # pylint: disable=bare-except + except: + pass + # logger.warning('Please manually delete firewall rule %s to avoid security issue', ipname) + + def set_target_firewall(self, add_new_rule, ip_name): + if add_new_rule: + target = run_cli_cmd( + 'az mysql flexible-server show --ids {}'.format(self.target_id)) + # logger.warning("Update database server firewall rule to connect...") + if target.get('network').get('publicNetworkAccess') == "Disabled": + return + run_cli_cmd( + 'az mysql flexible-server firewall-rule create --resource-group {0} --name {1} --rule-name {2} ' + '--subscription {3} --start-ip-address 0.0.0.0 --end-ip-address 255.255.255.255'.format( + self.resource_group, self.server, ip_name, self.subscription) + ) + # logger.warning("Remove database server firewall rules to recover...") + # run_cli_cmd('az mysql server firewall-rule delete -g {0} -s {1} -n {2} -y'.format(rg, server, ipname)) + # if deny_public_access: + # run_cli_cmd('az mysql server update --public Disabled --ids {}'.format(target_id)) + + def create_aad_user_in_mysql(self, connection_kwargs, query_list): + if not is_packaged_installed('pymysql'): + _run_pip(["install", "pymysql"]) + # pylint: disable=import-error + try: + import pymysql + from pymysql.constants import CLIENT + except ModuleNotFoundError as e: + raise CLIInternalError( + "Dependency pymysql can't be installed, please install it manually with `" + sys.executable + " -m pip install pymysql`.") from e + + connection_kwargs['client_flag'] = CLIENT.MULTI_STATEMENTS + try: + connection = pymysql.connect(**connection_kwargs) + cursor = connection.cursor() + for q in query_list: + if q: + try: + logger.debug(q) + cursor.execute(q) + except Exception as e: # pylint: disable=broad-except + logger.warning( + "Query %s, error: %s", q, str(e)) + except pymysql.Error as e: + raise AzureConnectionError("Fail to connect mysql. " + str(e)) from e + if cursor is not None: + try: + cursor.close() + except Exception as e: # pylint: disable=broad-except + raise CLIInternalError("connection close failed." + str(e)) from e + + def get_connection_string(self): + password = run_cli_cmd( + 'az account get-access-token --resource-type oss-rdbms').get('accessToken') + + return { + 'host': self.server + self.endpoint, + 'database': self.dbname, + 'user': self.login_username, + 'password': password, + 'ssl': {"fake_flag_to_enable_tls": True}, + 'autocommit': True + } + + def get_create_query(self): + client_id = self.identity_client_id + if self.auth_type == AUTHTYPES[AUTH_TYPE.UserAccount]: + client_id = self.user_object_id + return [ + "SET aad_auth_validate_oids_in_tenant = OFF;", + "DROP USER IF EXISTS '{}'@'%';".format(self.aad_username), + "CREATE AADUSER '{}' IDENTIFIED BY '{}';".format( + self.aad_username, client_id), + "GRANT ALL PRIVILEGES ON `{}`.* TO '{}'@'%';".format( + self.dbname, self.aad_username), + "FLUSH privileges;" + ] + + +class SqlHandler(TargetHandler): + + server = "" + dbname = "" + + def __init__(self, cmd, target_id, target_type, auth_type, connection_name): + super().__init__(cmd, target_id, target_type, auth_type, connection_name) + self.endpoint = cmd.cli_ctx.cloud.suffixes.sql_server_hostname + target_segments = parse_resource_id(target_id) + self.server = target_segments.get('name') + self.dbname = target_segments.get('child_name_1') + + def set_user_admin(self, user_object_id, **kwargs): + # pylint: disable=not-an-iterable + admins = run_cli_cmd( + 'az sql server ad-admin list --ids {}'.format(self.target_id)) + is_admin = any(ad.get('sid') == user_object_id for ad in admins) + if not is_admin: + logger.warning('Setting current user as database server AAD admin:' + ' user=%s object id=%s', self.login_username, user_object_id) + run_cli_cmd('az sql server ad-admin create -g {} --server-name {} --display-name {} --object-id {} --subscription {}'.format( + self.resource_group, self.server, self.login_username, user_object_id, self.subscription)).get('objectId') + + def create_aad_user(self): + + query_list = self.get_create_query() + connection_args = self.get_connection_string() + ip_name = None + try: + logger.warning("Connecting to database...") + self.create_aad_user_in_sql(connection_args, query_list) + except AzureConnectionError: + # allow public access + ip_name = generate_random_string(prefix='svc_').lower() + self.set_target_firewall(True, ip_name) + # create again + self.create_aad_user_in_sql(connection_args, query_list) + + # remove firewall rule + if ip_name is not None: + try: + self.set_target_firewall(False, ip_name) + # pylint: disable=bare-except + except: + pass + # logger.warning('Please manually delete firewall rule %s to avoid security issue', ipname) + + def set_target_firewall(self, add_new_rule, ip_name): + if add_new_rule: + target = run_cli_cmd( + 'az sql server show --ids {}'.format(self.target_id)) + # logger.warning("Update database server firewall rule to connect...") + if target.get('publicNetworkAccess') == "Disabled": + run_cli_cmd( + 'az sql server update -e true --ids {}'.format(self.target_id)) + run_cli_cmd( + 'az sql server firewall-rule create -g {0} -s {1} -n {2} ' + '--subscription {3} --start-ip-address 0.0.0.0 --end-ip-address 255.255.255.255'.format( + self.resource_group, self.server, ip_name, self.subscription) + ) + # return False + + def create_aad_user_in_sql(self, connection_args, query_list): + + if not is_packaged_installed('pyodbc'): + _run_pip(["install", "pyodbc"]) + + # pylint: disable=import-error, c-extension-no-member + try: + import pyodbc + except ModuleNotFoundError as e: + raise CLIInternalError( + "Dependency pyodbc can't be installed, please install it manually with `" + sys.executable + " -m pip install pyodbc`.") from e + drivers = [x for x in pyodbc.drivers() if x in [ + 'ODBC Driver 17 for SQL Server', 'ODBC Driver 18 for SQL Server']] + if not drivers: + raise CLIInternalError( + "Please manually install odbc 17/18 for SQL server, reference: https://docs.microsoft.com/en-us/sql/connect/odbc/download-odbc-driver-for-sql-server/") + try: + with pyodbc.connect(connection_args.get("connection_string").format(driver=drivers[0]), attrs_before=connection_args.get("attrs_before")) as conn: + with conn.cursor() as cursor: + for execution_query in query_list: + try: + logger.debug(execution_query) + cursor.execute(execution_query) + except pyodbc.ProgrammingError as e: + logger.warning(e) + conn.commit() + except pyodbc.Error as e: + raise AzureConnectionError("Fail to connect sql." + str(e)) from e + + def get_connection_string(self): + token_bytes = run_cli_cmd( + 'az account get-access-token --output json --resource https://database.windows.net/').get('accessToken').encode('utf-16-le') + + token_struct = struct.pack( + f'.', validator=validate_app_name, configured_default='spring-app') sku_type = CLIArgumentType(arg_type=get_enum_type(['Basic', 'Standard', 'Enterprise']), help='Name of SKU. Enterprise is still in Preview.') source_path_type = CLIArgumentType(nargs='?', const='.', @@ -66,7 +62,7 @@ def load_arguments(self, _): with self.argument_context('spring') as c: c.argument('resource_group', arg_type=resource_group_name_type) c.argument('name', options_list=[ - '--name', '-n'], help='Name of Azure Spring Apps.') + '--name', '-n'], help='The name of Azure Spring Apps instance.') # A refactoring work item to move validators to command level to reduce the duplications. # https://dev.azure.com/msazure/AzureDMSS/_workitems/edit/11002857/ @@ -125,7 +121,7 @@ def load_arguments(self, _): help='Ingress read timeout value in seconds. Default 300, Minimum is 1, maximum is 1800.', validator=validate_ingress_timeout) c.argument('build_pool_size', - arg_type=get_enum_type(['S1', 'S2', 'S3', 'S4', 'S5']), + arg_type=get_enum_type(['S1', 'S2', 'S3', 'S4', 'S5', 'S6', 'S7', 'S8', 'S9']), validator=validate_build_pool_size, help='(Enterprise Tier Only) Size of build agent pool. See https://aka.ms/azure-spring-cloud-build-service-docs for size info.') c.argument('enable_application_configuration_service', @@ -200,7 +196,7 @@ def load_arguments(self, _): redirect='az spring app-insights update --disable', hide=True)) c.argument('build_pool_size', - arg_type=get_enum_type(['S1', 'S2', 'S3', 'S4', 'S5']), + arg_type=get_enum_type(['S1', 'S2', 'S3', 'S4', 'S5', 'S6', 'S7', 'S8', 'S9']), help='(Enterprise Tier Only) Size of build agent pool. See https://aka.ms/azure-spring-cloud-build-service-docs for size info.') c.argument('enable_log_stream_public_endpoint', arg_type=get_three_state_flag(), @@ -217,7 +213,7 @@ def load_arguments(self, _): with self.argument_context('spring app') as c: c.argument('service', service_name_type) - c.argument('name', name_type, help='Name of app.') + c.argument('name', name_type, help='The name of app running in the specified Azure Spring Apps instance.') for scope in ['spring app create', 'spring app update', 'spring app deploy', 'spring app deployment create', 'spring app deployment update']: with self.argument_context(scope) as c: @@ -267,6 +263,8 @@ def load_arguments(self, _): help='A json file path for the persistent storages to be mounted to the app') c.argument('loaded_public_certificate_file', options_list=['--loaded-public-certificate-file', '-f'], type=str, help='A json file path indicates the certificates which would be loaded to app') + c.argument('deployment_name', default='default', + help='Name of the default deployment.', validator=validate_name) with self.argument_context('spring app update') as c: c.argument('assign_endpoint', arg_type=get_three_state_flag(), @@ -316,10 +314,10 @@ def load_arguments(self, _): validator=validate_remote_debugging_port) with self.argument_context('spring app unset-deployment') as c: - c.argument('name', name_type, help='Name of app.', validator=active_deployment_exist) + c.argument('name', name_type, help='The name of app running in the specified Azure Spring Apps instance.', validator=active_deployment_exist) with self.argument_context('spring app identity') as c: - c.argument('name', name_type, help='Name of app.', validator=active_deployment_exist_or_warning) + c.argument('name', name_type, help='The name of app running in the specified Azure Spring Apps instance.', validator=active_deployment_exist_or_warning) with self.argument_context('spring app identity assign') as c: c.argument('scope', diff --git a/src/spring/azext_spring/_util_enterprise.py b/src/spring/azext_spring/_util_enterprise.py index c735dccb947..0d1c5a9cc06 100644 --- a/src/spring/azext_spring/_util_enterprise.py +++ b/src/spring/azext_spring/_util_enterprise.py @@ -5,7 +5,7 @@ # pylint: disable=wrong-import-order -from .vendored_sdks.appplatform.v2022_01_01_preview import AppPlatformManagementClient +from .vendored_sdks.appplatform.v2022_11_01_preview import AppPlatformManagementClient from azure.cli.core.commands.client_factory import get_mgmt_service_client diff --git a/src/spring/azext_spring/_utils.py b/src/spring/azext_spring/_utils.py index 4496f5ae9c6..796c7927eb6 100644 --- a/src/spring/azext_spring/_utils.py +++ b/src/spring/azext_spring/_utils.py @@ -15,7 +15,7 @@ from json import dumps from knack.util import CLIError, todict from knack.log import get_logger -from .vendored_sdks.appplatform.v2020_07_01.models import _app_platform_management_client_enums as AppPlatformEnums +from .vendored_sdks.appplatform.v2022_11_01_preview.models._app_platform_management_client_enums import SupportedRuntimeValue from ._client_factory import cf_resource_groups @@ -27,7 +27,7 @@ def _get_upload_local_file(runtime_version, artifact_path=None, source_path=None file_path = None if artifact_path is not None: file_path = artifact_path - file_type = "NetCoreZip" if runtime_version == AppPlatformEnums.RuntimeVersion.NET_CORE31 else "Jar" + file_type = "NetCoreZip" if runtime_version == SupportedRuntimeValue.NET_CORE31 else "Jar" elif source_path is not None: file_path = os.path.join(tempfile.gettempdir( ), 'build_archive_{}.tar.gz'.format(uuid.uuid4().hex)) @@ -39,7 +39,7 @@ def _get_upload_local_file(runtime_version, artifact_path=None, source_path=None def _get_file_type(runtime_version, artifact_path=None): - file_type = "NetCoreZip" if runtime_version == AppPlatformEnums.RuntimeVersion.NET_CORE31 else "Jar" + file_type = "NetCoreZip" if runtime_version == SupportedRuntimeValue.NET_CORE31 else "Jar" if artifact_path is None: file_type = "Source" diff --git a/src/spring/azext_spring/_validators.py b/src/spring/azext_spring/_validators.py index b1d80cce1db..2ad34c177b2 100644 --- a/src/spring/azext_spring/_validators.py +++ b/src/spring/azext_spring/_validators.py @@ -21,7 +21,7 @@ from ._clierror import NotSupportedPricingTierError from ._utils import (ApiType, _get_rg_location, _get_file_type, _get_sku_name) from ._util_enterprise import is_enterprise_tier -from .vendored_sdks.appplatform.v2020_07_01 import models +from .vendored_sdks.appplatform.v2022_11_01_preview import models from ._constant import (MARKETPLACE_OFFER_ID, MARKETPLACE_PLAN_ID, MARKETPLACE_PUBLISHER_ID) logger = get_logger(__name__) diff --git a/src/spring/azext_spring/api_portal.py b/src/spring/azext_spring/api_portal.py index cb0dfdedb53..7554c23c959 100644 --- a/src/spring/azext_spring/api_portal.py +++ b/src/spring/azext_spring/api_portal.py @@ -6,7 +6,7 @@ from azure.cli.core.azclierror import ClientRequestError from azure.cli.core.commands.client_factory import get_subscription_id from msrestazure.tools import resource_id -from .vendored_sdks.appplatform.v2022_01_01_preview import models +from .vendored_sdks.appplatform.v2022_11_01_preview import models from ._utils import get_spring_sku DEFAULT_NAME = "default" diff --git a/src/spring/azext_spring/app.py b/src/spring/azext_spring/app.py index 54841ef88f6..ec9b97732ca 100644 --- a/src/spring/azext_spring/app.py +++ b/src/spring/azext_spring/app.py @@ -35,6 +35,7 @@ def app_create(cmd, client, resource_group, service, name, + deployment_name=None, # deployment.settings cpu=None, memory=None, @@ -143,12 +144,13 @@ def app_create(cmd, client, resource_group, service, name, app_poller = client.apps.begin_create_or_update(resource_group, service, name, app_resource) wait_till_end(cmd, app_poller) - logger.warning('[2/3] Creating default deployment with name "{}"'.format(DEFAULT_DEPLOYMENT_NAME)) + banner_deployment_name = deployment_name or DEFAULT_DEPLOYMENT_NAME + logger.warning('[2/3] Creating default deployment with name "{}"'.format(banner_deployment_name)) deployment_resource = deployment_factory.format_resource(**create_deployment_kwargs, **basic_kwargs) poller = client.deployments.begin_create_or_update(resource_group, service, name, - DEFAULT_DEPLOYMENT_NAME, + banner_deployment_name, deployment_resource) logger.warning('[3/3] Updating app "{}" (this operation can take a while to complete)'.format(name)) app_resource = app_factory.format_resource(**update_app_kwargs, **basic_kwargs) diff --git a/src/spring/azext_spring/app_managed_identity.py b/src/spring/azext_spring/app_managed_identity.py index 7b23a4ec97c..b78511534fb 100644 --- a/src/spring/azext_spring/app_managed_identity.py +++ b/src/spring/azext_spring/app_managed_identity.py @@ -5,7 +5,7 @@ from ._clierror import ConflictRequestError from ._utils import wait_till_end -from .vendored_sdks.appplatform.v2022_03_01_preview import models as models_20220301preview +from .vendored_sdks.appplatform.v2022_11_01_preview import models from azure.cli.core.azclierror import (AzureInternalError, CLIInternalError) from azure.core.exceptions import HttpResponseError from msrestazure.azure_exceptions import CloudError @@ -86,7 +86,7 @@ def app_identity_remove(cmd, return if not app.identity.type: raise AzureInternalError("Invalid existed identity type {}.".format(app.identity.type)) - if app.identity.type == models_20220301preview.ManagedIdentityType.NONE: + if app.identity.type == models.ManagedIdentityType.NONE: logger.warning("Skip remove managed identity since identity type is {}.".format(app.identity.type)) return @@ -98,11 +98,11 @@ def app_identity_remove(cmd, new_identity_type = _get_new_identity_type_for_remove(app.identity.type, system_assigned, new_user_identities) user_identity_payload = _get_user_identity_payload_for_remove(new_identity_type, user_assigned) - target_identity = models_20220301preview.ManagedIdentityProperties() + target_identity = models.ManagedIdentityProperties() target_identity.type = new_identity_type target_identity.user_assigned_identities = user_identity_payload - app_resource = models_20220301preview.AppResource() + app_resource = models.AppResource() app_resource.identity = target_identity poller = client.apps.begin_update(resource_group, service, name, app_resource) @@ -134,7 +134,7 @@ def app_identity_force_set(cmd, new_identity_type = _get_new_identity_type_for_force_set(system_assigned, user_assigned) user_identity_payload = _get_user_identity_payload_for_force_set(user_assigned) - target_identity = models_20220301preview.ManagedIdentityProperties() + target_identity = models.ManagedIdentityProperties() target_identity.type = new_identity_type target_identity.user_assigned_identities = user_identity_payload @@ -168,12 +168,12 @@ def _legacy_app_identity_assign(cmd, client, resource_group, service, name): raise ConflictRequestError("Failed to enable system-assigned managed identity since app is in {} state.".format( app.properties.provisioning_state)) - new_identity_type = models_20220301preview.ManagedIdentityType.SYSTEM_ASSIGNED - if app.identity and app.identity.type in (models_20220301preview.ManagedIdentityType.USER_ASSIGNED, - models_20220301preview.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED): - new_identity_type = models_20220301preview.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED - target_identity = models_20220301preview.ManagedIdentityProperties(type=new_identity_type) - app_resource = models_20220301preview.AppResource(identity=target_identity) + new_identity_type = models.ManagedIdentityType.SYSTEM_ASSIGNED + if app.identity and app.identity.type in (models.ManagedIdentityType.USER_ASSIGNED, + models.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED): + new_identity_type = models.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED + target_identity = models.ManagedIdentityProperties(type=new_identity_type) + app_resource = models.AppResource(identity=target_identity) logger.warning("Start to enable system-assigned managed identity.") return client.apps.begin_update(resource_group, service, name, app_resource) @@ -188,11 +188,11 @@ def _new_app_identity_assign(cmd, client, resource_group, service, name, system_ new_identity_type = _get_new_identity_type_for_assign(app, system_assigned, user_assigned) user_identity_payload = _get_user_identity_payload_for_assign(new_identity_type, user_assigned) - identity_payload = models_20220301preview.ManagedIdentityProperties() + identity_payload = models.ManagedIdentityProperties() identity_payload.type = new_identity_type identity_payload.user_assigned_identities = user_identity_payload - app_resource = models_20220301preview.AppResource(identity=identity_payload) + app_resource = models.AppResource(identity=identity_payload) logger.warning("Start to assign managed identities to app.") return client.apps.begin_update(resource_group, service, name, app_resource) @@ -204,23 +204,23 @@ def _get_new_identity_type_for_assign(app, system_assigned, user_assigned): if app.identity and app.identity.type: new_identity_type = app.identity.type else: - new_identity_type = models_20220301preview.ManagedIdentityType.NONE + new_identity_type = models.ManagedIdentityType.NONE if system_assigned: - if new_identity_type in (models_20220301preview.ManagedIdentityType.USER_ASSIGNED, - models_20220301preview.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED): - new_identity_type = models_20220301preview.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED + if new_identity_type in (models.ManagedIdentityType.USER_ASSIGNED, + models.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED): + new_identity_type = models.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED else: - new_identity_type = models_20220301preview.ManagedIdentityType.SYSTEM_ASSIGNED + new_identity_type = models.ManagedIdentityType.SYSTEM_ASSIGNED if user_assigned: - if new_identity_type in (models_20220301preview.ManagedIdentityType.SYSTEM_ASSIGNED, - models_20220301preview.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED): - new_identity_type = models_20220301preview.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED + if new_identity_type in (models.ManagedIdentityType.SYSTEM_ASSIGNED, + models.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED): + new_identity_type = models.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED else: - new_identity_type = models_20220301preview.ManagedIdentityType.USER_ASSIGNED + new_identity_type = models.ManagedIdentityType.USER_ASSIGNED - if not new_identity_type or new_identity_type == models_20220301preview.ManagedIdentityType.NONE: + if not new_identity_type or new_identity_type == models.ManagedIdentityType.NONE: raise CLIInternalError("Internal error: invalid new identity type:{}.".format(new_identity_type)) return new_identity_type @@ -234,13 +234,13 @@ def _get_user_identity_payload_for_assign(new_identity_type, new_user_identity_r 2. A dict from user-assigned managed identity to an empty object. """ uid_payload = {} - if new_identity_type == models_20220301preview.ManagedIdentityType.SYSTEM_ASSIGNED: + if new_identity_type == models.ManagedIdentityType.SYSTEM_ASSIGNED: pass - elif new_identity_type in (models_20220301preview.ManagedIdentityType.USER_ASSIGNED, - models_20220301preview.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED): + elif new_identity_type in (models.ManagedIdentityType.USER_ASSIGNED, + models.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED): if new_user_identity_rid_list: for rid in new_user_identity_rid_list: - uid_payload[rid] = models_20220301preview.UserAssignedManagedIdentity() + uid_payload[rid] = models.UserAssignedManagedIdentity() if len(uid_payload) == 0: uid_payload = None @@ -314,27 +314,27 @@ def _get_new_identity_type_for_remove(exist_identity_type, is_remove_system_iden exist_identity_type_str = exist_identity_type.lower() - if exist_identity_type_str == models_20220301preview.ManagedIdentityType.NONE.lower(): - new_identity_type = models_20220301preview.ManagedIdentityType.NONE - elif exist_identity_type_str == models_20220301preview.ManagedIdentityType.SYSTEM_ASSIGNED.lower(): + if exist_identity_type_str == models.ManagedIdentityType.NONE.lower(): + new_identity_type = models.ManagedIdentityType.NONE + elif exist_identity_type_str == models.ManagedIdentityType.SYSTEM_ASSIGNED.lower(): if is_remove_system_identity: - new_identity_type = models_20220301preview.ManagedIdentityType.NONE + new_identity_type = models.ManagedIdentityType.NONE else: - new_identity_type = models_20220301preview.ManagedIdentityType.SYSTEM_ASSIGNED - elif exist_identity_type_str == models_20220301preview.ManagedIdentityType.USER_ASSIGNED.lower(): + new_identity_type = models.ManagedIdentityType.SYSTEM_ASSIGNED + elif exist_identity_type_str == models.ManagedIdentityType.USER_ASSIGNED.lower(): if not new_user_identities: - new_identity_type = models_20220301preview.ManagedIdentityType.NONE + new_identity_type = models.ManagedIdentityType.NONE else: - new_identity_type = models_20220301preview.ManagedIdentityType.USER_ASSIGNED - elif exist_identity_type_str == models_20220301preview.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED.lower(): + new_identity_type = models.ManagedIdentityType.USER_ASSIGNED + elif exist_identity_type_str == models.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED.lower(): if is_remove_system_identity and not new_user_identities: - new_identity_type = models_20220301preview.ManagedIdentityType.NONE + new_identity_type = models.ManagedIdentityType.NONE elif not is_remove_system_identity and not new_user_identities: - new_identity_type = models_20220301preview.ManagedIdentityType.SYSTEM_ASSIGNED + new_identity_type = models.ManagedIdentityType.SYSTEM_ASSIGNED elif is_remove_system_identity and new_user_identities: - new_identity_type = models_20220301preview.ManagedIdentityType.USER_ASSIGNED + new_identity_type = models.ManagedIdentityType.USER_ASSIGNED else: - new_identity_type = models_20220301preview.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED + new_identity_type = models.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED else: raise AzureInternalError("Invalid identity type: {}.".format(exist_identity_type_str)) @@ -348,8 +348,8 @@ def _get_user_identity_payload_for_remove(new_identity_type, user_identity_list_ :return None object or a non-empty dict from user-assigned managed identity resource id to None object """ user_identity_payload = {} - if new_identity_type in (models_20220301preview.ManagedIdentityType.USER_ASSIGNED, - models_20220301preview.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED): + if new_identity_type in (models.ManagedIdentityType.USER_ASSIGNED, + models.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED): # empty list means remove all user-assigned managed identites if user_identity_list_to_remove is not None and len(user_identity_list_to_remove) == 0: raise CLIInternalError("When remove all user-assigned managed identities, " @@ -366,13 +366,13 @@ def _get_user_identity_payload_for_remove(new_identity_type, user_identity_list_ def _get_new_identity_type_for_force_set(system_assigned, user_assigned): - new_identity_type = models_20220301preview.ManagedIdentityType.NONE + new_identity_type = models.ManagedIdentityType.NONE if DISABLE_LOWER == system_assigned and DISABLE_LOWER != user_assigned[0]: - new_identity_type = models_20220301preview.ManagedIdentityType.USER_ASSIGNED + new_identity_type = models.ManagedIdentityType.USER_ASSIGNED elif ENABLE_LOWER == system_assigned and DISABLE_LOWER == user_assigned[0]: - new_identity_type = models_20220301preview.ManagedIdentityType.SYSTEM_ASSIGNED + new_identity_type = models.ManagedIdentityType.SYSTEM_ASSIGNED elif ENABLE_LOWER == system_assigned and DISABLE_LOWER != user_assigned[0]: - new_identity_type = models_20220301preview.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED + new_identity_type = models.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED return new_identity_type @@ -381,7 +381,7 @@ def _get_user_identity_payload_for_force_set(user_assigned): return None user_identity_payload = {} for user_identity_resource_id in user_assigned: - user_identity_payload[user_identity_resource_id] = models_20220301preview.UserAssignedManagedIdentity() + user_identity_payload[user_identity_resource_id] = models.UserAssignedManagedIdentity() if not user_identity_payload: user_identity_payload = None return user_identity_payload diff --git a/src/spring/azext_spring/application_configuration_service.py b/src/spring/azext_spring/application_configuration_service.py index 022c4d1b307..8dec44ce8c1 100644 --- a/src/spring/azext_spring/application_configuration_service.py +++ b/src/spring/azext_spring/application_configuration_service.py @@ -12,7 +12,7 @@ from knack.log import get_logger from msrestazure.tools import resource_id -from .vendored_sdks.appplatform.v2022_01_01_preview import models +from .vendored_sdks.appplatform.v2022_11_01_preview import models APPLICATION_CONFIGURATION_SERVICE_NAME = "applicationConfigurationService" RESOURCE_ID = "resourceId" diff --git a/src/spring/azext_spring/buildpack_binding.py b/src/spring/azext_spring/buildpack_binding.py index 0588f7123ef..873c27ebe1c 100644 --- a/src/spring/azext_spring/buildpack_binding.py +++ b/src/spring/azext_spring/buildpack_binding.py @@ -4,7 +4,7 @@ # -------------------------------------------------------------------------------------------- # pylint: disable=wrong-import-order -from .vendored_sdks.appplatform.v2022_01_01_preview import models +from .vendored_sdks.appplatform.v2022_11_01_preview import models from azure.cli.core.util import sdk_no_wait from ._utils import get_portal_uri from msrestazure.tools import parse_resource_id, is_valid_resource_id diff --git a/src/spring/azext_spring/commands.py b/src/spring/azext_spring/commands.py index b284f799024..0fabf2ff460 100644 --- a/src/spring/azext_spring/commands.py +++ b/src/spring/azext_spring/commands.py @@ -7,12 +7,7 @@ from azure.cli.core.commands import CliCommandType from azext_spring._utils import handle_asc_exception -from ._client_factory import (cf_spring_20221101preview, - cf_spring_20220901preview, - cf_spring_20220501preview, - cf_spring_20220301preview, - cf_spring_20220101preview, - cf_spring_20201101preview, +from ._client_factory import (cf_spring, cf_config_servers) from ._transformers import (transform_spring_table_output, transform_app_table_output, @@ -39,77 +34,77 @@ def load_command_table(self, _): spring_routing_util = CliCommandType( operations_tmpl='azext_spring.spring_instance#{}', - client_factory=cf_spring_20221101preview + client_factory=cf_spring ) app_command = CliCommandType( operations_tmpl='azext_spring.app#{}', - client_factory=cf_spring_20220901preview + client_factory=cf_spring ) app_managed_identity_command = CliCommandType( operations_tmpl='azext_spring.app_managed_identity#{}', - client_factory=cf_spring_20220301preview + client_factory=cf_spring ) service_registry_cmd_group = CliCommandType( operations_tmpl='azext_spring.service_registry#{}', - client_factory=cf_spring_20220101preview + client_factory=cf_spring ) builder_cmd_group = CliCommandType( operations_tmpl="azext_spring._build_service#{}", - client_factory=cf_spring_20220901preview + client_factory=cf_spring ) buildpack_binding_cmd_group = CliCommandType( operations_tmpl="azext_spring.buildpack_binding#{}", - client_factory=cf_spring_20220101preview + client_factory=cf_spring ) application_configuration_service_cmd_group = CliCommandType( operations_tmpl='azext_spring.application_configuration_service#{}', - client_factory=cf_spring_20220101preview + client_factory=cf_spring ) application_live_view_cmd_group = CliCommandType( operations_tmpl='azext_spring.application_live_view#{}', - client_factory=cf_spring_20221101preview + client_factory=cf_spring ) dev_tool_portal_cmd_group = CliCommandType( operations_tmpl='azext_spring.dev_tool_portal#{}', - client_factory=cf_spring_20221101preview + client_factory=cf_spring ) gateway_cmd_group = CliCommandType( operations_tmpl='azext_spring.gateway#{}', - client_factory=cf_spring_20221101preview + client_factory=cf_spring ) gateway_custom_domain_cmd_group = CliCommandType( operations_tmpl='azext_spring.gateway#{}', - client_factory=cf_spring_20220101preview + client_factory=cf_spring ) gateway_route_config_cmd_group = CliCommandType( operations_tmpl='azext_spring.gateway#{}', - client_factory=cf_spring_20221101preview + client_factory=cf_spring ) api_portal_cmd_group = CliCommandType( operations_tmpl='azext_spring.api_portal#{}', - client_factory=cf_spring_20220101preview + client_factory=cf_spring ) api_portal_custom_domain_cmd_group = CliCommandType( operations_tmpl='azext_spring.api_portal#{}', - client_factory=cf_spring_20220101preview + client_factory=cf_spring ) application_accelerator_cmd_group = CliCommandType( operations_tmpl='azext_spring.application_accelerator#{}', - client_factory=cf_spring_20221101preview + client_factory=cf_spring ) with self.command_group('spring', custom_command_type=spring_routing_util, @@ -119,7 +114,7 @@ def load_command_table(self, _): is_preview=True, table_transformer=transform_marketplace_plan_output) - with self.command_group('spring', client_factory=cf_spring_20220501preview, + with self.command_group('spring', client_factory=cf_spring, exception_handler=handle_asc_exception) as g: g.custom_command('update', 'spring_update', supports_no_wait=True) g.custom_command('delete', 'spring_delete', supports_no_wait=True) @@ -128,7 +123,7 @@ def load_command_table(self, _): g.custom_command('list', 'spring_list', table_transformer=transform_spring_table_output) g.custom_show_command('show', 'spring_get', table_transformer=transform_spring_table_output) - with self.command_group('spring test-endpoint', client_factory=cf_spring_20220101preview, + with self.command_group('spring test-endpoint', client_factory=cf_spring, exception_handler=handle_asc_exception) as g: g.custom_command('enable ', 'enable_test_endpoint') g.custom_show_command('disable ', 'disable_test_endpoint') @@ -154,7 +149,7 @@ def load_command_table(self, _): g.custom_command('create', 'app_create') g.custom_command('update', 'app_update', supports_no_wait=True) - with self.command_group('spring app', client_factory=cf_spring_20220901preview, + with self.command_group('spring app', client_factory=cf_spring, exception_handler=handle_asc_exception) as g: g.custom_command('set-deployment', 'app_set_deployment', supports_no_wait=True) @@ -185,20 +180,20 @@ def load_command_table(self, _): g.custom_command('force-set', 'app_identity_force_set') g.custom_show_command('show', 'app_identity_show') - with self.command_group('spring app log', client_factory=cf_spring_20220101preview, + with self.command_group('spring app log', client_factory=cf_spring, deprecate_info=g.deprecate(redirect='az spring app logs', hide=True), exception_handler=handle_asc_exception) as g: g.custom_command('tail', 'app_tail_log') - with self.command_group('spring app', custom_command_type=app_command, client_factory=cf_spring_20221101preview, + with self.command_group('spring app', custom_command_type=app_command, client_factory=cf_spring, exception_handler=handle_asc_exception) as g: g.custom_command('deploy', 'app_deploy', supports_no_wait=True) - with self.command_group('spring app deployment', custom_command_type=app_command, client_factory=cf_spring_20220501preview, + with self.command_group('spring app deployment', custom_command_type=app_command, client_factory=cf_spring, exception_handler=handle_asc_exception) as g: g.custom_command('create', 'deployment_create', supports_no_wait=True) - with self.command_group('spring app deployment', client_factory=cf_spring_20220501preview, + with self.command_group('spring app deployment', client_factory=cf_spring, exception_handler=handle_asc_exception) as g: g.custom_command('list', 'deployment_list', table_transformer=transform_spring_deployment_output) @@ -209,7 +204,7 @@ def load_command_table(self, _): g.custom_command('generate-thread-dump', 'deployment_generate_thread_dump') g.custom_command('start-jfr', 'deployment_start_jfr') - with self.command_group('spring app binding', client_factory=cf_spring_20220101preview, + with self.command_group('spring app binding', client_factory=cf_spring, exception_handler=handle_asc_exception, deprecate_info=self.deprecate( target='spring app binding', redirect='spring connection', hide=True)) as g: @@ -223,7 +218,7 @@ def load_command_table(self, _): g.custom_command('redis update', 'binding_redis_update') g.custom_show_command('remove', 'binding_remove') - with self.command_group('spring storage', client_factory=cf_spring_20220101preview, + with self.command_group('spring storage', client_factory=cf_spring, exception_handler=handle_asc_exception) as g: g.custom_command('list', 'storage_list') g.custom_show_command('show', 'storage_get') @@ -232,7 +227,7 @@ def load_command_table(self, _): g.custom_command('remove', 'storage_remove') g.custom_command('list-persistent-storage', "storage_list_persistent_storage", table_transformer=transform_app_table_output) - with self.command_group('spring certificate', client_factory=cf_spring_20220101preview, + with self.command_group('spring certificate', client_factory=cf_spring, exception_handler=handle_asc_exception) as g: g.custom_command('add', 'certificate_add') g.custom_show_command('show', 'certificate_show', table_transformer=transform_spring_certificate_output) @@ -240,7 +235,7 @@ def load_command_table(self, _): g.custom_command('remove', 'certificate_remove') g.custom_command('list-reference-app', 'certificate_list_reference_app', table_transformer=transform_app_table_output) - with self.command_group('spring app custom-domain', client_factory=cf_spring_20220101preview, + with self.command_group('spring app custom-domain', client_factory=cf_spring, exception_handler=handle_asc_exception) as g: g.custom_command('bind', 'domain_bind') g.custom_show_command('show', 'domain_show', table_transformer=transform_spring_custom_domain_output) @@ -249,7 +244,7 @@ def load_command_table(self, _): g.custom_command('unbind', 'domain_unbind') with self.command_group('spring app-insights', - client_factory=cf_spring_20201101preview, + client_factory=cf_spring, exception_handler=handle_asc_exception) as g: g.custom_command('update', 'app_insights_update', supports_no_wait=True) g.custom_show_command('show', 'app_insights_show', diff --git a/src/spring/azext_spring/custom.py b/src/spring/azext_spring/custom.py index f653dc64928..4328b9b6164 100644 --- a/src/spring/azext_spring/custom.py +++ b/src/spring/azext_spring/custom.py @@ -21,23 +21,13 @@ from azure.mgmt.core.tools import (parse_resource_id, is_valid_resource_id) from ._utils import (get_portal_uri, get_spring_sku) from knack.util import CLIError -from .vendored_sdks.appplatform.v2020_07_01 import models -from .vendored_sdks.appplatform.v2020_11_01_preview import models as models_20201101preview -from .vendored_sdks.appplatform.v2022_01_01_preview import models as models_20220101preview -from .vendored_sdks.appplatform.v2022_05_01_preview import models as models_20220501preview -from .vendored_sdks.appplatform.v2020_07_01.models import _app_platform_management_client_enums as AppPlatformEnums -from .vendored_sdks.appplatform.v2022_09_01_preview import models as models_20220901preview -from .vendored_sdks.appplatform.v2020_11_01_preview import ( - AppPlatformManagementClient as AppPlatformManagementClient_20201101preview -) -from ._client_factory import (cf_spring) +from .vendored_sdks.appplatform.v2022_11_01_preview import models, AppPlatformManagementClient from knack.log import get_logger from azure.cli.core.azclierror import ClientRequestError, FileOperationError, InvalidArgumentValueError, ResourceNotFoundError from azure.cli.core.commands.client_factory import get_mgmt_service_client from azure.cli.core.util import sdk_no_wait from azure.mgmt.applicationinsights import ApplicationInsightsManagementClient from azure.cli.core.commands import cached_put -from ._utils import _get_rg_location from ._resource_quantity import validate_cpu, validate_memory from six.moves.urllib import parse from threading import Thread @@ -78,7 +68,7 @@ def _update_application_insights_asc_create(cmd, **_): monitoring_setting_resource = models.MonitoringSettingResource() if disable_app_insights is not True: - client_preview = get_mgmt_service_client(cmd.cli_ctx, AppPlatformManagementClient_20201101preview) + client_preview = get_mgmt_service_client(cmd.cli_ctx, AppPlatformManagementClient) logger.warning("Start configure Application Insights") monitoring_setting_properties = update_java_agent_config( cmd, resource_group, name, location, app_insights_key, app_insights, sampling_rate) @@ -97,7 +87,7 @@ def spring_update(cmd, client, resource_group, name, app_insights_key=None, app_ Will be decommissioned in future releases. :param app_insights_key: Connection string or Instrumentation key """ - updated_resource = models_20220501preview.ServiceResource() + updated_resource = models.ServiceResource() update_service_tags = False update_service_sku = False update_log_stream_public_endpoint = False @@ -109,11 +99,11 @@ def spring_update(cmd, client, resource_group, name, app_insights_key=None, app_ resource = client.services.get(resource_group, name) location = resource.location - updated_resource_properties = models_20220501preview.ClusterResourceProperties() + updated_resource_properties = models.ClusterResourceProperties() updated_resource_properties.zone_redundant = None if enable_log_stream_public_endpoint is not None: - updated_resource_properties.vnet_addons = models_20220501preview.ServiceVNetAddons( + updated_resource_properties.vnet_addons = models.ServiceVNetAddons( log_stream_public_endpoint=enable_log_stream_public_endpoint ) update_log_stream_public_endpoint = True @@ -143,8 +133,8 @@ def spring_update(cmd, client, resource_group, name, app_insights_key=None, app_ def _update_ingress_config(updated_resource_properties, ingress_read_timeout=None): if ingress_read_timeout: - ingress_configuration = models_20220501preview.IngressConfig(read_timeout_in_seconds=ingress_read_timeout) - updated_resource_properties.network_profile = models_20220501preview.NetworkProfile( + ingress_configuration = models.IngressConfig(read_timeout_in_seconds=ingress_read_timeout) + updated_resource_properties.network_profile = models.NetworkProfile( ingress_config=ingress_configuration) @@ -155,7 +145,7 @@ def _update_application_insights_asc_update(cmd, resource_group, name, location, update_app_insights = False app_insights_target_status = False - client_preview = get_mgmt_service_client(cmd.cli_ctx, AppPlatformManagementClient_20201101preview) + client_preview = get_mgmt_service_client(cmd.cli_ctx, AppPlatformManagementClient) monitoring_setting_properties = client_preview.monitoring_settings.get(resource_group, name).properties trace_enabled = monitoring_setting_properties.trace_enabled if monitoring_setting_properties is not None else False @@ -174,7 +164,7 @@ def _update_application_insights_asc_update(cmd, resource_group, name, location, # update application insights if update_app_insights is True: if app_insights_target_status is False: - monitoring_setting_properties = models_20201101preview.MonitoringSettingProperties(trace_enabled=False) + monitoring_setting_properties = models.MonitoringSettingProperties(trace_enabled=False) elif monitoring_setting_properties.app_insights_instrumentation_key and not app_insights and not app_insights_key: monitoring_setting_properties.trace_enabled = app_insights_target_status else: @@ -262,7 +252,7 @@ def app_append_persistent_storage(cmd, client, resource_group, service, name, for disk in app.properties.custom_persistent_disks: custom_persistent_disks.append(disk) - custom_persistent_disk_properties = models_20220101preview.AzureFileVolume( + custom_persistent_disk_properties = models.AzureFileVolume( type=persistent_storage_type, share_name=share_name, mount_path=mount_path, @@ -270,7 +260,7 @@ def app_append_persistent_storage(cmd, client, resource_group, service, name, read_only=read_only) custom_persistent_disks.append( - models_20220101preview.CustomPersistentDiskResource( + models.CustomPersistentDiskResource( storage_id=storage_resource.id, custom_persistent_disk_properties=custom_persistent_disk_properties)) @@ -318,7 +308,7 @@ def app_stop(cmd, client, def deployment_enable_remote_debugging(cmd, client, resource_group, service, name, remote_debugging_port=None, deployment=None, no_wait=False): logger.warning("Enable remote debugging for the app '{}', deployment '{}'".format(name, deployment.name)) - remote_debugging_payload = models_20220901preview.RemoteDebuggingPayload(port=remote_debugging_port) + remote_debugging_payload = models.RemoteDebuggingPayload(port=remote_debugging_port) return sdk_no_wait(no_wait, client.deployments.begin_enable_remote_debugging, resource_group, service, name, deployment.name, remote_debugging_payload) @@ -381,13 +371,13 @@ def app_scale(cmd, client, resource_group, service, name, resource = client.services.get(resource_group, service) _validate_instance_count(resource.sku.tier, instance_count) - resource_requests = models_20220101preview.ResourceRequests(cpu=cpu, memory=memory) + resource_requests = models.ResourceRequests(cpu=cpu, memory=memory) - deployment_settings = models_20220101preview.DeploymentSettings(resource_requests=resource_requests) - properties = models_20220101preview.DeploymentResourceProperties( + deployment_settings = models.DeploymentSettings(resource_requests=resource_requests) + properties = models.DeploymentResourceProperties( deployment_settings=deployment_settings) - sku = models_20220101preview.Sku(name="S0", tier="STANDARD", capacity=instance_count) - deployment_resource = models_20220101preview.DeploymentResource(properties=properties, sku=sku) + sku = models.Sku(name="S0", tier="STANDARD", capacity=instance_count) + deployment_resource = models.DeploymentResource(properties=properties, sku=sku) return sdk_no_wait(no_wait, client.deployments.begin_update, resource_group, service, name, deployment.name, deployment_resource) @@ -442,36 +432,20 @@ def app_tail_log(cmd, client, resource_group, service, name, def app_set_deployment(cmd, client, resource_group, service, name, deployment): - sku = get_spring_sku(client, resource_group, service) - if sku.tier == 'Enterprise': - return _set_active_in_preview_api(cmd, client, resource_group, service, name, deployment) - else: - return _set_active_in_lagecy_api(cmd, client, resource_group, service, name, deployment) + return _set_active_in_preview_api(cmd, client, resource_group, service, name, deployment) def app_unset_deployment(cmd, client, resource_group, service, name): - sku = get_spring_sku(client, resource_group, service) - if sku.tier == 'Enterprise': - return _set_active_in_preview_api(cmd, client, resource_group, service, name) - else: - return _set_active_in_lagecy_api(cmd, client, resource_group, service, name) + return _set_active_in_preview_api(cmd, client, resource_group, service, name) def _set_active_in_preview_api(cmd, client, resource_group, service, name, deployment=None): - active_deployment_collection = models_20220101preview.ActiveDeploymentCollection( + active_deployment_collection = models.ActiveDeploymentCollection( active_deployment_names=[x for x in [deployment] if x is not None] ) return client.apps.begin_set_active_deployments(resource_group, service, name, active_deployment_collection) -def _set_active_in_lagecy_api(cmd, client, resource_group, service, name, deployment=''): - app = models.AppResource( - properties=models.AppResourceProperties(active_deployment_name=deployment) - ) - client = cf_spring(cmd.cli_ctx) - return client.apps.begin_update(resource_group, service, name, app) - - def app_append_loaded_public_certificate(cmd, client, resource_group, service, name, certificate_name, load_trust_store): app_resource = client.apps.get(resource_group, service, name) certificate_resource = client.certificates.get(resource_group, service, certificate_name) @@ -486,7 +460,7 @@ def app_append_loaded_public_certificate(cmd, client, resource_group, service, n if loaded_certificate.resource_id == certificate_resource.id: raise ClientRequestError("This certificate has already been loaded.") - loaded_certificates.append(models_20220101preview. + loaded_certificates.append(models. LoadedCertificate(resource_id=certificate_resource_id, load_trust_store=load_trust_store)) @@ -520,22 +494,21 @@ def deployment_list(cmd, client, resource_group, service, app): def deployment_generate_heap_dump(cmd, client, resource_group, service, app, app_instance, file_path, deployment=None): - diagnostic_parameters = models_20220101preview.DiagnosticParameters(app_instance=app_instance, file_path=file_path) + diagnostic_parameters = models.DiagnosticParameters(app_instance=app_instance, file_path=file_path) logger.info("Heap dump is triggered.") return client.deployments.begin_generate_heap_dump(resource_group, service, app, deployment.name, diagnostic_parameters) def deployment_generate_thread_dump(cmd, client, resource_group, service, app, app_instance, file_path, deployment=None): - diagnostic_parameters = models_20220101preview.DiagnosticParameters(app_instance=app_instance, file_path=file_path) + diagnostic_parameters = models.DiagnosticParameters(app_instance=app_instance, file_path=file_path) logger.info("Thread dump is triggered.") return client.deployments.begin_generate_thread_dump(resource_group, service, app, deployment.name, diagnostic_parameters) def deployment_start_jfr(cmd, client, resource_group, service, app, app_instance, file_path, duration=None, deployment=None): - diagnostic_parameters = models_20220101preview.DiagnosticParameters(app_instance=app_instance, file_path=file_path, - duration=duration) + diagnostic_parameters = models.DiagnosticParameters(app_instance=app_instance, file_path=file_path, duration=duration) logger.info("JFR is triggered.") return client.deployments.begin_start_jfr(resource_group, service, app, deployment.name, diagnostic_parameters) @@ -1119,13 +1092,13 @@ def iter_lines(response, limit=2 ** 20): def storage_callback(pipeline_response, deserialized, headers): - return models_20220101preview.StorageResource.deserialize(json.loads(pipeline_response.http_response.text())) + return models.StorageResource.deserialize(json.loads(pipeline_response.http_response.text())) def storage_add(client, resource_group, service, name, storage_type, account_name, account_key): properties = None if storage_type == 'StorageAccount': - properties = models_20220101preview.StorageAccount( + properties = models.StorageAccount( storage_type=storage_type, account_name=account_name, account_key=account_key) @@ -1134,7 +1107,7 @@ def storage_add(client, resource_group, service, name, storage_type, account_nam resource_group_name=resource_group, service_name=service, storage_name=name, - storage_resource=models_20220101preview.StorageResource(properties=properties), + storage_resource=models.StorageResource(properties=properties), cls=storage_callback) @@ -1154,7 +1127,7 @@ def storage_remove(client, resource_group, service, name): def storage_update(client, resource_group, service, name, storage_type, account_name, account_key): properties = None if storage_type == 'StorageAccount': - properties = models_20220101preview.StorageAccount( + properties = models.StorageAccount( storage_type=storage_type, account_name=account_name, account_key=account_key) @@ -1163,7 +1136,7 @@ def storage_update(client, resource_group, service, name, storage_type, account_ resource_group_name=resource_group, service_name=service, storage_name=name, - storage_resource=models_20220101preview.StorageResource(properties=properties), + storage_resource=models.StorageResource(properties=properties), cls=storage_callback) @@ -1195,7 +1168,7 @@ def certificate_add(cmd, client, resource_group, service, name, only_public_cert if vault_uri is not None: if only_public_cert is None: only_public_cert = False - properties = models_20220101preview.KeyVaultCertificateProperties( + properties = models.KeyVaultCertificateProperties( type="KeyVaultCertificate", vault_uri=vault_uri, key_vault_cert_name=vault_certificate_name, @@ -1211,14 +1184,14 @@ def certificate_add(cmd, client, resource_group, service, name, only_public_cert raise FileOperationError('Failed to decode file {} - unknown decoding'.format(public_certificate_file)) else: raise FileOperationError("public_certificate_file {} could not be found".format(public_certificate_file)) - properties = models_20220101preview.ContentCertificateProperties( + properties = models.ContentCertificateProperties( type="ContentCertificate", content=content ) - certificate_resource = models_20220101preview.CertificateResource(properties=properties) + certificate_resource = models.CertificateResource(properties=properties) def callback(pipeline_response, deserialized, headers): - return models_20220101preview.CertificateResource.deserialize(json.loads(pipeline_response.http_response.text())) + return models.CertificateResource.deserialize(json.loads(pipeline_response.http_response.text())) return client.certificates.begin_create_or_update( resource_group_name=resource_group, @@ -1290,8 +1263,8 @@ def _update_app_e2e_tls(cmd, client, resource_group, service, app, enable_ingres resource = client.services.get(resource_group, service) location = resource.location - properties = models_20220101preview.AppResourceProperties(enable_end_to_end_tls=enable_ingress_to_app_tls) - app_resource = models_20220101preview.AppResource() + properties = models.AppResourceProperties(enable_end_to_end_tls=enable_ingress_to_app_tls) + app_resource = models.AppResource() app_resource.properties = properties app_resource.location = location @@ -1359,7 +1332,7 @@ def update_java_agent_config(cmd, resource_group, service_name, location, try: created_app_insights = try_create_application_insights(cmd, resource_group, service_name, location) if created_app_insights: - monitoring_setting_properties = models_20201101preview.MonitoringSettingProperties( + monitoring_setting_properties = models.MonitoringSettingProperties( trace_enabled=True, app_insights_instrumentation_key=created_app_insights.connection_string) except Exception: # pylint: disable=broad-except logger.warning( @@ -1374,12 +1347,12 @@ def update_java_agent_config(cmd, resource_group, service_name, location, def _get_monitoring_setting(cmd, resource_group, app_insights_key, app_insights): monitoring_setting_properties = None if app_insights_key: - monitoring_setting_properties = models_20201101preview.MonitoringSettingProperties( + monitoring_setting_properties = models.MonitoringSettingProperties( trace_enabled=True, app_insights_instrumentation_key=app_insights_key) elif app_insights: connection_string = _get_connection_string_from_app_insights(cmd, resource_group, app_insights) - monitoring_setting_properties = models_20201101preview.MonitoringSettingProperties( + monitoring_setting_properties = models.MonitoringSettingProperties( trace_enabled=True, app_insights_instrumentation_key=connection_string) return monitoring_setting_properties @@ -1442,7 +1415,7 @@ def app_insights_update(cmd, client, resource_group, name, :param sampling_rate: float from 0.0 to 100.0, both included """ if disable: - monitoring_setting_properties = models_20201101preview.MonitoringSettingProperties(trace_enabled=False) + monitoring_setting_properties = models.MonitoringSettingProperties(trace_enabled=False) else: monitoring_setting_properties = client.monitoring_settings.get(resource_group, name).properties if not monitoring_setting_properties.app_insights_instrumentation_key \ @@ -1462,12 +1435,12 @@ def app_insights_update(cmd, client, resource_group, name, else: connection_string = monitoring_setting_properties.app_insights_instrumentation_key if sampling_rate is not None: - monitoring_setting_properties = models_20201101preview.MonitoringSettingProperties( + monitoring_setting_properties = models.MonitoringSettingProperties( trace_enabled=True, app_insights_instrumentation_key=connection_string, app_insights_sampling_rate=sampling_rate) elif monitoring_setting_properties.app_insights_sampling_rate is not None: - monitoring_setting_properties = models_20201101preview.MonitoringSettingProperties( + monitoring_setting_properties = models.MonitoringSettingProperties( trace_enabled=True, app_insights_instrumentation_key=connection_string, app_insights_sampling_rate=monitoring_setting_properties.app_insights_sampling_rate) diff --git a/src/spring/azext_spring/spring_instance.py b/src/spring/azext_spring/spring_instance.py index c58e7425caa..b0870b3a47d 100644 --- a/src/spring/azext_spring/spring_instance.py +++ b/src/spring/azext_spring/spring_instance.py @@ -6,7 +6,7 @@ # pylint: disable=wrong-import-order # pylint: disable=unused-argument, logging-format-interpolation, protected-access, wrong-import-order, too-many-lines from ._utils import (wait_till_end, _get_rg_location) -from .vendored_sdks.appplatform.v2022_09_01_preview import models +from .vendored_sdks.appplatform.v2022_11_01_preview import models from .custom import (_warn_enable_java_agent, _update_application_insights_asc_create) from ._build_service import _update_default_build_agent_pool from .buildpack_binding import create_default_buildpack_binding_for_application_insights diff --git a/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_app_identity_crud.yaml b/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_app_identity_crud.yaml index f2f96c00302..06fdc0b60d5 100644 --- a/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_app_identity_crud.yaml +++ b/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_app_identity_crud.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"5f3a9b2d-8040-40bd-9a3e-d7d0b58e7241","clientId":"36c2e1b3-750f-447d-83a7-fc54b2a282d6"}},"type":"SystemAssigned,UserAssigned","principalId":"bb0a953d-7aa7-408f-9c65-a7ca70f0f386","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:15:28.4583463Z"}}' @@ -71,13 +71,13 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"5f3a9b2d-8040-40bd-9a3e-d7d0b58e7241","clientId":"36c2e1b3-750f-447d-83a7-fc54b2a282d6"}},"type":"SystemAssigned,UserAssigned","principalId":"bb0a953d-7aa7-408f-9c65-a7ca70f0f386","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:29:24.2627818Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/c9f4b79e-f909-4719-b613-9a8dcc4b8a2c?api-version=2022-03-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/c9f4b79e-f909-4719-b613-9a8dcc4b8a2c?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -89,7 +89,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/c9f4b79e-f909-4719-b613-9a8dcc4b8a2c/Spring/test-msi-app-1?api-version=2022-03-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/c9f4b79e-f909-4719-b613-9a8dcc4b8a2c/Spring/test-msi-app-1?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -123,7 +123,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/c9f4b79e-f909-4719-b613-9a8dcc4b8a2c?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/c9f4b79e-f909-4719-b613-9a8dcc4b8a2c?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/c9f4b79e-f909-4719-b613-9a8dcc4b8a2c","name":"c9f4b79e-f909-4719-b613-9a8dcc4b8a2c","status":"Succeeded","startTime":"2022-03-22T11:29:24.67803Z","endTime":"2022-03-22T11:29:34.6364203Z"}' @@ -173,7 +173,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:29:24.2627818Z"}}' @@ -225,7 +225,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:29:24.2627818Z"}}' @@ -277,7 +277,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1/deployments?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"},"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-msi-app-1-default-14-c64d57654-qkhf7","status":"Running","reason":"Unschedulable","discoveryStatus":"UNKNOWN","startTime":"2022-03-20T14:03:39Z"}]},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1/deployments/default","name":"default","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:34.571185Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-20T14:03:34.571185Z"}}]}' @@ -329,7 +329,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:29:24.2627818Z"}}' @@ -381,7 +381,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:29:24.2627818Z"}}' @@ -437,13 +437,13 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:30:28.2576505Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/294afe9a-4603-4747-820d-6d477ea1ffb7?api-version=2022-03-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/294afe9a-4603-4747-820d-6d477ea1ffb7?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -455,7 +455,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/294afe9a-4603-4747-820d-6d477ea1ffb7/Spring/test-msi-app-1?api-version=2022-03-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/294afe9a-4603-4747-820d-6d477ea1ffb7/Spring/test-msi-app-1?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -489,7 +489,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/294afe9a-4603-4747-820d-6d477ea1ffb7?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/294afe9a-4603-4747-820d-6d477ea1ffb7?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/294afe9a-4603-4747-820d-6d477ea1ffb7","name":"294afe9a-4603-4747-820d-6d477ea1ffb7","status":"Succeeded","startTime":"2022-03-22T11:30:30.5989384Z","endTime":"2022-03-22T11:30:44.714044Z"}' @@ -539,7 +539,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":null,"type":"SystemAssigned","principalId":"116ab438-1b87-44fb-b921-76e3ea876490","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:30:28.2576505Z"}}' @@ -591,7 +591,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":null,"type":"SystemAssigned","principalId":"116ab438-1b87-44fb-b921-76e3ea876490","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:30:28.2576505Z"}}' @@ -643,7 +643,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":null,"type":"SystemAssigned","principalId":"116ab438-1b87-44fb-b921-76e3ea876490","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:30:28.2576505Z"}}' @@ -702,13 +702,13 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":null,"type":"SystemAssigned","principalId":"116ab438-1b87-44fb-b921-76e3ea876490","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:31:09.2234867Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/e4780ba8-91e8-4fd2-b5b0-24b1cd76db19?api-version=2022-03-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/e4780ba8-91e8-4fd2-b5b0-24b1cd76db19?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -720,7 +720,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/e4780ba8-91e8-4fd2-b5b0-24b1cd76db19/Spring/test-msi-app-1?api-version=2022-03-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/e4780ba8-91e8-4fd2-b5b0-24b1cd76db19/Spring/test-msi-app-1?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -754,7 +754,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/e4780ba8-91e8-4fd2-b5b0-24b1cd76db19?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/e4780ba8-91e8-4fd2-b5b0-24b1cd76db19?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/e4780ba8-91e8-4fd2-b5b0-24b1cd76db19","name":"e4780ba8-91e8-4fd2-b5b0-24b1cd76db19","status":"Succeeded","startTime":"2022-03-22T11:31:10.6755773Z","endTime":"2022-03-22T11:31:22.3970818Z"}' @@ -804,7 +804,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"b1780895-22f2-4f90-a892-03c4e673e1cb","clientId":"ab88a149-200a-4550-b269-1f2b0ae252bf"},"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"5f3a9b2d-8040-40bd-9a3e-d7d0b58e7241","clientId":"36c2e1b3-750f-447d-83a7-fc54b2a282d6"}},"type":"SystemAssigned,UserAssigned","principalId":"116ab438-1b87-44fb-b921-76e3ea876490","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:31:09.2234867Z"}}' @@ -856,7 +856,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"b1780895-22f2-4f90-a892-03c4e673e1cb","clientId":"ab88a149-200a-4550-b269-1f2b0ae252bf"},"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"5f3a9b2d-8040-40bd-9a3e-d7d0b58e7241","clientId":"36c2e1b3-750f-447d-83a7-fc54b2a282d6"}},"type":"SystemAssigned,UserAssigned","principalId":"116ab438-1b87-44fb-b921-76e3ea876490","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:31:09.2234867Z"}}' @@ -908,7 +908,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"b1780895-22f2-4f90-a892-03c4e673e1cb","clientId":"ab88a149-200a-4550-b269-1f2b0ae252bf"},"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"5f3a9b2d-8040-40bd-9a3e-d7d0b58e7241","clientId":"36c2e1b3-750f-447d-83a7-fc54b2a282d6"}},"type":"SystemAssigned,UserAssigned","principalId":"116ab438-1b87-44fb-b921-76e3ea876490","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:31:09.2234867Z"}}' @@ -966,13 +966,13 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"b1780895-22f2-4f90-a892-03c4e673e1cb","clientId":"ab88a149-200a-4550-b269-1f2b0ae252bf"},"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"5f3a9b2d-8040-40bd-9a3e-d7d0b58e7241","clientId":"36c2e1b3-750f-447d-83a7-fc54b2a282d6"}},"type":"SystemAssigned,UserAssigned","principalId":"116ab438-1b87-44fb-b921-76e3ea876490","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:31:48.9571136Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/ba695375-f006-44b0-b927-ed40d9f2556f?api-version=2022-03-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/ba695375-f006-44b0-b927-ed40d9f2556f?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -984,7 +984,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/ba695375-f006-44b0-b927-ed40d9f2556f/Spring/test-msi-app-1?api-version=2022-03-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/ba695375-f006-44b0-b927-ed40d9f2556f/Spring/test-msi-app-1?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -1018,7 +1018,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/ba695375-f006-44b0-b927-ed40d9f2556f?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/ba695375-f006-44b0-b927-ed40d9f2556f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/ba695375-f006-44b0-b927-ed40d9f2556f","name":"ba695375-f006-44b0-b927-ed40d9f2556f","status":"Succeeded","startTime":"2022-03-22T11:31:50.1398137Z","endTime":"2022-03-22T11:32:01.9057715Z"}' @@ -1068,7 +1068,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"5f3a9b2d-8040-40bd-9a3e-d7d0b58e7241","clientId":"36c2e1b3-750f-447d-83a7-fc54b2a282d6"}},"type":"SystemAssigned,UserAssigned","principalId":"116ab438-1b87-44fb-b921-76e3ea876490","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:31:48.9571136Z"}}' @@ -1120,7 +1120,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"5f3a9b2d-8040-40bd-9a3e-d7d0b58e7241","clientId":"36c2e1b3-750f-447d-83a7-fc54b2a282d6"}},"type":"SystemAssigned,UserAssigned","principalId":"116ab438-1b87-44fb-b921-76e3ea876490","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:31:48.9571136Z"}}' @@ -1172,7 +1172,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"5f3a9b2d-8040-40bd-9a3e-d7d0b58e7241","clientId":"36c2e1b3-750f-447d-83a7-fc54b2a282d6"}},"type":"SystemAssigned,UserAssigned","principalId":"116ab438-1b87-44fb-b921-76e3ea876490","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:31:48.9571136Z"}}' @@ -1228,13 +1228,13 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"5f3a9b2d-8040-40bd-9a3e-d7d0b58e7241","clientId":"36c2e1b3-750f-447d-83a7-fc54b2a282d6"}},"type":"SystemAssigned,UserAssigned","principalId":"116ab438-1b87-44fb-b921-76e3ea876490","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:32:28.2582306Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/cfdeca9a-e073-40ee-a01e-af4afd960e5a?api-version=2022-03-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/cfdeca9a-e073-40ee-a01e-af4afd960e5a?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -1246,7 +1246,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/cfdeca9a-e073-40ee-a01e-af4afd960e5a/Spring/test-msi-app-1?api-version=2022-03-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/cfdeca9a-e073-40ee-a01e-af4afd960e5a/Spring/test-msi-app-1?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -1280,7 +1280,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/cfdeca9a-e073-40ee-a01e-af4afd960e5a?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/cfdeca9a-e073-40ee-a01e-af4afd960e5a?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/cfdeca9a-e073-40ee-a01e-af4afd960e5a","name":"cfdeca9a-e073-40ee-a01e-af4afd960e5a","status":"Succeeded","startTime":"2022-03-22T11:32:29.4313623Z","endTime":"2022-03-22T11:32:39.4110337Z"}' @@ -1330,7 +1330,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":null,"type":"SystemAssigned","principalId":"116ab438-1b87-44fb-b921-76e3ea876490","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:32:28.2582306Z"}}' @@ -1382,7 +1382,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":null,"type":"SystemAssigned","principalId":"116ab438-1b87-44fb-b921-76e3ea876490","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:32:28.2582306Z"}}' @@ -1434,7 +1434,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":null,"type":"SystemAssigned","principalId":"116ab438-1b87-44fb-b921-76e3ea876490","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:32:28.2582306Z"}}' @@ -1490,13 +1490,13 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":null,"type":"SystemAssigned","principalId":"116ab438-1b87-44fb-b921-76e3ea876490","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:33:06.8633111Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/ac3cf8d5-4b9a-4e64-9a40-faed4bbb0bc8?api-version=2022-03-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/ac3cf8d5-4b9a-4e64-9a40-faed4bbb0bc8?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -1508,7 +1508,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/ac3cf8d5-4b9a-4e64-9a40-faed4bbb0bc8/Spring/test-msi-app-1?api-version=2022-03-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/ac3cf8d5-4b9a-4e64-9a40-faed4bbb0bc8/Spring/test-msi-app-1?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -1542,7 +1542,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/ac3cf8d5-4b9a-4e64-9a40-faed4bbb0bc8?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/ac3cf8d5-4b9a-4e64-9a40-faed4bbb0bc8?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/ac3cf8d5-4b9a-4e64-9a40-faed4bbb0bc8","name":"ac3cf8d5-4b9a-4e64-9a40-faed4bbb0bc8","status":"Succeeded","startTime":"2022-03-22T11:33:08.7052105Z","endTime":"2022-03-22T11:33:18.7115215Z"}' @@ -1592,7 +1592,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:33:06.8633111Z"}}' @@ -1644,7 +1644,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:33:06.8633111Z"}}' @@ -1696,7 +1696,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:33:06.8633111Z"}}' @@ -1755,13 +1755,13 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:33:47.0102171Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/0344e56e-d1c8-421c-99eb-e60b063768c4?api-version=2022-03-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/0344e56e-d1c8-421c-99eb-e60b063768c4?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -1773,7 +1773,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/0344e56e-d1c8-421c-99eb-e60b063768c4/Spring/test-msi-app-1?api-version=2022-03-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/0344e56e-d1c8-421c-99eb-e60b063768c4/Spring/test-msi-app-1?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -1807,7 +1807,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/0344e56e-d1c8-421c-99eb-e60b063768c4?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/0344e56e-d1c8-421c-99eb-e60b063768c4?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/0344e56e-d1c8-421c-99eb-e60b063768c4","name":"0344e56e-d1c8-421c-99eb-e60b063768c4","status":"Succeeded","startTime":"2022-03-22T11:33:50.4980311Z","endTime":"2022-03-22T11:34:01.700367Z"}' @@ -1857,7 +1857,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"b1780895-22f2-4f90-a892-03c4e673e1cb","clientId":"ab88a149-200a-4550-b269-1f2b0ae252bf"},"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"5f3a9b2d-8040-40bd-9a3e-d7d0b58e7241","clientId":"36c2e1b3-750f-447d-83a7-fc54b2a282d6"}},"type":"SystemAssigned,UserAssigned","principalId":"43d225fe-e7e1-47e1-9d72-dddc03e0a39c","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:33:47.0102171Z"}}' @@ -1909,7 +1909,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"b1780895-22f2-4f90-a892-03c4e673e1cb","clientId":"ab88a149-200a-4550-b269-1f2b0ae252bf"},"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"5f3a9b2d-8040-40bd-9a3e-d7d0b58e7241","clientId":"36c2e1b3-750f-447d-83a7-fc54b2a282d6"}},"type":"SystemAssigned,UserAssigned","principalId":"43d225fe-e7e1-47e1-9d72-dddc03e0a39c","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:33:47.0102171Z"}}' @@ -1961,7 +1961,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"b1780895-22f2-4f90-a892-03c4e673e1cb","clientId":"ab88a149-200a-4550-b269-1f2b0ae252bf"},"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"5f3a9b2d-8040-40bd-9a3e-d7d0b58e7241","clientId":"36c2e1b3-750f-447d-83a7-fc54b2a282d6"}},"type":"SystemAssigned,UserAssigned","principalId":"43d225fe-e7e1-47e1-9d72-dddc03e0a39c","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:33:47.0102171Z"}}' @@ -2017,13 +2017,13 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"b1780895-22f2-4f90-a892-03c4e673e1cb","clientId":"ab88a149-200a-4550-b269-1f2b0ae252bf"},"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"5f3a9b2d-8040-40bd-9a3e-d7d0b58e7241","clientId":"36c2e1b3-750f-447d-83a7-fc54b2a282d6"}},"type":"SystemAssigned,UserAssigned","principalId":"43d225fe-e7e1-47e1-9d72-dddc03e0a39c","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:34:28.0732599Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/9ce70110-0a04-42fd-820e-89ec8612c089?api-version=2022-03-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/9ce70110-0a04-42fd-820e-89ec8612c089?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -2035,7 +2035,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/9ce70110-0a04-42fd-820e-89ec8612c089/Spring/test-msi-app-1?api-version=2022-03-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/9ce70110-0a04-42fd-820e-89ec8612c089/Spring/test-msi-app-1?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -2069,7 +2069,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/9ce70110-0a04-42fd-820e-89ec8612c089?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/9ce70110-0a04-42fd-820e-89ec8612c089?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/9ce70110-0a04-42fd-820e-89ec8612c089","name":"9ce70110-0a04-42fd-820e-89ec8612c089","status":"Succeeded","startTime":"2022-03-22T11:34:28.5140021Z","endTime":"2022-03-22T11:34:38.0409754Z"}' @@ -2119,7 +2119,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:34:28.0732599Z"}}' @@ -2171,7 +2171,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:34:28.0732599Z"}}' diff --git a/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_app_identity_force_set.yaml b/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_app_identity_force_set.yaml index e22137b754f..03782e7e9cc 100644 --- a/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_app_identity_force_set.yaml +++ b/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_app_identity_force_set.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-msi-force-set-default-18-6dfcbdb69c-kbrcz","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T02:16:15Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:16:02.3941932Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:16:02.3941932Z"}}]}' @@ -65,7 +65,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned","principalId":"255b11fc-1d64-441c-8c53-ede51b8c18fb","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:38:37.4218302Z"}}' @@ -123,13 +123,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned","principalId":"255b11fc-1d64-441c-8c53-ede51b8c18fb","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:43:26.8107587Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/bbeeaae8-88a9-4fa5-809d-2d4d36543f01?api-version=2022-03-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/bbeeaae8-88a9-4fa5-809d-2d4d36543f01?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -141,7 +141,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/bbeeaae8-88a9-4fa5-809d-2d4d36543f01/Spring/test-msi-force-set?api-version=2022-03-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/bbeeaae8-88a9-4fa5-809d-2d4d36543f01/Spring/test-msi-force-set?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -173,7 +173,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/bbeeaae8-88a9-4fa5-809d-2d4d36543f01?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/bbeeaae8-88a9-4fa5-809d-2d4d36543f01?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/bbeeaae8-88a9-4fa5-809d-2d4d36543f01","name":"bbeeaae8-88a9-4fa5-809d-2d4d36543f01","status":"Succeeded","startTime":"2022-09-07T02:43:27.5348511Z","endTime":"2022-09-07T02:43:34.4799677Z"}' @@ -221,7 +221,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:43:26.8107587Z"}}' @@ -271,7 +271,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:43:26.8107587Z"}}' @@ -321,7 +321,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-msi-force-set-default-18-6dfcbdb69c-kbrcz","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T02:16:15Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:16:02.3941932Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:16:02.3941932Z"}}]}' @@ -371,7 +371,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:43:26.8107587Z"}}' @@ -429,13 +429,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:44:30.1577668Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/0a596f2a-66ed-4a6c-9ac0-198c4a835d45?api-version=2022-03-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/0a596f2a-66ed-4a6c-9ac0-198c4a835d45?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -447,7 +447,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/0a596f2a-66ed-4a6c-9ac0-198c4a835d45/Spring/test-msi-force-set?api-version=2022-03-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/0a596f2a-66ed-4a6c-9ac0-198c4a835d45/Spring/test-msi-force-set?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -479,7 +479,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/0a596f2a-66ed-4a6c-9ac0-198c4a835d45?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/0a596f2a-66ed-4a6c-9ac0-198c4a835d45?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/0a596f2a-66ed-4a6c-9ac0-198c4a835d45","name":"0a596f2a-66ed-4a6c-9ac0-198c4a835d45","status":"Succeeded","startTime":"2022-09-07T02:44:32.9024274Z","endTime":"2022-09-07T02:44:40.557122Z"}' @@ -527,7 +527,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned","principalId":"95740b41-34cf-4ecd-b926-ad78e4fa310a","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:44:30.1577668Z"}}' @@ -577,7 +577,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned","principalId":"95740b41-34cf-4ecd-b926-ad78e4fa310a","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:44:30.1577668Z"}}' @@ -627,7 +627,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-msi-force-set-default-18-6dfcbdb69c-kbrcz","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T02:16:15Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:16:02.3941932Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:16:02.3941932Z"}}]}' @@ -673,7 +673,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned","principalId":"95740b41-34cf-4ecd-b926-ad78e4fa310a","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:44:30.1577668Z"}}' @@ -732,13 +732,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned","principalId":"95740b41-34cf-4ecd-b926-ad78e4fa310a","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:45:36.0929958Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/bf6146f2-c6cf-4cda-9bf6-abf5aa9a0fd6?api-version=2022-03-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/bf6146f2-c6cf-4cda-9bf6-abf5aa9a0fd6?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -750,7 +750,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/bf6146f2-c6cf-4cda-9bf6-abf5aa9a0fd6/Spring/test-msi-force-set?api-version=2022-03-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/bf6146f2-c6cf-4cda-9bf6-abf5aa9a0fd6/Spring/test-msi-force-set?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -782,7 +782,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/bf6146f2-c6cf-4cda-9bf6-abf5aa9a0fd6?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/bf6146f2-c6cf-4cda-9bf6-abf5aa9a0fd6?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/bf6146f2-c6cf-4cda-9bf6-abf5aa9a0fd6","name":"bf6146f2-c6cf-4cda-9bf6-abf5aa9a0fd6","status":"Succeeded","startTime":"2022-09-07T02:45:39.8583538Z","endTime":"2022-09-07T02:45:48.6845168Z"}' @@ -830,7 +830,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"f8c67039-dd17-48f7-a1e2-5f6884e6e8fb","clientId":"e4f56bfa-0cdb-4930-836d-62088046f751"}},"type":"UserAssigned","principalId":null,"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:45:36.0929958Z"}}' @@ -880,7 +880,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"f8c67039-dd17-48f7-a1e2-5f6884e6e8fb","clientId":"e4f56bfa-0cdb-4930-836d-62088046f751"}},"type":"UserAssigned","principalId":null,"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:45:36.0929958Z"}}' @@ -930,7 +930,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-msi-force-set-default-18-6dfcbdb69c-kbrcz","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T02:16:15Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:16:02.3941932Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:16:02.3941932Z"}}]}' @@ -980,7 +980,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"f8c67039-dd17-48f7-a1e2-5f6884e6e8fb","clientId":"e4f56bfa-0cdb-4930-836d-62088046f751"}},"type":"UserAssigned","principalId":null,"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:45:36.0929958Z"}}' @@ -1039,13 +1039,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"f8c67039-dd17-48f7-a1e2-5f6884e6e8fb","clientId":"e4f56bfa-0cdb-4930-836d-62088046f751"}},"type":"UserAssigned","principalId":null,"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:46:40.3433492Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/35fcb24c-7ce7-46e5-85d3-f1796c21e80f?api-version=2022-03-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/35fcb24c-7ce7-46e5-85d3-f1796c21e80f?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -1057,7 +1057,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/35fcb24c-7ce7-46e5-85d3-f1796c21e80f/Spring/test-msi-force-set?api-version=2022-03-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/35fcb24c-7ce7-46e5-85d3-f1796c21e80f/Spring/test-msi-force-set?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -1089,7 +1089,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/35fcb24c-7ce7-46e5-85d3-f1796c21e80f?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/35fcb24c-7ce7-46e5-85d3-f1796c21e80f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/35fcb24c-7ce7-46e5-85d3-f1796c21e80f","name":"35fcb24c-7ce7-46e5-85d3-f1796c21e80f","status":"Succeeded","startTime":"2022-09-07T02:46:42.7612604Z","endTime":"2022-09-07T02:46:50.3374644Z"}' @@ -1137,7 +1137,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"c2d73bc7-e20e-4e4a-a61c-20d0dea549bc","clientId":"0d0f5a96-197b-47ef-9c94-99275fda77f2"}},"type":"UserAssigned","principalId":null,"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:46:40.3433492Z"}}' @@ -1187,7 +1187,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"c2d73bc7-e20e-4e4a-a61c-20d0dea549bc","clientId":"0d0f5a96-197b-47ef-9c94-99275fda77f2"}},"type":"UserAssigned","principalId":null,"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:46:40.3433492Z"}}' @@ -1237,7 +1237,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-msi-force-set-default-18-6dfcbdb69c-kbrcz","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T02:16:15Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:16:02.3941932Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:16:02.3941932Z"}}]}' @@ -1287,7 +1287,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"c2d73bc7-e20e-4e4a-a61c-20d0dea549bc","clientId":"0d0f5a96-197b-47ef-9c94-99275fda77f2"}},"type":"UserAssigned","principalId":null,"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:46:40.3433492Z"}}' @@ -1347,13 +1347,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"c2d73bc7-e20e-4e4a-a61c-20d0dea549bc","clientId":"0d0f5a96-197b-47ef-9c94-99275fda77f2"}},"type":"UserAssigned","principalId":null,"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:47:45.9030922Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/8ac92c71-f715-458a-b0a0-1666c02e9a98?api-version=2022-03-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/8ac92c71-f715-458a-b0a0-1666c02e9a98?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -1365,7 +1365,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/8ac92c71-f715-458a-b0a0-1666c02e9a98/Spring/test-msi-force-set?api-version=2022-03-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/8ac92c71-f715-458a-b0a0-1666c02e9a98/Spring/test-msi-force-set?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -1397,7 +1397,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/8ac92c71-f715-458a-b0a0-1666c02e9a98?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/8ac92c71-f715-458a-b0a0-1666c02e9a98?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/8ac92c71-f715-458a-b0a0-1666c02e9a98","name":"8ac92c71-f715-458a-b0a0-1666c02e9a98","status":"Succeeded","startTime":"2022-09-07T02:47:49.4217897Z","endTime":"2022-09-07T02:47:59.4573738Z"}' @@ -1445,7 +1445,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"f8c67039-dd17-48f7-a1e2-5f6884e6e8fb","clientId":"e4f56bfa-0cdb-4930-836d-62088046f751"},"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"c2d73bc7-e20e-4e4a-a61c-20d0dea549bc","clientId":"0d0f5a96-197b-47ef-9c94-99275fda77f2"}},"type":"SystemAssigned,UserAssigned","principalId":"14cb6647-da65-48f8-aef1-1f9b2f651db8","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:47:45.9030922Z"}}' @@ -1495,7 +1495,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"f8c67039-dd17-48f7-a1e2-5f6884e6e8fb","clientId":"e4f56bfa-0cdb-4930-836d-62088046f751"},"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"c2d73bc7-e20e-4e4a-a61c-20d0dea549bc","clientId":"0d0f5a96-197b-47ef-9c94-99275fda77f2"}},"type":"SystemAssigned,UserAssigned","principalId":"14cb6647-da65-48f8-aef1-1f9b2f651db8","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:47:45.9030922Z"}}' @@ -1545,7 +1545,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-msi-force-set-default-18-6dfcbdb69c-kbrcz","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T02:16:15Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:16:02.3941932Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:16:02.3941932Z"}}]}' @@ -1595,7 +1595,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"f8c67039-dd17-48f7-a1e2-5f6884e6e8fb","clientId":"e4f56bfa-0cdb-4930-836d-62088046f751"},"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"c2d73bc7-e20e-4e4a-a61c-20d0dea549bc","clientId":"0d0f5a96-197b-47ef-9c94-99275fda77f2"}},"type":"SystemAssigned,UserAssigned","principalId":"14cb6647-da65-48f8-aef1-1f9b2f651db8","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:47:45.9030922Z"}}' @@ -1653,13 +1653,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"f8c67039-dd17-48f7-a1e2-5f6884e6e8fb","clientId":"e4f56bfa-0cdb-4930-836d-62088046f751"},"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"c2d73bc7-e20e-4e4a-a61c-20d0dea549bc","clientId":"0d0f5a96-197b-47ef-9c94-99275fda77f2"}},"type":"SystemAssigned,UserAssigned","principalId":"14cb6647-da65-48f8-aef1-1f9b2f651db8","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:48:51.4087021Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/cfdbaf4b-4a06-4fd7-9fd5-69791189ac1e?api-version=2022-03-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/cfdbaf4b-4a06-4fd7-9fd5-69791189ac1e?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -1671,7 +1671,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/cfdbaf4b-4a06-4fd7-9fd5-69791189ac1e/Spring/test-msi-force-set?api-version=2022-03-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/cfdbaf4b-4a06-4fd7-9fd5-69791189ac1e/Spring/test-msi-force-set?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -1703,7 +1703,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/cfdbaf4b-4a06-4fd7-9fd5-69791189ac1e?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/cfdbaf4b-4a06-4fd7-9fd5-69791189ac1e?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/cfdbaf4b-4a06-4fd7-9fd5-69791189ac1e","name":"cfdbaf4b-4a06-4fd7-9fd5-69791189ac1e","status":"Succeeded","startTime":"2022-09-07T02:48:53.5171595Z","endTime":"2022-09-07T02:49:01.0694001Z"}' @@ -1751,7 +1751,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned","principalId":"14cb6647-da65-48f8-aef1-1f9b2f651db8","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:48:51.4087021Z"}}' @@ -1801,7 +1801,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned","principalId":"14cb6647-da65-48f8-aef1-1f9b2f651db8","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:48:51.4087021Z"}}' @@ -1851,7 +1851,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-msi-force-set-default-18-6dfcbdb69c-kbrcz","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T02:16:15Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:16:02.3941932Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:16:02.3941932Z"}}]}' @@ -1901,7 +1901,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned","principalId":"14cb6647-da65-48f8-aef1-1f9b2f651db8","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:48:51.4087021Z"}}' @@ -1959,13 +1959,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned","principalId":"14cb6647-da65-48f8-aef1-1f9b2f651db8","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:49:56.4480171Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/1b003dd6-6886-4743-829c-56ca0dd41539?api-version=2022-03-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/1b003dd6-6886-4743-829c-56ca0dd41539?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -1977,7 +1977,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/1b003dd6-6886-4743-829c-56ca0dd41539/Spring/test-msi-force-set?api-version=2022-03-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/1b003dd6-6886-4743-829c-56ca0dd41539/Spring/test-msi-force-set?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -2009,7 +2009,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/1b003dd6-6886-4743-829c-56ca0dd41539?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/1b003dd6-6886-4743-829c-56ca0dd41539?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/1b003dd6-6886-4743-829c-56ca0dd41539","name":"1b003dd6-6886-4743-829c-56ca0dd41539","status":"Succeeded","startTime":"2022-09-07T02:49:56.9921264Z","endTime":"2022-09-07T02:50:03.936183Z"}' @@ -2057,7 +2057,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:49:56.4480171Z"}}' @@ -2107,7 +2107,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:49:56.4480171Z"}}' diff --git a/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_create_app_with_assign_identity.yaml b/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_create_app_with_assign_identity.yaml index 7d6169249ff..9b5a47d1ce0 100644 --- a/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_create_app_with_assign_identity.yaml +++ b/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_create_app_with_assign_identity.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1?api-version=2022-11-01-preview response: body: string: '{"error":{"code":"NotFound","message":"App was not found","target":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1","details":null}}' @@ -61,7 +61,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"e55ed5c1ee8942f9a36f033e7bbd28e8","networkProfile":{"outboundIPs":{"publicIPs":["20.237.103.188","20.237.103.250"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:05:42.8680393Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:11:29.9671687Z"}}' @@ -116,13 +116,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Creating","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1","name":"create-app-system-identity-1","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:09:36.211793Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:09:36.211793Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-system-identity-1/operationId/1c6fd929-24c6-407c-89ef-498a422eeb57?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-system-identity-1/operationId/1c6fd929-24c6-407c-89ef-498a422eeb57?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -134,7 +134,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/1c6fd929-24c6-407c-89ef-498a422eeb57/Spring/create-app-system-identity-1?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/1c6fd929-24c6-407c-89ef-498a422eeb57/Spring/create-app-system-identity-1?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -166,7 +166,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-system-identity-1/operationId/1c6fd929-24c6-407c-89ef-498a422eeb57?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-system-identity-1/operationId/1c6fd929-24c6-407c-89ef-498a422eeb57?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-system-identity-1/operationId/1c6fd929-24c6-407c-89ef-498a422eeb57","name":"1c6fd929-24c6-407c-89ef-498a422eeb57","status":"Succeeded","startTime":"2022-09-07T03:09:38.8918945Z","endTime":"2022-09-07T03:09:46.4506473Z"}' @@ -214,7 +214,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned","principalId":"dcf581e3-fb3c-4a69-9dd2-94b6485e29ba","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1","name":"create-app-system-identity-1","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:09:36.211793Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:09:36.211793Z"}}' @@ -271,13 +271,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1/deployments/mock-deployment?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90},"provisioningState":"Creating","status":"Running","active":true,"instances":null,"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:10:15.2273638Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:10:15.2273638Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/3cb3a92b-6e8f-4b4f-a59e-ed909f967a44?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/3cb3a92b-6e8f-4b4f-a59e-ed909f967a44?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -289,7 +289,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/3cb3a92b-6e8f-4b4f-a59e-ed909f967a44/Spring/default?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/3cb3a92b-6e8f-4b4f-a59e-ed909f967a44/Spring/default?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -326,13 +326,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned","principalId":"dcf581e3-fb3c-4a69-9dd2-94b6485e29ba","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1","name":"create-app-system-identity-1","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:09:36.211793Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:10:18.0554846Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-system-identity-1/operationId/ca019b0e-6e00-4582-b1b1-708a14773339?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-system-identity-1/operationId/ca019b0e-6e00-4582-b1b1-708a14773339?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -344,7 +344,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/ca019b0e-6e00-4582-b1b1-708a14773339/Spring/create-app-system-identity-1?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/ca019b0e-6e00-4582-b1b1-708a14773339/Spring/create-app-system-identity-1?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -376,7 +376,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/3cb3a92b-6e8f-4b4f-a59e-ed909f967a44?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/3cb3a92b-6e8f-4b4f-a59e-ed909f967a44?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/3cb3a92b-6e8f-4b4f-a59e-ed909f967a44","name":"3cb3a92b-6e8f-4b4f-a59e-ed909f967a44","status":"Succeeded","startTime":"2022-09-07T03:10:17.6984106Z","endTime":"2022-09-07T03:10:45.843813Z"}' @@ -424,7 +424,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-system-identity-1/operationId/ca019b0e-6e00-4582-b1b1-708a14773339?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-system-identity-1/operationId/ca019b0e-6e00-4582-b1b1-708a14773339?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-system-identity-1/operationId/ca019b0e-6e00-4582-b1b1-708a14773339","name":"ca019b0e-6e00-4582-b1b1-708a14773339","status":"Succeeded","startTime":"2022-09-07T03:10:18.9730916Z","endTime":"2022-09-07T03:10:25.5389523Z"}' @@ -472,7 +472,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned","principalId":"dcf581e3-fb3c-4a69-9dd2-94b6485e29ba","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1","name":"create-app-system-identity-1","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:09:36.211793Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:10:18.0554846Z"}}' @@ -522,7 +522,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1/deployments/mock-deployment?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"create-app-system-identity-1-default-28-5b8d45897f-n2tnd","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T03:10:22Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:10:15.2273638Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:10:15.2273638Z"}}' @@ -572,7 +572,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned","principalId":"dcf581e3-fb3c-4a69-9dd2-94b6485e29ba","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1","name":"create-app-system-identity-1","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:09:36.211793Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:10:18.0554846Z"}}' @@ -622,7 +622,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1/deployments?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"create-app-system-identity-1-default-28-5b8d45897f-n2tnd","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T03:10:22Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:10:15.2273638Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:10:15.2273638Z"}}]}' diff --git a/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_create_app_with_both_identity.yaml b/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_create_app_with_both_identity.yaml index a3fe2ec198c..15f0d2482f9 100644 --- a/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_create_app_with_both_identity.yaml +++ b/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_create_app_with_both_identity.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity?api-version=2022-11-01-preview response: body: string: '{"error":{"code":"NotFound","message":"App was not found","target":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity","details":null}}' @@ -61,7 +61,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"e55ed5c1ee8942f9a36f033e7bbd28e8","networkProfile":{"outboundIPs":{"publicIPs":["20.237.103.188","20.237.103.250"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:05:42.8680393Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:11:29.9671687Z"}}' @@ -119,13 +119,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Creating","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity","name":"create-app-both-identity","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:28:59.9792223Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:28:59.9792223Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-both-identity/operationId/63d19296-5763-45e1-b14e-e48aa1771d77?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-both-identity/operationId/63d19296-5763-45e1-b14e-e48aa1771d77?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -137,7 +137,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/63d19296-5763-45e1-b14e-e48aa1771d77/Spring/create-app-both-identity?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/63d19296-5763-45e1-b14e-e48aa1771d77/Spring/create-app-both-identity?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -169,7 +169,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-both-identity/operationId/63d19296-5763-45e1-b14e-e48aa1771d77?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-both-identity/operationId/63d19296-5763-45e1-b14e-e48aa1771d77?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-both-identity/operationId/63d19296-5763-45e1-b14e-e48aa1771d77","name":"63d19296-5763-45e1-b14e-e48aa1771d77","status":"Succeeded","startTime":"2022-09-07T02:29:02.4102691Z","endTime":"2022-09-07T02:29:11.6225494Z"}' @@ -217,7 +217,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned,UserAssigned","principalId":"9b3edfa8-d102-4a3c-859f-eea55cba7b89","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"f8c67039-dd17-48f7-a1e2-5f6884e6e8fb","clientId":"e4f56bfa-0cdb-4930-836d-62088046f751"},"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"c2d73bc7-e20e-4e4a-a61c-20d0dea549bc","clientId":"0d0f5a96-197b-47ef-9c94-99275fda77f2"}}},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity","name":"create-app-both-identity","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:28:59.9792223Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:28:59.9792223Z"}}' @@ -274,13 +274,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity/deployments/mock-deployment?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90},"provisioningState":"Creating","status":"Running","active":true,"instances":null,"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:29:37.8695913Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:29:37.8695913Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/69352fa3-cbdc-413b-96e2-5615b1aa4501?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/69352fa3-cbdc-413b-96e2-5615b1aa4501?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -292,7 +292,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/69352fa3-cbdc-413b-96e2-5615b1aa4501/Spring/default?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/69352fa3-cbdc-413b-96e2-5615b1aa4501/Spring/default?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -329,13 +329,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned,UserAssigned","principalId":"9b3edfa8-d102-4a3c-859f-eea55cba7b89","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"f8c67039-dd17-48f7-a1e2-5f6884e6e8fb","clientId":"e4f56bfa-0cdb-4930-836d-62088046f751"},"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"c2d73bc7-e20e-4e4a-a61c-20d0dea549bc","clientId":"0d0f5a96-197b-47ef-9c94-99275fda77f2"}}},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity","name":"create-app-both-identity","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:28:59.9792223Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:29:40.4945738Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-both-identity/operationId/d275d342-505e-4eb9-b9b9-ebc7eae3bc66?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-both-identity/operationId/d275d342-505e-4eb9-b9b9-ebc7eae3bc66?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -347,7 +347,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/d275d342-505e-4eb9-b9b9-ebc7eae3bc66/Spring/create-app-both-identity?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/d275d342-505e-4eb9-b9b9-ebc7eae3bc66/Spring/create-app-both-identity?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -379,7 +379,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/69352fa3-cbdc-413b-96e2-5615b1aa4501?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/69352fa3-cbdc-413b-96e2-5615b1aa4501?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/69352fa3-cbdc-413b-96e2-5615b1aa4501","name":"69352fa3-cbdc-413b-96e2-5615b1aa4501","status":"Succeeded","startTime":"2022-09-07T02:29:40.0053611Z","endTime":"2022-09-07T02:30:07.8819499Z"}' @@ -427,7 +427,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-both-identity/operationId/d275d342-505e-4eb9-b9b9-ebc7eae3bc66?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-both-identity/operationId/d275d342-505e-4eb9-b9b9-ebc7eae3bc66?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-both-identity/operationId/d275d342-505e-4eb9-b9b9-ebc7eae3bc66","name":"d275d342-505e-4eb9-b9b9-ebc7eae3bc66","status":"Succeeded","startTime":"2022-09-07T02:29:41.1902627Z","endTime":"2022-09-07T02:29:47.478367Z"}' @@ -475,7 +475,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned,UserAssigned","principalId":"9b3edfa8-d102-4a3c-859f-eea55cba7b89","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"f8c67039-dd17-48f7-a1e2-5f6884e6e8fb","clientId":"e4f56bfa-0cdb-4930-836d-62088046f751"},"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"c2d73bc7-e20e-4e4a-a61c-20d0dea549bc","clientId":"0d0f5a96-197b-47ef-9c94-99275fda77f2"}}},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity","name":"create-app-both-identity","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:28:59.9792223Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:29:40.4945738Z"}}' @@ -525,7 +525,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity/deployments/mock-deployment?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"create-app-both-identity-default-24-7c6fd946b4-2hsfq","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T02:29:43Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:29:37.8695913Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:29:37.8695913Z"}}' @@ -575,7 +575,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned,UserAssigned","principalId":"9b3edfa8-d102-4a3c-859f-eea55cba7b89","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"f8c67039-dd17-48f7-a1e2-5f6884e6e8fb","clientId":"e4f56bfa-0cdb-4930-836d-62088046f751"},"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"c2d73bc7-e20e-4e4a-a61c-20d0dea549bc","clientId":"0d0f5a96-197b-47ef-9c94-99275fda77f2"}}},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity","name":"create-app-both-identity","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:28:59.9792223Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:29:40.4945738Z"}}' @@ -625,7 +625,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity/deployments?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"create-app-both-identity-default-24-7c6fd946b4-2hsfq","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T02:29:43Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:29:37.8695913Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:29:37.8695913Z"}}]}' diff --git a/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_create_app_with_system_assigned.yaml b/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_create_app_with_system_assigned.yaml index e384afcf7dd..0b331d3ccba 100644 --- a/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_create_app_with_system_assigned.yaml +++ b/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_create_app_with_system_assigned.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2?api-version=2022-11-01-preview response: body: string: '{"error":{"code":"NotFound","message":"App was not found","target":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2","details":null}}' @@ -61,7 +61,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"e55ed5c1ee8942f9a36f033e7bbd28e8","networkProfile":{"outboundIPs":{"publicIPs":["20.237.103.188","20.237.103.250"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:05:42.8680393Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:11:29.9671687Z"}}' @@ -116,13 +116,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Creating","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2","name":"create-app-system-identity-2","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:11:41.5113326Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:11:41.5113326Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-system-identity-2/operationId/1aa74228-51b6-47ec-b50f-7941b668d417?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-system-identity-2/operationId/1aa74228-51b6-47ec-b50f-7941b668d417?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -134,7 +134,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/1aa74228-51b6-47ec-b50f-7941b668d417/Spring/create-app-system-identity-2?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/1aa74228-51b6-47ec-b50f-7941b668d417/Spring/create-app-system-identity-2?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -166,7 +166,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-system-identity-2/operationId/1aa74228-51b6-47ec-b50f-7941b668d417?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-system-identity-2/operationId/1aa74228-51b6-47ec-b50f-7941b668d417?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-system-identity-2/operationId/1aa74228-51b6-47ec-b50f-7941b668d417","name":"1aa74228-51b6-47ec-b50f-7941b668d417","status":"Succeeded","startTime":"2022-09-07T03:11:44.0543792Z","endTime":"2022-09-07T03:11:52.473214Z"}' @@ -214,7 +214,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned","principalId":"10b971a6-1b43-4344-8e28-19fead330b43","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2","name":"create-app-system-identity-2","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:11:41.5113326Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:11:41.5113326Z"}}' @@ -271,13 +271,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2/deployments/mock-deployment?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90},"provisioningState":"Creating","status":"Running","active":true,"instances":null,"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:12:19.6834345Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:12:19.6834345Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/9160e34f-50f7-4898-9c53-c689e9367ab1?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/9160e34f-50f7-4898-9c53-c689e9367ab1?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -289,7 +289,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/9160e34f-50f7-4898-9c53-c689e9367ab1/Spring/default?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/9160e34f-50f7-4898-9c53-c689e9367ab1/Spring/default?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -326,13 +326,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned","principalId":"10b971a6-1b43-4344-8e28-19fead330b43","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2","name":"create-app-system-identity-2","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:11:41.5113326Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:12:22.2771882Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-system-identity-2/operationId/4a2382fa-fea8-42c9-85d2-27ccae86101b?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-system-identity-2/operationId/4a2382fa-fea8-42c9-85d2-27ccae86101b?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -344,7 +344,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/4a2382fa-fea8-42c9-85d2-27ccae86101b/Spring/create-app-system-identity-2?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/4a2382fa-fea8-42c9-85d2-27ccae86101b/Spring/create-app-system-identity-2?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -376,7 +376,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/9160e34f-50f7-4898-9c53-c689e9367ab1?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/9160e34f-50f7-4898-9c53-c689e9367ab1?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/9160e34f-50f7-4898-9c53-c689e9367ab1","name":"9160e34f-50f7-4898-9c53-c689e9367ab1","status":"Succeeded","startTime":"2022-09-07T03:12:21.9104089Z","endTime":"2022-09-07T03:12:52.3535388Z"}' @@ -424,7 +424,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-system-identity-2/operationId/4a2382fa-fea8-42c9-85d2-27ccae86101b?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-system-identity-2/operationId/4a2382fa-fea8-42c9-85d2-27ccae86101b?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-system-identity-2/operationId/4a2382fa-fea8-42c9-85d2-27ccae86101b","name":"4a2382fa-fea8-42c9-85d2-27ccae86101b","status":"Succeeded","startTime":"2022-09-07T03:12:22.9363363Z","endTime":"2022-09-07T03:12:29.3555503Z"}' @@ -472,7 +472,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned","principalId":"10b971a6-1b43-4344-8e28-19fead330b43","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2","name":"create-app-system-identity-2","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:11:41.5113326Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:12:22.2771882Z"}}' @@ -522,7 +522,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2/deployments/mock-deployment?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"create-app-system-identity-2-default-28-5fdfd8bcb-7tdmz","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T03:12:25Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:12:19.6834345Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:12:19.6834345Z"}}' @@ -572,7 +572,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned","principalId":"10b971a6-1b43-4344-8e28-19fead330b43","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2","name":"create-app-system-identity-2","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:11:41.5113326Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:12:22.2771882Z"}}' @@ -622,7 +622,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2/deployments?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"create-app-system-identity-2-default-28-5fdfd8bcb-7tdmz","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T03:12:25Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:12:19.6834345Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:12:19.6834345Z"}}]}' diff --git a/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_create_app_with_user_identity.yaml b/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_create_app_with_user_identity.yaml index d667b537ee9..6d95dea7565 100644 --- a/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_create_app_with_user_identity.yaml +++ b/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_create_app_with_user_identity.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity?api-version=2022-11-01-preview response: body: string: '{"error":{"code":"NotFound","message":"App was not found","target":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity","details":null}}' @@ -61,7 +61,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"e55ed5c1ee8942f9a36f033e7bbd28e8","networkProfile":{"outboundIPs":{"publicIPs":["20.237.103.188","20.237.103.250"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:05:42.8680393Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:11:29.9671687Z"}}' @@ -119,13 +119,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Creating","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity","name":"create-app-user-identity","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:02:25.2446169Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:02:25.2446169Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-user-identity/operationId/7eeba826-cec6-4e2e-aa57-dd4209a05996?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-user-identity/operationId/7eeba826-cec6-4e2e-aa57-dd4209a05996?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -137,7 +137,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/7eeba826-cec6-4e2e-aa57-dd4209a05996/Spring/create-app-user-identity?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/7eeba826-cec6-4e2e-aa57-dd4209a05996/Spring/create-app-user-identity?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -169,7 +169,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-user-identity/operationId/7eeba826-cec6-4e2e-aa57-dd4209a05996?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-user-identity/operationId/7eeba826-cec6-4e2e-aa57-dd4209a05996?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-user-identity/operationId/7eeba826-cec6-4e2e-aa57-dd4209a05996","name":"7eeba826-cec6-4e2e-aa57-dd4209a05996","status":"Succeeded","startTime":"2022-09-07T03:02:27.4070512Z","endTime":"2022-09-07T03:02:36.0110471Z"}' @@ -217,7 +217,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"UserAssigned","principalId":null,"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"f8c67039-dd17-48f7-a1e2-5f6884e6e8fb","clientId":"e4f56bfa-0cdb-4930-836d-62088046f751"},"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"c2d73bc7-e20e-4e4a-a61c-20d0dea549bc","clientId":"0d0f5a96-197b-47ef-9c94-99275fda77f2"}}},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity","name":"create-app-user-identity","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:02:25.2446169Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:02:25.2446169Z"}}' @@ -274,13 +274,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity/deployments/mock-deployment?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90},"provisioningState":"Creating","status":"Running","active":true,"instances":null,"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:03:02.8539734Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:03:02.8539734Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/8a77610d-d139-4aba-af61-96baa0d176e9?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/8a77610d-d139-4aba-af61-96baa0d176e9?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -292,7 +292,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/8a77610d-d139-4aba-af61-96baa0d176e9/Spring/default?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/8a77610d-d139-4aba-af61-96baa0d176e9/Spring/default?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -329,13 +329,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"UserAssigned","principalId":null,"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"f8c67039-dd17-48f7-a1e2-5f6884e6e8fb","clientId":"e4f56bfa-0cdb-4930-836d-62088046f751"},"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"c2d73bc7-e20e-4e4a-a61c-20d0dea549bc","clientId":"0d0f5a96-197b-47ef-9c94-99275fda77f2"}}},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity","name":"create-app-user-identity","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:02:25.2446169Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:03:05.4633187Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-user-identity/operationId/9d1b53dd-a05b-4f0e-87b6-9f2d12d1b983?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-user-identity/operationId/9d1b53dd-a05b-4f0e-87b6-9f2d12d1b983?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -347,7 +347,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/9d1b53dd-a05b-4f0e-87b6-9f2d12d1b983/Spring/create-app-user-identity?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/9d1b53dd-a05b-4f0e-87b6-9f2d12d1b983/Spring/create-app-user-identity?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -379,7 +379,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/8a77610d-d139-4aba-af61-96baa0d176e9?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/8a77610d-d139-4aba-af61-96baa0d176e9?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/8a77610d-d139-4aba-af61-96baa0d176e9","name":"8a77610d-d139-4aba-af61-96baa0d176e9","status":"Succeeded","startTime":"2022-09-07T03:03:05.046743Z","endTime":"2022-09-07T03:03:32.3292434Z"}' @@ -427,7 +427,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-user-identity/operationId/9d1b53dd-a05b-4f0e-87b6-9f2d12d1b983?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-user-identity/operationId/9d1b53dd-a05b-4f0e-87b6-9f2d12d1b983?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-user-identity/operationId/9d1b53dd-a05b-4f0e-87b6-9f2d12d1b983","name":"9d1b53dd-a05b-4f0e-87b6-9f2d12d1b983","status":"Succeeded","startTime":"2022-09-07T03:03:06.4467378Z","endTime":"2022-09-07T03:03:13.0593068Z"}' @@ -475,7 +475,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"UserAssigned","principalId":null,"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"f8c67039-dd17-48f7-a1e2-5f6884e6e8fb","clientId":"e4f56bfa-0cdb-4930-836d-62088046f751"},"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"c2d73bc7-e20e-4e4a-a61c-20d0dea549bc","clientId":"0d0f5a96-197b-47ef-9c94-99275fda77f2"}}},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity","name":"create-app-user-identity","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:02:25.2446169Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:03:05.4633187Z"}}' @@ -525,7 +525,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity/deployments/mock-deployment?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"create-app-user-identity-default-24-67fd8f6849-mhr4r","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T03:03:10Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:03:02.8539734Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:03:02.8539734Z"}}' @@ -575,7 +575,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"UserAssigned","principalId":null,"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"f8c67039-dd17-48f7-a1e2-5f6884e6e8fb","clientId":"e4f56bfa-0cdb-4930-836d-62088046f751"},"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"c2d73bc7-e20e-4e4a-a61c-20d0dea549bc","clientId":"0d0f5a96-197b-47ef-9c94-99275fda77f2"}}},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity","name":"create-app-user-identity","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:02:25.2446169Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:03:05.4633187Z"}}' @@ -625,7 +625,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity/deployments?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"create-app-user-identity-default-24-67fd8f6849-mhr4r","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T03:03:10Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:03:02.8539734Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:03:02.8539734Z"}}]}' diff --git a/src/spring/azext_spring/tests/latest/app_managed_identity/test_app_managed_identity_force_set_scenario.py b/src/spring/azext_spring/tests/latest/app_managed_identity/test_app_managed_identity_force_set_scenario.py index 035be96c1d9..456a911ce76 100644 --- a/src/spring/azext_spring/tests/latest/app_managed_identity/test_app_managed_identity_force_set_scenario.py +++ b/src/spring/azext_spring/tests/latest/app_managed_identity/test_app_managed_identity_force_set_scenario.py @@ -5,7 +5,7 @@ from azure.cli.testsdk import (ScenarioTest, record_only) -from ....vendored_sdks.appplatform.v2022_03_01_preview.models import ManagedIdentityType +from ....vendored_sdks.appplatform.v2022_11_01_preview.models import ManagedIdentityType """ diff --git a/src/spring/azext_spring/tests/latest/app_managed_identity/test_app_managed_identity_remove.py b/src/spring/azext_spring/tests/latest/app_managed_identity/test_app_managed_identity_remove.py index cef494a3031..d4e2ca77f0c 100644 --- a/src/spring/azext_spring/tests/latest/app_managed_identity/test_app_managed_identity_remove.py +++ b/src/spring/azext_spring/tests/latest/app_managed_identity/test_app_managed_identity_remove.py @@ -5,7 +5,7 @@ import unittest from argparse import Namespace -from ....vendored_sdks.appplatform.v2022_03_01_preview.models import ManagedIdentityType +from ....vendored_sdks.appplatform.v2022_11_01_preview.models import ManagedIdentityType from ....app_managed_identity import (_get_new_identity_type_for_remove) diff --git a/src/spring/azext_spring/tests/latest/app_managed_identity/test_app_managed_identity_scenario.py b/src/spring/azext_spring/tests/latest/app_managed_identity/test_app_managed_identity_scenario.py index 6215d57c510..db451eb9e98 100644 --- a/src/spring/azext_spring/tests/latest/app_managed_identity/test_app_managed_identity_scenario.py +++ b/src/spring/azext_spring/tests/latest/app_managed_identity/test_app_managed_identity_scenario.py @@ -5,7 +5,7 @@ from azure.cli.testsdk import (ScenarioTest, record_only) -from ....vendored_sdks.appplatform.v2022_03_01_preview.models import ManagedIdentityType +from ....vendored_sdks.appplatform.v2022_11_01_preview.models import ManagedIdentityType """ diff --git a/src/spring/azext_spring/tests/latest/app_managed_identity/test_create_app_with_both_identity_scenario.py b/src/spring/azext_spring/tests/latest/app_managed_identity/test_create_app_with_both_identity_scenario.py index 3ff59d11988..994c1a0eab4 100644 --- a/src/spring/azext_spring/tests/latest/app_managed_identity/test_create_app_with_both_identity_scenario.py +++ b/src/spring/azext_spring/tests/latest/app_managed_identity/test_create_app_with_both_identity_scenario.py @@ -5,7 +5,7 @@ from azure.cli.testsdk import (ScenarioTest, record_only) -from ....vendored_sdks.appplatform.v2022_03_01_preview.models import ManagedIdentityType +from ....vendored_sdks.appplatform.v2022_11_01_preview.models import ManagedIdentityType """ diff --git a/src/spring/azext_spring/tests/latest/app_managed_identity/test_create_app_with_system_identity_scenario.py b/src/spring/azext_spring/tests/latest/app_managed_identity/test_create_app_with_system_identity_scenario.py index 24026bfed94..284afd9ed9a 100644 --- a/src/spring/azext_spring/tests/latest/app_managed_identity/test_create_app_with_system_identity_scenario.py +++ b/src/spring/azext_spring/tests/latest/app_managed_identity/test_create_app_with_system_identity_scenario.py @@ -5,7 +5,7 @@ from azure.cli.testsdk import (ScenarioTest, record_only) -from ....vendored_sdks.appplatform.v2022_03_01_preview.models import ManagedIdentityType +from ....vendored_sdks.appplatform.v2022_11_01_preview.models import ManagedIdentityType @record_only() diff --git a/src/spring/azext_spring/tests/latest/app_managed_identity/test_create_app_with_user_identity_scenario.py b/src/spring/azext_spring/tests/latest/app_managed_identity/test_create_app_with_user_identity_scenario.py index d944a52b9f7..e0854ca6967 100644 --- a/src/spring/azext_spring/tests/latest/app_managed_identity/test_create_app_with_user_identity_scenario.py +++ b/src/spring/azext_spring/tests/latest/app_managed_identity/test_create_app_with_user_identity_scenario.py @@ -5,7 +5,7 @@ from azure.cli.testsdk import (ScenarioTest, record_only) -from ....vendored_sdks.appplatform.v2022_03_01_preview.models import ManagedIdentityType +from ....vendored_sdks.appplatform.v2022_11_01_preview.models import ManagedIdentityType """ diff --git a/src/spring/azext_spring/tests/latest/recordings/test_Builder.yaml b/src/spring/azext_spring/tests/latest/recordings/test_Builder.yaml index 4a0dfa20a48..a51511c5bb8 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_Builder.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_Builder.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"4c0e8168e93e4d54b77d255f95557b3c","networkProfile":{"outboundIPs":{"publicIPs":["20.102.6.42","20.102.5.239"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"qingyliu@microsoft.com","createdByType":"User","createdAt":"2022-09-13T09:15:56.0034586Z","lastModifiedBy":"qingyliu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-13T09:15:56.0034586Z"}}' @@ -65,7 +65,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test-builder?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test-builder?api-version=2022-11-01-preview response: body: string: '{"error":{"code":"NotFound","message":"KPack builder does not exist","target":"default/test-builder","details":null}}' @@ -114,13 +114,13 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test-builder?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test-builder?api-version=2022-11-01-preview response: body: string: '{"type":"Microsoft.AppPlatform/Spring/buildServices/builders","properties":{"provisioningState":"Creating","stack":{"id":"io.buildpacks.stacks.bionic","version":"base"},"buildpackGroups":[{"name":"mix","buildpacks":[{"id":"tanzu-buildpacks/java-azure"}]}]},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test-builder","name":"test-builder","systemData":{"createdBy":"qingyliu@microsoft.com","createdByType":"User","createdAt":"2022-09-14T05:38:09.1999786Z","lastModifiedBy":"qingyliu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-14T05:38:09.1999786Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/cli-unittest/operationId/8e5f273d-b78f-47fa-b462-e6c366e129e7?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/cli-unittest/operationId/8e5f273d-b78f-47fa-b462-e6c366e129e7?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -132,7 +132,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/8e5f273d-b78f-47fa-b462-e6c366e129e7/Spring/cli-unittest?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/8e5f273d-b78f-47fa-b462-e6c366e129e7/Spring/cli-unittest?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -164,7 +164,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/cli-unittest/operationId/8e5f273d-b78f-47fa-b462-e6c366e129e7?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/cli-unittest/operationId/8e5f273d-b78f-47fa-b462-e6c366e129e7?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/cli-unittest/operationId/8e5f273d-b78f-47fa-b462-e6c366e129e7","name":"8e5f273d-b78f-47fa-b462-e6c366e129e7","status":"Succeeded","startTime":"2022-09-14T05:38:10.6065091Z","endTime":"2022-09-14T05:38:30.9524Z"}' @@ -212,7 +212,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test-builder?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test-builder?api-version=2022-11-01-preview response: body: string: '{"type":"Microsoft.AppPlatform/Spring/buildServices/builders","properties":{"provisioningState":"Succeeded","stack":{"id":"io.buildpacks.stacks.bionic","version":"base"},"buildpackGroups":[{"name":"mix","buildpacks":[{"id":"tanzu-buildpacks/java-azure"}]}]},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test-builder","name":"test-builder","systemData":{"createdBy":"qingyliu@microsoft.com","createdByType":"User","createdAt":"2022-09-14T05:38:09.1999786Z","lastModifiedBy":"qingyliu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-14T05:38:09.1999786Z"}}' @@ -260,7 +260,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"4c0e8168e93e4d54b77d255f95557b3c","networkProfile":{"outboundIPs":{"publicIPs":["20.102.6.42","20.102.5.239"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"qingyliu@microsoft.com","createdByType":"User","createdAt":"2022-09-13T09:15:56.0034586Z","lastModifiedBy":"qingyliu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-13T09:15:56.0034586Z"}}' @@ -310,7 +310,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test?api-version=2022-11-01-preview response: body: string: '{"type":"Microsoft.AppPlatform/Spring/buildServices/builders","properties":{"provisioningState":"Succeeded","stack":{"id":"io.buildpacks.stacks.bionic","version":"base"},"buildpackGroups":[{"name":"mix","buildpacks":[{"id":"tanzu-buildpacks/java-azure"}]}]},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test","name":"test","systemData":{"createdBy":"qingyliu@microsoft.com","createdByType":"User","createdAt":"2022-09-14T05:17:47.9520459Z","lastModifiedBy":"qingyliu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-14T05:23:16.6521425Z"}}' @@ -363,13 +363,13 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test?api-version=2022-11-01-preview response: body: string: '{"type":"Microsoft.AppPlatform/Spring/buildServices/builders","properties":{"provisioningState":"Updating","stack":{"id":"io.buildpacks.stacks.bionic","version":"base"},"buildpackGroups":[{"name":"mix","buildpacks":[{"id":"tanzu-buildpacks/java-azure"}]}]},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test","name":"test","systemData":{"createdBy":"qingyliu@microsoft.com","createdByType":"User","createdAt":"2022-09-14T05:17:47.9520459Z","lastModifiedBy":"qingyliu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-14T05:38:45.8564663Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/cli-unittest/operationId/654cc100-686f-4c9c-abab-6ffd244706c0?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/cli-unittest/operationId/654cc100-686f-4c9c-abab-6ffd244706c0?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -381,7 +381,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/654cc100-686f-4c9c-abab-6ffd244706c0/Spring/cli-unittest?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/654cc100-686f-4c9c-abab-6ffd244706c0/Spring/cli-unittest?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -413,7 +413,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/cli-unittest/operationId/654cc100-686f-4c9c-abab-6ffd244706c0?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/cli-unittest/operationId/654cc100-686f-4c9c-abab-6ffd244706c0?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/cli-unittest/operationId/654cc100-686f-4c9c-abab-6ffd244706c0","name":"654cc100-686f-4c9c-abab-6ffd244706c0","status":"Succeeded","startTime":"2022-09-14T05:38:47.3335213Z","endTime":"2022-09-14T05:39:07.3299337Z"}' @@ -457,7 +457,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test?api-version=2022-11-01-preview response: body: string: '{"type":"Microsoft.AppPlatform/Spring/buildServices/builders","properties":{"provisioningState":"Succeeded","stack":{"id":"io.buildpacks.stacks.bionic","version":"base"},"buildpackGroups":[{"name":"mix","buildpacks":[{"id":"tanzu-buildpacks/java-azure"}]}]},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test","name":"test","systemData":{"createdBy":"qingyliu@microsoft.com","createdByType":"User","createdAt":"2022-09-14T05:17:47.9520459Z","lastModifiedBy":"qingyliu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-14T05:38:45.8564663Z"}}' @@ -501,7 +501,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"4c0e8168e93e4d54b77d255f95557b3c","networkProfile":{"outboundIPs":{"publicIPs":["20.102.6.42","20.102.5.239"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"qingyliu@microsoft.com","createdByType":"User","createdAt":"2022-09-13T09:15:56.0034586Z","lastModifiedBy":"qingyliu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-13T09:15:56.0034586Z"}}' @@ -551,7 +551,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test-builder?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test-builder?api-version=2022-11-01-preview response: body: string: '{"type":"Microsoft.AppPlatform/Spring/buildServices/builders","properties":{"provisioningState":"Succeeded","stack":{"id":"io.buildpacks.stacks.bionic","version":"base"},"buildpackGroups":[{"name":"mix","buildpacks":[{"id":"tanzu-buildpacks/java-azure"}]}]},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test-builder","name":"test-builder","systemData":{"createdBy":"qingyliu@microsoft.com","createdByType":"User","createdAt":"2022-09-14T05:38:09.1999786Z","lastModifiedBy":"qingyliu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-14T05:38:09.1999786Z"}}' @@ -599,7 +599,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"4c0e8168e93e4d54b77d255f95557b3c","networkProfile":{"outboundIPs":{"publicIPs":["20.102.6.42","20.102.5.239"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"qingyliu@microsoft.com","createdByType":"User","createdAt":"2022-09-13T09:15:56.0034586Z","lastModifiedBy":"qingyliu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-13T09:15:56.0034586Z"}}' @@ -651,7 +651,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/default/listUsingDeployments?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/default/listUsingDeployments?api-version=2022-11-01-preview response: body: string: '{"deployments":["/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test/deployments/default"]}' @@ -701,7 +701,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"4c0e8168e93e4d54b77d255f95557b3c","networkProfile":{"outboundIPs":{"publicIPs":["20.102.6.42","20.102.5.239"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"qingyliu@microsoft.com","createdByType":"User","createdAt":"2022-09-13T09:15:56.0034586Z","lastModifiedBy":"qingyliu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-13T09:15:56.0034586Z"}}' @@ -753,13 +753,13 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test-builder?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test-builder?api-version=2022-11-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/cli-unittest/operationId/d7d513b7-4061-4bc6-8cb9-69adde3eb5c2?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/cli-unittest/operationId/d7d513b7-4061-4bc6-8cb9-69adde3eb5c2?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -769,7 +769,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/d7d513b7-4061-4bc6-8cb9-69adde3eb5c2/Spring/cli-unittest?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/d7d513b7-4061-4bc6-8cb9-69adde3eb5c2/Spring/cli-unittest?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -801,7 +801,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/cli-unittest/operationId/d7d513b7-4061-4bc6-8cb9-69adde3eb5c2?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/cli-unittest/operationId/d7d513b7-4061-4bc6-8cb9-69adde3eb5c2?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/cli-unittest/operationId/d7d513b7-4061-4bc6-8cb9-69adde3eb5c2","name":"d7d513b7-4061-4bc6-8cb9-69adde3eb5c2","status":"Succeeded","startTime":"2022-09-14T05:39:32.1387832Z","endTime":"2022-09-14T05:39:38.7014511Z"}' diff --git a/src/spring/azext_spring/tests/latest/recordings/test_api_portal.yaml b/src/spring/azext_spring/tests/latest/recordings/test_api_portal.yaml index 33c7bead0d7..4413280f273 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_api_portal.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_api_portal.yaml @@ -16,7 +16,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","public":false,"url":"","httpsOnly":false,"ssoProperties":{"scope":["openid","profile","email"],"clientId":"*","clientSecret":"*","issuerUri":"https://login.microsoftonline.com/72f988bf-86f1-41af-91ab-2d7cd011db47/v2.0"},"gatewayIds":["/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default"],"resourceRequests":{"cpu":"500m","memory":"1Gi"},"instances":[{"name":"asc-api-portal-default-569ccd9db-sgj2d","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/apiPortals","sku":{"name":"E0","tier":"Enterprise","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.5105937Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T03:55:50.2322725Z"}}' @@ -72,13 +72,13 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Updating","public":true,"url":"","httpsOnly":true,"ssoProperties":{"scope":["openid","profile","email"],"clientId":"*","clientSecret":"*","issuerUri":"https://login.microsoftonline.com/72f988bf-86f1-41af-91ab-2d7cd011db47/v2.0"},"gatewayIds":["/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default"],"resourceRequests":{"cpu":"500m","memory":"1Gi"},"instances":[{"name":"asc-api-portal-default-569ccd9db-sgj2d","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/apiPortals","sku":{"name":"E0","tier":"Enterprise","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.5105937Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T03:57:51.1396245Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/c0cc3c64-fae3-4684-b971-4e87fce41d79?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/c0cc3c64-fae3-4684-b971-4e87fce41d79?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -90,7 +90,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/c0cc3c64-fae3-4684-b971-4e87fce41d79/Spring/tx-enterprise?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/c0cc3c64-fae3-4684-b971-4e87fce41d79/Spring/tx-enterprise?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -123,7 +123,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/c0cc3c64-fae3-4684-b971-4e87fce41d79?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/c0cc3c64-fae3-4684-b971-4e87fce41d79?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/c0cc3c64-fae3-4684-b971-4e87fce41d79","name":"c0cc3c64-fae3-4684-b971-4e87fce41d79","status":"Running","startTime":"2023-01-10T03:57:52.0088807Z"}' @@ -172,7 +172,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/c0cc3c64-fae3-4684-b971-4e87fce41d79?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/c0cc3c64-fae3-4684-b971-4e87fce41d79?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/c0cc3c64-fae3-4684-b971-4e87fce41d79","name":"c0cc3c64-fae3-4684-b971-4e87fce41d79","status":"Running","startTime":"2023-01-10T03:57:52.0088807Z"}' @@ -221,7 +221,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/c0cc3c64-fae3-4684-b971-4e87fce41d79?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/c0cc3c64-fae3-4684-b971-4e87fce41d79?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/c0cc3c64-fae3-4684-b971-4e87fce41d79","name":"c0cc3c64-fae3-4684-b971-4e87fce41d79","status":"Succeeded","startTime":"2023-01-10T03:57:52.0088807Z","endTime":"2023-01-10T03:58:14.0649531Z"}' @@ -270,7 +270,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","public":true,"url":"tx-enterprise-apiportal-d07d1.svc.asc-test.net","httpsOnly":true,"ssoProperties":{"scope":["openid","profile","email"],"clientId":"*","clientSecret":"*","issuerUri":"https://login.microsoftonline.com/72f988bf-86f1-41af-91ab-2d7cd011db47/v2.0"},"gatewayIds":["/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default"],"resourceRequests":{"cpu":"500m","memory":"1Gi"},"instances":[{"name":"asc-api-portal-default-569ccd9db-sgj2d","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/apiPortals","sku":{"name":"E0","tier":"Enterprise","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.5105937Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T03:57:51.1396245Z"}}' @@ -318,7 +318,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -368,7 +368,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","public":true,"url":"tx-enterprise-apiportal-d07d1.svc.asc-test.net","httpsOnly":true,"ssoProperties":{"scope":["openid","profile","email"],"clientId":"*","clientSecret":"*","issuerUri":"https://login.microsoftonline.com/72f988bf-86f1-41af-91ab-2d7cd011db47/v2.0"},"gatewayIds":["/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default"],"resourceRequests":{"cpu":"500m","memory":"1Gi"},"instances":[{"name":"asc-api-portal-default-569ccd9db-sgj2d","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/apiPortals","sku":{"name":"E0","tier":"Enterprise","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.5105937Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T03:57:51.1396245Z"}}' @@ -416,7 +416,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -466,7 +466,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","public":true,"url":"tx-enterprise-apiportal-d07d1.svc.asc-test.net","httpsOnly":true,"ssoProperties":{"scope":["openid","profile","email"],"clientId":"*","clientSecret":"*","issuerUri":"https://login.microsoftonline.com/72f988bf-86f1-41af-91ab-2d7cd011db47/v2.0"},"gatewayIds":["/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default"],"resourceRequests":{"cpu":"500m","memory":"1Gi"},"instances":[{"name":"asc-api-portal-default-569ccd9db-sgj2d","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/apiPortals","sku":{"name":"E0","tier":"Enterprise","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.5105937Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T03:57:51.1396245Z"}}' @@ -519,13 +519,13 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Updating","public":false,"url":"tx-enterprise-apiportal-d07d1.svc.asc-test.net","httpsOnly":false,"gatewayIds":["/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default"],"resourceRequests":{"cpu":"500m","memory":"1Gi"},"instances":[{"name":"asc-api-portal-default-569ccd9db-sgj2d","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/apiPortals","sku":{"name":"E0","tier":"Enterprise","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.5105937Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T03:58:27.3148636Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -537,7 +537,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/0c2e17dc-8ce4-4729-973d-de46b2f26c60/Spring/tx-enterprise?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/0c2e17dc-8ce4-4729-973d-de46b2f26c60/Spring/tx-enterprise?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -569,7 +569,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60","name":"0c2e17dc-8ce4-4729-973d-de46b2f26c60","status":"Running","startTime":"2023-01-10T03:58:27.972877Z"}' @@ -617,7 +617,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60","name":"0c2e17dc-8ce4-4729-973d-de46b2f26c60","status":"Running","startTime":"2023-01-10T03:58:27.972877Z"}' @@ -665,7 +665,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60","name":"0c2e17dc-8ce4-4729-973d-de46b2f26c60","status":"Running","startTime":"2023-01-10T03:58:27.972877Z"}' @@ -713,7 +713,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60","name":"0c2e17dc-8ce4-4729-973d-de46b2f26c60","status":"Running","startTime":"2023-01-10T03:58:27.972877Z"}' @@ -761,7 +761,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60","name":"0c2e17dc-8ce4-4729-973d-de46b2f26c60","status":"Running","startTime":"2023-01-10T03:58:27.972877Z"}' @@ -809,7 +809,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60","name":"0c2e17dc-8ce4-4729-973d-de46b2f26c60","status":"Running","startTime":"2023-01-10T03:58:27.972877Z"}' @@ -857,7 +857,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60","name":"0c2e17dc-8ce4-4729-973d-de46b2f26c60","status":"Running","startTime":"2023-01-10T03:58:27.972877Z"}' @@ -905,7 +905,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60","name":"0c2e17dc-8ce4-4729-973d-de46b2f26c60","status":"Running","startTime":"2023-01-10T03:58:27.972877Z"}' @@ -953,7 +953,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60","name":"0c2e17dc-8ce4-4729-973d-de46b2f26c60","status":"Succeeded","startTime":"2023-01-10T03:58:27.972877Z","endTime":"2023-01-10T03:59:47.8922599Z"}' @@ -1001,7 +1001,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","public":false,"url":"","httpsOnly":false,"gatewayIds":["/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default"],"resourceRequests":{"cpu":"500m","memory":"1Gi"},"instances":[{"name":"asc-api-portal-default-7bd684fc9c-pv7ch","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/apiPortals","sku":{"name":"E0","tier":"Enterprise","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.5105937Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T03:58:27.3148636Z"}}' @@ -1049,7 +1049,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -1101,13 +1101,13 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default?api-version=2022-11-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/360604e7-6995-427b-8c9f-679f05ef0053?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/360604e7-6995-427b-8c9f-679f05ef0053?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -1117,7 +1117,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/360604e7-6995-427b-8c9f-679f05ef0053/Spring/tx-enterprise?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/360604e7-6995-427b-8c9f-679f05ef0053/Spring/tx-enterprise?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -1149,7 +1149,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/360604e7-6995-427b-8c9f-679f05ef0053?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/360604e7-6995-427b-8c9f-679f05ef0053?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/360604e7-6995-427b-8c9f-679f05ef0053","name":"360604e7-6995-427b-8c9f-679f05ef0053","status":"Running","startTime":"2023-01-10T03:59:58.9228891Z"}' @@ -1197,7 +1197,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/360604e7-6995-427b-8c9f-679f05ef0053?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/360604e7-6995-427b-8c9f-679f05ef0053?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/360604e7-6995-427b-8c9f-679f05ef0053","name":"360604e7-6995-427b-8c9f-679f05ef0053","status":"Succeeded","startTime":"2023-01-10T03:59:58.9228891Z","endTime":"2023-01-10T04:00:06.7035564Z"}' @@ -1245,7 +1245,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -1295,7 +1295,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -1349,13 +1349,13 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Creating","public":false,"httpsOnly":false,"gatewayIds":["/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default"],"resourceRequests":{"cpu":"500m","memory":"1Gi"},"instances":[]},"type":"Microsoft.AppPlatform/Spring/apiPortals","sku":{"name":"E0","tier":"Enterprise","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-10T04:00:15.6209168Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:00:15.6209168Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -1367,7 +1367,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/e0838d07-d161-4831-b79e-b382f954342b/Spring/tx-enterprise?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/e0838d07-d161-4831-b79e-b382f954342b/Spring/tx-enterprise?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -1399,7 +1399,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b","name":"e0838d07-d161-4831-b79e-b382f954342b","status":"Running","startTime":"2023-01-10T04:00:16.2768813Z"}' @@ -1447,7 +1447,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b","name":"e0838d07-d161-4831-b79e-b382f954342b","status":"Running","startTime":"2023-01-10T04:00:16.2768813Z"}' @@ -1495,7 +1495,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b","name":"e0838d07-d161-4831-b79e-b382f954342b","status":"Running","startTime":"2023-01-10T04:00:16.2768813Z"}' @@ -1543,7 +1543,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b","name":"e0838d07-d161-4831-b79e-b382f954342b","status":"Running","startTime":"2023-01-10T04:00:16.2768813Z"}' @@ -1591,7 +1591,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b","name":"e0838d07-d161-4831-b79e-b382f954342b","status":"Running","startTime":"2023-01-10T04:00:16.2768813Z"}' @@ -1639,7 +1639,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b","name":"e0838d07-d161-4831-b79e-b382f954342b","status":"Running","startTime":"2023-01-10T04:00:16.2768813Z"}' @@ -1687,7 +1687,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b","name":"e0838d07-d161-4831-b79e-b382f954342b","status":"Running","startTime":"2023-01-10T04:00:16.2768813Z"}' @@ -1735,7 +1735,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b","name":"e0838d07-d161-4831-b79e-b382f954342b","status":"Running","startTime":"2023-01-10T04:00:16.2768813Z"}' @@ -1783,7 +1783,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b","name":"e0838d07-d161-4831-b79e-b382f954342b","status":"Succeeded","startTime":"2023-01-10T04:00:16.2768813Z","endTime":"2023-01-10T04:01:35.4397089Z"}' @@ -1831,7 +1831,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","public":false,"url":"","httpsOnly":false,"gatewayIds":["/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default"],"resourceRequests":{"cpu":"500m","memory":"1Gi"},"instances":[{"name":"asc-api-portal-default-7bd684fc9c-ctx9v","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/apiPortals","sku":{"name":"E0","tier":"Enterprise","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-10T04:00:15.6209168Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:00:15.6209168Z"}}' @@ -1879,7 +1879,7 @@ interactions: User-Agent: - AZURECLI/2.31.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.5 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/certificates/cli-unittest?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/certificates/cli-unittest?api-version=2022-11-01-preview response: body: string: '{"properties":{"vaultUri":"https://integration-test-prod.vault.azure.net","keyVaultCertName":"cli-unittest","certVersion":"b7518f6674c744cb8eca1e83fc221e56","excludePrivateKey":false,"type":"KeyVaultCertificate","thumbprint":"ef16ce1a35ecd6b7a9d4e546a5b1d480b38f3e5d","issuer":"*.asc-test.net","expirationDate":"2022-12-13T04:50:31.000+00:00","activateDate":"2021-12-13T04:40:31.000+00:00","subjectName":"*.asc-test.net","dnsNames":["cli.asc-test.net"]},"type":"Microsoft.AppPlatform/Spring/certificates","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/certificates/cli-unittest","name":"cli-unittest"}' @@ -1929,7 +1929,7 @@ interactions: User-Agent: - AZURECLI/2.31.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.5 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"2b82253390324f40b72979245318a2f8","networkProfile":{"outboundIPs":{"publicIPs":["20.62.180.122","20.62.180.124"]}},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"xiading@microsoft.com","createdByType":"User","createdAt":"2021-12-13T10:11:28.9082846Z","lastModifiedBy":"xiading@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2021-12-13T10:11:28.9082846Z"}}' @@ -1985,7 +1985,7 @@ interactions: User-Agent: - AZURECLI/2.31.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.5 (Windows-10-10.0.19041-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default/domains/api-portal-cli.asc-test.net?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default/domains/api-portal-cli.asc-test.net?api-version=2022-11-01-preview response: body: string: '{"properties":{"thumbprint":""},"type":"Microsoft.AppPlatform/Spring/apiPortals/domains","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default/domains/api-portal-cli.asc-test.net","name":"api-portal-cli.asc-test.net"}' @@ -2037,7 +2037,7 @@ interactions: User-Agent: - AZURECLI/2.31.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.5 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"2b82253390324f40b72979245318a2f8","networkProfile":{"outboundIPs":{"publicIPs":["20.62.180.122","20.62.180.124"]}},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"xiading@microsoft.com","createdByType":"User","createdAt":"2021-12-13T10:11:28.9082846Z","lastModifiedBy":"xiading@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2021-12-13T10:11:28.9082846Z"}}' @@ -2089,7 +2089,7 @@ interactions: User-Agent: - AZURECLI/2.31.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.5 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default/domains/api-portal-cli.asc-test.net?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default/domains/api-portal-cli.asc-test.net?api-version=2022-11-01-preview response: body: string: '{"properties":{"thumbprint":""},"type":"Microsoft.AppPlatform/Spring/apiPortals/domains","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default/domains/api-portal-cli.asc-test.net","name":"api-portal-cli.asc-test.net"}' @@ -2139,7 +2139,7 @@ interactions: User-Agent: - AZURECLI/2.31.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.5 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"2b82253390324f40b72979245318a2f8","networkProfile":{"outboundIPs":{"publicIPs":["20.62.180.122","20.62.180.124"]}},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"xiading@microsoft.com","createdByType":"User","createdAt":"2021-12-13T10:11:28.9082846Z","lastModifiedBy":"xiading@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2021-12-13T10:11:28.9082846Z"}}' @@ -2191,7 +2191,7 @@ interactions: User-Agent: - AZURECLI/2.31.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.5 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default/domains?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default/domains?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"thumbprint":""},"type":"Microsoft.AppPlatform/Spring/apiPortals/domains","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default/domains/api-portal-cli.asc-test.net","name":"api-portal-cli.asc-test.net"}]}' @@ -2241,7 +2241,7 @@ interactions: User-Agent: - AZURECLI/2.31.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.5 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"2b82253390324f40b72979245318a2f8","networkProfile":{"outboundIPs":{"publicIPs":["20.62.180.122","20.62.180.124"]}},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"xiading@microsoft.com","createdByType":"User","createdAt":"2021-12-13T10:11:28.9082846Z","lastModifiedBy":"xiading@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2021-12-13T10:11:28.9082846Z"}}' @@ -2293,7 +2293,7 @@ interactions: User-Agent: - AZURECLI/2.31.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.5 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/certificates/cli-unittest?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/certificates/cli-unittest?api-version=2022-11-01-preview response: body: string: '{"properties":{"vaultUri":"https://integration-test-prod.vault.azure.net","keyVaultCertName":"cli-unittest","certVersion":"b7518f6674c744cb8eca1e83fc221e56","excludePrivateKey":false,"type":"KeyVaultCertificate","thumbprint":"ef16ce1a35ecd6b7a9d4e546a5b1d480b38f3e5d","issuer":"*.asc-test.net","expirationDate":"2022-12-13T04:50:31.000+00:00","activateDate":"2021-12-13T04:40:31.000+00:00","subjectName":"*.asc-test.net","dnsNames":["cli.asc-test.net"]},"type":"Microsoft.AppPlatform/Spring/certificates","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/certificates/cli-unittest","name":"cli-unittest"}' @@ -2347,7 +2347,7 @@ interactions: User-Agent: - AZURECLI/2.31.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.5 (Windows-10-10.0.19041-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default/domains/api-portal-cli.asc-test.net?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default/domains/api-portal-cli.asc-test.net?api-version=2022-11-01-preview response: body: string: '{"properties":{"thumbprint":"ef16ce1a35ecd6b7a9d4e546a5b1d480b38f3e5d"},"type":"Microsoft.AppPlatform/Spring/apiPortals/domains","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default/domains/api-portal-cli.asc-test.net","name":"api-portal-cli.asc-test.net"}' @@ -2399,7 +2399,7 @@ interactions: User-Agent: - AZURECLI/2.31.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.5 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"2b82253390324f40b72979245318a2f8","networkProfile":{"outboundIPs":{"publicIPs":["20.62.180.122","20.62.180.124"]}},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"xiading@microsoft.com","createdByType":"User","createdAt":"2021-12-13T10:11:28.9082846Z","lastModifiedBy":"xiading@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2021-12-13T10:11:28.9082846Z"}}' @@ -2451,7 +2451,7 @@ interactions: User-Agent: - AZURECLI/2.31.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.5 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default/domains/api-portal-cli.asc-test.net?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default/domains/api-portal-cli.asc-test.net?api-version=2022-11-01-preview response: body: string: '{"properties":{"thumbprint":"ef16ce1a35ecd6b7a9d4e546a5b1d480b38f3e5d"},"type":"Microsoft.AppPlatform/Spring/apiPortals/domains","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default/domains/api-portal-cli.asc-test.net","name":"api-portal-cli.asc-test.net"}' @@ -2503,7 +2503,7 @@ interactions: User-Agent: - AZURECLI/2.31.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.5 (Windows-10-10.0.19041-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default/domains/api-portal-cli.asc-test.net?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default/domains/api-portal-cli.asc-test.net?api-version=2022-11-01-preview response: body: string: '' @@ -2549,7 +2549,7 @@ interactions: User-Agent: - AZURECLI/2.31.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.5 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"2b82253390324f40b72979245318a2f8","networkProfile":{"outboundIPs":{"publicIPs":["20.62.180.122","20.62.180.124"]}},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"xiading@microsoft.com","createdByType":"User","createdAt":"2021-12-13T10:11:28.9082846Z","lastModifiedBy":"xiading@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2021-12-13T10:11:28.9082846Z"}}' @@ -2601,7 +2601,7 @@ interactions: User-Agent: - AZURECLI/2.31.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.5 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default/domains/api-portal-cli.asc-test.net?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default/domains/api-portal-cli.asc-test.net?api-version=2022-11-01-preview response: body: string: '{"error":{"code":"EntityNotFound","message":"CustomDomain ''api-portal-cli.asc-test.net'' diff --git a/src/spring/azext_spring/tests/latest/recordings/test_app_connect.yaml b/src/spring/azext_spring/tests/latest/recordings/test_app_connect.yaml index 7a37f85bcfb..8ac330f7d88 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_app_connect.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_app_connect.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.4 (Linux-5.15.57.1-microsoft-standard-WSL2-x86_64-with-glibc2.35) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments?api-version=2022-11-01-preview response: body: string: '{"error":{"code":"ResourceGroupNotFound","message":"Resource group diff --git a/src/spring/azext_spring/tests/latest/recordings/test_app_crud.yaml b/src/spring/azext_spring/tests/latest/recordings/test_app_crud.yaml index 93ae22aa279..16dc3e8d51d 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_app_crud.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_app_crud.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-11-01-preview response: body: string: '{"error":{"code":"NotFound","message":"App was not found","target":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app","details":null}}' @@ -61,7 +61,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"e55ed5c1ee8942f9a36f033e7bbd28e8","networkProfile":{"outboundIPs":{"publicIPs":["20.237.103.188","20.237.103.250"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:05:42.8680393Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:11:29.9671687Z"}}' @@ -116,13 +116,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Creating","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app","name":"test-crud-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:11:31.9182282Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:11:31.9182282Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app/operationId/cb4b1ae6-219f-421d-b735-59f607f5c040?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app/operationId/cb4b1ae6-219f-421d-b735-59f607f5c040?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -134,7 +134,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/cb4b1ae6-219f-421d-b735-59f607f5c040/Spring/test-crud-app?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/cb4b1ae6-219f-421d-b735-59f607f5c040/Spring/test-crud-app?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -166,7 +166,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app/operationId/cb4b1ae6-219f-421d-b735-59f607f5c040?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app/operationId/cb4b1ae6-219f-421d-b735-59f607f5c040?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app/operationId/cb4b1ae6-219f-421d-b735-59f607f5c040","name":"cb4b1ae6-219f-421d-b735-59f607f5c040","status":"Succeeded","startTime":"2022-09-07T06:11:32.9251735Z","endTime":"2022-09-07T06:11:39.213316Z"}' @@ -214,7 +214,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app","name":"test-crud-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:11:31.9182282Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:11:31.9182282Z"}}' @@ -271,13 +271,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/mock-deployment?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"foo":"bar"},"terminationGracePeriodSeconds":90},"provisioningState":"Creating","status":"Running","active":true,"instances":null,"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:12:08.3089326Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:12:08.3089326Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/966d7e4d-f627-4a5b-bc79-d123b4b436d7?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/966d7e4d-f627-4a5b-bc79-d123b4b436d7?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -289,7 +289,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/966d7e4d-f627-4a5b-bc79-d123b4b436d7/Spring/default?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/966d7e4d-f627-4a5b-bc79-d123b4b436d7/Spring/default?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -326,13 +326,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app","name":"test-crud-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:11:31.9182282Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:12:10.8245634Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app/operationId/94c9b3ad-2060-4e64-8618-471b0663c4f8?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app/operationId/94c9b3ad-2060-4e64-8618-471b0663c4f8?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -344,7 +344,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/94c9b3ad-2060-4e64-8618-471b0663c4f8/Spring/test-crud-app?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/94c9b3ad-2060-4e64-8618-471b0663c4f8/Spring/test-crud-app?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -376,7 +376,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/966d7e4d-f627-4a5b-bc79-d123b4b436d7?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/966d7e4d-f627-4a5b-bc79-d123b4b436d7?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/966d7e4d-f627-4a5b-bc79-d123b4b436d7","name":"966d7e4d-f627-4a5b-bc79-d123b4b436d7","status":"Succeeded","startTime":"2022-09-07T06:12:10.2482199Z","endTime":"2022-09-07T06:12:32.4936271Z"}' @@ -424,7 +424,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app/operationId/94c9b3ad-2060-4e64-8618-471b0663c4f8?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app/operationId/94c9b3ad-2060-4e64-8618-471b0663c4f8?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app/operationId/94c9b3ad-2060-4e64-8618-471b0663c4f8","name":"94c9b3ad-2060-4e64-8618-471b0663c4f8","status":"Succeeded","startTime":"2022-09-07T06:12:11.4867409Z","endTime":"2022-09-07T06:12:18.5010133Z"}' @@ -472,7 +472,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app","name":"test-crud-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:11:31.9182282Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:12:10.8245634Z"}}' @@ -522,7 +522,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/mock-deployment?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"foo":"bar"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-crud-app-default-13-78fc7857dd-x5cqf","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:12:21Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:12:08.3089326Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:12:08.3089326Z"}}' @@ -572,7 +572,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app","name":"test-crud-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:11:31.9182282Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:12:10.8245634Z"}}' @@ -622,7 +622,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"foo":"bar"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-crud-app-default-13-78fc7857dd-x5cqf","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:12:21Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:12:08.3089326Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:12:08.3089326Z"}}]}' @@ -672,7 +672,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"foo":"bar"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-crud-app-default-13-78fc7857dd-x5cqf","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:12:21Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:12:08.3089326Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:12:08.3089326Z"}}]}' @@ -729,13 +729,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/mock-deployment?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"foo":"bar"},"terminationGracePeriodSeconds":90},"provisioningState":"Creating","status":"Running","active":false,"instances":null,"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":2},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/green","name":"green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:13:55.414023Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:13:55.414023Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/61a848e2-d689-4c2a-bb1b-421c0362e8c4?api-version=2022-05-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/61a848e2-d689-4c2a-bb1b-421c0362e8c4?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -747,7 +747,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/61a848e2-d689-4c2a-bb1b-421c0362e8c4/Spring/green?api-version=2022-05-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/61a848e2-d689-4c2a-bb1b-421c0362e8c4/Spring/green?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -779,7 +779,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/61a848e2-d689-4c2a-bb1b-421c0362e8c4?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/61a848e2-d689-4c2a-bb1b-421c0362e8c4?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/61a848e2-d689-4c2a-bb1b-421c0362e8c4","name":"61a848e2-d689-4c2a-bb1b-421c0362e8c4","status":"Running","startTime":"2022-09-07T06:13:57.8591579Z"}' @@ -827,7 +827,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/61a848e2-d689-4c2a-bb1b-421c0362e8c4?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/61a848e2-d689-4c2a-bb1b-421c0362e8c4?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/61a848e2-d689-4c2a-bb1b-421c0362e8c4","name":"61a848e2-d689-4c2a-bb1b-421c0362e8c4","status":"Running","startTime":"2022-09-07T06:13:57.8591579Z"}' @@ -875,7 +875,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/61a848e2-d689-4c2a-bb1b-421c0362e8c4?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/61a848e2-d689-4c2a-bb1b-421c0362e8c4?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/61a848e2-d689-4c2a-bb1b-421c0362e8c4","name":"61a848e2-d689-4c2a-bb1b-421c0362e8c4","status":"Running","startTime":"2022-09-07T06:13:57.8591579Z"}' @@ -923,7 +923,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/61a848e2-d689-4c2a-bb1b-421c0362e8c4?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/61a848e2-d689-4c2a-bb1b-421c0362e8c4?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/61a848e2-d689-4c2a-bb1b-421c0362e8c4","name":"61a848e2-d689-4c2a-bb1b-421c0362e8c4","status":"Running","startTime":"2022-09-07T06:13:57.8591579Z"}' @@ -971,7 +971,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/61a848e2-d689-4c2a-bb1b-421c0362e8c4?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/61a848e2-d689-4c2a-bb1b-421c0362e8c4?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/61a848e2-d689-4c2a-bb1b-421c0362e8c4","name":"61a848e2-d689-4c2a-bb1b-421c0362e8c4","status":"Succeeded","startTime":"2022-09-07T06:13:57.8591579Z","endTime":"2022-09-07T06:15:09.542631Z"}' @@ -1019,7 +1019,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/mock-deployment?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"foo":"bar"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-crud-app-green-13-754b49586b-6gnxd","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:14:04Z"},{"name":"test-crud-app-green-13-754b49586b-cdghh","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:14:04Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":2},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/green","name":"green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:13:55.414023Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:13:55.414023Z"}}' @@ -1069,7 +1069,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"foo":"bar"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-crud-app-default-13-78fc7857dd-x5cqf","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:12:21Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:12:08.3089326Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:12:08.3089326Z"}},{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"foo":"bar"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-crud-app-green-13-754b49586b-6gnxd","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:14:04Z"},{"name":"test-crud-app-green-13-754b49586b-cdghh","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:14:04Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":2},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/green","name":"green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:13:55.414023Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:13:55.414023Z"}}]}' @@ -1119,7 +1119,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"e55ed5c1ee8942f9a36f033e7bbd28e8","networkProfile":{"outboundIPs":{"publicIPs":["20.237.103.188","20.237.103.250"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:05:42.8680393Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:11:29.9671687Z"}}' @@ -1173,13 +1173,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app","name":"test-crud-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:11:31.9182282Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:16:01.266639Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app/operationId/32806c47-f784-495e-b033-4ee161101691?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app/operationId/32806c47-f784-495e-b033-4ee161101691?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -1191,7 +1191,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/32806c47-f784-495e-b033-4ee161101691/Spring/test-crud-app?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/32806c47-f784-495e-b033-4ee161101691/Spring/test-crud-app?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -1229,13 +1229,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/mock-deployment?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"foo":"bar"},"terminationGracePeriodSeconds":90},"provisioningState":"Updating","status":"Running","active":true,"instances":null,"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_11"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:12:08.3089326Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:16:03.5322783Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/014ca80b-2bfa-45af-9025-52fce0fee3f0?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/014ca80b-2bfa-45af-9025-52fce0fee3f0?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -1247,7 +1247,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/014ca80b-2bfa-45af-9025-52fce0fee3f0/Spring/default?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/014ca80b-2bfa-45af-9025-52fce0fee3f0/Spring/default?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -1279,7 +1279,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app/operationId/32806c47-f784-495e-b033-4ee161101691?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app/operationId/32806c47-f784-495e-b033-4ee161101691?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app/operationId/32806c47-f784-495e-b033-4ee161101691","name":"32806c47-f784-495e-b033-4ee161101691","status":"Succeeded","startTime":"2022-09-07T06:16:03.0053511Z","endTime":"2022-09-07T06:16:09.634366Z"}' @@ -1327,7 +1327,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app","name":"test-crud-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:11:31.9182282Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:16:01.266639Z"}}' @@ -1377,7 +1377,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/014ca80b-2bfa-45af-9025-52fce0fee3f0?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/014ca80b-2bfa-45af-9025-52fce0fee3f0?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/014ca80b-2bfa-45af-9025-52fce0fee3f0","name":"014ca80b-2bfa-45af-9025-52fce0fee3f0","status":"Running","startTime":"2022-09-07T06:16:05.6760055Z"}' @@ -1425,7 +1425,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/014ca80b-2bfa-45af-9025-52fce0fee3f0?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/014ca80b-2bfa-45af-9025-52fce0fee3f0?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/014ca80b-2bfa-45af-9025-52fce0fee3f0","name":"014ca80b-2bfa-45af-9025-52fce0fee3f0","status":"Succeeded","startTime":"2022-09-07T06:16:05.6760055Z","endTime":"2022-09-07T06:16:43.2242881Z"}' @@ -1473,7 +1473,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/mock-deployment?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"foo":"bar"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-crud-app-default-13-78fc7857dd-x5cqf","status":"Terminating","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:12:21Z"},{"name":"test-crud-app-default-13-f86658f9c-j7bz8","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:16:17Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_11"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:12:08.3089326Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:16:03.5322783Z"}}' @@ -1523,7 +1523,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app","name":"test-crud-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:11:31.9182282Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:16:01.266639Z"}}' @@ -1573,7 +1573,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"foo":"bar"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-crud-app-default-13-f86658f9c-j7bz8","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:16:17Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_11"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:12:08.3089326Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:16:03.5322783Z"}},{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"foo":"bar"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-crud-app-green-13-754b49586b-6gnxd","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:14:04Z"},{"name":"test-crud-app-green-13-754b49586b-cdghh","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:14:04Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":2},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/green","name":"green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:13:55.414023Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:13:55.414023Z"}}]}' @@ -1623,7 +1623,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app","name":"test-crud-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:11:31.9182282Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:16:01.266639Z"}}' @@ -1675,13 +1675,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-11-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app/operationId/3c84454c-1343-4692-83f7-d73063b3ffd7?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app/operationId/3c84454c-1343-4692-83f7-d73063b3ffd7?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -1691,7 +1691,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/3c84454c-1343-4692-83f7-d73063b3ffd7/Spring/test-crud-app?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/3c84454c-1343-4692-83f7-d73063b3ffd7/Spring/test-crud-app?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -1723,7 +1723,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app/operationId/3c84454c-1343-4692-83f7-d73063b3ffd7?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app/operationId/3c84454c-1343-4692-83f7-d73063b3ffd7?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app/operationId/3c84454c-1343-4692-83f7-d73063b3ffd7","name":"3c84454c-1343-4692-83f7-d73063b3ffd7","status":"Succeeded","startTime":"2022-09-07T06:17:38.5678269Z","endTime":"2022-09-07T06:17:48.3624459Z"}' diff --git a/src/spring/azext_spring/tests/latest/recordings/test_app_crud_1.yaml b/src/spring/azext_spring/tests/latest/recordings/test_app_crud_1.yaml index 5b6d7b13e50..3349fec09ab 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_app_crud_1.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_app_crud_1.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1?api-version=2022-11-01-preview response: body: string: '{"error":{"code":"NotFound","message":"App was not found","target":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1","details":null}}' @@ -61,7 +61,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"e55ed5c1ee8942f9a36f033e7bbd28e8","networkProfile":{"outboundIPs":{"publicIPs":["20.237.103.188","20.237.103.250"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:05:42.8680393Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:11:29.9671687Z"}}' @@ -112,13 +112,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":true,"provisioningState":"Creating","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1","name":"test-crud-app-1","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T05:34:15.45467Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T05:34:15.45467Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app-1/operationId/1b0725cc-13c5-4c1e-aa5e-9a1fa0c31404?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app-1/operationId/1b0725cc-13c5-4c1e-aa5e-9a1fa0c31404?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -130,7 +130,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/1b0725cc-13c5-4c1e-aa5e-9a1fa0c31404/Spring/test-crud-app-1?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/1b0725cc-13c5-4c1e-aa5e-9a1fa0c31404/Spring/test-crud-app-1?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -162,7 +162,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app-1/operationId/1b0725cc-13c5-4c1e-aa5e-9a1fa0c31404?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app-1/operationId/1b0725cc-13c5-4c1e-aa5e-9a1fa0c31404?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app-1/operationId/1b0725cc-13c5-4c1e-aa5e-9a1fa0c31404","name":"1b0725cc-13c5-4c1e-aa5e-9a1fa0c31404","status":"Succeeded","startTime":"2022-09-07T05:34:16.2318426Z","endTime":"2022-09-07T05:34:22.8118926Z"}' @@ -206,7 +206,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1","name":"test-crud-app-1","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T05:34:15.45467Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T05:34:15.45467Z"}}' @@ -259,13 +259,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1/deployments/mock-deployment?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"2Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90},"provisioningState":"Creating","status":"Running","active":true,"instances":null,"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T05:34:51.8922065Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T05:34:51.8922065Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/9cdf6f04-7506-4c38-98ea-fe8ebadff7e0?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/9cdf6f04-7506-4c38-98ea-fe8ebadff7e0?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -277,7 +277,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/9cdf6f04-7506-4c38-98ea-fe8ebadff7e0/Spring/default?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/9cdf6f04-7506-4c38-98ea-fe8ebadff7e0/Spring/default?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -314,13 +314,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":true,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1","name":"test-crud-app-1","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T05:34:15.45467Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T05:34:54.548459Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app-1/operationId/25c41fb8-c561-4668-a0ba-530d46aa9141?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app-1/operationId/25c41fb8-c561-4668-a0ba-530d46aa9141?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -332,7 +332,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/25c41fb8-c561-4668-a0ba-530d46aa9141/Spring/test-crud-app-1?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/25c41fb8-c561-4668-a0ba-530d46aa9141/Spring/test-crud-app-1?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -364,7 +364,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/9cdf6f04-7506-4c38-98ea-fe8ebadff7e0?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/9cdf6f04-7506-4c38-98ea-fe8ebadff7e0?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/9cdf6f04-7506-4c38-98ea-fe8ebadff7e0","name":"9cdf6f04-7506-4c38-98ea-fe8ebadff7e0","status":"Running","startTime":"2022-09-07T05:34:53.9617375Z"}' @@ -408,7 +408,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app-1/operationId/25c41fb8-c561-4668-a0ba-530d46aa9141?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app-1/operationId/25c41fb8-c561-4668-a0ba-530d46aa9141?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app-1/operationId/25c41fb8-c561-4668-a0ba-530d46aa9141","name":"25c41fb8-c561-4668-a0ba-530d46aa9141","status":"Succeeded","startTime":"2022-09-07T05:35:02.4217124Z","endTime":"2022-09-07T05:35:30.8656814Z"}' @@ -452,7 +452,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":true,"url":"https://cli-unittest-test-crud-app-1.asc-test.net","provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1","name":"test-crud-app-1","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T05:34:15.45467Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T05:34:54.548459Z"}}' @@ -498,7 +498,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/9cdf6f04-7506-4c38-98ea-fe8ebadff7e0?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/9cdf6f04-7506-4c38-98ea-fe8ebadff7e0?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/9cdf6f04-7506-4c38-98ea-fe8ebadff7e0","name":"9cdf6f04-7506-4c38-98ea-fe8ebadff7e0","status":"Succeeded","startTime":"2022-09-07T05:34:53.9617375Z","endTime":"2022-09-07T05:35:24.8130115Z"}' @@ -542,7 +542,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1/deployments/mock-deployment?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"2Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-crud-app-1-default-15-59574859cb-8ss2w","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T05:35:01Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T05:34:51.8922065Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T05:34:51.8922065Z"}}' @@ -588,7 +588,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":true,"url":"https://cli-unittest-test-crud-app-1.asc-test.net","provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1","name":"test-crud-app-1","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T05:34:15.45467Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T05:34:54.548459Z"}}' @@ -634,7 +634,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1/deployments?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"2Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-crud-app-1-default-15-59574859cb-8ss2w","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T05:35:01Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T05:34:51.8922065Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T05:34:51.8922065Z"}}]}' @@ -680,7 +680,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"e55ed5c1ee8942f9a36f033e7bbd28e8","networkProfile":{"outboundIPs":{"publicIPs":["20.237.103.188","20.237.103.250"]}},"powerState":"Running","fqdn":"cli-unittest.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:05:42.8680393Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:11:29.9671687Z"}}' @@ -737,13 +737,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1/deployments/mock-deployment?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":{},"terminationGracePeriodSeconds":90},"provisioningState":"Creating","status":"Running","active":false,"instances":null,"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1/deployments/green","name":"green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T05:36:28.7111414Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T05:36:28.7111414Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/9787763d-62d4-4501-9e3b-ae68adb74348?api-version=2022-05-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/9787763d-62d4-4501-9e3b-ae68adb74348?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -755,7 +755,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/9787763d-62d4-4501-9e3b-ae68adb74348/Spring/green?api-version=2022-05-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/9787763d-62d4-4501-9e3b-ae68adb74348/Spring/green?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -787,7 +787,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/9787763d-62d4-4501-9e3b-ae68adb74348?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/9787763d-62d4-4501-9e3b-ae68adb74348?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/9787763d-62d4-4501-9e3b-ae68adb74348","name":"9787763d-62d4-4501-9e3b-ae68adb74348","status":"Succeeded","startTime":"2022-09-07T05:36:30.8787418Z","endTime":"2022-09-07T05:36:57.6390401Z"}' @@ -835,7 +835,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1/deployments/mock-deployment?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":{},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-crud-app-1-green-15-74bfd957-mcwq8","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T05:36:35Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1/deployments/green","name":"green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T05:36:28.7111414Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T05:36:28.7111414Z"}}' diff --git a/src/spring/azext_spring/tests/latest/recordings/test_app_deploy_container.yaml b/src/spring/azext_spring/tests/latest/recordings/test_app_deploy_container.yaml index 61c2203159c..178b794f53f 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_app_deploy_container.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_app_deploy_container.yaml @@ -1400,13 +1400,13 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.3.1"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=afa283e7-e32b-4d82-8722-028ca59dd4f1;IngestionEndpoint=https://centralindia-0.in.applicationinsights.azure.com/;LiveEndpoint=https://centralindia.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/cli-unittest/operationId/7f243e4c-4da6-4b3e-a15e-f5fea65a6110?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/cli-unittest/operationId/7f243e4c-4da6-4b3e-a15e-f5fea65a6110?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -1418,7 +1418,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/7f243e4c-4da6-4b3e-a15e-f5fea65a6110/Spring/cli-unittest?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/7f243e4c-4da6-4b3e-a15e-f5fea65a6110/Spring/cli-unittest?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -1450,7 +1450,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container?api-version=2022-11-01-preview response: body: string: '{"error":{"code":"NotFound","message":"App was not found","target":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container","details":null}}' @@ -1496,7 +1496,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"2083e5d93d1b4a43a6c0590409f6588d","networkProfile":{"outboundIPs":{"publicIPs":["20.207.64.95","20.207.64.112"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"centralindia","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:16:06.3030492Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:20:29.0241388Z"}}' @@ -1551,13 +1551,13 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Creating","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container","name":"test-container","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:20:31.69866Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:20:31.69866Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-container/operationId/286de09e-3fcb-4f28-9caa-3d87fc827797?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-container/operationId/286de09e-3fcb-4f28-9caa-3d87fc827797?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -1569,7 +1569,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/286de09e-3fcb-4f28-9caa-3d87fc827797/Spring/test-container?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/286de09e-3fcb-4f28-9caa-3d87fc827797/Spring/test-container?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -1601,7 +1601,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/cli-unittest/operationId/7f243e4c-4da6-4b3e-a15e-f5fea65a6110?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/cli-unittest/operationId/7f243e4c-4da6-4b3e-a15e-f5fea65a6110?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/cli-unittest/operationId/7f243e4c-4da6-4b3e-a15e-f5fea65a6110","name":"7f243e4c-4da6-4b3e-a15e-f5fea65a6110","status":"Succeeded","startTime":"2022-11-25T03:20:29.5520502Z","endTime":"2022-11-25T03:20:39.3708349Z"}' @@ -1649,7 +1649,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.3.1"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=afa283e7-e32b-4d82-8722-028ca59dd4f1;IngestionEndpoint=https://centralindia-0.in.applicationinsights.azure.com/;LiveEndpoint=https://centralindia.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/monitoringSettings/default","name":"default"}' @@ -1697,7 +1697,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-container/operationId/286de09e-3fcb-4f28-9caa-3d87fc827797?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-container/operationId/286de09e-3fcb-4f28-9caa-3d87fc827797?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-container/operationId/286de09e-3fcb-4f28-9caa-3d87fc827797","name":"286de09e-3fcb-4f28-9caa-3d87fc827797","status":"Succeeded","startTime":"2022-11-25T03:20:32.4332148Z","endTime":"2022-11-25T03:20:38.815186Z"}' @@ -1745,7 +1745,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container","name":"test-container","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:20:31.69866Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:20:31.69866Z"}}' @@ -1802,13 +1802,13 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments/mock-deployment?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90},"provisioningState":"Creating","status":"Running","active":true,"instances":null,"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments/default","name":"default","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:21:07.7612764Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:21:07.7612764Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/5758ae29-e5af-412f-999c-f6dc7377f3f3?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/5758ae29-e5af-412f-999c-f6dc7377f3f3?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -1820,7 +1820,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/5758ae29-e5af-412f-999c-f6dc7377f3f3/Spring/default?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/5758ae29-e5af-412f-999c-f6dc7377f3f3/Spring/default?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -1857,13 +1857,13 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container","name":"test-container","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:20:31.69866Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:21:08.8237826Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-container/operationId/36586fb7-0dcd-4595-aa33-d9a5f724d380?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-container/operationId/36586fb7-0dcd-4595-aa33-d9a5f724d380?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -1875,7 +1875,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/36586fb7-0dcd-4595-aa33-d9a5f724d380/Spring/test-container?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/36586fb7-0dcd-4595-aa33-d9a5f724d380/Spring/test-container?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -1907,7 +1907,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/5758ae29-e5af-412f-999c-f6dc7377f3f3?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/5758ae29-e5af-412f-999c-f6dc7377f3f3?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/5758ae29-e5af-412f-999c-f6dc7377f3f3","name":"5758ae29-e5af-412f-999c-f6dc7377f3f3","status":"Running","startTime":"2022-11-25T03:21:08.4518668Z"}' @@ -1955,7 +1955,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-container/operationId/36586fb7-0dcd-4595-aa33-d9a5f724d380?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-container/operationId/36586fb7-0dcd-4595-aa33-d9a5f724d380?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-container/operationId/36586fb7-0dcd-4595-aa33-d9a5f724d380","name":"36586fb7-0dcd-4595-aa33-d9a5f724d380","status":"Succeeded","startTime":"2022-11-25T03:21:09.2153998Z","endTime":"2022-11-25T03:21:15.6614743Z"}' @@ -2003,7 +2003,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container","name":"test-container","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:20:31.69866Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:21:08.8237826Z"}}' @@ -2053,7 +2053,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/5758ae29-e5af-412f-999c-f6dc7377f3f3?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/5758ae29-e5af-412f-999c-f6dc7377f3f3?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/5758ae29-e5af-412f-999c-f6dc7377f3f3","name":"5758ae29-e5af-412f-999c-f6dc7377f3f3","status":"Running","startTime":"2022-11-25T03:21:08.4518668Z"}' @@ -2101,7 +2101,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/5758ae29-e5af-412f-999c-f6dc7377f3f3?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/5758ae29-e5af-412f-999c-f6dc7377f3f3?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/5758ae29-e5af-412f-999c-f6dc7377f3f3","name":"5758ae29-e5af-412f-999c-f6dc7377f3f3","status":"Succeeded","startTime":"2022-11-25T03:21:08.4518668Z","endTime":"2022-11-25T03:21:58.5335687Z"}' @@ -2149,7 +2149,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments/mock-deployment?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-container-default-14-5cc8dcd477-kdsv4","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-11-25T03:21:17Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments/default","name":"default","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:21:07.7612764Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:21:07.7612764Z"}}' @@ -2199,7 +2199,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container","name":"test-container","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:20:31.69866Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:21:08.8237826Z"}}' @@ -2249,7 +2249,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-container-default-14-5cc8dcd477-kdsv4","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-11-25T03:21:17Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments/default","name":"default","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:21:07.7612764Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:21:07.7612764Z"}}]}' @@ -2299,7 +2299,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-container-default-14-5cc8dcd477-kdsv4","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-11-25T03:21:17Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments/default","name":"default","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:21:07.7612764Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:21:07.7612764Z"}}]}' @@ -2552,7 +2552,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-container-default-14-75b769fd85-qhs5l","status":"Running","discoveryStatus":"N/A","startTime":"2022-11-25T03:22:24Z"}],"source":{"type":"Container","version":"","customContainer":{"containerImage":"springio/gs-spring-boot-docker","server":"docker.io"}}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments/default","name":"default","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:21:07.7612764Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:22:12.0199195Z"}}]}' @@ -2757,7 +2757,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-container-default-14-8475bff5df-gl7nl","status":"Running","discoveryStatus":"N/A","startTime":"2022-11-25T03:23:14Z"}],"source":{"type":"Container","version":"","customContainer":{"containerImage":"springio/gs-spring-boot-docker","server":"docker.io","command":["java"],"args":["-cp","/app/resources:/app/classes:/app/libs/*","hello.Application"]}}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments/default","name":"default","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:21:07.7612764Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:23:01.5831987Z"}}]}' @@ -2814,13 +2814,13 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments/mock-deployment?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90},"provisioningState":"Creating","status":"Running","active":false,"instances":null,"source":{"type":"Container","customContainer":{"containerImage":"springio/gs-spring-boot-docker","server":"docker.io","languageFramework":"springboot"}}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments/green","name":"green","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:23:40.0709417Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:23:40.0709417Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/green/operationId/969ba402-9a5c-4604-948c-ed6fce91c262?api-version=2022-05-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/green/operationId/969ba402-9a5c-4604-948c-ed6fce91c262?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -2832,7 +2832,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/969ba402-9a5c-4604-948c-ed6fce91c262/Spring/green?api-version=2022-05-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/969ba402-9a5c-4604-948c-ed6fce91c262/Spring/green?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -2864,7 +2864,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/green/operationId/969ba402-9a5c-4604-948c-ed6fce91c262?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/green/operationId/969ba402-9a5c-4604-948c-ed6fce91c262?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/green/operationId/969ba402-9a5c-4604-948c-ed6fce91c262","name":"969ba402-9a5c-4604-948c-ed6fce91c262","status":"Succeeded","startTime":"2022-11-25T03:23:40.7370884Z","endTime":"2022-11-25T03:24:02.6738696Z"}' @@ -2912,7 +2912,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments/mock-deployment?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-container-green-14-774894788-dtsmp","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-11-25T03:23:48Z"}],"source":{"type":"Container","customContainer":{"containerImage":"springio/gs-spring-boot-docker","server":"docker.io","languageFramework":"springboot"}}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments/green","name":"green","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:23:40.0709417Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:23:40.0709417Z"}}' diff --git a/src/spring/azext_spring/tests/latest/recordings/test_app_i2a_tls.yaml b/src/spring/azext_spring/tests/latest/recordings/test_app_i2a_tls.yaml index ad66e92a380..a100d598304 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_app_i2a_tls.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_app_i2a_tls.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-11-01-preview response: body: string: '{"error":{"code":"NotFound","message":"App was not found","target":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app","details":null}}' @@ -61,7 +61,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"e55ed5c1ee8942f9a36f033e7bbd28e8","networkProfile":{"outboundIPs":{"publicIPs":["20.237.103.188","20.237.103.250"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:05:42.8680393Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:11:29.9671687Z"}}' @@ -116,13 +116,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Creating","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app","name":"test-i2atls-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:27:33.1872921Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:27:33.1872921Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/2df6d763-3fe6-4b0b-a052-915045558513?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/2df6d763-3fe6-4b0b-a052-915045558513?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -134,7 +134,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/2df6d763-3fe6-4b0b-a052-915045558513/Spring/test-i2atls-app?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/2df6d763-3fe6-4b0b-a052-915045558513/Spring/test-i2atls-app?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -166,7 +166,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/2df6d763-3fe6-4b0b-a052-915045558513?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/2df6d763-3fe6-4b0b-a052-915045558513?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/2df6d763-3fe6-4b0b-a052-915045558513","name":"2df6d763-3fe6-4b0b-a052-915045558513","status":"Succeeded","startTime":"2022-09-07T06:27:33.8901992Z","endTime":"2022-09-07T06:27:40.2774043Z"}' @@ -214,7 +214,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app","name":"test-i2atls-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:27:33.1872921Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:27:33.1872921Z"}}' @@ -271,13 +271,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/mock-deployment?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90},"provisioningState":"Creating","status":"Running","active":true,"instances":null,"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:28:09.4529284Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:28:09.4529284Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/fd1f5510-ad2c-451b-8a4c-f8f0e27c899f?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/fd1f5510-ad2c-451b-8a4c-f8f0e27c899f?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -289,7 +289,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/fd1f5510-ad2c-451b-8a4c-f8f0e27c899f/Spring/default?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/fd1f5510-ad2c-451b-8a4c-f8f0e27c899f/Spring/default?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -326,13 +326,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app","name":"test-i2atls-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:27:33.1872921Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:28:12.0623334Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/2e3c2634-1343-4d30-b82b-88754cd45a75?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/2e3c2634-1343-4d30-b82b-88754cd45a75?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -344,7 +344,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/2e3c2634-1343-4d30-b82b-88754cd45a75/Spring/test-i2atls-app?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/2e3c2634-1343-4d30-b82b-88754cd45a75/Spring/test-i2atls-app?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -376,7 +376,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/fd1f5510-ad2c-451b-8a4c-f8f0e27c899f?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/fd1f5510-ad2c-451b-8a4c-f8f0e27c899f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/fd1f5510-ad2c-451b-8a4c-f8f0e27c899f","name":"fd1f5510-ad2c-451b-8a4c-f8f0e27c899f","status":"Running","startTime":"2022-09-07T06:28:11.7326248Z"}' @@ -424,7 +424,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/2e3c2634-1343-4d30-b82b-88754cd45a75?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/2e3c2634-1343-4d30-b82b-88754cd45a75?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/2e3c2634-1343-4d30-b82b-88754cd45a75","name":"2e3c2634-1343-4d30-b82b-88754cd45a75","status":"Succeeded","startTime":"2022-09-07T06:28:13.0728131Z","endTime":"2022-09-07T06:28:20.3295847Z"}' @@ -472,7 +472,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app","name":"test-i2atls-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:27:33.1872921Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:28:12.0623334Z"}}' @@ -522,7 +522,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/fd1f5510-ad2c-451b-8a4c-f8f0e27c899f?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/fd1f5510-ad2c-451b-8a4c-f8f0e27c899f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/fd1f5510-ad2c-451b-8a4c-f8f0e27c899f","name":"fd1f5510-ad2c-451b-8a4c-f8f0e27c899f","status":"Succeeded","startTime":"2022-09-07T06:28:11.7326248Z","endTime":"2022-09-07T06:28:46.5128426Z"}' @@ -570,7 +570,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/mock-deployment?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-i2atls-app-default-15-7f56cc47c4-zspz4","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:28:14Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:28:09.4529284Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:28:09.4529284Z"}}' @@ -620,7 +620,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app","name":"test-i2atls-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:27:33.1872921Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:28:12.0623334Z"}}' @@ -670,7 +670,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-i2atls-app-default-15-7f56cc47c4-zspz4","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:28:14Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:28:09.4529284Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:28:09.4529284Z"}}]}' @@ -720,7 +720,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-i2atls-app-default-15-7f56cc47c4-zspz4","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:28:14Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:28:09.4529284Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:28:09.4529284Z"}}]}' @@ -774,13 +774,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":true,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app","name":"test-i2atls-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:27:33.1872921Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:30:07.1988729Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/8d676a54-4b7c-40e3-91ef-1a78584eeb07?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/8d676a54-4b7c-40e3-91ef-1a78584eeb07?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -792,7 +792,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/8d676a54-4b7c-40e3-91ef-1a78584eeb07/Spring/test-i2atls-app?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/8d676a54-4b7c-40e3-91ef-1a78584eeb07/Spring/test-i2atls-app?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -829,7 +829,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/mock-deployment?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-i2atls-app-default-15-7f56cc47c4-zspz4","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:28:14Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:28:09.4529284Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:28:09.4529284Z"}}' @@ -879,7 +879,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/8d676a54-4b7c-40e3-91ef-1a78584eeb07?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/8d676a54-4b7c-40e3-91ef-1a78584eeb07?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/8d676a54-4b7c-40e3-91ef-1a78584eeb07","name":"8d676a54-4b7c-40e3-91ef-1a78584eeb07","status":"Succeeded","startTime":"2022-09-07T06:30:08.547959Z","endTime":"2022-09-07T06:30:26.4137775Z"}' @@ -927,7 +927,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":true,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app","name":"test-i2atls-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:27:33.1872921Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:30:07.1988729Z"}}' @@ -977,7 +977,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":true,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app","name":"test-i2atls-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:27:33.1872921Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:30:07.1988729Z"}}' @@ -1027,7 +1027,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-i2atls-app-default-15-7f56cc47c4-zspz4","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:28:14Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:28:09.4529284Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:28:09.4529284Z"}}]}' @@ -1077,7 +1077,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-i2atls-app-default-15-7f56cc47c4-zspz4","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:28:14Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:28:09.4529284Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:28:09.4529284Z"}}]}' @@ -1131,13 +1131,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app","name":"test-i2atls-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:27:33.1872921Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:31:31.6726448Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/5d8e770b-3e76-41d9-91b3-d0fadc4fde33?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/5d8e770b-3e76-41d9-91b3-d0fadc4fde33?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -1149,7 +1149,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/5d8e770b-3e76-41d9-91b3-d0fadc4fde33/Spring/test-i2atls-app?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/5d8e770b-3e76-41d9-91b3-d0fadc4fde33/Spring/test-i2atls-app?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -1186,7 +1186,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/mock-deployment?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-i2atls-app-default-15-7f56cc47c4-zspz4","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:28:14Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:28:09.4529284Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:28:09.4529284Z"}}' @@ -1236,7 +1236,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/5d8e770b-3e76-41d9-91b3-d0fadc4fde33?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/5d8e770b-3e76-41d9-91b3-d0fadc4fde33?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/5d8e770b-3e76-41d9-91b3-d0fadc4fde33","name":"5d8e770b-3e76-41d9-91b3-d0fadc4fde33","status":"Succeeded","startTime":"2022-09-07T06:31:33.2283137Z","endTime":"2022-09-07T06:31:52.8830363Z"}' @@ -1284,7 +1284,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app","name":"test-i2atls-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:27:33.1872921Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:31:31.6726448Z"}}' @@ -1334,7 +1334,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app","name":"test-i2atls-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:27:33.1872921Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:31:31.6726448Z"}}' @@ -1384,7 +1384,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-i2atls-app-default-15-7f56cc47c4-zspz4","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:28:14Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:28:09.4529284Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:28:09.4529284Z"}}]}' @@ -1434,7 +1434,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-i2atls-app-default-15-7f56cc47c4-zspz4","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:28:14Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:28:09.4529284Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:28:09.4529284Z"}}]}' @@ -1484,13 +1484,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":true,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app","name":"test-i2atls-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:27:33.1872921Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:32:56.1746854Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/176cf344-f049-43bd-acf0-506985143991?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/176cf344-f049-43bd-acf0-506985143991?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -1502,7 +1502,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/176cf344-f049-43bd-acf0-506985143991/Spring/test-i2atls-app?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/176cf344-f049-43bd-acf0-506985143991/Spring/test-i2atls-app?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -1539,7 +1539,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/mock-deployment?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-i2atls-app-default-15-7f56cc47c4-zspz4","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:28:14Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:28:09.4529284Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:28:09.4529284Z"}}' @@ -1589,7 +1589,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/176cf344-f049-43bd-acf0-506985143991?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/176cf344-f049-43bd-acf0-506985143991?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/176cf344-f049-43bd-acf0-506985143991","name":"176cf344-f049-43bd-acf0-506985143991","status":"Succeeded","startTime":"2022-09-07T06:32:56.7178132Z","endTime":"2022-09-07T06:33:09.2901372Z"}' @@ -1637,7 +1637,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":true,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app","name":"test-i2atls-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:27:33.1872921Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:32:56.1746854Z"}}' @@ -1687,7 +1687,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":true,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app","name":"test-i2atls-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:27:33.1872921Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:32:56.1746854Z"}}' @@ -1737,7 +1737,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-i2atls-app-default-15-7f56cc47c4-zspz4","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:28:14Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:28:09.4529284Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:28:09.4529284Z"}}]}' @@ -1787,7 +1787,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-i2atls-app-default-15-7f56cc47c4-zspz4","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:28:14Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:28:09.4529284Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:28:09.4529284Z"}}]}' @@ -1841,13 +1841,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app","name":"test-i2atls-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:27:33.1872921Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:34:19.2717273Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/cbbdc6ae-38e5-4f34-88c2-7146f6db31bb?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/cbbdc6ae-38e5-4f34-88c2-7146f6db31bb?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -1859,7 +1859,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/cbbdc6ae-38e5-4f34-88c2-7146f6db31bb/Spring/test-i2atls-app?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/cbbdc6ae-38e5-4f34-88c2-7146f6db31bb/Spring/test-i2atls-app?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -1896,7 +1896,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/mock-deployment?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-i2atls-app-default-15-7f56cc47c4-zspz4","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:28:14Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:28:09.4529284Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:28:09.4529284Z"}}' @@ -1946,7 +1946,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/cbbdc6ae-38e5-4f34-88c2-7146f6db31bb?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/cbbdc6ae-38e5-4f34-88c2-7146f6db31bb?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/cbbdc6ae-38e5-4f34-88c2-7146f6db31bb","name":"cbbdc6ae-38e5-4f34-88c2-7146f6db31bb","status":"Succeeded","startTime":"2022-09-07T06:34:20.827413Z","endTime":"2022-09-07T06:34:33.6650093Z"}' @@ -1994,7 +1994,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app","name":"test-i2atls-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:27:33.1872921Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:34:19.2717273Z"}}' @@ -2044,7 +2044,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app","name":"test-i2atls-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:27:33.1872921Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:34:19.2717273Z"}}' @@ -2094,7 +2094,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-i2atls-app-default-15-7f56cc47c4-zspz4","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:28:14Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:28:09.4529284Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:28:09.4529284Z"}}]}' diff --git a/src/spring/azext_spring/tests/latest/recordings/test_application_accelerator.yaml b/src/spring/azext_spring/tests/latest/recordings/test_application_accelerator.yaml index 453b9e62f64..f8a55b12d0a 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_application_accelerator.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_application_accelerator.yaml @@ -262,7 +262,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.4 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"ae4f75574d184b2fb405fe09d2d263b2","networkProfile":{"outboundIPs":{"publicIPs":["20.85.134.20","20.85.134.26"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"acc-test.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test","name":"acc-test","systemData":{"createdBy":"guitarsheng@microsoft.com","createdByType":"User","createdAt":"2022-11-19T04:25:42.5500169Z","lastModifiedBy":"guitarsheng@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-19T04:25:42.5500169Z"}}' @@ -1470,7 +1470,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.4 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"ae4f75574d184b2fb405fe09d2d263b2","networkProfile":{"outboundIPs":{"publicIPs":["20.85.134.20","20.85.134.26"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"acc-test.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test","name":"acc-test","systemData":{"createdBy":"guitarsheng@microsoft.com","createdByType":"User","createdAt":"2022-11-19T04:25:42.5500169Z","lastModifiedBy":"guitarsheng@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-19T04:25:42.5500169Z"}}' @@ -1568,7 +1568,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.4 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"ae4f75574d184b2fb405fe09d2d263b2","networkProfile":{"outboundIPs":{"publicIPs":["20.85.134.20","20.85.134.26"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"acc-test.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test","name":"acc-test","systemData":{"createdBy":"guitarsheng@microsoft.com","createdByType":"User","createdAt":"2022-11-19T04:25:42.5500169Z","lastModifiedBy":"guitarsheng@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-19T04:25:42.5500169Z"}}' @@ -1666,7 +1666,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.4 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"ae4f75574d184b2fb405fe09d2d263b2","networkProfile":{"outboundIPs":{"publicIPs":["20.85.134.20","20.85.134.26"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"acc-test.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test","name":"acc-test","systemData":{"createdBy":"guitarsheng@microsoft.com","createdByType":"User","createdAt":"2022-11-19T04:25:42.5500169Z","lastModifiedBy":"guitarsheng@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-19T04:25:42.5500169Z"}}' @@ -2493,7 +2493,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.4 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"ae4f75574d184b2fb405fe09d2d263b2","networkProfile":{"outboundIPs":{"publicIPs":["20.85.134.20","20.85.134.26"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"acc-test.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test","name":"acc-test","systemData":{"createdBy":"guitarsheng@microsoft.com","createdByType":"User","createdAt":"2022-11-19T04:25:42.5500169Z","lastModifiedBy":"guitarsheng@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-19T04:25:42.5500169Z"}}' diff --git a/src/spring/azext_spring/tests/latest/recordings/test_application_configuration_service.yaml b/src/spring/azext_spring/tests/latest/recordings/test_application_configuration_service.yaml index e4338f5643c..6073108e289 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_application_configuration_service.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_application_configuration_service.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -65,7 +65,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","resourceRequests":{"cpu":"500m","memory":"1Gi","instanceCount":2},"instances":[{"name":"application-configuration-service-7859999697-hfsbw","status":"Running"},{"name":"application-configuration-service-7859999697-nx6t8","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/configurationServices","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.4949677Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T09:01:20.4949677Z"}}' @@ -113,7 +113,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -163,7 +163,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","resourceRequests":{"cpu":"500m","memory":"1Gi","instanceCount":2},"instances":[{"name":"application-configuration-service-7859999697-hfsbw","status":"Running"},{"name":"application-configuration-service-7859999697-nx6t8","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/configurationServices","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.4949677Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T09:01:20.4949677Z"}}' @@ -217,13 +217,13 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default/validate?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default/validate?api-version=2022-11-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/44655a52-549d-47d7-89ab-78a8ae6890ff?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/44655a52-549d-47d7-89ab-78a8ae6890ff?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -233,7 +233,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/44655a52-549d-47d7-89ab-78a8ae6890ff/Spring/tx-enterprise?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/44655a52-549d-47d7-89ab-78a8ae6890ff/Spring/tx-enterprise?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -265,7 +265,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/44655a52-549d-47d7-89ab-78a8ae6890ff?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/44655a52-549d-47d7-89ab-78a8ae6890ff?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/44655a52-549d-47d7-89ab-78a8ae6890ff","name":"44655a52-549d-47d7-89ab-78a8ae6890ff","status":"Running","startTime":"2023-01-10T04:18:02.973666Z"}' @@ -313,7 +313,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/44655a52-549d-47d7-89ab-78a8ae6890ff?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/44655a52-549d-47d7-89ab-78a8ae6890ff?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/44655a52-549d-47d7-89ab-78a8ae6890ff","name":"44655a52-549d-47d7-89ab-78a8ae6890ff","status":"Succeeded","startTime":"2023-01-10T04:18:02.973666Z","endTime":"2023-01-10T04:18:09.3789342Z"}' @@ -361,7 +361,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/44655a52-549d-47d7-89ab-78a8ae6890ff/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/44655a52-549d-47d7-89ab-78a8ae6890ff/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"gitPropertyValidationResult":{"isValid":true,"gitReposValidationResult":[]}}' @@ -415,13 +415,13 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Updating","settings":{"gitProperty":{"repositories":[{"name":"repo1","patterns":["api-gateway","customers-service"],"label":"master","uri":"https://github.com/spring-petclinic/spring-petclinic-microservices-config"}]}},"resourceRequests":{"cpu":"500m","memory":"1Gi","instanceCount":2},"instances":[{"name":"application-configuration-service-7859999697-hfsbw","status":"Running"},{"name":"application-configuration-service-7859999697-nx6t8","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/configurationServices","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.4949677Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:18:14.9547302Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/95f828a5-1be7-4984-a568-6185b303d1f3?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/95f828a5-1be7-4984-a568-6185b303d1f3?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -433,7 +433,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/95f828a5-1be7-4984-a568-6185b303d1f3/Spring/tx-enterprise?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/95f828a5-1be7-4984-a568-6185b303d1f3/Spring/tx-enterprise?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -465,7 +465,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/95f828a5-1be7-4984-a568-6185b303d1f3?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/95f828a5-1be7-4984-a568-6185b303d1f3?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/95f828a5-1be7-4984-a568-6185b303d1f3","name":"95f828a5-1be7-4984-a568-6185b303d1f3","status":"Running","startTime":"2023-01-10T04:18:15.4678349Z"}' @@ -513,7 +513,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/95f828a5-1be7-4984-a568-6185b303d1f3?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/95f828a5-1be7-4984-a568-6185b303d1f3?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/95f828a5-1be7-4984-a568-6185b303d1f3","name":"95f828a5-1be7-4984-a568-6185b303d1f3","status":"Running","startTime":"2023-01-10T04:18:15.4678349Z"}' @@ -561,7 +561,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/95f828a5-1be7-4984-a568-6185b303d1f3?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/95f828a5-1be7-4984-a568-6185b303d1f3?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/95f828a5-1be7-4984-a568-6185b303d1f3","name":"95f828a5-1be7-4984-a568-6185b303d1f3","status":"Succeeded","startTime":"2023-01-10T04:18:15.4678349Z","endTime":"2023-01-10T04:18:31.9020656Z"}' @@ -609,7 +609,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","settings":{"gitProperty":{"repositories":[{"name":"repo1","patterns":["api-gateway","customers-service"],"label":"master","uri":"https://github.com/spring-petclinic/spring-petclinic-microservices-config"}]}},"resourceRequests":{"cpu":"500m","memory":"1Gi","instanceCount":2},"instances":[{"name":"application-configuration-service-7859999697-hfsbw","status":"Running"},{"name":"application-configuration-service-7859999697-nx6t8","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/configurationServices","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.4949677Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:18:14.9547302Z"}}' @@ -657,7 +657,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -707,7 +707,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","settings":{"gitProperty":{"repositories":[{"name":"repo1","patterns":["api-gateway","customers-service"],"label":"master","uri":"https://github.com/spring-petclinic/spring-petclinic-microservices-config"}]}},"resourceRequests":{"cpu":"500m","memory":"1Gi","instanceCount":2},"instances":[{"name":"application-configuration-service-7859999697-hfsbw","status":"Running"},{"name":"application-configuration-service-7859999697-nx6t8","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/configurationServices","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.4949677Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:18:14.9547302Z"}}' @@ -761,13 +761,13 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default/validate?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default/validate?api-version=2022-11-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/7681cb2a-462b-4738-b8c7-d19a282856de?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/7681cb2a-462b-4738-b8c7-d19a282856de?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -777,7 +777,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/7681cb2a-462b-4738-b8c7-d19a282856de/Spring/tx-enterprise?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/7681cb2a-462b-4738-b8c7-d19a282856de/Spring/tx-enterprise?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -809,7 +809,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/7681cb2a-462b-4738-b8c7-d19a282856de?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/7681cb2a-462b-4738-b8c7-d19a282856de?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/7681cb2a-462b-4738-b8c7-d19a282856de","name":"7681cb2a-462b-4738-b8c7-d19a282856de","status":"Running","startTime":"2023-01-10T04:18:43.1101209Z"}' @@ -857,7 +857,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/7681cb2a-462b-4738-b8c7-d19a282856de?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/7681cb2a-462b-4738-b8c7-d19a282856de?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/7681cb2a-462b-4738-b8c7-d19a282856de","name":"7681cb2a-462b-4738-b8c7-d19a282856de","status":"Succeeded","startTime":"2023-01-10T04:18:43.1101209Z","endTime":"2023-01-10T04:18:49.3069371Z"}' @@ -905,7 +905,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/7681cb2a-462b-4738-b8c7-d19a282856de/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/7681cb2a-462b-4738-b8c7-d19a282856de/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"gitPropertyValidationResult":{"isValid":true,"gitReposValidationResult":[]}}' @@ -959,13 +959,13 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Updating","settings":{"gitProperty":{"repositories":[{"name":"repo1","patterns":["api-gateway","customers-service"],"label":"master","uri":"https://github.com/spring-petclinic/spring-petclinic-microservices-config"}]}},"resourceRequests":{"cpu":"500m","memory":"1Gi","instanceCount":2},"instances":[{"name":"application-configuration-service-7859999697-hfsbw","status":"Running"},{"name":"application-configuration-service-7859999697-nx6t8","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/configurationServices","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.4949677Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:18:55.374256Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/9c2085b5-e330-4e06-91e9-9cc12f8aa8f7?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/9c2085b5-e330-4e06-91e9-9cc12f8aa8f7?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -977,7 +977,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/9c2085b5-e330-4e06-91e9-9cc12f8aa8f7/Spring/tx-enterprise?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/9c2085b5-e330-4e06-91e9-9cc12f8aa8f7/Spring/tx-enterprise?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -1009,7 +1009,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/9c2085b5-e330-4e06-91e9-9cc12f8aa8f7?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/9c2085b5-e330-4e06-91e9-9cc12f8aa8f7?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/9c2085b5-e330-4e06-91e9-9cc12f8aa8f7","name":"9c2085b5-e330-4e06-91e9-9cc12f8aa8f7","status":"Running","startTime":"2023-01-10T04:18:55.8812371Z"}' @@ -1057,7 +1057,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/9c2085b5-e330-4e06-91e9-9cc12f8aa8f7?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/9c2085b5-e330-4e06-91e9-9cc12f8aa8f7?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/9c2085b5-e330-4e06-91e9-9cc12f8aa8f7","name":"9c2085b5-e330-4e06-91e9-9cc12f8aa8f7","status":"Running","startTime":"2023-01-10T04:18:55.8812371Z"}' @@ -1105,7 +1105,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/9c2085b5-e330-4e06-91e9-9cc12f8aa8f7?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/9c2085b5-e330-4e06-91e9-9cc12f8aa8f7?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/9c2085b5-e330-4e06-91e9-9cc12f8aa8f7","name":"9c2085b5-e330-4e06-91e9-9cc12f8aa8f7","status":"Succeeded","startTime":"2023-01-10T04:18:55.8812371Z","endTime":"2023-01-10T04:19:12.7893762Z"}' @@ -1153,7 +1153,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","settings":{"gitProperty":{"repositories":[{"name":"repo1","patterns":["api-gateway","customers-service"],"label":"master","uri":"https://github.com/spring-petclinic/spring-petclinic-microservices-config"}]}},"resourceRequests":{"cpu":"500m","memory":"1Gi","instanceCount":2},"instances":[{"name":"application-configuration-service-7859999697-hfsbw","status":"Running"},{"name":"application-configuration-service-7859999697-nx6t8","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/configurationServices","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.4949677Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:18:55.374256Z"}}' @@ -1201,7 +1201,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -1251,7 +1251,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","settings":{"gitProperty":{"repositories":[{"name":"repo1","patterns":["api-gateway","customers-service"],"label":"master","uri":"https://github.com/spring-petclinic/spring-petclinic-microservices-config"}]}},"resourceRequests":{"cpu":"500m","memory":"1Gi","instanceCount":2},"instances":[{"name":"application-configuration-service-7859999697-hfsbw","status":"Running"},{"name":"application-configuration-service-7859999697-nx6t8","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/configurationServices","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.4949677Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:18:55.374256Z"}}' @@ -1299,7 +1299,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -1349,7 +1349,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","settings":{"gitProperty":{"repositories":[{"name":"repo1","patterns":["api-gateway","customers-service"],"label":"master","uri":"https://github.com/spring-petclinic/spring-petclinic-microservices-config"}]}},"resourceRequests":{"cpu":"500m","memory":"1Gi","instanceCount":2},"instances":[{"name":"application-configuration-service-7859999697-hfsbw","status":"Running"},{"name":"application-configuration-service-7859999697-nx6t8","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/configurationServices","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.4949677Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:18:55.374256Z"}}' @@ -1401,13 +1401,13 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default/validate?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default/validate?api-version=2022-11-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cf0c7c13-4ed3-495d-a51f-b80b55cc6cbd?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cf0c7c13-4ed3-495d-a51f-b80b55cc6cbd?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -1417,7 +1417,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/cf0c7c13-4ed3-495d-a51f-b80b55cc6cbd/Spring/tx-enterprise?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/cf0c7c13-4ed3-495d-a51f-b80b55cc6cbd/Spring/tx-enterprise?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -1449,7 +1449,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cf0c7c13-4ed3-495d-a51f-b80b55cc6cbd?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cf0c7c13-4ed3-495d-a51f-b80b55cc6cbd?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cf0c7c13-4ed3-495d-a51f-b80b55cc6cbd","name":"cf0c7c13-4ed3-495d-a51f-b80b55cc6cbd","status":"Running","startTime":"2023-01-10T04:19:28.5839448Z"}' @@ -1497,7 +1497,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cf0c7c13-4ed3-495d-a51f-b80b55cc6cbd?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cf0c7c13-4ed3-495d-a51f-b80b55cc6cbd?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cf0c7c13-4ed3-495d-a51f-b80b55cc6cbd","name":"cf0c7c13-4ed3-495d-a51f-b80b55cc6cbd","status":"Succeeded","startTime":"2023-01-10T04:19:28.5839448Z","endTime":"2023-01-10T04:19:34.7545481Z"}' @@ -1545,7 +1545,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/cf0c7c13-4ed3-495d-a51f-b80b55cc6cbd/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/cf0c7c13-4ed3-495d-a51f-b80b55cc6cbd/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"gitPropertyValidationResult":{"isValid":true,"gitReposValidationResult":[]}}' @@ -1597,13 +1597,13 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Updating","settings":{"gitProperty":{"repositories":[]}},"resourceRequests":{"cpu":"500m","memory":"1Gi","instanceCount":2},"instances":[{"name":"application-configuration-service-7859999697-hfsbw","status":"Running"},{"name":"application-configuration-service-7859999697-nx6t8","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/configurationServices","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.4949677Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:19:41.2987821Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/7d1a7d79-3f83-49d7-855a-ba6857da6268?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/7d1a7d79-3f83-49d7-855a-ba6857da6268?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -1615,7 +1615,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/7d1a7d79-3f83-49d7-855a-ba6857da6268/Spring/tx-enterprise?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/7d1a7d79-3f83-49d7-855a-ba6857da6268/Spring/tx-enterprise?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -1647,7 +1647,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/7d1a7d79-3f83-49d7-855a-ba6857da6268?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/7d1a7d79-3f83-49d7-855a-ba6857da6268?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/7d1a7d79-3f83-49d7-855a-ba6857da6268","name":"7d1a7d79-3f83-49d7-855a-ba6857da6268","status":"Running","startTime":"2023-01-10T04:19:42.1700797Z"}' @@ -1695,7 +1695,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/7d1a7d79-3f83-49d7-855a-ba6857da6268?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/7d1a7d79-3f83-49d7-855a-ba6857da6268?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/7d1a7d79-3f83-49d7-855a-ba6857da6268","name":"7d1a7d79-3f83-49d7-855a-ba6857da6268","status":"Running","startTime":"2023-01-10T04:19:42.1700797Z"}' @@ -1743,7 +1743,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/7d1a7d79-3f83-49d7-855a-ba6857da6268?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/7d1a7d79-3f83-49d7-855a-ba6857da6268?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/7d1a7d79-3f83-49d7-855a-ba6857da6268","name":"7d1a7d79-3f83-49d7-855a-ba6857da6268","status":"Succeeded","startTime":"2023-01-10T04:19:42.1700797Z","endTime":"2023-01-10T04:19:58.5354844Z"}' @@ -1791,7 +1791,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","settings":{"gitProperty":{"repositories":[]}},"resourceRequests":{"cpu":"500m","memory":"1Gi","instanceCount":2},"instances":[{"name":"application-configuration-service-7859999697-hfsbw","status":"Running"},{"name":"application-configuration-service-7859999697-nx6t8","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/configurationServices","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.4949677Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:19:41.2987821Z"}}' @@ -1839,7 +1839,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -1889,7 +1889,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","settings":{"gitProperty":{"repositories":[]}},"resourceRequests":{"cpu":"500m","memory":"1Gi","instanceCount":2},"instances":[{"name":"application-configuration-service-7859999697-hfsbw","status":"Running"},{"name":"application-configuration-service-7859999697-nx6t8","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/configurationServices","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.4949677Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:19:41.2987821Z"}}' @@ -1937,7 +1937,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -1987,7 +1987,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"tx-enterprise.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1","name":"app1","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-10T03:52:15.6583077Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T03:52:34.6547317Z"}}' @@ -2045,13 +2045,13 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default"},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"tx-enterprise.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1","name":"app1","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-10T03:52:15.6583077Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:20:15.5114585Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/5961b72d-ab41-4f11-b0a0-c9c4fa80af70?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/5961b72d-ab41-4f11-b0a0-c9c4fa80af70?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -2063,7 +2063,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/5961b72d-ab41-4f11-b0a0-c9c4fa80af70/Spring/app1?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/5961b72d-ab41-4f11-b0a0-c9c4fa80af70/Spring/app1?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -2095,7 +2095,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/5961b72d-ab41-4f11-b0a0-c9c4fa80af70?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/5961b72d-ab41-4f11-b0a0-c9c4fa80af70?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/5961b72d-ab41-4f11-b0a0-c9c4fa80af70","name":"5961b72d-ab41-4f11-b0a0-c9c4fa80af70","status":"Running","startTime":"2023-01-10T04:20:16.530904Z"}' @@ -2143,7 +2143,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/5961b72d-ab41-4f11-b0a0-c9c4fa80af70?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/5961b72d-ab41-4f11-b0a0-c9c4fa80af70?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/5961b72d-ab41-4f11-b0a0-c9c4fa80af70","name":"5961b72d-ab41-4f11-b0a0-c9c4fa80af70","status":"Running","startTime":"2023-01-10T04:20:16.530904Z"}' @@ -2191,7 +2191,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/5961b72d-ab41-4f11-b0a0-c9c4fa80af70?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/5961b72d-ab41-4f11-b0a0-c9c4fa80af70?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/5961b72d-ab41-4f11-b0a0-c9c4fa80af70","name":"5961b72d-ab41-4f11-b0a0-c9c4fa80af70","status":"Succeeded","startTime":"2023-01-10T04:20:16.530904Z","endTime":"2023-01-10T04:20:34.5884998Z"}' @@ -2239,7 +2239,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default"},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"tx-enterprise.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1","name":"app1","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-10T03:52:15.6583077Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:20:15.5114585Z"}}' @@ -2289,7 +2289,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -2339,7 +2339,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default"},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"tx-enterprise.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1","name":"app1","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-10T03:52:15.6583077Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:20:15.5114585Z"}}' @@ -2397,13 +2397,13 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"tx-enterprise.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1","name":"app1","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-10T03:52:15.6583077Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:20:44.8337983Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/1b4a6c7c-0438-4d5b-b079-f203e560eff0?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/1b4a6c7c-0438-4d5b-b079-f203e560eff0?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -2415,7 +2415,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/1b4a6c7c-0438-4d5b-b079-f203e560eff0/Spring/app1?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/1b4a6c7c-0438-4d5b-b079-f203e560eff0/Spring/app1?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -2447,7 +2447,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/1b4a6c7c-0438-4d5b-b079-f203e560eff0?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/1b4a6c7c-0438-4d5b-b079-f203e560eff0?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/1b4a6c7c-0438-4d5b-b079-f203e560eff0","name":"1b4a6c7c-0438-4d5b-b079-f203e560eff0","status":"Running","startTime":"2023-01-10T04:20:45.5344737Z"}' @@ -2495,7 +2495,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/1b4a6c7c-0438-4d5b-b079-f203e560eff0?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/1b4a6c7c-0438-4d5b-b079-f203e560eff0?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/1b4a6c7c-0438-4d5b-b079-f203e560eff0","name":"1b4a6c7c-0438-4d5b-b079-f203e560eff0","status":"Running","startTime":"2023-01-10T04:20:45.5344737Z"}' @@ -2543,7 +2543,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/1b4a6c7c-0438-4d5b-b079-f203e560eff0?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/1b4a6c7c-0438-4d5b-b079-f203e560eff0?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/1b4a6c7c-0438-4d5b-b079-f203e560eff0","name":"1b4a6c7c-0438-4d5b-b079-f203e560eff0","status":"Succeeded","startTime":"2023-01-10T04:20:45.5344737Z","endTime":"2023-01-10T04:21:03.2808052Z"}' @@ -2591,7 +2591,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"tx-enterprise.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1","name":"app1","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-10T03:52:15.6583077Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:20:44.8337983Z"}}' @@ -2641,7 +2641,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -2695,13 +2695,13 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Updating","resourceRequests":{"cpu":"500m","memory":"1Gi","instanceCount":2},"instances":[{"name":"application-configuration-service-7859999697-hfsbw","status":"Running"},{"name":"application-configuration-service-7859999697-nx6t8","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/configurationServices","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.4949677Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:21:12.34443Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/f22a6e11-abf4-4471-9dff-b2f7b2385934?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/f22a6e11-abf4-4471-9dff-b2f7b2385934?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -2713,7 +2713,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/f22a6e11-abf4-4471-9dff-b2f7b2385934/Spring/tx-enterprise?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/f22a6e11-abf4-4471-9dff-b2f7b2385934/Spring/tx-enterprise?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -2745,7 +2745,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/f22a6e11-abf4-4471-9dff-b2f7b2385934?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/f22a6e11-abf4-4471-9dff-b2f7b2385934?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/f22a6e11-abf4-4471-9dff-b2f7b2385934","name":"f22a6e11-abf4-4471-9dff-b2f7b2385934","status":"Running","startTime":"2023-01-10T04:21:13.6331895Z"}' @@ -2793,7 +2793,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/f22a6e11-abf4-4471-9dff-b2f7b2385934?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/f22a6e11-abf4-4471-9dff-b2f7b2385934?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/f22a6e11-abf4-4471-9dff-b2f7b2385934","name":"f22a6e11-abf4-4471-9dff-b2f7b2385934","status":"Running","startTime":"2023-01-10T04:21:13.6331895Z"}' @@ -2841,7 +2841,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/f22a6e11-abf4-4471-9dff-b2f7b2385934?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/f22a6e11-abf4-4471-9dff-b2f7b2385934?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/f22a6e11-abf4-4471-9dff-b2f7b2385934","name":"f22a6e11-abf4-4471-9dff-b2f7b2385934","status":"Succeeded","startTime":"2023-01-10T04:21:13.6331895Z","endTime":"2023-01-10T04:21:30.0074276Z"}' @@ -2889,7 +2889,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","resourceRequests":{"cpu":"500m","memory":"1Gi","instanceCount":2},"instances":[{"name":"application-configuration-service-7859999697-hfsbw","status":"Running"},{"name":"application-configuration-service-7859999697-nx6t8","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/configurationServices","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.4949677Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:21:12.34443Z"}}' @@ -2937,7 +2937,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -2989,13 +2989,13 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-11-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/50e642dc-1705-4cf1-8b32-662dc9b8b64e?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/50e642dc-1705-4cf1-8b32-662dc9b8b64e?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -3005,7 +3005,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/50e642dc-1705-4cf1-8b32-662dc9b8b64e/Spring/tx-enterprise?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/50e642dc-1705-4cf1-8b32-662dc9b8b64e/Spring/tx-enterprise?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -3037,7 +3037,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/50e642dc-1705-4cf1-8b32-662dc9b8b64e?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/50e642dc-1705-4cf1-8b32-662dc9b8b64e?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/50e642dc-1705-4cf1-8b32-662dc9b8b64e","name":"50e642dc-1705-4cf1-8b32-662dc9b8b64e","status":"Running","startTime":"2023-01-10T04:21:41.5933878Z"}' @@ -3085,7 +3085,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/50e642dc-1705-4cf1-8b32-662dc9b8b64e?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/50e642dc-1705-4cf1-8b32-662dc9b8b64e?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/50e642dc-1705-4cf1-8b32-662dc9b8b64e","name":"50e642dc-1705-4cf1-8b32-662dc9b8b64e","status":"Succeeded","startTime":"2023-01-10T04:21:41.5933878Z","endTime":"2023-01-10T04:21:47.9437027Z"}' @@ -3133,7 +3133,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -3187,13 +3187,13 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Creating","resourceRequests":{"cpu":"500m","memory":"1Gi","instanceCount":2},"instances":[]},"type":"Microsoft.AppPlatform/Spring/configurationServices","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-10T04:21:56.1125489Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:21:56.1125489Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -3205,7 +3205,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/b74294f5-a68e-4cd7-808d-e1ac13ae0f01/Spring/tx-enterprise?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/b74294f5-a68e-4cd7-808d-e1ac13ae0f01/Spring/tx-enterprise?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -3237,7 +3237,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01","name":"b74294f5-a68e-4cd7-808d-e1ac13ae0f01","status":"Running","startTime":"2023-01-10T04:21:59.2482441Z"}' @@ -3285,7 +3285,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01","name":"b74294f5-a68e-4cd7-808d-e1ac13ae0f01","status":"Running","startTime":"2023-01-10T04:21:59.2482441Z"}' @@ -3333,7 +3333,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01","name":"b74294f5-a68e-4cd7-808d-e1ac13ae0f01","status":"Running","startTime":"2023-01-10T04:21:59.2482441Z"}' @@ -3381,7 +3381,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01","name":"b74294f5-a68e-4cd7-808d-e1ac13ae0f01","status":"Running","startTime":"2023-01-10T04:21:59.2482441Z"}' @@ -3429,7 +3429,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01","name":"b74294f5-a68e-4cd7-808d-e1ac13ae0f01","status":"Running","startTime":"2023-01-10T04:21:59.2482441Z"}' @@ -3477,7 +3477,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01","name":"b74294f5-a68e-4cd7-808d-e1ac13ae0f01","status":"Running","startTime":"2023-01-10T04:21:59.2482441Z"}' @@ -3525,7 +3525,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01","name":"b74294f5-a68e-4cd7-808d-e1ac13ae0f01","status":"Running","startTime":"2023-01-10T04:21:59.2482441Z"}' @@ -3573,7 +3573,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01","name":"b74294f5-a68e-4cd7-808d-e1ac13ae0f01","status":"Succeeded","startTime":"2023-01-10T04:21:59.2482441Z","endTime":"2023-01-10T04:23:05.9086531Z"}' @@ -3621,7 +3621,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","resourceRequests":{"cpu":"500m","memory":"1Gi","instanceCount":2},"instances":[{"name":"application-configuration-service-7859999697-hlxhc","status":"Running"},{"name":"application-configuration-service-7859999697-l96dz","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/configurationServices","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-10T04:21:56.1125489Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:21:56.1125489Z"}}' diff --git a/src/spring/azext_spring/tests/latest/recordings/test_asc_app_insights_update.yaml b/src/spring/azext_spring/tests/latest/recordings/test_asc_app_insights_update.yaml index 98ae5b0ef99..305f218ec32 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_asc_app_insights_update.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_asc_app_insights_update.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:31:26.7455551Z"}}' @@ -71,13 +71,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/3e7478d7-bd96-412b-97b8-f467ad14b151?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/3e7478d7-bd96-412b-97b8-f467ad14b151?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -89,7 +89,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/3e7478d7-bd96-412b-97b8-f467ad14b151/Spring/cli-unittest10?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/3e7478d7-bd96-412b-97b8-f467ad14b151/Spring/cli-unittest10?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -123,7 +123,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:34:33.4149466Z"}}' @@ -175,7 +175,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -225,7 +225,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:34:33.4149466Z"}}' @@ -277,7 +277,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -327,7 +327,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:34:33.4149466Z"}}' @@ -379,7 +379,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -429,7 +429,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:34:33.4149466Z"}}' @@ -481,7 +481,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -604,13 +604,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/4eacec8f-eb56-45ad-a607-025fa76baa1c?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/4eacec8f-eb56-45ad-a607-025fa76baa1c?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -622,7 +622,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/4eacec8f-eb56-45ad-a607-025fa76baa1c/Spring/cli-unittest10?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/4eacec8f-eb56-45ad-a607-025fa76baa1c/Spring/cli-unittest10?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -656,7 +656,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:35:11.2820718Z"}}' @@ -708,7 +708,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -758,7 +758,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:35:11.2820718Z"}}' @@ -810,7 +810,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -860,7 +860,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:35:11.2820718Z"}}' @@ -912,7 +912,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -962,7 +962,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:35:11.2820718Z"}}' @@ -1014,7 +1014,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -1064,7 +1064,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:35:11.2820718Z"}}' @@ -1120,13 +1120,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/9446e144-70cf-41ca-b6a7-d0b7aff40948?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/9446e144-70cf-41ca-b6a7-d0b7aff40948?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -1138,7 +1138,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/9446e144-70cf-41ca-b6a7-d0b7aff40948/Spring/cli-unittest10?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/9446e144-70cf-41ca-b6a7-d0b7aff40948/Spring/cli-unittest10?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -1172,7 +1172,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:35:32.6349347Z"}}' @@ -1224,7 +1224,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -1274,7 +1274,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:35:32.6349347Z"}}' @@ -1326,7 +1326,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -1376,7 +1376,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:35:32.6349347Z"}}' @@ -1428,7 +1428,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -1478,7 +1478,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:35:32.6349347Z"}}' @@ -1530,7 +1530,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -1653,13 +1653,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/63d753cf-4aeb-42fb-a635-db62796cae58?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/63d753cf-4aeb-42fb-a635-db62796cae58?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -1671,7 +1671,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/63d753cf-4aeb-42fb-a635-db62796cae58/Spring/cli-unittest10?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/63d753cf-4aeb-42fb-a635-db62796cae58/Spring/cli-unittest10?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -1705,7 +1705,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:35:51.3395913Z"}}' @@ -1757,7 +1757,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -1807,7 +1807,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:35:51.3395913Z"}}' @@ -1859,7 +1859,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -1909,7 +1909,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:35:51.3395913Z"}}' @@ -1961,7 +1961,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -2011,7 +2011,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:35:51.3395913Z"}}' @@ -2063,7 +2063,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -2113,7 +2113,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:35:51.3395913Z"}}' @@ -2169,13 +2169,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/e893ebcf-83da-4758-a3c6-fadb502cafb1?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/e893ebcf-83da-4758-a3c6-fadb502cafb1?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -2187,7 +2187,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/e893ebcf-83da-4758-a3c6-fadb502cafb1/Spring/cli-unittest10?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/e893ebcf-83da-4758-a3c6-fadb502cafb1/Spring/cli-unittest10?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -2221,7 +2221,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:36:12.4962802Z"}}' @@ -2273,7 +2273,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -2323,7 +2323,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:36:12.4962802Z"}}' @@ -2375,7 +2375,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -2425,7 +2425,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:36:12.4962802Z"}}' @@ -2477,7 +2477,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -2527,7 +2527,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:36:12.4962802Z"}}' @@ -2579,7 +2579,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -2634,13 +2634,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"e157df4b-c2b4-4d03-b2bc-b85f6570ee8d"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/11f454d1-c35a-4ffd-bf2d-93c1f1f1f708?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/11f454d1-c35a-4ffd-bf2d-93c1f1f1f708?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -2652,7 +2652,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/11f454d1-c35a-4ffd-bf2d-93c1f1f1f708/Spring/cli-unittest10?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/11f454d1-c35a-4ffd-bf2d-93c1f1f1f708/Spring/cli-unittest10?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -2686,7 +2686,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:36:30.567439Z"}}' @@ -2738,7 +2738,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"e157df4b-c2b4-4d03-b2bc-b85f6570ee8d"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -2788,7 +2788,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:36:30.567439Z"}}' @@ -2840,7 +2840,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"e157df4b-c2b4-4d03-b2bc-b85f6570ee8d"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -2890,7 +2890,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:36:30.567439Z"}}' @@ -2942,7 +2942,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"e157df4b-c2b4-4d03-b2bc-b85f6570ee8d"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -2992,7 +2992,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:36:30.567439Z"}}' @@ -3044,7 +3044,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"e157df4b-c2b4-4d03-b2bc-b85f6570ee8d"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -3094,7 +3094,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:36:30.567439Z"}}' @@ -3150,13 +3150,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/ed7d3a8b-7e26-44d0-965f-278e166165c5?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/ed7d3a8b-7e26-44d0-965f-278e166165c5?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -3168,7 +3168,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/ed7d3a8b-7e26-44d0-965f-278e166165c5/Spring/cli-unittest10?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/ed7d3a8b-7e26-44d0-965f-278e166165c5/Spring/cli-unittest10?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -3202,7 +3202,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:36:49.4585506Z"}}' @@ -3254,7 +3254,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -3304,7 +3304,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:36:49.4585506Z"}}' @@ -3356,7 +3356,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -3406,7 +3406,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:36:49.4585506Z"}}' @@ -3458,7 +3458,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -3508,7 +3508,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:36:49.4585506Z"}}' @@ -3560,7 +3560,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -3616,13 +3616,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/a736bfd6-5d87-4a63-a2c8-715a03de2849?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/a736bfd6-5d87-4a63-a2c8-715a03de2849?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -3634,7 +3634,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/a736bfd6-5d87-4a63-a2c8-715a03de2849/Spring/cli-unittest10?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/a736bfd6-5d87-4a63-a2c8-715a03de2849/Spring/cli-unittest10?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -3668,7 +3668,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:37:06.4181491Z"}}' @@ -3720,7 +3720,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -3770,7 +3770,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:37:06.4181491Z"}}' @@ -3822,7 +3822,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -3872,7 +3872,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:37:06.4181491Z"}}' @@ -3924,7 +3924,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -3974,7 +3974,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:37:06.4181491Z"}}' @@ -4026,7 +4026,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -4076,7 +4076,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:37:06.4181491Z"}}' @@ -4128,7 +4128,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -4184,13 +4184,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":0.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/e0908ebf-108d-4804-8000-6ab3f75e319c?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/e0908ebf-108d-4804-8000-6ab3f75e319c?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -4202,7 +4202,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/e0908ebf-108d-4804-8000-6ab3f75e319c/Spring/cli-unittest10?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/e0908ebf-108d-4804-8000-6ab3f75e319c/Spring/cli-unittest10?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -4236,7 +4236,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:37:27.5729199Z"}}' @@ -4288,7 +4288,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":0.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -4338,7 +4338,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:37:27.5729199Z"}}' @@ -4390,7 +4390,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":0.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -4440,7 +4440,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:37:27.5729199Z"}}' @@ -4492,7 +4492,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":0.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -4542,7 +4542,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:37:27.5729199Z"}}' @@ -4594,7 +4594,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":0.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -4644,7 +4644,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:37:27.5729199Z"}}' @@ -4696,7 +4696,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":0.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -4752,13 +4752,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":0.1,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/3e40334e-2cf9-413b-8267-f8bb7707e862?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/3e40334e-2cf9-413b-8267-f8bb7707e862?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -4770,7 +4770,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/3e40334e-2cf9-413b-8267-f8bb7707e862/Spring/cli-unittest10?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/3e40334e-2cf9-413b-8267-f8bb7707e862/Spring/cli-unittest10?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -4804,7 +4804,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:37:46.9449185Z"}}' @@ -4856,7 +4856,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":0.1,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -4906,7 +4906,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:37:46.9449185Z"}}' @@ -4958,7 +4958,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":0.1,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -5008,7 +5008,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:37:46.9449185Z"}}' @@ -5060,7 +5060,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":0.1,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -5110,7 +5110,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:37:46.9449185Z"}}' @@ -5162,7 +5162,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":0.1,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -5212,7 +5212,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:37:46.9449185Z"}}' @@ -5264,7 +5264,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":0.1,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -5320,13 +5320,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":1.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/e65d84c9-90c4-4d6f-b6f7-18240f530f2c?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/e65d84c9-90c4-4d6f-b6f7-18240f530f2c?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -5338,7 +5338,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/e65d84c9-90c4-4d6f-b6f7-18240f530f2c/Spring/cli-unittest10?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/e65d84c9-90c4-4d6f-b6f7-18240f530f2c/Spring/cli-unittest10?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -5372,7 +5372,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:38:06.4918407Z"}}' @@ -5424,7 +5424,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":1.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -5474,7 +5474,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:38:06.4918407Z"}}' @@ -5526,7 +5526,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":1.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -5576,7 +5576,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:38:06.4918407Z"}}' @@ -5628,7 +5628,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":1.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -5678,7 +5678,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:38:06.4918407Z"}}' @@ -5730,7 +5730,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":1.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -5780,7 +5780,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:38:06.4918407Z"}}' @@ -5832,7 +5832,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":1.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -5888,13 +5888,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/416ea116-6d24-41b9-8330-c6b9177c883e?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/416ea116-6d24-41b9-8330-c6b9177c883e?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -5906,7 +5906,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/416ea116-6d24-41b9-8330-c6b9177c883e/Spring/cli-unittest10?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/416ea116-6d24-41b9-8330-c6b9177c883e/Spring/cli-unittest10?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -5940,7 +5940,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:38:26.9814628Z"}}' @@ -5992,7 +5992,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -6042,7 +6042,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:38:26.9814628Z"}}' @@ -6094,7 +6094,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -6144,7 +6144,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:38:26.9814628Z"}}' @@ -6196,7 +6196,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -6246,7 +6246,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:38:26.9814628Z"}}' @@ -6298,7 +6298,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -6348,7 +6348,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:38:26.9814628Z"}}' @@ -6400,7 +6400,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -6456,13 +6456,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":50.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/9ddbeaf5-00e5-4124-ad53-ea3a95863f5a?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/9ddbeaf5-00e5-4124-ad53-ea3a95863f5a?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -6474,7 +6474,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/9ddbeaf5-00e5-4124-ad53-ea3a95863f5a/Spring/cli-unittest10?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/9ddbeaf5-00e5-4124-ad53-ea3a95863f5a/Spring/cli-unittest10?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -6508,7 +6508,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:38:45.7241426Z"}}' @@ -6560,7 +6560,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":50.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -6610,7 +6610,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:38:45.7241426Z"}}' @@ -6662,7 +6662,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":50.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -6712,7 +6712,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:38:45.7241426Z"}}' @@ -6764,7 +6764,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":50.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -6814,7 +6814,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:38:45.7241426Z"}}' @@ -6866,7 +6866,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":50.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -6916,7 +6916,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:38:45.7241426Z"}}' @@ -6968,7 +6968,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":50.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -7024,13 +7024,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":99.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/60bf9bb1-443b-42e8-8f67-a49f4ee4b949?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/60bf9bb1-443b-42e8-8f67-a49f4ee4b949?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -7042,7 +7042,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/60bf9bb1-443b-42e8-8f67-a49f4ee4b949/Spring/cli-unittest10?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/60bf9bb1-443b-42e8-8f67-a49f4ee4b949/Spring/cli-unittest10?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -7076,7 +7076,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:39:06.0770506Z"}}' @@ -7128,7 +7128,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":99.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -7178,7 +7178,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:39:06.0770506Z"}}' @@ -7230,7 +7230,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":99.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -7280,7 +7280,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:39:06.0770506Z"}}' @@ -7332,7 +7332,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":99.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -7382,7 +7382,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:39:06.0770506Z"}}' @@ -7434,7 +7434,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":99.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -7484,7 +7484,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:39:06.0770506Z"}}' @@ -7536,7 +7536,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":99.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -7592,13 +7592,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":100.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/9a0b06ab-d349-4d3e-937e-d2547f92a40e?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/9a0b06ab-d349-4d3e-937e-d2547f92a40e?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -7610,7 +7610,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/9a0b06ab-d349-4d3e-937e-d2547f92a40e/Spring/cli-unittest10?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/9a0b06ab-d349-4d3e-937e-d2547f92a40e/Spring/cli-unittest10?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -7644,7 +7644,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:39:25.1186118Z"}}' @@ -7696,7 +7696,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":100.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -7746,7 +7746,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:39:25.1186118Z"}}' @@ -7798,7 +7798,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":100.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -7848,7 +7848,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:39:25.1186118Z"}}' @@ -7900,7 +7900,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":100.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -7950,7 +7950,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:39:25.1186118Z"}}' @@ -8002,7 +8002,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":100.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' diff --git a/src/spring/azext_spring/tests/latest/recordings/test_asc_update.yaml b/src/spring/azext_spring/tests/latest/recordings/test_asc_update.yaml index 0166da9ec4a..82ad020e5d9 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_asc_update.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_asc_update.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:39:25.1186118Z"}}' @@ -67,7 +67,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":100.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -121,13 +121,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/2fa1119f-4645-4aed-a55d-07e9abf2c8d1?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/2fa1119f-4645-4aed-a55d-07e9abf2c8d1?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -139,7 +139,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/2fa1119f-4645-4aed-a55d-07e9abf2c8d1/Spring/cli-unittest10?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/2fa1119f-4645-4aed-a55d-07e9abf2c8d1/Spring/cli-unittest10?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -173,7 +173,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:44:17.2734231Z"}}' @@ -225,7 +225,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -275,7 +275,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:44:17.2734231Z"}}' @@ -327,7 +327,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -377,7 +377,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:44:17.2734231Z"}}' @@ -429,7 +429,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -479,7 +479,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:44:17.2734231Z"}}' @@ -531,7 +531,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -653,13 +653,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/78d5b0c8-e992-4841-b2df-7e6147c546b5?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/78d5b0c8-e992-4841-b2df-7e6147c546b5?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -671,7 +671,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/78d5b0c8-e992-4841-b2df-7e6147c546b5/Spring/cli-unittest10?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/78d5b0c8-e992-4841-b2df-7e6147c546b5/Spring/cli-unittest10?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -705,7 +705,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:44:38.3964064Z"}}' @@ -757,7 +757,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -807,7 +807,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:44:38.3964064Z"}}' @@ -859,7 +859,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -909,7 +909,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:44:38.3964064Z"}}' @@ -961,7 +961,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -1011,7 +1011,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:44:38.3964064Z"}}' @@ -1063,7 +1063,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -1117,13 +1117,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/737f14e7-fb8d-4fb9-bbcc-cde8c77e0b6c?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/737f14e7-fb8d-4fb9-bbcc-cde8c77e0b6c?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -1135,7 +1135,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/737f14e7-fb8d-4fb9-bbcc-cde8c77e0b6c/Spring/cli-unittest10?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/737f14e7-fb8d-4fb9-bbcc-cde8c77e0b6c/Spring/cli-unittest10?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -1169,7 +1169,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:44:56.0010121Z"}}' @@ -1221,7 +1221,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -1271,7 +1271,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:44:56.0010121Z"}}' @@ -1323,7 +1323,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -1373,7 +1373,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:44:56.0010121Z"}}' @@ -1425,7 +1425,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -1475,7 +1475,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:44:56.0010121Z"}}' @@ -1527,7 +1527,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -1649,13 +1649,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/de453699-27ed-49ba-a213-6e6e7213071b?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/de453699-27ed-49ba-a213-6e6e7213071b?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -1667,7 +1667,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/de453699-27ed-49ba-a213-6e6e7213071b/Spring/cli-unittest10?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/de453699-27ed-49ba-a213-6e6e7213071b/Spring/cli-unittest10?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -1701,7 +1701,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:45:15.6162002Z"}}' @@ -1753,7 +1753,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -1803,7 +1803,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:45:15.6162002Z"}}' @@ -1855,7 +1855,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -1905,7 +1905,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:45:15.6162002Z"}}' @@ -1957,7 +1957,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -2007,7 +2007,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:45:15.6162002Z"}}' @@ -2059,7 +2059,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -2113,13 +2113,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/ee974dda-ed60-4a42-9efd-44f7f6f813fb?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/ee974dda-ed60-4a42-9efd-44f7f6f813fb?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -2131,7 +2131,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/ee974dda-ed60-4a42-9efd-44f7f6f813fb/Spring/cli-unittest10?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/ee974dda-ed60-4a42-9efd-44f7f6f813fb/Spring/cli-unittest10?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -2165,7 +2165,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:45:34.0554291Z"}}' @@ -2217,7 +2217,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -2267,7 +2267,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:45:34.0554291Z"}}' @@ -2319,7 +2319,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -2369,7 +2369,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:45:34.0554291Z"}}' @@ -2421,7 +2421,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -2471,7 +2471,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:45:34.0554291Z"}}' @@ -2523,7 +2523,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -2578,13 +2578,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"e157df4b-c2b4-4d03-b2bc-b85f6570ee8d"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/efa616a3-f4c0-498f-a9f0-f0b6ae13e226?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/efa616a3-f4c0-498f-a9f0-f0b6ae13e226?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -2596,7 +2596,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/efa616a3-f4c0-498f-a9f0-f0b6ae13e226/Spring/cli-unittest10?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/efa616a3-f4c0-498f-a9f0-f0b6ae13e226/Spring/cli-unittest10?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -2630,7 +2630,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:45:50.4180251Z"}}' @@ -2682,7 +2682,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"e157df4b-c2b4-4d03-b2bc-b85f6570ee8d"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -2732,7 +2732,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:45:50.4180251Z"}}' @@ -2784,7 +2784,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"e157df4b-c2b4-4d03-b2bc-b85f6570ee8d"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -2834,7 +2834,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:45:50.4180251Z"}}' @@ -2886,7 +2886,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"e157df4b-c2b4-4d03-b2bc-b85f6570ee8d"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -2936,7 +2936,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:45:50.4180251Z"}}' @@ -2988,7 +2988,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"e157df4b-c2b4-4d03-b2bc-b85f6570ee8d"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -3042,13 +3042,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/abbcf879-525c-4bc9-9262-3955a501e9d8?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/abbcf879-525c-4bc9-9262-3955a501e9d8?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -3060,7 +3060,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/abbcf879-525c-4bc9-9262-3955a501e9d8/Spring/cli-unittest10?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/abbcf879-525c-4bc9-9262-3955a501e9d8/Spring/cli-unittest10?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -3094,7 +3094,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:46:08.8904826Z"}}' @@ -3146,7 +3146,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -3196,7 +3196,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:46:08.8904826Z"}}' @@ -3248,7 +3248,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -3298,7 +3298,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:46:08.8904826Z"}}' @@ -3350,7 +3350,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -3400,7 +3400,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:46:08.8904826Z"}}' @@ -3452,7 +3452,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -3507,13 +3507,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/d0fffb87-68dc-4832-a879-33ea3e9bd5f4?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/d0fffb87-68dc-4832-a879-33ea3e9bd5f4?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -3525,7 +3525,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/d0fffb87-68dc-4832-a879-33ea3e9bd5f4/Spring/cli-unittest10?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/d0fffb87-68dc-4832-a879-33ea3e9bd5f4/Spring/cli-unittest10?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -3559,7 +3559,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:46:26.1402904Z"}}' @@ -3611,7 +3611,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -3661,7 +3661,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:46:26.1402904Z"}}' @@ -3713,7 +3713,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -3763,7 +3763,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:46:26.1402904Z"}}' @@ -3815,7 +3815,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' diff --git a/src/spring/azext_spring/tests/latest/recordings/test_az_asc_create.yaml b/src/spring/azext_spring/tests/latest/recordings/test_az_asc_create.yaml index 6bfbd718817..b73256da192 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_az_asc_create.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_az_asc_create.yaml @@ -1136,13 +1136,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-az1?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-az1?api-version=2022-11-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-az1/operationId/ace8b8de-9796-45cb-a2ee-ee0358a57102?api-version=2022-05-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-az1/operationId/ace8b8de-9796-45cb-a2ee-ee0358a57102?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -1152,7 +1152,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationResults/ace8b8de-9796-45cb-a2ee-ee0358a57102/Spring/cli-unittest-az1?api-version=2022-05-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationResults/ace8b8de-9796-45cb-a2ee-ee0358a57102/Spring/cli-unittest-az1?api-version=2022-11-01-preview pragma: - no-cache request-context: diff --git a/src/spring/azext_spring/tests/latest/recordings/test_bind_cert_to_domain.yaml b/src/spring/azext_spring/tests/latest/recordings/test_bind_cert_to_domain.yaml index 3e38f40b095..a6d4b7e02ee 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_bind_cert_to_domain.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_bind_cert_to_domain.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain?api-version=2022-11-01-preview response: body: string: '{"error":{"code":"NotFound","message":"App was not found","target":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain","details":null}}' @@ -61,7 +61,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"e55ed5c1ee8942f9a36f033e7bbd28e8","networkProfile":{"outboundIPs":{"publicIPs":["20.237.103.188","20.237.103.250"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:05:42.8680393Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:11:29.9671687Z"}}' @@ -116,13 +116,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Creating","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain","name":"test-custom-domain","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:24:50.0031575Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:24:50.0031575Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-custom-domain/operationId/c0f9d69b-81cb-482f-b512-fe63942ab54d?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-custom-domain/operationId/c0f9d69b-81cb-482f-b512-fe63942ab54d?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -134,7 +134,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/c0f9d69b-81cb-482f-b512-fe63942ab54d/Spring/test-custom-domain?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/c0f9d69b-81cb-482f-b512-fe63942ab54d/Spring/test-custom-domain?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -166,7 +166,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-custom-domain/operationId/c0f9d69b-81cb-482f-b512-fe63942ab54d?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-custom-domain/operationId/c0f9d69b-81cb-482f-b512-fe63942ab54d?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-custom-domain/operationId/c0f9d69b-81cb-482f-b512-fe63942ab54d","name":"c0f9d69b-81cb-482f-b512-fe63942ab54d","status":"Succeeded","startTime":"2022-09-07T14:24:50.719882Z","endTime":"2022-09-07T14:24:57.0940115Z"}' @@ -214,7 +214,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain","name":"test-custom-domain","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:24:50.0031575Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:24:50.0031575Z"}}' @@ -271,13 +271,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments/mock-deployment?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90},"provisioningState":"Creating","status":"Running","active":true,"instances":null,"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:25:26.2799224Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:25:26.2799224Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/fb5f6053-bb0b-4e01-b9c8-88fed265b5d4?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/fb5f6053-bb0b-4e01-b9c8-88fed265b5d4?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -289,7 +289,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/fb5f6053-bb0b-4e01-b9c8-88fed265b5d4/Spring/default?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/fb5f6053-bb0b-4e01-b9c8-88fed265b5d4/Spring/default?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -326,13 +326,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain","name":"test-custom-domain","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:24:50.0031575Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:25:28.9844521Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-custom-domain/operationId/804278a9-4aa6-4ae1-be9b-76e718aa8f90?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-custom-domain/operationId/804278a9-4aa6-4ae1-be9b-76e718aa8f90?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -344,7 +344,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/804278a9-4aa6-4ae1-be9b-76e718aa8f90/Spring/test-custom-domain?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/804278a9-4aa6-4ae1-be9b-76e718aa8f90/Spring/test-custom-domain?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -376,7 +376,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/fb5f6053-bb0b-4e01-b9c8-88fed265b5d4?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/fb5f6053-bb0b-4e01-b9c8-88fed265b5d4?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/fb5f6053-bb0b-4e01-b9c8-88fed265b5d4","name":"fb5f6053-bb0b-4e01-b9c8-88fed265b5d4","status":"Running","startTime":"2022-09-07T14:25:28.6461174Z"}' @@ -424,7 +424,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-custom-domain/operationId/804278a9-4aa6-4ae1-be9b-76e718aa8f90?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-custom-domain/operationId/804278a9-4aa6-4ae1-be9b-76e718aa8f90?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-custom-domain/operationId/804278a9-4aa6-4ae1-be9b-76e718aa8f90","name":"804278a9-4aa6-4ae1-be9b-76e718aa8f90","status":"Succeeded","startTime":"2022-09-07T14:25:29.5449416Z","endTime":"2022-09-07T14:25:35.9508357Z"}' @@ -472,7 +472,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain","name":"test-custom-domain","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:24:50.0031575Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:25:28.9844521Z"}}' @@ -522,7 +522,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/fb5f6053-bb0b-4e01-b9c8-88fed265b5d4?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/fb5f6053-bb0b-4e01-b9c8-88fed265b5d4?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/fb5f6053-bb0b-4e01-b9c8-88fed265b5d4","name":"fb5f6053-bb0b-4e01-b9c8-88fed265b5d4","status":"Running","startTime":"2022-09-07T14:25:28.6461174Z"}' @@ -570,7 +570,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/fb5f6053-bb0b-4e01-b9c8-88fed265b5d4?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/fb5f6053-bb0b-4e01-b9c8-88fed265b5d4?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/fb5f6053-bb0b-4e01-b9c8-88fed265b5d4","name":"fb5f6053-bb0b-4e01-b9c8-88fed265b5d4","status":"Succeeded","startTime":"2022-09-07T14:25:28.6461174Z","endTime":"2022-09-07T14:26:11.3117661Z"}' @@ -618,7 +618,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments/mock-deployment?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-custom-domain-default-18-78f5fb7766-ptsvn","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T14:25:35Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:25:26.2799224Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:25:26.2799224Z"}}' @@ -668,7 +668,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain","name":"test-custom-domain","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:24:50.0031575Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:25:28.9844521Z"}}' @@ -718,7 +718,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-custom-domain-default-18-78f5fb7766-ptsvn","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T14:25:35Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:25:26.2799224Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:25:26.2799224Z"}}]}' @@ -773,7 +773,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert?api-version=2022-11-01-preview response: body: string: '{"properties":{"vaultUri":"https://integration-test-prod.vault.azure.net","keyVaultCertName":"cli-unittest","certVersion":"b7518f6674c744cb8eca1e83fc221e56","excludePrivateKey":false,"type":"KeyVaultCertificate","thumbprint":"ef16ce1a35ecd6b7a9d4e546a5b1d480b38f3e5d","issuer":"*.asc-test.net","expirationDate":"2022-12-13T04:50:31.000+00:00","activateDate":"2021-12-13T04:40:31.000+00:00","subjectName":"*.asc-test.net","dnsNames":["cli.asc-test.net"]},"type":"Microsoft.AppPlatform/Spring/certificates","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert","name":"test-cert","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:27:10.6980537Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:27:10.6980537Z"}}' @@ -823,7 +823,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert?api-version=2022-11-01-preview response: body: string: '{"properties":{"vaultUri":"https://integration-test-prod.vault.azure.net","keyVaultCertName":"cli-unittest","certVersion":"b7518f6674c744cb8eca1e83fc221e56","excludePrivateKey":false,"type":"KeyVaultCertificate","thumbprint":"ef16ce1a35ecd6b7a9d4e546a5b1d480b38f3e5d","issuer":"*.asc-test.net","expirationDate":"2022-12-13T04:50:31.000+00:00","activateDate":"2021-12-13T04:40:31.000+00:00","subjectName":"*.asc-test.net","dnsNames":["cli.asc-test.net"]},"type":"Microsoft.AppPlatform/Spring/certificates","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert","name":"test-cert","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:27:10.6980537Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:27:10.6980537Z"}}' @@ -871,7 +871,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"type":"ContentCertificate","thumbprint":"d4de20d05e66fc53fe1a50882c78db2852cae474","issuer":"Baltimore @@ -923,7 +923,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-custom-domain-default-18-78f5fb7766-ptsvn","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T14:25:35Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:25:26.2799224Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:25:26.2799224Z"}}]}' @@ -977,7 +977,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/domains/cli.asc-test.net?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/domains/cli.asc-test.net?api-version=2022-11-01-preview response: body: string: '{"properties":{"appName":"test-custom-domain"},"type":"Microsoft.AppPlatform/Spring/apps/domains","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/domains/cli.asc-test.net","name":"cli.asc-test.net","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:27:44.04635Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:27:44.04635Z"}}' @@ -1027,7 +1027,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-custom-domain-default-18-78f5fb7766-ptsvn","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T14:25:35Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:25:26.2799224Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:25:26.2799224Z"}}]}' @@ -1077,7 +1077,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/domains/cli.asc-test.net?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/domains/cli.asc-test.net?api-version=2022-11-01-preview response: body: string: '{"properties":{"appName":"test-custom-domain"},"type":"Microsoft.AppPlatform/Spring/apps/domains","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/domains/cli.asc-test.net","name":"cli.asc-test.net","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:27:44.04635Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:27:44.04635Z"}}' @@ -1125,7 +1125,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-custom-domain-default-18-78f5fb7766-ptsvn","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T14:25:35Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:25:26.2799224Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:25:26.2799224Z"}}]}' @@ -1175,7 +1175,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/domains?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/domains?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"appName":"test-custom-domain"},"type":"Microsoft.AppPlatform/Spring/apps/domains","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/domains/cli.asc-test.net","name":"cli.asc-test.net","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:27:44.04635Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:27:44.04635Z"}}]}' @@ -1223,7 +1223,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-custom-domain-default-18-78f5fb7766-ptsvn","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T14:25:35Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:25:26.2799224Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:25:26.2799224Z"}}]}' @@ -1273,7 +1273,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert?api-version=2022-11-01-preview response: body: string: '{"properties":{"vaultUri":"https://integration-test-prod.vault.azure.net","keyVaultCertName":"cli-unittest","certVersion":"b7518f6674c744cb8eca1e83fc221e56","excludePrivateKey":false,"type":"KeyVaultCertificate","thumbprint":"ef16ce1a35ecd6b7a9d4e546a5b1d480b38f3e5d","issuer":"*.asc-test.net","expirationDate":"2022-12-13T04:50:31.000+00:00","activateDate":"2021-12-13T04:40:31.000+00:00","subjectName":"*.asc-test.net","dnsNames":["cli.asc-test.net"]},"type":"Microsoft.AppPlatform/Spring/certificates","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert","name":"test-cert","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:27:10.6980537Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:27:10.6980537Z"}}' @@ -1326,7 +1326,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/domains/cli.asc-test.net?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/domains/cli.asc-test.net?api-version=2022-11-01-preview response: body: string: '{"properties":{"thumbprint":"ef16ce1a35ecd6b7a9d4e546a5b1d480b38f3e5d","appName":"test-custom-domain","certName":"test-cert"},"type":"Microsoft.AppPlatform/Spring/apps/domains","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/domains/cli.asc-test.net","name":"cli.asc-test.net","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:27:44.04635Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:29:04.8190967Z"}}' @@ -1376,7 +1376,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-custom-domain-default-18-78f5fb7766-ptsvn","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T14:25:35Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:25:26.2799224Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:25:26.2799224Z"}}]}' @@ -1426,7 +1426,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/domains/cli.asc-test.net?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/domains/cli.asc-test.net?api-version=2022-11-01-preview response: body: string: '{"properties":{"thumbprint":"ef16ce1a35ecd6b7a9d4e546a5b1d480b38f3e5d","appName":"test-custom-domain","certName":"test-cert"},"type":"Microsoft.AppPlatform/Spring/apps/domains","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/domains/cli.asc-test.net","name":"cli.asc-test.net","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:27:44.04635Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:29:04.8190967Z"}}' @@ -1476,7 +1476,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/domains/cli.asc-test.net?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/domains/cli.asc-test.net?api-version=2022-11-01-preview response: body: string: '' @@ -1520,7 +1520,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-custom-domain-default-18-78f5fb7766-ptsvn","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T14:25:35Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:25:26.2799224Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:25:26.2799224Z"}}]}' @@ -1570,7 +1570,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/domains/cli.asc-test.net?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/domains/cli.asc-test.net?api-version=2022-11-01-preview response: body: string: '{"error":{"code":"NotFound","message":"CustomDomain ''cli.asc-test.net'' @@ -1615,7 +1615,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert?api-version=2022-11-01-preview response: body: string: '{"properties":{"vaultUri":"https://integration-test-prod.vault.azure.net","keyVaultCertName":"cli-unittest","certVersion":"b7518f6674c744cb8eca1e83fc221e56","excludePrivateKey":false,"type":"KeyVaultCertificate","thumbprint":"ef16ce1a35ecd6b7a9d4e546a5b1d480b38f3e5d","issuer":"*.asc-test.net","expirationDate":"2022-12-13T04:50:31.000+00:00","activateDate":"2021-12-13T04:40:31.000+00:00","subjectName":"*.asc-test.net","dnsNames":["cli.asc-test.net"]},"type":"Microsoft.AppPlatform/Spring/certificates","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert","name":"test-cert","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:27:10.6980537Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:27:10.6980537Z"}}' @@ -1665,7 +1665,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert?api-version=2022-11-01-preview response: body: string: '' @@ -1709,7 +1709,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert?api-version=2022-11-01-preview response: body: string: '{"error":{"code":"NotFound","message":"Certificate ''test-cert'' diff --git a/src/spring/azext_spring/tests/latest/recordings/test_blue_green_deployment.yaml b/src/spring/azext_spring/tests/latest/recordings/test_blue_green_deployment.yaml index 968115d4323..35f58588a1c 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_blue_green_deployment.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_blue_green_deployment.yaml @@ -13,9 +13,9 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2022-11-01-preview response: body: string: '{"error":{"code":"NotFound","message":"App was not found","target":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","details":null}}' @@ -27,13 +27,13 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 07 Sep 2022 06:18:22 GMT + - Thu, 09 Feb 2023 08:04:49 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains x-content-type-options: @@ -41,7 +41,7 @@ interactions: x-ms-ratelimit-remaining-subscription-resource-requests: - '11999' x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 404 message: Not Found @@ -59,27 +59,27 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview response: body: - string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"e55ed5c1ee8942f9a36f033e7bbd28e8","networkProfile":{"outboundIPs":{"publicIPs":["20.237.103.188","20.237.103.250"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:05:42.8680393Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:11:29.9671687Z"}}' + string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"5ba46920b17d471fb607ab2b0ea28f1d","networkProfile":{"outboundIPs":{"publicIPs":["20.232.236.85","20.232.236.151"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T07:38:29.1366068Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T07:44:18.9847621Z"}}' headers: cache-control: - no-cache content-length: - - '796' + - '798' content-type: - application/json; charset=utf-8 date: - - Wed, 07 Sep 2022 06:18:22 GMT + - Thu, 09 Feb 2023 08:04:51 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -91,7 +91,7 @@ interactions: x-ms-ratelimit-remaining-subscription-resource-requests: - '11999' x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 200 message: OK @@ -114,31 +114,31 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2022-11-01-preview response: body: - string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Creating","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:18:23.2992628Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:18:23.2992628Z"}}' + string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Creating","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:04:52.1228902Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:04:52.1228902Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/37041d9a-430e-4048-a636-e164405f1c21?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/e5d35752-e9d3-4e22-a7a8-cc630e088f65?api-version=2022-11-01-preview cache-control: - no-cache content-length: - - '882' + - '876' content-type: - application/json; charset=utf-8 date: - - Wed, 07 Sep 2022 06:18:23 GMT + - Thu, 09 Feb 2023 08:04:52 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/37041d9a-430e-4048-a636-e164405f1c21/Spring/test-app-blue-green?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/e5d35752-e9d3-4e22-a7a8-cc630e088f65/Spring/test-app-blue-green?api-version=2022-11-01-preview pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains x-content-type-options: @@ -146,7 +146,7 @@ interactions: x-ms-ratelimit-remaining-subscription-resource-requests: - '1199' x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 201 message: Created @@ -164,12 +164,60 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/37041d9a-430e-4048-a636-e164405f1c21?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/e5d35752-e9d3-4e22-a7a8-cc630e088f65?api-version=2022-11-01-preview response: body: - string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/37041d9a-430e-4048-a636-e164405f1c21","name":"37041d9a-430e-4048-a636-e164405f1c21","status":"Succeeded","startTime":"2022-09-07T06:18:24.0756998Z","endTime":"2022-09-07T06:18:30.6961394Z"}' + string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/e5d35752-e9d3-4e22-a7a8-cc630e088f65","name":"e5d35752-e9d3-4e22-a7a8-cc630e088f65","status":"Running","startTime":"2023-02-09T08:04:52.6282571Z"}' + headers: + cache-control: + - no-cache + content-length: + - '320' + content-type: + - application/json; charset=utf-8 + date: + - Thu, 09 Feb 2023 08:04:52 GMT + expires: + - '-1' + pragma: + - no-cache + request-context: + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-rp-server-mvid: + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - spring app create + Connection: + - keep-alive + ParameterSetName: + - -n -g -s + User-Agent: + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/e5d35752-e9d3-4e22-a7a8-cc630e088f65?api-version=2022-11-01-preview + response: + body: + string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/e5d35752-e9d3-4e22-a7a8-cc630e088f65","name":"e5d35752-e9d3-4e22-a7a8-cc630e088f65","status":"Succeeded","startTime":"2023-02-09T08:04:52.6282571Z","endTime":"2023-02-09T08:04:59.0147636Z"}' headers: cache-control: - no-cache @@ -178,13 +226,13 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 07 Sep 2022 06:18:53 GMT + - Thu, 09 Feb 2023 08:05:03 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -194,7 +242,7 @@ interactions: x-content-type-options: - nosniff x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 200 message: OK @@ -212,27 +260,27 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2022-11-01-preview response: body: - string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:18:23.2992628Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:18:23.2992628Z"}}' + string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:04:52.1228902Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:04:52.1228902Z"}}' headers: cache-control: - no-cache content-length: - - '976' + - '979' content-type: - application/json; charset=utf-8 date: - - Wed, 07 Sep 2022 06:18:54 GMT + - Thu, 09 Feb 2023 08:05:03 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -244,7 +292,7 @@ interactions: x-ms-ratelimit-remaining-subscription-resource-requests: - '11998' x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 200 message: OK @@ -269,31 +317,31 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/mock-deployment?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/mock-deployment?api-version=2022-11-01-preview response: body: - string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90},"provisioningState":"Creating","status":"Running","active":true,"instances":null,"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:18:59.4472936Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:18:59.4472936Z"}}' + string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90},"provisioningState":"Creating","status":"Running","active":true,"instances":null,"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/default","name":"default","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:05:07.9978086Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:05:07.9978086Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/96952abf-e20e-41c5-8db8-eeda20593d13?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/c16922be-b6e4-4918-8e80-337eb4b90de0?api-version=2022-11-01-preview cache-control: - no-cache content-length: - - '842' + - '836' content-type: - application/json; charset=utf-8 date: - - Wed, 07 Sep 2022 06:19:01 GMT + - Thu, 09 Feb 2023 08:05:08 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/96952abf-e20e-41c5-8db8-eeda20593d13/Spring/default?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/c16922be-b6e4-4918-8e80-337eb4b90de0/Spring/default?api-version=2022-11-01-preview pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains x-content-type-options: @@ -301,7 +349,7 @@ interactions: x-ms-ratelimit-remaining-subscription-resource-requests: - '1199' x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 201 message: Created @@ -324,31 +372,31 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2022-11-01-preview response: body: - string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:18:23.2992628Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:19:02.119731Z"}}' + string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:04:52.1228902Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:05:09.8891564Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/6083e324-0129-4511-99a3-1649e53f043c?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/065ff562-fff3-42a0-a0b4-826ff96e6b81?api-version=2022-11-01-preview cache-control: - no-cache content-length: - - '974' + - '978' content-type: - application/json; charset=utf-8 date: - - Wed, 07 Sep 2022 06:19:02 GMT + - Thu, 09 Feb 2023 08:05:10 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/6083e324-0129-4511-99a3-1649e53f043c/Spring/test-app-blue-green?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/065ff562-fff3-42a0-a0b4-826ff96e6b81/Spring/test-app-blue-green?api-version=2022-11-01-preview pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains x-content-type-options: @@ -356,7 +404,7 @@ interactions: x-ms-ratelimit-remaining-subscription-resource-requests: - '1198' x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 202 message: Accepted @@ -374,12 +422,60 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/96952abf-e20e-41c5-8db8-eeda20593d13?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/065ff562-fff3-42a0-a0b4-826ff96e6b81?api-version=2022-11-01-preview response: body: - string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/96952abf-e20e-41c5-8db8-eeda20593d13","name":"96952abf-e20e-41c5-8db8-eeda20593d13","status":"Running","startTime":"2022-09-07T06:19:01.7579279Z"}' + string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/065ff562-fff3-42a0-a0b4-826ff96e6b81","name":"065ff562-fff3-42a0-a0b4-826ff96e6b81","status":"Running","startTime":"2023-02-09T08:05:10.8199502Z"}' + headers: + cache-control: + - no-cache + content-length: + - '320' + content-type: + - application/json; charset=utf-8 + date: + - Thu, 09 Feb 2023 08:05:10 GMT + expires: + - '-1' + pragma: + - no-cache + request-context: + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-rp-server-mvid: + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - spring app create + Connection: + - keep-alive + ParameterSetName: + - -n -g -s + User-Agent: + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/c16922be-b6e4-4918-8e80-337eb4b90de0?api-version=2022-11-01-preview + response: + body: + string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/c16922be-b6e4-4918-8e80-337eb4b90de0","name":"c16922be-b6e4-4918-8e80-337eb4b90de0","status":"Running","startTime":"2023-02-09T08:05:09.5250306Z"}' headers: cache-control: - no-cache @@ -388,13 +484,13 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 07 Sep 2022 06:19:32 GMT + - Thu, 09 Feb 2023 08:05:21 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -404,7 +500,7 @@ interactions: x-content-type-options: - nosniff x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 200 message: OK @@ -422,27 +518,27 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/6083e324-0129-4511-99a3-1649e53f043c?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/065ff562-fff3-42a0-a0b4-826ff96e6b81?api-version=2022-11-01-preview response: body: - string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/6083e324-0129-4511-99a3-1649e53f043c","name":"6083e324-0129-4511-99a3-1649e53f043c","status":"Succeeded","startTime":"2022-09-07T06:19:03.071124Z","endTime":"2022-09-07T06:19:09.8457236Z"}' + string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/065ff562-fff3-42a0-a0b4-826ff96e6b81","name":"065ff562-fff3-42a0-a0b4-826ff96e6b81","status":"Succeeded","startTime":"2023-02-09T08:05:10.8199502Z","endTime":"2023-02-09T08:05:17.2536917Z"}' headers: cache-control: - no-cache content-length: - - '362' + - '363' content-type: - application/json; charset=utf-8 date: - - Wed, 07 Sep 2022 06:19:33 GMT + - Thu, 09 Feb 2023 08:05:23 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -452,7 +548,7 @@ interactions: x-content-type-options: - nosniff x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 200 message: OK @@ -470,27 +566,27 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2022-11-01-preview response: body: - string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:18:23.2992628Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:19:02.119731Z"}}' + string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:04:52.1228902Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:05:09.8891564Z"}}' headers: cache-control: - no-cache content-length: - - '975' + - '979' content-type: - application/json; charset=utf-8 date: - - Wed, 07 Sep 2022 06:19:34 GMT + - Thu, 09 Feb 2023 08:05:23 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -500,9 +596,9 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '11997' + - '11999' x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 200 message: OK @@ -520,12 +616,108 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/96952abf-e20e-41c5-8db8-eeda20593d13?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/c16922be-b6e4-4918-8e80-337eb4b90de0?api-version=2022-11-01-preview response: body: - string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/96952abf-e20e-41c5-8db8-eeda20593d13","name":"96952abf-e20e-41c5-8db8-eeda20593d13","status":"Succeeded","startTime":"2022-09-07T06:19:01.7579279Z","endTime":"2022-09-07T06:19:37.4689828Z"}' + string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/c16922be-b6e4-4918-8e80-337eb4b90de0","name":"c16922be-b6e4-4918-8e80-337eb4b90de0","status":"Running","startTime":"2023-02-09T08:05:09.5250306Z"}' + headers: + cache-control: + - no-cache + content-length: + - '308' + content-type: + - application/json; charset=utf-8 + date: + - Thu, 09 Feb 2023 08:05:32 GMT + expires: + - '-1' + pragma: + - no-cache + request-context: + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-rp-server-mvid: + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - spring app create + Connection: + - keep-alive + ParameterSetName: + - -n -g -s + User-Agent: + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/c16922be-b6e4-4918-8e80-337eb4b90de0?api-version=2022-11-01-preview + response: + body: + string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/c16922be-b6e4-4918-8e80-337eb4b90de0","name":"c16922be-b6e4-4918-8e80-337eb4b90de0","status":"Running","startTime":"2023-02-09T08:05:09.5250306Z"}' + headers: + cache-control: + - no-cache + content-length: + - '308' + content-type: + - application/json; charset=utf-8 + date: + - Thu, 09 Feb 2023 08:05:42 GMT + expires: + - '-1' + pragma: + - no-cache + request-context: + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-rp-server-mvid: + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - spring app create + Connection: + - keep-alive + ParameterSetName: + - -n -g -s + User-Agent: + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/c16922be-b6e4-4918-8e80-337eb4b90de0?api-version=2022-11-01-preview + response: + body: + string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/c16922be-b6e4-4918-8e80-337eb4b90de0","name":"c16922be-b6e4-4918-8e80-337eb4b90de0","status":"Succeeded","startTime":"2023-02-09T08:05:09.5250306Z","endTime":"2023-02-09T08:05:43.9037965Z"}' headers: cache-control: - no-cache @@ -534,13 +726,13 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 07 Sep 2022 06:19:42 GMT + - Thu, 09 Feb 2023 08:05:52 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -550,7 +742,7 @@ interactions: x-content-type-options: - nosniff x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 200 message: OK @@ -568,27 +760,27 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/mock-deployment?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/mock-deployment?api-version=2022-11-01-preview response: body: - string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-blue-green-default-19-66db75ffd8-2c2hr","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:19:03Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:18:59.4472936Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:18:59.4472936Z"}}' + string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":300,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":5,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-blue-green-default-19-85dd45f974-wp26k","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:05:16Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/default","name":"default","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:05:07.9978086Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:05:07.9978086Z"}}' headers: cache-control: - no-cache content-length: - - '1352' + - '1350' content-type: - application/json; charset=utf-8 date: - - Wed, 07 Sep 2022 06:20:05 GMT + - Thu, 09 Feb 2023 08:05:55 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -598,9 +790,9 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '11999' + - '11998' x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 200 message: OK @@ -618,27 +810,27 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2022-11-01-preview response: body: - string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:18:23.2992628Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:19:02.119731Z"}}' + string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:04:52.1228902Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:05:09.8891564Z"}}' headers: cache-control: - no-cache content-length: - - '975' + - '979' content-type: - application/json; charset=utf-8 date: - - Wed, 07 Sep 2022 06:20:08 GMT + - Thu, 09 Feb 2023 08:06:01 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -648,9 +840,9 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '11996' + - '11998' x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 200 message: OK @@ -668,27 +860,27 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments?api-version=2022-11-01-preview response: body: - string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-blue-green-default-19-66db75ffd8-2c2hr","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:19:03Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:18:59.4472936Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:18:59.4472936Z"}}]}' + string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":300,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":5,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-blue-green-default-19-85dd45f974-wp26k","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:05:16Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/default","name":"default","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:05:07.9978086Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:05:07.9978086Z"}}]}' headers: cache-control: - no-cache content-length: - - '1364' + - '1362' content-type: - application/json; charset=utf-8 date: - - Wed, 07 Sep 2022 06:20:31 GMT + - Thu, 09 Feb 2023 08:06:04 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -698,9 +890,9 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '11998' + - '11997' x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 200 message: OK @@ -718,27 +910,27 @@ interactions: ParameterSetName: - --app -n -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments?api-version=2022-11-01-preview response: body: - string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-blue-green-default-19-66db75ffd8-2c2hr","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:19:03Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:18:59.4472936Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:18:59.4472936Z"}}]}' + string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":300,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":5,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-blue-green-default-19-85dd45f974-wp26k","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:05:16Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/default","name":"default","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:05:07.9978086Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:05:07.9978086Z"}}]}' headers: cache-control: - no-cache content-length: - - '1364' + - '1362' content-type: - application/json; charset=utf-8 date: - - Wed, 07 Sep 2022 06:20:55 GMT + - Thu, 09 Feb 2023 08:06:08 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -748,9 +940,9 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '11998' + - '11999' x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 200 message: OK @@ -775,39 +967,39 @@ interactions: ParameterSetName: - --app -n -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/mock-deployment?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/mock-deployment?api-version=2022-11-01-preview response: body: - string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90},"provisioningState":"Creating","status":"Running","active":false,"instances":null,"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/green","name":"green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:20:57.2222074Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:20:57.2222074Z"}}' + string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90},"provisioningState":"Creating","status":"Running","active":false,"instances":null,"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/green","name":"green","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:06:10.4113564Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:06:10.4113564Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/cfe5a378-8809-4215-ba89-6075e0325f32?api-version=2022-05-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/56b2cc89-8044-48e1-b236-33f00b84a21c?api-version=2022-11-01-preview cache-control: - no-cache content-length: - - '839' + - '833' content-type: - application/json; charset=utf-8 date: - - Wed, 07 Sep 2022 06:20:58 GMT + - Thu, 09 Feb 2023 08:06:11 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/cfe5a378-8809-4215-ba89-6075e0325f32/Spring/green?api-version=2022-05-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/56b2cc89-8044-48e1-b236-33f00b84a21c/Spring/green?api-version=2022-11-01-preview pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '1198' + - '1199' x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 201 message: Created @@ -825,27 +1017,27 @@ interactions: ParameterSetName: - --app -n -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/cfe5a378-8809-4215-ba89-6075e0325f32?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/56b2cc89-8044-48e1-b236-33f00b84a21c?api-version=2022-11-01-preview response: body: - string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/cfe5a378-8809-4215-ba89-6075e0325f32","name":"cfe5a378-8809-4215-ba89-6075e0325f32","status":"Running","startTime":"2022-09-07T06:20:59.1627404Z"}' + string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/56b2cc89-8044-48e1-b236-33f00b84a21c","name":"56b2cc89-8044-48e1-b236-33f00b84a21c","status":"Running","startTime":"2023-02-09T08:06:12.139335Z"}' headers: cache-control: - no-cache content-length: - - '306' + - '305' content-type: - application/json; charset=utf-8 date: - - Wed, 07 Sep 2022 06:21:28 GMT + - Thu, 09 Feb 2023 08:06:11 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -855,7 +1047,7 @@ interactions: x-content-type-options: - nosniff x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 200 message: OK @@ -873,27 +1065,27 @@ interactions: ParameterSetName: - --app -n -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/cfe5a378-8809-4215-ba89-6075e0325f32?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/56b2cc89-8044-48e1-b236-33f00b84a21c?api-version=2022-11-01-preview response: body: - string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/cfe5a378-8809-4215-ba89-6075e0325f32","name":"cfe5a378-8809-4215-ba89-6075e0325f32","status":"Running","startTime":"2022-09-07T06:20:59.1627404Z"}' + string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/56b2cc89-8044-48e1-b236-33f00b84a21c","name":"56b2cc89-8044-48e1-b236-33f00b84a21c","status":"Running","startTime":"2023-02-09T08:06:12.139335Z"}' headers: cache-control: - no-cache content-length: - - '306' + - '305' content-type: - application/json; charset=utf-8 date: - - Wed, 07 Sep 2022 06:21:40 GMT + - Thu, 09 Feb 2023 08:06:23 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -903,7 +1095,7 @@ interactions: x-content-type-options: - nosniff x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 200 message: OK @@ -921,27 +1113,27 @@ interactions: ParameterSetName: - --app -n -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/cfe5a378-8809-4215-ba89-6075e0325f32?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/56b2cc89-8044-48e1-b236-33f00b84a21c?api-version=2022-11-01-preview response: body: - string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/cfe5a378-8809-4215-ba89-6075e0325f32","name":"cfe5a378-8809-4215-ba89-6075e0325f32","status":"Succeeded","startTime":"2022-09-07T06:20:59.1627404Z","endTime":"2022-09-07T06:21:40.9082365Z"}' + string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/56b2cc89-8044-48e1-b236-33f00b84a21c","name":"56b2cc89-8044-48e1-b236-33f00b84a21c","status":"Running","startTime":"2023-02-09T08:06:12.139335Z"}' headers: cache-control: - no-cache content-length: - - '349' + - '305' content-type: - application/json; charset=utf-8 date: - - Wed, 07 Sep 2022 06:21:50 GMT + - Thu, 09 Feb 2023 08:06:33 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -951,7 +1143,7 @@ interactions: x-content-type-options: - nosniff x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 200 message: OK @@ -969,27 +1161,27 @@ interactions: ParameterSetName: - --app -n -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/mock-deployment?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/56b2cc89-8044-48e1-b236-33f00b84a21c?api-version=2022-11-01-preview response: body: - string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-app-blue-green-green-19-5889c59457-6qffb","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:21:06Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/green","name":"green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:20:57.2222074Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:20:57.2222074Z"}}' + string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/56b2cc89-8044-48e1-b236-33f00b84a21c","name":"56b2cc89-8044-48e1-b236-33f00b84a21c","status":"Succeeded","startTime":"2023-02-09T08:06:12.139335Z","endTime":"2023-02-09T08:06:39.7042004Z"}' headers: cache-control: - no-cache content-length: - - '1347' + - '348' content-type: - application/json; charset=utf-8 date: - - Wed, 07 Sep 2022 06:22:13 GMT + - Thu, 09 Feb 2023 08:06:43 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -998,10 +1190,8 @@ interactions: - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '11997' x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 200 message: OK @@ -1009,37 +1199,37 @@ interactions: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - spring app deployment list + - spring app deployment create Connection: - keep-alive ParameterSetName: - - --app -g -s + - --app -n -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/mock-deployment?api-version=2022-11-01-preview response: body: - string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-blue-green-default-19-66db75ffd8-2c2hr","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:19:03Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:18:59.4472936Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:18:59.4472936Z"}},{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-app-blue-green-green-19-5889c59457-6qffb","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:21:06Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/green","name":"green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:20:57.2222074Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:20:57.2222074Z"}}]}' + string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":300,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":5,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-app-blue-green-green-19-748f8b4f8f-t8scm","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:06:13Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/green","name":"green","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:06:10.4113564Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:06:10.4113564Z"}}' headers: cache-control: - no-cache content-length: - - '2712' + - '1345' content-type: - application/json; charset=utf-8 date: - - Wed, 07 Sep 2022 06:22:38 GMT + - Thu, 09 Feb 2023 08:06:46 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -1049,9 +1239,9 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '11999' + - '11998' x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 200 message: OK @@ -1063,33 +1253,33 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - spring app set-deployment + - spring app deployment list Connection: - keep-alive ParameterSetName: - - -d -n -g -s + - --app -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/mock-deployment?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments?api-version=2022-11-01-preview response: body: - string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-app-blue-green-green-19-5889c59457-6qffb","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:21:06Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/green","name":"green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:20:57.2222074Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:20:57.2222074Z"}}' + string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":300,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":5,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-blue-green-default-19-85dd45f974-wp26k","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:05:16Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/default","name":"default","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:05:07.9978086Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:05:07.9978086Z"}},{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":300,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":5,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-app-blue-green-green-19-748f8b4f8f-t8scm","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:06:13Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/green","name":"green","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:06:10.4113564Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:06:10.4113564Z"}}]}' headers: cache-control: - no-cache content-length: - - '1347' + - '2708' content-type: - application/json; charset=utf-8 date: - - Wed, 07 Sep 2022 06:23:02 GMT + - Thu, 09 Feb 2023 08:06:51 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -1101,7 +1291,7 @@ interactions: x-ms-ratelimit-remaining-subscription-resource-requests: - '11999' x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 200 message: OK @@ -1119,27 +1309,27 @@ interactions: ParameterSetName: - -d -n -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/mock-deployment?api-version=2022-11-01-preview response: body: - string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"e55ed5c1ee8942f9a36f033e7bbd28e8","networkProfile":{"outboundIPs":{"publicIPs":["20.237.103.188","20.237.103.250"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:05:42.8680393Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:11:29.9671687Z"}}' + string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":300,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":5,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-app-blue-green-green-19-748f8b4f8f-t8scm","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:06:13Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/green","name":"green","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:06:10.4113564Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:06:10.4113564Z"}}' headers: cache-control: - no-cache content-length: - - '796' + - '1345' content-type: - application/json; charset=utf-8 date: - - Wed, 07 Sep 2022 06:23:04 GMT + - Thu, 09 Feb 2023 08:06:56 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -1149,14 +1339,14 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '11998' + - '11999' x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 200 message: OK - request: - body: '{"properties": {"activeDeploymentName": "green", "httpsOnly": false}}' + body: '{"activeDeploymentNames": ["green"]}' headers: Accept: - application/json @@ -1167,45 +1357,45 @@ interactions: Connection: - keep-alive Content-Length: - - '69' + - '36' Content-Type: - application/json ParameterSetName: - -d -n -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) - method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2020-07-01 + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/setActiveDeployments?api-version=2022-11-01-preview response: body: - string: '{"properties":{"public":false,"provisioningState":"Updating","activeDeploymentName":"green","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"createdTime":"2022-09-07T06:18:30.626Z","temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green"}' + string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:04:52.1228902Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:06:57.15789Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/1cc2dd77-358a-4ec1-b0da-16ca2956f5c6?api-version=2020-07-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/35d56015-02e1-4fa5-9312-3e6985f94337?api-version=2022-11-01-preview cache-control: - no-cache content-length: - - '708' + - '976' content-type: - application/json; charset=utf-8 date: - - Wed, 07 Sep 2022 06:23:08 GMT + - Thu, 09 Feb 2023 08:06:58 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/1cc2dd77-358a-4ec1-b0da-16ca2956f5c6/Spring/test-app-blue-green?api-version=2020-07-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/35d56015-02e1-4fa5-9312-3e6985f94337/Spring/test-app-blue-green?api-version=2022-11-01-preview pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: + x-ms-ratelimit-remaining-subscription-writes: - '1199' x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 202 message: Accepted @@ -1223,12 +1413,12 @@ interactions: ParameterSetName: - -d -n -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/1cc2dd77-358a-4ec1-b0da-16ca2956f5c6?api-version=2020-07-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/35d56015-02e1-4fa5-9312-3e6985f94337?api-version=2022-11-01-preview response: body: - string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/1cc2dd77-358a-4ec1-b0da-16ca2956f5c6","name":"1cc2dd77-358a-4ec1-b0da-16ca2956f5c6","status":"Running","startTime":"2022-09-07T06:23:09.1187592Z"}' + string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/35d56015-02e1-4fa5-9312-3e6985f94337","name":"35d56015-02e1-4fa5-9312-3e6985f94337","status":"Running","startTime":"2023-02-09T08:06:58.7237292Z"}' headers: cache-control: - no-cache @@ -1237,13 +1427,13 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 07 Sep 2022 06:23:39 GMT + - Thu, 09 Feb 2023 08:06:58 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -1253,7 +1443,7 @@ interactions: x-content-type-options: - nosniff x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 200 message: OK @@ -1271,27 +1461,27 @@ interactions: ParameterSetName: - -d -n -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/1cc2dd77-358a-4ec1-b0da-16ca2956f5c6?api-version=2020-07-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/35d56015-02e1-4fa5-9312-3e6985f94337?api-version=2022-11-01-preview response: body: - string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/1cc2dd77-358a-4ec1-b0da-16ca2956f5c6","name":"1cc2dd77-358a-4ec1-b0da-16ca2956f5c6","status":"Succeeded","startTime":"2022-09-07T06:23:09.1187592Z","endTime":"2022-09-07T06:23:43.9059922Z"}' + string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/35d56015-02e1-4fa5-9312-3e6985f94337","name":"35d56015-02e1-4fa5-9312-3e6985f94337","status":"Running","startTime":"2023-02-09T08:06:58.7237292Z"}' headers: cache-control: - no-cache content-length: - - '363' + - '320' content-type: - application/json; charset=utf-8 date: - - Wed, 07 Sep 2022 06:23:49 GMT + - Thu, 09 Feb 2023 08:07:09 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -1301,7 +1491,7 @@ interactions: x-content-type-options: - nosniff x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 200 message: OK @@ -1319,27 +1509,27 @@ interactions: ParameterSetName: - -d -n -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2020-07-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/35d56015-02e1-4fa5-9312-3e6985f94337?api-version=2022-11-01-preview response: body: - string: '{"properties":{"public":false,"provisioningState":"Succeeded","activeDeploymentName":"green","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"createdTime":"2022-09-07T06:18:30.626Z","temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green"}' + string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/35d56015-02e1-4fa5-9312-3e6985f94337","name":"35d56015-02e1-4fa5-9312-3e6985f94337","status":"Succeeded","startTime":"2023-02-09T08:06:58.7237292Z","endTime":"2023-02-09T08:07:16.5467574Z"}' headers: cache-control: - no-cache content-length: - - '709' + - '363' content-type: - application/json; charset=utf-8 date: - - Wed, 07 Sep 2022 06:23:50 GMT + - Thu, 09 Feb 2023 08:07:19 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -1348,10 +1538,8 @@ interactions: - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '11999' x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 200 message: OK @@ -1359,37 +1547,37 @@ interactions: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - spring app show + - spring app set-deployment Connection: - keep-alive ParameterSetName: - - -n -g -s + - -d -n -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/35d56015-02e1-4fa5-9312-3e6985f94337/Spring/test-app-blue-green?api-version=2022-11-01-preview response: body: - string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:18:23.2992628Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:23:05.4099579Z"}}' + string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","activeDeploymentName":"green","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"createdTime":"2023-02-09T08:04:58.957Z","temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:04:52.1228902Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:06:57.15789Z"}}' headers: cache-control: - no-cache content-length: - - '976' + - '1049' content-type: - application/json; charset=utf-8 date: - - Wed, 07 Sep 2022 06:23:53 GMT + - Thu, 09 Feb 2023 08:07:20 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -1398,10 +1586,8 @@ interactions: - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '11998' x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 200 message: OK @@ -1419,29 +1605,27 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2022-11-01-preview response: body: - string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-app-blue-green-default-19-66db75ffd8-2c2hr","status":"Terminating","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:19:03Z"},{"name":"test-app-blue-green-default-19-66db75ffd8-hrtdk","status":"Starting","reason":"Not - ready for connecting","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:23:38Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:18:59.4472936Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:23:05.4099579Z"}},{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-blue-green-green-19-5889c59457-6qffb","status":"Terminating","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:21:06Z"},{"name":"test-app-blue-green-green-19-5889c59457-xzh5p","status":"Starting","reason":"Not - ready for connecting","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:23:28Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/green","name":"green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:20:57.2222074Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:23:05.4099579Z"}}]}' + string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:04:52.1228902Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:06:57.15789Z"}}' headers: cache-control: - no-cache content-length: - - '3074' + - '977' content-type: - application/json; charset=utf-8 date: - - Wed, 07 Sep 2022 06:24:16 GMT + - Thu, 09 Feb 2023 08:07:23 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -1453,7 +1637,7 @@ interactions: x-ms-ratelimit-remaining-subscription-resource-requests: - '11999' x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 200 message: OK @@ -1465,33 +1649,33 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - spring app deployment show + - spring app show Connection: - keep-alive ParameterSetName: - - -n --app -g -s + - -n -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/mock-deployment?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments?api-version=2022-11-01-preview response: body: - string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-app-blue-green-default-19-66db75ffd8-2c2hr","status":"Terminating","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:19:03Z"},{"name":"test-app-blue-green-default-19-66db75ffd8-hrtdk","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:23:38Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:18:59.4472936Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:23:05.4099579Z"}}' + string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":300,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":5,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-app-blue-green-default-19-85dd45f974-wp26k","status":"Terminating","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:05:16Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/default","name":"default","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:05:07.9978086Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:06:57.15789Z"}},{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":300,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":5,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-blue-green-green-19-748f8b4f8f-t8scm","status":"Terminating","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:06:13Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/green","name":"green","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:06:10.4113564Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:06:57.15789Z"}}]}' headers: cache-control: - no-cache content-length: - - '1498' + - '2712' content-type: - application/json; charset=utf-8 date: - - Wed, 07 Sep 2022 06:24:40 GMT + - Thu, 09 Feb 2023 08:07:26 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -1503,7 +1687,7 @@ interactions: x-ms-ratelimit-remaining-subscription-resource-requests: - '11999' x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 200 message: OK @@ -1521,27 +1705,28 @@ interactions: ParameterSetName: - -n --app -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/mock-deployment?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/mock-deployment?api-version=2022-11-01-preview response: body: - string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-blue-green-green-19-5889c59457-xzh5p","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:23:28Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/green","name":"green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:20:57.2222074Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:23:05.4099579Z"}}' + string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":300,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":5,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-app-blue-green-default-19-6c5c955fcb-z6gs7","status":"Starting","reason":"Not + ready for connecting","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:07:08Z"},{"name":"test-app-blue-green-default-19-85dd45f974-wp26k","status":"Terminating","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:05:16Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/default","name":"default","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:05:07.9978086Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:06:57.15789Z"}}' headers: cache-control: - no-cache content-length: - - '1346' + - '1536' content-type: - application/json; charset=utf-8 date: - - Wed, 07 Sep 2022 06:25:04 GMT + - Thu, 09 Feb 2023 08:07:30 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -1553,7 +1738,7 @@ interactions: x-ms-ratelimit-remaining-subscription-resource-requests: - '11999' x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 200 message: OK @@ -1565,33 +1750,34 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - spring app unset-deployment + - spring app deployment show Connection: - keep-alive ParameterSetName: - - -n -g -s + - -n --app -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/mock-deployment?api-version=2022-11-01-preview response: body: - string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-app-blue-green-default-19-66db75ffd8-hrtdk","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:23:38Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:18:59.4472936Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:23:05.4099579Z"}},{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-blue-green-green-19-5889c59457-xzh5p","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:23:28Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/green","name":"green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:20:57.2222074Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:23:05.4099579Z"}}]}' + string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":300,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":5,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-blue-green-green-19-57c6b8d86c-gwtpm","status":"Starting","reason":"Not + ready for connecting","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:07:08Z"},{"name":"test-app-blue-green-green-19-748f8b4f8f-t8scm","status":"Terminating","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:06:13Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/green","name":"green","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:06:10.4113564Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:06:57.15789Z"}}' headers: cache-control: - no-cache content-length: - - '2712' + - '1527' content-type: - application/json; charset=utf-8 date: - - Wed, 07 Sep 2022 06:25:28 GMT + - Thu, 09 Feb 2023 08:07:34 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -1601,9 +1787,9 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '11996' + - '11999' x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 200 message: OK @@ -1621,27 +1807,29 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments?api-version=2022-11-01-preview response: body: - string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"e55ed5c1ee8942f9a36f033e7bbd28e8","networkProfile":{"outboundIPs":{"publicIPs":["20.237.103.188","20.237.103.250"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:05:42.8680393Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:11:29.9671687Z"}}' + string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":300,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":5,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-app-blue-green-default-19-6c5c955fcb-z6gs7","status":"Starting","reason":"Not + ready for connecting","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:07:08Z"},{"name":"test-app-blue-green-default-19-85dd45f974-wp26k","status":"Terminating","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:05:16Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/default","name":"default","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:05:07.9978086Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:06:57.15789Z"}},{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":300,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":5,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-blue-green-green-19-57c6b8d86c-gwtpm","status":"Starting","reason":"Not + ready for connecting","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:07:08Z"},{"name":"test-app-blue-green-green-19-748f8b4f8f-t8scm","status":"Terminating","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:06:13Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/green","name":"green","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:06:10.4113564Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:06:57.15789Z"}}]}' headers: cache-control: - no-cache content-length: - - '796' + - '3076' content-type: - application/json; charset=utf-8 date: - - Wed, 07 Sep 2022 06:25:30 GMT + - Thu, 09 Feb 2023 08:07:38 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -1651,14 +1839,14 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '11998' + - '11999' x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 200 message: OK - request: - body: '{"properties": {"activeDeploymentName": "", "httpsOnly": false}}' + body: '{"activeDeploymentNames": []}' headers: Accept: - application/json @@ -1669,45 +1857,45 @@ interactions: Connection: - keep-alive Content-Length: - - '64' + - '29' Content-Type: - application/json ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) - method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2020-07-01 + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/setActiveDeployments?api-version=2022-11-01-preview response: body: - string: '{"properties":{"public":false,"provisioningState":"Updating","activeDeploymentName":"","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"createdTime":"2022-09-07T06:18:30.626Z","temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green"}' + string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:04:52.1228902Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:07:39.5826293Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/a3202500-75ed-4815-a490-88fa71001601?api-version=2020-07-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/b827576a-01e1-44d3-8c4a-a44eb9d4de16?api-version=2022-11-01-preview cache-control: - no-cache content-length: - - '703' + - '978' content-type: - application/json; charset=utf-8 date: - - Wed, 07 Sep 2022 06:25:33 GMT + - Thu, 09 Feb 2023 08:07:41 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/a3202500-75ed-4815-a490-88fa71001601/Spring/test-app-blue-green?api-version=2020-07-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/b827576a-01e1-44d3-8c4a-a44eb9d4de16/Spring/test-app-blue-green?api-version=2022-11-01-preview pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: + x-ms-ratelimit-remaining-subscription-writes: - '1199' x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 202 message: Accepted @@ -1725,12 +1913,108 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/b827576a-01e1-44d3-8c4a-a44eb9d4de16?api-version=2022-11-01-preview + response: + body: + string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/b827576a-01e1-44d3-8c4a-a44eb9d4de16","name":"b827576a-01e1-44d3-8c4a-a44eb9d4de16","status":"Running","startTime":"2023-02-09T08:07:42.0779201Z"}' + headers: + cache-control: + - no-cache + content-length: + - '320' + content-type: + - application/json; charset=utf-8 + date: + - Thu, 09 Feb 2023 08:07:42 GMT + expires: + - '-1' + pragma: + - no-cache + request-context: + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-rp-server-mvid: + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - spring app unset-deployment + Connection: + - keep-alive + ParameterSetName: + - -n -g -s + User-Agent: + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/b827576a-01e1-44d3-8c4a-a44eb9d4de16?api-version=2022-11-01-preview + response: + body: + string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/b827576a-01e1-44d3-8c4a-a44eb9d4de16","name":"b827576a-01e1-44d3-8c4a-a44eb9d4de16","status":"Running","startTime":"2023-02-09T08:07:42.0779201Z"}' + headers: + cache-control: + - no-cache + content-length: + - '320' + content-type: + - application/json; charset=utf-8 + date: + - Thu, 09 Feb 2023 08:07:52 GMT + expires: + - '-1' + pragma: + - no-cache + request-context: + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-rp-server-mvid: + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - spring app unset-deployment + Connection: + - keep-alive + ParameterSetName: + - -n -g -s + User-Agent: + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/a3202500-75ed-4815-a490-88fa71001601?api-version=2020-07-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/b827576a-01e1-44d3-8c4a-a44eb9d4de16?api-version=2022-11-01-preview response: body: - string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/a3202500-75ed-4815-a490-88fa71001601","name":"a3202500-75ed-4815-a490-88fa71001601","status":"Succeeded","startTime":"2022-09-07T06:25:33.5019609Z","endTime":"2022-09-07T06:26:02.7110459Z"}' + string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/b827576a-01e1-44d3-8c4a-a44eb9d4de16","name":"b827576a-01e1-44d3-8c4a-a44eb9d4de16","status":"Succeeded","startTime":"2023-02-09T08:07:42.0779201Z","endTime":"2023-02-09T08:07:59.9571598Z"}' headers: cache-control: - no-cache @@ -1739,19 +2023,23 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 07 Sep 2022 06:26:03 GMT + - Thu, 09 Feb 2023 08:08:03 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding x-content-type-options: - nosniff x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 200 message: OK @@ -1769,35 +2057,37 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2020-07-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/b827576a-01e1-44d3-8c4a-a44eb9d4de16/Spring/test-app-blue-green?api-version=2022-11-01-preview response: body: - string: '{"properties":{"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"createdTime":"2022-09-07T06:18:30.626Z","temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green"}' + string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"createdTime":"2023-02-09T08:04:58.957Z","temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:04:52.1228902Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:07:39.5826293Z"}}' headers: cache-control: - no-cache content-length: - - '678' + - '1020' content-type: - application/json; charset=utf-8 date: - - Wed, 07 Sep 2022 06:26:04 GMT + - Thu, 09 Feb 2023 08:08:04 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '11999' x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 200 message: OK @@ -1815,35 +2105,39 @@ interactions: ParameterSetName: - -n --app -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/mock-deployment?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/mock-deployment?api-version=2022-11-01-preview response: body: - string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-app-blue-green-default-19-66db75ffd8-hrtdk","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:23:38Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:18:59.4472936Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:23:05.4099579Z"}}' + string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":300,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":5,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-app-blue-green-default-19-6c5c955fcb-z6gs7","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:07:08Z"},{"name":"test-app-blue-green-default-19-85dd45f974-wp26k","status":"Terminating","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:05:16Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/default","name":"default","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:05:07.9978086Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:06:57.15789Z"}}' headers: cache-control: - no-cache content-length: - - '1353' + - '1499' content-type: - application/json; charset=utf-8 date: - - Wed, 07 Sep 2022 06:26:28 GMT + - Thu, 09 Feb 2023 08:08:08 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - '11997' x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 200 message: OK @@ -1861,27 +2155,28 @@ interactions: ParameterSetName: - -n --app -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/mock-deployment?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/mock-deployment?api-version=2022-11-01-preview response: body: - string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-app-blue-green-green-19-5889c59457-hb6fr","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:25:53Z"},{"name":"test-app-blue-green-green-19-5889c59457-xzh5p","status":"Terminating","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:23:28Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/green","name":"green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:20:57.2222074Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:25:31.9903582Z"}}' + string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":300,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":5,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-app-blue-green-green-19-57c6b8d86c-gwtpm","status":"Terminating","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:07:08Z"},{"name":"test-app-blue-green-green-19-59bff4757c-mh6r6","status":"Starting","reason":"Not + ready for connecting","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:07:53Z"},{"name":"test-app-blue-green-green-19-748f8b4f8f-t8scm","status":"Terminating","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:06:13Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/green","name":"green","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:06:10.4113564Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:07:39.5826293Z"}}' headers: cache-control: - no-cache content-length: - - '1490' + - '1678' content-type: - application/json; charset=utf-8 date: - - Wed, 07 Sep 2022 06:26:53 GMT + - Thu, 09 Feb 2023 08:08:12 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -1893,7 +2188,7 @@ interactions: x-ms-ratelimit-remaining-subscription-resource-requests: - '11999' x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 200 message: OK @@ -1911,27 +2206,27 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2022-11-01-preview response: body: - string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:18:23.2992628Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:25:31.9903582Z"}}' + string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:04:52.1228902Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:07:39.5826293Z"}}' headers: cache-control: - no-cache content-length: - - '976' + - '979' content-type: - application/json; charset=utf-8 date: - - Wed, 07 Sep 2022 06:26:56 GMT + - Thu, 09 Feb 2023 08:08:15 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -1941,9 +2236,9 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '11998' + - '11999' x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 200 message: OK @@ -1963,29 +2258,29 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2022-11-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/6048aceb-25c2-4a44-bc57-72920b2190f3?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/22c3b201-14e2-4c09-a3e1-6c4f973dab45?api-version=2022-11-01-preview cache-control: - no-cache content-length: - '0' date: - - Wed, 07 Sep 2022 06:26:57 GMT + - Thu, 09 Feb 2023 08:08:16 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/6048aceb-25c2-4a44-bc57-72920b2190f3/Spring/test-app-blue-green?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/22c3b201-14e2-4c09-a3e1-6c4f973dab45/Spring/test-app-blue-green?api-version=2022-11-01-preview pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains x-content-type-options: @@ -1993,7 +2288,7 @@ interactions: x-ms-ratelimit-remaining-subscription-deletes: - '14999' x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 202 message: Accepted @@ -2011,12 +2306,156 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/22c3b201-14e2-4c09-a3e1-6c4f973dab45?api-version=2022-11-01-preview + response: + body: + string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/22c3b201-14e2-4c09-a3e1-6c4f973dab45","name":"22c3b201-14e2-4c09-a3e1-6c4f973dab45","status":"Running","startTime":"2023-02-09T08:08:16.9880957Z"}' + headers: + cache-control: + - no-cache + content-length: + - '320' + content-type: + - application/json; charset=utf-8 + date: + - Thu, 09 Feb 2023 08:08:16 GMT + expires: + - '-1' + pragma: + - no-cache + request-context: + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-rp-server-mvid: + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - spring app delete + Connection: + - keep-alive + ParameterSetName: + - -n -g -s + User-Agent: + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/22c3b201-14e2-4c09-a3e1-6c4f973dab45?api-version=2022-11-01-preview + response: + body: + string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/22c3b201-14e2-4c09-a3e1-6c4f973dab45","name":"22c3b201-14e2-4c09-a3e1-6c4f973dab45","status":"Running","startTime":"2023-02-09T08:08:16.9880957Z"}' + headers: + cache-control: + - no-cache + content-length: + - '320' + content-type: + - application/json; charset=utf-8 + date: + - Thu, 09 Feb 2023 08:08:27 GMT + expires: + - '-1' + pragma: + - no-cache + request-context: + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-rp-server-mvid: + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - spring app delete + Connection: + - keep-alive + ParameterSetName: + - -n -g -s + User-Agent: + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/22c3b201-14e2-4c09-a3e1-6c4f973dab45?api-version=2022-11-01-preview + response: + body: + string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/22c3b201-14e2-4c09-a3e1-6c4f973dab45","name":"22c3b201-14e2-4c09-a3e1-6c4f973dab45","status":"Running","startTime":"2023-02-09T08:08:16.9880957Z"}' + headers: + cache-control: + - no-cache + content-length: + - '320' + content-type: + - application/json; charset=utf-8 + date: + - Thu, 09 Feb 2023 08:08:37 GMT + expires: + - '-1' + pragma: + - no-cache + request-context: + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-rp-server-mvid: + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - spring app delete + Connection: + - keep-alive + ParameterSetName: + - -n -g -s + User-Agent: + - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/6048aceb-25c2-4a44-bc57-72920b2190f3?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/22c3b201-14e2-4c09-a3e1-6c4f973dab45?api-version=2022-11-01-preview response: body: - string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/6048aceb-25c2-4a44-bc57-72920b2190f3","name":"6048aceb-25c2-4a44-bc57-72920b2190f3","status":"Succeeded","startTime":"2022-09-07T06:26:57.8363533Z","endTime":"2022-09-07T06:27:08.6485418Z"}' + string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/22c3b201-14e2-4c09-a3e1-6c4f973dab45","name":"22c3b201-14e2-4c09-a3e1-6c4f973dab45","status":"Succeeded","startTime":"2023-02-09T08:08:16.9880957Z","endTime":"2023-02-09T08:08:38.4949061Z"}' headers: cache-control: - no-cache @@ -2025,13 +2464,13 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 07 Sep 2022 06:27:27 GMT + - Thu, 09 Feb 2023 08:08:48 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 + - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -2041,7 +2480,7 @@ interactions: x-content-type-options: - nosniff x-rp-server-mvid: - - fa22c12d-0ac0-47d5-865d-0f883a3c3460 + - 6dbdb235-5cc6-4623-8007-38694e14f2b5 status: code: 200 message: OK diff --git a/src/spring/azext_spring/tests/latest/recordings/test_buildpack_binding.yaml b/src/spring/azext_spring/tests/latest/recordings/test_buildpack_binding.yaml index 4071c2371ad..bc7bbf2b159 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_buildpack_binding.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_buildpack_binding.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"ed7caa979562408889414f01aa59e5de","networkProfile":{"outboundIPs":{"publicIPs":["20.120.66.58","20.120.66.69"]}},"powerState":"Running","fqdn":"test-buildpack-binding.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding","name":"test-buildpack-binding","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:10:06.9913584Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:10:06.9913584Z"}}' @@ -67,7 +67,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name?api-version=2022-11-01-preview response: body: string: '{"error":{"code":"NotFound","message":"KPack buildpacksBinding does @@ -119,13 +119,13 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Creating","bindingType":"ApplicationInsights","launchProperties":{"properties":{"a":"b","b":"c"},"secrets":{"x":"*","y":"*"}}},"type":"Microsoft.AppPlatform/Spring/buildServices/builders/buildpackBindings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name","name":"test-binding-name","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:54:46.3402505Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:54:46.3402505Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/a0d1278d-55bc-47d2-9ace-7142e6bf8d78?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/a0d1278d-55bc-47d2-9ace-7142e6bf8d78?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -137,7 +137,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationResults/a0d1278d-55bc-47d2-9ace-7142e6bf8d78/Spring/test-buildpack-binding?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationResults/a0d1278d-55bc-47d2-9ace-7142e6bf8d78/Spring/test-buildpack-binding?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -171,7 +171,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/a0d1278d-55bc-47d2-9ace-7142e6bf8d78?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/a0d1278d-55bc-47d2-9ace-7142e6bf8d78?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/a0d1278d-55bc-47d2-9ace-7142e6bf8d78","name":"a0d1278d-55bc-47d2-9ace-7142e6bf8d78","status":"Succeeded","startTime":"2022-01-07T11:54:50.4769869Z","endTime":"2022-01-07T11:54:57.4899293Z"}' @@ -221,7 +221,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","bindingType":"ApplicationInsights","launchProperties":{"properties":{"a":"b","b":"c"},"secrets":{"x":"*","y":"*"}}},"type":"Microsoft.AppPlatform/Spring/buildServices/builders/buildpackBindings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name","name":"test-binding-name","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:54:46.3402505Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:54:46.3402505Z"}}' @@ -271,7 +271,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"ed7caa979562408889414f01aa59e5de","networkProfile":{"outboundIPs":{"publicIPs":["20.120.66.58","20.120.66.69"]}},"powerState":"Running","fqdn":"test-buildpack-binding.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding","name":"test-buildpack-binding","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:10:06.9913584Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:10:06.9913584Z"}}' @@ -323,7 +323,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","bindingType":"ApplicationInsights","launchProperties":{"properties":{"a":"b","b":"c"},"secrets":{"x":"*","y":"*"}}},"type":"Microsoft.AppPlatform/Spring/buildServices/builders/buildpackBindings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name","name":"test-binding-name","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:54:46.3402505Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:54:46.3402505Z"}}' @@ -373,7 +373,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","bindingType":"ApplicationInsights","launchProperties":{"properties":{"a":"b","b":"c"},"secrets":{"x":"*","y":"*"}}},"type":"Microsoft.AppPlatform/Spring/buildServices/builders/buildpackBindings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name","name":"test-binding-name","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:54:46.3402505Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:54:46.3402505Z"}}' @@ -423,7 +423,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"ed7caa979562408889414f01aa59e5de","networkProfile":{"outboundIPs":{"publicIPs":["20.120.66.58","20.120.66.69"]}},"powerState":"Running","fqdn":"test-buildpack-binding.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding","name":"test-buildpack-binding","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:10:06.9913584Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:10:06.9913584Z"}}' @@ -475,7 +475,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","bindingType":"ApplicationInsights","launchProperties":{"properties":{"a":"b","b":"c"},"secrets":{"x":"*","y":"*"}}},"type":"Microsoft.AppPlatform/Spring/buildServices/builders/buildpackBindings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name","name":"test-binding-name","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:54:46.3402505Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:54:46.3402505Z"}}' @@ -530,13 +530,13 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Updating","bindingType":"NewRelic","launchProperties":{"properties":{"a":"b"},"secrets":{"c":"*"}}},"type":"Microsoft.AppPlatform/Spring/buildServices/builders/buildpackBindings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name","name":"test-binding-name","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:54:46.3402505Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:55:36.0622673Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/a6bdf74b-39a8-425e-9cdc-11c4ba49143b?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/a6bdf74b-39a8-425e-9cdc-11c4ba49143b?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -548,7 +548,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationResults/a6bdf74b-39a8-425e-9cdc-11c4ba49143b/Spring/test-buildpack-binding?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationResults/a6bdf74b-39a8-425e-9cdc-11c4ba49143b/Spring/test-buildpack-binding?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -582,7 +582,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/a6bdf74b-39a8-425e-9cdc-11c4ba49143b?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/a6bdf74b-39a8-425e-9cdc-11c4ba49143b?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/a6bdf74b-39a8-425e-9cdc-11c4ba49143b","name":"a6bdf74b-39a8-425e-9cdc-11c4ba49143b","status":"Succeeded","startTime":"2022-01-07T11:55:40.4735174Z","endTime":"2022-01-07T11:55:50.4056357Z"}' @@ -632,7 +632,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","bindingType":"NewRelic","launchProperties":{"properties":{"a":"b"},"secrets":{"c":"*"}}},"type":"Microsoft.AppPlatform/Spring/buildServices/builders/buildpackBindings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name","name":"test-binding-name","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:54:46.3402505Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:55:36.0622673Z"}}' @@ -682,7 +682,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"ed7caa979562408889414f01aa59e5de","networkProfile":{"outboundIPs":{"publicIPs":["20.120.66.58","20.120.66.69"]}},"powerState":"Running","fqdn":"test-buildpack-binding.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding","name":"test-buildpack-binding","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:10:06.9913584Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:10:06.9913584Z"}}' @@ -734,7 +734,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","bindingType":"NewRelic","launchProperties":{"properties":{"a":"b"},"secrets":{"c":"*"}}},"type":"Microsoft.AppPlatform/Spring/buildServices/builders/buildpackBindings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name","name":"test-binding-name","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:54:46.3402505Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:55:36.0622673Z"}}' @@ -786,13 +786,13 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name?api-version=2022-11-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/8cc21ac2-d90c-4a5c-a985-18bfe7faccba?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/8cc21ac2-d90c-4a5c-a985-18bfe7faccba?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -802,7 +802,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationResults/8cc21ac2-d90c-4a5c-a985-18bfe7faccba/Spring/test-buildpack-binding?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationResults/8cc21ac2-d90c-4a5c-a985-18bfe7faccba/Spring/test-buildpack-binding?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -836,7 +836,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/8cc21ac2-d90c-4a5c-a985-18bfe7faccba?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/8cc21ac2-d90c-4a5c-a985-18bfe7faccba?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/8cc21ac2-d90c-4a5c-a985-18bfe7faccba","name":"8cc21ac2-d90c-4a5c-a985-18bfe7faccba","status":"Succeeded","startTime":"2022-01-07T11:56:23.4616931Z","endTime":"2022-01-07T11:56:30.3724245Z"}' @@ -886,7 +886,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"ed7caa979562408889414f01aa59e5de","networkProfile":{"outboundIPs":{"publicIPs":["20.120.66.58","20.120.66.69"]}},"powerState":"Running","fqdn":"test-buildpack-binding.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding","name":"test-buildpack-binding","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:10:06.9913584Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:10:06.9913584Z"}}' @@ -938,7 +938,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name-0?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name-0?api-version=2022-11-01-preview response: body: string: '{"error":{"code":"NotFound","message":"KPack buildpacksBinding does @@ -990,13 +990,13 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name-0?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name-0?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Creating","bindingType":"ApplicationInsights","launchProperties":{"properties":{"a":"b","b":"c"},"secrets":{"x":"*","y":"*"}}},"type":"Microsoft.AppPlatform/Spring/buildServices/builders/buildpackBindings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name-0","name":"test-binding-name-0","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:56:58.77283Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:56:58.77283Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/af0e6ea7-6203-49b0-a78e-7ba9e78ccdbf?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/af0e6ea7-6203-49b0-a78e-7ba9e78ccdbf?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -1008,7 +1008,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationResults/af0e6ea7-6203-49b0-a78e-7ba9e78ccdbf/Spring/test-buildpack-binding?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationResults/af0e6ea7-6203-49b0-a78e-7ba9e78ccdbf/Spring/test-buildpack-binding?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -1042,7 +1042,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/af0e6ea7-6203-49b0-a78e-7ba9e78ccdbf?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/af0e6ea7-6203-49b0-a78e-7ba9e78ccdbf?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/af0e6ea7-6203-49b0-a78e-7ba9e78ccdbf","name":"af0e6ea7-6203-49b0-a78e-7ba9e78ccdbf","status":"Succeeded","startTime":"2022-01-07T11:57:01.45146Z","endTime":"2022-01-07T11:57:09.5464218Z"}' @@ -1092,7 +1092,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name-0?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name-0?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","bindingType":"ApplicationInsights","launchProperties":{"properties":{"a":"b","b":"c"},"secrets":{"x":"*","y":"*"}}},"type":"Microsoft.AppPlatform/Spring/buildServices/builders/buildpackBindings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name-0","name":"test-binding-name-0","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:56:58.77283Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:56:58.77283Z"}}' @@ -1142,7 +1142,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"ed7caa979562408889414f01aa59e5de","networkProfile":{"outboundIPs":{"publicIPs":["20.120.66.58","20.120.66.69"]}},"powerState":"Running","fqdn":"test-buildpack-binding.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding","name":"test-buildpack-binding","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:10:06.9913584Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:10:06.9913584Z"}}' @@ -1194,7 +1194,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name-1?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name-1?api-version=2022-11-01-preview response: body: string: '{"error":{"code":"NotFound","message":"KPack buildpacksBinding does @@ -1246,13 +1246,13 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name-1?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Creating","bindingType":"NewRelic","launchProperties":{"properties":{"a":"b","b":"c"},"secrets":{"x":"*","y":"*"}}},"type":"Microsoft.AppPlatform/Spring/buildServices/builders/buildpackBindings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name-1","name":"test-binding-name-1","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:57:39.2402412Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:57:39.2402412Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/72f81f61-7e9d-446e-aef4-79a5f07d6546?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/72f81f61-7e9d-446e-aef4-79a5f07d6546?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -1264,7 +1264,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationResults/72f81f61-7e9d-446e-aef4-79a5f07d6546/Spring/test-buildpack-binding?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationResults/72f81f61-7e9d-446e-aef4-79a5f07d6546/Spring/test-buildpack-binding?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -1298,7 +1298,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/72f81f61-7e9d-446e-aef4-79a5f07d6546?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/72f81f61-7e9d-446e-aef4-79a5f07d6546?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/72f81f61-7e9d-446e-aef4-79a5f07d6546","name":"72f81f61-7e9d-446e-aef4-79a5f07d6546","status":"Succeeded","startTime":"2022-01-07T11:57:43.2250279Z","endTime":"2022-01-07T11:57:50.9028007Z"}' @@ -1348,7 +1348,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name-1?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","bindingType":"NewRelic","launchProperties":{"properties":{"a":"b","b":"c"},"secrets":{"x":"*","y":"*"}}},"type":"Microsoft.AppPlatform/Spring/buildServices/builders/buildpackBindings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name-1","name":"test-binding-name-1","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:57:39.2402412Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:57:39.2402412Z"}}' @@ -1398,7 +1398,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"ed7caa979562408889414f01aa59e5de","networkProfile":{"outboundIPs":{"publicIPs":["20.120.66.58","20.120.66.69"]}},"powerState":"Running","fqdn":"test-buildpack-binding.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding","name":"test-buildpack-binding","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:10:06.9913584Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:10:06.9913584Z"}}' @@ -1450,7 +1450,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"provisioningState":"Succeeded","bindingType":"ApplicationInsights","launchProperties":{"properties":{"a":"b","b":"c"},"secrets":{"x":"*","y":"*"}}},"type":"Microsoft.AppPlatform/Spring/buildServices/builders/buildpackBindings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name-0","name":"test-binding-name-0","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:56:58.77283Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:56:58.77283Z"}},{"properties":{"provisioningState":"Succeeded","bindingType":"NewRelic","launchProperties":{"properties":{"a":"b","b":"c"},"secrets":{"x":"*","y":"*"}}},"type":"Microsoft.AppPlatform/Spring/buildServices/builders/buildpackBindings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name-1","name":"test-binding-name-1","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:57:39.2402412Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:57:39.2402412Z"}}]}' diff --git a/src/spring/azext_spring/tests/latest/recordings/test_client_auth.yaml b/src/spring/azext_spring/tests/latest/recordings/test_client_auth.yaml index 57569949937..0094a3b1ae9 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_client_auth.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_client_auth.yaml @@ -252,13 +252,13 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.10 (Linux-5.10.16.3-microsoft-standard-WSL2-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.4.4"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=eebffb0f-1488-4622-93b5-df9da041b930;IngestionEndpoint=https://eastus-2.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/cli-unittest/operationId/47b7e35c-d5ca-4578-8685-d1755c5303ce?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/cli-unittest/operationId/47b7e35c-d5ca-4578-8685-d1755c5303ce?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -270,7 +270,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/47b7e35c-d5ca-4578-8685-d1755c5303ce/Spring/cli-unittest?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/47b7e35c-d5ca-4578-8685-d1755c5303ce/Spring/cli-unittest?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -302,7 +302,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.10 (Linux-5.10.16.3-microsoft-standard-WSL2-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"d773daacb0b44a8aa65671160fe99c53","networkProfile":{"outboundIPs":{"publicIPs":["20.242.240.135","20.242.242.241"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"haojianzhong@microsoft.com","createdByType":"User","createdAt":"2022-12-21T12:04:23.2024183Z","lastModifiedBy":"haojianzhong@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-12-21T12:18:15.0269319Z"}}' @@ -357,13 +357,13 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.10 (Linux-5.10.16.3-microsoft-standard-WSL2-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":true,"provisioningState":"Creating","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth","name":"test-client-auth","systemData":{"createdBy":"haojianzhong@microsoft.com","createdByType":"User","createdAt":"2022-12-21T12:18:25.5690042Z","lastModifiedBy":"haojianzhong@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-12-21T12:18:25.5690042Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-client-auth/operationId/3dc326d5-2114-4ae4-ace5-b556fa069444?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-client-auth/operationId/3dc326d5-2114-4ae4-ace5-b556fa069444?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -375,7 +375,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/3dc326d5-2114-4ae4-ace5-b556fa069444/Spring/test-client-auth?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/3dc326d5-2114-4ae4-ace5-b556fa069444/Spring/test-client-auth?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -407,7 +407,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.10 (Linux-5.10.16.3-microsoft-standard-WSL2-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.4.4"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=eebffb0f-1488-4622-93b5-df9da041b930;IngestionEndpoint=https://eastus-2.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/monitoringSettings/default","name":"default"}' @@ -462,13 +462,13 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.10 (Linux-5.10.16.3-microsoft-standard-WSL2-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth/deployments/default?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth/deployments/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90},"provisioningState":"Creating","status":"Running","active":true,"instances":null,"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth/deployments/default","name":"default","systemData":{"createdBy":"haojianzhong@microsoft.com","createdByType":"User","createdAt":"2022-12-21T12:18:41.8910045Z","lastModifiedBy":"haojianzhong@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-12-21T12:18:41.8910045Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/9b3a9eda-b855-49a2-bce1-e0acd3704625?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/9b3a9eda-b855-49a2-bce1-e0acd3704625?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -480,7 +480,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/9b3a9eda-b855-49a2-bce1-e0acd3704625/Spring/default?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/9b3a9eda-b855-49a2-bce1-e0acd3704625/Spring/default?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -512,7 +512,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.10 (Linux-5.10.16.3-microsoft-standard-WSL2-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth/deployments/default?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth/deployments/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":300,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":5,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-client-auth-default-16-74bc7c9f97-zfdtv","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-12-21T12:18:47Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth/deployments/default","name":"default","systemData":{"createdBy":"haojianzhong@microsoft.com","createdByType":"User","createdAt":"2022-12-21T12:18:41.8910045Z","lastModifiedBy":"haojianzhong@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-12-21T12:18:41.8910045Z"}}' @@ -562,7 +562,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.10 (Linux-5.10.16.3-microsoft-standard-WSL2-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth/deployments?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":300,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":5,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-client-auth-default-16-74bc7c9f97-zfdtv","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-12-21T12:18:47Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth/deployments/default","name":"default","systemData":{"createdBy":"haojianzhong@microsoft.com","createdByType":"User","createdAt":"2022-12-21T12:18:41.8910045Z","lastModifiedBy":"haojianzhong@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-12-21T12:18:41.8910045Z"}}]}' @@ -618,7 +618,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.10 (Linux-5.10.16.3-microsoft-standard-WSL2-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert?api-version=2022-11-01-preview response: body: string: '{"properties":{"vaultUri":"https://integration-test-prod.vault.azure.net","keyVaultCertName":"cli-unittest","certVersion":"9f2205d5d2ca43ea97c3516dec1e2e06","excludePrivateKey":true,"type":"KeyVaultCertificate","thumbprint":"8ee74495d2fe82c19ee118fa52bf7ab88c170972","issuer":"*.asc-test.net","expirationDate":"2023-10-01T04:48:33.000+00:00","activateDate":"2022-10-01T04:38:33.000+00:00","subjectName":"*.asc-test.net","dnsNames":["cli.asc-test.net"]},"type":"Microsoft.AppPlatform/Spring/certificates","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert","name":"test-cert","systemData":{"createdBy":"haojianzhong@microsoft.com","createdByType":"User","createdAt":"2022-12-21T12:20:32.4842446Z","lastModifiedBy":"haojianzhong@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-12-21T12:20:32.4842446Z"}}' @@ -723,13 +723,13 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.10 (Linux-5.10.16.3-microsoft-standard-WSL2-x86_64-with-glibc2.29) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":true,"url":"https://cli-unittest-test-client-auth.asc-test.net","provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"clientAuth":{"certificates":["/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert"]},"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth","name":"test-client-auth","systemData":{"createdBy":"haojianzhong@microsoft.com","createdByType":"User","createdAt":"2022-12-21T12:18:25.5690042Z","lastModifiedBy":"haojianzhong@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-12-21T12:21:05.4463291Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-client-auth/operationId/7a233536-7528-4ea1-9e29-44e35df4232a?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-client-auth/operationId/7a233536-7528-4ea1-9e29-44e35df4232a?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -741,7 +741,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/7a233536-7528-4ea1-9e29-44e35df4232a/Spring/test-client-auth?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/7a233536-7528-4ea1-9e29-44e35df4232a/Spring/test-client-auth?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -773,7 +773,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.10 (Linux-5.10.16.3-microsoft-standard-WSL2-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-client-auth/operationId/7a233536-7528-4ea1-9e29-44e35df4232a?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-client-auth/operationId/7a233536-7528-4ea1-9e29-44e35df4232a?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-client-auth/operationId/7a233536-7528-4ea1-9e29-44e35df4232a","name":"7a233536-7528-4ea1-9e29-44e35df4232a","status":"Running","startTime":"2022-12-21T12:21:06.5012228Z"}' @@ -821,7 +821,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.10 (Linux-5.10.16.3-microsoft-standard-WSL2-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-client-auth/operationId/7a233536-7528-4ea1-9e29-44e35df4232a?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-client-auth/operationId/7a233536-7528-4ea1-9e29-44e35df4232a?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-client-auth/operationId/7a233536-7528-4ea1-9e29-44e35df4232a","name":"7a233536-7528-4ea1-9e29-44e35df4232a","status":"Running","startTime":"2022-12-21T12:21:06.5012228Z"}' @@ -869,7 +869,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.10 (Linux-5.10.16.3-microsoft-standard-WSL2-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-client-auth/operationId/7a233536-7528-4ea1-9e29-44e35df4232a?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-client-auth/operationId/7a233536-7528-4ea1-9e29-44e35df4232a?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-client-auth/operationId/7a233536-7528-4ea1-9e29-44e35df4232a","name":"7a233536-7528-4ea1-9e29-44e35df4232a","status":"Succeeded","startTime":"2022-12-21T12:21:06.5012228Z","endTime":"2022-12-21T12:21:25.2079953Z"}' @@ -917,7 +917,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.10 (Linux-5.10.16.3-microsoft-standard-WSL2-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":true,"url":"https://cli-unittest-test-client-auth.asc-test.net","provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"clientAuth":{"certificates":["/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert"]},"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth","name":"test-client-auth","systemData":{"createdBy":"haojianzhong@microsoft.com","createdByType":"User","createdAt":"2022-12-21T12:18:25.5690042Z","lastModifiedBy":"haojianzhong@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-12-21T12:21:05.4463291Z"}}' @@ -967,7 +967,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.10 (Linux-5.10.16.3-microsoft-standard-WSL2-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":true,"url":"https://cli-unittest-test-client-auth.asc-test.net","provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"clientAuth":{"certificates":["/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert"]},"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth","name":"test-client-auth","systemData":{"createdBy":"haojianzhong@microsoft.com","createdByType":"User","createdAt":"2022-12-21T12:18:25.5690042Z","lastModifiedBy":"haojianzhong@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-12-21T12:21:05.4463291Z"}}' @@ -1017,7 +1017,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.10 (Linux-5.10.16.3-microsoft-standard-WSL2-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth/deployments?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":300,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":5,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-client-auth-default-16-74bc7c9f97-zfdtv","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-12-21T12:18:47Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth/deployments/default","name":"default","systemData":{"createdBy":"haojianzhong@microsoft.com","createdByType":"User","createdAt":"2022-12-21T12:18:41.8910045Z","lastModifiedBy":"haojianzhong@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-12-21T12:18:41.8910045Z"}}]}' @@ -1072,7 +1072,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth/deployments/default?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth/deployments/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-default-8-57c694d5d4-6dzkv","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-09-07T11:53:23Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:53:18.3498623Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:53:18.3498623Z"}}' diff --git a/src/spring/azext_spring/tests/latest/recordings/test_create_asc_heavy_cases.yaml b/src/spring/azext_spring/tests/latest/recordings/test_create_asc_heavy_cases.yaml index 59db088e3ed..37a6a86e025 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_create_asc_heavy_cases.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_create_asc_heavy_cases.yaml @@ -92,7 +92,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/46c2a575-e9a0-433c-8134-8bc02e37e33f/Spring/cli-unittest-1?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/46c2a575-e9a0-433c-8134-8bc02e37e33f/Spring/cli-unittest-1?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -1876,13 +1876,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-1/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-1/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=5c291f49-048e-47c7-8756-6aa2055518d0;IngestionEndpoint=https://eastus2-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus2.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-1/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-1/operationId/bb10637f-5eb4-4848-b190-8fb888eb6056?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-1/operationId/bb10637f-5eb4-4848-b190-8fb888eb6056?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -1894,7 +1894,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/bb10637f-5eb4-4848-b190-8fb888eb6056/Spring/cli-unittest-1?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/bb10637f-5eb4-4848-b190-8fb888eb6056/Spring/cli-unittest-1?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -1926,7 +1926,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-1?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"191408f014f94241a5dac00ad05f9096","networkProfile":{"outboundIPs":{"publicIPs":["52.179.218.122"]}},"powerState":"Running","fqdn":"cli-unittest-1.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"B0","tier":"Basic"},"location":"eastus2","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-1","name":"cli-unittest-1","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T05:47:23.9098215Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T05:55:08.239604Z"}}' @@ -1976,7 +1976,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-1?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"191408f014f94241a5dac00ad05f9096","networkProfile":{"outboundIPs":{"publicIPs":["52.179.218.122"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest-1.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"B0","tier":"Basic"},"location":"eastus2","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-1","name":"cli-unittest-1","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T05:47:23.9098215Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T05:55:08.239604Z"}}' @@ -2026,7 +2026,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-1/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-1/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=5c291f49-048e-47c7-8756-6aa2055518d0;IngestionEndpoint=https://eastus2-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus2.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-1/monitoringSettings/default","name":"default"}' @@ -2074,7 +2074,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-1?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"191408f014f94241a5dac00ad05f9096","networkProfile":{"outboundIPs":{"publicIPs":["52.179.218.122"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest-1.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"B0","tier":"Basic"},"location":"eastus2","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-1","name":"cli-unittest-1","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T05:47:23.9098215Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T05:55:08.239604Z"}}' @@ -2124,7 +2124,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-1/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-1/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=5c291f49-048e-47c7-8756-6aa2055518d0;IngestionEndpoint=https://eastus2-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus2.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-1/monitoringSettings/default","name":"default"}' @@ -2174,13 +2174,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-1?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-1?api-version=2022-11-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-1/operationId/4cb501ef-b401-4f56-acae-2acc7b0fae45?api-version=2022-05-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-1/operationId/4cb501ef-b401-4f56-acae-2acc7b0fae45?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -2190,7 +2190,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/4cb501ef-b401-4f56-acae-2acc7b0fae45/Spring/cli-unittest-1?api-version=2022-05-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/4cb501ef-b401-4f56-acae-2acc7b0fae45/Spring/cli-unittest-1?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -2295,7 +2295,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/60a71227-ffdb-415d-91bf-9c5e6210ea91/Spring/cli-unittest-2?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/60a71227-ffdb-415d-91bf-9c5e6210ea91/Spring/cli-unittest-2?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -3679,13 +3679,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-2/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-2/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":0.1,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=5c291f49-048e-47c7-8756-6aa2055518d0;IngestionEndpoint=https://eastus2-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus2.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-2/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-2/operationId/9425e139-d0c3-4479-88e1-b6fdc1c5cfd6?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-2/operationId/9425e139-d0c3-4479-88e1-b6fdc1c5cfd6?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -3697,7 +3697,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/9425e139-d0c3-4479-88e1-b6fdc1c5cfd6/Spring/cli-unittest-2?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/9425e139-d0c3-4479-88e1-b6fdc1c5cfd6/Spring/cli-unittest-2?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -3729,7 +3729,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-2?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-2?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"14987ef12d3446b0819b882dd8f9d412","networkProfile":{"outboundIPs":{"publicIPs":["52.177.149.233"]}},"powerState":"Running","fqdn":"cli-unittest-2.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"B0","tier":"Basic"},"location":"eastus2","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-2","name":"cli-unittest-2","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T05:55:37.1584572Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:01:01.0670444Z"}}' @@ -3779,7 +3779,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-2?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-2?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"14987ef12d3446b0819b882dd8f9d412","networkProfile":{"outboundIPs":{"publicIPs":["52.177.149.233"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest-2.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"B0","tier":"Basic"},"location":"eastus2","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-2","name":"cli-unittest-2","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T05:55:37.1584572Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:01:01.0670444Z"}}' @@ -3829,7 +3829,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-2/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-2/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":0.1,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=5c291f49-048e-47c7-8756-6aa2055518d0;IngestionEndpoint=https://eastus2-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus2.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-2/monitoringSettings/default","name":"default"}' @@ -3877,7 +3877,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-2?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-2?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"14987ef12d3446b0819b882dd8f9d412","networkProfile":{"outboundIPs":{"publicIPs":["52.177.149.233"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest-2.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"B0","tier":"Basic"},"location":"eastus2","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-2","name":"cli-unittest-2","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T05:55:37.1584572Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:01:01.0670444Z"}}' @@ -3927,7 +3927,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-2/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-2/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":0.1,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=5c291f49-048e-47c7-8756-6aa2055518d0;IngestionEndpoint=https://eastus2-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus2.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-2/monitoringSettings/default","name":"default"}' @@ -3977,13 +3977,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-2?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-2?api-version=2022-11-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-2/operationId/85d75fc6-9f19-4dec-a5c3-8e5aafb69fd6?api-version=2022-05-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-2/operationId/85d75fc6-9f19-4dec-a5c3-8e5aafb69fd6?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -3993,7 +3993,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/85d75fc6-9f19-4dec-a5c3-8e5aafb69fd6/Spring/cli-unittest-2?api-version=2022-05-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/85d75fc6-9f19-4dec-a5c3-8e5aafb69fd6/Spring/cli-unittest-2?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -4102,7 +4102,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/d7b6b1d0-23c5-420b-9a73-ed43ea0025f3/Spring/cli-unittest-3?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/d7b6b1d0-23c5-420b-9a73-ed43ea0025f3/Spring/cli-unittest-3?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -5677,13 +5677,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-3/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-3/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":1.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"00000000-0000-0000-0000-000000000000"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-3/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-3/operationId/e1cb113e-f948-4417-87ce-607fd9d75c76?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-3/operationId/e1cb113e-f948-4417-87ce-607fd9d75c76?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -5695,7 +5695,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/e1cb113e-f948-4417-87ce-607fd9d75c76/Spring/cli-unittest-3?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/e1cb113e-f948-4417-87ce-607fd9d75c76/Spring/cli-unittest-3?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -5727,7 +5727,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-3?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-3?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"7f2d6fc3799e4748bc6b78336fd76fc0","networkProfile":{"outboundIPs":{"publicIPs":["20.97.154.146"]}},"powerState":"Running","fqdn":"cli-unittest-3.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"B0","tier":"Basic"},"location":"eastus2","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-3","name":"cli-unittest-3","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:01:33.3444276Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:07:26.4309688Z"}}' @@ -5777,7 +5777,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-3?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-3?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"7f2d6fc3799e4748bc6b78336fd76fc0","networkProfile":{"outboundIPs":{"publicIPs":["20.97.154.146"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest-3.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"B0","tier":"Basic"},"location":"eastus2","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-3","name":"cli-unittest-3","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:01:33.3444276Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:07:26.4309688Z"}}' @@ -5827,7 +5827,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-3/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-3/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":1.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"00000000-0000-0000-0000-000000000000"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-3/monitoringSettings/default","name":"default"}' @@ -5875,7 +5875,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-3?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-3?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"7f2d6fc3799e4748bc6b78336fd76fc0","networkProfile":{"outboundIPs":{"publicIPs":["20.97.154.146"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest-3.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"B0","tier":"Basic"},"location":"eastus2","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-3","name":"cli-unittest-3","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:01:33.3444276Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:07:26.4309688Z"}}' @@ -5925,7 +5925,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-3/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-3/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":1.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"00000000-0000-0000-0000-000000000000"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-3/monitoringSettings/default","name":"default"}' @@ -5975,13 +5975,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-3?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-3?api-version=2022-11-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-3/operationId/5b0ddd71-2f00-4a96-a1b4-b96cad89df63?api-version=2022-05-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-3/operationId/5b0ddd71-2f00-4a96-a1b4-b96cad89df63?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -5991,7 +5991,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/5b0ddd71-2f00-4a96-a1b4-b96cad89df63/Spring/cli-unittest-3?api-version=2022-05-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/5b0ddd71-2f00-4a96-a1b4-b96cad89df63/Spring/cli-unittest-3?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -6100,7 +6100,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/993cab47-87d3-4598-a58e-ec8463203316/Spring/cli-unittest-4?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/993cab47-87d3-4598-a58e-ec8463203316/Spring/cli-unittest-4?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -7724,13 +7724,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-4/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-4/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=00000000-0000-0000-0000-000000000000;IngestionEndpoint=https://xxxxxxxxxxxxxxxxxxxxxxxx/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-4/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-4/operationId/6e46db7a-1ab4-4c5d-abde-c87aeb61a0d8?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-4/operationId/6e46db7a-1ab4-4c5d-abde-c87aeb61a0d8?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -7742,7 +7742,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/6e46db7a-1ab4-4c5d-abde-c87aeb61a0d8/Spring/cli-unittest-4?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/6e46db7a-1ab4-4c5d-abde-c87aeb61a0d8/Spring/cli-unittest-4?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -7774,7 +7774,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-4?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-4?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"6716ad3c4bc5400b9131d8a7cdfab34a","networkProfile":{"outboundIPs":{"publicIPs":["20.75.109.235"]}},"powerState":"Running","fqdn":"cli-unittest-4.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"B0","tier":"Basic"},"location":"eastus2","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-4","name":"cli-unittest-4","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:07:55.5342308Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:14:03.8477583Z"}}' @@ -7824,7 +7824,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-4?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-4?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"6716ad3c4bc5400b9131d8a7cdfab34a","networkProfile":{"outboundIPs":{"publicIPs":["20.75.109.235"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest-4.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"B0","tier":"Basic"},"location":"eastus2","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-4","name":"cli-unittest-4","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:07:55.5342308Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:14:03.8477583Z"}}' @@ -7874,7 +7874,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-4/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-4/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=00000000-0000-0000-0000-000000000000;IngestionEndpoint=https://xxxxxxxxxxxxxxxxxxxxxxxx/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-4/monitoringSettings/default","name":"default"}' @@ -7922,7 +7922,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-4?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-4?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"6716ad3c4bc5400b9131d8a7cdfab34a","networkProfile":{"outboundIPs":{"publicIPs":["20.75.109.235"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest-4.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"B0","tier":"Basic"},"location":"eastus2","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-4","name":"cli-unittest-4","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:07:55.5342308Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:14:03.8477583Z"}}' @@ -7972,7 +7972,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-4/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-4/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=00000000-0000-0000-0000-000000000000;IngestionEndpoint=https://xxxxxxxxxxxxxxxxxxxxxxxx/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-4/monitoringSettings/default","name":"default"}' @@ -8018,13 +8018,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-4?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-4?api-version=2022-11-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-4/operationId/4d6742d8-086a-4ddb-98f4-8a9aead2cbbd?api-version=2022-05-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-4/operationId/4d6742d8-086a-4ddb-98f4-8a9aead2cbbd?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -8034,7 +8034,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/4d6742d8-086a-4ddb-98f4-8a9aead2cbbd/Spring/cli-unittest-4?api-version=2022-05-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/4d6742d8-086a-4ddb-98f4-8a9aead2cbbd/Spring/cli-unittest-4?api-version=2022-11-01-preview pragma: - no-cache request-context: diff --git a/src/spring/azext_spring/tests/latest/recordings/test_create_asc_with_ai_basic_case.yaml b/src/spring/azext_spring/tests/latest/recordings/test_create_asc_with_ai_basic_case.yaml index c86ea96a36d..8348e29ba77 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_create_asc_with_ai_basic_case.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_create_asc_with_ai_basic_case.yaml @@ -2028,13 +2028,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-11/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-11/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=94875c0b-bf9a-4716-bc7e-6c713266f4b9;IngestionEndpoint=https://eastus2-0.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus2.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-11/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-11/operationId/1926afa0-ba6a-4fd6-bb71-4bfd8e03c391?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-11/operationId/1926afa0-ba6a-4fd6-bb71-4bfd8e03c391?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -2046,7 +2046,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/1926afa0-ba6a-4fd6-bb71-4bfd8e03c391/Spring/cli-unittest-11?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/1926afa0-ba6a-4fd6-bb71-4bfd8e03c391/Spring/cli-unittest-11?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -2078,7 +2078,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-11?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-11?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"c27a42a2bf3f46a3abb061fb9381894a","networkProfile":{"outboundIPs":{"publicIPs":["20.94.20.98"]}},"powerState":"Running","fqdn":"cli-unittest-11.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"B0","tier":"Basic"},"location":"eastus2","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-11","name":"cli-unittest-11","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:14:28.4129284Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:21:40.1615285Z"}}' @@ -2128,7 +2128,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-11?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-11?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"c27a42a2bf3f46a3abb061fb9381894a","networkProfile":{"outboundIPs":{"publicIPs":["20.94.20.98"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest-11.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"B0","tier":"Basic"},"location":"eastus2","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-11","name":"cli-unittest-11","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:14:28.4129284Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:21:40.1615285Z"}}' @@ -2178,7 +2178,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-11/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-11/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=94875c0b-bf9a-4716-bc7e-6c713266f4b9;IngestionEndpoint=https://eastus2-0.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus2.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-11/monitoringSettings/default","name":"default"}' @@ -2228,13 +2228,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-11?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-11?api-version=2022-11-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-11/operationId/2293e7a6-7796-4595-82ce-52abb6abc939?api-version=2022-05-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-11/operationId/2293e7a6-7796-4595-82ce-52abb6abc939?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -2244,7 +2244,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/2293e7a6-7796-4595-82ce-52abb6abc939/Spring/cli-unittest-11?api-version=2022-05-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/2293e7a6-7796-4595-82ce-52abb6abc939/Spring/cli-unittest-11?api-version=2022-11-01-preview pragma: - no-cache request-context: diff --git a/src/spring/azext_spring/tests/latest/recordings/test_create_asc_without_ai_cases.yaml b/src/spring/azext_spring/tests/latest/recordings/test_create_asc_without_ai_cases.yaml index d9894718583..3123b3c9584 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_create_asc_without_ai_cases.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_create_asc_without_ai_cases.yaml @@ -1518,7 +1518,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-9-1?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-9-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"3b8cb45a5e624383be671c5bfe2bccb3","networkProfile":{"outboundIPs":{"publicIPs":["20.22.37.207"]}},"powerState":"Running","fqdn":"cli-unittest-9-1.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"B0","tier":"Basic"},"location":"eastus2","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-9-1","name":"cli-unittest-9-1","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T04:58:50.6853133Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T04:58:50.6853133Z"}}' @@ -1568,7 +1568,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-9-1?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-9-1?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"3b8cb45a5e624383be671c5bfe2bccb3","networkProfile":{"outboundIPs":{"publicIPs":["20.22.37.207"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest-9-1.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"B0","tier":"Basic"},"location":"eastus2","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-9-1","name":"cli-unittest-9-1","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T04:58:50.6853133Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T04:58:50.6853133Z"}}' @@ -1618,7 +1618,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-9-1/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-9-1/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-9-1/monitoringSettings/default","name":"default"}' @@ -1668,13 +1668,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-9-1?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-9-1?api-version=2022-11-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-9-1/operationId/3674feda-29cc-4022-8e36-848cd43d34cc?api-version=2022-05-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-9-1/operationId/3674feda-29cc-4022-8e36-848cd43d34cc?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -1684,7 +1684,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/3674feda-29cc-4022-8e36-848cd43d34cc/Spring/cli-unittest-9-1?api-version=2022-05-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/3674feda-29cc-4022-8e36-848cd43d34cc/Spring/cli-unittest-9-1?api-version=2022-11-01-preview pragma: - no-cache request-context: diff --git a/src/spring/azext_spring/tests/latest/recordings/test_customized_accelerator.yaml b/src/spring/azext_spring/tests/latest/recordings/test_customized_accelerator.yaml index 0355377964b..2079e477d06 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_customized_accelerator.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_customized_accelerator.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.4 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"fdf807108ecb4e278019e5ef5ff4d130","networkProfile":{"outboundIPs":{"publicIPs":["20.62.137.13","20.62.137.128"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"acc-test.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test","name":"acc-test","systemData":{"createdBy":"guitarsheng@microsoft.com","createdByType":"User","createdAt":"2022-11-09T02:16:56.5791077Z","lastModifiedBy":"guitarsheng@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-09T02:16:56.5791077Z"}}' @@ -216,7 +216,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.4 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"fdf807108ecb4e278019e5ef5ff4d130","networkProfile":{"outboundIPs":{"publicIPs":["20.62.137.13","20.62.137.128"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"acc-test.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test","name":"acc-test","systemData":{"createdBy":"guitarsheng@microsoft.com","createdByType":"User","createdAt":"2022-11-09T02:16:56.5791077Z","lastModifiedBy":"guitarsheng@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-09T02:16:56.5791077Z"}}' @@ -418,7 +418,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.4 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"fdf807108ecb4e278019e5ef5ff4d130","networkProfile":{"outboundIPs":{"publicIPs":["20.62.137.13","20.62.137.128"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"acc-test.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test","name":"acc-test","systemData":{"createdBy":"guitarsheng@microsoft.com","createdByType":"User","createdAt":"2022-11-09T02:16:56.5791077Z","lastModifiedBy":"guitarsheng@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-09T02:16:56.5791077Z"}}' @@ -516,7 +516,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.4 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"fdf807108ecb4e278019e5ef5ff4d130","networkProfile":{"outboundIPs":{"publicIPs":["20.62.137.13","20.62.137.128"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"acc-test.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test","name":"acc-test","systemData":{"createdBy":"guitarsheng@microsoft.com","createdByType":"User","createdAt":"2022-11-09T02:16:56.5791077Z","lastModifiedBy":"guitarsheng@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-09T02:16:56.5791077Z"}}' @@ -614,7 +614,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.4 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"fdf807108ecb4e278019e5ef5ff4d130","networkProfile":{"outboundIPs":{"publicIPs":["20.62.137.13","20.62.137.128"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"acc-test.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test","name":"acc-test","systemData":{"createdBy":"guitarsheng@microsoft.com","createdByType":"User","createdAt":"2022-11-09T02:16:56.5791077Z","lastModifiedBy":"guitarsheng@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-09T02:16:56.5791077Z"}}' @@ -762,7 +762,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.4 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"fdf807108ecb4e278019e5ef5ff4d130","networkProfile":{"outboundIPs":{"publicIPs":["20.62.137.13","20.62.137.128"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"acc-test.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test","name":"acc-test","systemData":{"createdBy":"guitarsheng@microsoft.com","createdByType":"User","createdAt":"2022-11-09T02:16:56.5791077Z","lastModifiedBy":"guitarsheng@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-09T02:16:56.5791077Z"}}' diff --git a/src/spring/azext_spring/tests/latest/recordings/test_deploy_app.yaml b/src/spring/azext_spring/tests/latest/recordings/test_deploy_app.yaml index e8a0bf478b5..4e7204ad282 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_deploy_app.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_deploy_app.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"2083e5d93d1b4a43a6c0590409f6588d","networkProfile":{"outboundIPs":{"publicIPs":["20.207.64.95","20.207.64.112"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"centralindia","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:16:06.3030492Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:20:29.0241388Z"}}' @@ -65,7 +65,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-11-01-preview response: body: string: '{"error":{"code":"NotFound","message":"App was not found","target":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy","details":null}}' @@ -111,7 +111,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"2083e5d93d1b4a43a6c0590409f6588d","networkProfile":{"outboundIPs":{"publicIPs":["20.207.64.95","20.207.64.112"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"centralindia","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:16:06.3030492Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:20:29.0241388Z"}}' @@ -166,13 +166,13 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Creating","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy","name":"deploy","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:42:23.945853Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:42:23.945853Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/deploy/operationId/42b06656-ec7d-46df-b3cd-d529a826969d?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/deploy/operationId/42b06656-ec7d-46df-b3cd-d529a826969d?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -184,7 +184,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/42b06656-ec7d-46df-b3cd-d529a826969d/Spring/deploy?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/42b06656-ec7d-46df-b3cd-d529a826969d/Spring/deploy?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -216,7 +216,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/deploy/operationId/42b06656-ec7d-46df-b3cd-d529a826969d?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/deploy/operationId/42b06656-ec7d-46df-b3cd-d529a826969d?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/deploy/operationId/42b06656-ec7d-46df-b3cd-d529a826969d","name":"42b06656-ec7d-46df-b3cd-d529a826969d","status":"Succeeded","startTime":"2022-11-25T03:42:24.3354908Z","endTime":"2022-11-25T03:42:30.6029033Z"}' @@ -264,7 +264,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy","name":"deploy","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:42:23.945853Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:42:23.945853Z"}}' @@ -321,13 +321,13 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/mock-deployment?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"foo":"bar"},"terminationGracePeriodSeconds":90},"provisioningState":"Creating","status":"Running","active":true,"instances":null,"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_11"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/default","name":"default","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:42:59.6799807Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:42:59.6799807Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/a4ec079f-0b8f-4563-a3ba-967d462880ec?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/a4ec079f-0b8f-4563-a3ba-967d462880ec?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -339,7 +339,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/a4ec079f-0b8f-4563-a3ba-967d462880ec/Spring/default?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/a4ec079f-0b8f-4563-a3ba-967d462880ec/Spring/default?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -376,13 +376,13 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy","name":"deploy","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:42:23.945853Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:43:00.6174463Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/deploy/operationId/4ffd0fae-0a69-4afa-8421-97bef94bc355?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/deploy/operationId/4ffd0fae-0a69-4afa-8421-97bef94bc355?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -394,7 +394,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/4ffd0fae-0a69-4afa-8421-97bef94bc355/Spring/deploy?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/4ffd0fae-0a69-4afa-8421-97bef94bc355/Spring/deploy?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -426,7 +426,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/a4ec079f-0b8f-4563-a3ba-967d462880ec?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/a4ec079f-0b8f-4563-a3ba-967d462880ec?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/a4ec079f-0b8f-4563-a3ba-967d462880ec","name":"a4ec079f-0b8f-4563-a3ba-967d462880ec","status":"Running","startTime":"2022-11-25T03:43:00.3772926Z"}' @@ -474,7 +474,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/deploy/operationId/4ffd0fae-0a69-4afa-8421-97bef94bc355?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/deploy/operationId/4ffd0fae-0a69-4afa-8421-97bef94bc355?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/deploy/operationId/4ffd0fae-0a69-4afa-8421-97bef94bc355","name":"4ffd0fae-0a69-4afa-8421-97bef94bc355","status":"Succeeded","startTime":"2022-11-25T03:43:01.0038387Z","endTime":"2022-11-25T03:43:07.3317178Z"}' @@ -522,7 +522,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy","name":"deploy","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:42:23.945853Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:43:00.6174463Z"}}' @@ -572,7 +572,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/a4ec079f-0b8f-4563-a3ba-967d462880ec?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/a4ec079f-0b8f-4563-a3ba-967d462880ec?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/a4ec079f-0b8f-4563-a3ba-967d462880ec","name":"a4ec079f-0b8f-4563-a3ba-967d462880ec","status":"Running","startTime":"2022-11-25T03:43:00.3772926Z"}' @@ -620,7 +620,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/a4ec079f-0b8f-4563-a3ba-967d462880ec?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/a4ec079f-0b8f-4563-a3ba-967d462880ec?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/a4ec079f-0b8f-4563-a3ba-967d462880ec","name":"a4ec079f-0b8f-4563-a3ba-967d462880ec","status":"Running","startTime":"2022-11-25T03:43:00.3772926Z"}' @@ -668,7 +668,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/a4ec079f-0b8f-4563-a3ba-967d462880ec?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/a4ec079f-0b8f-4563-a3ba-967d462880ec?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/a4ec079f-0b8f-4563-a3ba-967d462880ec","name":"a4ec079f-0b8f-4563-a3ba-967d462880ec","status":"Succeeded","startTime":"2022-11-25T03:43:00.3772926Z","endTime":"2022-11-25T03:43:54.358602Z"}' @@ -716,7 +716,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/mock-deployment?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"foo":"bar"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"deploy-default-6-68bfd4747b-gqxk2","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-11-25T03:43:09Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_11"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/default","name":"default","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:42:59.6799807Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:42:59.6799807Z"}}' @@ -766,7 +766,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy","name":"deploy","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:42:23.945853Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:43:00.6174463Z"}}' @@ -816,7 +816,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"foo":"bar"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"deploy-default-6-68bfd4747b-gqxk2","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-11-25T03:43:09Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_11"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/default","name":"default","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:42:59.6799807Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:42:59.6799807Z"}}]}' @@ -866,7 +866,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"foo":"bar"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"deploy-default-6-68bfd4747b-gqxk2","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-11-25T03:43:09Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_11"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/default","name":"default","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:42:59.6799807Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:42:59.6799807Z"}}]}' @@ -1252,7 +1252,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/mock-deployment?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"foo":"bar"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Failed","status":"Running","active":true,"instances":[{"name":"deploy-default-6-858bf948cf-jf8l9","status":"Failed","reason":"Exit @@ -1303,7 +1303,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"foo":"bar"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Failed","status":"Running","active":true,"instances":[{"name":"deploy-default-6-858bf948cf-jf8l9","status":"Failed","reason":"Exit @@ -1354,7 +1354,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"2083e5d93d1b4a43a6c0590409f6588d","networkProfile":{"outboundIPs":{"publicIPs":["20.207.64.95","20.207.64.112"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"centralindia","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:16:06.3030492Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:20:29.0241388Z"}}' @@ -1408,13 +1408,13 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy","name":"deploy","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:42:23.945853Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:45:16.1775177Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/deploy/operationId/3009af3e-93e9-44ef-92c8-3555e6c3c60e?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/deploy/operationId/3009af3e-93e9-44ef-92c8-3555e6c3c60e?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -1426,7 +1426,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/3009af3e-93e9-44ef-92c8-3555e6c3c60e/Spring/deploy?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/3009af3e-93e9-44ef-92c8-3555e6c3c60e/Spring/deploy?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -1465,13 +1465,13 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/mock-deployment?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"bas":"baz"},"terminationGracePeriodSeconds":90},"provisioningState":"Updating","status":"Running","active":true,"instances":null,"source":{"type":"Jar","relativePath":"resources/b7bd55c11b781b0ccc43aa6e57f9dadf0660e9d1d4e27e0979ee43a407d454ae-2022112503-dba466af-6a94-4b45-9d7e-9b8c23b0101b","version":"v1","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/default","name":"default","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:42:59.6799807Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:45:17.0993951Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/ecb90cdf-663d-415f-b319-1f8ba2caaa39?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/ecb90cdf-663d-415f-b319-1f8ba2caaa39?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -1483,7 +1483,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/ecb90cdf-663d-415f-b319-1f8ba2caaa39/Spring/default?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/ecb90cdf-663d-415f-b319-1f8ba2caaa39/Spring/default?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -1515,7 +1515,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/deploy/operationId/3009af3e-93e9-44ef-92c8-3555e6c3c60e?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/deploy/operationId/3009af3e-93e9-44ef-92c8-3555e6c3c60e?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/deploy/operationId/3009af3e-93e9-44ef-92c8-3555e6c3c60e","name":"3009af3e-93e9-44ef-92c8-3555e6c3c60e","status":"Succeeded","startTime":"2022-11-25T03:45:16.689773Z","endTime":"2022-11-25T03:45:23.7726675Z"}' @@ -1563,7 +1563,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy","name":"deploy","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:42:23.945853Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:45:16.1775177Z"}}' @@ -1613,7 +1613,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/ecb90cdf-663d-415f-b319-1f8ba2caaa39?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/ecb90cdf-663d-415f-b319-1f8ba2caaa39?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/ecb90cdf-663d-415f-b319-1f8ba2caaa39","name":"ecb90cdf-663d-415f-b319-1f8ba2caaa39","status":"Running","startTime":"2022-11-25T03:45:17.5427514Z"}' @@ -1661,7 +1661,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/ecb90cdf-663d-415f-b319-1f8ba2caaa39?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/ecb90cdf-663d-415f-b319-1f8ba2caaa39?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/ecb90cdf-663d-415f-b319-1f8ba2caaa39","name":"ecb90cdf-663d-415f-b319-1f8ba2caaa39","status":"Running","startTime":"2022-11-25T03:45:17.5427514Z"}' @@ -1709,7 +1709,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/ecb90cdf-663d-415f-b319-1f8ba2caaa39?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/ecb90cdf-663d-415f-b319-1f8ba2caaa39?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/ecb90cdf-663d-415f-b319-1f8ba2caaa39","name":"ecb90cdf-663d-415f-b319-1f8ba2caaa39","status":"Running","startTime":"2022-11-25T03:45:17.5427514Z"}' @@ -1757,7 +1757,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/ecb90cdf-663d-415f-b319-1f8ba2caaa39?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/ecb90cdf-663d-415f-b319-1f8ba2caaa39?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/ecb90cdf-663d-415f-b319-1f8ba2caaa39","name":"ecb90cdf-663d-415f-b319-1f8ba2caaa39","status":"Failed","startTime":"2022-11-25T03:45:17.5427514Z","endTime":"2022-11-25T03:46:13.7379667Z","error":{"code":"BadRequest","message":"112404: @@ -1806,7 +1806,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy","name":"deploy","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:42:23.945853Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:45:16.1775177Z"}}' @@ -1856,7 +1856,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"bas":"baz"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Failed","status":"Running","active":true,"instances":[{"name":"deploy-default-6-597c4b9d85-x92w4","status":"Failed","reason":"Exit @@ -1907,7 +1907,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/mock-deployment?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"bas":"baz"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Failed","status":"Running","active":true,"instances":[{"name":"deploy-default-6-597c4b9d85-x92w4","status":"Failed","reason":"Exit @@ -1958,7 +1958,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"bas":"baz"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Failed","status":"Running","active":true,"instances":[{"name":"deploy-default-6-597c4b9d85-x92w4","status":"Failed","reason":"Exit @@ -2009,7 +2009,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"2083e5d93d1b4a43a6c0590409f6588d","networkProfile":{"outboundIPs":{"publicIPs":["20.207.64.95","20.207.64.112"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"centralindia","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:16:06.3030492Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:20:29.0241388Z"}}' @@ -2491,7 +2491,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/mock-deployment?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"bas":"baz"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Failed","status":"Running","active":true,"instances":[{"name":"deploy-default-6-5dd4df9dbf-868lg","status":"Failed","reason":"Exit @@ -2542,7 +2542,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"bas":"baz"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Failed","status":"Running","active":true,"instances":[{"name":"deploy-default-6-5dd4df9dbf-868lg","status":"Failed","reason":"Exit @@ -2597,13 +2597,13 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy","name":"deploy","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:42:23.945853Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:47:59.2098651Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/deploy/operationId/7863463f-aa4f-44a7-bbe8-8bb63da40ce2?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/deploy/operationId/7863463f-aa4f-44a7-bbe8-8bb63da40ce2?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -2615,7 +2615,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/7863463f-aa4f-44a7-bbe8-8bb63da40ce2/Spring/deploy?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/7863463f-aa4f-44a7-bbe8-8bb63da40ce2/Spring/deploy?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -2654,13 +2654,13 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/mock-deployment?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"bas":"baz"},"terminationGracePeriodSeconds":90},"provisioningState":"Updating","status":"Running","active":true,"instances":null,"source":{"type":"NetCoreZip","relativePath":"resources/b7bd55c11b781b0ccc43aa6e57f9dadf0660e9d1d4e27e0979ee43a407d454ae-2022112503-1acbaf2a-37f1-4df5-9570-7569bdf55067","version":"v2","runtimeVersion":"NetCore_31","netCoreMainEntryPath":"test1"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/default","name":"default","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:42:59.6799807Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:48:00.3817451Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/d3e6c769-e3f7-45ae-ba7e-4c7a4a2e5c3e?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/d3e6c769-e3f7-45ae-ba7e-4c7a4a2e5c3e?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -2672,7 +2672,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/d3e6c769-e3f7-45ae-ba7e-4c7a4a2e5c3e/Spring/default?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/d3e6c769-e3f7-45ae-ba7e-4c7a4a2e5c3e/Spring/default?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -2704,7 +2704,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/deploy/operationId/7863463f-aa4f-44a7-bbe8-8bb63da40ce2?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/deploy/operationId/7863463f-aa4f-44a7-bbe8-8bb63da40ce2?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/deploy/operationId/7863463f-aa4f-44a7-bbe8-8bb63da40ce2","name":"7863463f-aa4f-44a7-bbe8-8bb63da40ce2","status":"Succeeded","startTime":"2022-11-25T03:47:59.9505435Z","endTime":"2022-11-25T03:48:06.71284Z"}' @@ -2752,7 +2752,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy","name":"deploy","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:42:23.945853Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:47:59.2098651Z"}}' @@ -2802,7 +2802,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/d3e6c769-e3f7-45ae-ba7e-4c7a4a2e5c3e?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/d3e6c769-e3f7-45ae-ba7e-4c7a4a2e5c3e?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/d3e6c769-e3f7-45ae-ba7e-4c7a4a2e5c3e","name":"d3e6c769-e3f7-45ae-ba7e-4c7a4a2e5c3e","status":"Running","startTime":"2022-11-25T03:48:00.9083778Z"}' @@ -2850,7 +2850,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/d3e6c769-e3f7-45ae-ba7e-4c7a4a2e5c3e?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/d3e6c769-e3f7-45ae-ba7e-4c7a4a2e5c3e?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/d3e6c769-e3f7-45ae-ba7e-4c7a4a2e5c3e","name":"d3e6c769-e3f7-45ae-ba7e-4c7a4a2e5c3e","status":"Running","startTime":"2022-11-25T03:48:00.9083778Z"}' @@ -2898,7 +2898,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/d3e6c769-e3f7-45ae-ba7e-4c7a4a2e5c3e?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/d3e6c769-e3f7-45ae-ba7e-4c7a4a2e5c3e?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/d3e6c769-e3f7-45ae-ba7e-4c7a4a2e5c3e","name":"d3e6c769-e3f7-45ae-ba7e-4c7a4a2e5c3e","status":"Failed","startTime":"2022-11-25T03:48:00.9083778Z","endTime":"2022-11-25T03:48:48.9285508Z","error":{"code":"BadRequest","message":"112404: @@ -2947,7 +2947,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy","name":"deploy","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:42:23.945853Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:47:59.2098651Z"}}' @@ -2997,7 +2997,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"bas":"baz"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Failed","status":"Running","active":true,"instances":[{"name":"deploy-default-6-6b454dbd66-mbkbd","status":"Failed","reason":"Exit @@ -3048,7 +3048,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/mock-deployment?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"bas":"baz"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Failed","status":"Running","active":true,"instances":[{"name":"deploy-default-6-6b454dbd66-mbkbd","status":"Failed","reason":"Exit @@ -3099,7 +3099,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"bas":"baz"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Failed","status":"Running","active":true,"instances":[{"name":"deploy-default-6-6b454dbd66-mbkbd","status":"Failed","reason":"Exit @@ -3486,7 +3486,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/mock-deployment?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"bas":"baz"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Failed","status":"Running","active":true,"instances":[{"name":"deploy-default-6-595fcb6859-lmt5b","status":"Failed","reason":"Exit diff --git a/src/spring/azext_spring/tests/latest/recordings/test_gateway.yaml b/src/spring/azext_spring/tests/latest/recordings/test_gateway.yaml index 3046d704df8..6b3dfce89fc 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_gateway.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_gateway.yaml @@ -399,7 +399,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -498,7 +498,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -851,7 +851,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -1258,7 +1258,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -1713,7 +1713,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -1813,7 +1813,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -2009,7 +2009,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -2104,7 +2104,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -3170,7 +3170,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -3366,7 +3366,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -4480,7 +4480,7 @@ interactions: User-Agent: - AZURECLI/2.41.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.0 (Linux-4.4.0-22621-Microsoft-x86_64-with-glibc2.27) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/certificates/cli-unittest?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/certificates/cli-unittest?api-version=2022-11-01-preview response: body: string: '{"properties":{"vaultUri":"https://integration-test-prod.vault.azure.net","keyVaultCertName":"pfx-cert","certVersion":"012850b3685548edb418696a491c6d72","excludePrivateKey":false,"type":"KeyVaultCertificate","thumbprint":"6695512ed53e0c46817348b78411876a9a9c3396","issuer":"Microsoft @@ -4530,7 +4530,7 @@ interactions: User-Agent: - AZURECLI/2.41.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.0 (Linux-4.4.0-22621-Microsoft-x86_64-with-glibc2.27) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"901491e641cf4c0fbcedeeced84919f4","networkProfile":{"outboundIPs":{"publicIPs":["20.246.169.224","20.246.170.4"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"xiading@microsoft.com","createdByType":"User","createdAt":"2022-11-01T05:28:28.6663306Z","lastModifiedBy":"xiading@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-01T05:28:28.6663306Z"}}' @@ -4584,7 +4584,7 @@ interactions: User-Agent: - AZURECLI/2.41.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.0 (Linux-4.4.0-22621-Microsoft-x86_64-with-glibc2.27) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default/domains/gateway-cli.azdmss-test.net?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default/domains/gateway-cli.azdmss-test.net?api-version=2022-11-01-preview response: body: string: '{"properties":{"thumbprint":""},"type":"Microsoft.AppPlatform/Spring/gateways/domains","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default/domains/gateway-cli.azdmss-test.net","name":"gateway-cli.azdmss-test.net"}' @@ -4634,7 +4634,7 @@ interactions: User-Agent: - AZURECLI/2.41.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.0 (Linux-4.4.0-22621-Microsoft-x86_64-with-glibc2.27) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"901491e641cf4c0fbcedeeced84919f4","networkProfile":{"outboundIPs":{"publicIPs":["20.246.169.224","20.246.170.4"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"xiading@microsoft.com","createdByType":"User","createdAt":"2022-11-01T05:28:28.6663306Z","lastModifiedBy":"xiading@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-01T05:28:28.6663306Z"}}' @@ -4684,7 +4684,7 @@ interactions: User-Agent: - AZURECLI/2.41.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.0 (Linux-4.4.0-22621-Microsoft-x86_64-with-glibc2.27) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default/domains/gateway-cli.azdmss-test.net?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default/domains/gateway-cli.azdmss-test.net?api-version=2022-11-01-preview response: body: string: '{"properties":{"thumbprint":""},"type":"Microsoft.AppPlatform/Spring/gateways/domains","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default/domains/gateway-cli.azdmss-test.net","name":"gateway-cli.azdmss-test.net"}' @@ -4732,7 +4732,7 @@ interactions: User-Agent: - AZURECLI/2.41.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.0 (Linux-4.4.0-22621-Microsoft-x86_64-with-glibc2.27) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"901491e641cf4c0fbcedeeced84919f4","networkProfile":{"outboundIPs":{"publicIPs":["20.246.169.224","20.246.170.4"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"xiading@microsoft.com","createdByType":"User","createdAt":"2022-11-01T05:28:28.6663306Z","lastModifiedBy":"xiading@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-01T05:28:28.6663306Z"}}' @@ -4782,7 +4782,7 @@ interactions: User-Agent: - AZURECLI/2.41.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.0 (Linux-4.4.0-22621-Microsoft-x86_64-with-glibc2.27) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default/domains?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default/domains?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"thumbprint":""},"type":"Microsoft.AppPlatform/Spring/gateways/domains","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default/domains/gateway-cli.azdmss-test.net","name":"gateway-cli.azdmss-test.net"}]}' @@ -4830,7 +4830,7 @@ interactions: User-Agent: - AZURECLI/2.41.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.0 (Linux-4.4.0-22621-Microsoft-x86_64-with-glibc2.27) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"901491e641cf4c0fbcedeeced84919f4","networkProfile":{"outboundIPs":{"publicIPs":["20.246.169.224","20.246.170.4"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"xiading@microsoft.com","createdByType":"User","createdAt":"2022-11-01T05:28:28.6663306Z","lastModifiedBy":"xiading@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-01T05:28:28.6663306Z"}}' @@ -4880,7 +4880,7 @@ interactions: User-Agent: - AZURECLI/2.41.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.0 (Linux-4.4.0-22621-Microsoft-x86_64-with-glibc2.27) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/certificates/cli-unittest?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/certificates/cli-unittest?api-version=2022-11-01-preview response: body: string: '{"properties":{"vaultUri":"https://integration-test-prod.vault.azure.net","keyVaultCertName":"pfx-cert","certVersion":"012850b3685548edb418696a491c6d72","excludePrivateKey":false,"type":"KeyVaultCertificate","thumbprint":"6695512ed53e0c46817348b78411876a9a9c3396","issuer":"Microsoft @@ -4934,7 +4934,7 @@ interactions: User-Agent: - AZURECLI/2.41.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.0 (Linux-4.4.0-22621-Microsoft-x86_64-with-glibc2.27) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default/domains/gateway-cli.azdmss-test.net?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default/domains/gateway-cli.azdmss-test.net?api-version=2022-11-01-preview response: body: string: '{"properties":{"thumbprint":"6695512ed53e0c46817348b78411876a9a9c3396"},"type":"Microsoft.AppPlatform/Spring/gateways/domains","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default/domains/gateway-cli.azdmss-test.net","name":"gateway-cli.azdmss-test.net"}' @@ -4984,7 +4984,7 @@ interactions: User-Agent: - AZURECLI/2.41.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.0 (Linux-4.4.0-22621-Microsoft-x86_64-with-glibc2.27) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"901491e641cf4c0fbcedeeced84919f4","networkProfile":{"outboundIPs":{"publicIPs":["20.246.169.224","20.246.170.4"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"xiading@microsoft.com","createdByType":"User","createdAt":"2022-11-01T05:28:28.6663306Z","lastModifiedBy":"xiading@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-01T05:28:28.6663306Z"}}' @@ -5034,7 +5034,7 @@ interactions: User-Agent: - AZURECLI/2.41.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.0 (Linux-4.4.0-22621-Microsoft-x86_64-with-glibc2.27) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default/domains/gateway-cli.azdmss-test.net?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default/domains/gateway-cli.azdmss-test.net?api-version=2022-11-01-preview response: body: string: '{"properties":{"thumbprint":"6695512ed53e0c46817348b78411876a9a9c3396"},"type":"Microsoft.AppPlatform/Spring/gateways/domains","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default/domains/gateway-cli.azdmss-test.net","name":"gateway-cli.azdmss-test.net"}' @@ -5080,7 +5080,7 @@ interactions: User-Agent: - AZURECLI/2.41.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.0 (Linux-4.4.0-22621-Microsoft-x86_64-with-glibc2.27) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default/domains/gateway-cli.azdmss-test.net?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default/domains/gateway-cli.azdmss-test.net?api-version=2022-11-01-preview response: body: string: '' @@ -5126,7 +5126,7 @@ interactions: User-Agent: - AZURECLI/2.41.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.0 (Linux-4.4.0-22621-Microsoft-x86_64-with-glibc2.27) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"901491e641cf4c0fbcedeeced84919f4","networkProfile":{"outboundIPs":{"publicIPs":["20.246.169.224","20.246.170.4"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"xiading@microsoft.com","createdByType":"User","createdAt":"2022-11-01T05:28:28.6663306Z","lastModifiedBy":"xiading@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-01T05:28:28.6663306Z"}}' @@ -5176,7 +5176,7 @@ interactions: User-Agent: - AZURECLI/2.41.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.0 (Linux-4.4.0-22621-Microsoft-x86_64-with-glibc2.27) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default/domains/gateway-cli.azdmss-test.net?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default/domains/gateway-cli.azdmss-test.net?api-version=2022-11-01-preview response: body: string: '{"error":{"code":"EntityNotFound","message":"CustomDomain ''gateway-cli.azdmss-test.net'' diff --git a/src/spring/azext_spring/tests/latest/recordings/test_generate_deployment_dump.yaml b/src/spring/azext_spring/tests/latest/recordings/test_generate_deployment_dump.yaml index d035ac98b00..0d17bab5d91 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_generate_deployment_dump.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_generate_deployment_dump.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-dump/deployments/default?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-dump/deployments/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"},"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-dump-default-23-75bf876455-xz892","status":"Running","discoveryStatus":"UP","startTime":"2022-01-17T21:05:40Z"}]},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-dump/deployments/default","name":"default","systemData":{"createdBy":"3462cf92-dc17-43c5-8c7e-e50c11a1c181","createdByType":"Application","createdAt":"2022-01-17T21:05:09.7194765Z","lastModifiedBy":"3462cf92-dc17-43c5-8c7e-e50c11a1c181","lastModifiedByType":"Application","lastModifiedAt":"2022-01-17T21:05:27.4994709Z"}}' @@ -67,7 +67,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-dump/deployments/default?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-dump/deployments/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"},"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-dump-default-23-75bf876455-xz892","status":"Running","discoveryStatus":"UP","startTime":"2022-01-17T21:05:40Z"}]},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-dump/deployments/default","name":"default","systemData":{"createdBy":"3462cf92-dc17-43c5-8c7e-e50c11a1c181","createdByType":"Application","createdAt":"2022-01-17T21:05:09.7194765Z","lastModifiedBy":"3462cf92-dc17-43c5-8c7e-e50c11a1c181","lastModifiedByType":"Application","lastModifiedAt":"2022-01-17T21:05:27.4994709Z"}}' @@ -124,13 +124,13 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-dump/deployments/default/generateHeapDump?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-dump/deployments/default/generateHeapDump?api-version=2022-11-01-preview response: body: string: '{"appInstance":"test-app-dump-default-23-75bf876455-xz892","filePath":"C:UsersyuwzhoAppDataLocalTempdumpfile.txt","duration":"60s"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -174,7 +174,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -224,7 +224,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -274,7 +274,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -324,7 +324,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -374,7 +374,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -424,7 +424,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -474,7 +474,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -524,7 +524,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -574,7 +574,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -624,7 +624,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -674,7 +674,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -724,7 +724,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -774,7 +774,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -824,7 +824,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -874,7 +874,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -924,7 +924,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -974,7 +974,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -1024,7 +1024,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -1074,7 +1074,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -1124,7 +1124,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -1174,7 +1174,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -1224,7 +1224,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -1274,7 +1274,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -1324,7 +1324,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -1374,7 +1374,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -1424,7 +1424,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -1474,7 +1474,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -1524,7 +1524,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -1574,7 +1574,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -1624,7 +1624,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -1674,7 +1674,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -1724,7 +1724,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -1774,7 +1774,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -1824,7 +1824,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -1874,7 +1874,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -1924,7 +1924,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -1974,7 +1974,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -2024,7 +2024,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -2074,7 +2074,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -2124,7 +2124,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -2174,7 +2174,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -2224,7 +2224,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -2274,7 +2274,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -2324,7 +2324,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -2374,7 +2374,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -2424,7 +2424,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -2474,7 +2474,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -2524,7 +2524,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -2574,7 +2574,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -2624,7 +2624,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -2674,7 +2674,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -2724,7 +2724,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -2774,7 +2774,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -2824,7 +2824,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -2874,7 +2874,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -2924,7 +2924,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -2974,7 +2974,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -3024,7 +3024,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -3074,7 +3074,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -3124,7 +3124,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -3174,7 +3174,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -3224,7 +3224,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -3274,7 +3274,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -3324,7 +3324,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -3374,7 +3374,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -3424,7 +3424,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -3474,7 +3474,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -3524,7 +3524,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -3574,7 +3574,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -3624,7 +3624,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -3674,7 +3674,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -3724,7 +3724,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -3774,7 +3774,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -3824,7 +3824,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -3874,7 +3874,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -3924,7 +3924,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -3974,7 +3974,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -4024,7 +4024,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -4074,7 +4074,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -4124,7 +4124,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -4174,7 +4174,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -4224,7 +4224,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -4274,7 +4274,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -4324,7 +4324,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -4374,7 +4374,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -4424,7 +4424,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -4474,7 +4474,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -4524,7 +4524,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -4574,7 +4574,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -4624,7 +4624,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -4674,7 +4674,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -4724,7 +4724,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -4774,7 +4774,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -4824,7 +4824,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -4874,7 +4874,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -4924,7 +4924,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -4974,7 +4974,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -5024,7 +5024,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -5074,7 +5074,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -5124,7 +5124,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -5174,7 +5174,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -5224,7 +5224,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -5274,7 +5274,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -5324,7 +5324,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -5374,7 +5374,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -5424,7 +5424,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -5474,7 +5474,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -5524,7 +5524,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -5574,7 +5574,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -5624,7 +5624,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -5674,7 +5674,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -5724,7 +5724,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -5774,7 +5774,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -5824,7 +5824,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -5874,7 +5874,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -5924,7 +5924,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -5974,7 +5974,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -6024,7 +6024,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -6074,7 +6074,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -6124,7 +6124,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -6174,7 +6174,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -6224,7 +6224,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -6274,7 +6274,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -6324,7 +6324,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -6374,7 +6374,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -6424,7 +6424,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -6474,7 +6474,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -6524,7 +6524,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -6574,7 +6574,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -6624,7 +6624,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -6674,7 +6674,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -6724,7 +6724,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -6774,7 +6774,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -6824,7 +6824,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -6874,7 +6874,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -6924,7 +6924,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -6974,7 +6974,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -7024,7 +7024,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -7074,7 +7074,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -7124,7 +7124,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -7174,7 +7174,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -7224,7 +7224,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -7274,7 +7274,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -7324,7 +7324,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -7374,7 +7374,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -7424,7 +7424,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -7474,7 +7474,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -7524,7 +7524,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -7574,7 +7574,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -7624,7 +7624,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -7674,7 +7674,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -7724,7 +7724,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -7774,7 +7774,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -7824,7 +7824,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -7874,7 +7874,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -7924,7 +7924,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -7974,7 +7974,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -8024,7 +8024,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -8074,7 +8074,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -8124,7 +8124,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -8174,7 +8174,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -8224,7 +8224,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -8274,7 +8274,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -8324,7 +8324,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -8374,7 +8374,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -8424,7 +8424,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -8474,7 +8474,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -8524,7 +8524,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -8574,7 +8574,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -8624,7 +8624,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -8674,7 +8674,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -8724,7 +8724,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -8774,7 +8774,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -8824,7 +8824,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -8874,7 +8874,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -8924,7 +8924,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -8974,7 +8974,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -9024,7 +9024,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -9074,7 +9074,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -9124,7 +9124,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -9174,7 +9174,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -9224,7 +9224,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -9274,7 +9274,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -9324,7 +9324,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -9374,7 +9374,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -9424,7 +9424,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -9474,7 +9474,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -9524,7 +9524,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -9574,7 +9574,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -9624,7 +9624,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -9674,7 +9674,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -9724,7 +9724,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -9774,7 +9774,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -9824,7 +9824,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -9874,7 +9874,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -9924,7 +9924,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -9974,7 +9974,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -10024,7 +10024,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -10074,7 +10074,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -10124,7 +10124,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -10174,7 +10174,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -10224,7 +10224,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -10274,7 +10274,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -10324,7 +10324,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -10374,7 +10374,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -10424,7 +10424,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -10474,7 +10474,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -10524,7 +10524,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -10574,7 +10574,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -10624,7 +10624,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -10674,7 +10674,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -10724,7 +10724,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -10774,7 +10774,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -10824,7 +10824,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -10874,7 +10874,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -10924,7 +10924,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -10974,7 +10974,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -11024,7 +11024,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -11074,7 +11074,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -11124,7 +11124,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -11174,7 +11174,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -11224,7 +11224,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -11274,7 +11274,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -11324,7 +11324,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -11374,7 +11374,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -11424,7 +11424,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -11474,7 +11474,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -11524,7 +11524,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -11574,7 +11574,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -11624,7 +11624,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -11674,7 +11674,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -11724,7 +11724,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -11774,7 +11774,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -11824,7 +11824,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -11874,7 +11874,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -11924,7 +11924,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -11974,7 +11974,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -12024,7 +12024,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -12074,7 +12074,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -12124,7 +12124,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -12174,7 +12174,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -12224,7 +12224,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -12274,7 +12274,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -12324,7 +12324,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -12374,7 +12374,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -12424,7 +12424,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -12474,7 +12474,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -12524,7 +12524,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -12574,7 +12574,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -12624,7 +12624,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -12674,7 +12674,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -12724,7 +12724,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -12774,7 +12774,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -12824,7 +12824,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -12874,7 +12874,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -12924,7 +12924,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -12974,7 +12974,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -13024,7 +13024,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -13074,7 +13074,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -13124,7 +13124,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -13174,7 +13174,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -13224,7 +13224,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -13274,7 +13274,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -13324,7 +13324,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -13374,7 +13374,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -13424,7 +13424,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -13474,7 +13474,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -13524,7 +13524,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -13574,7 +13574,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -13624,7 +13624,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -13674,7 +13674,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -13724,7 +13724,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -13774,7 +13774,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -13824,7 +13824,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -13874,7 +13874,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -13924,7 +13924,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -13974,7 +13974,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -14024,7 +14024,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -14074,7 +14074,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -14124,7 +14124,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -14174,7 +14174,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -14224,7 +14224,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -14274,7 +14274,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -14324,7 +14324,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -14374,7 +14374,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -14424,7 +14424,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -14474,7 +14474,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -14524,7 +14524,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -14574,7 +14574,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -14624,7 +14624,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -14674,7 +14674,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -14724,7 +14724,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -14774,7 +14774,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -14824,7 +14824,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -14874,7 +14874,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -14924,7 +14924,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -14974,7 +14974,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -15024,7 +15024,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -15074,7 +15074,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -15124,7 +15124,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -15174,7 +15174,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -15224,7 +15224,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -15274,7 +15274,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -15324,7 +15324,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -15374,7 +15374,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -15424,7 +15424,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -15474,7 +15474,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -15524,7 +15524,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -15574,7 +15574,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -15624,7 +15624,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -15674,7 +15674,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -15724,7 +15724,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -15774,7 +15774,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -15824,7 +15824,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -15874,7 +15874,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -15924,7 +15924,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -15974,7 +15974,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -16024,7 +16024,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -16074,7 +16074,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -16124,7 +16124,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -16174,7 +16174,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -16224,7 +16224,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -16274,7 +16274,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -16324,7 +16324,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -16374,7 +16374,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -16424,7 +16424,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -16474,7 +16474,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -16524,7 +16524,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -16574,7 +16574,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -16624,7 +16624,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -16674,7 +16674,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -16724,7 +16724,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -16774,7 +16774,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -16824,7 +16824,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -16874,7 +16874,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -16924,7 +16924,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -16974,7 +16974,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -17024,7 +17024,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -17074,7 +17074,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -17124,7 +17124,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -17174,7 +17174,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -17224,7 +17224,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -17274,7 +17274,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -17324,7 +17324,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -17374,7 +17374,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -17424,7 +17424,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -17474,7 +17474,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -17524,7 +17524,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -17574,7 +17574,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -17624,7 +17624,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -17674,7 +17674,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -17724,7 +17724,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -17774,7 +17774,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -17824,7 +17824,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -17874,7 +17874,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -17924,7 +17924,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -17974,7 +17974,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -18024,7 +18024,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Succeeded","startTime":"2022-01-19T03:28:30.1744848Z"}' diff --git a/src/spring/azext_spring/tests/latest/recordings/test_live_view.yaml b/src/spring/azext_spring/tests/latest/recordings/test_live_view.yaml index fd9f5b8e5d5..c73eb36eb45 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_live_view.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_live_view.yaml @@ -214,7 +214,7 @@ interactions: User-Agent: - AZURECLI/2.41.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/test-cli/providers/Microsoft.AppPlatform/Spring/test-cli?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/test-cli/providers/Microsoft.AppPlatform/Spring/test-cli?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1beb2a690b2647bb818d170dae53e840","networkProfile":{"outboundIPs":{"publicIPs":["20.69.73.184","20.69.75.52"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"test-cli.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"westus2","tags":{"asc-test":"prod","api-target":"arm","service-create-time":"2022-11-17 @@ -655,7 +655,7 @@ interactions: User-Agent: - AZURECLI/2.41.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/test-cli/providers/Microsoft.AppPlatform/Spring/test-cli?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/test-cli/providers/Microsoft.AppPlatform/Spring/test-cli?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1beb2a690b2647bb818d170dae53e840","networkProfile":{"outboundIPs":{"publicIPs":["20.69.73.184","20.69.75.52"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"test-cli.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"westus2","tags":{"asc-test":"prod","api-target":"arm","service-create-time":"2022-11-17 @@ -754,7 +754,7 @@ interactions: User-Agent: - AZURECLI/2.41.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/test-cli/providers/Microsoft.AppPlatform/Spring/test-cli?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/test-cli/providers/Microsoft.AppPlatform/Spring/test-cli?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1beb2a690b2647bb818d170dae53e840","networkProfile":{"outboundIPs":{"publicIPs":["20.69.73.184","20.69.75.52"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"test-cli.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"westus2","tags":{"asc-test":"prod","api-target":"arm","service-create-time":"2022-11-17 @@ -1342,7 +1342,7 @@ interactions: User-Agent: - AZURECLI/2.41.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/test-cli/providers/Microsoft.AppPlatform/Spring/test-cli?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/test-cli/providers/Microsoft.AppPlatform/Spring/test-cli?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1beb2a690b2647bb818d170dae53e840","networkProfile":{"outboundIPs":{"publicIPs":["20.69.73.184","20.69.75.52"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"test-cli.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"westus2","tags":{"asc-test":"prod","api-target":"arm","service-create-time":"2022-11-17 diff --git a/src/spring/azext_spring/tests/latest/recordings/test_load_public_cert_to_app.yaml b/src/spring/azext_spring/tests/latest/recordings/test_load_public_cert_to_app.yaml index 7329b476579..e382bc1a327 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_load_public_cert_to_app.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_load_public_cert_to_app.yaml @@ -19,7 +19,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/digi-cert?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/digi-cert?api-version=2022-11-01-preview response: body: string: '{"properties":{"type":"ContentCertificate","thumbprint":"a8985d3a65e5e5c4b2d7d66d40c6dd2fb19c5436","issuer":"DigiCert @@ -77,7 +77,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/balti-cert?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/balti-cert?api-version=2022-11-01-preview response: body: string: '{"properties":{"type":"ContentCertificate","thumbprint":"d4de20d05e66fc53fe1a50882c78db2852cae474","issuer":"Baltimore @@ -131,7 +131,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/digi-cert?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/digi-cert?api-version=2022-11-01-preview response: body: string: '{"properties":{"type":"ContentCertificate","thumbprint":"a8985d3a65e5e5c4b2d7d66d40c6dd2fb19c5436","issuer":"DigiCert @@ -183,7 +183,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/balti-cert?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/balti-cert?api-version=2022-11-01-preview response: body: string: '{"properties":{"type":"ContentCertificate","thumbprint":"d4de20d05e66fc53fe1a50882c78db2852cae474","issuer":"Baltimore @@ -235,7 +235,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"type":"ContentCertificate","thumbprint":"a8985d3a65e5e5c4b2d7d66d40c6dd2fb19c5436","issuer":"DigiCert @@ -289,7 +289,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert?api-version=2022-11-01-preview response: body: string: '{"error":{"code":"NotFound","message":"App was not found","target":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert","details":null}}' @@ -337,7 +337,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"0c7bf6b91ae840c78655bb6f57ea0391","networkProfile":{"outboundIPs":{"publicIPs":["20.24.160.30","20.24.160.222"]}},"powerState":"Running","fqdn":"cli-unittest.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"southeastasia","tags":{"asc-test":"prod","api-target":"arm","service-create-time":"2022-03-20 @@ -390,7 +390,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/balti-cert?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/balti-cert?api-version=2022-11-01-preview response: body: string: '{"properties":{"type":"ContentCertificate","thumbprint":"d4de20d05e66fc53fe1a50882c78db2852cae474","issuer":"Baltimore @@ -449,13 +449,13 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Creating","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"loadedCertificates":[{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/balti-cert","loadTrustStore":true}],"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert","name":"test-app-cert","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T07:59:12.8576427Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-20T07:59:12.8576427Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-app-cert/operationId/1467b6c0-4175-4c72-bfdc-cf84201cabff?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-app-cert/operationId/1467b6c0-4175-4c72-bfdc-cf84201cabff?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -467,7 +467,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/1467b6c0-4175-4c72-bfdc-cf84201cabff/Spring/test-app-cert?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/1467b6c0-4175-4c72-bfdc-cf84201cabff/Spring/test-app-cert?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -501,7 +501,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-app-cert/operationId/1467b6c0-4175-4c72-bfdc-cf84201cabff?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-app-cert/operationId/1467b6c0-4175-4c72-bfdc-cf84201cabff?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-app-cert/operationId/1467b6c0-4175-4c72-bfdc-cf84201cabff","name":"1467b6c0-4175-4c72-bfdc-cf84201cabff","status":"Succeeded","startTime":"2022-03-20T07:59:13.2344085Z","endTime":"2022-03-20T07:59:19.3638519Z"}' @@ -551,7 +551,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"loadedCertificates":[{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/balti-cert","loadTrustStore":true}],"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert","name":"test-app-cert","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T07:59:12.8576427Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-20T07:59:12.8576427Z"}}' @@ -610,13 +610,13 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert/deployments/mock-deployment?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"},"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null},"provisioningState":"Creating","status":"Running","active":true,"instances":null},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert/deployments/default","name":"default","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T07:59:48.5765983Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-20T07:59:48.5765983Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/default/operationId/d174bbc2-aab8-48ab-9f95-1e43c43395a3?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/default/operationId/d174bbc2-aab8-48ab-9f95-1e43c43395a3?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -628,7 +628,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/d174bbc2-aab8-48ab-9f95-1e43c43395a3/Spring/default?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/d174bbc2-aab8-48ab-9f95-1e43c43395a3/Spring/default?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -667,13 +667,13 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"loadedCertificates":[{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/balti-cert","loadTrustStore":true}],"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert","name":"test-app-cert","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T07:59:12.8576427Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-20T07:59:49.6703751Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-app-cert/operationId/c05411e6-6ed9-4533-a437-e37475f6c019?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-app-cert/operationId/c05411e6-6ed9-4533-a437-e37475f6c019?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -685,7 +685,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/c05411e6-6ed9-4533-a437-e37475f6c019/Spring/test-app-cert?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/c05411e6-6ed9-4533-a437-e37475f6c019/Spring/test-app-cert?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -719,7 +719,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/default/operationId/d174bbc2-aab8-48ab-9f95-1e43c43395a3?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/default/operationId/d174bbc2-aab8-48ab-9f95-1e43c43395a3?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/default/operationId/d174bbc2-aab8-48ab-9f95-1e43c43395a3","name":"d174bbc2-aab8-48ab-9f95-1e43c43395a3","status":"Succeeded","startTime":"2022-03-20T07:59:49.3471251Z","endTime":"2022-03-20T08:00:19.3492879Z"}' @@ -769,7 +769,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert/deployments/mock-deployment?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"},"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-cert-default-15-cc789b5f9-p78lf","status":"Running","discoveryStatus":"UP","startTime":"2022-03-20T07:59:52Z"}]},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert/deployments/default","name":"default","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T07:59:48.5765983Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-20T07:59:48.5765983Z"}}' @@ -821,7 +821,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-app-cert/operationId/c05411e6-6ed9-4533-a437-e37475f6c019?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-app-cert/operationId/c05411e6-6ed9-4533-a437-e37475f6c019?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-app-cert/operationId/c05411e6-6ed9-4533-a437-e37475f6c019","name":"c05411e6-6ed9-4533-a437-e37475f6c019","status":"Succeeded","startTime":"2022-03-20T07:59:49.8614287Z","endTime":"2022-03-20T07:59:56.1202247Z"}' @@ -871,7 +871,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"loadedCertificates":[{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/balti-cert","loadTrustStore":true}],"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert","name":"test-app-cert","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T07:59:12.8576427Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-20T07:59:49.6703751Z"}}' @@ -923,7 +923,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"loadedCertificates":[{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/balti-cert","loadTrustStore":true}],"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert","name":"test-app-cert","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T07:59:12.8576427Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-20T07:59:49.6703751Z"}}' @@ -975,7 +975,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert/deployments?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"},"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-cert-default-15-cc789b5f9-p78lf","status":"Running","discoveryStatus":"UP","startTime":"2022-03-20T07:59:52Z"}]},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert/deployments/default","name":"default","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T07:59:48.5765983Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-20T07:59:48.5765983Z"}}]}' @@ -1027,7 +1027,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"loadedCertificates":[{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/balti-cert","loadTrustStore":true}],"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert","name":"test-app-cert","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T07:59:12.8576427Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-20T07:59:49.6703751Z"}}' @@ -1079,7 +1079,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/digi-cert?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/digi-cert?api-version=2022-11-01-preview response: body: string: '{"properties":{"type":"ContentCertificate","thumbprint":"a8985d3a65e5e5c4b2d7d66d40c6dd2fb19c5436","issuer":"DigiCert @@ -1141,13 +1141,13 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"loadedCertificates":[{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/balti-cert","loadTrustStore":true},{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/digi-cert","loadTrustStore":true}],"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert","name":"test-app-cert","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T07:59:12.8576427Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-20T08:00:28.0241629Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-app-cert/operationId/5d2fbf1c-a97f-4b3e-baee-add93d17bac8?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-app-cert/operationId/5d2fbf1c-a97f-4b3e-baee-add93d17bac8?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -1159,7 +1159,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/5d2fbf1c-a97f-4b3e-baee-add93d17bac8/Spring/test-app-cert?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/5d2fbf1c-a97f-4b3e-baee-add93d17bac8/Spring/test-app-cert?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -1193,7 +1193,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-app-cert/operationId/5d2fbf1c-a97f-4b3e-baee-add93d17bac8?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-app-cert/operationId/5d2fbf1c-a97f-4b3e-baee-add93d17bac8?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-app-cert/operationId/5d2fbf1c-a97f-4b3e-baee-add93d17bac8","name":"5d2fbf1c-a97f-4b3e-baee-add93d17bac8","status":"Succeeded","startTime":"2022-03-20T08:00:28.3603234Z","endTime":"2022-03-20T08:00:34.9311103Z"}' @@ -1243,7 +1243,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"loadedCertificates":[{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/balti-cert","loadTrustStore":true},{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/digi-cert","loadTrustStore":true}],"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert","name":"test-app-cert","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T07:59:12.8576427Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-20T08:00:28.0241629Z"}}' @@ -1295,7 +1295,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"loadedCertificates":[{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/balti-cert","loadTrustStore":true},{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/digi-cert","loadTrustStore":true}],"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert","name":"test-app-cert","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T07:59:12.8576427Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-20T08:00:28.0241629Z"}}' @@ -1347,7 +1347,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy","name":"deploy","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T06:26:14.6362979Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-20T06:30:37.7345786Z"}},{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/diagnostic-settings-app","name":"diagnostic-settings-app","systemData":{"createdBy":"3462cf92-dc17-43c5-8c7e-e50c11a1c181","createdByType":"Application","createdAt":"2022-03-19T18:05:51.0507057Z","lastModifiedBy":"3462cf92-dc17-43c5-8c7e-e50c11a1c181","lastModifiedByType":"Application","lastModifiedAt":"2022-03-19T18:07:49.4153942Z"}},{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":true,"url":"https://cli-unittest-gateway-shared.azuremicroservices.io","provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/gateway-shared","name":"gateway-shared","systemData":{"createdBy":"3462cf92-dc17-43c5-8c7e-e50c11a1c181","createdByType":"Application","createdAt":"2022-03-19T18:05:41.0026342Z","lastModifiedBy":"3462cf92-dc17-43c5-8c7e-e50c11a1c181","lastModifiedByType":"Application","lastModifiedAt":"2022-03-19T18:08:19.2450107Z"}},{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":true,"url":"https://cli-unittest-mi-app-b.azuremicroservices.io","provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned","principalId":"3731fd1d-ad37-4dc5-9d13-d9846d5d2824","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/mi-app-b","name":"mi-app-b","systemData":{"createdBy":"3462cf92-dc17-43c5-8c7e-e50c11a1c181","createdByType":"Application","createdAt":"2022-03-19T19:59:03.9959862Z","lastModifiedBy":"3462cf92-dc17-43c5-8c7e-e50c11a1c181","lastModifiedByType":"Application","lastModifiedAt":"2022-03-19T20:04:46.9925208Z"}},{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"loadedCertificates":[{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/balti-cert","loadTrustStore":true},{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/digi-cert","loadTrustStore":true}],"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert","name":"test-app-cert","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T07:59:12.8576427Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-20T08:00:28.0241629Z"}},{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container-2","name":"test-container-2","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T07:51:05.5316002Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-20T07:51:42.297469Z"}}]}' @@ -1399,7 +1399,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/digi-cert?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/digi-cert?api-version=2022-11-01-preview response: body: string: '{"properties":{"type":"ContentCertificate","thumbprint":"a8985d3a65e5e5c4b2d7d66d40c6dd2fb19c5436","issuer":"DigiCert @@ -1451,7 +1451,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy","name":"deploy","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T06:26:14.6362979Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-20T06:30:37.7345786Z"}},{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/diagnostic-settings-app","name":"diagnostic-settings-app","systemData":{"createdBy":"3462cf92-dc17-43c5-8c7e-e50c11a1c181","createdByType":"Application","createdAt":"2022-03-19T18:05:51.0507057Z","lastModifiedBy":"3462cf92-dc17-43c5-8c7e-e50c11a1c181","lastModifiedByType":"Application","lastModifiedAt":"2022-03-19T18:07:49.4153942Z"}},{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":true,"url":"https://cli-unittest-gateway-shared.azuremicroservices.io","provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/gateway-shared","name":"gateway-shared","systemData":{"createdBy":"3462cf92-dc17-43c5-8c7e-e50c11a1c181","createdByType":"Application","createdAt":"2022-03-19T18:05:41.0026342Z","lastModifiedBy":"3462cf92-dc17-43c5-8c7e-e50c11a1c181","lastModifiedByType":"Application","lastModifiedAt":"2022-03-19T18:08:19.2450107Z"}},{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":true,"url":"https://cli-unittest-mi-app-b.azuremicroservices.io","provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned","principalId":"3731fd1d-ad37-4dc5-9d13-d9846d5d2824","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/mi-app-b","name":"mi-app-b","systemData":{"createdBy":"3462cf92-dc17-43c5-8c7e-e50c11a1c181","createdByType":"Application","createdAt":"2022-03-19T19:59:03.9959862Z","lastModifiedBy":"3462cf92-dc17-43c5-8c7e-e50c11a1c181","lastModifiedByType":"Application","lastModifiedAt":"2022-03-19T20:04:46.9925208Z"}},{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"loadedCertificates":[{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/balti-cert","loadTrustStore":true},{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/digi-cert","loadTrustStore":true}],"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert","name":"test-app-cert","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T07:59:12.8576427Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-20T08:00:28.0241629Z"}},{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container-2","name":"test-container-2","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T07:51:05.5316002Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-20T07:51:42.297469Z"}}]}' @@ -1503,7 +1503,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/digi-cert?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/digi-cert?api-version=2022-11-01-preview response: body: string: '{"properties":{"type":"ContentCertificate","thumbprint":"a8985d3a65e5e5c4b2d7d66d40c6dd2fb19c5436","issuer":"DigiCert diff --git a/src/spring/azext_spring/tests/latest/recordings/test_persistent_storage.yaml b/src/spring/azext_spring/tests/latest/recordings/test_persistent_storage.yaml index 5c38ee740c9..05749aab4a0 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_persistent_storage.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_persistent_storage.yaml @@ -926,13 +926,13 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.3.1"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=4fd6bb8d-e6c4-44aa-988d-90826cacf718;IngestionEndpoint=https://centralus-0.in.applicationinsights.azure.com/;LiveEndpoint=https://centralus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/cli-unittest/operationId/a85c311a-dd33-44d9-bb01-2c0db0539756?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/cli-unittest/operationId/a85c311a-dd33-44d9-bb01-2c0db0539756?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -944,7 +944,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationResults/a85c311a-dd33-44d9-bb01-2c0db0539756/Spring/cli-unittest?api-version=2020-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationResults/a85c311a-dd33-44d9-bb01-2c0db0539756/Spring/cli-unittest?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -981,13 +981,13 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/storages/test-storage-name?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/storages/test-storage-name?api-version=2022-11-01-preview response: body: string: '{"type":"Microsoft.AppPlatform/Spring/storages","properties":{"accountName":"clitest000002","storageType":"StorageAccount"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/storages/test-storage-name","name":"test-storage-name"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-storage-name/operationId/70f0810c-27c3-4005-9b5d-05a953541da9?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-storage-name/operationId/70f0810c-27c3-4005-9b5d-05a953541da9?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -999,7 +999,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationResults/70f0810c-27c3-4005-9b5d-05a953541da9/Spring/test-storage-name?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationResults/70f0810c-27c3-4005-9b5d-05a953541da9/Spring/test-storage-name?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -1031,7 +1031,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/cli-unittest/operationId/a85c311a-dd33-44d9-bb01-2c0db0539756?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/cli-unittest/operationId/a85c311a-dd33-44d9-bb01-2c0db0539756?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/cli-unittest/operationId/a85c311a-dd33-44d9-bb01-2c0db0539756","name":"a85c311a-dd33-44d9-bb01-2c0db0539756","status":"Succeeded","startTime":"2022-11-25T06:19:59.4886001Z","endTime":"2022-11-25T06:20:06.626776Z"}' @@ -1079,7 +1079,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/monitoringSettings/default?api-version=2020-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/monitoringSettings/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.3.1"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=4fd6bb8d-e6c4-44aa-988d-90826cacf718;IngestionEndpoint=https://centralus-0.in.applicationinsights.azure.com/;LiveEndpoint=https://centralus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/monitoringSettings/default","name":"default"}' @@ -1127,7 +1127,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-storage-name/operationId/70f0810c-27c3-4005-9b5d-05a953541da9?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-storage-name/operationId/70f0810c-27c3-4005-9b5d-05a953541da9?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-storage-name/operationId/70f0810c-27c3-4005-9b5d-05a953541da9","name":"70f0810c-27c3-4005-9b5d-05a953541da9","status":"Succeeded","startTime":"2022-11-25T06:20:02.2067271Z","endTime":"2022-11-25T06:20:08.9671555Z"}' @@ -1175,7 +1175,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/storages/test-storage-name?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/storages/test-storage-name?api-version=2022-11-01-preview response: body: string: '{"type":"Microsoft.AppPlatform/Spring/storages","properties":{"accountName":"clitest000002","storageType":"StorageAccount"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/storages/test-storage-name","name":"test-storage-name"}' @@ -1223,7 +1223,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/storages/test-storage-name?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/storages/test-storage-name?api-version=2022-11-01-preview response: body: string: '{"type":"Microsoft.AppPlatform/Spring/storages","properties":{"accountName":"clitest000002","storageType":"StorageAccount"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/storages/test-storage-name","name":"test-storage-name"}' @@ -1271,7 +1271,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/storages?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/storages?api-version=2022-11-01-preview response: body: string: '{"value":[{"type":"Microsoft.AppPlatform/Spring/storages","properties":{"accountName":"clitest000002","storageType":"StorageAccount"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/storages/test-storage-name","name":"test-storage-name"}]}' @@ -1319,7 +1319,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/storages/test-storage-name?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/storages/test-storage-name?api-version=2022-11-01-preview response: body: string: '{"type":"Microsoft.AppPlatform/Spring/storages","properties":{"accountName":"clitest000002","storageType":"StorageAccount"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/storages/test-storage-name","name":"test-storage-name"}' @@ -1369,13 +1369,13 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/storages/test-storage-name?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/storages/test-storage-name?api-version=2022-11-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-storage-name/operationId/8a60a40b-92c1-4f68-950f-c11f17746c44?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-storage-name/operationId/8a60a40b-92c1-4f68-950f-c11f17746c44?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -1385,7 +1385,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationResults/8a60a40b-92c1-4f68-950f-c11f17746c44/Spring/test-storage-name?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationResults/8a60a40b-92c1-4f68-950f-c11f17746c44/Spring/test-storage-name?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -1417,7 +1417,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-storage-name/operationId/8a60a40b-92c1-4f68-950f-c11f17746c44?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-storage-name/operationId/8a60a40b-92c1-4f68-950f-c11f17746c44?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-storage-name/operationId/8a60a40b-92c1-4f68-950f-c11f17746c44","name":"8a60a40b-92c1-4f68-950f-c11f17746c44","status":"Succeeded","startTime":"2022-11-25T06:20:39.990859Z","endTime":"2022-11-25T06:20:46.9660652Z"}' @@ -1465,7 +1465,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/storages/test-storage-name?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/storages/test-storage-name?api-version=2022-11-01-preview response: body: string: '{"error":{"code":"EntityNotFound","message":"Storage ''test-storage-name'' @@ -1512,13 +1512,13 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/cli-unittest/operationId/8b2d95bb-e694-4e6e-86db-e8c8b443ba4e?api-version=2022-05-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/cli-unittest/operationId/8b2d95bb-e694-4e6e-86db-e8c8b443ba4e?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -1528,7 +1528,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationResults/8b2d95bb-e694-4e6e-86db-e8c8b443ba4e/Spring/cli-unittest?api-version=2022-05-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationResults/8b2d95bb-e694-4e6e-86db-e8c8b443ba4e/Spring/cli-unittest?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -1560,7 +1560,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/cli-unittest/operationId/8b2d95bb-e694-4e6e-86db-e8c8b443ba4e?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/cli-unittest/operationId/8b2d95bb-e694-4e6e-86db-e8c8b443ba4e?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/cli-unittest/operationId/8b2d95bb-e694-4e6e-86db-e8c8b443ba4e","name":"8b2d95bb-e694-4e6e-86db-e8c8b443ba4e","status":"Succeeded","startTime":"2022-11-25T06:21:14.6464076Z","endTime":"2022-11-25T06:21:36.1281415Z"}' diff --git a/src/spring/azext_spring/tests/latest/recordings/test_predefined_accelerator.yaml b/src/spring/azext_spring/tests/latest/recordings/test_predefined_accelerator.yaml index b04a6ed5594..7d7ac29d924 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_predefined_accelerator.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_predefined_accelerator.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.4 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"eb79f22957e743f59cea2f1539024d9b","networkProfile":{"outboundIPs":{"publicIPs":["20.121.252.78","20.121.252.139"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"acc-test.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test","name":"acc-test","systemData":{"createdBy":"guitarsheng@microsoft.com","createdByType":"User","createdAt":"2022-11-04T15:57:20.9072729Z","lastModifiedBy":"guitarsheng@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-04T15:57:20.9072729Z"}}' @@ -118,7 +118,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.4 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"eb79f22957e743f59cea2f1539024d9b","networkProfile":{"outboundIPs":{"publicIPs":["20.121.252.78","20.121.252.139"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"acc-test.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test","name":"acc-test","systemData":{"createdBy":"guitarsheng@microsoft.com","createdByType":"User","createdAt":"2022-11-04T15:57:20.9072729Z","lastModifiedBy":"guitarsheng@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-04T15:57:20.9072729Z"}}' @@ -217,7 +217,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.4 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"eb79f22957e743f59cea2f1539024d9b","networkProfile":{"outboundIPs":{"publicIPs":["20.121.252.78","20.121.252.139"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"acc-test.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test","name":"acc-test","systemData":{"createdBy":"guitarsheng@microsoft.com","createdByType":"User","createdAt":"2022-11-04T15:57:20.9072729Z","lastModifiedBy":"guitarsheng@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-04T15:57:20.9072729Z"}}' @@ -410,7 +410,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.4 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"eb79f22957e743f59cea2f1539024d9b","networkProfile":{"outboundIPs":{"publicIPs":["20.121.252.78","20.121.252.139"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"acc-test.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test","name":"acc-test","systemData":{"createdBy":"guitarsheng@microsoft.com","createdByType":"User","createdAt":"2022-11-04T15:57:20.9072729Z","lastModifiedBy":"guitarsheng@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-04T15:57:20.9072729Z"}}' @@ -509,7 +509,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.4 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"eb79f22957e743f59cea2f1539024d9b","networkProfile":{"outboundIPs":{"publicIPs":["20.121.252.78","20.121.252.139"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"acc-test.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test","name":"acc-test","systemData":{"createdBy":"guitarsheng@microsoft.com","createdByType":"User","createdAt":"2022-11-04T15:57:20.9072729Z","lastModifiedBy":"guitarsheng@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-04T15:57:20.9072729Z"}}' @@ -702,7 +702,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.4 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"eb79f22957e743f59cea2f1539024d9b","networkProfile":{"outboundIPs":{"publicIPs":["20.121.252.78","20.121.252.139"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"acc-test.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test","name":"acc-test","systemData":{"createdBy":"guitarsheng@microsoft.com","createdByType":"User","createdAt":"2022-11-04T15:57:20.9072729Z","lastModifiedBy":"guitarsheng@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-04T15:57:20.9072729Z"}}' diff --git a/src/spring/azext_spring/tests/latest/recordings/test_remote_debugging.yaml b/src/spring/azext_spring/tests/latest/recordings/test_remote_debugging.yaml index 2468b8feb35..ad15f9eb462 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_remote_debugging.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_remote_debugging.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging?api-version=2022-11-01-preview response: body: string: '{"error":{"code":"NotFound","message":"App was not found","target":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging","details":null}}' @@ -61,7 +61,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"f7d4a4626c344bbd95266264a8882c19","networkProfile":{"outboundIPs":{"publicIPs":["20.244.73.9","20.244.73.29"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"centralindia","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"pensh@microsoft.com","createdByType":"User","createdAt":"2022-10-15T03:25:28.7260805Z","lastModifiedBy":"pensh@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-10-15T03:39:48.8667057Z"}}' @@ -116,13 +116,13 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Creating","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging","name":"test-remote-debugging","systemData":{"createdBy":"pensh@microsoft.com","createdByType":"User","createdAt":"2022-10-15T03:43:30.4560313Z","lastModifiedBy":"pensh@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-10-15T03:43:30.4560313Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-remote-debugging/operationId/7343cdc5-7efd-4b5d-92d6-b1a7d7c0a547?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-remote-debugging/operationId/7343cdc5-7efd-4b5d-92d6-b1a7d7c0a547?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -134,7 +134,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/7343cdc5-7efd-4b5d-92d6-b1a7d7c0a547/Spring/test-remote-debugging?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/7343cdc5-7efd-4b5d-92d6-b1a7d7c0a547/Spring/test-remote-debugging?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -166,7 +166,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-remote-debugging/operationId/7343cdc5-7efd-4b5d-92d6-b1a7d7c0a547?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-remote-debugging/operationId/7343cdc5-7efd-4b5d-92d6-b1a7d7c0a547?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-remote-debugging/operationId/7343cdc5-7efd-4b5d-92d6-b1a7d7c0a547","name":"7343cdc5-7efd-4b5d-92d6-b1a7d7c0a547","status":"Running","startTime":"2022-10-15T03:43:30.9301919Z"}' @@ -214,7 +214,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-remote-debugging/operationId/7343cdc5-7efd-4b5d-92d6-b1a7d7c0a547?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-remote-debugging/operationId/7343cdc5-7efd-4b5d-92d6-b1a7d7c0a547?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-remote-debugging/operationId/7343cdc5-7efd-4b5d-92d6-b1a7d7c0a547","name":"7343cdc5-7efd-4b5d-92d6-b1a7d7c0a547","status":"Succeeded","startTime":"2022-10-15T03:43:30.9301919Z","endTime":"2022-10-15T03:43:38.783783Z"}' @@ -262,7 +262,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging","name":"test-remote-debugging","systemData":{"createdBy":"pensh@microsoft.com","createdByType":"User","createdAt":"2022-10-15T03:43:30.4560313Z","lastModifiedBy":"pensh@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-10-15T03:43:30.4560313Z"}}' @@ -319,13 +319,13 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/mock-deployment?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90},"provisioningState":"Creating","status":"Running","active":true,"instances":null,"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/default","name":"default","systemData":{"createdBy":"pensh@microsoft.com","createdByType":"User","createdAt":"2022-10-15T03:43:46.3936757Z","lastModifiedBy":"pensh@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-10-15T03:43:46.3936757Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -337,7 +337,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/0ce06d04-bce5-43a6-911a-472209f91483/Spring/default?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/0ce06d04-bce5-43a6-911a-472209f91483/Spring/default?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -374,13 +374,13 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging","name":"test-remote-debugging","systemData":{"createdBy":"pensh@microsoft.com","createdByType":"User","createdAt":"2022-10-15T03:43:30.4560313Z","lastModifiedBy":"pensh@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-10-15T03:43:47.5343128Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-remote-debugging/operationId/90f2fec1-d813-4768-a3b9-a0972d3b47e8?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-remote-debugging/operationId/90f2fec1-d813-4768-a3b9-a0972d3b47e8?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -392,7 +392,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/90f2fec1-d813-4768-a3b9-a0972d3b47e8/Spring/test-remote-debugging?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/90f2fec1-d813-4768-a3b9-a0972d3b47e8/Spring/test-remote-debugging?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -424,7 +424,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-remote-debugging/operationId/90f2fec1-d813-4768-a3b9-a0972d3b47e8?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-remote-debugging/operationId/90f2fec1-d813-4768-a3b9-a0972d3b47e8?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-remote-debugging/operationId/90f2fec1-d813-4768-a3b9-a0972d3b47e8","name":"90f2fec1-d813-4768-a3b9-a0972d3b47e8","status":"Running","startTime":"2022-10-15T03:43:47.9214433Z"}' @@ -472,7 +472,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483","name":"0ce06d04-bce5-43a6-911a-472209f91483","status":"Running","startTime":"2022-10-15T03:43:47.1905897Z"}' @@ -520,7 +520,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-remote-debugging/operationId/90f2fec1-d813-4768-a3b9-a0972d3b47e8?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-remote-debugging/operationId/90f2fec1-d813-4768-a3b9-a0972d3b47e8?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-remote-debugging/operationId/90f2fec1-d813-4768-a3b9-a0972d3b47e8","name":"90f2fec1-d813-4768-a3b9-a0972d3b47e8","status":"Succeeded","startTime":"2022-10-15T03:43:47.9214433Z","endTime":"2022-10-15T03:43:54.9306385Z"}' @@ -568,7 +568,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging","name":"test-remote-debugging","systemData":{"createdBy":"pensh@microsoft.com","createdByType":"User","createdAt":"2022-10-15T03:43:30.4560313Z","lastModifiedBy":"pensh@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-10-15T03:43:47.5343128Z"}}' @@ -618,7 +618,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483","name":"0ce06d04-bce5-43a6-911a-472209f91483","status":"Running","startTime":"2022-10-15T03:43:47.1905897Z"}' @@ -666,7 +666,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483","name":"0ce06d04-bce5-43a6-911a-472209f91483","status":"Running","startTime":"2022-10-15T03:43:47.1905897Z"}' @@ -714,7 +714,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483","name":"0ce06d04-bce5-43a6-911a-472209f91483","status":"Running","startTime":"2022-10-15T03:43:47.1905897Z"}' @@ -762,7 +762,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483","name":"0ce06d04-bce5-43a6-911a-472209f91483","status":"Running","startTime":"2022-10-15T03:43:47.1905897Z"}' @@ -810,7 +810,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483","name":"0ce06d04-bce5-43a6-911a-472209f91483","status":"Running","startTime":"2022-10-15T03:43:47.1905897Z"}' @@ -858,7 +858,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483","name":"0ce06d04-bce5-43a6-911a-472209f91483","status":"Succeeded","startTime":"2022-10-15T03:43:47.1905897Z","endTime":"2022-10-15T03:44:50.9697693Z"}' @@ -906,7 +906,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/mock-deployment?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-remote-debugging-default-21-68546d98fb-62gxg","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-10-15T03:43:54Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/default","name":"default","systemData":{"createdBy":"pensh@microsoft.com","createdByType":"User","createdAt":"2022-10-15T03:43:46.3936757Z","lastModifiedBy":"pensh@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-10-15T03:43:46.3936757Z"}}' @@ -956,7 +956,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging","name":"test-remote-debugging","systemData":{"createdBy":"pensh@microsoft.com","createdByType":"User","createdAt":"2022-10-15T03:43:30.4560313Z","lastModifiedBy":"pensh@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-10-15T03:43:47.5343128Z"}}' @@ -1006,7 +1006,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-remote-debugging-default-21-68546d98fb-62gxg","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-10-15T03:43:54Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/default","name":"default","systemData":{"createdBy":"pensh@microsoft.com","createdByType":"User","createdAt":"2022-10-15T03:43:46.3936757Z","lastModifiedBy":"pensh@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-10-15T03:43:46.3936757Z"}}]}' @@ -1056,7 +1056,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/mock-deployment?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-remote-debugging-default-21-68546d98fb-62gxg","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-10-15T03:43:54Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/default","name":"default","systemData":{"createdBy":"pensh@microsoft.com","createdByType":"User","createdAt":"2022-10-15T03:43:46.3936757Z","lastModifiedBy":"pensh@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-10-15T03:43:46.3936757Z"}}' @@ -1110,7 +1110,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/mock-deployment/enableRemoteDebugging?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/default/enableRemoteDebugging?api-version=2022-11-01-preview response: body: string: '{"error":{"code":"InvalidArgument","message":"Only java applications @@ -1157,7 +1157,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/mock-deployment?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-remote-debugging-default-21-68546d98fb-62gxg","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-10-15T03:43:54Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/default","name":"default","systemData":{"createdBy":"pensh@microsoft.com","createdByType":"User","createdAt":"2022-10-15T03:43:46.3936757Z","lastModifiedBy":"pensh@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-10-15T03:43:46.3936757Z"}}' @@ -1209,7 +1209,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/mock-deployment/disableRemoteDebugging?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/default/disableRemoteDebugging?api-version=2022-11-01-preview response: body: string: '{"port":5005,"enabled":false}' @@ -1259,7 +1259,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/mock-deployment?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-remote-debugging-default-21-68546d98fb-62gxg","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-10-15T03:43:54Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/default","name":"default","systemData":{"createdBy":"pensh@microsoft.com","createdByType":"User","createdAt":"2022-10-15T03:43:46.3936757Z","lastModifiedBy":"pensh@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-10-15T03:43:46.3936757Z"}}' @@ -1311,7 +1311,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/mock-deployment/getRemoteDebuggingConfig?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/default/getRemoteDebuggingConfig?api-version=2022-11-01-preview response: body: string: '{"port":5005,"enabled":false}' diff --git a/src/spring/azext_spring/tests/latest/recordings/test_service_registry.yaml b/src/spring/azext_spring/tests/latest/recordings/test_service_registry.yaml index 0a4a59e2408..8358efd3e4f 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_service_registry.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_service_registry.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -65,7 +65,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/serviceRegistries/default?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/serviceRegistries/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","resourceRequests":{"cpu":"500m","memory":"1Gi","instanceCount":2},"instances":[{"name":"eureka-tx-enterprise-default-46b1d-0","status":"Running"},{"name":"eureka-tx-enterprise-default-46b1d-1","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/serviceRegistries","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/serviceRegistries/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.5105937Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T09:01:20.5105937Z"}}' @@ -113,7 +113,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -163,7 +163,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"tx-enterprise.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1","name":"app1","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-10T03:52:15.6583077Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:20:44.8337983Z"}}' @@ -221,13 +221,13 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/serviceRegistries/default"}},"public":false,"provisioningState":"Updating","fqdn":"tx-enterprise.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1","name":"app1","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-10T03:52:15.6583077Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T05:37:51.991956Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/50981bee-10df-4cdd-9de2-c99c0cf5bbd9?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/50981bee-10df-4cdd-9de2-c99c0cf5bbd9?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -239,7 +239,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/50981bee-10df-4cdd-9de2-c99c0cf5bbd9/Spring/app1?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/50981bee-10df-4cdd-9de2-c99c0cf5bbd9/Spring/app1?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -271,7 +271,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/50981bee-10df-4cdd-9de2-c99c0cf5bbd9?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/50981bee-10df-4cdd-9de2-c99c0cf5bbd9?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/50981bee-10df-4cdd-9de2-c99c0cf5bbd9","name":"50981bee-10df-4cdd-9de2-c99c0cf5bbd9","status":"Running","startTime":"2023-01-10T05:37:52.7539902Z"}' @@ -319,7 +319,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/50981bee-10df-4cdd-9de2-c99c0cf5bbd9?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/50981bee-10df-4cdd-9de2-c99c0cf5bbd9?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/50981bee-10df-4cdd-9de2-c99c0cf5bbd9","name":"50981bee-10df-4cdd-9de2-c99c0cf5bbd9","status":"Running","startTime":"2023-01-10T05:37:52.7539902Z"}' @@ -367,7 +367,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/50981bee-10df-4cdd-9de2-c99c0cf5bbd9?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/50981bee-10df-4cdd-9de2-c99c0cf5bbd9?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/50981bee-10df-4cdd-9de2-c99c0cf5bbd9","name":"50981bee-10df-4cdd-9de2-c99c0cf5bbd9","status":"Succeeded","startTime":"2023-01-10T05:37:52.7539902Z","endTime":"2023-01-10T05:38:05.5140645Z"}' @@ -415,7 +415,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/serviceRegistries/default"}},"public":false,"provisioningState":"Succeeded","fqdn":"tx-enterprise.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1","name":"app1","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-10T03:52:15.6583077Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T05:37:51.991956Z"}}' @@ -465,7 +465,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -515,7 +515,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/serviceRegistries/default"}},"public":false,"provisioningState":"Succeeded","fqdn":"tx-enterprise.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1","name":"app1","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-10T03:52:15.6583077Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T05:37:51.991956Z"}}' @@ -573,13 +573,13 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"tx-enterprise.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1","name":"app1","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-10T03:52:15.6583077Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T05:38:20.8719841Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/884b5b68-0bfd-4782-bd07-4a2c8e3dc43f?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/884b5b68-0bfd-4782-bd07-4a2c8e3dc43f?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -591,7 +591,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/884b5b68-0bfd-4782-bd07-4a2c8e3dc43f/Spring/app1?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/884b5b68-0bfd-4782-bd07-4a2c8e3dc43f/Spring/app1?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -623,7 +623,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/884b5b68-0bfd-4782-bd07-4a2c8e3dc43f?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/884b5b68-0bfd-4782-bd07-4a2c8e3dc43f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/884b5b68-0bfd-4782-bd07-4a2c8e3dc43f","name":"884b5b68-0bfd-4782-bd07-4a2c8e3dc43f","status":"Running","startTime":"2023-01-10T05:38:21.8809288Z"}' @@ -671,7 +671,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/884b5b68-0bfd-4782-bd07-4a2c8e3dc43f?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/884b5b68-0bfd-4782-bd07-4a2c8e3dc43f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/884b5b68-0bfd-4782-bd07-4a2c8e3dc43f","name":"884b5b68-0bfd-4782-bd07-4a2c8e3dc43f","status":"Running","startTime":"2023-01-10T05:38:21.8809288Z"}' @@ -719,7 +719,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/884b5b68-0bfd-4782-bd07-4a2c8e3dc43f?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/884b5b68-0bfd-4782-bd07-4a2c8e3dc43f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/884b5b68-0bfd-4782-bd07-4a2c8e3dc43f","name":"884b5b68-0bfd-4782-bd07-4a2c8e3dc43f","status":"Succeeded","startTime":"2023-01-10T05:38:21.8809288Z","endTime":"2023-01-10T05:38:34.6812483Z"}' @@ -767,7 +767,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"tx-enterprise.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1","name":"app1","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-10T03:52:15.6583077Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T05:38:20.8719841Z"}}' @@ -817,7 +817,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -869,13 +869,13 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/serviceRegistries/default?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/serviceRegistries/default?api-version=2022-11-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/1fe4b257-3a16-4a4f-a8a4-18c81b9e5edb?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/1fe4b257-3a16-4a4f-a8a4-18c81b9e5edb?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -885,7 +885,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/1fe4b257-3a16-4a4f-a8a4-18c81b9e5edb/Spring/tx-enterprise?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/1fe4b257-3a16-4a4f-a8a4-18c81b9e5edb/Spring/tx-enterprise?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -917,7 +917,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/1fe4b257-3a16-4a4f-a8a4-18c81b9e5edb?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/1fe4b257-3a16-4a4f-a8a4-18c81b9e5edb?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/1fe4b257-3a16-4a4f-a8a4-18c81b9e5edb","name":"1fe4b257-3a16-4a4f-a8a4-18c81b9e5edb","status":"Running","startTime":"2023-01-10T05:38:49.9161621Z"}' @@ -965,7 +965,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/1fe4b257-3a16-4a4f-a8a4-18c81b9e5edb?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/1fe4b257-3a16-4a4f-a8a4-18c81b9e5edb?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/1fe4b257-3a16-4a4f-a8a4-18c81b9e5edb","name":"1fe4b257-3a16-4a4f-a8a4-18c81b9e5edb","status":"Succeeded","startTime":"2023-01-10T05:38:49.9161621Z","endTime":"2023-01-10T05:38:56.2976122Z"}' @@ -1013,7 +1013,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -1065,13 +1065,13 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/serviceRegistries/default?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/serviceRegistries/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Creating","resourceRequests":{"cpu":"500m","memory":"1Gi","instanceCount":2},"instances":[]},"type":"Microsoft.AppPlatform/Spring/serviceRegistries","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/serviceRegistries/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-10T05:39:04.4127152Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T05:39:04.4127152Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -1083,7 +1083,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/cd707688-c1ea-4d0f-ae09-77d00e55da36/Spring/tx-enterprise?api-version=2022-01-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/cd707688-c1ea-4d0f-ae09-77d00e55da36/Spring/tx-enterprise?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -1115,7 +1115,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36","name":"cd707688-c1ea-4d0f-ae09-77d00e55da36","status":"Running","startTime":"2023-01-10T05:39:06.3640756Z"}' @@ -1163,7 +1163,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36","name":"cd707688-c1ea-4d0f-ae09-77d00e55da36","status":"Running","startTime":"2023-01-10T05:39:06.3640756Z"}' @@ -1211,7 +1211,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36","name":"cd707688-c1ea-4d0f-ae09-77d00e55da36","status":"Running","startTime":"2023-01-10T05:39:06.3640756Z"}' @@ -1259,7 +1259,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36","name":"cd707688-c1ea-4d0f-ae09-77d00e55da36","status":"Running","startTime":"2023-01-10T05:39:06.3640756Z"}' @@ -1307,7 +1307,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36","name":"cd707688-c1ea-4d0f-ae09-77d00e55da36","status":"Running","startTime":"2023-01-10T05:39:06.3640756Z"}' @@ -1355,7 +1355,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36","name":"cd707688-c1ea-4d0f-ae09-77d00e55da36","status":"Running","startTime":"2023-01-10T05:39:06.3640756Z"}' @@ -1403,7 +1403,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36","name":"cd707688-c1ea-4d0f-ae09-77d00e55da36","status":"Running","startTime":"2023-01-10T05:39:06.3640756Z"}' @@ -1451,7 +1451,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36","name":"cd707688-c1ea-4d0f-ae09-77d00e55da36","status":"Running","startTime":"2023-01-10T05:39:06.3640756Z"}' @@ -1499,7 +1499,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36","name":"cd707688-c1ea-4d0f-ae09-77d00e55da36","status":"Running","startTime":"2023-01-10T05:39:06.3640756Z"}' @@ -1547,7 +1547,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36","name":"cd707688-c1ea-4d0f-ae09-77d00e55da36","status":"Succeeded","startTime":"2023-01-10T05:39:06.3640756Z","endTime":"2023-01-10T05:40:32.6446777Z"}' @@ -1595,7 +1595,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/serviceRegistries/default?api-version=2022-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/serviceRegistries/default?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","resourceRequests":{"cpu":"500m","memory":"1Gi","instanceCount":2},"instances":[{"name":"eureka-tx-enterprise-default-46b1d-0","status":"Running"},{"name":"eureka-tx-enterprise-default-46b1d-1","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/serviceRegistries","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/serviceRegistries/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-10T05:39:04.4127152Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T05:39:04.4127152Z"}}' diff --git a/src/spring/azext_spring/tests/latest/recordings/test_stop_and_start_service.yaml b/src/spring/azext_spring/tests/latest/recordings/test_stop_and_start_service.yaml index c08970b8287..f05b36147c9 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_stop_and_start_service.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_stop_and_start_service.yaml @@ -1274,7 +1274,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/Spring/cli-unittest-start-stop?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/Spring/cli-unittest-start-stop?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"70e9c137b51f42a28abdb6a8c3b6be4c","networkProfile":{"outboundIPs":{"publicIPs":["20.47.176.83","20.47.178.18"]}},"powerState":"Running","fqdn":"cli-unittest-start-stop.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2euap","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/Spring/cli-unittest-start-stop","name":"cli-unittest-start-stop","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:34:05.411824Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:34:05.411824Z"}}' @@ -1326,13 +1326,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/Spring/cli-unittest-start-stop/stop?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/Spring/cli-unittest-start-stop/stop?api-version=2022-11-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-05-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -1342,7 +1342,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationResults/90d621b9-ae82-4edb-a805-ce2fd913ac69/Spring/cli-unittest-start-stop?api-version=2022-05-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationResults/90d621b9-ae82-4edb-a805-ce2fd913ac69/Spring/cli-unittest-start-stop?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -1374,7 +1374,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69","name":"90d621b9-ae82-4edb-a805-ce2fd913ac69","status":"Running","startTime":"2022-09-07T06:38:42.3481349Z"}' @@ -1422,7 +1422,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69","name":"90d621b9-ae82-4edb-a805-ce2fd913ac69","status":"Running","startTime":"2022-09-07T06:38:42.3481349Z"}' @@ -1470,7 +1470,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69","name":"90d621b9-ae82-4edb-a805-ce2fd913ac69","status":"Running","startTime":"2022-09-07T06:38:42.3481349Z"}' @@ -1518,7 +1518,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69","name":"90d621b9-ae82-4edb-a805-ce2fd913ac69","status":"Running","startTime":"2022-09-07T06:38:42.3481349Z"}' @@ -1566,7 +1566,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69","name":"90d621b9-ae82-4edb-a805-ce2fd913ac69","status":"Running","startTime":"2022-09-07T06:38:42.3481349Z"}' @@ -1614,7 +1614,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69","name":"90d621b9-ae82-4edb-a805-ce2fd913ac69","status":"Running","startTime":"2022-09-07T06:38:42.3481349Z"}' @@ -1662,7 +1662,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69","name":"90d621b9-ae82-4edb-a805-ce2fd913ac69","status":"Running","startTime":"2022-09-07T06:38:42.3481349Z"}' @@ -1710,7 +1710,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69","name":"90d621b9-ae82-4edb-a805-ce2fd913ac69","status":"Running","startTime":"2022-09-07T06:38:42.3481349Z"}' @@ -1758,7 +1758,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69","name":"90d621b9-ae82-4edb-a805-ce2fd913ac69","status":"Running","startTime":"2022-09-07T06:38:42.3481349Z"}' @@ -1806,7 +1806,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69","name":"90d621b9-ae82-4edb-a805-ce2fd913ac69","status":"Running","startTime":"2022-09-07T06:38:42.3481349Z"}' @@ -1854,7 +1854,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69","name":"90d621b9-ae82-4edb-a805-ce2fd913ac69","status":"Running","startTime":"2022-09-07T06:38:42.3481349Z"}' @@ -1902,7 +1902,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69","name":"90d621b9-ae82-4edb-a805-ce2fd913ac69","status":"Running","startTime":"2022-09-07T06:38:42.3481349Z"}' @@ -1950,7 +1950,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69","name":"90d621b9-ae82-4edb-a805-ce2fd913ac69","status":"Running","startTime":"2022-09-07T06:38:42.3481349Z"}' @@ -1998,7 +1998,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69","name":"90d621b9-ae82-4edb-a805-ce2fd913ac69","status":"Running","startTime":"2022-09-07T06:38:42.3481349Z"}' @@ -2046,7 +2046,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69","name":"90d621b9-ae82-4edb-a805-ce2fd913ac69","status":"Succeeded","startTime":"2022-09-07T06:38:42.3481349Z","endTime":"2022-09-07T06:41:31.5413492Z"}' @@ -2094,7 +2094,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationResults/90d621b9-ae82-4edb-a805-ce2fd913ac69/Spring/cli-unittest-start-stop?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationResults/90d621b9-ae82-4edb-a805-ce2fd913ac69/Spring/cli-unittest-start-stop?api-version=2022-11-01-preview response: body: string: '' @@ -2136,7 +2136,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/Spring/cli-unittest-start-stop?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/Spring/cli-unittest-start-stop?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"70e9c137b51f42a28abdb6a8c3b6be4c","networkProfile":{"outboundIPs":{"publicIPs":["20.47.176.83","20.47.178.18"]}},"powerState":"Stopped","fqdn":"cli-unittest-start-stop.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2euap","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/Spring/cli-unittest-start-stop","name":"cli-unittest-start-stop","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:34:05.411824Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:38:41.6168559Z"}}' @@ -2186,7 +2186,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/Spring/cli-unittest-start-stop?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/Spring/cli-unittest-start-stop?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"70e9c137b51f42a28abdb6a8c3b6be4c","networkProfile":{"outboundIPs":{"publicIPs":["20.47.176.83","20.47.178.18"]}},"powerState":"Stopped","fqdn":"cli-unittest-start-stop.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2euap","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/Spring/cli-unittest-start-stop","name":"cli-unittest-start-stop","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:34:05.411824Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:38:41.6168559Z"}}' @@ -2238,13 +2238,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/Spring/cli-unittest-start-stop/start?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/Spring/cli-unittest-start-stop/start?api-version=2022-11-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -2254,7 +2254,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationResults/7932b5ad-fa63-477c-9104-344d4a490813/Spring/cli-unittest-start-stop?api-version=2022-05-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationResults/7932b5ad-fa63-477c-9104-344d4a490813/Spring/cli-unittest-start-stop?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -2286,7 +2286,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -2334,7 +2334,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -2382,7 +2382,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -2430,7 +2430,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -2478,7 +2478,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -2526,7 +2526,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -2574,7 +2574,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -2622,7 +2622,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -2670,7 +2670,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -2718,7 +2718,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -2766,7 +2766,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -2814,7 +2814,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -2862,7 +2862,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -2910,7 +2910,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -2958,7 +2958,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -3006,7 +3006,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -3054,7 +3054,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -3102,7 +3102,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -3150,7 +3150,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -3198,7 +3198,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -3246,7 +3246,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -3294,7 +3294,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -3342,7 +3342,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -3390,7 +3390,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -3438,7 +3438,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -3486,7 +3486,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -3534,7 +3534,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -3582,7 +3582,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Succeeded","startTime":"2022-09-07T06:41:47.864941Z","endTime":"2022-09-07T06:46:59.9909803Z"}' @@ -3630,7 +3630,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationResults/7932b5ad-fa63-477c-9104-344d4a490813/Spring/cli-unittest-start-stop?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationResults/7932b5ad-fa63-477c-9104-344d4a490813/Spring/cli-unittest-start-stop?api-version=2022-11-01-preview response: body: string: '' @@ -3672,7 +3672,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/Spring/cli-unittest-start-stop?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/Spring/cli-unittest-start-stop?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"70e9c137b51f42a28abdb6a8c3b6be4c","networkProfile":{"outboundIPs":{"publicIPs":["20.47.176.83","20.47.178.18"]}},"powerState":"Running","fqdn":"cli-unittest-start-stop.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2euap","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/Spring/cli-unittest-start-stop","name":"cli-unittest-start-stop","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:34:05.411824Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:41:47.2497112Z"}}' @@ -3724,13 +3724,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/Spring/cli-unittest-start-stop?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/Spring/cli-unittest-start-stop?api-version=2022-11-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/0ba00342-e595-4397-aa91-6cd1b4db7305?api-version=2022-05-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/0ba00342-e595-4397-aa91-6cd1b4db7305?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -3740,7 +3740,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationResults/0ba00342-e595-4397-aa91-6cd1b4db7305/Spring/cli-unittest-start-stop?api-version=2022-05-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationResults/0ba00342-e595-4397-aa91-6cd1b4db7305/Spring/cli-unittest-start-stop?api-version=2022-11-01-preview pragma: - no-cache request-context: diff --git a/src/spring/azext_spring/tests/latest/recordings/test_vnet_public_endpoint.yaml b/src/spring/azext_spring/tests/latest/recordings/test_vnet_public_endpoint.yaml index 493114e2534..37417dcbe65 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_vnet_public_endpoint.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_vnet_public_endpoint.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-11-01-preview response: body: string: '{"error":{"code":"NotFound","message":"App was not found","target":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app","details":null}}' @@ -61,7 +61,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"vnetAddons":{"logStreamPublicEndpoint":false},"version":3,"serviceId":"05f4c23f24f54574a7a6a7d1d6d8c766","networkProfile":{"serviceRuntimeSubnetId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.Network/virtualNetworks/lr-test-vnet-centralus-01/subnets/service_runtime_subnet","appSubnetId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.Network/virtualNetworks/lr-test-vnet-centralus-01/subnets/app_subnet","serviceCidr":"10.1.0.0/16,10.2.0.0/16,10.3.0.1/16","serviceRuntimeNetworkResourceGroup":"ap-svc-rt_cli-unittest_centralus","appNetworkResourceGroup":"ap-app_cli-unittest_centralus","outboundIPs":{"publicIPs":["13.86.34.164"]},"requiredTraffics":[{"protocol":"TCP","port":443,"ips":["52.154.155.4","20.37.136.48"],"direction":"Outbound"},{"protocol":"UDP","port":1194,"ips":["52.154.155.4","20.37.136.48"],"direction":"Outbound"},{"protocol":"TCP","port":9000,"ips":["52.154.155.4","20.37.136.48"],"direction":"Outbound"}],"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.private.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"centralus","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest"}' @@ -117,13 +117,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Creating","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"enableEndToEndTLS":false,"vnetAddons":{"publicEndpoint":true}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app","name":"test-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:52:02.3346945Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:52:02.3346945Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/d0a05e2b-69a9-44f7-925d-f364ba411d2f?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/d0a05e2b-69a9-44f7-925d-f364ba411d2f?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -135,7 +135,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationResults/d0a05e2b-69a9-44f7-925d-f364ba411d2f/Spring/test-app?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationResults/d0a05e2b-69a9-44f7-925d-f364ba411d2f/Spring/test-app?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -167,7 +167,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/d0a05e2b-69a9-44f7-925d-f364ba411d2f?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/d0a05e2b-69a9-44f7-925d-f364ba411d2f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/d0822b01-62ea-4eb9-885b-95c60e4250b4/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/d0a05e2b-69a9-44f7-925d-f364ba411d2f","name":"d0a05e2b-69a9-44f7-925d-f364ba411d2f","status":"Running","startTime":"2022-09-07T11:52:02.8646525Z"}' @@ -215,7 +215,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/d0a05e2b-69a9-44f7-925d-f364ba411d2f?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/d0a05e2b-69a9-44f7-925d-f364ba411d2f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/d0822b01-62ea-4eb9-885b-95c60e4250b4/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/d0a05e2b-69a9-44f7-925d-f364ba411d2f","name":"d0a05e2b-69a9-44f7-925d-f364ba411d2f","status":"Running","startTime":"2022-09-07T11:52:02.8646525Z"}' @@ -263,7 +263,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/d0a05e2b-69a9-44f7-925d-f364ba411d2f?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/d0a05e2b-69a9-44f7-925d-f364ba411d2f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/d0822b01-62ea-4eb9-885b-95c60e4250b4/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/d0a05e2b-69a9-44f7-925d-f364ba411d2f","name":"d0a05e2b-69a9-44f7-925d-f364ba411d2f","status":"Running","startTime":"2022-09-07T11:52:02.8646525Z"}' @@ -311,7 +311,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/d0a05e2b-69a9-44f7-925d-f364ba411d2f?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/d0a05e2b-69a9-44f7-925d-f364ba411d2f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/d0822b01-62ea-4eb9-885b-95c60e4250b4/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/d0a05e2b-69a9-44f7-925d-f364ba411d2f","name":"d0a05e2b-69a9-44f7-925d-f364ba411d2f","status":"Running","startTime":"2022-09-07T11:52:02.8646525Z"}' @@ -359,7 +359,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/d0a05e2b-69a9-44f7-925d-f364ba411d2f?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/d0a05e2b-69a9-44f7-925d-f364ba411d2f?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/d0822b01-62ea-4eb9-885b-95c60e4250b4/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/d0a05e2b-69a9-44f7-925d-f364ba411d2f","name":"d0a05e2b-69a9-44f7-925d-f364ba411d2f","status":"Succeeded","startTime":"2022-09-07T11:52:02.8646525Z","endTime":"2022-09-07T11:53:13.1050171Z"}' @@ -407,7 +407,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.private.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"vnetAddons":{"publicEndpoint":false}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app","name":"test-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:52:02.3346945Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:52:02.3346945Z"}}' @@ -464,13 +464,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments/mock-deployment?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90},"provisioningState":"Creating","status":"Running","active":true,"instances":null,"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:53:18.3498623Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:53:18.3498623Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/default/operationId/bd28c704-e5d3-4dbd-a14c-3b5a1f932ef5?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/default/operationId/bd28c704-e5d3-4dbd-a14c-3b5a1f932ef5?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -482,7 +482,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationResults/bd28c704-e5d3-4dbd-a14c-3b5a1f932ef5/Spring/default?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationResults/bd28c704-e5d3-4dbd-a14c-3b5a1f932ef5/Spring/default?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -519,13 +519,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.private.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"vnetAddons":{"publicEndpoint":true}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app","name":"test-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:52:02.3346945Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:53:19.9123533Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/ddc1e079-f671-4b5a-945b-f871b4637df7?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/ddc1e079-f671-4b5a-945b-f871b4637df7?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -537,7 +537,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationResults/ddc1e079-f671-4b5a-945b-f871b4637df7/Spring/test-app?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationResults/ddc1e079-f671-4b5a-945b-f871b4637df7/Spring/test-app?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -569,7 +569,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/default/operationId/bd28c704-e5d3-4dbd-a14c-3b5a1f932ef5?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/default/operationId/bd28c704-e5d3-4dbd-a14c-3b5a1f932ef5?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/d0822b01-62ea-4eb9-885b-95c60e4250b4/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/default/operationId/bd28c704-e5d3-4dbd-a14c-3b5a1f932ef5","name":"bd28c704-e5d3-4dbd-a14c-3b5a1f932ef5","status":"Succeeded","startTime":"2022-09-07T11:53:19.1873013Z","endTime":"2022-09-07T11:53:47.1311298Z"}' @@ -617,7 +617,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments/mock-deployment?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-default-8-57c694d5d4-6dzkv","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-09-07T11:53:23Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:53:18.3498623Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:53:18.3498623Z"}}' @@ -667,7 +667,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/ddc1e079-f671-4b5a-945b-f871b4637df7?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/ddc1e079-f671-4b5a-945b-f871b4637df7?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/d0822b01-62ea-4eb9-885b-95c60e4250b4/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/ddc1e079-f671-4b5a-945b-f871b4637df7","name":"ddc1e079-f671-4b5a-945b-f871b4637df7","status":"Succeeded","startTime":"2022-09-07T11:53:22.0223614Z","endTime":"2022-09-07T11:53:40.401339Z"}' @@ -715,7 +715,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.private.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"vnetAddons":{"publicEndpoint":true,"publicEndpointUrl":"https://cli-unittest-test-app.azuremicroservices.io"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app","name":"test-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:52:02.3346945Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:53:19.9123533Z"}}' @@ -765,7 +765,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.private.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"vnetAddons":{"publicEndpoint":true,"publicEndpointUrl":"https://cli-unittest-test-app.azuremicroservices.io"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app","name":"test-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:52:02.3346945Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:53:19.9123533Z"}}' @@ -815,7 +815,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-default-8-57c694d5d4-6dzkv","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-09-07T11:53:23Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:53:18.3498623Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:53:18.3498623Z"}}]}' @@ -865,7 +865,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-default-8-57c694d5d4-6dzkv","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-09-07T11:53:23Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:53:18.3498623Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:53:18.3498623Z"}}]}' @@ -919,13 +919,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.private.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"vnetAddons":{"publicEndpoint":false}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app","name":"test-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:52:02.3346945Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:54:08.0338551Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/c7355207-8f22-48a8-b278-0757550d679e?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/c7355207-8f22-48a8-b278-0757550d679e?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -937,7 +937,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationResults/c7355207-8f22-48a8-b278-0757550d679e/Spring/test-app?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationResults/c7355207-8f22-48a8-b278-0757550d679e/Spring/test-app?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -974,7 +974,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments/mock-deployment?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-default-8-57c694d5d4-6dzkv","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-09-07T11:53:23Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:53:18.3498623Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:53:18.3498623Z"}}' @@ -1024,7 +1024,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/c7355207-8f22-48a8-b278-0757550d679e?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/c7355207-8f22-48a8-b278-0757550d679e?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/d0822b01-62ea-4eb9-885b-95c60e4250b4/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/c7355207-8f22-48a8-b278-0757550d679e","name":"c7355207-8f22-48a8-b278-0757550d679e","status":"Succeeded","startTime":"2022-09-07T11:54:09.1438322Z","endTime":"2022-09-07T11:54:29.1247368Z"}' @@ -1072,7 +1072,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.private.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"vnetAddons":{"publicEndpoint":false}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app","name":"test-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:52:02.3346945Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:54:08.0338551Z"}}' @@ -1122,7 +1122,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.private.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"vnetAddons":{"publicEndpoint":false}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app","name":"test-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:52:02.3346945Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:54:08.0338551Z"}}' @@ -1172,7 +1172,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-default-8-57c694d5d4-6dzkv","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-09-07T11:53:23Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:53:18.3498623Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:53:18.3498623Z"}}]}' @@ -1222,7 +1222,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments?api-version=2022-05-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-default-8-57c694d5d4-6dzkv","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-09-07T11:53:23Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:53:18.3498623Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:53:18.3498623Z"}}]}' @@ -1276,13 +1276,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.private.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"vnetAddons":{"publicEndpoint":true}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app","name":"test-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:52:02.3346945Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:54:56.5472312Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/7a474912-d3ee-4346-89c2-6e719040303b?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/7a474912-d3ee-4346-89c2-6e719040303b?api-version=2022-11-01-preview cache-control: - no-cache content-length: @@ -1294,7 +1294,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationResults/7a474912-d3ee-4346-89c2-6e719040303b/Spring/test-app?api-version=2022-09-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationResults/7a474912-d3ee-4346-89c2-6e719040303b/Spring/test-app?api-version=2022-11-01-preview pragma: - no-cache request-context: @@ -1331,7 +1331,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments/mock-deployment?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments/mock-deployment?api-version=2022-11-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-default-8-57c694d5d4-6dzkv","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-09-07T11:53:23Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:53:18.3498623Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:53:18.3498623Z"}}' @@ -1381,7 +1381,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/7a474912-d3ee-4346-89c2-6e719040303b?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/7a474912-d3ee-4346-89c2-6e719040303b?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/d0822b01-62ea-4eb9-885b-95c60e4250b4/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/7a474912-d3ee-4346-89c2-6e719040303b","name":"7a474912-d3ee-4346-89c2-6e719040303b","status":"Running","startTime":"2022-09-07T11:55:00.8318185Z"}' @@ -1429,7 +1429,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/7a474912-d3ee-4346-89c2-6e719040303b?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/7a474912-d3ee-4346-89c2-6e719040303b?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/d0822b01-62ea-4eb9-885b-95c60e4250b4/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/7a474912-d3ee-4346-89c2-6e719040303b","name":"7a474912-d3ee-4346-89c2-6e719040303b","status":"Running","startTime":"2022-09-07T11:55:00.8318185Z"}' @@ -1477,7 +1477,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/7a474912-d3ee-4346-89c2-6e719040303b?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/7a474912-d3ee-4346-89c2-6e719040303b?api-version=2022-11-01-preview response: body: string: '{"id":"subscriptions/d0822b01-62ea-4eb9-885b-95c60e4250b4/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/7a474912-d3ee-4346-89c2-6e719040303b","name":"7a474912-d3ee-4346-89c2-6e719040303b","status":"Succeeded","startTime":"2022-09-07T11:55:00.8318185Z","endTime":"2022-09-07T11:55:48.8896484Z"}' @@ -1525,7 +1525,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.private.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"vnetAddons":{"publicEndpoint":true,"publicEndpointUrl":"https://cli-unittest-test-app.azuremicroservices.io"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app","name":"test-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:52:02.3346945Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:54:56.5472312Z"}}' @@ -1575,7 +1575,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-11-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.private.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"vnetAddons":{"publicEndpoint":true,"publicEndpointUrl":"https://cli-unittest-test-app.azuremicroservices.io"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app","name":"test-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:52:02.3346945Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:54:56.5472312Z"}}' @@ -1625,7 +1625,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments?api-version=2022-09-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments?api-version=2022-11-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-default-8-57c694d5d4-6dzkv","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-09-07T11:53:23Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:53:18.3498623Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:53:18.3498623Z"}}]}' diff --git a/src/spring/azext_spring/tests/latest/test_asa_api_portal.py b/src/spring/azext_spring/tests/latest/test_asa_api_portal.py index 5a48e2afded..4b96f43f94f 100644 --- a/src/spring/azext_spring/tests/latest/test_asa_api_portal.py +++ b/src/spring/azext_spring/tests/latest/test_asa_api_portal.py @@ -3,8 +3,6 @@ # Licensed under the MIT License. See License.txt in the project root for license information. # -------------------------------------------------------------------------------------------- -import os - from azure.cli.testsdk import (ScenarioTest, record_only) # pylint: disable=line-too-long diff --git a/src/spring/azext_spring/tests/latest/test_asa_app.py b/src/spring/azext_spring/tests/latest/test_asa_app.py index 3e951fe16cc..a8b77c676f3 100644 --- a/src/spring/azext_spring/tests/latest/test_asa_app.py +++ b/src/spring/azext_spring/tests/latest/test_asa_app.py @@ -2,13 +2,12 @@ # Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. See License.txt in the project root for license information. # -------------------------------------------------------------------------------------------- -from time import time import unittest import os from azure.cli.core.azclierror import ResourceNotFoundError from knack.util import CLIError from msrestazure.tools import resource_id -from ...vendored_sdks.appplatform.v2022_09_01_preview import models +from ...vendored_sdks.appplatform.v2022_11_01_preview import models from ..._utils import _get_sku_name from ...app import (app_create, app_update, app_deploy, deployment_create) from ...custom import (app_set_deployment, app_unset_deployment) @@ -84,29 +83,23 @@ def test_unset_active_enterprise(self): request = call_args[0][0][3] self.assertEqual(0, len(request.active_deployment_names)) - @mock.patch('azext_spring.custom.cf_spring', autospec=True) - def test_blue_green_standard(self, client_mock_factory): - client_mock = self._get_basic_mock_client(sku='Standard') - client_mock_factory.return_value = client_mock + def test_blue_green_standard(self): client = self._get_basic_mock_client(sku='Standard') app_set_deployment(_get_test_cmd(), client, 'rg', 'asc', 'app', 'default') - call_args = client_mock.apps.begin_update.call_args_list + call_args = client.apps.begin_set_active_deployments.call_args_list self.assertEqual(1, len(call_args)) self.assertEqual(4, len(call_args[0][0])) - request = call_args[0][0][3] - self.assertEqual('default', request.properties.active_deployment_name) + active_deployment_collection = call_args[0][0][3] + self.assertEqual('default', active_deployment_collection.active_deployment_names[0]) - @mock.patch('azext_spring.custom.cf_spring', autospec=True) - def test_unset_active_standard(self, client_mock_factory): - client_mock = self._get_basic_mock_client(sku='Standard') - client_mock_factory.return_value = client_mock + def test_unset_active_standard(self): client = self._get_basic_mock_client(sku='Standard') app_unset_deployment(_get_test_cmd(), client, 'rg', 'asc', 'app') - call_args = client_mock.apps.begin_update.call_args_list + call_args = client.apps.begin_set_active_deployments.call_args_list self.assertEqual(1, len(call_args)) self.assertEqual(4, len(call_args[0][0])) - request = call_args[0][0][3] - self.assertEqual('', request.properties.active_deployment_name) + active_deployment_collection = call_args[0][0][3] + self.assertEqual(0, len(active_deployment_collection.active_deployment_names)) class TestAppDeploy_Patch(BasicTest): @@ -598,8 +591,8 @@ def _execute(self, *args, **kwargs): call_args = client.deployments.begin_create_or_update.call_args_list self.assertEqual(1, len(call_args)) self.assertEqual(5, len(call_args[0][0])) - self.assertEqual(args[0:3] + ('default',), call_args[0][0][0:4]) self.put_deployment_resource = call_args[0][0][4] + self.put_deployment_resource.name = call_args[0][0][3] call_args = client.apps.begin_update.call_args_list self.assertEqual(1, len(call_args)) @@ -693,6 +686,11 @@ def test_app_with_client_auth(self): resource = self.patch_app_resource self.assertIsNone(resource.properties.ingress_settings) + def test_app_create_with_deployment_name(self): + self._execute('rg', 'asc', 'app', cpu='1', memory='1Gi', instance_count=1, deployment_name='hello') + resource = self.put_deployment_resource + self.assertEqual('hello', resource.name) + class TestDeploymentCreate(BasicTest): def __init__(self, methodName: str = ...): super().__init__(methodName=methodName) diff --git a/src/spring/azext_spring/tests/latest/test_asa_app_validator.py b/src/spring/azext_spring/tests/latest/test_asa_app_validator.py index d62c4432c02..f3641e83358 100644 --- a/src/spring/azext_spring/tests/latest/test_asa_app_validator.py +++ b/src/spring/azext_spring/tests/latest/test_asa_app_validator.py @@ -107,7 +107,7 @@ def test_more_than_one_path_2(self): class TestActiveDeploymentExist(unittest.TestCase): - @mock.patch('azext_spring._app_validator.cf_spring_20220501preview', autospec=True) + @mock.patch('azext_spring._app_validator.cf_spring', autospec=True) def test_deployment_found(self, client_factory_mock): client = mock.MagicMock() client.deployments.list.return_value = [ @@ -119,7 +119,7 @@ def test_deployment_found(self, client_factory_mock): ns = Namespace(name='app1', service='asc1', resource_group='rg1', deployment=None) active_deployment_exist(_get_test_cmd(), ns) - @mock.patch('azext_spring._app_validator.cf_spring_20220501preview', autospec=True) + @mock.patch('azext_spring._app_validator.cf_spring', autospec=True) def test_deployment_without_active_exist(self, client_factory_mock): client = mock.MagicMock() client.deployments.list.return_value = [ @@ -132,7 +132,7 @@ def test_deployment_without_active_exist(self, client_factory_mock): active_deployment_exist(_get_test_cmd(), ns) self.assertEqual('This app has no production deployment, use \"az spring app deployment create\" to create a deployment and \"az spring app set-deployment\" to set production deployment.', str(context.exception)) - @mock.patch('azext_spring._app_validator.cf_spring_20220501preview', autospec=True) + @mock.patch('azext_spring._app_validator.cf_spring', autospec=True) def test_no_deployments(self, client_factory_mock): client = mock.MagicMock() client.deployments.list.return_value = [] @@ -143,7 +143,7 @@ def test_no_deployments(self, client_factory_mock): active_deployment_exist(_get_test_cmd(), ns) self.assertEqual('This app has no production deployment, use \"az spring app deployment create\" to create a deployment and \"az spring app set-deployment\" to set production deployment.', str(context.exception)) - @mock.patch('azext_spring._app_validator.cf_spring_20220501preview', autospec=True) + @mock.patch('azext_spring._app_validator.cf_spring', autospec=True) def test_app_not_found(self, client_factory_mock): client = mock.MagicMock() resp = mock.MagicMock() @@ -159,7 +159,7 @@ def test_app_not_found(self, client_factory_mock): class TestFulfillDeploymentParameter(unittest.TestCase): - @mock.patch('azext_spring._app_validator.cf_spring_20220501preview', autospec=True) + @mock.patch('azext_spring._app_validator.cf_spring', autospec=True) def test_deployment_provide(self, client_factory_mock): client = mock.MagicMock() client.deployments.get.return_value = _get_deployment('rg1', 'asc1', 'app1', 'green1', False) @@ -172,7 +172,7 @@ def test_deployment_provide(self, client_factory_mock): self.assertFalse(ns.deployment.properties.active) - @mock.patch('azext_spring._app_validator.cf_spring_20220501preview', autospec=True) + @mock.patch('azext_spring._app_validator.cf_spring', autospec=True) def test_deployment_provide_but_not_found(self, client_factory_mock): client = mock.MagicMock() resp = mock.MagicMock() @@ -186,7 +186,7 @@ def test_deployment_provide_but_not_found(self, client_factory_mock): fulfill_deployment_param(_get_test_cmd(), ns) self.assertEqual('Deployment green1 not found under app app1', str(context.exception)) - @mock.patch('azext_spring._app_validator.cf_spring_20220501preview', autospec=True) + @mock.patch('azext_spring._app_validator.cf_spring', autospec=True) def test_deployment_with_active_deployment(self, client_factory_mock): client = mock.MagicMock() client.deployments.list.return_value = [ @@ -201,7 +201,7 @@ def test_deployment_with_active_deployment(self, client_factory_mock): ns.deployment.id) self.assertTrue(ns.deployment.properties.active) - @mock.patch('azext_spring._app_validator.cf_spring_20220501preview', autospec=True) + @mock.patch('azext_spring._app_validator.cf_spring', autospec=True) def test_deployment_with_active_deployment_for_app_parameter(self, client_factory_mock): client = mock.MagicMock() client.deployments.list.return_value = [ @@ -216,7 +216,7 @@ def test_deployment_with_active_deployment_for_app_parameter(self, client_factor ns.deployment.id) self.assertTrue(ns.deployment.properties.active) - @mock.patch('azext_spring._app_validator.cf_spring_20220501preview', autospec=True) + @mock.patch('azext_spring._app_validator.cf_spring', autospec=True) def test_deployment_without_active_deployment(self, client_factory_mock): client = mock.MagicMock() client.deployments.list.return_value = [ @@ -229,7 +229,7 @@ def test_deployment_without_active_deployment(self, client_factory_mock): fulfill_deployment_param(_get_test_cmd(), ns) self.assertEqual('No production deployment found, use --deployment to specify deployment or create deployment with: az spring app deployment create', str(context.exception)) - @mock.patch('azext_spring._app_validator.cf_spring_20220501preview', autospec=True) + @mock.patch('azext_spring._app_validator.cf_spring', autospec=True) def test_deployment_without_deployment(self, client_factory_mock): client = mock.MagicMock() client.deployments.list.return_value = [] diff --git a/src/spring/azext_spring/tests/latest/test_asa_application_accelerator.py b/src/spring/azext_spring/tests/latest/test_asa_application_accelerator.py index 52807bb086e..0f7545c7451 100644 --- a/src/spring/azext_spring/tests/latest/test_asa_application_accelerator.py +++ b/src/spring/azext_spring/tests/latest/test_asa_application_accelerator.py @@ -5,8 +5,6 @@ import json import unittest from azure.cli.testsdk import (ScenarioTest, record_only) -from azure.cli.core.azclierror import ResourceNotFoundError -from knack.util import CLIError from ...vendored_sdks.appplatform.v2022_11_01_preview import models from ...application_accelerator import (application_accelerator_create as create, application_accelerator_delete as delete) diff --git a/src/spring/azext_spring/tests/latest/test_asa_application_configuration_service.py b/src/spring/azext_spring/tests/latest/test_asa_application_configuration_service.py index 27d942329de..557793fed13 100644 --- a/src/spring/azext_spring/tests/latest/test_asa_application_configuration_service.py +++ b/src/spring/azext_spring/tests/latest/test_asa_application_configuration_service.py @@ -3,8 +3,6 @@ # Licensed under the MIT License. See License.txt in the project root for license information. # -------------------------------------------------------------------------------------------- -import os - from azure.cli.testsdk import (ScenarioTest, record_only) # pylint: disable=line-too-long diff --git a/src/spring/azext_spring/tests/latest/test_asa_application_live_view.py b/src/spring/azext_spring/tests/latest/test_asa_application_live_view.py index 34a76706225..8680498bb89 100644 --- a/src/spring/azext_spring/tests/latest/test_asa_application_live_view.py +++ b/src/spring/azext_spring/tests/latest/test_asa_application_live_view.py @@ -5,8 +5,6 @@ import json import unittest from azure.cli.testsdk import (ScenarioTest, record_only) -from azure.cli.core.azclierror import ResourceNotFoundError -from knack.util import CLIError from ...vendored_sdks.appplatform.v2022_11_01_preview import models from ...application_live_view import (create, delete) try: diff --git a/src/spring/azext_spring/tests/latest/test_asa_buildpack_binding.py b/src/spring/azext_spring/tests/latest/test_asa_buildpack_binding.py index 61c3ac0cfa3..51028d5b0ab 100644 --- a/src/spring/azext_spring/tests/latest/test_asa_buildpack_binding.py +++ b/src/spring/azext_spring/tests/latest/test_asa_buildpack_binding.py @@ -4,9 +4,7 @@ # -------------------------------------------------------------------------------------------- import os -import json from azure.cli.testsdk import (ScenarioTest, record_only) -from knack.log import get_logger # pylint: disable=line-too-long # pylint: disable=too-many-lines diff --git a/src/spring/azext_spring/tests/latest/test_asa_create.py b/src/spring/azext_spring/tests/latest/test_asa_create.py index c4999fe38e7..3ebf75970a6 100644 --- a/src/spring/azext_spring/tests/latest/test_asa_create.py +++ b/src/spring/azext_spring/tests/latest/test_asa_create.py @@ -3,9 +3,6 @@ # Licensed under the MIT License. See License.txt in the project root for license information. # -------------------------------------------------------------------------------------------- import unittest -from azure.cli.core.azclierror import ResourceNotFoundError -from knack.util import CLIError -from msrestazure.tools import resource_id from ...vendored_sdks.appplatform.v2022_11_01_preview import models from ...spring_instance import (spring_create) from ..._utils import (_get_sku_name) diff --git a/src/spring/azext_spring/tests/latest/test_asa_customized_accelerator.py b/src/spring/azext_spring/tests/latest/test_asa_customized_accelerator.py index 17f8033fda9..e49f6fea31a 100644 --- a/src/spring/azext_spring/tests/latest/test_asa_customized_accelerator.py +++ b/src/spring/azext_spring/tests/latest/test_asa_customized_accelerator.py @@ -3,8 +3,6 @@ # Licensed under the MIT License. See License.txt in the project root for license information. # -------------------------------------------------------------------------------------------- -import os - from azure.cli.testsdk import (ScenarioTest, record_only) # pylint: disable=line-too-long diff --git a/src/spring/azext_spring/tests/latest/test_asa_gateway.py b/src/spring/azext_spring/tests/latest/test_asa_gateway.py index 4f62b915d25..d18fa4aeaaf 100644 --- a/src/spring/azext_spring/tests/latest/test_asa_gateway.py +++ b/src/spring/azext_spring/tests/latest/test_asa_gateway.py @@ -4,8 +4,6 @@ # -------------------------------------------------------------------------------------------- import os -import json -from azure.cli.core.mock import DummyCli from azure.cli.testsdk import (ScenarioTest, record_only) # pylint: disable=line-too-long diff --git a/src/spring/azext_spring/tests/latest/test_asa_predefined_accelerator.py b/src/spring/azext_spring/tests/latest/test_asa_predefined_accelerator.py index 62fa64e94b5..8e2dc245423 100644 --- a/src/spring/azext_spring/tests/latest/test_asa_predefined_accelerator.py +++ b/src/spring/azext_spring/tests/latest/test_asa_predefined_accelerator.py @@ -3,8 +3,6 @@ # Licensed under the MIT License. See License.txt in the project root for license information. # -------------------------------------------------------------------------------------------- -import os - from azure.cli.testsdk import (ScenarioTest, record_only) # pylint: disable=line-too-long diff --git a/src/spring/azext_spring/tests/latest/test_asa_scenario.py b/src/spring/azext_spring/tests/latest/test_asa_scenario.py index 8f169cfff38..a96d12f1e5f 100644 --- a/src/spring/azext_spring/tests/latest/test_asa_scenario.py +++ b/src/spring/azext_spring/tests/latest/test_asa_scenario.py @@ -4,9 +4,7 @@ # -------------------------------------------------------------------------------------------- import os -import unittest -from knack.util import CLIError from azure.cli.testsdk import (ScenarioTest, ResourceGroupPreparer, StorageAccountPreparer, record_only) # pylint: disable=line-too-long diff --git a/src/spring/azext_spring/tests/latest/test_asa_service_registry.py b/src/spring/azext_spring/tests/latest/test_asa_service_registry.py index 6f937eb5bc1..e72439ca4ff 100644 --- a/src/spring/azext_spring/tests/latest/test_asa_service_registry.py +++ b/src/spring/azext_spring/tests/latest/test_asa_service_registry.py @@ -3,8 +3,6 @@ # Licensed under the MIT License. See License.txt in the project root for license information. # -------------------------------------------------------------------------------------------- -import os - from azure.cli.testsdk import (ScenarioTest, record_only) # pylint: disable=line-too-long diff --git a/src/spring/azext_spring/tests/latest/test_asa_validator.py b/src/spring/azext_spring/tests/latest/test_asa_validator.py index 1b80700c3a5..3f82d7bdc6a 100644 --- a/src/spring/azext_spring/tests/latest/test_asa_validator.py +++ b/src/spring/azext_spring/tests/latest/test_asa_validator.py @@ -3,7 +3,6 @@ # Licensed under the MIT License. See License.txt in the project root for license information. # -------------------------------------------------------------------------------------------- import unittest -import copy from argparse import Namespace from azure.cli.core.util import CLIError from azure.cli.core.azclierror import InvalidArgumentValueError diff --git a/src/spring/setup.py b/src/spring/setup.py index 5e610ff902b..b109b71803a 100644 --- a/src/spring/setup.py +++ b/src/spring/setup.py @@ -16,7 +16,7 @@ # TODO: Confirm this is the right version number you want and it matches your # HISTORY.rst entry. -VERSION = '1.6.4' +VERSION = '1.6.7' # The full list of classifiers is available at # https://pypi.python.org/pypi?%3Aaction=list_classifiers diff --git a/src/storage-blob-preview/azext_storage_blob_preview/_params.py b/src/storage-blob-preview/azext_storage_blob_preview/_params.py index 3d4dc6a9959..670d6a6cd90 100644 --- a/src/storage-blob-preview/azext_storage_blob_preview/_params.py +++ b/src/storage-blob-preview/azext_storage_blob_preview/_params.py @@ -343,26 +343,6 @@ def load_arguments(self, _): # pylint: disable=too-many-locals, too-many-statem c.extra('lease_id', help='Required if the blob has an active lease.', required=True) c.extra('if_tags_match_condition', tags_condition_type) - with self.argument_context('storage blob list') as c: - from .track2_util import get_include_help_string - t_blob_include = self.get_sdk('_generated.models._azure_blob_storage_enums#ListBlobsIncludeItem', - resource_type=CUSTOM_DATA_STORAGE_BLOB) - c.register_container_arguments() - c.argument('delimiter', - help='When the request includes this parameter, the operation returns a BlobPrefix element in the ' - 'result list that acts as a placeholder for all blobs whose names begin with the same substring ' - 'up to the appearance of the delimiter character. The delimiter may be a single character or a ' - 'string.') - c.argument('include', help="Specify one or more additional datasets to include in the response. " - "Options include: {}. Can be combined.".format(get_include_help_string(t_blob_include)), - validator=validate_included_datasets_v2) - c.argument('marker', arg_type=marker_type) - c.argument('num_results', arg_type=num_results_type) - c.argument('prefix', - help='Filter the results to return only blobs whose name begins with the specified prefix.') - c.argument('show_next_marker', action='store_true', is_preview=True, - help='Show nextMarker in result when specified.') - for item in ['show', 'update']: with self.argument_context('storage blob metadata {}'.format(item), resource_type=CUSTOM_DATA_STORAGE_BLOB) \ as c: diff --git a/src/storage-blob-preview/azext_storage_blob_preview/commands.py b/src/storage-blob-preview/azext_storage_blob_preview/commands.py index eeec5e7f6d6..b461a970a01 100644 --- a/src/storage-blob-preview/azext_storage_blob_preview/commands.py +++ b/src/storage-blob-preview/azext_storage_blob_preview/commands.py @@ -49,9 +49,6 @@ def get_custom_sdk(custom_module, client_factory, resource_type=ResourceType.DAT create_boolean_result_output_transformer, transform_blob_list_output from ._validators import (process_blob_download_batch_parameters, process_blob_delete_batch_parameters, process_blob_upload_batch_parameters) - g.storage_custom_command_oauth('list', 'list_blobs', client_factory=cf_container_client, - transform=transform_blob_list_output, - table_transformer=transform_blob_output) g.storage_command_oauth('delete', 'delete_blob') g.storage_custom_command_oauth('download', 'download_blob', transform=transform_blob_json_output) g.storage_command_oauth('exists', 'exists', transform=create_boolean_result_output_transformer('exists')) diff --git a/src/storage-blob-preview/azext_storage_blob_preview/operations/blob.py b/src/storage-blob-preview/azext_storage_blob_preview/operations/blob.py index 1d5881164be..725181d9e9a 100644 --- a/src/storage-blob-preview/azext_storage_blob_preview/operations/blob.py +++ b/src/storage-blob-preview/azext_storage_blob_preview/operations/blob.py @@ -537,29 +537,6 @@ def generate_sas_container_uri(client, cmd, container_name, permission=None, return sas_token -def list_blobs(client, delimiter=None, include=None, marker=None, num_results=None, prefix=None, - show_next_marker=None, **kwargs): - from ..track2_util import list_generator - - if delimiter: - generator = client.walk_blobs(name_starts_with=prefix, include=include, results_per_page=num_results, **kwargs) - else: - generator = client.list_blobs(name_starts_with=prefix, include=include, results_per_page=num_results, **kwargs) - - pages = generator.by_page(continuation_token=marker) # BlobPropertiesPaged - result = list_generator(pages=pages, num_results=num_results) - - if show_next_marker: - next_marker = {"nextMarker": pages.continuation_token} - result.append(next_marker) - else: - if pages.continuation_token: - logger.warning('Next Marker:') - logger.warning(pages.continuation_token) - - return result - - def list_containers(client, include_metadata=False, include_deleted=False, marker=None, num_results=None, prefix=None, show_next_marker=None, **kwargs): from ..track2_util import list_generator diff --git a/src/storage-preview/azext_storage_preview/__init__.py b/src/storage-preview/azext_storage_preview/__init__.py index 69ffeb1ed41..e49bb29496e 100644 --- a/src/storage-preview/azext_storage_preview/__init__.py +++ b/src/storage-preview/azext_storage_preview/__init__.py @@ -128,9 +128,10 @@ def register_common_storage_account_options(self): help='Generate and assign a new Storage Account Identity for this storage account for use ' 'with key management services like Azure KeyVault.') self.argument('access_tier', arg_type=get_enum_type(t_access_tier), - help='The access tier used for billing StandardBlob accounts. Cannot be set for StandardLRS, ' - 'StandardGRS, StandardRAGRS, or PremiumLRS account types. It is required for ' - 'StandardBlob accounts during creation') + help='Required for storage accounts where kind = BlobStorage. ' + 'The access tier is used for billing. The "Premium" access tier is the default value for ' + 'premium block blobs storage account type and it cannot be changed for ' + 'the premium block blobs storage account type.') if t_encryption_services: encryption_choices = list( diff --git a/src/storage-preview/azext_storage_preview/_params.py b/src/storage-preview/azext_storage_preview/_params.py index 12f95696cd0..70edd99260d 100644 --- a/src/storage-preview/azext_storage_preview/_params.py +++ b/src/storage-preview/azext_storage_preview/_params.py @@ -532,10 +532,6 @@ def load_arguments(self, _): # pylint: disable=too-many-locals, too-many-statem 'the file owning group, and others. Both symbolic (rwxrw-rw-) and 4-digit ' 'octal notation (e.g. 0766) are supported.') - with self.argument_context('storage blob list') as c: - c.argument('include', validator=validate_included_datasets, default='mc') - c.argument('num_results', arg_type=num_results_type) - with self.argument_context('storage blob move') as c: from ._validators import validate_move_file c.argument('source_path', options_list=['--source-blob', '-s'], validator=validate_move_file, diff --git a/src/storage-preview/azext_storage_preview/commands.py b/src/storage-preview/azext_storage_preview/commands.py index 6055163604d..3f55da22e50 100644 --- a/src/storage-preview/azext_storage_preview/commands.py +++ b/src/storage-preview/azext_storage_preview/commands.py @@ -104,15 +104,6 @@ def _adls_deprecate_message(self): msg += " https://github.com/Azure/azure-cli/blob/dev/src/azure-cli/azure/cli/command_modules/storage/docs/ADLS%20Gen2.md" return msg - # Change existing Blob Commands - with self.command_group('storage blob', command_type=adls_base_blob_sdk) as g: - from ._format import transform_blob_output - from ._transformers import transform_storage_list_output - g.storage_command_oauth('list', 'list_blobs', transform=transform_storage_list_output, - table_transformer=transform_blob_output, - deprecate_info=self.deprecate(redirect="az storage fs file list", hide=True, - message_func=_adls_deprecate_message)) - # New Blob Commands with self.command_group('storage blob', command_type=adls_base_blob_sdk, custom_command_type=get_custom_sdk('blob', adls_blob_data_service_factory, diff --git a/src/storage-preview/azext_storage_preview/operations/blob.py b/src/storage-preview/azext_storage_preview/operations/blob.py index e92121695e2..1523c6b9fdb 100644 --- a/src/storage-preview/azext_storage_preview/operations/blob.py +++ b/src/storage-preview/azext_storage_preview/operations/blob.py @@ -57,12 +57,6 @@ def delete_directory(client, container_name, directory_name): logger.info("Took {} call(s) to finish moving.".format(count)) -def list_blobs(client, container_name, prefix=None, num_results=None, include='mc', - delimiter=None, marker=None, timeout=None): - client.list_blobs(container_name, prefix, num_results, include, - delimiter, marker, timeout) - - def list_directory(client, container_name, directory_path, prefix=None, num_results=None, include='mc', delimiter=None, marker=None, timeout=None): ''' diff --git a/src/voice-service/HISTORY.rst b/src/voice-service/HISTORY.rst new file mode 100644 index 00000000000..8c34bccfff8 --- /dev/null +++ b/src/voice-service/HISTORY.rst @@ -0,0 +1,8 @@ +.. :changelog: + +Release History +=============== + +0.1.0 +++++++ +* Initial release. \ No newline at end of file diff --git a/src/voice-service/README.md b/src/voice-service/README.md new file mode 100644 index 00000000000..0c729d02ddd --- /dev/null +++ b/src/voice-service/README.md @@ -0,0 +1,62 @@ +# Azure CLI VoiceService Extension # +This is an extension to Azure CLI to manage VoiceService resources. + +## How to use ## +Install this extension using the below CLI command +``` +az extension add --name voice-service +``` + +### Included Features ### +#### voice-service gateway #### +##### Create ##### +``` +az voice-service gateway create -n gateway-name -g rg --service-locations '[{name:useast,PrimaryRegionProperties:{operatorAddresses:[198.51.100.1],allowedSignalingSourceAddressPrefixes:[10.1.1.0/24],allowedMediaSourceAddressPrefixes:[10.1.2.0/24]}},{name:useast2,PrimaryRegionProperties:{operatorAddresses:[198.51.100.2],allowedSignalingSourceAddressPrefixes:[10.2.1.0/24],allowedMediaSourceAddressPrefixes:[10.2.2.0/24]}}]' --connectivity PublicAddress --codecs '[PCMA]' --e911-type Standard --platforms '[OperatorConnect]' + +``` +##### Show ##### +``` +az voice-service gateway show -n gateway-name -g rg +``` +##### List ##### +``` +az voice-service gateway list -g rg +``` +##### Update ##### +``` +az voice-service gateway update -n gateway-name -g rg --tags "{tag:test,tag2:test2}" +``` + +##### Delete ##### +``` +az voice-service gateway delete -n gateway-name -g rg -y +``` + +#### voice-service test-line #### +##### Create ##### +``` +az voice-service test-line create -n test-line-name -g rg --gateway-name gateway-name --phone-number "+1-555-1234" --purpose Automated + +``` +##### Show ##### +``` +az voice-service test-line show -n test-line-name --gateway-name gateway-name -g rg +``` +##### List ##### +``` +az voice-service test-line list -g rg --gateway-name gateway-name +``` +##### Update ##### +``` +az voice-service test-line update -n test-line-name -g rg --gateway-name gateway-name --tags "{tag:test,tag2:test2}" +``` + +##### Delete ##### +``` +az voice-service test-line delete -n test-line-name -g rg --gateway-name gateway-name -y +``` + +#### voice-service check-name-availability #### +``` +az voice-service check-name-availability -l centraluseuap --name voicenametest --type microsoft.voiceservices/communicationsgateways/testlines +``` diff --git a/src/voice-service/azext_voice_service/__init__.py b/src/voice-service/azext_voice_service/__init__.py new file mode 100644 index 00000000000..74808adfe69 --- /dev/null +++ b/src/voice-service/azext_voice_service/__init__.py @@ -0,0 +1,42 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- + +from azure.cli.core import AzCommandsLoader +from azext_voice_service._help import helps # pylint: disable=unused-import + + +class VoiceServiceCommandsLoader(AzCommandsLoader): + + def __init__(self, cli_ctx=None): + from azure.cli.core.commands import CliCommandType + custom_command_type = CliCommandType( + operations_tmpl='azext_voice_service.custom#{}') + super().__init__(cli_ctx=cli_ctx, + custom_command_type=custom_command_type) + + def load_command_table(self, args): + from azext_voice_service.commands import load_command_table + from azure.cli.core.aaz import load_aaz_command_table + try: + from . import aaz + except ImportError: + aaz = None + if aaz: + load_aaz_command_table( + loader=self, + aaz_pkg_name=aaz.__name__, + args=args + ) + load_command_table(self, args) + return self.command_table + + def load_arguments(self, command): + from azext_voice_service._params import load_arguments + load_arguments(self, command) + + +COMMAND_LOADER_CLS = VoiceServiceCommandsLoader diff --git a/src/voice-service/azext_voice_service/_help.py b/src/voice-service/azext_voice_service/_help.py new file mode 100644 index 00000000000..126d5d00714 --- /dev/null +++ b/src/voice-service/azext_voice_service/_help.py @@ -0,0 +1,11 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- + +# pylint: disable=line-too-long +# pylint: disable=too-many-lines + +from knack.help_files import helps # pylint: disable=unused-import diff --git a/src/voice-service/azext_voice_service/_params.py b/src/voice-service/azext_voice_service/_params.py new file mode 100644 index 00000000000..cfcec717c9c --- /dev/null +++ b/src/voice-service/azext_voice_service/_params.py @@ -0,0 +1,13 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- + +# pylint: disable=too-many-lines +# pylint: disable=too-many-statements + + +def load_arguments(self, _): # pylint: disable=unused-argument + pass diff --git a/src/voice-service/azext_voice_service/aaz/__init__.py b/src/voice-service/azext_voice_service/aaz/__init__.py new file mode 100644 index 00000000000..5757aea3175 --- /dev/null +++ b/src/voice-service/azext_voice_service/aaz/__init__.py @@ -0,0 +1,6 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- diff --git a/src/voice-service/azext_voice_service/aaz/latest/__init__.py b/src/voice-service/azext_voice_service/aaz/latest/__init__.py new file mode 100644 index 00000000000..5757aea3175 --- /dev/null +++ b/src/voice-service/azext_voice_service/aaz/latest/__init__.py @@ -0,0 +1,6 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- diff --git a/src/voice-service/azext_voice_service/aaz/latest/voice_service/__cmd_group.py b/src/voice-service/azext_voice_service/aaz/latest/voice_service/__cmd_group.py new file mode 100644 index 00000000000..ffa43a061c8 --- /dev/null +++ b/src/voice-service/azext_voice_service/aaz/latest/voice_service/__cmd_group.py @@ -0,0 +1,23 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- + +# pylint: skip-file +# flake8: noqa + +from azure.cli.core.aaz import * + + +@register_command_group( + "voice-service", +) +class __CMDGroup(AAZCommandGroup): + """Manage voice services + """ + pass + + +__all__ = ["__CMDGroup"] diff --git a/src/voice-service/azext_voice_service/aaz/latest/voice_service/__init__.py b/src/voice-service/azext_voice_service/aaz/latest/voice_service/__init__.py new file mode 100644 index 00000000000..be757259c47 --- /dev/null +++ b/src/voice-service/azext_voice_service/aaz/latest/voice_service/__init__.py @@ -0,0 +1,12 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- + +# pylint: skip-file +# flake8: noqa + +from .__cmd_group import * +from ._check_name_availability import * diff --git a/src/voice-service/azext_voice_service/aaz/latest/voice_service/_check_name_availability.py b/src/voice-service/azext_voice_service/aaz/latest/voice_service/_check_name_availability.py new file mode 100644 index 00000000000..eb8c58f3747 --- /dev/null +++ b/src/voice-service/azext_voice_service/aaz/latest/voice_service/_check_name_availability.py @@ -0,0 +1,189 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- + +# pylint: skip-file +# flake8: noqa + +from azure.cli.core.aaz import * + + +@register_command( + "voice-service check-name-availability", +) +class CheckNameAvailability(AAZCommand): + """Check whether the resource name is available in the given region. + + :example: check name availability + az voice-service check-name-availability -l centraluseuap --name voicenametest --type microsoft.voiceservices/communicationsgateways/testlines + """ + + _aaz_info = { + "version": "2023-01-31", + "resources": [ + ["mgmt-plane", "/subscriptions/{}/providers/microsoft.voiceservices/locations/{}/checknameavailability", "2023-01-31"], + ] + } + + def _handler(self, command_args): + super()._handler(command_args) + self._execute_operations() + return self._output() + + _args_schema = None + + @classmethod + def _build_arguments_schema(cls, *args, **kwargs): + if cls._args_schema is not None: + return cls._args_schema + cls._args_schema = super()._build_arguments_schema(*args, **kwargs) + + # define Arg Group "" + + _args_schema = cls._args_schema + _args_schema.location = AAZResourceLocationArg( + required=True, + id_part="name", + ) + + # define Arg Group "Body" + + _args_schema = cls._args_schema + _args_schema.name = AAZStrArg( + options=["--name"], + arg_group="Body", + help="The name of the resource for which availability needs to be checked.", + ) + _args_schema.type = AAZStrArg( + options=["--type"], + arg_group="Body", + help="The resource type.", + ) + return cls._args_schema + + def _execute_operations(self): + self.pre_operations() + self.NameAvailabilityCheckLocal(ctx=self.ctx)() + self.post_operations() + + @register_callback + def pre_operations(self): + pass + + @register_callback + def post_operations(self): + pass + + def _output(self, *args, **kwargs): + result = self.deserialize_output(self.ctx.vars.instance, client_flatten=True) + return result + + class NameAvailabilityCheckLocal(AAZHttpOperation): + CLIENT_TYPE = "MgmtClient" + + def __call__(self, *args, **kwargs): + request = self.make_request() + session = self.client.send_request(request=request, stream=False, **kwargs) + if session.http_response.status_code in [200]: + return self.on_200(session) + + return self.on_error(session.http_response) + + @property + def url(self): + return self.client.format_url( + "/subscriptions/{subscriptionId}/providers/Microsoft.VoiceServices/locations/{location}/checkNameAvailability", + **self.url_parameters + ) + + @property + def method(self): + return "POST" + + @property + def error_format(self): + return "MgmtErrorFormat" + + @property + def url_parameters(self): + parameters = { + **self.serialize_url_param( + "location", self.ctx.args.location, + required=True, + ), + **self.serialize_url_param( + "subscriptionId", self.ctx.subscription_id, + required=True, + ), + } + return parameters + + @property + def query_parameters(self): + parameters = { + **self.serialize_query_param( + "api-version", "2023-01-31", + required=True, + ), + } + return parameters + + @property + def header_parameters(self): + parameters = { + **self.serialize_header_param( + "Content-Type", "application/json", + ), + **self.serialize_header_param( + "Accept", "application/json", + ), + } + return parameters + + @property + def content(self): + _content_value, _builder = self.new_content_builder( + self.ctx.args, + typ=AAZObjectType, + typ_kwargs={"flags": {"required": True, "client_flatten": True}} + ) + _builder.set_prop("name", AAZStrType, ".name") + _builder.set_prop("type", AAZStrType, ".type") + + return self.serialize_content(_content_value) + + def on_200(self, session): + data = self.deserialize_http_content(session) + self.ctx.set_var( + "instance", + data, + schema_builder=self._build_schema_on_200 + ) + + _schema_on_200 = None + + @classmethod + def _build_schema_on_200(cls): + if cls._schema_on_200 is not None: + return cls._schema_on_200 + + cls._schema_on_200 = AAZObjectType() + + _schema_on_200 = cls._schema_on_200 + _schema_on_200.message = AAZStrType() + _schema_on_200.name_available = AAZBoolType( + serialized_name="nameAvailable", + ) + _schema_on_200.reason = AAZStrType() + + return cls._schema_on_200 + + +class _CheckNameAvailabilityHelper: + """Helper class for CheckNameAvailability""" + + +__all__ = ["CheckNameAvailability"] diff --git a/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/__cmd_group.py b/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/__cmd_group.py new file mode 100644 index 00000000000..eb7e28d94e1 --- /dev/null +++ b/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/__cmd_group.py @@ -0,0 +1,23 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- + +# pylint: skip-file +# flake8: noqa + +from azure.cli.core.aaz import * + + +@register_command_group( + "voice-service gateway", +) +class __CMDGroup(AAZCommandGroup): + """Manage communications gateway + """ + pass + + +__all__ = ["__CMDGroup"] diff --git a/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/__init__.py b/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/__init__.py new file mode 100644 index 00000000000..db73033039b --- /dev/null +++ b/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/__init__.py @@ -0,0 +1,17 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- + +# pylint: skip-file +# flake8: noqa + +from .__cmd_group import * +from ._create import * +from ._delete import * +from ._list import * +from ._show import * +from ._update import * +from ._wait import * diff --git a/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_create.py b/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_create.py new file mode 100644 index 00000000000..9047c042e5f --- /dev/null +++ b/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_create.py @@ -0,0 +1,525 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- + +# pylint: skip-file +# flake8: noqa + +from azure.cli.core.aaz import * + + +@register_command( + "voice-service gateway create", +) +class Create(AAZCommand): + """Create a communications gateway + + :example: Create gateway + az voice-service gateway create -n gw1 -g voicetest --service-locations "[{name:useast,PrimaryRegionProperties:{operatorAddresses:[198.51.100.1],allowedSignalingSourceAddressPrefixes:[10.1.1.0/24],allowedMediaSourceAddressPrefixes:[10.1.2.0/24]}},{name:useast2,PrimaryRegionProperties:{operatorAddresses:[198.51.100.2],allowedSignalingSourceAddressPrefixes:[10.2.1.0/24],allowedMediaSourceAddressPrefixes:[10.2.2.0/24]}}]" --connectivity PublicAddress --codecs "[PCMA]" --e911-type Standard --platforms "[OperatorConnect]" + """ + + _aaz_info = { + "version": "2023-01-31", + "resources": [ + ["mgmt-plane", "/subscriptions/{}/resourcegroups/{}/providers/microsoft.voiceservices/communicationsgateways/{}", "2023-01-31"], + ] + } + + AZ_SUPPORT_NO_WAIT = True + + def _handler(self, command_args): + super()._handler(command_args) + return self.build_lro_poller(self._execute_operations, self._output) + + _args_schema = None + + @classmethod + def _build_arguments_schema(cls, *args, **kwargs): + if cls._args_schema is not None: + return cls._args_schema + cls._args_schema = super()._build_arguments_schema(*args, **kwargs) + + # define Arg Group "" + + _args_schema = cls._args_schema + _args_schema.gateway_name = AAZStrArg( + options=["-n", "--name", "--gateway-name"], + help="Unique identifier for this deployment", + required=True, + fmt=AAZStrArgFormat( + pattern="^[a-zA-Z0-9-]{3,24}$", + ), + ) + _args_schema.resource_group = AAZResourceGroupNameArg( + required=True, + ) + + # define Arg Group "Properties" + + _args_schema = cls._args_schema + _args_schema.domain_scope = AAZStrArg( + options=["--domain-scope"], + arg_group="Properties", + help="The scope at which the auto-generated domain name can be re-used", + default="TenantReuse", + enum={"NoReuse": "NoReuse", "ResourceGroupReuse": "ResourceGroupReuse", "SubscriptionReuse": "SubscriptionReuse", "TenantReuse": "TenantReuse"}, + ) + _args_schema.codecs = AAZListArg( + options=["--codecs"], + arg_group="Properties", + help="Voice codecs to support", + ) + _args_schema.connectivity = AAZStrArg( + options=["--connectivity"], + arg_group="Properties", + help="How to connect back to the operator network, e.g. MAPS", + enum={"PublicAddress": "PublicAddress"}, + ) + _args_schema.e911_type = AAZStrArg( + options=["--e911-type"], + arg_group="Properties", + help="How to handle 911 calls", + enum={"DirectToEsrp": "DirectToEsrp", "Standard": "Standard"}, + ) + _args_schema.emergency_dial_strings = AAZListArg( + options=["--emergency-dial-strings"], + arg_group="Properties", + help="A list of dial strings used for emergency calling.", + default=["911", "933"], + ) + _args_schema.on_prem_mcp_enabled = AAZBoolArg( + options=["--on-prem-mcp-enabled"], + arg_group="Properties", + help="Whether an on-premises Mobile Control Point is in use.", + default=False, + ) + _args_schema.platforms = AAZListArg( + options=["--platforms"], + arg_group="Properties", + help="What platforms to support", + ) + _args_schema.service_locations = AAZListArg( + options=["--service-locations"], + arg_group="Properties", + help="The regions in which to deploy the resources needed for Teams Calling", + ) + _args_schema.teams_voicemail = AAZStrArg( + options=["--teams-voicemail"], + arg_group="Properties", + help="This number is used in Teams Phone Mobile scenarios for access to the voicemail IVR from the native dialer.", + ) + + codecs = cls._args_schema.codecs + codecs.Element = AAZStrArg( + enum={"G722": "G722", "G722_2": "G722_2", "PCMA": "PCMA", "PCMU": "PCMU", "SILK_16": "SILK_16", "SILK_8": "SILK_8"}, + ) + + emergency_dial_strings = cls._args_schema.emergency_dial_strings + emergency_dial_strings.Element = AAZStrArg() + + platforms = cls._args_schema.platforms + platforms.Element = AAZStrArg( + enum={"OperatorConnect": "OperatorConnect", "TeamsPhoneMobile": "TeamsPhoneMobile"}, + ) + + service_locations = cls._args_schema.service_locations + service_locations.Element = AAZObjectArg() + + _element = cls._args_schema.service_locations.Element + _element.name = AAZStrArg( + options=["name"], + help="The name of the region in which the resources needed for Teams Calling will be deployed.", + required=True, + ) + _element.primary_region_properties = AAZObjectArg( + options=["primary-region-properties"], + help="The configuration used in this region as primary, and other regions as backup.", + required=True, + ) + + primary_region_properties = cls._args_schema.service_locations.Element.primary_region_properties + primary_region_properties.allowed_media_source_address_prefixes = AAZListArg( + options=["allowed-media-source-address-prefixes"], + help="The allowed source IP address or CIDR ranges for media", + default=[], + ) + primary_region_properties.allowed_signaling_source_address_prefixes = AAZListArg( + options=["allowed-signaling-source-address-prefixes"], + help="The allowed source IP address or CIDR ranges for signaling", + default=[], + ) + primary_region_properties.esrp_addresses = AAZListArg( + options=["esrp-addresses"], + help="IP address to use to contact the ESRP from this region", + ) + primary_region_properties.operator_addresses = AAZListArg( + options=["operator-addresses"], + help="IP address to use to contact the operator network from this region", + required=True, + ) + + allowed_media_source_address_prefixes = cls._args_schema.service_locations.Element.primary_region_properties.allowed_media_source_address_prefixes + allowed_media_source_address_prefixes.Element = AAZStrArg() + + allowed_signaling_source_address_prefixes = cls._args_schema.service_locations.Element.primary_region_properties.allowed_signaling_source_address_prefixes + allowed_signaling_source_address_prefixes.Element = AAZStrArg() + + esrp_addresses = cls._args_schema.service_locations.Element.primary_region_properties.esrp_addresses + esrp_addresses.Element = AAZStrArg() + + operator_addresses = cls._args_schema.service_locations.Element.primary_region_properties.operator_addresses + operator_addresses.Element = AAZStrArg() + + # define Arg Group "Resource" + + _args_schema = cls._args_schema + _args_schema.location = AAZResourceLocationArg( + arg_group="Resource", + help="The geo-location where the resource lives", + required=True, + fmt=AAZResourceLocationArgFormat( + resource_group_arg="resource_group", + ), + ) + _args_schema.tags = AAZDictArg( + options=["--tags"], + arg_group="Resource", + help="Resource tags.", + ) + + tags = cls._args_schema.tags + tags.Element = AAZStrArg() + return cls._args_schema + + def _execute_operations(self): + self.pre_operations() + yield self.CommunicationsGatewaysCreateOrUpdate(ctx=self.ctx)() + self.post_operations() + + @register_callback + def pre_operations(self): + pass + + @register_callback + def post_operations(self): + pass + + def _output(self, *args, **kwargs): + result = self.deserialize_output(self.ctx.vars.instance, client_flatten=True) + return result + + class CommunicationsGatewaysCreateOrUpdate(AAZHttpOperation): + CLIENT_TYPE = "MgmtClient" + + def __call__(self, *args, **kwargs): + request = self.make_request() + session = self.client.send_request(request=request, stream=False, **kwargs) + if session.http_response.status_code in [202]: + return self.client.build_lro_polling( + self.ctx.args.no_wait, + session, + self.on_200_201, + self.on_error, + lro_options={"final-state-via": "azure-async-operation"}, + path_format_arguments=self.url_parameters, + ) + if session.http_response.status_code in [200, 201]: + return self.client.build_lro_polling( + self.ctx.args.no_wait, + session, + self.on_200_201, + self.on_error, + lro_options={"final-state-via": "azure-async-operation"}, + path_format_arguments=self.url_parameters, + ) + + return self.on_error(session.http_response) + + @property + def url(self): + return self.client.format_url( + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}", + **self.url_parameters + ) + + @property + def method(self): + return "PUT" + + @property + def error_format(self): + return "MgmtErrorFormat" + + @property + def url_parameters(self): + parameters = { + **self.serialize_url_param( + "communicationsGatewayName", self.ctx.args.gateway_name, + required=True, + ), + **self.serialize_url_param( + "resourceGroupName", self.ctx.args.resource_group, + required=True, + ), + **self.serialize_url_param( + "subscriptionId", self.ctx.subscription_id, + required=True, + ), + } + return parameters + + @property + def query_parameters(self): + parameters = { + **self.serialize_query_param( + "api-version", "2023-01-31", + required=True, + ), + } + return parameters + + @property + def header_parameters(self): + parameters = { + **self.serialize_header_param( + "Content-Type", "application/json", + ), + **self.serialize_header_param( + "Accept", "application/json", + ), + } + return parameters + + @property + def content(self): + _content_value, _builder = self.new_content_builder( + self.ctx.args, + typ=AAZObjectType, + typ_kwargs={"flags": {"required": True, "client_flatten": True}} + ) + _builder.set_prop("location", AAZStrType, ".location", typ_kwargs={"flags": {"required": True}}) + _builder.set_prop("properties", AAZObjectType, typ_kwargs={"flags": {"client_flatten": True}}) + _builder.set_prop("tags", AAZDictType, ".tags") + + properties = _builder.get(".properties") + if properties is not None: + properties.set_prop("autoGeneratedDomainNameLabelScope", AAZStrType, ".domain_scope") + properties.set_prop("codecs", AAZListType, ".codecs", typ_kwargs={"flags": {"required": True}}) + properties.set_prop("connectivity", AAZStrType, ".connectivity", typ_kwargs={"flags": {"required": True}}) + properties.set_prop("e911Type", AAZStrType, ".e911_type", typ_kwargs={"flags": {"required": True}}) + properties.set_prop("emergencyDialStrings", AAZListType, ".emergency_dial_strings") + properties.set_prop("onPremMcpEnabled", AAZBoolType, ".on_prem_mcp_enabled") + properties.set_prop("platforms", AAZListType, ".platforms", typ_kwargs={"flags": {"required": True}}) + properties.set_prop("serviceLocations", AAZListType, ".service_locations", typ_kwargs={"flags": {"required": True}}) + properties.set_prop("teamsVoicemailPilotNumber", AAZStrType, ".teams_voicemail") + + codecs = _builder.get(".properties.codecs") + if codecs is not None: + codecs.set_elements(AAZStrType, ".") + + emergency_dial_strings = _builder.get(".properties.emergencyDialStrings") + if emergency_dial_strings is not None: + emergency_dial_strings.set_elements(AAZStrType, ".") + + platforms = _builder.get(".properties.platforms") + if platforms is not None: + platforms.set_elements(AAZStrType, ".") + + service_locations = _builder.get(".properties.serviceLocations") + if service_locations is not None: + service_locations.set_elements(AAZObjectType, ".") + + _elements = _builder.get(".properties.serviceLocations[]") + if _elements is not None: + _elements.set_prop("name", AAZStrType, ".name", typ_kwargs={"flags": {"required": True}}) + _elements.set_prop("primaryRegionProperties", AAZObjectType, ".primary_region_properties", typ_kwargs={"flags": {"required": True}}) + + primary_region_properties = _builder.get(".properties.serviceLocations[].primaryRegionProperties") + if primary_region_properties is not None: + primary_region_properties.set_prop("allowedMediaSourceAddressPrefixes", AAZListType, ".allowed_media_source_address_prefixes") + primary_region_properties.set_prop("allowedSignalingSourceAddressPrefixes", AAZListType, ".allowed_signaling_source_address_prefixes") + primary_region_properties.set_prop("esrpAddresses", AAZListType, ".esrp_addresses") + primary_region_properties.set_prop("operatorAddresses", AAZListType, ".operator_addresses", typ_kwargs={"flags": {"required": True}}) + + allowed_media_source_address_prefixes = _builder.get(".properties.serviceLocations[].primaryRegionProperties.allowedMediaSourceAddressPrefixes") + if allowed_media_source_address_prefixes is not None: + allowed_media_source_address_prefixes.set_elements(AAZStrType, ".") + + allowed_signaling_source_address_prefixes = _builder.get(".properties.serviceLocations[].primaryRegionProperties.allowedSignalingSourceAddressPrefixes") + if allowed_signaling_source_address_prefixes is not None: + allowed_signaling_source_address_prefixes.set_elements(AAZStrType, ".") + + esrp_addresses = _builder.get(".properties.serviceLocations[].primaryRegionProperties.esrpAddresses") + if esrp_addresses is not None: + esrp_addresses.set_elements(AAZStrType, ".") + + operator_addresses = _builder.get(".properties.serviceLocations[].primaryRegionProperties.operatorAddresses") + if operator_addresses is not None: + operator_addresses.set_elements(AAZStrType, ".") + + tags = _builder.get(".tags") + if tags is not None: + tags.set_elements(AAZStrType, ".") + + return self.serialize_content(_content_value) + + def on_200_201(self, session): + data = self.deserialize_http_content(session) + self.ctx.set_var( + "instance", + data, + schema_builder=self._build_schema_on_200_201 + ) + + _schema_on_200_201 = None + + @classmethod + def _build_schema_on_200_201(cls): + if cls._schema_on_200_201 is not None: + return cls._schema_on_200_201 + + cls._schema_on_200_201 = AAZObjectType() + + _schema_on_200_201 = cls._schema_on_200_201 + _schema_on_200_201.id = AAZStrType( + flags={"read_only": True}, + ) + _schema_on_200_201.location = AAZStrType( + flags={"required": True}, + ) + _schema_on_200_201.name = AAZStrType( + flags={"read_only": True}, + ) + _schema_on_200_201.properties = AAZObjectType( + flags={"client_flatten": True}, + ) + _schema_on_200_201.system_data = AAZObjectType( + serialized_name="systemData", + flags={"read_only": True}, + ) + _schema_on_200_201.tags = AAZDictType() + _schema_on_200_201.type = AAZStrType( + flags={"read_only": True}, + ) + + properties = cls._schema_on_200_201.properties + properties.auto_generated_domain_name_label = AAZStrType( + serialized_name="autoGeneratedDomainNameLabel", + flags={"read_only": True}, + ) + properties.auto_generated_domain_name_label_scope = AAZStrType( + serialized_name="autoGeneratedDomainNameLabelScope", + ) + properties.codecs = AAZListType( + flags={"required": True}, + ) + properties.connectivity = AAZStrType( + flags={"required": True}, + ) + properties.e911_type = AAZStrType( + serialized_name="e911Type", + flags={"required": True}, + ) + properties.emergency_dial_strings = AAZListType( + serialized_name="emergencyDialStrings", + ) + properties.on_prem_mcp_enabled = AAZBoolType( + serialized_name="onPremMcpEnabled", + ) + properties.platforms = AAZListType( + flags={"required": True}, + ) + properties.provisioning_state = AAZStrType( + serialized_name="provisioningState", + ) + properties.service_locations = AAZListType( + serialized_name="serviceLocations", + flags={"required": True}, + ) + properties.status = AAZStrType() + properties.teams_voicemail_pilot_number = AAZStrType( + serialized_name="teamsVoicemailPilotNumber", + ) + + codecs = cls._schema_on_200_201.properties.codecs + codecs.Element = AAZStrType() + + emergency_dial_strings = cls._schema_on_200_201.properties.emergency_dial_strings + emergency_dial_strings.Element = AAZStrType() + + platforms = cls._schema_on_200_201.properties.platforms + platforms.Element = AAZStrType() + + service_locations = cls._schema_on_200_201.properties.service_locations + service_locations.Element = AAZObjectType() + + _element = cls._schema_on_200_201.properties.service_locations.Element + _element.name = AAZStrType( + flags={"required": True}, + ) + _element.primary_region_properties = AAZObjectType( + serialized_name="primaryRegionProperties", + flags={"required": True}, + ) + + primary_region_properties = cls._schema_on_200_201.properties.service_locations.Element.primary_region_properties + primary_region_properties.allowed_media_source_address_prefixes = AAZListType( + serialized_name="allowedMediaSourceAddressPrefixes", + ) + primary_region_properties.allowed_signaling_source_address_prefixes = AAZListType( + serialized_name="allowedSignalingSourceAddressPrefixes", + ) + primary_region_properties.esrp_addresses = AAZListType( + serialized_name="esrpAddresses", + ) + primary_region_properties.operator_addresses = AAZListType( + serialized_name="operatorAddresses", + flags={"required": True}, + ) + + allowed_media_source_address_prefixes = cls._schema_on_200_201.properties.service_locations.Element.primary_region_properties.allowed_media_source_address_prefixes + allowed_media_source_address_prefixes.Element = AAZStrType() + + allowed_signaling_source_address_prefixes = cls._schema_on_200_201.properties.service_locations.Element.primary_region_properties.allowed_signaling_source_address_prefixes + allowed_signaling_source_address_prefixes.Element = AAZStrType() + + esrp_addresses = cls._schema_on_200_201.properties.service_locations.Element.primary_region_properties.esrp_addresses + esrp_addresses.Element = AAZStrType() + + operator_addresses = cls._schema_on_200_201.properties.service_locations.Element.primary_region_properties.operator_addresses + operator_addresses.Element = AAZStrType() + + system_data = cls._schema_on_200_201.system_data + system_data.created_at = AAZStrType( + serialized_name="createdAt", + ) + system_data.created_by = AAZStrType( + serialized_name="createdBy", + ) + system_data.created_by_type = AAZStrType( + serialized_name="createdByType", + ) + system_data.last_modified_at = AAZStrType( + serialized_name="lastModifiedAt", + ) + system_data.last_modified_by = AAZStrType( + serialized_name="lastModifiedBy", + ) + system_data.last_modified_by_type = AAZStrType( + serialized_name="lastModifiedByType", + ) + + tags = cls._schema_on_200_201.tags + tags.Element = AAZStrType() + + return cls._schema_on_200_201 + + +class _CreateHelper: + """Helper class for Create""" + + +__all__ = ["Create"] diff --git a/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_delete.py b/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_delete.py new file mode 100644 index 00000000000..ca4215acb87 --- /dev/null +++ b/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_delete.py @@ -0,0 +1,166 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- + +# pylint: skip-file +# flake8: noqa + +from azure.cli.core.aaz import * + + +@register_command( + "voice-service gateway delete", + confirmation="Are you sure you want to perform this operation?", +) +class Delete(AAZCommand): + """Delete a communications gateway + + :example: Delete gateway + az voice-service gateway delete -n gateway-name -g rg -y + """ + + _aaz_info = { + "version": "2023-01-31", + "resources": [ + ["mgmt-plane", "/subscriptions/{}/resourcegroups/{}/providers/microsoft.voiceservices/communicationsgateways/{}", "2023-01-31"], + ] + } + + AZ_SUPPORT_NO_WAIT = True + + def _handler(self, command_args): + super()._handler(command_args) + return self.build_lro_poller(self._execute_operations, None) + + _args_schema = None + + @classmethod + def _build_arguments_schema(cls, *args, **kwargs): + if cls._args_schema is not None: + return cls._args_schema + cls._args_schema = super()._build_arguments_schema(*args, **kwargs) + + # define Arg Group "" + + _args_schema = cls._args_schema + _args_schema.gateway_name = AAZStrArg( + options=["-n", "--name", "--gateway-name"], + help="Unique identifier for this deployment", + required=True, + id_part="name", + fmt=AAZStrArgFormat( + pattern="^[a-zA-Z0-9-]{3,24}$", + ), + ) + _args_schema.resource_group = AAZResourceGroupNameArg( + required=True, + ) + return cls._args_schema + + def _execute_operations(self): + self.pre_operations() + yield self.CommunicationsGatewaysDelete(ctx=self.ctx)() + self.post_operations() + + @register_callback + def pre_operations(self): + pass + + @register_callback + def post_operations(self): + pass + + class CommunicationsGatewaysDelete(AAZHttpOperation): + CLIENT_TYPE = "MgmtClient" + + def __call__(self, *args, **kwargs): + request = self.make_request() + session = self.client.send_request(request=request, stream=False, **kwargs) + if session.http_response.status_code in [202]: + return self.client.build_lro_polling( + self.ctx.args.no_wait, + session, + self.on_200, + self.on_error, + lro_options={"final-state-via": "azure-async-operation"}, + path_format_arguments=self.url_parameters, + ) + if session.http_response.status_code in [200]: + return self.client.build_lro_polling( + self.ctx.args.no_wait, + session, + self.on_200, + self.on_error, + lro_options={"final-state-via": "azure-async-operation"}, + path_format_arguments=self.url_parameters, + ) + if session.http_response.status_code in [204]: + return self.client.build_lro_polling( + self.ctx.args.no_wait, + session, + self.on_204, + self.on_error, + lro_options={"final-state-via": "azure-async-operation"}, + path_format_arguments=self.url_parameters, + ) + + return self.on_error(session.http_response) + + @property + def url(self): + return self.client.format_url( + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}", + **self.url_parameters + ) + + @property + def method(self): + return "DELETE" + + @property + def error_format(self): + return "MgmtErrorFormat" + + @property + def url_parameters(self): + parameters = { + **self.serialize_url_param( + "communicationsGatewayName", self.ctx.args.gateway_name, + required=True, + ), + **self.serialize_url_param( + "resourceGroupName", self.ctx.args.resource_group, + required=True, + ), + **self.serialize_url_param( + "subscriptionId", self.ctx.subscription_id, + required=True, + ), + } + return parameters + + @property + def query_parameters(self): + parameters = { + **self.serialize_query_param( + "api-version", "2023-01-31", + required=True, + ), + } + return parameters + + def on_200(self, session): + pass + + def on_204(self, session): + pass + + +class _DeleteHelper: + """Helper class for Delete""" + + +__all__ = ["Delete"] diff --git a/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_list.py b/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_list.py new file mode 100644 index 00000000000..e8d3ebdae4e --- /dev/null +++ b/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_list.py @@ -0,0 +1,516 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- + +# pylint: skip-file +# flake8: noqa + +from azure.cli.core.aaz import * + + +@register_command( + "voice-service gateway list", +) +class List(AAZCommand): + """List communications gateway resources by resource group + + :example: List gateway by resource group + az voice-service gateway list -g rg + """ + + _aaz_info = { + "version": "2023-01-31", + "resources": [ + ["mgmt-plane", "/subscriptions/{}/providers/microsoft.voiceservices/communicationsgateways", "2023-01-31"], + ["mgmt-plane", "/subscriptions/{}/resourcegroups/{}/providers/microsoft.voiceservices/communicationsgateways", "2023-01-31"], + ] + } + + def _handler(self, command_args): + super()._handler(command_args) + return self.build_paging(self._execute_operations, self._output) + + _args_schema = None + + @classmethod + def _build_arguments_schema(cls, *args, **kwargs): + if cls._args_schema is not None: + return cls._args_schema + cls._args_schema = super()._build_arguments_schema(*args, **kwargs) + + # define Arg Group "" + + _args_schema = cls._args_schema + _args_schema.resource_group = AAZResourceGroupNameArg() + return cls._args_schema + + def _execute_operations(self): + self.pre_operations() + condition_0 = has_value(self.ctx.args.resource_group) and has_value(self.ctx.subscription_id) + condition_1 = has_value(self.ctx.subscription_id) and has_value(self.ctx.args.resource_group) is not True + if condition_0: + self.CommunicationsGatewaysListByResourceGroup(ctx=self.ctx)() + if condition_1: + self.CommunicationsGatewaysListBySubscription(ctx=self.ctx)() + self.post_operations() + + @register_callback + def pre_operations(self): + pass + + @register_callback + def post_operations(self): + pass + + def _output(self, *args, **kwargs): + result = self.deserialize_output(self.ctx.vars.instance.value, client_flatten=True) + next_link = self.deserialize_output(self.ctx.vars.instance.next_link) + return result, next_link + + class CommunicationsGatewaysListByResourceGroup(AAZHttpOperation): + CLIENT_TYPE = "MgmtClient" + + def __call__(self, *args, **kwargs): + request = self.make_request() + session = self.client.send_request(request=request, stream=False, **kwargs) + if session.http_response.status_code in [200]: + return self.on_200(session) + + return self.on_error(session.http_response) + + @property + def url(self): + return self.client.format_url( + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways", + **self.url_parameters + ) + + @property + def method(self): + return "GET" + + @property + def error_format(self): + return "MgmtErrorFormat" + + @property + def url_parameters(self): + parameters = { + **self.serialize_url_param( + "resourceGroupName", self.ctx.args.resource_group, + required=True, + ), + **self.serialize_url_param( + "subscriptionId", self.ctx.subscription_id, + required=True, + ), + } + return parameters + + @property + def query_parameters(self): + parameters = { + **self.serialize_query_param( + "api-version", "2023-01-31", + required=True, + ), + } + return parameters + + @property + def header_parameters(self): + parameters = { + **self.serialize_header_param( + "Accept", "application/json", + ), + } + return parameters + + def on_200(self, session): + data = self.deserialize_http_content(session) + self.ctx.set_var( + "instance", + data, + schema_builder=self._build_schema_on_200 + ) + + _schema_on_200 = None + + @classmethod + def _build_schema_on_200(cls): + if cls._schema_on_200 is not None: + return cls._schema_on_200 + + cls._schema_on_200 = AAZObjectType() + + _schema_on_200 = cls._schema_on_200 + _schema_on_200.next_link = AAZStrType( + serialized_name="nextLink", + ) + _schema_on_200.value = AAZListType( + flags={"required": True}, + ) + + value = cls._schema_on_200.value + value.Element = AAZObjectType() + + _element = cls._schema_on_200.value.Element + _element.id = AAZStrType( + flags={"read_only": True}, + ) + _element.location = AAZStrType( + flags={"required": True}, + ) + _element.name = AAZStrType( + flags={"read_only": True}, + ) + _element.properties = AAZObjectType( + flags={"client_flatten": True}, + ) + _element.system_data = AAZObjectType( + serialized_name="systemData", + flags={"read_only": True}, + ) + _element.tags = AAZDictType() + _element.type = AAZStrType( + flags={"read_only": True}, + ) + + properties = cls._schema_on_200.value.Element.properties + properties.auto_generated_domain_name_label = AAZStrType( + serialized_name="autoGeneratedDomainNameLabel", + flags={"read_only": True}, + ) + properties.auto_generated_domain_name_label_scope = AAZStrType( + serialized_name="autoGeneratedDomainNameLabelScope", + ) + properties.codecs = AAZListType( + flags={"required": True}, + ) + properties.connectivity = AAZStrType( + flags={"required": True}, + ) + properties.e911_type = AAZStrType( + serialized_name="e911Type", + flags={"required": True}, + ) + properties.emergency_dial_strings = AAZListType( + serialized_name="emergencyDialStrings", + ) + properties.on_prem_mcp_enabled = AAZBoolType( + serialized_name="onPremMcpEnabled", + ) + properties.platforms = AAZListType( + flags={"required": True}, + ) + properties.provisioning_state = AAZStrType( + serialized_name="provisioningState", + ) + properties.service_locations = AAZListType( + serialized_name="serviceLocations", + flags={"required": True}, + ) + properties.status = AAZStrType() + properties.teams_voicemail_pilot_number = AAZStrType( + serialized_name="teamsVoicemailPilotNumber", + ) + + codecs = cls._schema_on_200.value.Element.properties.codecs + codecs.Element = AAZStrType() + + emergency_dial_strings = cls._schema_on_200.value.Element.properties.emergency_dial_strings + emergency_dial_strings.Element = AAZStrType() + + platforms = cls._schema_on_200.value.Element.properties.platforms + platforms.Element = AAZStrType() + + service_locations = cls._schema_on_200.value.Element.properties.service_locations + service_locations.Element = AAZObjectType() + + _element = cls._schema_on_200.value.Element.properties.service_locations.Element + _element.name = AAZStrType( + flags={"required": True}, + ) + _element.primary_region_properties = AAZObjectType( + serialized_name="primaryRegionProperties", + flags={"required": True}, + ) + + primary_region_properties = cls._schema_on_200.value.Element.properties.service_locations.Element.primary_region_properties + primary_region_properties.allowed_media_source_address_prefixes = AAZListType( + serialized_name="allowedMediaSourceAddressPrefixes", + ) + primary_region_properties.allowed_signaling_source_address_prefixes = AAZListType( + serialized_name="allowedSignalingSourceAddressPrefixes", + ) + primary_region_properties.esrp_addresses = AAZListType( + serialized_name="esrpAddresses", + ) + primary_region_properties.operator_addresses = AAZListType( + serialized_name="operatorAddresses", + flags={"required": True}, + ) + + allowed_media_source_address_prefixes = cls._schema_on_200.value.Element.properties.service_locations.Element.primary_region_properties.allowed_media_source_address_prefixes + allowed_media_source_address_prefixes.Element = AAZStrType() + + allowed_signaling_source_address_prefixes = cls._schema_on_200.value.Element.properties.service_locations.Element.primary_region_properties.allowed_signaling_source_address_prefixes + allowed_signaling_source_address_prefixes.Element = AAZStrType() + + esrp_addresses = cls._schema_on_200.value.Element.properties.service_locations.Element.primary_region_properties.esrp_addresses + esrp_addresses.Element = AAZStrType() + + operator_addresses = cls._schema_on_200.value.Element.properties.service_locations.Element.primary_region_properties.operator_addresses + operator_addresses.Element = AAZStrType() + + system_data = cls._schema_on_200.value.Element.system_data + system_data.created_at = AAZStrType( + serialized_name="createdAt", + ) + system_data.created_by = AAZStrType( + serialized_name="createdBy", + ) + system_data.created_by_type = AAZStrType( + serialized_name="createdByType", + ) + system_data.last_modified_at = AAZStrType( + serialized_name="lastModifiedAt", + ) + system_data.last_modified_by = AAZStrType( + serialized_name="lastModifiedBy", + ) + system_data.last_modified_by_type = AAZStrType( + serialized_name="lastModifiedByType", + ) + + tags = cls._schema_on_200.value.Element.tags + tags.Element = AAZStrType() + + return cls._schema_on_200 + + class CommunicationsGatewaysListBySubscription(AAZHttpOperation): + CLIENT_TYPE = "MgmtClient" + + def __call__(self, *args, **kwargs): + request = self.make_request() + session = self.client.send_request(request=request, stream=False, **kwargs) + if session.http_response.status_code in [200]: + return self.on_200(session) + + return self.on_error(session.http_response) + + @property + def url(self): + return self.client.format_url( + "/subscriptions/{subscriptionId}/providers/Microsoft.VoiceServices/communicationsGateways", + **self.url_parameters + ) + + @property + def method(self): + return "GET" + + @property + def error_format(self): + return "MgmtErrorFormat" + + @property + def url_parameters(self): + parameters = { + **self.serialize_url_param( + "subscriptionId", self.ctx.subscription_id, + required=True, + ), + } + return parameters + + @property + def query_parameters(self): + parameters = { + **self.serialize_query_param( + "api-version", "2023-01-31", + required=True, + ), + } + return parameters + + @property + def header_parameters(self): + parameters = { + **self.serialize_header_param( + "Accept", "application/json", + ), + } + return parameters + + def on_200(self, session): + data = self.deserialize_http_content(session) + self.ctx.set_var( + "instance", + data, + schema_builder=self._build_schema_on_200 + ) + + _schema_on_200 = None + + @classmethod + def _build_schema_on_200(cls): + if cls._schema_on_200 is not None: + return cls._schema_on_200 + + cls._schema_on_200 = AAZObjectType() + + _schema_on_200 = cls._schema_on_200 + _schema_on_200.next_link = AAZStrType( + serialized_name="nextLink", + ) + _schema_on_200.value = AAZListType( + flags={"required": True}, + ) + + value = cls._schema_on_200.value + value.Element = AAZObjectType() + + _element = cls._schema_on_200.value.Element + _element.id = AAZStrType( + flags={"read_only": True}, + ) + _element.location = AAZStrType( + flags={"required": True}, + ) + _element.name = AAZStrType( + flags={"read_only": True}, + ) + _element.properties = AAZObjectType( + flags={"client_flatten": True}, + ) + _element.system_data = AAZObjectType( + serialized_name="systemData", + flags={"read_only": True}, + ) + _element.tags = AAZDictType() + _element.type = AAZStrType( + flags={"read_only": True}, + ) + + properties = cls._schema_on_200.value.Element.properties + properties.auto_generated_domain_name_label = AAZStrType( + serialized_name="autoGeneratedDomainNameLabel", + flags={"read_only": True}, + ) + properties.auto_generated_domain_name_label_scope = AAZStrType( + serialized_name="autoGeneratedDomainNameLabelScope", + ) + properties.codecs = AAZListType( + flags={"required": True}, + ) + properties.connectivity = AAZStrType( + flags={"required": True}, + ) + properties.e911_type = AAZStrType( + serialized_name="e911Type", + flags={"required": True}, + ) + properties.emergency_dial_strings = AAZListType( + serialized_name="emergencyDialStrings", + ) + properties.on_prem_mcp_enabled = AAZBoolType( + serialized_name="onPremMcpEnabled", + ) + properties.platforms = AAZListType( + flags={"required": True}, + ) + properties.provisioning_state = AAZStrType( + serialized_name="provisioningState", + ) + properties.service_locations = AAZListType( + serialized_name="serviceLocations", + flags={"required": True}, + ) + properties.status = AAZStrType() + properties.teams_voicemail_pilot_number = AAZStrType( + serialized_name="teamsVoicemailPilotNumber", + ) + + codecs = cls._schema_on_200.value.Element.properties.codecs + codecs.Element = AAZStrType() + + emergency_dial_strings = cls._schema_on_200.value.Element.properties.emergency_dial_strings + emergency_dial_strings.Element = AAZStrType() + + platforms = cls._schema_on_200.value.Element.properties.platforms + platforms.Element = AAZStrType() + + service_locations = cls._schema_on_200.value.Element.properties.service_locations + service_locations.Element = AAZObjectType() + + _element = cls._schema_on_200.value.Element.properties.service_locations.Element + _element.name = AAZStrType( + flags={"required": True}, + ) + _element.primary_region_properties = AAZObjectType( + serialized_name="primaryRegionProperties", + flags={"required": True}, + ) + + primary_region_properties = cls._schema_on_200.value.Element.properties.service_locations.Element.primary_region_properties + primary_region_properties.allowed_media_source_address_prefixes = AAZListType( + serialized_name="allowedMediaSourceAddressPrefixes", + ) + primary_region_properties.allowed_signaling_source_address_prefixes = AAZListType( + serialized_name="allowedSignalingSourceAddressPrefixes", + ) + primary_region_properties.esrp_addresses = AAZListType( + serialized_name="esrpAddresses", + ) + primary_region_properties.operator_addresses = AAZListType( + serialized_name="operatorAddresses", + flags={"required": True}, + ) + + allowed_media_source_address_prefixes = cls._schema_on_200.value.Element.properties.service_locations.Element.primary_region_properties.allowed_media_source_address_prefixes + allowed_media_source_address_prefixes.Element = AAZStrType() + + allowed_signaling_source_address_prefixes = cls._schema_on_200.value.Element.properties.service_locations.Element.primary_region_properties.allowed_signaling_source_address_prefixes + allowed_signaling_source_address_prefixes.Element = AAZStrType() + + esrp_addresses = cls._schema_on_200.value.Element.properties.service_locations.Element.primary_region_properties.esrp_addresses + esrp_addresses.Element = AAZStrType() + + operator_addresses = cls._schema_on_200.value.Element.properties.service_locations.Element.primary_region_properties.operator_addresses + operator_addresses.Element = AAZStrType() + + system_data = cls._schema_on_200.value.Element.system_data + system_data.created_at = AAZStrType( + serialized_name="createdAt", + ) + system_data.created_by = AAZStrType( + serialized_name="createdBy", + ) + system_data.created_by_type = AAZStrType( + serialized_name="createdByType", + ) + system_data.last_modified_at = AAZStrType( + serialized_name="lastModifiedAt", + ) + system_data.last_modified_by = AAZStrType( + serialized_name="lastModifiedBy", + ) + system_data.last_modified_by_type = AAZStrType( + serialized_name="lastModifiedByType", + ) + + tags = cls._schema_on_200.value.Element.tags + tags.Element = AAZStrType() + + return cls._schema_on_200 + + +class _ListHelper: + """Helper class for List""" + + +__all__ = ["List"] diff --git a/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_show.py b/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_show.py new file mode 100644 index 00000000000..8d85288b06f --- /dev/null +++ b/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_show.py @@ -0,0 +1,297 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- + +# pylint: skip-file +# flake8: noqa + +from azure.cli.core.aaz import * + + +@register_command( + "voice-service gateway show", +) +class Show(AAZCommand): + """Show a communications gateway + + :example: Show a gateway + az voice-service gateway show -n gateway-name -g rg + """ + + _aaz_info = { + "version": "2023-01-31", + "resources": [ + ["mgmt-plane", "/subscriptions/{}/resourcegroups/{}/providers/microsoft.voiceservices/communicationsgateways/{}", "2023-01-31"], + ] + } + + def _handler(self, command_args): + super()._handler(command_args) + self._execute_operations() + return self._output() + + _args_schema = None + + @classmethod + def _build_arguments_schema(cls, *args, **kwargs): + if cls._args_schema is not None: + return cls._args_schema + cls._args_schema = super()._build_arguments_schema(*args, **kwargs) + + # define Arg Group "" + + _args_schema = cls._args_schema + _args_schema.gateway_name = AAZStrArg( + options=["-n", "--name", "--gateway-name"], + help="Unique identifier for this deployment", + required=True, + id_part="name", + fmt=AAZStrArgFormat( + pattern="^[a-zA-Z0-9-]{3,24}$", + ), + ) + _args_schema.resource_group = AAZResourceGroupNameArg( + required=True, + ) + return cls._args_schema + + def _execute_operations(self): + self.pre_operations() + self.CommunicationsGatewaysGet(ctx=self.ctx)() + self.post_operations() + + @register_callback + def pre_operations(self): + pass + + @register_callback + def post_operations(self): + pass + + def _output(self, *args, **kwargs): + result = self.deserialize_output(self.ctx.vars.instance, client_flatten=True) + return result + + class CommunicationsGatewaysGet(AAZHttpOperation): + CLIENT_TYPE = "MgmtClient" + + def __call__(self, *args, **kwargs): + request = self.make_request() + session = self.client.send_request(request=request, stream=False, **kwargs) + if session.http_response.status_code in [200]: + return self.on_200(session) + + return self.on_error(session.http_response) + + @property + def url(self): + return self.client.format_url( + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}", + **self.url_parameters + ) + + @property + def method(self): + return "GET" + + @property + def error_format(self): + return "MgmtErrorFormat" + + @property + def url_parameters(self): + parameters = { + **self.serialize_url_param( + "communicationsGatewayName", self.ctx.args.gateway_name, + required=True, + ), + **self.serialize_url_param( + "resourceGroupName", self.ctx.args.resource_group, + required=True, + ), + **self.serialize_url_param( + "subscriptionId", self.ctx.subscription_id, + required=True, + ), + } + return parameters + + @property + def query_parameters(self): + parameters = { + **self.serialize_query_param( + "api-version", "2023-01-31", + required=True, + ), + } + return parameters + + @property + def header_parameters(self): + parameters = { + **self.serialize_header_param( + "Accept", "application/json", + ), + } + return parameters + + def on_200(self, session): + data = self.deserialize_http_content(session) + self.ctx.set_var( + "instance", + data, + schema_builder=self._build_schema_on_200 + ) + + _schema_on_200 = None + + @classmethod + def _build_schema_on_200(cls): + if cls._schema_on_200 is not None: + return cls._schema_on_200 + + cls._schema_on_200 = AAZObjectType() + + _schema_on_200 = cls._schema_on_200 + _schema_on_200.id = AAZStrType( + flags={"read_only": True}, + ) + _schema_on_200.location = AAZStrType( + flags={"required": True}, + ) + _schema_on_200.name = AAZStrType( + flags={"read_only": True}, + ) + _schema_on_200.properties = AAZObjectType( + flags={"client_flatten": True}, + ) + _schema_on_200.system_data = AAZObjectType( + serialized_name="systemData", + flags={"read_only": True}, + ) + _schema_on_200.tags = AAZDictType() + _schema_on_200.type = AAZStrType( + flags={"read_only": True}, + ) + + properties = cls._schema_on_200.properties + properties.auto_generated_domain_name_label = AAZStrType( + serialized_name="autoGeneratedDomainNameLabel", + flags={"read_only": True}, + ) + properties.auto_generated_domain_name_label_scope = AAZStrType( + serialized_name="autoGeneratedDomainNameLabelScope", + ) + properties.codecs = AAZListType( + flags={"required": True}, + ) + properties.connectivity = AAZStrType( + flags={"required": True}, + ) + properties.e911_type = AAZStrType( + serialized_name="e911Type", + flags={"required": True}, + ) + properties.emergency_dial_strings = AAZListType( + serialized_name="emergencyDialStrings", + ) + properties.on_prem_mcp_enabled = AAZBoolType( + serialized_name="onPremMcpEnabled", + ) + properties.platforms = AAZListType( + flags={"required": True}, + ) + properties.provisioning_state = AAZStrType( + serialized_name="provisioningState", + ) + properties.service_locations = AAZListType( + serialized_name="serviceLocations", + flags={"required": True}, + ) + properties.status = AAZStrType() + properties.teams_voicemail_pilot_number = AAZStrType( + serialized_name="teamsVoicemailPilotNumber", + ) + + codecs = cls._schema_on_200.properties.codecs + codecs.Element = AAZStrType() + + emergency_dial_strings = cls._schema_on_200.properties.emergency_dial_strings + emergency_dial_strings.Element = AAZStrType() + + platforms = cls._schema_on_200.properties.platforms + platforms.Element = AAZStrType() + + service_locations = cls._schema_on_200.properties.service_locations + service_locations.Element = AAZObjectType() + + _element = cls._schema_on_200.properties.service_locations.Element + _element.name = AAZStrType( + flags={"required": True}, + ) + _element.primary_region_properties = AAZObjectType( + serialized_name="primaryRegionProperties", + flags={"required": True}, + ) + + primary_region_properties = cls._schema_on_200.properties.service_locations.Element.primary_region_properties + primary_region_properties.allowed_media_source_address_prefixes = AAZListType( + serialized_name="allowedMediaSourceAddressPrefixes", + ) + primary_region_properties.allowed_signaling_source_address_prefixes = AAZListType( + serialized_name="allowedSignalingSourceAddressPrefixes", + ) + primary_region_properties.esrp_addresses = AAZListType( + serialized_name="esrpAddresses", + ) + primary_region_properties.operator_addresses = AAZListType( + serialized_name="operatorAddresses", + flags={"required": True}, + ) + + allowed_media_source_address_prefixes = cls._schema_on_200.properties.service_locations.Element.primary_region_properties.allowed_media_source_address_prefixes + allowed_media_source_address_prefixes.Element = AAZStrType() + + allowed_signaling_source_address_prefixes = cls._schema_on_200.properties.service_locations.Element.primary_region_properties.allowed_signaling_source_address_prefixes + allowed_signaling_source_address_prefixes.Element = AAZStrType() + + esrp_addresses = cls._schema_on_200.properties.service_locations.Element.primary_region_properties.esrp_addresses + esrp_addresses.Element = AAZStrType() + + operator_addresses = cls._schema_on_200.properties.service_locations.Element.primary_region_properties.operator_addresses + operator_addresses.Element = AAZStrType() + + system_data = cls._schema_on_200.system_data + system_data.created_at = AAZStrType( + serialized_name="createdAt", + ) + system_data.created_by = AAZStrType( + serialized_name="createdBy", + ) + system_data.created_by_type = AAZStrType( + serialized_name="createdByType", + ) + system_data.last_modified_at = AAZStrType( + serialized_name="lastModifiedAt", + ) + system_data.last_modified_by = AAZStrType( + serialized_name="lastModifiedBy", + ) + system_data.last_modified_by_type = AAZStrType( + serialized_name="lastModifiedByType", + ) + + tags = cls._schema_on_200.tags + tags.Element = AAZStrType() + + return cls._schema_on_200 + + +class _ShowHelper: + """Helper class for Show""" + + +__all__ = ["Show"] diff --git a/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_update.py b/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_update.py new file mode 100644 index 00000000000..19bdd5b05ac --- /dev/null +++ b/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_update.py @@ -0,0 +1,491 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- + +# pylint: skip-file +# flake8: noqa + +from azure.cli.core.aaz import * + + +@register_command( + "voice-service gateway update", +) +class Update(AAZCommand): + """Update a communications gateway + + :example: Update a gateway + az voice-service gateway update -n gateway-name -g rg --tags "{tag:test,tag2:test2}" + """ + + _aaz_info = { + "version": "2023-01-31", + "resources": [ + ["mgmt-plane", "/subscriptions/{}/resourcegroups/{}/providers/microsoft.voiceservices/communicationsgateways/{}", "2023-01-31"], + ] + } + + AZ_SUPPORT_NO_WAIT = True + + AZ_SUPPORT_GENERIC_UPDATE = True + + def _handler(self, command_args): + super()._handler(command_args) + return self.build_lro_poller(self._execute_operations, self._output) + + _args_schema = None + + @classmethod + def _build_arguments_schema(cls, *args, **kwargs): + if cls._args_schema is not None: + return cls._args_schema + cls._args_schema = super()._build_arguments_schema(*args, **kwargs) + + # define Arg Group "" + + _args_schema = cls._args_schema + _args_schema.gateway_name = AAZStrArg( + options=["-n", "--name", "--gateway-name"], + help="Unique identifier for this deployment", + required=True, + id_part="name", + fmt=AAZStrArgFormat( + pattern="^[a-zA-Z0-9-]{3,24}$", + ), + ) + _args_schema.resource_group = AAZResourceGroupNameArg( + required=True, + ) + + # define Arg Group "Resource" + + _args_schema = cls._args_schema + _args_schema.tags = AAZDictArg( + options=["--tags"], + arg_group="Resource", + help="Resource tags.", + nullable=True, + ) + + tags = cls._args_schema.tags + tags.Element = AAZStrArg( + nullable=True, + ) + return cls._args_schema + + def _execute_operations(self): + self.pre_operations() + self.CommunicationsGatewaysGet(ctx=self.ctx)() + self.pre_instance_update(self.ctx.vars.instance) + self.InstanceUpdateByJson(ctx=self.ctx)() + self.InstanceUpdateByGeneric(ctx=self.ctx)() + self.post_instance_update(self.ctx.vars.instance) + yield self.CommunicationsGatewaysCreateOrUpdate(ctx=self.ctx)() + self.post_operations() + + @register_callback + def pre_operations(self): + pass + + @register_callback + def post_operations(self): + pass + + @register_callback + def pre_instance_update(self, instance): + pass + + @register_callback + def post_instance_update(self, instance): + pass + + def _output(self, *args, **kwargs): + result = self.deserialize_output(self.ctx.vars.instance, client_flatten=True) + return result + + class CommunicationsGatewaysGet(AAZHttpOperation): + CLIENT_TYPE = "MgmtClient" + + def __call__(self, *args, **kwargs): + request = self.make_request() + session = self.client.send_request(request=request, stream=False, **kwargs) + if session.http_response.status_code in [200]: + return self.on_200(session) + + return self.on_error(session.http_response) + + @property + def url(self): + return self.client.format_url( + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}", + **self.url_parameters + ) + + @property + def method(self): + return "GET" + + @property + def error_format(self): + return "MgmtErrorFormat" + + @property + def url_parameters(self): + parameters = { + **self.serialize_url_param( + "communicationsGatewayName", self.ctx.args.gateway_name, + required=True, + ), + **self.serialize_url_param( + "resourceGroupName", self.ctx.args.resource_group, + required=True, + ), + **self.serialize_url_param( + "subscriptionId", self.ctx.subscription_id, + required=True, + ), + } + return parameters + + @property + def query_parameters(self): + parameters = { + **self.serialize_query_param( + "api-version", "2023-01-31", + required=True, + ), + } + return parameters + + @property + def header_parameters(self): + parameters = { + **self.serialize_header_param( + "Accept", "application/json", + ), + } + return parameters + + def on_200(self, session): + data = self.deserialize_http_content(session) + self.ctx.set_var( + "instance", + data, + schema_builder=self._build_schema_on_200 + ) + + _schema_on_200 = None + + @classmethod + def _build_schema_on_200(cls): + if cls._schema_on_200 is not None: + return cls._schema_on_200 + + cls._schema_on_200 = AAZObjectType() + _UpdateHelper._build_schema_communications_gateway_read(cls._schema_on_200) + + return cls._schema_on_200 + + class CommunicationsGatewaysCreateOrUpdate(AAZHttpOperation): + CLIENT_TYPE = "MgmtClient" + + def __call__(self, *args, **kwargs): + request = self.make_request() + session = self.client.send_request(request=request, stream=False, **kwargs) + if session.http_response.status_code in [202]: + return self.client.build_lro_polling( + self.ctx.args.no_wait, + session, + self.on_200_201, + self.on_error, + lro_options={"final-state-via": "azure-async-operation"}, + path_format_arguments=self.url_parameters, + ) + if session.http_response.status_code in [200, 201]: + return self.client.build_lro_polling( + self.ctx.args.no_wait, + session, + self.on_200_201, + self.on_error, + lro_options={"final-state-via": "azure-async-operation"}, + path_format_arguments=self.url_parameters, + ) + + return self.on_error(session.http_response) + + @property + def url(self): + return self.client.format_url( + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}", + **self.url_parameters + ) + + @property + def method(self): + return "PUT" + + @property + def error_format(self): + return "MgmtErrorFormat" + + @property + def url_parameters(self): + parameters = { + **self.serialize_url_param( + "communicationsGatewayName", self.ctx.args.gateway_name, + required=True, + ), + **self.serialize_url_param( + "resourceGroupName", self.ctx.args.resource_group, + required=True, + ), + **self.serialize_url_param( + "subscriptionId", self.ctx.subscription_id, + required=True, + ), + } + return parameters + + @property + def query_parameters(self): + parameters = { + **self.serialize_query_param( + "api-version", "2023-01-31", + required=True, + ), + } + return parameters + + @property + def header_parameters(self): + parameters = { + **self.serialize_header_param( + "Content-Type", "application/json", + ), + **self.serialize_header_param( + "Accept", "application/json", + ), + } + return parameters + + @property + def content(self): + _content_value, _builder = self.new_content_builder( + self.ctx.args, + value=self.ctx.vars.instance, + ) + + return self.serialize_content(_content_value) + + def on_200_201(self, session): + data = self.deserialize_http_content(session) + self.ctx.set_var( + "instance", + data, + schema_builder=self._build_schema_on_200_201 + ) + + _schema_on_200_201 = None + + @classmethod + def _build_schema_on_200_201(cls): + if cls._schema_on_200_201 is not None: + return cls._schema_on_200_201 + + cls._schema_on_200_201 = AAZObjectType() + _UpdateHelper._build_schema_communications_gateway_read(cls._schema_on_200_201) + + return cls._schema_on_200_201 + + class InstanceUpdateByJson(AAZJsonInstanceUpdateOperation): + + def __call__(self, *args, **kwargs): + self._update_instance(self.ctx.vars.instance) + + def _update_instance(self, instance): + _instance_value, _builder = self.new_content_builder( + self.ctx.args, + value=instance, + typ=AAZObjectType + ) + _builder.set_prop("tags", AAZDictType, ".tags") + + tags = _builder.get(".tags") + if tags is not None: + tags.set_elements(AAZStrType, ".") + + return _instance_value + + class InstanceUpdateByGeneric(AAZGenericInstanceUpdateOperation): + + def __call__(self, *args, **kwargs): + self._update_instance_by_generic( + self.ctx.vars.instance, + self.ctx.generic_update_args + ) + + +class _UpdateHelper: + """Helper class for Update""" + + _schema_communications_gateway_read = None + + @classmethod + def _build_schema_communications_gateway_read(cls, _schema): + if cls._schema_communications_gateway_read is not None: + _schema.id = cls._schema_communications_gateway_read.id + _schema.location = cls._schema_communications_gateway_read.location + _schema.name = cls._schema_communications_gateway_read.name + _schema.properties = cls._schema_communications_gateway_read.properties + _schema.system_data = cls._schema_communications_gateway_read.system_data + _schema.tags = cls._schema_communications_gateway_read.tags + _schema.type = cls._schema_communications_gateway_read.type + return + + cls._schema_communications_gateway_read = _schema_communications_gateway_read = AAZObjectType() + + communications_gateway_read = _schema_communications_gateway_read + communications_gateway_read.id = AAZStrType( + flags={"read_only": True}, + ) + communications_gateway_read.location = AAZStrType( + flags={"required": True}, + ) + communications_gateway_read.name = AAZStrType( + flags={"read_only": True}, + ) + communications_gateway_read.properties = AAZObjectType( + flags={"client_flatten": True}, + ) + communications_gateway_read.system_data = AAZObjectType( + serialized_name="systemData", + flags={"read_only": True}, + ) + communications_gateway_read.tags = AAZDictType() + communications_gateway_read.type = AAZStrType( + flags={"read_only": True}, + ) + + properties = _schema_communications_gateway_read.properties + properties.auto_generated_domain_name_label = AAZStrType( + serialized_name="autoGeneratedDomainNameLabel", + flags={"read_only": True}, + ) + properties.auto_generated_domain_name_label_scope = AAZStrType( + serialized_name="autoGeneratedDomainNameLabelScope", + ) + properties.codecs = AAZListType( + flags={"required": True}, + ) + properties.connectivity = AAZStrType( + flags={"required": True}, + ) + properties.e911_type = AAZStrType( + serialized_name="e911Type", + flags={"required": True}, + ) + properties.emergency_dial_strings = AAZListType( + serialized_name="emergencyDialStrings", + ) + properties.on_prem_mcp_enabled = AAZBoolType( + serialized_name="onPremMcpEnabled", + ) + properties.platforms = AAZListType( + flags={"required": True}, + ) + properties.provisioning_state = AAZStrType( + serialized_name="provisioningState", + ) + properties.service_locations = AAZListType( + serialized_name="serviceLocations", + flags={"required": True}, + ) + properties.status = AAZStrType() + properties.teams_voicemail_pilot_number = AAZStrType( + serialized_name="teamsVoicemailPilotNumber", + ) + + codecs = _schema_communications_gateway_read.properties.codecs + codecs.Element = AAZStrType() + + emergency_dial_strings = _schema_communications_gateway_read.properties.emergency_dial_strings + emergency_dial_strings.Element = AAZStrType() + + platforms = _schema_communications_gateway_read.properties.platforms + platforms.Element = AAZStrType() + + service_locations = _schema_communications_gateway_read.properties.service_locations + service_locations.Element = AAZObjectType() + + _element = _schema_communications_gateway_read.properties.service_locations.Element + _element.name = AAZStrType( + flags={"required": True}, + ) + _element.primary_region_properties = AAZObjectType( + serialized_name="primaryRegionProperties", + flags={"required": True}, + ) + + primary_region_properties = _schema_communications_gateway_read.properties.service_locations.Element.primary_region_properties + primary_region_properties.allowed_media_source_address_prefixes = AAZListType( + serialized_name="allowedMediaSourceAddressPrefixes", + ) + primary_region_properties.allowed_signaling_source_address_prefixes = AAZListType( + serialized_name="allowedSignalingSourceAddressPrefixes", + ) + primary_region_properties.esrp_addresses = AAZListType( + serialized_name="esrpAddresses", + ) + primary_region_properties.operator_addresses = AAZListType( + serialized_name="operatorAddresses", + flags={"required": True}, + ) + + allowed_media_source_address_prefixes = _schema_communications_gateway_read.properties.service_locations.Element.primary_region_properties.allowed_media_source_address_prefixes + allowed_media_source_address_prefixes.Element = AAZStrType() + + allowed_signaling_source_address_prefixes = _schema_communications_gateway_read.properties.service_locations.Element.primary_region_properties.allowed_signaling_source_address_prefixes + allowed_signaling_source_address_prefixes.Element = AAZStrType() + + esrp_addresses = _schema_communications_gateway_read.properties.service_locations.Element.primary_region_properties.esrp_addresses + esrp_addresses.Element = AAZStrType() + + operator_addresses = _schema_communications_gateway_read.properties.service_locations.Element.primary_region_properties.operator_addresses + operator_addresses.Element = AAZStrType() + + system_data = _schema_communications_gateway_read.system_data + system_data.created_at = AAZStrType( + serialized_name="createdAt", + ) + system_data.created_by = AAZStrType( + serialized_name="createdBy", + ) + system_data.created_by_type = AAZStrType( + serialized_name="createdByType", + ) + system_data.last_modified_at = AAZStrType( + serialized_name="lastModifiedAt", + ) + system_data.last_modified_by = AAZStrType( + serialized_name="lastModifiedBy", + ) + system_data.last_modified_by_type = AAZStrType( + serialized_name="lastModifiedByType", + ) + + tags = _schema_communications_gateway_read.tags + tags.Element = AAZStrType() + + _schema.id = cls._schema_communications_gateway_read.id + _schema.location = cls._schema_communications_gateway_read.location + _schema.name = cls._schema_communications_gateway_read.name + _schema.properties = cls._schema_communications_gateway_read.properties + _schema.system_data = cls._schema_communications_gateway_read.system_data + _schema.tags = cls._schema_communications_gateway_read.tags + _schema.type = cls._schema_communications_gateway_read.type + + +__all__ = ["Update"] diff --git a/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_wait.py b/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_wait.py new file mode 100644 index 00000000000..725a5d68fee --- /dev/null +++ b/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_wait.py @@ -0,0 +1,293 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- + +# pylint: skip-file +# flake8: noqa + +from azure.cli.core.aaz import * + + +@register_command( + "voice-service gateway wait", +) +class Wait(AAZWaitCommand): + """Place the CLI in a waiting state until a condition is met. + """ + + _aaz_info = { + "resources": [ + ["mgmt-plane", "/subscriptions/{}/resourcegroups/{}/providers/microsoft.voiceservices/communicationsgateways/{}", "2023-01-31"], + ] + } + + def _handler(self, command_args): + super()._handler(command_args) + self._execute_operations() + return self._output() + + _args_schema = None + + @classmethod + def _build_arguments_schema(cls, *args, **kwargs): + if cls._args_schema is not None: + return cls._args_schema + cls._args_schema = super()._build_arguments_schema(*args, **kwargs) + + # define Arg Group "" + + _args_schema = cls._args_schema + _args_schema.gateway_name = AAZStrArg( + options=["-n", "--name", "--gateway-name"], + help="Unique identifier for this deployment", + required=True, + id_part="name", + fmt=AAZStrArgFormat( + pattern="^[a-zA-Z0-9-]{3,24}$", + ), + ) + _args_schema.resource_group = AAZResourceGroupNameArg( + required=True, + ) + return cls._args_schema + + def _execute_operations(self): + self.pre_operations() + self.CommunicationsGatewaysGet(ctx=self.ctx)() + self.post_operations() + + @register_callback + def pre_operations(self): + pass + + @register_callback + def post_operations(self): + pass + + def _output(self, *args, **kwargs): + result = self.deserialize_output(self.ctx.vars.instance, client_flatten=False) + return result + + class CommunicationsGatewaysGet(AAZHttpOperation): + CLIENT_TYPE = "MgmtClient" + + def __call__(self, *args, **kwargs): + request = self.make_request() + session = self.client.send_request(request=request, stream=False, **kwargs) + if session.http_response.status_code in [200]: + return self.on_200(session) + + return self.on_error(session.http_response) + + @property + def url(self): + return self.client.format_url( + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}", + **self.url_parameters + ) + + @property + def method(self): + return "GET" + + @property + def error_format(self): + return "MgmtErrorFormat" + + @property + def url_parameters(self): + parameters = { + **self.serialize_url_param( + "communicationsGatewayName", self.ctx.args.gateway_name, + required=True, + ), + **self.serialize_url_param( + "resourceGroupName", self.ctx.args.resource_group, + required=True, + ), + **self.serialize_url_param( + "subscriptionId", self.ctx.subscription_id, + required=True, + ), + } + return parameters + + @property + def query_parameters(self): + parameters = { + **self.serialize_query_param( + "api-version", "2023-01-31", + required=True, + ), + } + return parameters + + @property + def header_parameters(self): + parameters = { + **self.serialize_header_param( + "Accept", "application/json", + ), + } + return parameters + + def on_200(self, session): + data = self.deserialize_http_content(session) + self.ctx.set_var( + "instance", + data, + schema_builder=self._build_schema_on_200 + ) + + _schema_on_200 = None + + @classmethod + def _build_schema_on_200(cls): + if cls._schema_on_200 is not None: + return cls._schema_on_200 + + cls._schema_on_200 = AAZObjectType() + + _schema_on_200 = cls._schema_on_200 + _schema_on_200.id = AAZStrType( + flags={"read_only": True}, + ) + _schema_on_200.location = AAZStrType( + flags={"required": True}, + ) + _schema_on_200.name = AAZStrType( + flags={"read_only": True}, + ) + _schema_on_200.properties = AAZObjectType( + flags={"client_flatten": True}, + ) + _schema_on_200.system_data = AAZObjectType( + serialized_name="systemData", + flags={"read_only": True}, + ) + _schema_on_200.tags = AAZDictType() + _schema_on_200.type = AAZStrType( + flags={"read_only": True}, + ) + + properties = cls._schema_on_200.properties + properties.auto_generated_domain_name_label = AAZStrType( + serialized_name="autoGeneratedDomainNameLabel", + flags={"read_only": True}, + ) + properties.auto_generated_domain_name_label_scope = AAZStrType( + serialized_name="autoGeneratedDomainNameLabelScope", + ) + properties.codecs = AAZListType( + flags={"required": True}, + ) + properties.connectivity = AAZStrType( + flags={"required": True}, + ) + properties.e911_type = AAZStrType( + serialized_name="e911Type", + flags={"required": True}, + ) + properties.emergency_dial_strings = AAZListType( + serialized_name="emergencyDialStrings", + ) + properties.on_prem_mcp_enabled = AAZBoolType( + serialized_name="onPremMcpEnabled", + ) + properties.platforms = AAZListType( + flags={"required": True}, + ) + properties.provisioning_state = AAZStrType( + serialized_name="provisioningState", + ) + properties.service_locations = AAZListType( + serialized_name="serviceLocations", + flags={"required": True}, + ) + properties.status = AAZStrType() + properties.teams_voicemail_pilot_number = AAZStrType( + serialized_name="teamsVoicemailPilotNumber", + ) + + codecs = cls._schema_on_200.properties.codecs + codecs.Element = AAZStrType() + + emergency_dial_strings = cls._schema_on_200.properties.emergency_dial_strings + emergency_dial_strings.Element = AAZStrType() + + platforms = cls._schema_on_200.properties.platforms + platforms.Element = AAZStrType() + + service_locations = cls._schema_on_200.properties.service_locations + service_locations.Element = AAZObjectType() + + _element = cls._schema_on_200.properties.service_locations.Element + _element.name = AAZStrType( + flags={"required": True}, + ) + _element.primary_region_properties = AAZObjectType( + serialized_name="primaryRegionProperties", + flags={"required": True}, + ) + + primary_region_properties = cls._schema_on_200.properties.service_locations.Element.primary_region_properties + primary_region_properties.allowed_media_source_address_prefixes = AAZListType( + serialized_name="allowedMediaSourceAddressPrefixes", + ) + primary_region_properties.allowed_signaling_source_address_prefixes = AAZListType( + serialized_name="allowedSignalingSourceAddressPrefixes", + ) + primary_region_properties.esrp_addresses = AAZListType( + serialized_name="esrpAddresses", + ) + primary_region_properties.operator_addresses = AAZListType( + serialized_name="operatorAddresses", + flags={"required": True}, + ) + + allowed_media_source_address_prefixes = cls._schema_on_200.properties.service_locations.Element.primary_region_properties.allowed_media_source_address_prefixes + allowed_media_source_address_prefixes.Element = AAZStrType() + + allowed_signaling_source_address_prefixes = cls._schema_on_200.properties.service_locations.Element.primary_region_properties.allowed_signaling_source_address_prefixes + allowed_signaling_source_address_prefixes.Element = AAZStrType() + + esrp_addresses = cls._schema_on_200.properties.service_locations.Element.primary_region_properties.esrp_addresses + esrp_addresses.Element = AAZStrType() + + operator_addresses = cls._schema_on_200.properties.service_locations.Element.primary_region_properties.operator_addresses + operator_addresses.Element = AAZStrType() + + system_data = cls._schema_on_200.system_data + system_data.created_at = AAZStrType( + serialized_name="createdAt", + ) + system_data.created_by = AAZStrType( + serialized_name="createdBy", + ) + system_data.created_by_type = AAZStrType( + serialized_name="createdByType", + ) + system_data.last_modified_at = AAZStrType( + serialized_name="lastModifiedAt", + ) + system_data.last_modified_by = AAZStrType( + serialized_name="lastModifiedBy", + ) + system_data.last_modified_by_type = AAZStrType( + serialized_name="lastModifiedByType", + ) + + tags = cls._schema_on_200.tags + tags.Element = AAZStrType() + + return cls._schema_on_200 + + +class _WaitHelper: + """Helper class for Wait""" + + +__all__ = ["Wait"] diff --git a/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/__cmd_group.py b/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/__cmd_group.py new file mode 100644 index 00000000000..f644ad0db54 --- /dev/null +++ b/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/__cmd_group.py @@ -0,0 +1,23 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- + +# pylint: skip-file +# flake8: noqa + +from azure.cli.core.aaz import * + + +@register_command_group( + "voice-service test-line", +) +class __CMDGroup(AAZCommandGroup): + """Manage gateway test line + """ + pass + + +__all__ = ["__CMDGroup"] diff --git a/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/__init__.py b/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/__init__.py new file mode 100644 index 00000000000..db73033039b --- /dev/null +++ b/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/__init__.py @@ -0,0 +1,17 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- + +# pylint: skip-file +# flake8: noqa + +from .__cmd_group import * +from ._create import * +from ._delete import * +from ._list import * +from ._show import * +from ._update import * +from ._wait import * diff --git a/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_create.py b/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_create.py new file mode 100644 index 00000000000..dbf6a72f952 --- /dev/null +++ b/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_create.py @@ -0,0 +1,310 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- + +# pylint: skip-file +# flake8: noqa + +from azure.cli.core.aaz import * + + +@register_command( + "voice-service test-line create", +) +class Create(AAZCommand): + """Create a test line + + :example: Create test line + az voice-service test-line create -n test-line-name -g rg --gateway-name gateway-name --phone-number "+1-555-1234" --purpose Automated + """ + + _aaz_info = { + "version": "2023-01-31", + "resources": [ + ["mgmt-plane", "/subscriptions/{}/resourcegroups/{}/providers/microsoft.voiceservices/communicationsgateways/{}/testlines/{}", "2023-01-31"], + ] + } + + AZ_SUPPORT_NO_WAIT = True + + def _handler(self, command_args): + super()._handler(command_args) + return self.build_lro_poller(self._execute_operations, self._output) + + _args_schema = None + + @classmethod + def _build_arguments_schema(cls, *args, **kwargs): + if cls._args_schema is not None: + return cls._args_schema + cls._args_schema = super()._build_arguments_schema(*args, **kwargs) + + # define Arg Group "" + + _args_schema = cls._args_schema + _args_schema.gateway_name = AAZStrArg( + options=["--gateway-name"], + help="Unique identifier for this deployment", + required=True, + fmt=AAZStrArgFormat( + pattern="^[a-zA-Z0-9-]{3,24}$", + ), + ) + _args_schema.resource_group = AAZResourceGroupNameArg( + required=True, + ) + _args_schema.test_line_name = AAZStrArg( + options=["-n", "--name", "--test-line-name"], + help="Unique identifier for this test line", + required=True, + fmt=AAZStrArgFormat( + pattern="^[a-zA-Z0-9-]{3,24}$", + ), + ) + + # define Arg Group "Properties" + + _args_schema = cls._args_schema + _args_schema.phone_number = AAZStrArg( + options=["--phone-number"], + arg_group="Properties", + help="The phone number", + ) + _args_schema.purpose = AAZStrArg( + options=["--purpose"], + arg_group="Properties", + help="Purpose of this test line, e.g. automated or manual testing", + enum={"Automated": "Automated", "Manual": "Manual"}, + ) + + # define Arg Group "Resource" + + _args_schema = cls._args_schema + _args_schema.location = AAZResourceLocationArg( + arg_group="Resource", + help="The geo-location where the resource lives", + required=True, + fmt=AAZResourceLocationArgFormat( + resource_group_arg="resource_group", + ), + ) + _args_schema.tags = AAZDictArg( + options=["--tags"], + arg_group="Resource", + help="Resource tags.", + ) + + tags = cls._args_schema.tags + tags.Element = AAZStrArg() + return cls._args_schema + + def _execute_operations(self): + self.pre_operations() + yield self.TestLinesCreateOrUpdate(ctx=self.ctx)() + self.post_operations() + + @register_callback + def pre_operations(self): + pass + + @register_callback + def post_operations(self): + pass + + def _output(self, *args, **kwargs): + result = self.deserialize_output(self.ctx.vars.instance, client_flatten=True) + return result + + class TestLinesCreateOrUpdate(AAZHttpOperation): + CLIENT_TYPE = "MgmtClient" + + def __call__(self, *args, **kwargs): + request = self.make_request() + session = self.client.send_request(request=request, stream=False, **kwargs) + if session.http_response.status_code in [202]: + return self.client.build_lro_polling( + self.ctx.args.no_wait, + session, + self.on_200_201, + self.on_error, + lro_options={"final-state-via": "azure-async-operation"}, + path_format_arguments=self.url_parameters, + ) + if session.http_response.status_code in [200, 201]: + return self.client.build_lro_polling( + self.ctx.args.no_wait, + session, + self.on_200_201, + self.on_error, + lro_options={"final-state-via": "azure-async-operation"}, + path_format_arguments=self.url_parameters, + ) + + return self.on_error(session.http_response) + + @property + def url(self): + return self.client.format_url( + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}/testLines/{testLineName}", + **self.url_parameters + ) + + @property + def method(self): + return "PUT" + + @property + def error_format(self): + return "MgmtErrorFormat" + + @property + def url_parameters(self): + parameters = { + **self.serialize_url_param( + "communicationsGatewayName", self.ctx.args.gateway_name, + required=True, + ), + **self.serialize_url_param( + "resourceGroupName", self.ctx.args.resource_group, + required=True, + ), + **self.serialize_url_param( + "subscriptionId", self.ctx.subscription_id, + required=True, + ), + **self.serialize_url_param( + "testLineName", self.ctx.args.test_line_name, + required=True, + ), + } + return parameters + + @property + def query_parameters(self): + parameters = { + **self.serialize_query_param( + "api-version", "2023-01-31", + required=True, + ), + } + return parameters + + @property + def header_parameters(self): + parameters = { + **self.serialize_header_param( + "Content-Type", "application/json", + ), + **self.serialize_header_param( + "Accept", "application/json", + ), + } + return parameters + + @property + def content(self): + _content_value, _builder = self.new_content_builder( + self.ctx.args, + typ=AAZObjectType, + typ_kwargs={"flags": {"required": True, "client_flatten": True}} + ) + _builder.set_prop("location", AAZStrType, ".location", typ_kwargs={"flags": {"required": True}}) + _builder.set_prop("properties", AAZObjectType, typ_kwargs={"flags": {"client_flatten": True}}) + _builder.set_prop("tags", AAZDictType, ".tags") + + properties = _builder.get(".properties") + if properties is not None: + properties.set_prop("phoneNumber", AAZStrType, ".phone_number", typ_kwargs={"flags": {"required": True}}) + properties.set_prop("purpose", AAZStrType, ".purpose", typ_kwargs={"flags": {"required": True}}) + + tags = _builder.get(".tags") + if tags is not None: + tags.set_elements(AAZStrType, ".") + + return self.serialize_content(_content_value) + + def on_200_201(self, session): + data = self.deserialize_http_content(session) + self.ctx.set_var( + "instance", + data, + schema_builder=self._build_schema_on_200_201 + ) + + _schema_on_200_201 = None + + @classmethod + def _build_schema_on_200_201(cls): + if cls._schema_on_200_201 is not None: + return cls._schema_on_200_201 + + cls._schema_on_200_201 = AAZObjectType() + + _schema_on_200_201 = cls._schema_on_200_201 + _schema_on_200_201.id = AAZStrType( + flags={"read_only": True}, + ) + _schema_on_200_201.location = AAZStrType( + flags={"required": True}, + ) + _schema_on_200_201.name = AAZStrType( + flags={"read_only": True}, + ) + _schema_on_200_201.properties = AAZObjectType( + flags={"client_flatten": True}, + ) + _schema_on_200_201.system_data = AAZObjectType( + serialized_name="systemData", + flags={"read_only": True}, + ) + _schema_on_200_201.tags = AAZDictType() + _schema_on_200_201.type = AAZStrType( + flags={"read_only": True}, + ) + + properties = cls._schema_on_200_201.properties + properties.phone_number = AAZStrType( + serialized_name="phoneNumber", + flags={"required": True}, + ) + properties.provisioning_state = AAZStrType( + serialized_name="provisioningState", + ) + properties.purpose = AAZStrType( + flags={"required": True}, + ) + + system_data = cls._schema_on_200_201.system_data + system_data.created_at = AAZStrType( + serialized_name="createdAt", + ) + system_data.created_by = AAZStrType( + serialized_name="createdBy", + ) + system_data.created_by_type = AAZStrType( + serialized_name="createdByType", + ) + system_data.last_modified_at = AAZStrType( + serialized_name="lastModifiedAt", + ) + system_data.last_modified_by = AAZStrType( + serialized_name="lastModifiedBy", + ) + system_data.last_modified_by_type = AAZStrType( + serialized_name="lastModifiedByType", + ) + + tags = cls._schema_on_200_201.tags + tags.Element = AAZStrType() + + return cls._schema_on_200_201 + + +class _CreateHelper: + """Helper class for Create""" + + +__all__ = ["Create"] diff --git a/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_delete.py b/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_delete.py new file mode 100644 index 00000000000..2eb764f2f95 --- /dev/null +++ b/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_delete.py @@ -0,0 +1,179 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- + +# pylint: skip-file +# flake8: noqa + +from azure.cli.core.aaz import * + + +@register_command( + "voice-service test-line delete", + confirmation="Are you sure you want to perform this operation?", +) +class Delete(AAZCommand): + """Delete a test line + + :example: Delete test line + az voice-service test-line delete -n test-line-name -g rg --gateway-name gateway-name -y + """ + + _aaz_info = { + "version": "2023-01-31", + "resources": [ + ["mgmt-plane", "/subscriptions/{}/resourcegroups/{}/providers/microsoft.voiceservices/communicationsgateways/{}/testlines/{}", "2023-01-31"], + ] + } + + AZ_SUPPORT_NO_WAIT = True + + def _handler(self, command_args): + super()._handler(command_args) + return self.build_lro_poller(self._execute_operations, None) + + _args_schema = None + + @classmethod + def _build_arguments_schema(cls, *args, **kwargs): + if cls._args_schema is not None: + return cls._args_schema + cls._args_schema = super()._build_arguments_schema(*args, **kwargs) + + # define Arg Group "" + + _args_schema = cls._args_schema + _args_schema.gateway_name = AAZStrArg( + options=["--gateway-name"], + help="Unique identifier for this deployment", + required=True, + id_part="name", + fmt=AAZStrArgFormat( + pattern="^[a-zA-Z0-9-]{3,24}$", + ), + ) + _args_schema.resource_group = AAZResourceGroupNameArg( + required=True, + ) + _args_schema.test_line_name = AAZStrArg( + options=["-n", "--name", "--test-line-name"], + help="Unique identifier for this test line", + required=True, + id_part="child_name_1", + fmt=AAZStrArgFormat( + pattern="^[a-zA-Z0-9-]{3,24}$", + ), + ) + return cls._args_schema + + def _execute_operations(self): + self.pre_operations() + yield self.TestLinesDelete(ctx=self.ctx)() + self.post_operations() + + @register_callback + def pre_operations(self): + pass + + @register_callback + def post_operations(self): + pass + + class TestLinesDelete(AAZHttpOperation): + CLIENT_TYPE = "MgmtClient" + + def __call__(self, *args, **kwargs): + request = self.make_request() + session = self.client.send_request(request=request, stream=False, **kwargs) + if session.http_response.status_code in [202]: + return self.client.build_lro_polling( + self.ctx.args.no_wait, + session, + self.on_200, + self.on_error, + lro_options={"final-state-via": "azure-async-operation"}, + path_format_arguments=self.url_parameters, + ) + if session.http_response.status_code in [200]: + return self.client.build_lro_polling( + self.ctx.args.no_wait, + session, + self.on_200, + self.on_error, + lro_options={"final-state-via": "azure-async-operation"}, + path_format_arguments=self.url_parameters, + ) + if session.http_response.status_code in [204]: + return self.client.build_lro_polling( + self.ctx.args.no_wait, + session, + self.on_204, + self.on_error, + lro_options={"final-state-via": "azure-async-operation"}, + path_format_arguments=self.url_parameters, + ) + + return self.on_error(session.http_response) + + @property + def url(self): + return self.client.format_url( + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}/testLines/{testLineName}", + **self.url_parameters + ) + + @property + def method(self): + return "DELETE" + + @property + def error_format(self): + return "MgmtErrorFormat" + + @property + def url_parameters(self): + parameters = { + **self.serialize_url_param( + "communicationsGatewayName", self.ctx.args.gateway_name, + required=True, + ), + **self.serialize_url_param( + "resourceGroupName", self.ctx.args.resource_group, + required=True, + ), + **self.serialize_url_param( + "subscriptionId", self.ctx.subscription_id, + required=True, + ), + **self.serialize_url_param( + "testLineName", self.ctx.args.test_line_name, + required=True, + ), + } + return parameters + + @property + def query_parameters(self): + parameters = { + **self.serialize_query_param( + "api-version", "2023-01-31", + required=True, + ), + } + return parameters + + def on_200(self, session): + pass + + def on_204(self, session): + pass + + +class _DeleteHelper: + """Helper class for Delete""" + + +__all__ = ["Delete"] diff --git a/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_list.py b/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_list.py new file mode 100644 index 00000000000..f49ee47036c --- /dev/null +++ b/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_list.py @@ -0,0 +1,232 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- + +# pylint: skip-file +# flake8: noqa + +from azure.cli.core.aaz import * + + +@register_command( + "voice-service test-line list", +) +class List(AAZCommand): + """List test line resources by communications gateway + + :example: List test line by resource group and gateway + az voice-service test-line list --gateway-name gateway-name -g rg + """ + + _aaz_info = { + "version": "2023-01-31", + "resources": [ + ["mgmt-plane", "/subscriptions/{}/resourcegroups/{}/providers/microsoft.voiceservices/communicationsgateways/{}/testlines", "2023-01-31"], + ] + } + + def _handler(self, command_args): + super()._handler(command_args) + return self.build_paging(self._execute_operations, self._output) + + _args_schema = None + + @classmethod + def _build_arguments_schema(cls, *args, **kwargs): + if cls._args_schema is not None: + return cls._args_schema + cls._args_schema = super()._build_arguments_schema(*args, **kwargs) + + # define Arg Group "" + + _args_schema = cls._args_schema + _args_schema.gateway_name = AAZStrArg( + options=["--gateway-name"], + help="Unique identifier for this deployment", + required=True, + fmt=AAZStrArgFormat( + pattern="^[a-zA-Z0-9-]{3,24}$", + ), + ) + _args_schema.resource_group = AAZResourceGroupNameArg( + required=True, + ) + return cls._args_schema + + def _execute_operations(self): + self.pre_operations() + self.TestLinesListByCommunicationsGateway(ctx=self.ctx)() + self.post_operations() + + @register_callback + def pre_operations(self): + pass + + @register_callback + def post_operations(self): + pass + + def _output(self, *args, **kwargs): + result = self.deserialize_output(self.ctx.vars.instance.value, client_flatten=True) + next_link = self.deserialize_output(self.ctx.vars.instance.next_link) + return result, next_link + + class TestLinesListByCommunicationsGateway(AAZHttpOperation): + CLIENT_TYPE = "MgmtClient" + + def __call__(self, *args, **kwargs): + request = self.make_request() + session = self.client.send_request(request=request, stream=False, **kwargs) + if session.http_response.status_code in [200]: + return self.on_200(session) + + return self.on_error(session.http_response) + + @property + def url(self): + return self.client.format_url( + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}/testLines", + **self.url_parameters + ) + + @property + def method(self): + return "GET" + + @property + def error_format(self): + return "MgmtErrorFormat" + + @property + def url_parameters(self): + parameters = { + **self.serialize_url_param( + "communicationsGatewayName", self.ctx.args.gateway_name, + required=True, + ), + **self.serialize_url_param( + "resourceGroupName", self.ctx.args.resource_group, + required=True, + ), + **self.serialize_url_param( + "subscriptionId", self.ctx.subscription_id, + required=True, + ), + } + return parameters + + @property + def query_parameters(self): + parameters = { + **self.serialize_query_param( + "api-version", "2023-01-31", + required=True, + ), + } + return parameters + + @property + def header_parameters(self): + parameters = { + **self.serialize_header_param( + "Accept", "application/json", + ), + } + return parameters + + def on_200(self, session): + data = self.deserialize_http_content(session) + self.ctx.set_var( + "instance", + data, + schema_builder=self._build_schema_on_200 + ) + + _schema_on_200 = None + + @classmethod + def _build_schema_on_200(cls): + if cls._schema_on_200 is not None: + return cls._schema_on_200 + + cls._schema_on_200 = AAZObjectType() + + _schema_on_200 = cls._schema_on_200 + _schema_on_200.next_link = AAZStrType( + serialized_name="nextLink", + ) + _schema_on_200.value = AAZListType( + flags={"required": True}, + ) + + value = cls._schema_on_200.value + value.Element = AAZObjectType() + + _element = cls._schema_on_200.value.Element + _element.id = AAZStrType( + flags={"read_only": True}, + ) + _element.location = AAZStrType( + flags={"required": True}, + ) + _element.name = AAZStrType( + flags={"read_only": True}, + ) + _element.properties = AAZObjectType( + flags={"client_flatten": True}, + ) + _element.system_data = AAZObjectType( + serialized_name="systemData", + flags={"read_only": True}, + ) + _element.tags = AAZDictType() + _element.type = AAZStrType( + flags={"read_only": True}, + ) + + properties = cls._schema_on_200.value.Element.properties + properties.phone_number = AAZStrType( + serialized_name="phoneNumber", + flags={"required": True}, + ) + properties.provisioning_state = AAZStrType( + serialized_name="provisioningState", + ) + properties.purpose = AAZStrType( + flags={"required": True}, + ) + + system_data = cls._schema_on_200.value.Element.system_data + system_data.created_at = AAZStrType( + serialized_name="createdAt", + ) + system_data.created_by = AAZStrType( + serialized_name="createdBy", + ) + system_data.created_by_type = AAZStrType( + serialized_name="createdByType", + ) + system_data.last_modified_at = AAZStrType( + serialized_name="lastModifiedAt", + ) + system_data.last_modified_by = AAZStrType( + serialized_name="lastModifiedBy", + ) + system_data.last_modified_by_type = AAZStrType( + serialized_name="lastModifiedByType", + ) + + tags = cls._schema_on_200.value.Element.tags + tags.Element = AAZStrType() + + return cls._schema_on_200 + + +class _ListHelper: + """Helper class for List""" + + +__all__ = ["List"] diff --git a/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_show.py b/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_show.py new file mode 100644 index 00000000000..ca3e787bd15 --- /dev/null +++ b/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_show.py @@ -0,0 +1,235 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- + +# pylint: skip-file +# flake8: noqa + +from azure.cli.core.aaz import * + + +@register_command( + "voice-service test-line show", +) +class Show(AAZCommand): + """Show a test line + + :example: Show a test line + az voice-service test-line show -n test-line-name -g rg --gateway-name gateway-name + """ + + _aaz_info = { + "version": "2023-01-31", + "resources": [ + ["mgmt-plane", "/subscriptions/{}/resourcegroups/{}/providers/microsoft.voiceservices/communicationsgateways/{}/testlines/{}", "2023-01-31"], + ] + } + + def _handler(self, command_args): + super()._handler(command_args) + self._execute_operations() + return self._output() + + _args_schema = None + + @classmethod + def _build_arguments_schema(cls, *args, **kwargs): + if cls._args_schema is not None: + return cls._args_schema + cls._args_schema = super()._build_arguments_schema(*args, **kwargs) + + # define Arg Group "" + + _args_schema = cls._args_schema + _args_schema.gateway_name = AAZStrArg( + options=["--gateway-name"], + help="Unique identifier for this deployment", + required=True, + id_part="name", + fmt=AAZStrArgFormat( + pattern="^[a-zA-Z0-9-]{3,24}$", + ), + ) + _args_schema.resource_group = AAZResourceGroupNameArg( + required=True, + ) + _args_schema.test_line_name = AAZStrArg( + options=["-n", "--name", "--test-line-name"], + help="Unique identifier for this test line", + required=True, + id_part="child_name_1", + fmt=AAZStrArgFormat( + pattern="^[a-zA-Z0-9-]{3,24}$", + ), + ) + return cls._args_schema + + def _execute_operations(self): + self.pre_operations() + self.TestLinesGet(ctx=self.ctx)() + self.post_operations() + + @register_callback + def pre_operations(self): + pass + + @register_callback + def post_operations(self): + pass + + def _output(self, *args, **kwargs): + result = self.deserialize_output(self.ctx.vars.instance, client_flatten=True) + return result + + class TestLinesGet(AAZHttpOperation): + CLIENT_TYPE = "MgmtClient" + + def __call__(self, *args, **kwargs): + request = self.make_request() + session = self.client.send_request(request=request, stream=False, **kwargs) + if session.http_response.status_code in [200]: + return self.on_200(session) + + return self.on_error(session.http_response) + + @property + def url(self): + return self.client.format_url( + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}/testLines/{testLineName}", + **self.url_parameters + ) + + @property + def method(self): + return "GET" + + @property + def error_format(self): + return "MgmtErrorFormat" + + @property + def url_parameters(self): + parameters = { + **self.serialize_url_param( + "communicationsGatewayName", self.ctx.args.gateway_name, + required=True, + ), + **self.serialize_url_param( + "resourceGroupName", self.ctx.args.resource_group, + required=True, + ), + **self.serialize_url_param( + "subscriptionId", self.ctx.subscription_id, + required=True, + ), + **self.serialize_url_param( + "testLineName", self.ctx.args.test_line_name, + required=True, + ), + } + return parameters + + @property + def query_parameters(self): + parameters = { + **self.serialize_query_param( + "api-version", "2023-01-31", + required=True, + ), + } + return parameters + + @property + def header_parameters(self): + parameters = { + **self.serialize_header_param( + "Accept", "application/json", + ), + } + return parameters + + def on_200(self, session): + data = self.deserialize_http_content(session) + self.ctx.set_var( + "instance", + data, + schema_builder=self._build_schema_on_200 + ) + + _schema_on_200 = None + + @classmethod + def _build_schema_on_200(cls): + if cls._schema_on_200 is not None: + return cls._schema_on_200 + + cls._schema_on_200 = AAZObjectType() + + _schema_on_200 = cls._schema_on_200 + _schema_on_200.id = AAZStrType( + flags={"read_only": True}, + ) + _schema_on_200.location = AAZStrType( + flags={"required": True}, + ) + _schema_on_200.name = AAZStrType( + flags={"read_only": True}, + ) + _schema_on_200.properties = AAZObjectType( + flags={"client_flatten": True}, + ) + _schema_on_200.system_data = AAZObjectType( + serialized_name="systemData", + flags={"read_only": True}, + ) + _schema_on_200.tags = AAZDictType() + _schema_on_200.type = AAZStrType( + flags={"read_only": True}, + ) + + properties = cls._schema_on_200.properties + properties.phone_number = AAZStrType( + serialized_name="phoneNumber", + flags={"required": True}, + ) + properties.provisioning_state = AAZStrType( + serialized_name="provisioningState", + ) + properties.purpose = AAZStrType( + flags={"required": True}, + ) + + system_data = cls._schema_on_200.system_data + system_data.created_at = AAZStrType( + serialized_name="createdAt", + ) + system_data.created_by = AAZStrType( + serialized_name="createdBy", + ) + system_data.created_by_type = AAZStrType( + serialized_name="createdByType", + ) + system_data.last_modified_at = AAZStrType( + serialized_name="lastModifiedAt", + ) + system_data.last_modified_by = AAZStrType( + serialized_name="lastModifiedBy", + ) + system_data.last_modified_by_type = AAZStrType( + serialized_name="lastModifiedByType", + ) + + tags = cls._schema_on_200.tags + tags.Element = AAZStrType() + + return cls._schema_on_200 + + +class _ShowHelper: + """Helper class for Show""" + + +__all__ = ["Show"] diff --git a/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_update.py b/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_update.py new file mode 100644 index 00000000000..f7f157ea4fc --- /dev/null +++ b/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_update.py @@ -0,0 +1,433 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- + +# pylint: skip-file +# flake8: noqa + +from azure.cli.core.aaz import * + + +@register_command( + "voice-service test-line update", +) +class Update(AAZCommand): + """Update a test line + + :example: Update test line + az voice-service test-line update -n test-line-name --gateway-name gateway-name -g rg --tags "{tag:test,tag2:test2}" + """ + + _aaz_info = { + "version": "2023-01-31", + "resources": [ + ["mgmt-plane", "/subscriptions/{}/resourcegroups/{}/providers/microsoft.voiceservices/communicationsgateways/{}/testlines/{}", "2023-01-31"], + ] + } + + AZ_SUPPORT_NO_WAIT = True + + AZ_SUPPORT_GENERIC_UPDATE = True + + def _handler(self, command_args): + super()._handler(command_args) + return self.build_lro_poller(self._execute_operations, self._output) + + _args_schema = None + + @classmethod + def _build_arguments_schema(cls, *args, **kwargs): + if cls._args_schema is not None: + return cls._args_schema + cls._args_schema = super()._build_arguments_schema(*args, **kwargs) + + # define Arg Group "" + + _args_schema = cls._args_schema + _args_schema.gateway_name = AAZStrArg( + options=["--gateway-name"], + help="Unique identifier for this deployment", + required=True, + id_part="name", + fmt=AAZStrArgFormat( + pattern="^[a-zA-Z0-9-]{3,24}$", + ), + ) + _args_schema.resource_group = AAZResourceGroupNameArg( + required=True, + ) + _args_schema.test_line_name = AAZStrArg( + options=["-n", "--name", "--test-line-name"], + help="Unique identifier for this test line", + required=True, + id_part="child_name_1", + fmt=AAZStrArgFormat( + pattern="^[a-zA-Z0-9-]{3,24}$", + ), + ) + + # define Arg Group "Resource" + + _args_schema = cls._args_schema + _args_schema.tags = AAZDictArg( + options=["--tags"], + arg_group="Resource", + help="Resource tags.", + nullable=True, + ) + + tags = cls._args_schema.tags + tags.Element = AAZStrArg( + nullable=True, + ) + return cls._args_schema + + def _execute_operations(self): + self.pre_operations() + self.TestLinesGet(ctx=self.ctx)() + self.pre_instance_update(self.ctx.vars.instance) + self.InstanceUpdateByJson(ctx=self.ctx)() + self.InstanceUpdateByGeneric(ctx=self.ctx)() + self.post_instance_update(self.ctx.vars.instance) + yield self.TestLinesCreateOrUpdate(ctx=self.ctx)() + self.post_operations() + + @register_callback + def pre_operations(self): + pass + + @register_callback + def post_operations(self): + pass + + @register_callback + def pre_instance_update(self, instance): + pass + + @register_callback + def post_instance_update(self, instance): + pass + + def _output(self, *args, **kwargs): + result = self.deserialize_output(self.ctx.vars.instance, client_flatten=True) + return result + + class TestLinesGet(AAZHttpOperation): + CLIENT_TYPE = "MgmtClient" + + def __call__(self, *args, **kwargs): + request = self.make_request() + session = self.client.send_request(request=request, stream=False, **kwargs) + if session.http_response.status_code in [200]: + return self.on_200(session) + + return self.on_error(session.http_response) + + @property + def url(self): + return self.client.format_url( + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}/testLines/{testLineName}", + **self.url_parameters + ) + + @property + def method(self): + return "GET" + + @property + def error_format(self): + return "MgmtErrorFormat" + + @property + def url_parameters(self): + parameters = { + **self.serialize_url_param( + "communicationsGatewayName", self.ctx.args.gateway_name, + required=True, + ), + **self.serialize_url_param( + "resourceGroupName", self.ctx.args.resource_group, + required=True, + ), + **self.serialize_url_param( + "subscriptionId", self.ctx.subscription_id, + required=True, + ), + **self.serialize_url_param( + "testLineName", self.ctx.args.test_line_name, + required=True, + ), + } + return parameters + + @property + def query_parameters(self): + parameters = { + **self.serialize_query_param( + "api-version", "2023-01-31", + required=True, + ), + } + return parameters + + @property + def header_parameters(self): + parameters = { + **self.serialize_header_param( + "Accept", "application/json", + ), + } + return parameters + + def on_200(self, session): + data = self.deserialize_http_content(session) + self.ctx.set_var( + "instance", + data, + schema_builder=self._build_schema_on_200 + ) + + _schema_on_200 = None + + @classmethod + def _build_schema_on_200(cls): + if cls._schema_on_200 is not None: + return cls._schema_on_200 + + cls._schema_on_200 = AAZObjectType() + _UpdateHelper._build_schema_test_line_read(cls._schema_on_200) + + return cls._schema_on_200 + + class TestLinesCreateOrUpdate(AAZHttpOperation): + CLIENT_TYPE = "MgmtClient" + + def __call__(self, *args, **kwargs): + request = self.make_request() + session = self.client.send_request(request=request, stream=False, **kwargs) + if session.http_response.status_code in [202]: + return self.client.build_lro_polling( + self.ctx.args.no_wait, + session, + self.on_200_201, + self.on_error, + lro_options={"final-state-via": "azure-async-operation"}, + path_format_arguments=self.url_parameters, + ) + if session.http_response.status_code in [200, 201]: + return self.client.build_lro_polling( + self.ctx.args.no_wait, + session, + self.on_200_201, + self.on_error, + lro_options={"final-state-via": "azure-async-operation"}, + path_format_arguments=self.url_parameters, + ) + + return self.on_error(session.http_response) + + @property + def url(self): + return self.client.format_url( + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}/testLines/{testLineName}", + **self.url_parameters + ) + + @property + def method(self): + return "PUT" + + @property + def error_format(self): + return "MgmtErrorFormat" + + @property + def url_parameters(self): + parameters = { + **self.serialize_url_param( + "communicationsGatewayName", self.ctx.args.gateway_name, + required=True, + ), + **self.serialize_url_param( + "resourceGroupName", self.ctx.args.resource_group, + required=True, + ), + **self.serialize_url_param( + "subscriptionId", self.ctx.subscription_id, + required=True, + ), + **self.serialize_url_param( + "testLineName", self.ctx.args.test_line_name, + required=True, + ), + } + return parameters + + @property + def query_parameters(self): + parameters = { + **self.serialize_query_param( + "api-version", "2023-01-31", + required=True, + ), + } + return parameters + + @property + def header_parameters(self): + parameters = { + **self.serialize_header_param( + "Content-Type", "application/json", + ), + **self.serialize_header_param( + "Accept", "application/json", + ), + } + return parameters + + @property + def content(self): + _content_value, _builder = self.new_content_builder( + self.ctx.args, + value=self.ctx.vars.instance, + ) + + return self.serialize_content(_content_value) + + def on_200_201(self, session): + data = self.deserialize_http_content(session) + self.ctx.set_var( + "instance", + data, + schema_builder=self._build_schema_on_200_201 + ) + + _schema_on_200_201 = None + + @classmethod + def _build_schema_on_200_201(cls): + if cls._schema_on_200_201 is not None: + return cls._schema_on_200_201 + + cls._schema_on_200_201 = AAZObjectType() + _UpdateHelper._build_schema_test_line_read(cls._schema_on_200_201) + + return cls._schema_on_200_201 + + class InstanceUpdateByJson(AAZJsonInstanceUpdateOperation): + + def __call__(self, *args, **kwargs): + self._update_instance(self.ctx.vars.instance) + + def _update_instance(self, instance): + _instance_value, _builder = self.new_content_builder( + self.ctx.args, + value=instance, + typ=AAZObjectType + ) + _builder.set_prop("tags", AAZDictType, ".tags") + + tags = _builder.get(".tags") + if tags is not None: + tags.set_elements(AAZStrType, ".") + + return _instance_value + + class InstanceUpdateByGeneric(AAZGenericInstanceUpdateOperation): + + def __call__(self, *args, **kwargs): + self._update_instance_by_generic( + self.ctx.vars.instance, + self.ctx.generic_update_args + ) + + +class _UpdateHelper: + """Helper class for Update""" + + _schema_test_line_read = None + + @classmethod + def _build_schema_test_line_read(cls, _schema): + if cls._schema_test_line_read is not None: + _schema.id = cls._schema_test_line_read.id + _schema.location = cls._schema_test_line_read.location + _schema.name = cls._schema_test_line_read.name + _schema.properties = cls._schema_test_line_read.properties + _schema.system_data = cls._schema_test_line_read.system_data + _schema.tags = cls._schema_test_line_read.tags + _schema.type = cls._schema_test_line_read.type + return + + cls._schema_test_line_read = _schema_test_line_read = AAZObjectType() + + test_line_read = _schema_test_line_read + test_line_read.id = AAZStrType( + flags={"read_only": True}, + ) + test_line_read.location = AAZStrType( + flags={"required": True}, + ) + test_line_read.name = AAZStrType( + flags={"read_only": True}, + ) + test_line_read.properties = AAZObjectType( + flags={"client_flatten": True}, + ) + test_line_read.system_data = AAZObjectType( + serialized_name="systemData", + flags={"read_only": True}, + ) + test_line_read.tags = AAZDictType() + test_line_read.type = AAZStrType( + flags={"read_only": True}, + ) + + properties = _schema_test_line_read.properties + properties.phone_number = AAZStrType( + serialized_name="phoneNumber", + flags={"required": True}, + ) + properties.provisioning_state = AAZStrType( + serialized_name="provisioningState", + ) + properties.purpose = AAZStrType( + flags={"required": True}, + ) + + system_data = _schema_test_line_read.system_data + system_data.created_at = AAZStrType( + serialized_name="createdAt", + ) + system_data.created_by = AAZStrType( + serialized_name="createdBy", + ) + system_data.created_by_type = AAZStrType( + serialized_name="createdByType", + ) + system_data.last_modified_at = AAZStrType( + serialized_name="lastModifiedAt", + ) + system_data.last_modified_by = AAZStrType( + serialized_name="lastModifiedBy", + ) + system_data.last_modified_by_type = AAZStrType( + serialized_name="lastModifiedByType", + ) + + tags = _schema_test_line_read.tags + tags.Element = AAZStrType() + + _schema.id = cls._schema_test_line_read.id + _schema.location = cls._schema_test_line_read.location + _schema.name = cls._schema_test_line_read.name + _schema.properties = cls._schema_test_line_read.properties + _schema.system_data = cls._schema_test_line_read.system_data + _schema.tags = cls._schema_test_line_read.tags + _schema.type = cls._schema_test_line_read.type + + +__all__ = ["Update"] diff --git a/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_wait.py b/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_wait.py new file mode 100644 index 00000000000..42ed22dfc22 --- /dev/null +++ b/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_wait.py @@ -0,0 +1,231 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- + +# pylint: skip-file +# flake8: noqa + +from azure.cli.core.aaz import * + + +@register_command( + "voice-service test-line wait", +) +class Wait(AAZWaitCommand): + """Place the CLI in a waiting state until a condition is met. + """ + + _aaz_info = { + "resources": [ + ["mgmt-plane", "/subscriptions/{}/resourcegroups/{}/providers/microsoft.voiceservices/communicationsgateways/{}/testlines/{}", "2023-01-31"], + ] + } + + def _handler(self, command_args): + super()._handler(command_args) + self._execute_operations() + return self._output() + + _args_schema = None + + @classmethod + def _build_arguments_schema(cls, *args, **kwargs): + if cls._args_schema is not None: + return cls._args_schema + cls._args_schema = super()._build_arguments_schema(*args, **kwargs) + + # define Arg Group "" + + _args_schema = cls._args_schema + _args_schema.gateway_name = AAZStrArg( + options=["--gateway-name"], + help="Unique identifier for this deployment", + required=True, + id_part="name", + fmt=AAZStrArgFormat( + pattern="^[a-zA-Z0-9-]{3,24}$", + ), + ) + _args_schema.resource_group = AAZResourceGroupNameArg( + required=True, + ) + _args_schema.test_line_name = AAZStrArg( + options=["-n", "--name", "--test-line-name"], + help="Unique identifier for this test line", + required=True, + id_part="child_name_1", + fmt=AAZStrArgFormat( + pattern="^[a-zA-Z0-9-]{3,24}$", + ), + ) + return cls._args_schema + + def _execute_operations(self): + self.pre_operations() + self.TestLinesGet(ctx=self.ctx)() + self.post_operations() + + @register_callback + def pre_operations(self): + pass + + @register_callback + def post_operations(self): + pass + + def _output(self, *args, **kwargs): + result = self.deserialize_output(self.ctx.vars.instance, client_flatten=False) + return result + + class TestLinesGet(AAZHttpOperation): + CLIENT_TYPE = "MgmtClient" + + def __call__(self, *args, **kwargs): + request = self.make_request() + session = self.client.send_request(request=request, stream=False, **kwargs) + if session.http_response.status_code in [200]: + return self.on_200(session) + + return self.on_error(session.http_response) + + @property + def url(self): + return self.client.format_url( + "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}/testLines/{testLineName}", + **self.url_parameters + ) + + @property + def method(self): + return "GET" + + @property + def error_format(self): + return "MgmtErrorFormat" + + @property + def url_parameters(self): + parameters = { + **self.serialize_url_param( + "communicationsGatewayName", self.ctx.args.gateway_name, + required=True, + ), + **self.serialize_url_param( + "resourceGroupName", self.ctx.args.resource_group, + required=True, + ), + **self.serialize_url_param( + "subscriptionId", self.ctx.subscription_id, + required=True, + ), + **self.serialize_url_param( + "testLineName", self.ctx.args.test_line_name, + required=True, + ), + } + return parameters + + @property + def query_parameters(self): + parameters = { + **self.serialize_query_param( + "api-version", "2023-01-31", + required=True, + ), + } + return parameters + + @property + def header_parameters(self): + parameters = { + **self.serialize_header_param( + "Accept", "application/json", + ), + } + return parameters + + def on_200(self, session): + data = self.deserialize_http_content(session) + self.ctx.set_var( + "instance", + data, + schema_builder=self._build_schema_on_200 + ) + + _schema_on_200 = None + + @classmethod + def _build_schema_on_200(cls): + if cls._schema_on_200 is not None: + return cls._schema_on_200 + + cls._schema_on_200 = AAZObjectType() + + _schema_on_200 = cls._schema_on_200 + _schema_on_200.id = AAZStrType( + flags={"read_only": True}, + ) + _schema_on_200.location = AAZStrType( + flags={"required": True}, + ) + _schema_on_200.name = AAZStrType( + flags={"read_only": True}, + ) + _schema_on_200.properties = AAZObjectType( + flags={"client_flatten": True}, + ) + _schema_on_200.system_data = AAZObjectType( + serialized_name="systemData", + flags={"read_only": True}, + ) + _schema_on_200.tags = AAZDictType() + _schema_on_200.type = AAZStrType( + flags={"read_only": True}, + ) + + properties = cls._schema_on_200.properties + properties.phone_number = AAZStrType( + serialized_name="phoneNumber", + flags={"required": True}, + ) + properties.provisioning_state = AAZStrType( + serialized_name="provisioningState", + ) + properties.purpose = AAZStrType( + flags={"required": True}, + ) + + system_data = cls._schema_on_200.system_data + system_data.created_at = AAZStrType( + serialized_name="createdAt", + ) + system_data.created_by = AAZStrType( + serialized_name="createdBy", + ) + system_data.created_by_type = AAZStrType( + serialized_name="createdByType", + ) + system_data.last_modified_at = AAZStrType( + serialized_name="lastModifiedAt", + ) + system_data.last_modified_by = AAZStrType( + serialized_name="lastModifiedBy", + ) + system_data.last_modified_by_type = AAZStrType( + serialized_name="lastModifiedByType", + ) + + tags = cls._schema_on_200.tags + tags.Element = AAZStrType() + + return cls._schema_on_200 + + +class _WaitHelper: + """Helper class for Wait""" + + +__all__ = ["Wait"] diff --git a/src/voice-service/azext_voice_service/azext_metadata.json b/src/voice-service/azext_voice_service/azext_metadata.json new file mode 100644 index 00000000000..f5c45b78119 --- /dev/null +++ b/src/voice-service/azext_voice_service/azext_metadata.json @@ -0,0 +1,4 @@ +{ + "azext.isPreview": true, + "azext.minCliCoreVersion": "2.44.1" +} \ No newline at end of file diff --git a/src/voice-service/azext_voice_service/commands.py b/src/voice-service/azext_voice_service/commands.py new file mode 100644 index 00000000000..b0d842e4993 --- /dev/null +++ b/src/voice-service/azext_voice_service/commands.py @@ -0,0 +1,15 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- + +# pylint: disable=too-many-lines +# pylint: disable=too-many-statements + +# from azure.cli.core.commands import CliCommandType + + +def load_command_table(self, _): # pylint: disable=unused-argument + pass diff --git a/src/voice-service/azext_voice_service/custom.py b/src/voice-service/azext_voice_service/custom.py new file mode 100644 index 00000000000..86df1e48ef5 --- /dev/null +++ b/src/voice-service/azext_voice_service/custom.py @@ -0,0 +1,14 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- + +# pylint: disable=too-many-lines +# pylint: disable=too-many-statements + +from knack.log import get_logger + + +logger = get_logger(__name__) diff --git a/src/voice-service/azext_voice_service/tests/__init__.py b/src/voice-service/azext_voice_service/tests/__init__.py new file mode 100644 index 00000000000..5757aea3175 --- /dev/null +++ b/src/voice-service/azext_voice_service/tests/__init__.py @@ -0,0 +1,6 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- diff --git a/src/voice-service/azext_voice_service/tests/latest/__init__.py b/src/voice-service/azext_voice_service/tests/latest/__init__.py new file mode 100644 index 00000000000..5757aea3175 --- /dev/null +++ b/src/voice-service/azext_voice_service/tests/latest/__init__.py @@ -0,0 +1,6 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- diff --git a/src/voice-service/azext_voice_service/tests/latest/recordings/test_voice_service_check_name_availability.yaml b/src/voice-service/azext_voice_service/tests/latest/recordings/test_voice_service_check_name_availability.yaml new file mode 100644 index 00000000000..5051d6ab74a --- /dev/null +++ b/src/voice-service/azext_voice_service/tests/latest/recordings/test_voice_service_check_name_availability.yaml @@ -0,0 +1,54 @@ +interactions: +- request: + body: '{"name": "voicenametest", "type": "microsoft.voiceservices/communicationsgateways/testlines"}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - voice-service check-name-availability + Connection: + - keep-alive + Content-Length: + - '93' + Content-Type: + - application/json + ParameterSetName: + - -l --name --type + User-Agent: + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.9 (Windows-10-10.0.22621-SP0) + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.VoiceServices/locations/centraluseuap/checkNameAvailability?api-version=2023-01-31 + response: + body: + string: '{"nameAvailable":true}' + headers: + cache-control: + - no-cache + content-length: + - '22' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 06 Feb 2023 05:32:23 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-providerhub-traffic: + - 'True' + x-ms-ratelimit-remaining-subscription-writes: + - '1199' + status: + code: 200 + message: OK +version: 1 diff --git a/src/voice-service/azext_voice_service/tests/latest/recordings/test_voice_service_gateway.yaml b/src/voice-service/azext_voice_service/tests/latest/recordings/test_voice_service_gateway.yaml new file mode 100644 index 00000000000..732282eb57b --- /dev/null +++ b/src/voice-service/azext_voice_service/tests/latest/recordings/test_voice_service_gateway.yaml @@ -0,0 +1,558 @@ +interactions: +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - voice-service gateway create + Connection: + - keep-alive + ParameterSetName: + - -n -g --service-locations --connectivity --codecs --e911-type --platforms + User-Agent: + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.9 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_voice_service_gateway000001?api-version=2021-04-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_gateway000001","name":"cli_test_voice_service_gateway000001","type":"Microsoft.Resources/resourceGroups","location":"centraluseuap","tags":{"product":"azurecli","cause":"automation","date":"2023-02-06T04:41:34Z"},"properties":{"provisioningState":"Succeeded"}}' + headers: + cache-control: + - no-cache + content-length: + - '357' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 06 Feb 2023 04:41:35 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: '{"location": "centraluseuap", "properties": {"autoGeneratedDomainNameLabelScope": + "TenantReuse", "codecs": ["PCMA"], "connectivity": "PublicAddress", "e911Type": + "Standard", "emergencyDialStrings": ["911", "933"], "onPremMcpEnabled": false, + "platforms": ["OperatorConnect"], "serviceLocations": [{"name": "useast", "primaryRegionProperties": + {"allowedMediaSourceAddressPrefixes": ["10.1.2.0/24"], "allowedSignalingSourceAddressPrefixes": + ["10.1.1.0/24"], "operatorAddresses": ["198.51.100.1"]}}, {"name": "useast2", + "primaryRegionProperties": {"allowedMediaSourceAddressPrefixes": ["10.2.2.0/24"], + "allowedSignalingSourceAddressPrefixes": ["10.2.1.0/24"], "operatorAddresses": + ["198.51.100.2"]}}]}}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - voice-service gateway create + Connection: + - keep-alive + Content-Length: + - '698' + Content-Type: + - application/json + ParameterSetName: + - -n -g --service-locations --connectivity --codecs --e911-type --platforms + User-Agent: + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.9 (Windows-10-10.0.22621-SP0) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_gateway000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002?api-version=2023-01-31 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_gateway000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002","name":"gateway000002","type":"microsoft.voiceservices/communicationsgateways","location":"centraluseuap","systemData":{"createdBy":"v-jingszhang@microsoft.com","createdByType":"User","createdAt":"2023-02-06T04:41:41.4158998Z","lastModifiedBy":"v-jingszhang@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-06T04:41:41.4158998Z"},"properties":{"autoGeneratedDomainNameLabelScope":"TenantReuse","codecs":["PCMA"],"connectivity":"PublicAddress","e911Type":"Standard","emergencyDialStrings":["911","933"],"onPremMcpEnabled":false,"platforms":["OperatorConnect"],"serviceLocations":[{"name":"useast","primaryRegionProperties":{"allowedMediaSourceAddressPrefixes":["10.1.2.0/24"],"allowedSignalingSourceAddressPrefixes":["10.1.1.0/24"],"operatorAddresses":["198.51.100.1"]}},{"name":"useast2","primaryRegionProperties":{"allowedMediaSourceAddressPrefixes":["10.2.2.0/24"],"allowedSignalingSourceAddressPrefixes":["10.2.1.0/24"],"operatorAddresses":["198.51.100.2"]}}],"provisioningState":"Accepted"}}' + headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.VoiceServices/locations/CENTRALUSEUAP/operationStatuses/3d1cc1f5-1b5d-4f23-ac61-68df733a3cff*2EF8EE69C583E7A4E9879970DB2701A745CA97D0D7C11E7D81B0E38BA8AEE145?api-version=2023-01-31 + cache-control: + - no-cache + content-length: + - '1198' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 06 Feb 2023 04:41:44 GMT + etag: + - '"0000ae0b-0000-3300-0000-63e085060000"' + expires: + - '-1' + pragma: + - no-cache + request-context: + - appId=cid-v1:ee9ea8e7-bc71-4c0f-83ad-dc11c5b30732 + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-providerhub-traffic: + - 'True' + x-ms-ratelimit-remaining-subscription-writes: + - '1199' + status: + code: 201 + message: Created +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - voice-service gateway create + Connection: + - keep-alive + ParameterSetName: + - -n -g --service-locations --connectivity --codecs --e911-type --platforms + User-Agent: + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.9 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.VoiceServices/locations/CENTRALUSEUAP/operationStatuses/3d1cc1f5-1b5d-4f23-ac61-68df733a3cff*2EF8EE69C583E7A4E9879970DB2701A745CA97D0D7C11E7D81B0E38BA8AEE145?api-version=2023-01-31 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.VoiceServices/locations/CENTRALUSEUAP/operationStatuses/3d1cc1f5-1b5d-4f23-ac61-68df733a3cff*2EF8EE69C583E7A4E9879970DB2701A745CA97D0D7C11E7D81B0E38BA8AEE145","name":"3d1cc1f5-1b5d-4f23-ac61-68df733a3cff*2EF8EE69C583E7A4E9879970DB2701A745CA97D0D7C11E7D81B0E38BA8AEE145","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_gateway000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002","status":"Succeeded","startTime":"2023-02-06T04:41:42.3389638Z","properties":null}' + headers: + cache-control: + - no-cache + content-length: + - '621' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 06 Feb 2023 04:42:14 GMT + etag: + - '"0000800a-0000-3300-0000-63e0850c0000"' + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - voice-service gateway create + Connection: + - keep-alive + ParameterSetName: + - -n -g --service-locations --connectivity --codecs --e911-type --platforms + User-Agent: + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.9 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_gateway000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002?api-version=2023-01-31 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_gateway000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002","name":"gateway000002","type":"microsoft.voiceservices/communicationsgateways","location":"centraluseuap","systemData":{"createdBy":"v-jingszhang@microsoft.com","createdByType":"User","createdAt":"2023-02-06T04:41:41.4158998Z","lastModifiedBy":"v-jingszhang@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-06T04:41:41.4158998Z"},"properties":{"status":"ChangePending","apiBridge":null,"autoGeneratedDomainNameLabelScope":"TenantReuse","autoGeneratedDomainNameLabel":"gateway000002.e4hwabg0h3cdg4fu","codecs":["PCMA"],"connectivity":"PublicAddress","e911Type":"Standard","emergencyDialStrings":["911","933"],"onPremMcpEnabled":false,"platforms":["OperatorConnect"],"serviceLocations":[{"name":"useast","primaryRegionProperties":{"allowedMediaSourceAddressPrefixes":["10.1.2.0/24"],"allowedSignalingSourceAddressPrefixes":["10.1.1.0/24"],"operatorAddresses":["198.51.100.1"]}},{"name":"useast2","primaryRegionProperties":{"allowedMediaSourceAddressPrefixes":["10.2.2.0/24"],"allowedSignalingSourceAddressPrefixes":["10.2.1.0/24"],"operatorAddresses":["198.51.100.2"]}}],"provisioningState":"Succeeded"}}' + headers: + cache-control: + - no-cache + content-length: + - '1305' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 06 Feb 2023 04:42:15 GMT + etag: + - '"0000af0b-0000-3300-0000-63e0850c0000"' + expires: + - '-1' + pragma: + - no-cache + request-context: + - appId=cid-v1:ee9ea8e7-bc71-4c0f-83ad-dc11c5b30732 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-ms-providerhub-traffic: + - 'True' + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - voice-service gateway update + Connection: + - keep-alive + ParameterSetName: + - -n -g --tags + User-Agent: + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.9 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_gateway000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002?api-version=2023-01-31 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_gateway000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002","name":"gateway000002","type":"microsoft.voiceservices/communicationsgateways","location":"centraluseuap","systemData":{"createdBy":"v-jingszhang@microsoft.com","createdByType":"User","createdAt":"2023-02-06T04:41:41.4158998Z","lastModifiedBy":"v-jingszhang@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-06T04:41:41.4158998Z"},"properties":{"status":"ChangePending","apiBridge":null,"autoGeneratedDomainNameLabelScope":"TenantReuse","autoGeneratedDomainNameLabel":"gateway000002.e4hwabg0h3cdg4fu","codecs":["PCMA"],"connectivity":"PublicAddress","e911Type":"Standard","emergencyDialStrings":["911","933"],"onPremMcpEnabled":false,"platforms":["OperatorConnect"],"serviceLocations":[{"name":"useast","primaryRegionProperties":{"allowedMediaSourceAddressPrefixes":["10.1.2.0/24"],"allowedSignalingSourceAddressPrefixes":["10.1.1.0/24"],"operatorAddresses":["198.51.100.1"]}},{"name":"useast2","primaryRegionProperties":{"allowedMediaSourceAddressPrefixes":["10.2.2.0/24"],"allowedSignalingSourceAddressPrefixes":["10.2.1.0/24"],"operatorAddresses":["198.51.100.2"]}}],"provisioningState":"Succeeded"}}' + headers: + cache-control: + - no-cache + content-length: + - '1305' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 06 Feb 2023 04:42:18 GMT + etag: + - '"0000af0b-0000-3300-0000-63e0850c0000"' + expires: + - '-1' + pragma: + - no-cache + request-context: + - appId=cid-v1:ee9ea8e7-bc71-4c0f-83ad-dc11c5b30732 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-ms-providerhub-traffic: + - 'True' + status: + code: 200 + message: OK +- request: + body: '{"location": "centraluseuap", "properties": {"autoGeneratedDomainNameLabelScope": + "TenantReuse", "codecs": ["PCMA"], "connectivity": "PublicAddress", "e911Type": + "Standard", "emergencyDialStrings": ["911", "933"], "onPremMcpEnabled": false, + "platforms": ["OperatorConnect"], "provisioningState": "Succeeded", "serviceLocations": + [{"name": "useast", "primaryRegionProperties": {"allowedMediaSourceAddressPrefixes": + ["10.1.2.0/24"], "allowedSignalingSourceAddressPrefixes": ["10.1.1.0/24"], "operatorAddresses": + ["198.51.100.1"]}}, {"name": "useast2", "primaryRegionProperties": {"allowedMediaSourceAddressPrefixes": + ["10.2.2.0/24"], "allowedSignalingSourceAddressPrefixes": ["10.2.1.0/24"], "operatorAddresses": + ["198.51.100.2"]}}], "status": "ChangePending"}, "tags": {"tag": "test", "tag2": + "test2"}}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - voice-service gateway update + Connection: + - keep-alive + Content-Length: + - '801' + Content-Type: + - application/json + ParameterSetName: + - -n -g --tags + User-Agent: + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.9 (Windows-10-10.0.22621-SP0) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_gateway000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002?api-version=2023-01-31 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_gateway000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002","name":"gateway000002","type":"microsoft.voiceservices/communicationsgateways","location":"centraluseuap","tags":{"tag":"test","tag2":"test2"},"systemData":{"createdBy":"v-jingszhang@microsoft.com","createdByType":"User","createdAt":"2023-02-06T04:41:41.4158998Z","lastModifiedBy":"v-jingszhang@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-06T04:42:19.1614601Z"},"properties":{"autoGeneratedDomainNameLabel":"gateway000002.e4hwabg0h3cdg4fu","autoGeneratedDomainNameLabelScope":"TenantReuse","codecs":["PCMA"],"connectivity":"PublicAddress","e911Type":"Standard","emergencyDialStrings":["911","933"],"onPremMcpEnabled":false,"platforms":["OperatorConnect"],"provisioningState":"Accepted","serviceLocations":[{"name":"useast","primaryRegionProperties":{"allowedMediaSourceAddressPrefixes":["10.1.2.0/24"],"allowedSignalingSourceAddressPrefixes":["10.1.1.0/24"],"operatorAddresses":["198.51.100.1"]}},{"name":"useast2","primaryRegionProperties":{"allowedMediaSourceAddressPrefixes":["10.2.2.0/24"],"allowedSignalingSourceAddressPrefixes":["10.2.1.0/24"],"operatorAddresses":["198.51.100.2"]}}],"status":"ChangePending"}}' + headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.VoiceServices/locations/CENTRALUSEUAP/operationStatuses/35cd234f-78d8-46b2-8b9a-c494928f3c42*2EF8EE69C583E7A4E9879970DB2701A745CA97D0D7C11E7D81B0E38BA8AEE145?api-version=2023-01-31 + cache-control: + - no-cache + content-length: + - '1324' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 06 Feb 2023 04:42:22 GMT + etag: + - '"0000b00b-0000-3300-0000-63e0852b0000"' + expires: + - '-1' + pragma: + - no-cache + request-context: + - appId=cid-v1:ee9ea8e7-bc71-4c0f-83ad-dc11c5b30732 + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-providerhub-traffic: + - 'True' + x-ms-ratelimit-remaining-subscription-writes: + - '1199' + status: + code: 201 + message: Created +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - voice-service gateway update + Connection: + - keep-alive + ParameterSetName: + - -n -g --tags + User-Agent: + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.9 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.VoiceServices/locations/CENTRALUSEUAP/operationStatuses/35cd234f-78d8-46b2-8b9a-c494928f3c42*2EF8EE69C583E7A4E9879970DB2701A745CA97D0D7C11E7D81B0E38BA8AEE145?api-version=2023-01-31 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.VoiceServices/locations/CENTRALUSEUAP/operationStatuses/35cd234f-78d8-46b2-8b9a-c494928f3c42*2EF8EE69C583E7A4E9879970DB2701A745CA97D0D7C11E7D81B0E38BA8AEE145","name":"35cd234f-78d8-46b2-8b9a-c494928f3c42*2EF8EE69C583E7A4E9879970DB2701A745CA97D0D7C11E7D81B0E38BA8AEE145","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_gateway000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002","status":"Succeeded","startTime":"2023-02-06T04:42:19.4010041Z","properties":null}' + headers: + cache-control: + - no-cache + content-length: + - '621' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 06 Feb 2023 04:42:53 GMT + etag: + - '"0000840a-0000-3300-0000-63e085320000"' + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - voice-service gateway update + Connection: + - keep-alive + ParameterSetName: + - -n -g --tags + User-Agent: + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.9 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_gateway000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002?api-version=2023-01-31 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_gateway000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002","name":"gateway000002","type":"microsoft.voiceservices/communicationsgateways","location":"centraluseuap","tags":{"tag":"test","tag2":"test2"},"systemData":{"createdBy":"v-jingszhang@microsoft.com","createdByType":"User","createdAt":"2023-02-06T04:41:41.4158998Z","lastModifiedBy":"v-jingszhang@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-06T04:42:19.1614601Z"},"properties":{"status":"ChangePending","apiBridge":null,"autoGeneratedDomainNameLabelScope":"TenantReuse","autoGeneratedDomainNameLabel":"gateway000002.e4hwabg0h3cdg4fu","codecs":["PCMA"],"connectivity":"PublicAddress","e911Type":"Standard","emergencyDialStrings":["911","933"],"onPremMcpEnabled":false,"platforms":["OperatorConnect"],"provisioningState":"Succeeded","serviceLocations":[{"name":"useast","primaryRegionProperties":{"allowedMediaSourceAddressPrefixes":["10.1.2.0/24"],"allowedSignalingSourceAddressPrefixes":["10.1.1.0/24"],"operatorAddresses":["198.51.100.1"]}},{"name":"useast2","primaryRegionProperties":{"allowedMediaSourceAddressPrefixes":["10.2.2.0/24"],"allowedSignalingSourceAddressPrefixes":["10.2.1.0/24"],"operatorAddresses":["198.51.100.2"]}}]}}' + headers: + cache-control: + - no-cache + content-length: + - '1342' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 06 Feb 2023 04:42:53 GMT + etag: + - '"0000b10b-0000-3300-0000-63e085310000"' + expires: + - '-1' + pragma: + - no-cache + request-context: + - appId=cid-v1:ee9ea8e7-bc71-4c0f-83ad-dc11c5b30732 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-ms-providerhub-traffic: + - 'True' + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - voice-service gateway list + Connection: + - keep-alive + ParameterSetName: + - -g + User-Agent: + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.9 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_gateway000001/providers/Microsoft.VoiceServices/communicationsGateways?api-version=2023-01-31 + response: + body: + string: '{"value":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_gateway000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002","name":"gateway000002","type":"microsoft.voiceservices/communicationsgateways","location":"centraluseuap","tags":{"tag":"test","tag2":"test2"},"systemData":{"createdBy":"v-jingszhang@microsoft.com","createdByType":"User","createdAt":"2023-02-06T04:41:41.4158998Z","lastModifiedBy":"v-jingszhang@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-06T04:42:19.1614601Z"},"properties":{"apiBridge":null,"autoGeneratedDomainNameLabelScope":"TenantReuse","autoGeneratedDomainNameLabel":"gateway000002.e4hwabg0h3cdg4fu","codecs":["PCMA"],"connectivity":"PublicAddress","e911Type":"Standard","emergencyDialStrings":["911","933"],"onPremMcpEnabled":false,"platforms":["OperatorConnect"],"provisioningState":"Succeeded","serviceLocations":[{"name":"useast","primaryRegionProperties":{"allowedMediaSourceAddressPrefixes":["10.1.2.0/24"],"allowedSignalingSourceAddressPrefixes":["10.1.1.0/24"],"operatorAddresses":["198.51.100.1"]}},{"name":"useast2","primaryRegionProperties":{"allowedMediaSourceAddressPrefixes":["10.2.2.0/24"],"allowedSignalingSourceAddressPrefixes":["10.2.1.0/24"],"operatorAddresses":["198.51.100.2"]}}]}}]}' + headers: + cache-control: + - no-cache + content-length: + - '1329' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 06 Feb 2023 04:42:54 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-original-request-ids: + - 272ca5a3-d9e3-4f7c-a849-9dea48dd7b65 + - 180e0e2f-22d9-4816-a26e-985c55d91974 + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - voice-service gateway show + Connection: + - keep-alive + ParameterSetName: + - -n -g + User-Agent: + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.9 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_gateway000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002?api-version=2023-01-31 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_gateway000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002","name":"gateway000002","type":"microsoft.voiceservices/communicationsgateways","location":"centraluseuap","tags":{"tag":"test","tag2":"test2"},"systemData":{"createdBy":"v-jingszhang@microsoft.com","createdByType":"User","createdAt":"2023-02-06T04:41:41.4158998Z","lastModifiedBy":"v-jingszhang@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-06T04:42:19.1614601Z"},"properties":{"status":"ChangePending","apiBridge":null,"autoGeneratedDomainNameLabelScope":"TenantReuse","autoGeneratedDomainNameLabel":"gateway000002.e4hwabg0h3cdg4fu","codecs":["PCMA"],"connectivity":"PublicAddress","e911Type":"Standard","emergencyDialStrings":["911","933"],"onPremMcpEnabled":false,"platforms":["OperatorConnect"],"provisioningState":"Succeeded","serviceLocations":[{"name":"useast","primaryRegionProperties":{"allowedMediaSourceAddressPrefixes":["10.1.2.0/24"],"allowedSignalingSourceAddressPrefixes":["10.1.1.0/24"],"operatorAddresses":["198.51.100.1"]}},{"name":"useast2","primaryRegionProperties":{"allowedMediaSourceAddressPrefixes":["10.2.2.0/24"],"allowedSignalingSourceAddressPrefixes":["10.2.1.0/24"],"operatorAddresses":["198.51.100.2"]}}]}}' + headers: + cache-control: + - no-cache + content-length: + - '1342' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 06 Feb 2023 04:42:57 GMT + etag: + - '"0000b10b-0000-3300-0000-63e085310000"' + expires: + - '-1' + pragma: + - no-cache + request-context: + - appId=cid-v1:ee9ea8e7-bc71-4c0f-83ad-dc11c5b30732 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-ms-providerhub-traffic: + - 'True' + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - voice-service gateway delete + Connection: + - keep-alive + Content-Length: + - '0' + ParameterSetName: + - -n -g -y + User-Agent: + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.9 (Windows-10-10.0.22621-SP0) + method: DELETE + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_gateway000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002?api-version=2023-01-31 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + date: + - Mon, 06 Feb 2023 04:43:03 GMT + expires: + - '-1' + pragma: + - no-cache + request-context: + - appId=cid-v1:ee9ea8e7-bc71-4c0f-83ad-dc11c5b30732 + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-providerhub-traffic: + - 'True' + x-ms-ratelimit-remaining-subscription-deletes: + - '14999' + status: + code: 200 + message: OK +version: 1 diff --git a/src/voice-service/azext_voice_service/tests/latest/recordings/test_voice_service_test_line.yaml b/src/voice-service/azext_voice_service/tests/latest/recordings/test_voice_service_test_line.yaml new file mode 100644 index 00000000000..866c0b525a6 --- /dev/null +++ b/src/voice-service/azext_voice_service/tests/latest/recordings/test_voice_service_test_line.yaml @@ -0,0 +1,552 @@ +interactions: +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - voice-service gateway create + Connection: + - keep-alive + ParameterSetName: + - -n -g --service-locations --connectivity --codecs --e911-type --platforms + User-Agent: + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.9 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_voice_service_test_line000001?api-version=2021-04-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_test_line000001","name":"cli_test_voice_service_test_line000001","type":"Microsoft.Resources/resourceGroups","location":"centraluseuap","tags":{"product":"azurecli","cause":"automation","date":"2023-02-06T05:10:40Z"},"properties":{"provisioningState":"Succeeded"}}' + headers: + cache-control: + - no-cache + connection: + - close + content-length: + - '361' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 06 Feb 2023 05:10:45 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: '{"location": "centraluseuap", "properties": {"autoGeneratedDomainNameLabelScope": + "TenantReuse", "codecs": ["PCMA"], "connectivity": "PublicAddress", "e911Type": + "Standard", "emergencyDialStrings": ["911", "933"], "onPremMcpEnabled": false, + "platforms": ["OperatorConnect"], "serviceLocations": [{"name": "useast", "primaryRegionProperties": + {"allowedMediaSourceAddressPrefixes": ["10.1.2.0/24"], "allowedSignalingSourceAddressPrefixes": + ["10.1.1.0/24"], "operatorAddresses": ["198.51.100.1"]}}, {"name": "useast2", + "primaryRegionProperties": {"allowedMediaSourceAddressPrefixes": ["10.2.2.0/24"], + "allowedSignalingSourceAddressPrefixes": ["10.2.1.0/24"], "operatorAddresses": + ["198.51.100.2"]}}]}}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - voice-service gateway create + Connection: + - keep-alive + Content-Length: + - '698' + Content-Type: + - application/json + ParameterSetName: + - -n -g --service-locations --connectivity --codecs --e911-type --platforms + User-Agent: + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.9 (Windows-10-10.0.22621-SP0) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_test_line000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002?api-version=2023-01-31 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_test_line000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002","name":"gateway000002","type":"microsoft.voiceservices/communicationsgateways","location":"centraluseuap","systemData":{"createdBy":"v-jingszhang@microsoft.com","createdByType":"User","createdAt":"2023-02-06T05:10:50.0659244Z","lastModifiedBy":"v-jingszhang@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-06T05:10:50.0659244Z"},"properties":{"autoGeneratedDomainNameLabelScope":"TenantReuse","codecs":["PCMA"],"connectivity":"PublicAddress","e911Type":"Standard","emergencyDialStrings":["911","933"],"onPremMcpEnabled":false,"platforms":["OperatorConnect"],"serviceLocations":[{"name":"useast","primaryRegionProperties":{"allowedMediaSourceAddressPrefixes":["10.1.2.0/24"],"allowedSignalingSourceAddressPrefixes":["10.1.1.0/24"],"operatorAddresses":["198.51.100.1"]}},{"name":"useast2","primaryRegionProperties":{"allowedMediaSourceAddressPrefixes":["10.2.2.0/24"],"allowedSignalingSourceAddressPrefixes":["10.2.1.0/24"],"operatorAddresses":["198.51.100.2"]}}],"provisioningState":"Accepted"}}' + headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.VoiceServices/locations/CENTRALUSEUAP/operationStatuses/017b0deb-5723-41ff-942f-89d57abe5382*4E624E4FFD02FCBA6020028660027D06A5F0CBD0B0192FEB50A8A121BB996456?api-version=2023-01-31 + cache-control: + - no-cache + content-length: + - '1200' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 06 Feb 2023 05:10:51 GMT + etag: + - '"0000bc0b-0000-3300-0000-63e08bdb0000"' + expires: + - '-1' + pragma: + - no-cache + request-context: + - appId=cid-v1:ee9ea8e7-bc71-4c0f-83ad-dc11c5b30732 + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-providerhub-traffic: + - 'True' + x-ms-ratelimit-remaining-subscription-writes: + - '1199' + status: + code: 201 + message: Created +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - voice-service gateway create + Connection: + - keep-alive + ParameterSetName: + - -n -g --service-locations --connectivity --codecs --e911-type --platforms + User-Agent: + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.9 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.VoiceServices/locations/CENTRALUSEUAP/operationStatuses/017b0deb-5723-41ff-942f-89d57abe5382*4E624E4FFD02FCBA6020028660027D06A5F0CBD0B0192FEB50A8A121BB996456?api-version=2023-01-31 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.VoiceServices/locations/CENTRALUSEUAP/operationStatuses/017b0deb-5723-41ff-942f-89d57abe5382*4E624E4FFD02FCBA6020028660027D06A5F0CBD0B0192FEB50A8A121BB996456","name":"017b0deb-5723-41ff-942f-89d57abe5382*4E624E4FFD02FCBA6020028660027D06A5F0CBD0B0192FEB50A8A121BB996456","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_test_line000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002","status":"Succeeded","startTime":"2023-02-06T05:10:51.0204151Z","properties":null}' + headers: + cache-control: + - no-cache + content-length: + - '623' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 06 Feb 2023 05:11:22 GMT + etag: + - '"00009e0a-0000-3300-0000-63e08be10000"' + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - voice-service gateway create + Connection: + - keep-alive + ParameterSetName: + - -n -g --service-locations --connectivity --codecs --e911-type --platforms + User-Agent: + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.9 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_test_line000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002?api-version=2023-01-31 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_test_line000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002","name":"gateway000002","type":"microsoft.voiceservices/communicationsgateways","location":"centraluseuap","systemData":{"createdBy":"v-jingszhang@microsoft.com","createdByType":"User","createdAt":"2023-02-06T05:10:50.0659244Z","lastModifiedBy":"v-jingszhang@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-06T05:10:50.0659244Z"},"properties":{"status":"ChangePending","apiBridge":null,"autoGeneratedDomainNameLabelScope":"TenantReuse","autoGeneratedDomainNameLabel":"gateway000002.b6apg6e2f4anbaa8","codecs":["PCMA"],"connectivity":"PublicAddress","e911Type":"Standard","emergencyDialStrings":["911","933"],"onPremMcpEnabled":false,"platforms":["OperatorConnect"],"serviceLocations":[{"name":"useast","primaryRegionProperties":{"allowedMediaSourceAddressPrefixes":["10.1.2.0/24"],"allowedSignalingSourceAddressPrefixes":["10.1.1.0/24"],"operatorAddresses":["198.51.100.1"]}},{"name":"useast2","primaryRegionProperties":{"allowedMediaSourceAddressPrefixes":["10.2.2.0/24"],"allowedSignalingSourceAddressPrefixes":["10.2.1.0/24"],"operatorAddresses":["198.51.100.2"]}}],"provisioningState":"Succeeded"}}' + headers: + cache-control: + - no-cache + content-length: + - '1307' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 06 Feb 2023 05:11:23 GMT + etag: + - '"0000bd0b-0000-3300-0000-63e08be10000"' + expires: + - '-1' + pragma: + - no-cache + request-context: + - appId=cid-v1:ee9ea8e7-bc71-4c0f-83ad-dc11c5b30732 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-ms-providerhub-traffic: + - 'True' + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - voice-service test-line create + Connection: + - keep-alive + ParameterSetName: + - -n -g --gateway-name --phone-number --purpose + User-Agent: + - AZURECLI/2.44.1 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.9 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_voice_service_test_line000001?api-version=2021-04-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_test_line000001","name":"cli_test_voice_service_test_line000001","type":"Microsoft.Resources/resourceGroups","location":"centraluseuap","tags":{"product":"azurecli","cause":"automation","date":"2023-02-06T05:10:40Z"},"properties":{"provisioningState":"Succeeded"}}' + headers: + cache-control: + - no-cache + content-length: + - '361' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 06 Feb 2023 05:11:23 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: '{"location": "centraluseuap", "properties": {"phoneNumber": "+1-555-1234", + "purpose": "Automated"}}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - voice-service test-line create + Connection: + - keep-alive + Content-Length: + - '99' + Content-Type: + - application/json + ParameterSetName: + - -n -g --gateway-name --phone-number --purpose + User-Agent: + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.9 (Windows-10-10.0.22621-SP0) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_test_line000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002/testLines/line000003?api-version=2023-01-31 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_test_line000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002/testLines/line000003","name":"line000003","type":"microsoft.voiceservices/communicationsgateways/testlines","location":"centraluseuap","systemData":{"createdBy":"v-jingszhang@microsoft.com","createdByType":"User","createdAt":"2023-02-06T05:11:28.6691607Z","lastModifiedBy":"v-jingszhang@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-06T05:11:28.6691607Z"},"properties":{"phoneNumber":"+1-555-1234","purpose":"Automated","provisioningState":"Succeeded"}}' + headers: + cache-control: + - no-cache + content-length: + - '660' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 06 Feb 2023 05:11:31 GMT + etag: + - '"0000ce05-0000-3300-0000-63e08c010000"' + expires: + - '-1' + pragma: + - no-cache + request-context: + - appId=cid-v1:ee9ea8e7-bc71-4c0f-83ad-dc11c5b30732 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-ms-providerhub-traffic: + - 'True' + x-ms-ratelimit-remaining-subscription-writes: + - '1198' + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - voice-service test-line update + Connection: + - keep-alive + ParameterSetName: + - -n --gateway-name -g --tags + User-Agent: + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.9 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_test_line000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002/testLines/line000003?api-version=2023-01-31 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_test_line000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002/testLines/line000003","name":"line000003","type":"microsoft.voiceservices/communicationsgateways/testlines","location":"centraluseuap","systemData":{"createdBy":"v-jingszhang@microsoft.com","createdByType":"User","createdAt":"2023-02-06T05:11:28.6691607Z","lastModifiedBy":"v-jingszhang@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-06T05:11:28.6691607Z"},"properties":{"phoneNumber":"+1-555-1234","purpose":"Automated","provisioningState":"Succeeded"}}' + headers: + cache-control: + - no-cache + content-length: + - '660' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 06 Feb 2023 05:11:33 GMT + etag: + - '"0000ce05-0000-3300-0000-63e08c010000"' + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-providerhub-traffic: + - 'True' + status: + code: 200 + message: OK +- request: + body: '{"location": "centraluseuap", "properties": {"phoneNumber": "+1-555-1234", + "provisioningState": "Succeeded", "purpose": "Automated"}, "tags": {"tag": "test", + "tag2": "test2"}}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - voice-service test-line update + Connection: + - keep-alive + Content-Length: + - '175' + Content-Type: + - application/json + ParameterSetName: + - -n --gateway-name -g --tags + User-Agent: + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.9 (Windows-10-10.0.22621-SP0) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_test_line000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002/testLines/line000003?api-version=2023-01-31 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_test_line000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002/testLines/line000003","name":"line000003","type":"microsoft.voiceservices/communicationsgateways/testlines","location":"centraluseuap","tags":{"tag":"test","tag2":"test2"},"systemData":{"createdBy":"v-jingszhang@microsoft.com","createdByType":"User","createdAt":"2023-02-06T05:11:28.6691607Z","lastModifiedBy":"v-jingszhang@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-06T05:11:34.2229929Z"},"properties":{"phoneNumber":"+1-555-1234","provisioningState":"Succeeded","purpose":"Automated"}}' + headers: + cache-control: + - no-cache + content-length: + - '697' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 06 Feb 2023 05:11:36 GMT + etag: + - '"0000cf05-0000-3300-0000-63e08c060000"' + expires: + - '-1' + pragma: + - no-cache + request-context: + - appId=cid-v1:ee9ea8e7-bc71-4c0f-83ad-dc11c5b30732 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding,Accept-Encoding + x-content-type-options: + - nosniff + x-ms-providerhub-traffic: + - 'True' + x-ms-ratelimit-remaining-subscription-writes: + - '1198' + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - voice-service test-line list + Connection: + - keep-alive + ParameterSetName: + - --gateway-name -g + User-Agent: + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.9 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_test_line000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002/testLines?api-version=2023-01-31 + response: + body: + string: '{"value":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_test_line000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002/testLines/line000003","name":"line000003","type":"microsoft.voiceservices/communicationsgateways/testlines","location":"centraluseuap","tags":{"tag":"test","tag2":"test2"},"systemData":{"createdBy":"v-jingszhang@microsoft.com","createdByType":"User","createdAt":"2023-02-06T05:11:28.6691607Z","lastModifiedBy":"v-jingszhang@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-06T05:11:34.2229929Z"},"properties":{"phoneNumber":"+1-555-1234","provisioningState":"Succeeded","purpose":"Automated"}}]}' + headers: + cache-control: + - no-cache + content-length: + - '709' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 06 Feb 2023 05:11:39 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-original-request-ids: + - 0ac805cb-a352-4188-861b-554c17964e9f + - 7982fad1-bcaf-4669-ba14-d034db417007 + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - voice-service test-line show + Connection: + - keep-alive + ParameterSetName: + - -n -g --gateway-name + User-Agent: + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.9 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_test_line000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002/testLines/line000003?api-version=2023-01-31 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_test_line000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002/testLines/line000003","name":"line000003","type":"microsoft.voiceservices/communicationsgateways/testlines","location":"centraluseuap","tags":{"tag":"test","tag2":"test2"},"systemData":{"createdBy":"v-jingszhang@microsoft.com","createdByType":"User","createdAt":"2023-02-06T05:11:28.6691607Z","lastModifiedBy":"v-jingszhang@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-06T05:11:34.2229929Z"},"properties":{"phoneNumber":"+1-555-1234","provisioningState":"Succeeded","purpose":"Automated"}}' + headers: + cache-control: + - no-cache + content-length: + - '697' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 06 Feb 2023 05:11:41 GMT + etag: + - '"0000cf05-0000-3300-0000-63e08c060000"' + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-providerhub-traffic: + - 'True' + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - voice-service test-line delete + Connection: + - keep-alive + Content-Length: + - '0' + ParameterSetName: + - -n -g --gateway-name -y + User-Agent: + - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.9 (Windows-10-10.0.22621-SP0) + method: DELETE + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_test_line000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002/testLines/line000003?api-version=2023-01-31 + response: + body: + string: '' + headers: + cache-control: + - no-cache + content-length: + - '0' + date: + - Mon, 06 Feb 2023 05:11:46 GMT + expires: + - '-1' + pragma: + - no-cache + request-context: + - appId=cid-v1:ee9ea8e7-bc71-4c0f-83ad-dc11c5b30732 + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-providerhub-traffic: + - 'True' + x-ms-ratelimit-remaining-subscription-deletes: + - '14998' + status: + code: 200 + message: OK +version: 1 diff --git a/src/voice-service/azext_voice_service/tests/latest/test_voice_service.py b/src/voice-service/azext_voice_service/tests/latest/test_voice_service.py new file mode 100644 index 00000000000..9eefc0802fe --- /dev/null +++ b/src/voice-service/azext_voice_service/tests/latest/test_voice_service.py @@ -0,0 +1,152 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- + +from azure.cli.testsdk import * + + +class VoiceServiceScenario(ScenarioTest): + @ResourceGroupPreparer(name_prefix='cli_test_voice_service_gateway', location='centraluseuap') + def test_voice_service_gateway(self, resource_group): + self.kwargs.update({ + 'gateway': self.create_random_name('gateway', 15), + }) + self.cmd('voice-service gateway create -n {gateway} -g {rg} --service-locations [{{name:useast,PrimaryRegionProperties:{{operatorAddresses:[198.51.100.1],allowedSignalingSourceAddressPrefixes:[10.1.1.0/24],allowedMediaSourceAddressPrefixes:[10.1.2.0/24]}}}},{{name:useast2,PrimaryRegionProperties:{{operatorAddresses:[198.51.100.2],allowedSignalingSourceAddressPrefixes:[10.2.1.0/24],allowedMediaSourceAddressPrefixes:[10.2.2.0/24]}}}}] --connectivity PublicAddress --codecs [PCMA] --e911-type Standard --platforms [OperatorConnect]', checks=[ + self.check('name', '{gateway}'), + self.check('resourceGroup', '{rg}'), + self.check('connectivity', 'PublicAddress'), + self.check('e911Type', 'Standard'), + self.check('emergencyDialStrings[0]', '911'), + self.check('emergencyDialStrings[1]', '933'), + self.check('platforms[0]', 'OperatorConnect'), + self.check('serviceLocations[0].name', 'useast'), + self.check('serviceLocations[0].primaryRegionProperties.allowedMediaSourceAddressPrefixes[0]', '10.1.2.0/24'), + self.check('serviceLocations[0].primaryRegionProperties.allowedSignalingSourceAddressPrefixes[0]', '10.1.1.0/24'), + self.check('serviceLocations[0].primaryRegionProperties.operatorAddresses[0]', '198.51.100.1'), + self.check('serviceLocations[1].name', 'useast2'), + self.check('serviceLocations[1].primaryRegionProperties.allowedMediaSourceAddressPrefixes[0]', '10.2.2.0/24'), + self.check('serviceLocations[1].primaryRegionProperties.allowedSignalingSourceAddressPrefixes[0]', '10.2.1.0/24'), + self.check('serviceLocations[1].primaryRegionProperties.operatorAddresses[0]', '198.51.100.2') + ]) + self.cmd('voice-service gateway update -n {gateway} -g {rg} --tags {{tag:test,tag2:test2}}', checks=[ + self.check('name', '{gateway}'), + self.check('resourceGroup', '{rg}'), + self.check('connectivity', 'PublicAddress'), + self.check('e911Type', 'Standard'), + self.check('emergencyDialStrings[0]', '911'), + self.check('emergencyDialStrings[1]', '933'), + self.check('platforms[0]', 'OperatorConnect'), + self.check('serviceLocations[0].name', 'useast'), + self.check('serviceLocations[0].primaryRegionProperties.allowedMediaSourceAddressPrefixes[0]', '10.1.2.0/24'), + self.check('serviceLocations[0].primaryRegionProperties.allowedSignalingSourceAddressPrefixes[0]', '10.1.1.0/24'), + self.check('serviceLocations[0].primaryRegionProperties.operatorAddresses[0]', '198.51.100.1'), + self.check('serviceLocations[1].name', 'useast2'), + self.check('serviceLocations[1].primaryRegionProperties.allowedMediaSourceAddressPrefixes[0]', '10.2.2.0/24'), + self.check('serviceLocations[1].primaryRegionProperties.allowedSignalingSourceAddressPrefixes[0]', '10.2.1.0/24'), + self.check('serviceLocations[1].primaryRegionProperties.operatorAddresses[0]', '198.51.100.2'), + self.check('tags.tag', 'test'), + self.check('tags.tag2', 'test2') + ]) + self.cmd('voice-service gateway list -g {rg}', checks=[ + self.check('[0].name', '{gateway}'), + self.check('[0].resourceGroup', '{rg}'), + self.check('[0].connectivity', 'PublicAddress'), + self.check('[0].e911Type', 'Standard'), + self.check('[0].emergencyDialStrings[0]', '911'), + self.check('[0].emergencyDialStrings[1]', '933'), + self.check('[0].platforms[0]', 'OperatorConnect'), + self.check('[0].serviceLocations[0].name', 'useast'), + self.check('[0].serviceLocations[0].primaryRegionProperties.allowedMediaSourceAddressPrefixes[0]', '10.1.2.0/24'), + self.check('[0].serviceLocations[0].primaryRegionProperties.allowedSignalingSourceAddressPrefixes[0]', '10.1.1.0/24'), + self.check('[0].serviceLocations[0].primaryRegionProperties.operatorAddresses[0]', '198.51.100.1'), + self.check('[0].serviceLocations[1].name', 'useast2'), + self.check('[0].serviceLocations[1].primaryRegionProperties.allowedMediaSourceAddressPrefixes[0]', '10.2.2.0/24'), + self.check('[0].serviceLocations[1].primaryRegionProperties.allowedSignalingSourceAddressPrefixes[0]', '10.2.1.0/24'), + self.check('[0].serviceLocations[1].primaryRegionProperties.operatorAddresses[0]', '198.51.100.2'), + self.check('[0].tags.tag', 'test'), + self.check('[0].tags.tag2', 'test2') + ]) + self.cmd('voice-service gateway show -n {gateway} -g {rg}', checks=[ + self.check('name', '{gateway}'), + self.check('resourceGroup', '{rg}'), + self.check('connectivity', 'PublicAddress'), + self.check('e911Type', 'Standard'), + self.check('emergencyDialStrings[0]', '911'), + self.check('emergencyDialStrings[1]', '933'), + self.check('platforms[0]', 'OperatorConnect'), + self.check('serviceLocations[0].name', 'useast'), + self.check('serviceLocations[0].primaryRegionProperties.allowedMediaSourceAddressPrefixes[0]', '10.1.2.0/24'), + self.check('serviceLocations[0].primaryRegionProperties.allowedSignalingSourceAddressPrefixes[0]', '10.1.1.0/24'), + self.check('serviceLocations[0].primaryRegionProperties.operatorAddresses[0]', '198.51.100.1'), + self.check('serviceLocations[1].name', 'useast2'), + self.check('serviceLocations[1].primaryRegionProperties.allowedMediaSourceAddressPrefixes[0]', '10.2.2.0/24'), + self.check('serviceLocations[1].primaryRegionProperties.allowedSignalingSourceAddressPrefixes[0]', '10.2.1.0/24'), + self.check('serviceLocations[1].primaryRegionProperties.operatorAddresses[0]', '198.51.100.2'), + self.check('tags.tag', 'test'), + self.check('tags.tag2', 'test2') + ]) + self.cmd('voice-service gateway delete -n {gateway} -g {rg} -y') + + @ResourceGroupPreparer(name_prefix='cli_test_voice_service_test_line', location='centraluseuap') + def test_voice_service_test_line(self, resource_group): + self.kwargs.update({ + 'gateway': self.create_random_name('gateway', 15), + 'testline': self.create_random_name('line', 10) + }) + self.cmd('voice-service gateway create -n {gateway} -g {rg} --service-locations [{{name:useast,PrimaryRegionProperties:{{operatorAddresses:[198.51.100.1],allowedSignalingSourceAddressPrefixes:[10.1.1.0/24],allowedMediaSourceAddressPrefixes:[10.1.2.0/24]}}}},{{name:useast2,PrimaryRegionProperties:{{operatorAddresses:[198.51.100.2],allowedSignalingSourceAddressPrefixes:[10.2.1.0/24],allowedMediaSourceAddressPrefixes:[10.2.2.0/24]}}}}] --connectivity PublicAddress --codecs [PCMA] --e911-type Standard --platforms [OperatorConnect]', checks=[ + self.check('name', '{gateway}'), + self.check('resourceGroup', '{rg}'), + self.check('connectivity', 'PublicAddress'), + self.check('e911Type', 'Standard'), + self.check('emergencyDialStrings[0]', '911'), + self.check('emergencyDialStrings[1]', '933'), + self.check('platforms[0]', 'OperatorConnect'), + self.check('serviceLocations[0].name', 'useast'), + self.check('serviceLocations[0].primaryRegionProperties.allowedMediaSourceAddressPrefixes[0]', '10.1.2.0/24'), + self.check('serviceLocations[0].primaryRegionProperties.allowedSignalingSourceAddressPrefixes[0]', '10.1.1.0/24'), + self.check('serviceLocations[0].primaryRegionProperties.operatorAddresses[0]', '198.51.100.1'), + self.check('serviceLocations[1].name', 'useast2'), + self.check('serviceLocations[1].primaryRegionProperties.allowedMediaSourceAddressPrefixes[0]', '10.2.2.0/24'), + self.check('serviceLocations[1].primaryRegionProperties.allowedSignalingSourceAddressPrefixes[0]', '10.2.1.0/24'), + self.check('serviceLocations[1].primaryRegionProperties.operatorAddresses[0]', '198.51.100.2') + ]) + self.cmd('voice-service test-line create -n {testline} -g {rg} --gateway-name {gateway} --phone-number +1-555-1234 --purpose Automated', checks=[ + self.check('name', '{testline}'), + self.check('resourceGroup', '{rg}'), + self.check('phoneNumber', '+1-555-1234'), + self.check('purpose', 'Automated') + ]) + self.cmd('voice-service test-line update -n {testline} --gateway-name {gateway} -g {rg} --tags {{tag:test,tag2:test2}}', checks=[ + self.check('name', '{testline}'), + self.check('resourceGroup', '{rg}'), + self.check('phoneNumber', '+1-555-1234'), + self.check('purpose', 'Automated'), + self.check('tags.tag', 'test'), + self.check('tags.tag2', 'test2') + ]) + self.cmd('voice-service test-line list --gateway-name {gateway} -g {rg}', checks=[ + self.check('[0].name', '{testline}'), + self.check('[0].resourceGroup', '{rg}'), + self.check('[0].phoneNumber', '+1-555-1234'), + self.check('[0].purpose', 'Automated'), + self.check('[0].tags.tag', 'test'), + self.check('[0].tags.tag2', 'test2') + ]) + self.cmd('voice-service test-line show -n {testline} -g {rg} --gateway-name {gateway}', checks=[ + self.check('name', '{testline}'), + self.check('resourceGroup', '{rg}'), + self.check('phoneNumber', '+1-555-1234'), + self.check('purpose', 'Automated'), + self.check('tags.tag', 'test'), + self.check('tags.tag2', 'test2') + ]) + self.cmd('voice-service test-line delete -n {testline} -g {rg} --gateway-name {gateway} -y') + + @ResourceGroupPreparer(name_prefix='cli_test_voice_check_name_availability', location='centraluseuap') + def test_voice_service_check_name_availability(self, resource_group): + self.cmd('voice-service check-name-availability -l centraluseuap --name voicenametest --type microsoft.voiceservices/communicationsgateways/testlines', checks=[ + self.check('nameAvailable', True) + ]) \ No newline at end of file diff --git a/src/voice-service/setup.cfg b/src/voice-service/setup.cfg new file mode 100644 index 00000000000..2fdd96e5d39 --- /dev/null +++ b/src/voice-service/setup.cfg @@ -0,0 +1 @@ +#setup.cfg \ No newline at end of file diff --git a/src/voice-service/setup.py b/src/voice-service/setup.py new file mode 100644 index 00000000000..a18446942a2 --- /dev/null +++ b/src/voice-service/setup.py @@ -0,0 +1,49 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# +# Code generated by aaz-dev-tools +# -------------------------------------------------------------------------------------------- + +from codecs import open +from setuptools import setup, find_packages + + +# HISTORY.rst entry. +VERSION = '0.1.0' + +# The full list of classifiers is available at +# https://pypi.python.org/pypi?%3Aaction=list_classifiers +CLASSIFIERS = [ + 'Development Status :: 4 - Beta', + 'Intended Audience :: Developers', + 'Intended Audience :: System Administrators', + 'Programming Language :: Python', + 'Programming Language :: Python :: 3', + 'Programming Language :: Python :: 3.7', + 'Programming Language :: Python :: 3.8', + 'Programming Language :: Python :: 3.9', + 'License :: OSI Approved :: MIT License', +] + +DEPENDENCIES = [] + +with open('README.md', 'r', encoding='utf-8') as f: + README = f.read() +with open('HISTORY.rst', 'r', encoding='utf-8') as f: + HISTORY = f.read() + +setup( + name='voice-service', + version=VERSION, + description='Microsoft Azure Command-Line Tools VoiceService Extension.', + long_description=README + '\n\n' + HISTORY, + license='MIT', + author='Microsoft Corporation', + author_email='azpycli@microsoft.com', + url='https://github.com/Azure/azure-cli-extensions/tree/main/src/voice-service', + classifiers=CLASSIFIERS, + packages=find_packages(exclude=["tests"]), + package_data={'azext_voice_service': ['azext_metadata.json']}, + install_requires=DEPENDENCIES +) From c957325d88348896d13f40cdf9d11349eeb69eff Mon Sep 17 00:00:00 2001 From: Bavneet Singh <33008256+bavneetsingh16@users.noreply.github.com> Date: Fri, 17 Feb 2023 14:54:20 -0800 Subject: [PATCH 31/44] Revert "bump k8s-extension version to 1.4.0 (#220)" (#222) This reverts commit ffb8a952189db02b8230c59a3b2de0026cb11756. --- .github/CODEOWNERS | 6 - src/aks-preview/HISTORY.rst | 5 - .../configs/ext_matrix_default.json | 12 +- .../azcli_aks_live_test/scripts/setup_venv.sh | 2 +- src/aks-preview/azext_aks_preview/__init__.py | 2 +- src/aks-preview/azext_aks_preview/_help.py | 3 - src/aks-preview/azext_aks_preview/_params.py | 6 +- .../latest/recordings/test_aks_abort.yaml | 8 +- .../test_aks_addon_disable_confcom_addon.yaml | 10 +- ...est_aks_addon_disable_openservicemesh.yaml | 10 +- .../test_aks_addon_enable_confcom_addon.yaml | 10 +- ...ble_with_azurekeyvaultsecretsprovider.yaml | 24 +- ...aks_addon_enable_with_openservicemesh.yaml | 10 +- .../test_aks_addon_list_all_disabled.yaml | 6 +- .../test_aks_addon_list_confcom_enabled.yaml | 6 +- ...ks_addon_list_openservicemesh_enabled.yaml | 6 +- .../test_aks_addon_show_all_disabled.yaml | 6 +- .../test_aks_addon_show_confcom_enabled.yaml | 6 +- ...ks_addon_show_openservicemesh_enabled.yaml | 6 +- .../test_aks_addon_update_all_disabled.yaml | 6 +- ...ate_with_azurekeyvaultsecretsprovider.yaml | 20 +- .../test_aks_addon_update_with_confcom.yaml | 20 +- .../test_aks_availability_zones.yaml | 12 +- ...ate_aadv1_and_update_with_managed_aad.yaml | 10 +- ...ool_with_custom_ca_trust_certificates.yaml | 6 +- ...est_aks_create_add_nodepool_with_motd.yaml | 12 +- ...tsecretsprovider_with_secret_rotation.yaml | 6 +- ...ks_create_and_update_csi_driver_to_v2.yaml | 12 +- ...test_aks_create_and_update_ipv6_count.yaml | 12 +- ...st_aks_create_and_update_outbound_ips.yaml | 12 +- ..._aks_create_and_update_ssh_public_key.yaml | 14 +- ...reate_and_update_with_blob_csi_driver.yaml | 36 +- ...update_with_csi_drivers_extensibility.yaml | 30 +- ...ate_and_update_with_http_proxy_config.yaml | 1310 +- ...ks_create_and_update_with_managed_aad.yaml | 10 +- ...te_with_managed_aad_enable_azure_rbac.yaml | 16 +- ...ate_with_managed_nat_gateway_outbound.yaml | 10 +- ...eate_and_update_with_node_restriction.yaml | 712 +- ...and_update_with_nrg_restriction_level.yaml | 12 +- .../test_aks_create_and_update_with_vpa.yaml | 16 +- ...create_dualstack_with_default_network.yaml | 6 +- ...te_nonaad_and_update_with_managed_aad.yaml | 10 +- ...test_aks_create_none_private_dns_zone.yaml | 6 +- ..._with_load_balancer_backend_pool_type.yaml | 10 +- ...ks_create_private_cluster_public_fqdn.yaml | 10 +- ...ng_azurecni_with_pod_identity_enabled.yaml | 36 +- ...pplication_routing_dns_zone_not_exist.yaml | 2 +- .../recordings/test_aks_create_with_ahub.yaml | 22 +- ...reate_with_apiserver_vnet_integration.yaml | 6 +- ...ith_apiserver_vnet_integration_public.yaml | 6 +- ..._aks_create_with_auto_upgrade_channel.yaml | 12 +- ...e_channel_and_node_os_upgrade_channel.yaml | 12 +- ...th_azurekeyvaultsecretsprovider_addon.yaml | 6 +- .../test_aks_create_with_confcom_addon.yaml | 4 +- ...ate_with_confcom_addon_helper_enabled.yaml | 4 +- .../test_aks_create_with_crg_id.yaml | 12 +- .../test_aks_create_with_csi_driver_v2.yaml | 6 +- .../test_aks_create_with_default_network.yaml | 6 +- ...s_create_with_enable_cilium_dataplane.yaml | 6 +- .../test_aks_create_with_ephemeral_disk.yaml | 4 +- .../recordings/test_aks_create_with_fips.yaml | 12 +- ...r_enabled_with_default_interval_hours.yaml | 4 +- ...e_cleaner_enabled_with_interval_hours.yaml | 4 +- ...t_aks_create_with_ingress_appgw_addon.yaml | 4 +- .../recordings/test_aks_create_with_keda.yaml | 6 +- ...est_aks_create_with_kube_proxy_config.yaml | 6 +- .../test_aks_create_with_managed_disk.yaml | 4 +- ...t_aks_create_with_network_plugin_none.yaml | 4 +- .../test_aks_create_with_node_config.yaml | 10 +- ...s_create_with_node_os_upgrade_channel.yaml | 12 +- .../test_aks_create_with_nsg_control.yaml | 6 +- ...t_aks_create_with_oidc_issuer_enabled.yaml | 4 +- ...aks_create_with_openservicemesh_addon.yaml | 4 +- .../test_aks_create_with_ossku.yaml | 6 +- ...eate_with_overlay_network_plugin_mode.yaml | 6 +- ..._aks_create_with_pod_identity_enabled.yaml | 36 +- ..._create_with_standard_blob_csi_driver.yaml | 12 +- ..._aks_create_with_standard_csi_drivers.yaml | 12 +- ...s_create_with_web_application_routing.yaml | 4 +- .../test_aks_create_with_windows.yaml | 22 +- .../test_aks_create_with_windows_gmsa.yaml | 16 +- ...create_with_workload_identity_enabled.yaml | 4 +- .../test_aks_custom_ca_trust_flow.yaml | 12 +- ...est_aks_disable_addon_openservicemesh.yaml | 10 +- ...est_aks_disable_addon_web_app_routing.yaml | 10 +- ...test_aks_disable_addons_confcom_addon.yaml | 10 +- .../test_aks_disable_local_accounts.yaml | 12 +- ...don_with_azurekeyvaultsecretsprovider.yaml | 36 +- ...aks_enable_addon_with_openservicemesh.yaml | 10 +- .../test_aks_enable_addons_confcom_addon.yaml | 10 +- .../recordings/test_aks_enable_utlra_ssd.yaml | 6 +- .../test_aks_maintenanceconfiguration.yaml | 20 +- .../test_aks_maintenancewindow.yaml | 28 +- .../recordings/test_aks_nodepool_abort.yaml | 24 +- ...add_with_disable_windows_outbound_nat.yaml | 12 +- ...odepool_add_with_gpu_instance_profile.yaml | 12 +- .../test_aks_nodepool_add_with_ossku.yaml | 12 +- ...s_nodepool_add_with_ossku_windows2022.yaml | 12 +- ...ks_nodepool_add_with_workload_runtime.yaml | 12 +- ..._aks_nodepool_create_with_nsg_control.yaml | 12 +- ...ete_with_ignore_pod_disruption_budget.yaml | 26 +- .../test_aks_nodepool_get_upgrades.yaml | 8 +- .../test_aks_nodepool_snapshot.yaml | 40 +- .../test_aks_nodepool_stop_and_start.yaml | 28 +- .../test_aks_nodepool_update_label_msi.yaml | 24 +- .../test_aks_nodepool_update_taints_msi.yaml | 26 +- ..._aks_nodepool_update_with_nsg_control.yaml | 12 +- .../latest/recordings/test_aks_snapshot.yaml | 22 +- .../recordings/test_aks_snapshot_update.yaml | 28 +- .../recordings/test_aks_snapshot_upgrade.yaml | 28 +- .../recordings/test_aks_stop_and_start.yaml | 8 +- .../test_aks_trustedaccess_rolebinding.yaml | 364 +- .../recordings/test_aks_update_label_msi.yaml | 16 +- ...pdate_outbound_from_slb_to_natgateway.yaml | 10 +- .../test_aks_update_to_msi_cluster.yaml | 12 +- ...t_aks_update_with_azuremonitormetrics.yaml | 18 +- .../test_aks_update_with_image_cleaner.yaml | 16 +- .../recordings/test_aks_update_with_keda.yaml | 18 +- ...est_aks_update_with_kube_proxy_config.yaml | 12 +- ...t_aks_update_with_oidc_issuer_enabled.yaml | 10 +- .../test_aks_update_with_windows_gmsa.yaml | 22 +- ...test_aks_update_with_windows_password.yaml | 20 +- ...est_aks_update_with_workload_identity.yaml | 16 +- ...t_aks_upgrade_node_image_only_cluster.yaml | 10 +- ..._aks_upgrade_node_image_only_nodepool.yaml | 8 +- .../recordings/test_aks_upgrade_nodepool.yaml | 24 +- .../recordings/test_get_os_options.yaml | 2 +- .../test_get_trustedaccess_roles.yaml | 2 +- .../recordings/test_node_public_ip_tags.yaml | 12 +- .../tests/latest/test_aks_commands.py | 21 +- .../_container_service_client.py | 67 +- .../azure_mgmt_preview_aks/_serialization.py | 89 +- .../azure_mgmt_preview_aks/_version.py | 2 +- .../azure_mgmt_preview_aks/models.py | 2 +- .../__init__.py | 0 .../_configuration.py | 4 +- .../_container_service_client.py | 26 +- .../_patch.py | 0 .../_vendor.py | 5 +- .../_version.py | 0 .../aio/__init__.py | 0 .../aio/_configuration.py | 4 +- .../aio/_container_service_client.py | 26 +- .../aio/_patch.py | 0 .../aio/operations/__init__.py | 0 .../aio/operations/_agent_pools_operations.py | 74 +- .../_maintenance_configurations_operations.py | 36 +- .../_managed_cluster_snapshots_operations.py | 58 +- .../_managed_clusters_operations.py | 223 +- .../aio/operations/_operations.py | 8 +- .../aio/operations/_patch.py | 0 ...private_endpoint_connections_operations.py | 40 +- .../_private_link_resources_operations.py | 8 +- ...olve_private_link_service_id_operations.py | 18 +- .../aio/operations/_snapshots_operations.py | 58 +- ...trusted_access_role_bindings_operations.py | 36 +- .../_trusted_access_roles_operations.py | 8 +- .../models/__init__.py | 6 - .../models/_container_service_client_enums.py | 313 +- .../models/_models_py3.py | 1405 +- .../models/_patch.py | 0 .../operations/__init__.py | 0 .../operations/_agent_pools_operations.py | 106 +- .../_maintenance_configurations_operations.py | 52 +- .../_managed_cluster_snapshots_operations.py | 82 +- .../_managed_clusters_operations.py | 311 +- .../operations/_operations.py | 12 +- .../operations/_patch.py | 0 ...private_endpoint_connections_operations.py | 56 +- .../_private_link_resources_operations.py | 12 +- ...olve_private_link_service_id_operations.py | 22 +- .../operations/_snapshots_operations.py | 82 +- ...trusted_access_role_bindings_operations.py | 52 +- .../_trusted_access_roles_operations.py | 12 +- src/aks-preview/setup.py | 2 +- src/amg/HISTORY.rst | 8 - src/amg/setup.py | 2 +- src/authV2/HISTORY.rst | 4 - src/authV2/azext_authV2/_params.py | 2 +- .../latest/recordings/test_authV2_auth.yaml | 105 +- .../recordings/test_authV2_authclassic.yaml | 90 +- ...uthV2_clientsecret_param_combinations.yaml | 95 +- src/authV2/setup.py | 2 +- src/automanage/HISTORY.rst | 7 - src/automanage/README.md | 4 +- .../configuration_profile/_create.py | 5 +- .../configuration_profile/_update.py | 2 +- .../configuration_profile/version/_create.py | 2 +- .../configuration_profile/version/_update.py | 2 +- ...ation_profile_assignment_vm_scenarios.yaml | 316 +- ...anage_configuration_profile_scenarios.yaml | 682 +- .../recordings/test_automanage_scenarios.yaml | 16 +- .../tests/latest/test_automanage.py | 3 +- src/automanage/setup.py | 2 +- src/bastion/HISTORY.rst | 4 - src/bastion/azext_bastion/custom.py | 8 +- .../azext_bastion/developer_sku_helper.py | 2 +- .../recordings/test_bastion_host_crud.yaml | 1327 +- .../tests/latest/test_bastion.py | 2 +- src/bastion/azext_bastion/tunnel.py | 2 +- src/bastion/setup.py | 2 +- src/communication/HISTORY.rst | 10 - src/communication/README.md | 8 - .../manual/_client_factory.py | 16 +- .../azext_communication/manual/_help.py | 28 - .../azext_communication/manual/_params.py | 32 - .../azext_communication/manual/commands.py | 12 - .../azext_communication/manual/custom.py | 87 - .../azext_communication/version.py | 2 +- src/communication/setup.py | 1 - src/confcom/.gitignore | 32 - src/confcom/HISTORY.rst | 67 - src/confcom/README.md | 80 - src/confcom/azext_confcom/README.md | 480 - src/confcom/azext_confcom/__init__.py | 30 - src/confcom/azext_confcom/_help.py | 91 - src/confcom/azext_confcom/_params.py | 123 - src/confcom/azext_confcom/_validators.py | 22 - src/confcom/azext_confcom/arm.template.md | 111 - src/confcom/azext_confcom/azext_metadata.json | 4 - src/confcom/azext_confcom/commands.py | 13 - src/confcom/azext_confcom/config.py | 134 - src/confcom/azext_confcom/container.py | 499 - src/confcom/azext_confcom/custom.py | 220 - .../data/customer_rego_policy.txt | 39 - .../azext_confcom/data/internal_config.json | 210 - .../data/sidecar_rego_policy.txt | 7 - src/confcom/azext_confcom/errors.py | 18 - src/confcom/azext_confcom/init_checks.py | 75 - src/confcom/azext_confcom/os_util.py | 135 - src/confcom/azext_confcom/rootfs_proxy.py | 90 - src/confcom/azext_confcom/sample_policy.md | 89 - src/confcom/azext_confcom/security_policy.py | 802 - .../azext_confcom/template.parameters.md | 24 - src/confcom/azext_confcom/template_util.py | 738 - src/confcom/azext_confcom/tests/__init__.py | 5 - .../azext_confcom/tests/latest/README.md | 105 - .../azext_confcom/tests/latest/__init__.py | 5 - .../tests/latest/test_confcom_arm.py | 2761 --- .../tests/latest/test_confcom_image.py | 128 - .../tests/latest/test_confcom_scenario.py | 874 - .../tests/latest/test_confcom_startup.py | 69 - .../tests/latest/test_confcom_tar.py | 502 - .../latest/test_confcom_template_util.py | 531 - src/confcom/requirements.txt | 4 - src/confcom/samples/README.md | 148 - src/confcom/samples/sample-policy-output.rego | 192 - .../samples/sample-template-input.json | 76 - .../samples/sample-template-output.json | 76 - src/confcom/setup.py | 91 - src/connectedk8s/HISTORY.rst | 28 - .../azext_connectedk8s/_client_factory.py | 74 +- .../azext_connectedk8s/_constants.py | 20 +- .../azext_connectedk8s/_params.py | 5 +- .../azext_connectedk8s/_precheckutils.py | 52 +- src/connectedk8s/azext_connectedk8s/_utils.py | 135 +- src/connectedk8s/azext_connectedk8s/custom.py | 255 +- .../latest/recordings/test_connectedk8s.yaml | 5262 ++++++ .../latest/recordings/test_forcedelete.yaml | 1465 +- .../latest/test_connectedk8s_scenario.py | 496 +- ...ot_diagnoser_job_with_proxycert_mount.yaml | 2 +- ...shoot_diagnoser_job_without_proxycert.yaml | 4 +- src/connectedk8s/setup.py | 2 +- src/containerapp/HISTORY.rst | 13 - .../azext_containerapp/_client_factory.py | 27 - .../azext_containerapp/_clients.py | 103 - .../azext_containerapp/_constants.py | 7 - src/containerapp/azext_containerapp/_help.py | 35 +- .../azext_containerapp/_models.py | 12 +- .../azext_containerapp/_params.py | 13 - .../azext_containerapp/_sdk_models.py | 32 - src/containerapp/azext_containerapp/_utils.py | 48 +- .../azext_containerapp/_validators.py | 2 +- .../azext_containerapp/commands.py | 2 - src/containerapp/azext_containerapp/custom.py | 205 +- .../azext_containerapp/tests/latest/common.py | 1 - .../test_containerapp_up_dapr_e2e.yaml | 6297 ------- .../latest/test_containerapp_commands.py | 119 +- .../latest/test_containerapp_compose_basic.py | 14 +- .../test_containerapp_compose_command.py | 24 +- .../test_containerapp_compose_environment.py | 19 +- .../test_containerapp_compose_ingress.py | 24 +- .../test_containerapp_compose_registries.py | 19 +- .../test_containerapp_compose_resources.py | 24 +- .../latest/test_containerapp_compose_scale.py | 19 +- .../test_containerapp_compose_secrets.py | 21 +- ...ontainerapp_compose_transport_overrides.py | 19 +- .../latest/test_containerapp_env_commands.py | 105 +- .../latest/test_containerapp_scenario.py | 57 +- .../tests/latest/test_containerapp_up.py | 6 +- .../azext_containerapp/tests/latest/utils.py | 2 +- src/containerapp/setup.py | 2 +- src/dataprotection/HISTORY.rst | 5 - .../azext_dataprotection/__init__.py | 11 - .../azext_dataprotection/aaz/__init__.py | 6 - .../aaz/latest/__init__.py | 6 - .../aaz/latest/dataprotection/__cmd_group.py | 24 - .../aaz/latest/dataprotection/__init__.py | 11 - .../backup_vault/__cmd_group.py | 24 - .../dataprotection/backup_vault/__init__.py | 17 - .../dataprotection/backup_vault/_create.py | 491 - .../dataprotection/backup_vault/_delete.py | 145 - .../dataprotection/backup_vault/_list.py | 554 - .../dataprotection/backup_vault/_show.py | 317 - .../dataprotection/backup_vault/_update.py | 596 - .../dataprotection/backup_vault/_wait.py | 309 - .../azext_dataprotection/azext_metadata.json | 2 +- .../azext_dataprotection/generated/_help.py | 80 + .../generated/commands.py | 9 + .../azext_dataprotection/generated/custom.py | 61 + .../azext_dataprotection/manual/commands.py | 5 + .../azext_dataprotection/manual/custom.py | 60 + .../manual/operations/custom_aaz.py | 0 .../latest/test_dataprotection_scenario.py | 19 +- .../azext_dataprotection/manual/version.py | 2 +- .../test_dataprotection_Scenario.yaml | 15109 ++++------------ .../recordings/test_dataprotection_oss.yaml | 2860 ++- src/dataprotection/setup.py | 2 +- src/index.json | 1731 +- src/k8s-extension/HISTORY.rst | 4 - src/k8s-extension/setup.py | 2 +- src/load/HISTORY.rst | 4 - src/load/azext_load/azext_metadata.json | 1 + .../recordings/test_load_scenarios.yaml | 499 +- src/load/setup.py | 2 +- src/nginx/HISTORY.rst | 4 - .../aaz/latest/nginx/deployment/_create.py | 6 +- .../test_deployment_cert_config.yaml | 24 +- .../tests/latest/test_nginx_scenario.py | 2 +- src/nginx/setup.py | 2 +- src/quantum/HISTORY.rst | 6 - src/quantum/azext_quantum/__init__.py | 2 +- src/quantum/azext_quantum/_help.py | 17 +- src/quantum/azext_quantum/_params.py | 17 +- src/quantum/azext_quantum/_storage.py | 116 - src/quantum/azext_quantum/azext_metadata.json | 2 +- src/quantum/azext_quantum/operations/job.py | 307 +- .../azext_quantum/operations/target.py | 17 - .../azext_quantum/operations/workspace.py | 2 +- .../latest/input_data/QIO-Problem-2.json | 18 - .../Qiskit-3-qubit-GHZ-circuit.json | 1 - .../tests/latest/input_data/Qrng.bc | Bin 1728 -> 0 bytes .../tests/latest/input_data/bell-state.quil | 7 - .../latest/recordings/test_get_provider.yaml | 1461 -- .../tests/latest/recordings/test_submit.yaml | 3326 ---- .../Program.qs | 0 .../QuantumRNG.csproj | 4 +- .../tests/latest/test_quantum_jobs.py | 63 +- .../tests/latest/test_quantum_targets.py | 29 +- .../tests/latest/test_quantum_workspace.py | 2 +- .../azext_quantum/tests/latest/utils.py | 15 +- src/quantum/setup.py | 3 +- src/service_name.json | 29 +- src/serviceconnector-passwordless/HISTORY.rst | 8 - src/serviceconnector-passwordless/README.rst | 5 - .../__init__.py | 31 - .../_credential_free.py | 732 - .../_help.py | 8 - .../_params.py | 72 - .../_resource_config.py | 117 - .../_validators.py | 4 - .../azext_metadata.json | 4 - .../commands.py | 45 - .../custom.py | 74 - .../tests/__init__.py | 5 - .../tests/latest/__init__.py | 5 - ..._serviceconnector-passwordless_scenario.py | 364 - src/serviceconnector-passwordless/setup.cfg | 0 src/serviceconnector-passwordless/setup.py | 65 - src/spring/HISTORY.md | 12 - src/spring/azext_spring/_app_factory.py | 29 +- src/spring/azext_spring/_app_validator.py | 12 +- src/spring/azext_spring/_build_service.py | 2 +- .../azext_spring/_buildservices_factory.py | 4 +- src/spring/azext_spring/_client_factory.py | 64 +- .../_deployment_deployable_factory.py | 1 + .../azext_spring/_deployment_factory.py | 23 +- .../_deployment_source_factory.py | 4 +- src/spring/azext_spring/_help.py | 4 +- src/spring/azext_spring/_marketplace.py | 4 +- src/spring/azext_spring/_params.py | 22 +- src/spring/azext_spring/_util_enterprise.py | 2 +- src/spring/azext_spring/_utils.py | 6 +- src/spring/azext_spring/_validators.py | 2 +- src/spring/azext_spring/api_portal.py | 2 +- src/spring/azext_spring/app.py | 6 +- .../azext_spring/app_managed_identity.py | 94 +- .../application_configuration_service.py | 2 +- src/spring/azext_spring/buildpack_binding.py | 2 +- src/spring/azext_spring/commands.py | 61 +- src/spring/azext_spring/custom.py | 109 +- src/spring/azext_spring/spring_instance.py | 2 +- .../recordings/test_app_identity_crud.yaml | 116 +- .../test_app_identity_force_set.yaml | 112 +- .../test_create_app_with_assign_identity.yaml | 38 +- .../test_create_app_with_both_identity.yaml | 38 +- .../test_create_app_with_system_assigned.yaml | 38 +- .../test_create_app_with_user_identity.yaml | 38 +- ...app_managed_identity_force_set_scenario.py | 2 +- .../test_app_managed_identity_remove.py | 2 +- .../test_app_managed_identity_scenario.py | 2 +- ..._create_app_with_both_identity_scenario.py | 2 +- ...reate_app_with_system_identity_scenario.py | 2 +- ..._create_app_with_user_identity_scenario.py | 2 +- .../tests/latest/recordings/test_Builder.yaml | 46 +- .../latest/recordings/test_api_portal.yaml | 122 +- .../latest/recordings/test_app_connect.yaml | 2 +- .../latest/recordings/test_app_crud.yaml | 98 +- .../latest/recordings/test_app_crud_1.yaml | 52 +- .../recordings/test_app_deploy_container.yaml | 68 +- .../latest/recordings/test_app_i2a_tls.yaml | 112 +- .../test_application_accelerator.yaml | 10 +- ...est_application_configuration_service.yaml | 192 +- .../test_asc_app_insights_update.yaml | 366 +- .../latest/recordings/test_asc_update.yaml | 176 +- .../latest/recordings/test_az_asc_create.yaml | 6 +- .../recordings/test_bind_cert_to_domain.yaml | 82 +- .../test_blue_green_deployment.yaml | 1103 +- .../recordings/test_buildpack_binding.yaml | 78 +- .../latest/recordings/test_client_auth.yaml | 48 +- .../test_create_asc_heavy_cases.yaml | 96 +- .../test_create_asc_with_ai_basic_case.yaml | 18 +- .../test_create_asc_without_ai_cases.yaml | 12 +- .../test_customized_accelerator.yaml | 12 +- .../latest/recordings/test_deploy_app.yaml | 124 +- .../tests/latest/recordings/test_gateway.yaml | 50 +- .../test_generate_deployment_dump.yaml | 724 +- .../latest/recordings/test_live_view.yaml | 8 +- .../test_load_public_cert_to_app.yaml | 74 +- .../recordings/test_persistent_storage.yaml | 44 +- .../test_predefined_accelerator.yaml | 12 +- .../recordings/test_remote_debugging.yaml | 66 +- .../recordings/test_service_registry.yaml | 82 +- .../test_stop_and_start_service.yaml | 116 +- .../recordings/test_vnet_public_endpoint.yaml | 86 +- .../tests/latest/test_asa_api_portal.py | 2 + .../azext_spring/tests/latest/test_asa_app.py | 32 +- .../tests/latest/test_asa_app_validator.py | 20 +- .../test_asa_application_accelerator.py | 2 + ...t_asa_application_configuration_service.py | 2 + .../latest/test_asa_application_live_view.py | 2 + .../latest/test_asa_buildpack_binding.py | 2 + .../tests/latest/test_asa_create.py | 3 + .../latest/test_asa_customized_accelerator.py | 2 + .../tests/latest/test_asa_gateway.py | 2 + .../latest/test_asa_predefined_accelerator.py | 2 + .../tests/latest/test_asa_scenario.py | 2 + .../tests/latest/test_asa_service_registry.py | 2 + .../tests/latest/test_asa_validator.py | 1 + src/spring/setup.py | 2 +- .../azext_storage_blob_preview/_params.py | 20 + .../azext_storage_blob_preview/commands.py | 3 + .../operations/blob.py | 23 + .../azext_storage_preview/__init__.py | 7 +- .../azext_storage_preview/_params.py | 4 + .../azext_storage_preview/commands.py | 9 + .../azext_storage_preview/operations/blob.py | 6 + src/voice-service/HISTORY.rst | 8 - src/voice-service/README.md | 62 - .../azext_voice_service/__init__.py | 42 - .../azext_voice_service/_help.py | 11 - .../azext_voice_service/_params.py | 13 - .../azext_voice_service/aaz/__init__.py | 6 - .../aaz/latest/__init__.py | 6 - .../aaz/latest/voice_service/__cmd_group.py | 23 - .../aaz/latest/voice_service/__init__.py | 12 - .../voice_service/_check_name_availability.py | 189 - .../voice_service/gateway/__cmd_group.py | 23 - .../latest/voice_service/gateway/__init__.py | 17 - .../latest/voice_service/gateway/_create.py | 525 - .../latest/voice_service/gateway/_delete.py | 166 - .../aaz/latest/voice_service/gateway/_list.py | 516 - .../aaz/latest/voice_service/gateway/_show.py | 297 - .../latest/voice_service/gateway/_update.py | 491 - .../aaz/latest/voice_service/gateway/_wait.py | 293 - .../voice_service/test_line/__cmd_group.py | 23 - .../voice_service/test_line/__init__.py | 17 - .../latest/voice_service/test_line/_create.py | 310 - .../latest/voice_service/test_line/_delete.py | 179 - .../latest/voice_service/test_line/_list.py | 232 - .../latest/voice_service/test_line/_show.py | 235 - .../latest/voice_service/test_line/_update.py | 433 - .../latest/voice_service/test_line/_wait.py | 231 - .../azext_voice_service/azext_metadata.json | 4 - .../azext_voice_service/commands.py | 15 - .../azext_voice_service/custom.py | 14 - .../azext_voice_service/tests/__init__.py | 6 - .../tests/latest/__init__.py | 6 - ...voice_service_check_name_availability.yaml | 54 - .../test_voice_service_gateway.yaml | 558 - .../test_voice_service_test_line.yaml | 552 - .../tests/latest/test_voice_service.py | 152 - src/voice-service/setup.cfg | 1 - src/voice-service/setup.py | 49 - 494 files changed, 19872 insertions(+), 55909 deletions(-) mode change 100755 => 100644 src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_http_proxy_config.yaml rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2023_01_02_preview => v2022_11_02_preview}/__init__.py (100%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2023_01_02_preview => v2022_11_02_preview}/_configuration.py (95%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2023_01_02_preview => v2022_11_02_preview}/_container_service_client.py (89%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2023_01_02_preview => v2022_11_02_preview}/_patch.py (100%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2023_01_02_preview => v2022_11_02_preview}/_vendor.py (85%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2023_01_02_preview => v2022_11_02_preview}/_version.py (100%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2023_01_02_preview => v2022_11_02_preview}/aio/__init__.py (100%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2023_01_02_preview => v2022_11_02_preview}/aio/_configuration.py (95%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2023_01_02_preview => v2022_11_02_preview}/aio/_container_service_client.py (89%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2023_01_02_preview => v2022_11_02_preview}/aio/_patch.py (100%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2023_01_02_preview => v2022_11_02_preview}/aio/operations/__init__.py (100%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2023_01_02_preview => v2022_11_02_preview}/aio/operations/_agent_pools_operations.py (95%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2023_01_02_preview => v2022_11_02_preview}/aio/operations/_maintenance_configurations_operations.py (94%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2023_01_02_preview => v2022_11_02_preview}/aio/operations/_managed_cluster_snapshots_operations.py (93%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2023_01_02_preview => v2022_11_02_preview}/aio/operations/_managed_clusters_operations.py (94%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2023_01_02_preview => v2022_11_02_preview}/aio/operations/_operations.py (95%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2023_01_02_preview => v2022_11_02_preview}/aio/operations/_patch.py (100%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2023_01_02_preview => v2022_11_02_preview}/aio/operations/_private_endpoint_connections_operations.py (94%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2023_01_02_preview => v2022_11_02_preview}/aio/operations/_private_link_resources_operations.py (95%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2023_01_02_preview => v2022_11_02_preview}/aio/operations/_resolve_private_link_service_id_operations.py (93%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2023_01_02_preview => v2022_11_02_preview}/aio/operations/_snapshots_operations.py (93%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2023_01_02_preview => v2022_11_02_preview}/aio/operations/_trusted_access_role_bindings_operations.py (94%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2023_01_02_preview => v2022_11_02_preview}/aio/operations/_trusted_access_roles_operations.py (96%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2023_01_02_preview => v2022_11_02_preview}/models/__init__.py (98%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2023_01_02_preview => v2022_11_02_preview}/models/_container_service_client_enums.py (77%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2023_01_02_preview => v2022_11_02_preview}/models/_models_py3.py (90%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2023_01_02_preview => v2022_11_02_preview}/models/_patch.py (100%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2023_01_02_preview => v2022_11_02_preview}/operations/__init__.py (100%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2023_01_02_preview => v2022_11_02_preview}/operations/_agent_pools_operations.py (94%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2023_01_02_preview => v2022_11_02_preview}/operations/_maintenance_configurations_operations.py (94%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2023_01_02_preview => v2022_11_02_preview}/operations/_managed_cluster_snapshots_operations.py (93%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2023_01_02_preview => v2022_11_02_preview}/operations/_managed_clusters_operations.py (94%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2023_01_02_preview => v2022_11_02_preview}/operations/_operations.py (94%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2023_01_02_preview => v2022_11_02_preview}/operations/_patch.py (100%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2023_01_02_preview => v2022_11_02_preview}/operations/_private_endpoint_connections_operations.py (94%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2023_01_02_preview => v2022_11_02_preview}/operations/_private_link_resources_operations.py (94%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2023_01_02_preview => v2022_11_02_preview}/operations/_resolve_private_link_service_id_operations.py (93%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2023_01_02_preview => v2022_11_02_preview}/operations/_snapshots_operations.py (93%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2023_01_02_preview => v2022_11_02_preview}/operations/_trusted_access_role_bindings_operations.py (94%) rename src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/{v2023_01_02_preview => v2022_11_02_preview}/operations/_trusted_access_roles_operations.py (95%) delete mode 100644 src/confcom/.gitignore delete mode 100644 src/confcom/HISTORY.rst delete mode 100644 src/confcom/README.md delete mode 100644 src/confcom/azext_confcom/README.md delete mode 100644 src/confcom/azext_confcom/__init__.py delete mode 100644 src/confcom/azext_confcom/_help.py delete mode 100644 src/confcom/azext_confcom/_params.py delete mode 100644 src/confcom/azext_confcom/_validators.py delete mode 100644 src/confcom/azext_confcom/arm.template.md delete mode 100644 src/confcom/azext_confcom/azext_metadata.json delete mode 100644 src/confcom/azext_confcom/commands.py delete mode 100644 src/confcom/azext_confcom/config.py delete mode 100644 src/confcom/azext_confcom/container.py delete mode 100644 src/confcom/azext_confcom/custom.py delete mode 100644 src/confcom/azext_confcom/data/customer_rego_policy.txt delete mode 100644 src/confcom/azext_confcom/data/internal_config.json delete mode 100644 src/confcom/azext_confcom/data/sidecar_rego_policy.txt delete mode 100644 src/confcom/azext_confcom/errors.py delete mode 100644 src/confcom/azext_confcom/init_checks.py delete mode 100644 src/confcom/azext_confcom/os_util.py delete mode 100644 src/confcom/azext_confcom/rootfs_proxy.py delete mode 100644 src/confcom/azext_confcom/sample_policy.md delete mode 100644 src/confcom/azext_confcom/security_policy.py delete mode 100644 src/confcom/azext_confcom/template.parameters.md delete mode 100644 src/confcom/azext_confcom/template_util.py delete mode 100644 src/confcom/azext_confcom/tests/__init__.py delete mode 100644 src/confcom/azext_confcom/tests/latest/README.md delete mode 100644 src/confcom/azext_confcom/tests/latest/__init__.py delete mode 100644 src/confcom/azext_confcom/tests/latest/test_confcom_arm.py delete mode 100644 src/confcom/azext_confcom/tests/latest/test_confcom_image.py delete mode 100644 src/confcom/azext_confcom/tests/latest/test_confcom_scenario.py delete mode 100644 src/confcom/azext_confcom/tests/latest/test_confcom_startup.py delete mode 100644 src/confcom/azext_confcom/tests/latest/test_confcom_tar.py delete mode 100644 src/confcom/azext_confcom/tests/latest/test_confcom_template_util.py delete mode 100644 src/confcom/requirements.txt delete mode 100644 src/confcom/samples/README.md delete mode 100644 src/confcom/samples/sample-policy-output.rego delete mode 100644 src/confcom/samples/sample-template-input.json delete mode 100644 src/confcom/samples/sample-template-output.json delete mode 100644 src/confcom/setup.py create mode 100644 src/connectedk8s/azext_connectedk8s/tests/latest/recordings/test_connectedk8s.yaml delete mode 100644 src/containerapp/azext_containerapp/tests/latest/recordings/test_containerapp_up_dapr_e2e.yaml delete mode 100644 src/dataprotection/azext_dataprotection/aaz/__init__.py delete mode 100644 src/dataprotection/azext_dataprotection/aaz/latest/__init__.py delete mode 100644 src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/__cmd_group.py delete mode 100644 src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/__init__.py delete mode 100644 src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/__cmd_group.py delete mode 100644 src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/__init__.py delete mode 100644 src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_create.py delete mode 100644 src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_delete.py delete mode 100644 src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_list.py delete mode 100644 src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_show.py delete mode 100644 src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_update.py delete mode 100644 src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_wait.py delete mode 100644 src/dataprotection/azext_dataprotection/manual/operations/custom_aaz.py delete mode 100644 src/quantum/azext_quantum/_storage.py delete mode 100644 src/quantum/azext_quantum/tests/latest/input_data/QIO-Problem-2.json delete mode 100644 src/quantum/azext_quantum/tests/latest/input_data/Qiskit-3-qubit-GHZ-circuit.json delete mode 100644 src/quantum/azext_quantum/tests/latest/input_data/Qrng.bc delete mode 100644 src/quantum/azext_quantum/tests/latest/input_data/bell-state.quil delete mode 100644 src/quantum/azext_quantum/tests/latest/recordings/test_get_provider.yaml delete mode 100644 src/quantum/azext_quantum/tests/latest/recordings/test_submit.yaml rename src/quantum/azext_quantum/tests/latest/{input_data => source_for_build_test}/Program.qs (100%) rename src/quantum/azext_quantum/tests/latest/{input_data => source_for_build_test}/QuantumRNG.csproj (55%) delete mode 100644 src/serviceconnector-passwordless/HISTORY.rst delete mode 100644 src/serviceconnector-passwordless/README.rst delete mode 100644 src/serviceconnector-passwordless/azext_serviceconnector_passwordless/__init__.py delete mode 100644 src/serviceconnector-passwordless/azext_serviceconnector_passwordless/_credential_free.py delete mode 100644 src/serviceconnector-passwordless/azext_serviceconnector_passwordless/_help.py delete mode 100644 src/serviceconnector-passwordless/azext_serviceconnector_passwordless/_params.py delete mode 100644 src/serviceconnector-passwordless/azext_serviceconnector_passwordless/_resource_config.py delete mode 100644 src/serviceconnector-passwordless/azext_serviceconnector_passwordless/_validators.py delete mode 100644 src/serviceconnector-passwordless/azext_serviceconnector_passwordless/azext_metadata.json delete mode 100644 src/serviceconnector-passwordless/azext_serviceconnector_passwordless/commands.py delete mode 100644 src/serviceconnector-passwordless/azext_serviceconnector_passwordless/custom.py delete mode 100644 src/serviceconnector-passwordless/azext_serviceconnector_passwordless/tests/__init__.py delete mode 100644 src/serviceconnector-passwordless/azext_serviceconnector_passwordless/tests/latest/__init__.py delete mode 100644 src/serviceconnector-passwordless/azext_serviceconnector_passwordless/tests/latest/test_serviceconnector-passwordless_scenario.py delete mode 100644 src/serviceconnector-passwordless/setup.cfg delete mode 100644 src/serviceconnector-passwordless/setup.py delete mode 100644 src/voice-service/HISTORY.rst delete mode 100644 src/voice-service/README.md delete mode 100644 src/voice-service/azext_voice_service/__init__.py delete mode 100644 src/voice-service/azext_voice_service/_help.py delete mode 100644 src/voice-service/azext_voice_service/_params.py delete mode 100644 src/voice-service/azext_voice_service/aaz/__init__.py delete mode 100644 src/voice-service/azext_voice_service/aaz/latest/__init__.py delete mode 100644 src/voice-service/azext_voice_service/aaz/latest/voice_service/__cmd_group.py delete mode 100644 src/voice-service/azext_voice_service/aaz/latest/voice_service/__init__.py delete mode 100644 src/voice-service/azext_voice_service/aaz/latest/voice_service/_check_name_availability.py delete mode 100644 src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/__cmd_group.py delete mode 100644 src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/__init__.py delete mode 100644 src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_create.py delete mode 100644 src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_delete.py delete mode 100644 src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_list.py delete mode 100644 src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_show.py delete mode 100644 src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_update.py delete mode 100644 src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_wait.py delete mode 100644 src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/__cmd_group.py delete mode 100644 src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/__init__.py delete mode 100644 src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_create.py delete mode 100644 src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_delete.py delete mode 100644 src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_list.py delete mode 100644 src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_show.py delete mode 100644 src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_update.py delete mode 100644 src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_wait.py delete mode 100644 src/voice-service/azext_voice_service/azext_metadata.json delete mode 100644 src/voice-service/azext_voice_service/commands.py delete mode 100644 src/voice-service/azext_voice_service/custom.py delete mode 100644 src/voice-service/azext_voice_service/tests/__init__.py delete mode 100644 src/voice-service/azext_voice_service/tests/latest/__init__.py delete mode 100644 src/voice-service/azext_voice_service/tests/latest/recordings/test_voice_service_check_name_availability.yaml delete mode 100644 src/voice-service/azext_voice_service/tests/latest/recordings/test_voice_service_gateway.yaml delete mode 100644 src/voice-service/azext_voice_service/tests/latest/recordings/test_voice_service_test_line.yaml delete mode 100644 src/voice-service/azext_voice_service/tests/latest/test_voice_service.py delete mode 100644 src/voice-service/setup.cfg delete mode 100644 src/voice-service/setup.py diff --git a/.github/CODEOWNERS b/.github/CODEOWNERS index b373895340d..17bad9cc12c 100644 --- a/.github/CODEOWNERS +++ b/.github/CODEOWNERS @@ -266,12 +266,6 @@ /src/billing-benefits/ @gaoyp830 @rkapso @msft-adrianma @sornaks -/src/serviceconnector-passwordless/ @xfz11 - /src/mobile-network/ @jsntcy /src/automanage/ @calvinhzy - -/src/voice-service/ @jsntcy - -/src/confcom/ @BryceDFisher @SethHollandsworth @hgarvison @stevendongatmsft \ No newline at end of file diff --git a/src/aks-preview/HISTORY.rst b/src/aks-preview/HISTORY.rst index b08aad84d57..c7798bdf700 100644 --- a/src/aks-preview/HISTORY.rst +++ b/src/aks-preview/HISTORY.rst @@ -12,11 +12,6 @@ To release a new version, please select a new version number (usually plus 1 to Pending +++++++ -0.5.129 -+++++++ -* Vendor new SDK and bump API version to 2023-01-02-preview. -* Mark AAD-legacy properties `--aad-client-app-id`, `--aad-server-app-id` and `--aad-server-app-secret` deprecated - 0.5.128 +++++++ * Fix option name `--duration` for command group `az aks maintenanceconfiguration` diff --git a/src/aks-preview/azcli_aks_live_test/configs/ext_matrix_default.json b/src/aks-preview/azcli_aks_live_test/configs/ext_matrix_default.json index bb9aee8777d..ec81fa34ea0 100644 --- a/src/aks-preview/azcli_aks_live_test/configs/ext_matrix_default.json +++ b/src/aks-preview/azcli_aks_live_test/configs/ext_matrix_default.json @@ -18,6 +18,7 @@ "test_aks_pod_identity_usage", "test_aks_nodepool_add_with_workload_runtime", "test_aks_create_with_crg_id", + "test_list_trustedaccess_roles", "test_aks_custom_ca_trust_flow", "test_aks_create_with_csi_driver_v2", "test_aks_create_and_update_csi_driver_to_v2", @@ -25,18 +26,17 @@ "test_aks_update_outbound_from_slb_to_natgateway" ], "missing namespace registration (AME)": [ - "test_aks_update_with_azuremonitormetrics" + "test_aks_create_with_monitoring_aad_auth_msi", + "test_aks_create_with_monitoring_aad_auth_uai", + "test_aks_enable_monitoring_with_aad_auth_msi", + "test_aks_enable_monitoring_with_aad_auth_uai" ], - "KMS (missing toggle)": [ + "missing toggle": [ "test_aks_create_with_azurekeyvaultkms_private_key_vault", "test_aks_update_with_azurekeyvaultkms_private_key_vault", "test_aks_create_with_azurekeyvaultkms_public_key_vault", "test_aks_create_with_azurekeyvaultkms_private_cluster_v1_private_key_vault" ], - "trusted access role (waiting GA)": [ - "test_get_trustedaccess_roles", - "test_aks_trustedaccess_rolebinding" - ], "no gpu quota": [ "test_aks_nodepool_add_with_gpu_instance_profile" ] diff --git a/src/aks-preview/azcli_aks_live_test/scripts/setup_venv.sh b/src/aks-preview/azcli_aks_live_test/scripts/setup_venv.sh index 078589c3052..5e7496e18c7 100755 --- a/src/aks-preview/azcli_aks_live_test/scripts/setup_venv.sh +++ b/src/aks-preview/azcli_aks_live_test/scripts/setup_venv.sh @@ -48,7 +48,7 @@ setupAZ(){ # need to be executed in a venv installTestPackages(){ # install pytest plugins - pip install pytest-json-report==1.5.0 pytest-rerunfailures==11.0 pytest-cov==4.0.0 pytest-forked==1.6.0 + pip install pytest-json-report pytest-rerunfailures pytest-cov pytest-forked --upgrade # install coverage for measuring code coverage pip install coverage diff --git a/src/aks-preview/azext_aks_preview/__init__.py b/src/aks-preview/azext_aks_preview/__init__.py index 9c49cbb21da..a7a9d9542b4 100644 --- a/src/aks-preview/azext_aks_preview/__init__.py +++ b/src/aks-preview/azext_aks_preview/__init__.py @@ -16,7 +16,7 @@ def register_aks_preview_resource_type(): register_resource_type( "latest", CUSTOM_MGMT_AKS_PREVIEW, - SDKProfile("2023-01-02-preview", {"container_services": "2017-07-01"}), + SDKProfile("2022-11-02-preview", {"container_services": "2017-07-01"}), ) diff --git a/src/aks-preview/azext_aks_preview/_help.py b/src/aks-preview/azext_aks_preview/_help.py index a0934dc13ff..e5e9e1ded03 100644 --- a/src/aks-preview/azext_aks_preview/_help.py +++ b/src/aks-preview/azext_aks_preview/_help.py @@ -109,16 +109,13 @@ type: string short-summary: The ID of an Azure Active Directory client application of type "Native". This application is for user login via kubectl. - long-summary: --aad-client-app-id is deprecated. See https://aka.ms/aks/aad-legacy for details. - name: --aad-server-app-id type: string short-summary: The ID of an Azure Active Directory server application of type "Web app/API". This application represents the managed cluster's apiserver (Server application). - long-summary: --aad-server-app-id is deprecated. See https://aka.ms/aks/aad-legacy for details. - name: --aad-server-app-secret type: string short-summary: The secret of an Azure Active Directory server application. - long-summary: --aad-server-app-secret is deprecated. See https://aka.ms/aks/aad-legacy for details. - name: --aad-tenant-id type: string short-summary: The ID of an Azure Active Directory tenant. diff --git a/src/aks-preview/azext_aks_preview/_params.py b/src/aks-preview/azext_aks_preview/_params.py index 1807cda038d..0ec802f53d0 100644 --- a/src/aks-preview/azext_aks_preview/_params.py +++ b/src/aks-preview/azext_aks_preview/_params.py @@ -294,9 +294,9 @@ def load_arguments(self, _): c.argument('assign_kubelet_identity', validator=validate_assign_kubelet_identity) c.argument('enable_aad', action='store_true') c.argument('enable_azure_rbac', action='store_true') - c.argument('aad_client_app_id', deprecate_info=c.deprecate(target='--aad-client-app-id', hide=True)) - c.argument('aad_server_app_id', deprecate_info=c.deprecate(target='--aad-server-app-id', hide=True)) - c.argument('aad_server_app_secret', deprecate_info=c.deprecate(target='--aad-server-app-secret', hide=True)) + c.argument('aad_client_app_id') + c.argument('aad_server_app_id') + c.argument('aad_server_app_secret') c.argument('aad_tenant_id') c.argument('aad_admin_group_object_ids') c.argument('enable_oidc_issuer', action='store_true') diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_abort.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_abort.yaml index c56972c70a8..b1801977f42 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_abort.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_abort.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -162,7 +162,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -250,7 +250,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclusters/cliakstest000002/abort?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclusters/cliakstest000002/abort?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -430,7 +430,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_disable_confcom_addon.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_disable_confcom_addon.yaml index 22a3ce4242b..3364e03d15f 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_disable_confcom_addon.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_disable_confcom_addon.yaml @@ -78,7 +78,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -743,7 +743,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -835,7 +835,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -956,7 +956,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1244,7 +1244,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_disable_openservicemesh.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_disable_openservicemesh.yaml index ee34b5e4226..f49af89a10d 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_disable_openservicemesh.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_disable_openservicemesh.yaml @@ -77,7 +77,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -693,7 +693,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -784,7 +784,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -904,7 +904,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1144,7 +1144,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_enable_confcom_addon.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_enable_confcom_addon.yaml index f725a3758d8..5e5b0838634 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_enable_confcom_addon.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_enable_confcom_addon.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -547,7 +547,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -637,7 +637,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -756,7 +756,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -997,7 +997,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_enable_with_azurekeyvaultsecretsprovider.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_enable_with_azurekeyvaultsecretsprovider.yaml index 790b5942b4d..dcaaf268e7e 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_enable_with_azurekeyvaultsecretsprovider.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_enable_with_azurekeyvaultsecretsprovider.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -643,7 +643,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -733,7 +733,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -852,7 +852,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1141,7 +1141,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1235,7 +1235,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1358,7 +1358,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1598,7 +1598,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1689,7 +1689,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1809,7 +1809,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2050,7 +2050,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2146,7 +2146,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_enable_with_openservicemesh.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_enable_with_openservicemesh.yaml index 9f2bfde9c00..da5a1db5895 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_enable_with_openservicemesh.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_enable_with_openservicemesh.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -643,7 +643,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -733,7 +733,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -852,7 +852,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1092,7 +1092,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_list_all_disabled.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_list_all_disabled.yaml index 90f79e2e725..aa7cf51c184 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_list_all_disabled.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_list_all_disabled.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -643,7 +643,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -733,7 +733,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_list_confcom_enabled.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_list_confcom_enabled.yaml index ad67a7a6c66..4869e87a884 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_list_confcom_enabled.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_list_confcom_enabled.yaml @@ -78,7 +78,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -647,7 +647,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -739,7 +739,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_list_openservicemesh_enabled.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_list_openservicemesh_enabled.yaml index c04b2761231..c0f447738a7 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_list_openservicemesh_enabled.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_list_openservicemesh_enabled.yaml @@ -77,7 +77,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -645,7 +645,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -736,7 +736,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_show_all_disabled.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_show_all_disabled.yaml index aefc2a6528a..0ad4bafe2e0 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_show_all_disabled.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_show_all_disabled.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -643,7 +643,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -733,7 +733,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_show_confcom_enabled.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_show_confcom_enabled.yaml index 60a6f724b97..58358660c58 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_show_confcom_enabled.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_show_confcom_enabled.yaml @@ -78,7 +78,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -647,7 +647,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -739,7 +739,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_show_openservicemesh_enabled.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_show_openservicemesh_enabled.yaml index b9984175267..7ab0f9ae91e 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_show_openservicemesh_enabled.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_show_openservicemesh_enabled.yaml @@ -77,7 +77,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -693,7 +693,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -784,7 +784,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_update_all_disabled.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_update_all_disabled.yaml index e28c5b2e0d0..5e4dfeef56b 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_update_all_disabled.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_update_all_disabled.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -643,7 +643,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -733,7 +733,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_update_with_azurekeyvaultsecretsprovider.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_update_with_azurekeyvaultsecretsprovider.yaml index 11006cde40e..4979d77f306 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_update_with_azurekeyvaultsecretsprovider.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_update_with_azurekeyvaultsecretsprovider.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -739,7 +739,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -829,7 +829,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -948,7 +948,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1237,7 +1237,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1331,7 +1331,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1425,7 +1425,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1548,7 +1548,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1789,7 +1789,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1885,7 +1885,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_update_with_confcom.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_update_with_confcom.yaml index cd128a4c93e..d064320c25d 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_update_with_confcom.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_addon_update_with_confcom.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -643,7 +643,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -733,7 +733,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -852,7 +852,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1093,7 +1093,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1185,7 +1185,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1277,7 +1277,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1398,7 +1398,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1639,7 +1639,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1733,7 +1733,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_availability_zones.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_availability_zones.yaml index f6e8ee0b4f0..413bf965cea 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_availability_zones.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_availability_zones.yaml @@ -77,7 +77,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -645,7 +645,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -736,7 +736,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/nodepool1\",\n @@ -808,7 +808,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/nodepool2?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/nodepool2?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/nodepool2\",\n @@ -1206,7 +1206,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/nodepool2?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/nodepool2?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/nodepool2\",\n @@ -1269,7 +1269,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_aadv1_and_update_with_managed_aad.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_aadv1_and_update_with_managed_aad.yaml index 3fbc03a1ca7..abc3947f49a 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_aadv1_and_update_with_managed_aad.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_aadv1_and_update_with_managed_aad.yaml @@ -81,7 +81,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -613,7 +613,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -708,7 +708,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -831,7 +831,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1175,7 +1175,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_add_nodepool_with_custom_ca_trust_certificates.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_add_nodepool_with_custom_ca_trust_certificates.yaml index db0a90662d8..724a9258570 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_add_nodepool_with_custom_ca_trust_certificates.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_add_nodepool_with_custom_ca_trust_certificates.yaml @@ -83,7 +83,7 @@ interactions: - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -565,7 +565,7 @@ interactions: - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -659,7 +659,7 @@ interactions: - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_add_nodepool_with_motd.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_add_nodepool_with_motd.yaml index 7cf9a3f76bd..0de52436a39 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_add_nodepool_with_motd.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_add_nodepool_with_motd.yaml @@ -77,7 +77,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -645,7 +645,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -736,7 +736,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -807,7 +807,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004\",\n @@ -1301,7 +1301,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004\",\n @@ -1364,7 +1364,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_addon_with_azurekeyvaultsecretsprovider_with_secret_rotation.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_addon_with_azurekeyvaultsecretsprovider_with_secret_rotation.yaml index 6b96d4a51fb..c9489c0db96 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_addon_with_azurekeyvaultsecretsprovider_with_secret_rotation.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_addon_with_azurekeyvaultsecretsprovider_with_secret_rotation.yaml @@ -80,7 +80,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -660,7 +660,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -756,7 +756,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_csi_driver_to_v2.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_csi_driver_to_v2.yaml index 9caa0a0f529..a15cf3713a4 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_csi_driver_to_v2.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_csi_driver_to_v2.yaml @@ -80,7 +80,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -511,7 +511,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -601,7 +601,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -718,7 +718,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -957,7 +957,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1049,7 +1049,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_ipv6_count.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_ipv6_count.yaml index f3ebb5743aa..861154edf8e 100755 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_ipv6_count.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_ipv6_count.yaml @@ -121,7 +121,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -936,7 +936,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1030,7 +1030,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1154,7 +1154,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1445,7 +1445,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1543,7 +1543,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_outbound_ips.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_outbound_ips.yaml index 98f7b4aefbb..8214303423a 100755 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_outbound_ips.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_outbound_ips.yaml @@ -635,7 +635,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1204,7 +1204,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1297,7 +1297,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1419,7 +1419,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1661,7 +1661,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1756,7 +1756,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_ssh_public_key.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_ssh_public_key.yaml index 464e2d755d0..3e37f40f3b3 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_ssh_public_key.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_ssh_public_key.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -595,7 +595,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -685,7 +685,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -802,7 +802,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2096,7 +2096,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '{"error":{"code":"GatewayTimeout","message":"The gateway did not receive @@ -2142,7 +2142,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2233,7 +2233,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_blob_csi_driver.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_blob_csi_driver.yaml index 3d33b8aaf8f..87bb9bec4e3 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_blob_csi_driver.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_blob_csi_driver.yaml @@ -79,7 +79,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -695,7 +695,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -786,7 +786,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -906,7 +906,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1146,7 +1146,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1237,7 +1237,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1357,7 +1357,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1597,7 +1597,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1688,7 +1688,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1808,7 +1808,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2048,7 +2048,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2139,7 +2139,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2259,7 +2259,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2499,7 +2499,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2590,7 +2590,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2710,7 +2710,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2998,7 +2998,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -3091,7 +3091,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_csi_drivers_extensibility.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_csi_drivers_extensibility.yaml index 735099bf0e3..3bf53c5aaf1 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_csi_drivers_extensibility.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_csi_drivers_extensibility.yaml @@ -80,7 +80,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -756,7 +756,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -846,7 +846,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -963,7 +963,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1250,7 +1250,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1340,7 +1340,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1458,7 +1458,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1745,7 +1745,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1835,7 +1835,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1952,7 +1952,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2239,7 +2239,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2330,7 +2330,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2449,7 +2449,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2741,7 +2741,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2833,7 +2833,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_http_proxy_config.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_http_proxy_config.yaml old mode 100755 new mode 100644 index 965e69885b2..cbb896b3874 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_http_proxy_config.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_http_proxy_config.yaml @@ -13,12 +13,12 @@ interactions: ParameterSetName: - --resource-group --name --address-prefixes --subnet-name --subnet-prefix User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001?api-version=2021-04-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001","name":"clitest000001","type":"Microsoft.Resources/resourceGroups","location":"westus2","tags":{"product":"azurecli","cause":"automation","date":"2023-02-17T07:30:52Z"},"properties":{"provisioningState":"Succeeded"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001","name":"clitest000001","type":"Microsoft.Resources/resourceGroups","location":"westus2","tags":{"product":"azurecli","cause":"automation","date":"2023-01-04T07:29:48Z"},"properties":{"provisioningState":"Succeeded"}}' headers: cache-control: - no-cache @@ -27,7 +27,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Fri, 17 Feb 2023 07:30:53 GMT + - Wed, 04 Jan 2023 07:29:50 GMT expires: - '-1' pragma: @@ -61,19 +61,19 @@ interactions: ParameterSetName: - --resource-group --name --address-prefixes --subnet-name --subnet-prefix User-Agent: - - AZURECLI/2.45.0 (AAZ) azsdk-python-core/1.24.0 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 (AAZ) azsdk-python-core/1.24.0 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: PUT uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002?api-version=2022-01-01 response: body: string: "{\r\n \"name\": \"cliakstest000002\",\r\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002\",\r\n - \ \"etag\": \"W/\\\"d2e51aa7-11a6-4118-8179-8bdb636e1697\\\"\",\r\n \"type\": + \ \"etag\": \"W/\\\"194e06f2-03b2-45ee-a179-0b3321e50349\\\"\",\r\n \"type\": \"Microsoft.Network/virtualNetworks\",\r\n \"location\": \"westus2\",\r\n \ \"properties\": {\r\n \"provisioningState\": \"Updating\",\r\n \"resourceGuid\": - \"fdfc2f15-9f85-434a-b2ad-9208f72aa6dc\",\r\n \"addressSpace\": {\r\n \"addressPrefixes\": + \"b168c699-17fa-472a-ae09-736a40a5749c\",\r\n \"addressSpace\": {\r\n \"addressPrefixes\": [\r\n \"10.42.0.0/16\"\r\n ]\r\n },\r\n \"subnets\": [\r\n \ {\r\n \"name\": \"aks-subnet\",\r\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet\",\r\n - \ \"etag\": \"W/\\\"d2e51aa7-11a6-4118-8179-8bdb636e1697\\\"\",\r\n + \ \"etag\": \"W/\\\"194e06f2-03b2-45ee-a179-0b3321e50349\\\"\",\r\n \ \"properties\": {\r\n \"provisioningState\": \"Updating\",\r\n \ \"addressPrefix\": \"10.42.1.0/24\",\r\n \"delegations\": [],\r\n \"privateEndpointNetworkPolicies\": \"Disabled\",\r\n \"privateLinkServiceNetworkPolicies\": @@ -84,7 +84,7 @@ interactions: azure-asyncnotification: - Enabled azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Network/locations/westus2/operations/5d9cfc4c-e187-47d0-92a8-a73f71124ad2?api-version=2022-01-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Network/locations/westus2/operations/06e18366-5429-4180-a4f8-2260ed52ad20?api-version=2022-01-01 cache-control: - no-cache content-length: @@ -92,7 +92,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Fri, 17 Feb 2023 07:30:54 GMT + - Wed, 04 Jan 2023 07:29:50 GMT expires: - '-1' pragma: @@ -105,7 +105,7 @@ interactions: x-content-type-options: - nosniff x-ms-arm-service-request-id: - - 665ff671-3e85-4759-98ba-8985b42a3c35 + - a9c1310b-d521-41da-afb2-0aa0dd3cedec x-ms-ratelimit-remaining-subscription-writes: - '1199' status: @@ -125,9 +125,9 @@ interactions: ParameterSetName: - --resource-group --name --address-prefixes --subnet-name --subnet-prefix User-Agent: - - AZURECLI/2.45.0 (AAZ) azsdk-python-core/1.24.0 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 (AAZ) azsdk-python-core/1.24.0 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Network/locations/westus2/operations/5d9cfc4c-e187-47d0-92a8-a73f71124ad2?api-version=2022-01-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Network/locations/westus2/operations/06e18366-5429-4180-a4f8-2260ed52ad20?api-version=2022-01-01 response: body: string: "{\r\n \"status\": \"Succeeded\"\r\n}" @@ -139,7 +139,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Fri, 17 Feb 2023 07:30:57 GMT + - Wed, 04 Jan 2023 07:29:54 GMT expires: - '-1' pragma: @@ -156,7 +156,7 @@ interactions: x-content-type-options: - nosniff x-ms-arm-service-request-id: - - fc910534-f139-42f9-9c64-11003d915632 + - 9fbc30ab-3683-4762-a72e-9f953033b71d status: code: 200 message: OK @@ -174,19 +174,19 @@ interactions: ParameterSetName: - --resource-group --name --address-prefixes --subnet-name --subnet-prefix User-Agent: - - AZURECLI/2.45.0 (AAZ) azsdk-python-core/1.24.0 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 (AAZ) azsdk-python-core/1.24.0 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002?api-version=2022-01-01 response: body: string: "{\r\n \"name\": \"cliakstest000002\",\r\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002\",\r\n - \ \"etag\": \"W/\\\"045899dd-5d1a-46f0-a7a0-1d0eb5275479\\\"\",\r\n \"type\": + \ \"etag\": \"W/\\\"cde62438-f666-4d9c-873c-440a565331be\\\"\",\r\n \"type\": \"Microsoft.Network/virtualNetworks\",\r\n \"location\": \"westus2\",\r\n \ \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"resourceGuid\": - \"fdfc2f15-9f85-434a-b2ad-9208f72aa6dc\",\r\n \"addressSpace\": {\r\n \"addressPrefixes\": + \"b168c699-17fa-472a-ae09-736a40a5749c\",\r\n \"addressSpace\": {\r\n \"addressPrefixes\": [\r\n \"10.42.0.0/16\"\r\n ]\r\n },\r\n \"subnets\": [\r\n \ {\r\n \"name\": \"aks-subnet\",\r\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet\",\r\n - \ \"etag\": \"W/\\\"045899dd-5d1a-46f0-a7a0-1d0eb5275479\\\"\",\r\n + \ \"etag\": \"W/\\\"cde62438-f666-4d9c-873c-440a565331be\\\"\",\r\n \ \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \ \"addressPrefix\": \"10.42.1.0/24\",\r\n \"delegations\": [],\r\n \"privateEndpointNetworkPolicies\": \"Disabled\",\r\n \"privateLinkServiceNetworkPolicies\": @@ -201,9 +201,9 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Fri, 17 Feb 2023 07:30:58 GMT + - Wed, 04 Jan 2023 07:29:54 GMT etag: - - W/"045899dd-5d1a-46f0-a7a0-1d0eb5275479" + - W/"cde62438-f666-4d9c-873c-440a565331be" expires: - '-1' pragma: @@ -220,7 +220,7 @@ interactions: x-content-type-options: - nosniff x-ms-arm-service-request-id: - - e8de6035-4d7d-412a-a5b7-c5964537cfb4 + - e4c87ecf-3e6c-4fa2-8760-b5090464f38a status: code: 200 message: OK @@ -242,13 +242,13 @@ interactions: ParameterSetName: - --resource-group --vnet-name --name --address-prefix User-Agent: - - AZURECLI/2.45.0 (AAZ) azsdk-python-core/1.24.0 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 (AAZ) azsdk-python-core/1.24.0 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: PUT uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/proxy-subnet?api-version=2022-01-01 response: body: string: "{\r\n \"name\": \"proxy-subnet\",\r\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/proxy-subnet\",\r\n - \ \"etag\": \"W/\\\"ec5cec95-7f42-443d-b758-74b5a643fc8d\\\"\",\r\n \"properties\": + \ \"etag\": \"W/\\\"cbee0685-cccf-404b-972d-8578fac494c5\\\"\",\r\n \"properties\": {\r\n \"provisioningState\": \"Updating\",\r\n \"addressPrefix\": \"10.42.3.0/24\",\r\n \ \"delegations\": [],\r\n \"privateEndpointNetworkPolicies\": \"Disabled\",\r\n \ \"privateLinkServiceNetworkPolicies\": \"Enabled\"\r\n },\r\n \"type\": @@ -257,7 +257,7 @@ interactions: azure-asyncnotification: - Enabled azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Network/locations/westus2/operations/241143b9-941b-40fe-9f88-7c656a1ef732?api-version=2022-01-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Network/locations/westus2/operations/71a2fe3b-4837-4420-a572-eb1084e21ce7?api-version=2022-01-01 cache-control: - no-cache content-length: @@ -265,7 +265,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Fri, 17 Feb 2023 07:30:58 GMT + - Wed, 04 Jan 2023 07:29:54 GMT expires: - '-1' pragma: @@ -278,7 +278,7 @@ interactions: x-content-type-options: - nosniff x-ms-arm-service-request-id: - - 83b2911c-2f65-4bc1-ab23-73700d2204e1 + - 2d3460b5-e437-4fbe-8de3-98c60940df74 x-ms-ratelimit-remaining-subscription-writes: - '1199' status: @@ -298,9 +298,9 @@ interactions: ParameterSetName: - --resource-group --vnet-name --name --address-prefix User-Agent: - - AZURECLI/2.45.0 (AAZ) azsdk-python-core/1.24.0 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 (AAZ) azsdk-python-core/1.24.0 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Network/locations/westus2/operations/241143b9-941b-40fe-9f88-7c656a1ef732?api-version=2022-01-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Network/locations/westus2/operations/71a2fe3b-4837-4420-a572-eb1084e21ce7?api-version=2022-01-01 response: body: string: "{\r\n \"status\": \"Succeeded\"\r\n}" @@ -312,7 +312,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Fri, 17 Feb 2023 07:31:01 GMT + - Wed, 04 Jan 2023 07:29:57 GMT expires: - '-1' pragma: @@ -329,7 +329,7 @@ interactions: x-content-type-options: - nosniff x-ms-arm-service-request-id: - - 816668be-55a4-4967-acc6-54ba25088ef0 + - 4612a68f-1358-452e-9574-87f98058e960 status: code: 200 message: OK @@ -347,13 +347,13 @@ interactions: ParameterSetName: - --resource-group --vnet-name --name --address-prefix User-Agent: - - AZURECLI/2.45.0 (AAZ) azsdk-python-core/1.24.0 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 (AAZ) azsdk-python-core/1.24.0 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/proxy-subnet?api-version=2022-01-01 response: body: string: "{\r\n \"name\": \"proxy-subnet\",\r\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/proxy-subnet\",\r\n - \ \"etag\": \"W/\\\"9389ffd5-ca47-413f-b488-83582a9e4960\\\"\",\r\n \"properties\": + \ \"etag\": \"W/\\\"00cf79d6-6ffa-44e3-99d8-6fa62728aba8\\\"\",\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"addressPrefix\": \"10.42.3.0/24\",\r\n \ \"delegations\": [],\r\n \"privateEndpointNetworkPolicies\": \"Disabled\",\r\n \ \"privateLinkServiceNetworkPolicies\": \"Enabled\"\r\n },\r\n \"type\": @@ -366,9 +366,9 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Fri, 17 Feb 2023 07:31:01 GMT + - Wed, 04 Jan 2023 07:29:57 GMT etag: - - W/"9389ffd5-ca47-413f-b488-83582a9e4960" + - W/"00cf79d6-6ffa-44e3-99d8-6fa62728aba8" expires: - '-1' pragma: @@ -385,7 +385,7 @@ interactions: x-content-type-options: - nosniff x-ms-arm-service-request-id: - - 98c9a416-704e-4c3f-867f-07f5cc5b5467 + - 64b48b2b-bfd2-4904-9358-f2406cd35a9a status: code: 200 message: OK @@ -403,13 +403,13 @@ interactions: ParameterSetName: - --resource-group --vnet-name --name User-Agent: - - AZURECLI/2.45.0 (AAZ) azsdk-python-core/1.24.0 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 (AAZ) azsdk-python-core/1.24.0 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet?api-version=2022-01-01 response: body: string: "{\r\n \"name\": \"aks-subnet\",\r\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet\",\r\n - \ \"etag\": \"W/\\\"9389ffd5-ca47-413f-b488-83582a9e4960\\\"\",\r\n \"properties\": + \ \"etag\": \"W/\\\"00cf79d6-6ffa-44e3-99d8-6fa62728aba8\\\"\",\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"addressPrefix\": \"10.42.1.0/24\",\r\n \ \"delegations\": [],\r\n \"privateEndpointNetworkPolicies\": \"Disabled\",\r\n \ \"privateLinkServiceNetworkPolicies\": \"Enabled\"\r\n },\r\n \"type\": @@ -422,9 +422,9 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Fri, 17 Feb 2023 07:31:02 GMT + - Wed, 04 Jan 2023 07:29:57 GMT etag: - - W/"9389ffd5-ca47-413f-b488-83582a9e4960" + - W/"00cf79d6-6ffa-44e3-99d8-6fa62728aba8" expires: - '-1' pragma: @@ -441,7 +441,7 @@ interactions: x-content-type-options: - nosniff x-ms-arm-service-request-id: - - b45f9e69-740d-412c-869c-7a3794d70cf3 + - 824e8666-1174-487d-87fe-9b29536446eb status: code: 200 message: OK @@ -460,12 +460,12 @@ interactions: - --resource-group --name --image --ssh-key-values --public-ip-address --custom-data --vnet-name --subnet User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001?api-version=2021-04-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001","name":"clitest000001","type":"Microsoft.Resources/resourceGroups","location":"westus2","tags":{"product":"azurecli","cause":"automation","date":"2023-02-17T07:30:52Z"},"properties":{"provisioningState":"Succeeded"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001","name":"clitest000001","type":"Microsoft.Resources/resourceGroups","location":"westus2","tags":{"product":"azurecli","cause":"automation","date":"2023-01-04T07:29:48Z"},"properties":{"provisioningState":"Succeeded"}}' headers: cache-control: - no-cache @@ -474,7 +474,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Fri, 17 Feb 2023 07:31:02 GMT + - Wed, 04 Jan 2023 07:29:58 GMT expires: - '-1' pragma: @@ -503,13 +503,13 @@ interactions: - --resource-group --name --image --ssh-key-values --public-ip-address --custom-data --vnet-name --subnet User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-compute/29.1.0 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-compute/29.0.0 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/westus2/publishers/Canonical/artifacttypes/vmimage/offers/0001-com-ubuntu-server-focal/skus/20_04-lts/versions?$top=1&$orderby=name%20desc&api-version=2022-11-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/westus2/publishers/Canonical/artifacttypes/vmimage/offers/0001-com-ubuntu-server-focal/skus/20_04-lts/versions?$top=1&$orderby=name%20desc&api-version=2022-08-01 response: body: - string: "[\r\n {\r\n \"location\": \"westus2\",\r\n \"name\": \"20.04.202302090\",\r\n - \ \"id\": \"/Subscriptions/00000000-0000-0000-0000-000000000000/Providers/Microsoft.Compute/Locations/westus2/Publishers/Canonical/ArtifactTypes/VMImage/Offers/0001-com-ubuntu-server-focal/Skus/20_04-lts/Versions/20.04.202302090\"\r\n + string: "[\r\n {\r\n \"location\": \"westus2\",\r\n \"name\": \"20.04.202212140\",\r\n + \ \"id\": \"/Subscriptions/00000000-0000-0000-0000-000000000000/Providers/Microsoft.Compute/Locations/westus2/Publishers/Canonical/ArtifactTypes/VMImage/Offers/0001-com-ubuntu-server-focal/Skus/20_04-lts/Versions/20.04.202212140\"\r\n \ }\r\n]" headers: cache-control: @@ -519,7 +519,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Fri, 17 Feb 2023 07:31:03 GMT + - Wed, 04 Jan 2023 07:29:58 GMT expires: - '-1' pragma: @@ -555,9 +555,9 @@ interactions: - --resource-group --name --image --ssh-key-values --public-ip-address --custom-data --vnet-name --subnet User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-compute/29.1.0 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-compute/29.0.0 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/westus2/publishers/Canonical/artifacttypes/vmimage/offers/0001-com-ubuntu-server-focal/skus/20_04-lts/versions/20.04.202302090?api-version=2022-11-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/westus2/publishers/Canonical/artifacttypes/vmimage/offers/0001-com-ubuntu-server-focal/skus/20_04-lts/versions/20.04.202212140?api-version=2022-08-01 response: body: string: "{\r\n \"properties\": {\r\n \"hyperVGeneration\": \"V1\",\r\n \"architecture\": @@ -571,8 +571,8 @@ interactions: \"IsHibernateSupported\",\r\n \"value\": \"True\"\r\n }\r\n ],\r\n \ \"osDiskImage\": {\r\n \"operatingSystem\": \"Linux\",\r\n \"sizeInGb\": 31,\r\n \"sizeInBytes\": 32213303808\r\n },\r\n \"dataDiskImages\": - []\r\n },\r\n \"location\": \"westus2\",\r\n \"name\": \"20.04.202302090\",\r\n - \ \"id\": \"/Subscriptions/00000000-0000-0000-0000-000000000000/Providers/Microsoft.Compute/Locations/westus2/Publishers/Canonical/ArtifactTypes/VMImage/Offers/0001-com-ubuntu-server-focal/Skus/20_04-lts/Versions/20.04.202302090\"\r\n}" + []\r\n },\r\n \"location\": \"westus2\",\r\n \"name\": \"20.04.202212140\",\r\n + \ \"id\": \"/Subscriptions/00000000-0000-0000-0000-000000000000/Providers/Microsoft.Compute/Locations/westus2/Publishers/Canonical/ArtifactTypes/VMImage/Offers/0001-com-ubuntu-server-focal/Skus/20_04-lts/Versions/20.04.202212140\"\r\n}" headers: cache-control: - no-cache @@ -581,7 +581,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Fri, 17 Feb 2023 07:31:02 GMT + - Wed, 04 Jan 2023 07:29:59 GMT expires: - '-1' pragma: @@ -617,7 +617,7 @@ interactions: - --resource-group --name --image --ssh-key-values --public-ip-address --custom-data --vnet-name --subnet User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Network?api-version=2021-04-01 response: @@ -630,7 +630,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"CrossResourceGroupResourceMove, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"virtualNetworks/taggedTrafficConsumers","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -639,7 +639,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"None"},{"resourceType":"natGateways","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"None"},{"resourceType":"natGateways","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -647,7 +647,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01"],"defaultApiVersion":"2020-03-01","zoneMappings":[{"location":"Australia + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01"],"defaultApiVersion":"2020-03-01","zoneMappings":[{"location":"Australia East","zones":["3","2","1"]},{"location":"Brazil South","zones":["3","2","1"]},{"location":"Canada Central","zones":["3","2","1"]},{"location":"Central India","zones":["3","2","1"]},{"location":"Central US","zones":["3","2","1"]},{"location":"Central US EUAP","zones":["2","1"]},{"location":"East @@ -671,7 +671,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"zoneMappings":[{"location":"Australia + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"zoneMappings":[{"location":"Australia East","zones":["3","2","1"]},{"location":"Brazil South","zones":["3","2","1"]},{"location":"Canada Central","zones":["3","2","1"]},{"location":"Central India","zones":["3","2","1"]},{"location":"Central US","zones":["3","2","1"]},{"location":"Central US EUAP","zones":["2","1"]},{"location":"East @@ -695,7 +695,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01"],"capabilities":"None"},{"resourceType":"customIpPrefixes","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01"],"capabilities":"None"},{"resourceType":"customIpPrefixes","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -703,7 +703,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01"],"defaultApiVersion":"2020-06-01","zoneMappings":[{"location":"Australia + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01"],"defaultApiVersion":"2020-06-01","zoneMappings":[{"location":"Australia East","zones":["3","2","1"]},{"location":"Brazil South","zones":["3","2","1"]},{"location":"Canada Central","zones":["3","2","1"]},{"location":"Central India","zones":["3","2","1"]},{"location":"Central US","zones":["3","2","1"]},{"location":"Central US EUAP","zones":["2","1"]},{"location":"East @@ -727,7 +727,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"CrossResourceGroupResourceMove, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"dscpConfigurations","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -736,7 +736,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01"],"defaultApiVersion":"2020-06-01","capabilities":"CrossResourceGroupResourceMove, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01"],"defaultApiVersion":"2020-06-01","capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"privateEndpoints","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -745,7 +745,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01"],"defaultApiVersion":"2020-03-01","capabilities":"CrossResourceGroupResourceMove, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01"],"defaultApiVersion":"2020-03-01","capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"privateEndpoints/privateLinkServiceProxies","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -754,7 +754,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01"],"defaultApiVersion":"2020-03-01","capabilities":"None"},{"resourceType":"privateEndpointRedirectMaps","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01"],"defaultApiVersion":"2020-03-01","capabilities":"None"},{"resourceType":"privateEndpointRedirectMaps","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -762,7 +762,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar Central","Central - US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, + US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, SupportsLocation"},{"resourceType":"loadBalancers","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil @@ -771,7 +771,7 @@ interactions: South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar Central","Central - US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"CrossResourceGroupResourceMove, + US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"networkSecurityGroups","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -780,7 +780,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"CrossResourceGroupResourceMove, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"applicationSecurityGroups","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -789,7 +789,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2017-09-01"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"CrossResourceGroupResourceMove, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2017-09-01"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"serviceEndpointPolicies","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -798,7 +798,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01"],"defaultApiVersion":"2020-03-01","capabilities":"CrossResourceGroupResourceMove, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01"],"defaultApiVersion":"2020-03-01","capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"networkIntentPolicies","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -807,7 +807,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01"],"defaultApiVersion":"2020-03-01","capabilities":"CrossResourceGroupResourceMove, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01"],"defaultApiVersion":"2020-03-01","capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"routeTables","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -816,7 +816,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"CrossResourceGroupResourceMove, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"publicIPPrefixes","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -825,7 +825,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01"],"defaultApiVersion":"2020-03-01","zoneMappings":[{"location":"Australia + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01"],"defaultApiVersion":"2020-03-01","zoneMappings":[{"location":"Australia East","zones":["3","2","1"]},{"location":"Brazil South","zones":["3","2","1"]},{"location":"Canada Central","zones":["3","2","1"]},{"location":"Central India","zones":["3","2","1"]},{"location":"Central US","zones":["3","2","1"]},{"location":"Central US EUAP","zones":["2","1"]},{"location":"East @@ -849,7 +849,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","capabilities":"CrossResourceGroupResourceMove, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"networkWatchers/connectionMonitors","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -858,7 +858,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"defaultApiVersion":"2020-03-01","capabilities":"CrossResourceGroupResourceMove, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"defaultApiVersion":"2020-03-01","capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"networkWatchers/flowLogs","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -867,7 +867,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"defaultApiVersion":"2020-03-01","capabilities":"CrossResourceGroupResourceMove, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"defaultApiVersion":"2020-03-01","capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"networkWatchers/pingMeshes","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -876,7 +876,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"defaultApiVersion":"2020-03-01","capabilities":"CrossResourceGroupResourceMove, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"defaultApiVersion":"2020-03-01","capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"virtualNetworkGateways","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -885,7 +885,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-03-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"CrossResourceGroupResourceMove, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-03-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"localNetworkGateways","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -894,7 +894,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-03-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"CrossResourceGroupResourceMove, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-03-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"connections","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -903,7 +903,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-03-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"CrossResourceGroupResourceMove, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-03-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"applicationGateways","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -912,7 +912,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","zoneMappings":[{"location":"Australia + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","zoneMappings":[{"location":"Australia East","zones":["3","2","1"]},{"location":"Brazil South","zones":["3","2","1"]},{"location":"Canada Central","zones":["3","2","1"]},{"location":"Central India","zones":["3","2","1"]},{"location":"Central US","zones":["3","2","1"]},{"location":"Central US EUAP","zones":["2","1"]},{"location":"East @@ -935,8 +935,8 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, - SupportsLocation"},{"resourceType":"locations","locations":[],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"None"},{"resourceType":"locations/operations","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, + SupportsLocation"},{"resourceType":"locations","locations":[],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"None"},{"resourceType":"locations/operations","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -944,7 +944,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"None"},{"resourceType":"locations/operationResults","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"None"},{"resourceType":"locations/operationResults","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -952,7 +952,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"None"},{"resourceType":"locations/CheckDnsNameAvailability","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"None"},{"resourceType":"locations/CheckDnsNameAvailability","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -960,7 +960,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"capabilities":"None"},{"resourceType":"locations/setLoadBalancerFrontendPublicIpAddresses","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"capabilities":"None"},{"resourceType":"locations/setLoadBalancerFrontendPublicIpAddresses","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -968,7 +968,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01"],"capabilities":"None"},{"resourceType":"cloudServiceSlots","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01"],"capabilities":"None"},{"resourceType":"cloudServiceSlots","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -976,7 +976,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01"],"capabilities":"SupportsExtension"},{"resourceType":"locations/usages","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01"],"capabilities":"SupportsExtension"},{"resourceType":"locations/usages","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -984,7 +984,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"None"},{"resourceType":"locations/virtualNetworkAvailableEndpointServices","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2015-06-15"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2017-10-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2017-10-01"}],"capabilities":"None"},{"resourceType":"locations/virtualNetworkAvailableEndpointServices","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -992,7 +992,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01"],"capabilities":"None"},{"resourceType":"locations/availableDelegations","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01"],"capabilities":"None"},{"resourceType":"locations/availableDelegations","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1000,7 +1000,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01"],"capabilities":"None"},{"resourceType":"locations/ApplicationGatewayWafDynamicManifests","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01"],"capabilities":"None"},{"resourceType":"locations/ApplicationGatewayWafDynamicManifests","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1008,7 +1008,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01"],"capabilities":"None"},{"resourceType":"locations/serviceTags","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01"],"capabilities":"None"},{"resourceType":"locations/serviceTags","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1016,7 +1016,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01"],"capabilities":"None"},{"resourceType":"locations/availablePrivateEndpointTypes","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01"],"capabilities":"None"},{"resourceType":"locations/availablePrivateEndpointTypes","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1024,7 +1024,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01"],"capabilities":"None"},{"resourceType":"locations/availableServiceAliases","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01"],"capabilities":"None"},{"resourceType":"locations/availableServiceAliases","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1032,7 +1032,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01"],"capabilities":"None"},{"resourceType":"locations/checkPrivateLinkServiceVisibility","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01"],"capabilities":"None"},{"resourceType":"locations/checkPrivateLinkServiceVisibility","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1040,7 +1040,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01"],"capabilities":"None"},{"resourceType":"locations/autoApprovedPrivateLinkServices","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01"],"capabilities":"None"},{"resourceType":"locations/autoApprovedPrivateLinkServices","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1048,7 +1048,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01"],"capabilities":"None"},{"resourceType":"locations/batchValidatePrivateEndpointsForResourceMove","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01"],"capabilities":"None"},{"resourceType":"locations/batchValidatePrivateEndpointsForResourceMove","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1056,7 +1056,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01"],"capabilities":"None"},{"resourceType":"locations/batchNotifyPrivateEndpointsForResourceMove","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01"],"capabilities":"None"},{"resourceType":"locations/batchNotifyPrivateEndpointsForResourceMove","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1064,7 +1064,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01"],"capabilities":"None"},{"resourceType":"locations/supportedVirtualMachineSizes","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01"],"capabilities":"None"},{"resourceType":"locations/supportedVirtualMachineSizes","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1072,7 +1072,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01"],"capabilities":"None"},{"resourceType":"locations/setAzureNetworkManagerConfiguration","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01"],"capabilities":"None"},{"resourceType":"locations/setAzureNetworkManagerConfiguration","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1080,7 +1080,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01"],"capabilities":"None"},{"resourceType":"locations/publishResources","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01"],"capabilities":"None"},{"resourceType":"locations/publishResources","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1088,7 +1088,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01"],"capabilities":"None"},{"resourceType":"locations/getAzureNetworkManagerConfiguration","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01"],"capabilities":"None"},{"resourceType":"locations/getAzureNetworkManagerConfiguration","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1096,7 +1096,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01"],"capabilities":"None"},{"resourceType":"locations/checkAcceleratedNetworkingSupport","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01"],"capabilities":"None"},{"resourceType":"locations/checkAcceleratedNetworkingSupport","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1104,7 +1104,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01"],"capabilities":"None"},{"resourceType":"locations/validateResourceOwnership","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01"],"capabilities":"None"},{"resourceType":"locations/validateResourceOwnership","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1112,7 +1112,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01"],"capabilities":"None"},{"resourceType":"locations/setResourceOwnership","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01"],"capabilities":"None"},{"resourceType":"locations/setResourceOwnership","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1120,7 +1120,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01"],"capabilities":"None"},{"resourceType":"locations/effectiveResourceOwnership","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01"],"capabilities":"None"},{"resourceType":"locations/effectiveResourceOwnership","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1128,7 +1128,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01"],"capabilities":"None"},{"resourceType":"operations","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01"],"capabilities":"None"},{"resourceType":"operations","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1136,7 +1136,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"capabilities":"None"},{"resourceType":"dnszones","locations":["global"],"apiVersions":["2018-05-01","2018-03-01-preview","2017-10-01","2017-09-15-preview","2017-09-01","2016-04-01","2015-05-04-preview"],"defaultApiVersion":"2018-05-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2016-04-01"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2016-04-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2016-04-01"}],"capabilities":"CrossResourceGroupResourceMove, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"capabilities":"None"},{"resourceType":"dnszones","locations":["global"],"apiVersions":["2018-05-01","2018-03-01-preview","2017-10-01","2017-09-15-preview","2017-09-01","2016-04-01","2015-05-04-preview"],"defaultApiVersion":"2018-05-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2016-04-01"},{"profileVersion":"2018-03-01-hybrid","apiVersion":"2016-04-01"},{"profileVersion":"2019-03-01-hybrid","apiVersion":"2016-04-01"}],"capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"dnsOperationResults","locations":["global"],"apiVersions":["2018-05-01","2018-03-01-preview","2017-10-01","2017-09-15-preview","2017-09-01","2016-04-01"],"defaultApiVersion":"2018-05-01","capabilities":"None"},{"resourceType":"dnsOperationStatuses","locations":["global"],"apiVersions":["2018-05-01","2018-03-01-preview","2017-10-01","2017-09-15-preview","2017-09-01","2016-04-01"],"defaultApiVersion":"2018-05-01","capabilities":"None"},{"resourceType":"getDnsResourceReference","locations":["global"],"apiVersions":["2018-05-01"],"defaultApiVersion":"2018-05-01","capabilities":"None"},{"resourceType":"internalNotify","locations":["global"],"apiVersions":["2018-05-01"],"defaultApiVersion":"2018-05-01","capabilities":"None"},{"resourceType":"dnszones/A","locations":["global"],"apiVersions":["2018-05-01","2018-03-01-preview","2017-10-01","2017-09-15-preview","2017-09-01","2016-04-01","2015-05-04-preview"],"defaultApiVersion":"2018-05-01","capabilities":"None"},{"resourceType":"dnszones/AAAA","locations":["global"],"apiVersions":["2018-05-01","2018-03-01-preview","2017-10-01","2017-09-15-preview","2017-09-01","2016-04-01","2015-05-04-preview"],"defaultApiVersion":"2018-05-01","capabilities":"None"},{"resourceType":"dnszones/CNAME","locations":["global"],"apiVersions":["2018-05-01","2018-03-01-preview","2017-10-01","2017-09-15-preview","2017-09-01","2016-04-01","2015-05-04-preview"],"defaultApiVersion":"2018-05-01","capabilities":"None"},{"resourceType":"dnszones/PTR","locations":["global"],"apiVersions":["2018-05-01","2018-03-01-preview","2017-10-01","2017-09-15-preview","2017-09-01","2016-04-01","2015-05-04-preview"],"defaultApiVersion":"2018-05-01","capabilities":"None"},{"resourceType":"dnszones/MX","locations":["global"],"apiVersions":["2018-05-01","2018-03-01-preview","2017-10-01","2017-09-15-preview","2017-09-01","2016-04-01","2015-05-04-preview"],"defaultApiVersion":"2018-05-01","capabilities":"None"},{"resourceType":"dnszones/TXT","locations":["global"],"apiVersions":["2018-05-01","2018-03-01-preview","2017-10-01","2017-09-15-preview","2017-09-01","2016-04-01","2015-05-04-preview"],"defaultApiVersion":"2018-05-01","capabilities":"None"},{"resourceType":"dnszones/SRV","locations":["global"],"apiVersions":["2018-05-01","2018-03-01-preview","2017-10-01","2017-09-15-preview","2017-09-01","2016-04-01","2015-05-04-preview"],"defaultApiVersion":"2018-05-01","capabilities":"None"},{"resourceType":"dnszones/SOA","locations":["global"],"apiVersions":["2018-05-01","2018-03-01-preview","2017-10-01","2017-09-15-preview","2017-09-01","2016-04-01","2015-05-04-preview"],"defaultApiVersion":"2018-05-01","capabilities":"None"},{"resourceType":"dnszones/NS","locations":["global"],"apiVersions":["2018-05-01","2018-03-01-preview","2017-10-01","2017-09-15-preview","2017-09-01","2016-04-01","2015-05-04-preview"],"defaultApiVersion":"2018-05-01","capabilities":"None"},{"resourceType":"dnszones/CAA","locations":["global"],"apiVersions":["2018-05-01","2018-03-01-preview","2017-10-01","2017-09-15-preview","2017-09-01"],"defaultApiVersion":"2018-05-01","capabilities":"None"},{"resourceType":"dnszones/recordsets","locations":["global"],"apiVersions":["2018-05-01","2018-03-01-preview","2017-10-01","2017-09-15-preview","2017-09-01","2016-04-01","2015-05-04-preview"],"defaultApiVersion":"2018-05-01","capabilities":"None"},{"resourceType":"dnszones/all","locations":["global"],"apiVersions":["2018-05-01","2018-03-01-preview","2017-10-01","2017-09-15-preview","2017-09-01","2016-04-01","2015-05-04-preview"],"defaultApiVersion":"2018-05-01","capabilities":"None"},{"resourceType":"privateDnsZones","locations":["global"],"apiVersions":["2020-06-01","2020-01-01","2018-09-01"],"defaultApiVersion":"2018-09-01","capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"privateDnsZones/virtualNetworkLinks","locations":["global"],"apiVersions":["2020-06-01","2020-01-01","2018-09-01"],"defaultApiVersion":"2018-09-01","capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"privateDnsOperationResults","locations":["global"],"apiVersions":["2020-06-01","2020-01-01","2018-09-01"],"defaultApiVersion":"2018-09-01","capabilities":"None"},{"resourceType":"privateDnsOperationStatuses","locations":["global"],"apiVersions":["2020-06-01","2020-01-01","2018-09-01"],"defaultApiVersion":"2018-09-01","capabilities":"None"},{"resourceType":"privateDnsZonesInternal","locations":["global"],"apiVersions":["2020-06-01","2020-01-01"],"defaultApiVersion":"2020-01-01","capabilities":"None"},{"resourceType":"privateDnsZones/A","locations":["global"],"apiVersions":["2020-06-01","2020-01-01","2018-09-01"],"defaultApiVersion":"2018-09-01","capabilities":"None"},{"resourceType":"privateDnsZones/AAAA","locations":["global"],"apiVersions":["2020-06-01","2020-01-01","2018-09-01"],"defaultApiVersion":"2018-09-01","capabilities":"None"},{"resourceType":"privateDnsZones/CNAME","locations":["global"],"apiVersions":["2020-06-01","2020-01-01","2018-09-01"],"defaultApiVersion":"2018-09-01","capabilities":"None"},{"resourceType":"privateDnsZones/PTR","locations":["global"],"apiVersions":["2020-06-01","2020-01-01","2018-09-01"],"defaultApiVersion":"2018-09-01","capabilities":"None"},{"resourceType":"privateDnsZones/MX","locations":["global"],"apiVersions":["2020-06-01","2020-01-01","2018-09-01"],"defaultApiVersion":"2018-09-01","capabilities":"None"},{"resourceType":"privateDnsZones/TXT","locations":["global"],"apiVersions":["2020-06-01","2020-01-01","2018-09-01"],"defaultApiVersion":"2018-09-01","capabilities":"None"},{"resourceType":"privateDnsZones/SRV","locations":["global"],"apiVersions":["2020-06-01","2020-01-01","2018-09-01"],"defaultApiVersion":"2018-09-01","capabilities":"None"},{"resourceType":"privateDnsZones/SOA","locations":["global"],"apiVersions":["2020-06-01","2020-01-01","2018-09-01"],"defaultApiVersion":"2018-09-01","capabilities":"None"},{"resourceType":"privateDnsZones/all","locations":["global"],"apiVersions":["2020-06-01","2020-01-01","2018-09-01"],"defaultApiVersion":"2018-09-01","capabilities":"None"},{"resourceType":"virtualNetworks/privateDnsZoneLinks","locations":["global"],"apiVersions":["2020-06-01"],"defaultApiVersion":"2020-06-01","capabilities":"None"},{"resourceType":"dnsResolvers","locations":["West @@ -1144,55 +1144,48 @@ interactions: South","South Central US","East US","North Central US","West US 2","West US 3","Southeast Asia","Central India","Canada Central","Central US","France Central","Japan East","Germany West Central","South Africa North","Korea Central","Sweden - Central","East Asia","Switzerland North","Brazil South","West US","Norway - East","UAE North","Australia Southeast","Canada East","Japan West","Central - US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2020-04-01-preview"],"defaultApiVersion":"2020-04-01-preview","capabilities":"CrossResourceGroupResourceMove, + Central","East Asia","Switzerland North","Brazil South","Central US EUAP","East + US 2 EUAP"],"apiVersions":["2022-07-01","2020-04-01-preview"],"defaultApiVersion":"2020-04-01-preview","capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"dnsResolvers/inboundEndpoints","locations":["West Central US","East US 2","West Europe","North Europe","Australia East","UK South","South Central US","East US","North Central US","West US 2","West US 3","Southeast Asia","Central India","Canada Central","Central US","France Central","Japan East","Germany West Central","South Africa North","Korea Central","Sweden - Central","East Asia","Switzerland North","Brazil South","West US","Norway - East","UAE North","Australia Southeast","Canada East","Japan West","Central - US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2020-04-01-preview"],"defaultApiVersion":"2020-04-01-preview","capabilities":"CrossResourceGroupResourceMove, + Central","East Asia","Switzerland North","Brazil South","Central US EUAP","East + US 2 EUAP"],"apiVersions":["2022-07-01","2020-04-01-preview"],"defaultApiVersion":"2020-04-01-preview","capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"dnsResolvers/outboundEndpoints","locations":["West Central US","East US 2","West Europe","North Europe","Australia East","UK South","South Central US","East US","North Central US","West US 2","West US 3","Southeast Asia","Central India","Canada Central","Central US","France Central","Japan East","Germany West Central","South Africa North","Korea Central","Sweden - Central","East Asia","Switzerland North","Brazil South","West US","Norway - East","UAE North","Australia Southeast","Canada East","Japan West","Central - US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2020-04-01-preview"],"defaultApiVersion":"2020-04-01-preview","capabilities":"CrossResourceGroupResourceMove, + Central","East Asia","Switzerland North","Brazil South","Central US EUAP","East + US 2 EUAP"],"apiVersions":["2022-07-01","2020-04-01-preview"],"defaultApiVersion":"2020-04-01-preview","capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"dnsForwardingRulesets","locations":["West Central US","East US 2","West Europe","North Europe","Australia East","UK South","South Central US","East US","North Central US","West US 2","West US 3","Southeast Asia","Central India","Canada Central","Central US","France Central","Japan East","Germany West Central","South Africa North","Korea Central","Sweden - Central","East Asia","Switzerland North","Brazil South","West US","Norway - East","UAE North","Australia Southeast","Canada East","Japan West","Central - US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2020-04-01-preview"],"defaultApiVersion":"2020-04-01-preview","capabilities":"CrossResourceGroupResourceMove, + Central","East Asia","Switzerland North","Brazil South","Central US EUAP","East + US 2 EUAP"],"apiVersions":["2022-07-01","2020-04-01-preview"],"defaultApiVersion":"2020-04-01-preview","capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"dnsForwardingRulesets/forwardingRules","locations":["West Central US","East US 2","West Europe","North Europe","Australia East","UK South","South Central US","East US","North Central US","West US 2","West US 3","Southeast Asia","Central India","Canada Central","Central US","France Central","Japan East","Germany West Central","South Africa North","Korea Central","Sweden - Central","East Asia","Switzerland North","Brazil South","West US","Norway - East","UAE North","Australia Southeast","Canada East","Japan West","Central - US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2020-04-01-preview"],"defaultApiVersion":"2020-04-01-preview","capabilities":"None"},{"resourceType":"dnsForwardingRulesets/virtualNetworkLinks","locations":["West + Central","East Asia","Switzerland North","Brazil South","Central US EUAP","East + US 2 EUAP"],"apiVersions":["2022-07-01","2020-04-01-preview"],"defaultApiVersion":"2020-04-01-preview","capabilities":"None"},{"resourceType":"dnsForwardingRulesets/virtualNetworkLinks","locations":["West Central US","East US 2","West Europe","North Europe","Australia East","UK South","South Central US","East US","North Central US","West US 2","West US 3","Southeast Asia","Central India","Canada Central","Central US","France Central","Japan East","Germany West Central","South Africa North","Korea Central","Sweden - Central","East Asia","Switzerland North","Brazil South","West US","Norway - East","UAE North","Australia Southeast","Canada East","Japan West","Central - US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2020-04-01-preview"],"defaultApiVersion":"2020-04-01-preview","capabilities":"None"},{"resourceType":"virtualNetworks/listDnsResolvers","locations":["West + Central","East Asia","Switzerland North","Brazil South","Central US EUAP","East + US 2 EUAP"],"apiVersions":["2022-07-01","2020-04-01-preview"],"defaultApiVersion":"2020-04-01-preview","capabilities":"None"},{"resourceType":"virtualNetworks/listDnsResolvers","locations":["West Central US","East US 2","West Europe","North Europe","Australia East","UK South","South Central US","East US","North Central US","West US 2","West US 3","Southeast Asia","Central India","Canada Central","Central US","France Central","Japan East","Germany West Central","South Africa North","Korea Central","Sweden - Central","East Asia","Switzerland North","Brazil South","West US","Norway - East","UAE North","Australia Southeast","Canada East","Japan West","Central - US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2020-04-01-preview"],"defaultApiVersion":"2020-04-01-preview","capabilities":"None"},{"resourceType":"virtualNetworks/listDnsForwardingRulesets","locations":["West + Central","East Asia","Switzerland North","Brazil South","Central US EUAP","East + US 2 EUAP"],"apiVersions":["2022-07-01","2020-04-01-preview"],"defaultApiVersion":"2020-04-01-preview","capabilities":"None"},{"resourceType":"virtualNetworks/listDnsForwardingRulesets","locations":["West Central US","East US 2","West Europe","North Europe","Australia East","UK South","South Central US","East US","North Central US","West US 2","West US 3","Central India","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2020-04-01-preview"],"defaultApiVersion":"2020-04-01-preview","capabilities":"None"},{"resourceType":"locations/dnsResolverOperationResults","locations":[],"apiVersions":["2022-07-01","2020-04-01-preview"],"defaultApiVersion":"2020-04-01-preview","capabilities":"None"},{"resourceType":"locations/dnsResolverOperationStatuses","locations":[],"apiVersions":["2022-07-01","2020-04-01-preview"],"defaultApiVersion":"2020-04-01-preview","capabilities":"None"},{"resourceType":"trafficmanagerprofiles","locations":["global"],"apiVersions":["2022-04-01-preview","2018-08-01","2018-04-01","2018-03-01","2018-02-01","2017-05-01","2017-03-01","2015-11-01","2015-04-28-preview"],"defaultApiVersion":"2018-08-01","capabilities":"CrossResourceGroupResourceMove, @@ -1204,7 +1197,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, SupportsLocation"},{"resourceType":"expressRouteServiceProviders","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -1213,7 +1206,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"capabilities":"None"},{"resourceType":"applicationGatewayAvailableWafRuleSets","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"capabilities":"None"},{"resourceType":"applicationGatewayAvailableWafRuleSets","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1221,7 +1214,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01"],"capabilities":"None"},{"resourceType":"applicationGatewayAvailableSslOptions","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01"],"capabilities":"None"},{"resourceType":"applicationGatewayAvailableSslOptions","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1229,7 +1222,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01"],"capabilities":"None"},{"resourceType":"applicationGatewayAvailableServerVariables","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01"],"capabilities":"None"},{"resourceType":"applicationGatewayAvailableServerVariables","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1237,7 +1230,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01"],"capabilities":"None"},{"resourceType":"applicationGatewayAvailableRequestHeaders","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01"],"capabilities":"None"},{"resourceType":"applicationGatewayAvailableRequestHeaders","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1245,7 +1238,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01"],"capabilities":"None"},{"resourceType":"applicationGatewayAvailableResponseHeaders","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01"],"capabilities":"None"},{"resourceType":"applicationGatewayAvailableResponseHeaders","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1253,7 +1246,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01"],"capabilities":"None"},{"resourceType":"routeFilters","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01"],"capabilities":"None"},{"resourceType":"routeFilters","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1261,7 +1254,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01","2016-11-01","2016-10-01","2016-09-01","2016-08-01","2016-07-01","2016-06-01","2016-03-30","2015-06-15","2015-05-01-preview","2014-12-01-preview"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, SupportsLocation"},{"resourceType":"bgpServiceCommunities","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -1270,7 +1263,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01"],"capabilities":"None"},{"resourceType":"virtualWans","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01","2017-08-01","2017-06-01","2017-04-01","2017-03-01","2016-12-01"],"capabilities":"None"},{"resourceType":"virtualWans","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1278,7 +1271,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, SupportsLocation"},{"resourceType":"vpnSites","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil @@ -1287,7 +1280,7 @@ interactions: South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar Central","Central - US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, + US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, SupportsLocation"},{"resourceType":"vpnServerConfigurations","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -1296,7 +1289,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","South Africa North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar Central","Central US EUAP","East - US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, + US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, SupportsLocation"},{"resourceType":"virtualHubs","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil @@ -1305,7 +1298,7 @@ interactions: South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar Central","Central - US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, + US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, SupportsLocation"},{"resourceType":"vpnGateways","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil @@ -1314,7 +1307,7 @@ interactions: South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar Central","Central - US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, + US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, SupportsLocation"},{"resourceType":"p2sVpnGateways","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil @@ -1323,7 +1316,7 @@ interactions: South","Korea Central","Korea South","France Central","Australia Central","UAE North","South Africa North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar Central","Central - US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, + US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, SupportsLocation"},{"resourceType":"expressRouteGateways","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -1332,7 +1325,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, SupportsLocation"},{"resourceType":"locations/hybridEdgeZone","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -1341,7 +1334,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01"],"capabilities":"None"},{"resourceType":"expressRoutePortsLocations","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01"],"capabilities":"None"},{"resourceType":"expressRoutePortsLocations","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1349,7 +1342,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01"],"capabilities":"None"},{"resourceType":"expressRoutePorts","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01"],"capabilities":"None"},{"resourceType":"expressRoutePorts","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1357,7 +1350,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","UAE North","South Africa North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, SupportsLocation"},{"resourceType":"firewallPolicies","locations":["Qatar Central","UAE North","Australia Central 2","UAE Central","Germany North","Central India","Korea South","Switzerland North","Switzerland West","Japan West","France @@ -1367,7 +1360,7 @@ interactions: West","Sweden Central","Japan East","UK West","West US","East US","North Europe","West Europe","West Central US","South Central US","Australia East","Australia Central","Australia Southeast","UK South","East US 2","West US 2","North Central US","Canada Central","France - Central","Central US","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01"],"defaultApiVersion":"2020-04-01","capabilities":"SupportsTags, + Central","Central US","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01"],"defaultApiVersion":"2020-04-01","capabilities":"SupportsTags, SupportsLocation"},{"resourceType":"ipGroups","locations":["Qatar Central","UAE North","Australia Central 2","UAE Central","Germany North","Central India","Korea South","Switzerland North","Switzerland West","Japan West","France South","South @@ -1377,8 +1370,8 @@ interactions: Central","Japan East","UK West","West US","East US","North Europe","West Europe","South Central US","Australia East","Australia Central","Australia Southeast","UK South","East US 2","West US 2","North Central US","Canada Central","France - Central","West Central US","Central US","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01"],"defaultApiVersion":"2020-04-01","capabilities":"SupportsTags, - SupportsLocation"},{"resourceType":"azureWebCategories","locations":[],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01"],"defaultApiVersion":"2020-08-01","capabilities":"None"},{"resourceType":"locations/nfvOperations","locations":[],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"capabilities":"None"},{"resourceType":"locations/nfvOperationResults","locations":[],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"capabilities":"None"},{"resourceType":"securityPartnerProviders","locations":["West + Central","West Central US","Central US","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01"],"defaultApiVersion":"2020-04-01","capabilities":"SupportsTags, + SupportsLocation"},{"resourceType":"azureWebCategories","locations":[],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01"],"defaultApiVersion":"2020-08-01","capabilities":"None"},{"resourceType":"locations/nfvOperations","locations":[],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"capabilities":"None"},{"resourceType":"locations/nfvOperationResults","locations":[],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"capabilities":"None"},{"resourceType":"securityPartnerProviders","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1386,7 +1379,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, SupportsLocation"},{"resourceType":"azureFirewalls","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Brazil South","Australia @@ -1395,7 +1388,7 @@ interactions: Central","Australia Central","Japan West","Japan East","Korea Central","Korea South","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01"],"defaultApiVersion":"2020-03-01","zoneMappings":[{"location":"Australia + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01"],"defaultApiVersion":"2020-03-01","zoneMappings":[{"location":"Australia East","zones":["3","2","1"]},{"location":"Brazil South","zones":["3","2","1"]},{"location":"Canada Central","zones":["3","2","1"]},{"location":"Central India","zones":["3","2","1"]},{"location":"Central US","zones":["3","2","1"]},{"location":"Central US EUAP","zones":["2","1"]},{"location":"East @@ -1418,7 +1411,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01"],"capabilities":"None"},{"resourceType":"virtualNetworkTaps","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01"],"capabilities":"None"},{"resourceType":"virtualNetworkTaps","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1426,7 +1419,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, SupportsLocation"},{"resourceType":"privateLinkServices","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -1435,7 +1428,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, SupportsLocation"},{"resourceType":"locations/privateLinkServices","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -1444,7 +1437,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01"],"capabilities":"None"},{"resourceType":"ddosProtectionPlans","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01"],"capabilities":"None"},{"resourceType":"ddosProtectionPlans","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1452,7 +1445,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2018-02-01"}],"capabilities":"SupportsTags, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01"],"defaultApiVersion":"2020-03-01","apiProfiles":[{"profileVersion":"2017-03-09-profile","apiVersion":"2018-02-01"}],"capabilities":"SupportsTags, SupportsLocation"},{"resourceType":"networkProfiles","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil @@ -1461,7 +1454,7 @@ interactions: South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar Central","Central - US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, + US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, SupportsLocation"},{"resourceType":"checkFrontdoorNameAvailability","locations":["global","Central US","East US","East US 2","North Central US","South Central US","West US","North Europe","West Europe","East Asia","Southeast Asia","Japan East","Japan West","Brazil @@ -1476,7 +1469,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01"],"capabilities":"None"},{"resourceType":"bastionHosts","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01"],"capabilities":"None"},{"resourceType":"bastionHosts","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1484,7 +1477,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01"],"defaultApiVersion":"2020-03-01","capabilities":"SupportsTags, SupportsLocation"},{"resourceType":"virtualRouters","locations":["Qatar Central","UAE North","Australia Central 2","UAE Central","Germany North","Central India","Korea South","Switzerland North","Switzerland West","Japan West","France South","South @@ -1494,7 +1487,7 @@ interactions: Central","Japan East","UK West","West US","East US","North Europe","West Europe","West Central US","South Central US","Australia East","Australia Central","Australia Southeast","UK South","East US 2","West US 2","North Central US","Canada Central","France - Central","Central US","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01"],"defaultApiVersion":"2020-04-01","capabilities":"SupportsTags, + Central","Central US","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01"],"defaultApiVersion":"2020-04-01","capabilities":"SupportsTags, SupportsLocation"},{"resourceType":"networkVirtualAppliances","locations":["Qatar Central","Brazil Southeast","West US 3","Jio India West","Sweden Central","UAE North","Australia Central 2","UAE Central","Germany North","Central India","Korea @@ -1505,7 +1498,7 @@ interactions: Europe","West Europe","West Central US","South Central US","Australia East","Australia Central","Australia Southeast","UK South","East US 2","West US 2","North Central US","Canada Central","France Central","Central US","Central US EUAP","East - US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01"],"defaultApiVersion":"2020-04-01","capabilities":"SystemAssignedResourceIdentity, + US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01"],"defaultApiVersion":"2020-04-01","capabilities":"SystemAssignedResourceIdentity, SupportsTags, SupportsLocation"},{"resourceType":"ipAllocations","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan @@ -1514,7 +1507,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01"],"defaultApiVersion":"2020-03-01","capabilities":"CrossResourceGroupResourceMove, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01"],"defaultApiVersion":"2020-03-01","capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"networkManagers","locations":["West Central US","North Central US","West US","West Europe","UAE Central","Germany North","East US","West India","East US 2","Australia Central","Australia Central @@ -1525,8 +1518,8 @@ interactions: 3","Central India","Korea South","Brazil Southeast","Korea Central","Southeast Asia","South Central US","Norway West","Australia East","Japan East","Canada East","Canada Central","Switzerland North","Qatar Central","East US 2 EUAP","Central - US EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-06-01-preview","2022-05-01","2022-04-01-preview","2022-02-01-preview","2022-01-01","2021-05-01-preview","2021-02-01-preview","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2019-12-01","2019-11-01"],"defaultApiVersion":"2022-01-01","capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"networkManagerConnections","locations":[],"apiVersions":["2022-09-01","2022-07-01","2022-06-01-preview","2022-05-01","2022-04-01-preview","2022-02-01-preview","2022-01-01","2021-05-01-preview","2021-02-01-preview"],"defaultApiVersion":"2022-01-01","capabilities":"SupportsExtension"},{"resourceType":"locations/queryNetworkSecurityPerimeter","locations":["West + US EUAP"],"apiVersions":["2022-07-01","2022-06-01-preview","2022-05-01","2022-04-01-preview","2022-02-01-preview","2022-01-01","2021-05-01-preview","2021-02-01-preview","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2019-12-01","2019-11-01"],"defaultApiVersion":"2022-01-01","capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"networkManagerConnections","locations":[],"apiVersions":["2022-07-01","2022-06-01-preview","2022-05-01","2022-04-01-preview","2022-02-01-preview","2022-01-01","2021-05-01-preview","2021-02-01-preview"],"defaultApiVersion":"2022-01-01","capabilities":"SupportsExtension"},{"resourceType":"locations/queryNetworkSecurityPerimeter","locations":["West Central US","Jio India West","North Central US","West US","West Europe","UAE Central","Germany North","East US","West India","East US 2","Australia Central","Australia Central 2","South Africa West","Brazil South","UK West","North Europe","Central @@ -1546,7 +1539,7 @@ interactions: 3","Central India","Korea South","Brazil Southeast","Korea Central","Southeast Asia","South Central US","Norway West","Australia East","Japan East","Canada East","Canada Central","Switzerland North","Qatar Central","East US 2 EUAP","Central - US EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-06-01-preview","2022-05-01","2022-04-01-preview","2022-02-01-preview","2022-01-01","2021-05-01-preview","2021-02-01-preview","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2019-12-01","2019-11-01"],"defaultApiVersion":"2022-01-01","capabilities":"None"},{"resourceType":"virtualNetworks/listNetworkManagerEffectiveSecurityAdminRules","locations":["West + US EUAP"],"apiVersions":["2022-07-01","2022-06-01-preview","2022-05-01","2022-04-01-preview","2022-02-01-preview","2022-01-01","2021-05-01-preview","2021-02-01-preview","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2019-12-01","2019-11-01"],"defaultApiVersion":"2022-01-01","capabilities":"None"},{"resourceType":"virtualNetworks/listNetworkManagerEffectiveSecurityAdminRules","locations":["West Central US","North Central US","West US","West Europe","UAE Central","Germany North","East US","West India","East US 2","Australia Central","Australia Central 2","South Africa West","Brazil South","UK West","North Europe","Central US","UAE @@ -1556,7 +1549,7 @@ interactions: 3","Central India","Korea South","Brazil Southeast","Korea Central","Southeast Asia","South Central US","Norway West","Australia East","Japan East","Canada East","Canada Central","Switzerland North","Qatar Central","East US 2 EUAP","Central - US EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-06-01-preview","2022-05-01","2022-04-01-preview","2022-02-01-preview","2022-01-01","2021-05-01-preview","2021-02-01-preview","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2019-12-01","2019-11-01"],"defaultApiVersion":"2022-01-01","capabilities":"None"},{"resourceType":"locations/commitInternalAzureNetworkManagerConfiguration","locations":["West + US EUAP"],"apiVersions":["2022-07-01","2022-06-01-preview","2022-05-01","2022-04-01-preview","2022-02-01-preview","2022-01-01","2021-05-01-preview","2021-02-01-preview","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2019-12-01","2019-11-01"],"defaultApiVersion":"2022-01-01","capabilities":"None"},{"resourceType":"locations/commitInternalAzureNetworkManagerConfiguration","locations":["West Central US","North Central US","West US","West Europe","UAE Central","Germany North","East US","West India","East US 2","Australia Central","Australia Central 2","South Africa West","Brazil South","UK West","North Europe","Central US","UAE @@ -1566,7 +1559,7 @@ interactions: 3","Central India","Korea South","Brazil Southeast","Korea Central","Southeast Asia","South Central US","Norway West","Australia East","Japan East","Canada East","Canada Central","Switzerland North","Qatar Central","East US 2 EUAP","Central - US EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-06-01-preview","2022-05-01","2022-04-01-preview","2022-02-01-preview","2022-01-01","2021-05-01-preview","2021-02-01-preview","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2019-12-01","2019-11-01"],"capabilities":"None"},{"resourceType":"locations/internalAzureVirtualNetworkManagerOperation","locations":["West + US EUAP"],"apiVersions":["2022-07-01","2022-06-01-preview","2022-05-01","2022-04-01-preview","2022-02-01-preview","2022-01-01","2021-05-01-preview","2021-02-01-preview","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2019-12-01","2019-11-01"],"capabilities":"None"},{"resourceType":"locations/internalAzureVirtualNetworkManagerOperation","locations":["West Central US","North Central US","West US","West Europe","UAE Central","Germany North","East US","West India","East US 2","Australia Central","Australia Central 2","South Africa West","Brazil South","UK West","North Europe","Central US","UAE @@ -1576,7 +1569,7 @@ interactions: 3","Central India","Korea South","Brazil Southeast","Korea Central","Southeast Asia","South Central US","Norway West","Australia East","Japan East","Canada East","Canada Central","Switzerland North","Qatar Central","East US 2 EUAP","Central - US EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-06-01-preview","2022-05-01","2022-04-01-preview","2022-02-01-preview","2022-01-01","2021-05-01-preview","2021-02-01-preview","2020-08-01"],"capabilities":"None"},{"resourceType":"networkVirtualApplianceSkus","locations":[],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01"],"defaultApiVersion":"2020-04-01","capabilities":"None"},{"resourceType":"locations/serviceTagDetails","locations":["West + US EUAP"],"apiVersions":["2022-07-01","2022-06-01-preview","2022-05-01","2022-04-01-preview","2022-02-01-preview","2022-01-01","2021-05-01-preview","2021-02-01-preview","2020-08-01"],"capabilities":"None"},{"resourceType":"networkVirtualApplianceSkus","locations":[],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01"],"defaultApiVersion":"2020-04-01","capabilities":"None"},{"resourceType":"locations/serviceTagDetails","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1584,7 +1577,7 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01"],"capabilities":"None"},{"resourceType":"locations/dataTasks","locations":["West + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01"],"capabilities":"None"},{"resourceType":"locations/dataTasks","locations":["West US","East US","North Europe","West Europe","East Asia","Southeast Asia","North Central US","South Central US","Central US","East US 2","Japan East","Japan West","Brazil South","Australia East","Australia Southeast","Central India","South @@ -1592,8 +1585,8 @@ interactions: US 2","UK West","UK South","Korea Central","Korea South","France Central","Australia Central","South Africa North","UAE North","Switzerland North","Germany West Central","Norway East","West US 3","Jio India West","Sweden Central","Qatar - Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01"],"capabilities":"None"},{"resourceType":"networkWatchers/lenses","locations":["Central - US EUAP","East US 2 EUAP"],"apiVersions":["2022-09-01","2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"defaultApiVersion":"2020-03-01","capabilities":"CrossResourceGroupResourceMove, + Central","Central US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01"],"capabilities":"None"},{"resourceType":"networkWatchers/lenses","locations":["Central + US EUAP","East US 2 EUAP"],"apiVersions":["2022-07-01","2022-05-01","2022-01-01","2021-12-01","2021-08-01","2021-06-01","2021-05-01","2021-04-01","2021-03-01","2021-02-01","2021-01-01","2020-11-01","2020-08-01","2020-07-01","2020-06-01","2020-05-01","2020-04-01","2020-03-01","2020-01-01","2019-12-01","2019-11-01","2019-09-01","2019-08-01","2019-07-01","2019-06-01","2019-04-01","2019-02-01","2018-12-01","2018-11-01","2018-10-01","2018-08-01","2018-07-01","2018-06-01","2018-05-01","2018-04-01","2018-03-01","2018-02-01","2018-01-01","2017-11-01","2017-10-01","2017-09-01"],"defaultApiVersion":"2020-03-01","capabilities":"CrossResourceGroupResourceMove, CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"frontdoorOperationResults","locations":["global"],"apiVersions":["2022-05-01","2021-06-01","2020-11-01","2020-07-01","2020-05-01","2020-04-01","2020-01-01","2019-11-01","2019-10-01","2019-08-01","2019-05-01","2019-04-01","2019-03-01","2018-08-01"],"defaultApiVersion":"2020-07-01","capabilities":"None"},{"resourceType":"frontdoors","locations":["Central US EUAP","East US 2 EUAP","global","Central US","East US","East US 2","North Central US","South Central US","West US","North Europe","West Europe","East @@ -1622,11 +1615,11 @@ interactions: cache-control: - no-cache content-length: - - '149219' + - '147324' content-type: - application/json; charset=utf-8 date: - - Fri, 17 Feb 2023 07:31:03 GMT + - Wed, 04 Jan 2023 07:29:59 GMT expires: - '-1' pragma: @@ -1655,13 +1648,13 @@ interactions: - --resource-group --name --image --ssh-key-values --public-ip-address --custom-data --vnet-name --subnet User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/proxy-subnet?api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/proxy-subnet?api-version=2022-07-01 response: body: string: "{\r\n \"name\": \"proxy-subnet\",\r\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/proxy-subnet\",\r\n - \ \"etag\": \"W/\\\"9389ffd5-ca47-413f-b488-83582a9e4960\\\"\",\r\n \"properties\": + \ \"etag\": \"W/\\\"00cf79d6-6ffa-44e3-99d8-6fa62728aba8\\\"\",\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \"addressPrefix\": \"10.42.3.0/24\",\r\n \ \"delegations\": [],\r\n \"privateEndpointNetworkPolicies\": \"Disabled\",\r\n \ \"privateLinkServiceNetworkPolicies\": \"Enabled\"\r\n },\r\n \"type\": @@ -1674,9 +1667,9 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Fri, 17 Feb 2023 07:31:04 GMT + - Wed, 04 Jan 2023 07:29:59 GMT etag: - - W/"9389ffd5-ca47-413f-b488-83582a9e4960" + - W/"00cf79d6-6ffa-44e3-99d8-6fa62728aba8" expires: - '-1' pragma: @@ -1693,7 +1686,7 @@ interactions: x-content-type-options: - nosniff x-ms-arm-service-request-id: - - 5068d723-182a-43c1-a820-3a1a758da700 + - 71704019-fcd2-4dec-abe2-ee653c61b231 status: code: 200 message: OK @@ -1712,13 +1705,13 @@ interactions: - --resource-group --name --image --ssh-key-values --public-ip-address --custom-data --vnet-name --subnet User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-compute/29.1.0 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-compute/29.0.0 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/westus2/publishers/Canonical/artifacttypes/vmimage/offers/0001-com-ubuntu-server-focal/skus/20_04-lts/versions?$top=1&$orderby=name%20desc&api-version=2022-11-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/westus2/publishers/Canonical/artifacttypes/vmimage/offers/0001-com-ubuntu-server-focal/skus/20_04-lts/versions?$top=1&$orderby=name%20desc&api-version=2022-08-01 response: body: - string: "[\r\n {\r\n \"location\": \"westus2\",\r\n \"name\": \"20.04.202302090\",\r\n - \ \"id\": \"/Subscriptions/00000000-0000-0000-0000-000000000000/Providers/Microsoft.Compute/Locations/westus2/Publishers/Canonical/ArtifactTypes/VMImage/Offers/0001-com-ubuntu-server-focal/Skus/20_04-lts/Versions/20.04.202302090\"\r\n + string: "[\r\n {\r\n \"location\": \"westus2\",\r\n \"name\": \"20.04.202212140\",\r\n + \ \"id\": \"/Subscriptions/00000000-0000-0000-0000-000000000000/Providers/Microsoft.Compute/Locations/westus2/Publishers/Canonical/ArtifactTypes/VMImage/Offers/0001-com-ubuntu-server-focal/Skus/20_04-lts/Versions/20.04.202212140\"\r\n \ }\r\n]" headers: cache-control: @@ -1728,7 +1721,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Fri, 17 Feb 2023 07:31:04 GMT + - Wed, 04 Jan 2023 07:30:00 GMT expires: - '-1' pragma: @@ -1764,9 +1757,9 @@ interactions: - --resource-group --name --image --ssh-key-values --public-ip-address --custom-data --vnet-name --subnet User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-compute/29.1.0 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-compute/29.0.0 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/westus2/publishers/Canonical/artifacttypes/vmimage/offers/0001-com-ubuntu-server-focal/skus/20_04-lts/versions/20.04.202302090?api-version=2022-11-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/westus2/publishers/Canonical/artifacttypes/vmimage/offers/0001-com-ubuntu-server-focal/skus/20_04-lts/versions/20.04.202212140?api-version=2022-08-01 response: body: string: "{\r\n \"properties\": {\r\n \"hyperVGeneration\": \"V1\",\r\n \"architecture\": @@ -1780,8 +1773,8 @@ interactions: \"IsHibernateSupported\",\r\n \"value\": \"True\"\r\n }\r\n ],\r\n \ \"osDiskImage\": {\r\n \"operatingSystem\": \"Linux\",\r\n \"sizeInGb\": 31,\r\n \"sizeInBytes\": 32213303808\r\n },\r\n \"dataDiskImages\": - []\r\n },\r\n \"location\": \"westus2\",\r\n \"name\": \"20.04.202302090\",\r\n - \ \"id\": \"/Subscriptions/00000000-0000-0000-0000-000000000000/Providers/Microsoft.Compute/Locations/westus2/Publishers/Canonical/ArtifactTypes/VMImage/Offers/0001-com-ubuntu-server-focal/Skus/20_04-lts/Versions/20.04.202302090\"\r\n}" + []\r\n },\r\n \"location\": \"westus2\",\r\n \"name\": \"20.04.202212140\",\r\n + \ \"id\": \"/Subscriptions/00000000-0000-0000-0000-000000000000/Providers/Microsoft.Compute/Locations/westus2/Publishers/Canonical/ArtifactTypes/VMImage/Offers/0001-com-ubuntu-server-focal/Skus/20_04-lts/Versions/20.04.202212140\"\r\n}" headers: cache-control: - no-cache @@ -1790,7 +1783,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Fri, 17 Feb 2023 07:31:04 GMT + - Wed, 04 Jan 2023 07:30:00 GMT expires: - '-1' pragma: @@ -1826,13 +1819,13 @@ interactions: - --resource-group --name --image --ssh-key-values --public-ip-address --custom-data --vnet-name --subnet User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-compute/29.1.0 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-compute/29.0.0 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/westus2/publishers/Canonical/artifacttypes/vmimage/offers/0001-com-ubuntu-server-focal/skus/20_04-lts/versions?$top=1&$orderby=name%20desc&api-version=2022-11-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/westus2/publishers/Canonical/artifacttypes/vmimage/offers/0001-com-ubuntu-server-focal/skus/20_04-lts/versions?$top=1&$orderby=name%20desc&api-version=2022-08-01 response: body: - string: "[\r\n {\r\n \"location\": \"westus2\",\r\n \"name\": \"20.04.202302090\",\r\n - \ \"id\": \"/Subscriptions/00000000-0000-0000-0000-000000000000/Providers/Microsoft.Compute/Locations/westus2/Publishers/Canonical/ArtifactTypes/VMImage/Offers/0001-com-ubuntu-server-focal/Skus/20_04-lts/Versions/20.04.202302090\"\r\n + string: "[\r\n {\r\n \"location\": \"westus2\",\r\n \"name\": \"20.04.202212140\",\r\n + \ \"id\": \"/Subscriptions/00000000-0000-0000-0000-000000000000/Providers/Microsoft.Compute/Locations/westus2/Publishers/Canonical/ArtifactTypes/VMImage/Offers/0001-com-ubuntu-server-focal/Skus/20_04-lts/Versions/20.04.202212140\"\r\n \ }\r\n]" headers: cache-control: @@ -1842,7 +1835,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Fri, 17 Feb 2023 07:31:04 GMT + - Wed, 04 Jan 2023 07:30:00 GMT expires: - '-1' pragma: @@ -1878,9 +1871,9 @@ interactions: - --resource-group --name --image --ssh-key-values --public-ip-address --custom-data --vnet-name --subnet User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-compute/29.1.0 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-compute/29.0.0 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/westus2/publishers/Canonical/artifacttypes/vmimage/offers/0001-com-ubuntu-server-focal/skus/20_04-lts/versions/20.04.202302090?api-version=2022-11-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/westus2/publishers/Canonical/artifacttypes/vmimage/offers/0001-com-ubuntu-server-focal/skus/20_04-lts/versions/20.04.202212140?api-version=2022-08-01 response: body: string: "{\r\n \"properties\": {\r\n \"hyperVGeneration\": \"V1\",\r\n \"architecture\": @@ -1894,8 +1887,8 @@ interactions: \"IsHibernateSupported\",\r\n \"value\": \"True\"\r\n }\r\n ],\r\n \ \"osDiskImage\": {\r\n \"operatingSystem\": \"Linux\",\r\n \"sizeInGb\": 31,\r\n \"sizeInBytes\": 32213303808\r\n },\r\n \"dataDiskImages\": - []\r\n },\r\n \"location\": \"westus2\",\r\n \"name\": \"20.04.202302090\",\r\n - \ \"id\": \"/Subscriptions/00000000-0000-0000-0000-000000000000/Providers/Microsoft.Compute/Locations/westus2/Publishers/Canonical/ArtifactTypes/VMImage/Offers/0001-com-ubuntu-server-focal/Skus/20_04-lts/Versions/20.04.202302090\"\r\n}" + []\r\n },\r\n \"location\": \"westus2\",\r\n \"name\": \"20.04.202212140\",\r\n + \ \"id\": \"/Subscriptions/00000000-0000-0000-0000-000000000000/Providers/Microsoft.Compute/Locations/westus2/Publishers/Canonical/ArtifactTypes/VMImage/Offers/0001-com-ubuntu-server-focal/Skus/20_04-lts/Versions/20.04.202212140\"\r\n}" headers: cache-control: - no-cache @@ -1904,7 +1897,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Fri, 17 Feb 2023 07:31:04 GMT + - Wed, 04 Jan 2023 07:30:00 GMT expires: - '-1' pragma: @@ -1939,7 +1932,7 @@ interactions: [{"name": "ipconfigcli-proxy-vm", "properties": {"privateIPAllocationMethod": "Dynamic", "subnet": {"id": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/proxy-subnet"}}}], "networkSecurityGroup": {"id": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkSecurityGroups/cli-proxy-vmNSG"}}}, - {"apiVersion": "2022-11-01", "type": "Microsoft.Compute/virtualMachines", "name": + {"apiVersion": "2022-08-01", "type": "Microsoft.Compute/virtualMachines", "name": "cli-proxy-vm", "location": "westus2", "tags": {}, "dependsOn": ["Microsoft.Network/networkInterfaces/cli-proxy-vmVMNic"], "properties": {"hardwareProfile": {"vmSize": "Standard_DS1_v2"}, "networkProfile": {"networkInterfaces": [{"id": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkInterfaces/cli-proxy-vmVMNic", @@ -1949,7 +1942,7 @@ interactions: "sku": "20_04-lts", "version": "latest"}}, "osProfile": {"computerName": "cli-proxy-vm", "adminUsername": "azureuser", "customData": "IyEvdXNyL2Jpbi9lbnYgYmFzaApzZXQgLXgKCmVjaG8gInNldHRpbmcgdXAiCldPUktESVI9IiR7MTotJChta3RlbXAgLWQpfSIKZWNobyAic2V0dGluZyB1cCAke1dPUktESVJ9IgoKcHVzaGQgIiRXT1JLRElSIgoKYXB0IHVwZGF0ZSAteSAmJiBhcHQgaW5zdGFsbCAteSBhcHQtdHJhbnNwb3J0LWh0dHBzIGN1cmwgZ251cGcgbWFrZSBnY2MgPCAvZGV2L251bGwKCiMgYWRkIGRpbGFkZWxlIGFwdCBrZXkKd2dldCAtcU8gLSBodHRwczovL3BhY2thZ2VzLmRpbGFkZWxlLmNvbS9kaWxhZGVsZV9wdWIuYXNjIHwgYXB0LWtleSBhZGQgLQoKIyBhZGQgbmV3IHJlcG8KdGVlIC9ldGMvYXB0L3NvdXJjZXMubGlzdC5kL3NxdWlkNDEzLXVidW50dTIwLmRpbGFkZWxlLmNvbS5saXN0IDw8RU9GCmRlYiBodHRwczovL3NxdWlkNDEzLXVidW50dTIwLmRpbGFkZWxlLmNvbS91YnVudHUvIGZvY2FsIG1haW4KRU9GCgojIGFuZCBpbnN0YWxsCmFwdC1nZXQgdXBkYXRlICYmIGFwdC1nZXQgaW5zdGFsbCAteSBzcXVpZC1jb21tb24gc3F1aWQtb3BlbnNzbCBzcXVpZGNsaWVudCBsaWJlY2FwMyBsaWJlY2FwMy1kZXYgPCAvZGV2L251bGwKCm1rZGlyIC1wIC92YXIvbGliL3NxdWlkCgovdXNyL2xpYi9zcXVpZC9zZWN1cml0eV9maWxlX2NlcnRnZW4gLWMgLXMgL3Zhci9saWIvc3F1aWQvc3NsX2RiIC1NIDRNQiB8fCB0cnVlCgpjaG93biAtUiBwcm94eTpwcm94eSAvdmFyL2xpYi9zcXVpZAoKIyBOYW1lIG9mIHRoZSBWTSBvbiB3aGljaCBTcXVpZCBpcyBob3N0ZWQKSE9TVD0iY2xpLXByb3h5LXZtIgoKdGVlIHNxdWlkYy5wZW0gPiAvZGV2L251bGwgPDxFT0YKLS0tLS1CRUdJTiBDRVJUSUZJQ0FURS0tLS0tCk1JSUZHekNDQXdPZ0F3SUJBZ0lVT1FvajhDTFpkc2Vscjk3cnZJd3g1T0xEc3V3d0RRWUpLb1pJaHZjTkFRRUwKQlFBd0Z6RVZNQk1HQTFVRUF3d01ZMnhwTFhCeWIzaDVMWFp0TUI0WERUSXlNRE13T0RFMk5EUTBOMW9YRFRNeQpNRE13TlRFMk5EUTBOMW93RnpFVk1CTUdBMVVFQXd3TVkyeHBMWEJ5YjNoNUxYWnRNSUlDSWpBTkJna3Foa2lHCjl3MEJBUUVGQUFPQ0FnOEFNSUlDQ2dLQ0FnRUEvTVB0VjVCVFB0NmNxaTRSZE1sbXIzeUlzYTJ1anpjaHh2NGgKanNDMUR0blJnb3M1UzQxUEgwcmkrM3RUU1ZYMzJ5cndzWStyRDFZUnVwbTZsbUU3R2hVNUkwR2k5b3prU0YwWgpLS2FKaTJveXBVL0ZCK1FQcXpvQ1JzTUV3R0NibUtGVmw4VnVoeW5kWEs0YjRrYmxyOWJsL2V1d2Q3TThTYnZ6CldVam5lRHJRc2lJc3J6UFQ0S0FaTHFjdHpEZTRsbFBUN1lLYTMzaGlFUE9mdldpWitkcWthUUE5UDY0eFhTeW4KZkhYOHVWQUozdUJWSmVHeEQwcGtOSjdqT3J5YVV1SEh1Y1U4UzltSWpuS2pBQjVhUGpMSDV4QXM2bG1iMzEyMgp5KzF0bkVBbVhNNTBEK1VvRWpmUzZIT2I1cmRpcVhHdmMxS2JvS2p6a1BDUnh4MmE3MmN2ZWdVajZtZ0FKTHpnClRoRTFsbGNtVTRpemd4b0lNa1ZwR1RWT0xMbjFWRkt1TmhNWkN2RnZLZ25Lb0F2M0cwRlVuZldFYVJSalNObUQKTFlhTURUNUg5WnQycERJVWpVR1N0Q2w3Z1J6TUVuWXdKTzN5aURwZzQzbzVkUnlzVXlMOUpmRS9OaDdUZzYxOApuOGNKL1c3K1FZYllsanVyYXA4cjdRRlNyb2wzVkNoRkIrT29yNW5pK3ZvaFNBd0pmMFVsTXBHM3hXbXkxVUk0ClRGS2ZGR1JSVHpyUCs3Yk53WDVoSXZJeTVWdGd5YU9xSndUeGhpL0pkeHRPcjJ0QTVyQ1c3K0N0Z1N2emtxTkUKWHlyN3ZrWWdwNlk1TFpneTR0VWpLMEswT1VnVmRqQk9oRHBFenkvRkY4dzFGRVZnSjBxWS9yV2NMa0JIRFQ4Ugp2SmtoaW84Q0F3RUFBYU5mTUYwd0Z3WURWUjBSQkJBd0RvSU1ZMnhwTFhCeWIzaDVMWFp0TUJJR0ExVWRFd0VCCi93UUlNQVlCQWY4Q0FRQXdEd1lEVlIwUEFRSC9CQVVEQXdmbmdEQWRCZ05WSFNVRUZqQVVCZ2dyQmdFRkJRY0QKQWdZSUt3WUJCUVVIQXdFd0RRWUpLb1pJaHZjTkFRRUxCUUFEZ2dJQkFBb21qQ3lYdmFRT3hnWUs1MHNYTEIyKwp3QWZkc3g1bm5HZGd5Zmc0dXJXMlZtMTVEaEd2STdDL250cTBkWXkyNE4vVWJHN1VEWHZseUxJSkZxMVhQN25mCnBaRzBWQ2paNjlibXhLbTNaOG0wL0F3TXZpOGU5ZWR5OHY5a05CQ3dMR2tIYkE4WW85Q0lpUWdlbGZwcDF2VWgKYm5OQmhhRCtpdTZDZmlDTHdnSmIvaXc3ZW8vQ3lvWnF4K3RqWGFPMnpYdm00cC8rUUlmQU9ndEdRTEZVOGNmWgovZ1VyVHE1Z0ZxMCtQOUd5V3NBVEpGNnE3TDZXWlpqME91VHNlN2Y0Q1NpajZNbk9NTXhBK0pvYWhKejdsc1NpClRKSEl3RXA1ci9SeWhweWVwUXhGWWNVSDVKSmY5cmFoWExXWmkrOVRqeFNNMll5aHhmUlBzaVVFdUdEb2s3OFEKbS9RUGlDaTlKSmIxb2NtVGpBVjh4RFNob2NpdlhPRnlobjZMbjc3dkxqWStBYXZ0V0RoUXRocHVQeHNMdFZ6bQplMFNIMTFkRUxSdGI3NG1xWE9yTzdmdS8rSUJzM0pxTEUvVSt4dXhRdHZHOHZHMXlES0hIU1pxUzJoL1dzNGw0Ck5pQXNoSGdlaFFEUEJjWTl3WVl6ZkJnWnBPVU16ZERmNTB4K0ZTbFk0M1dPSkp6U3VRaDR5WjArM2t5Z3VDRjgKcm5NTFNjZXlTNGNpNExtSi9LQ1N1R2RmNlhWWXo4QkU5Z2pqanBDUDZxeTBVbFJlZldzL2lnL3djSysyYkYxVApuL1l2KzZnWGVDVEhKNzVxRElQbHA3RFJVVWswZmJNajRiSWthb2dXV2s0emYydThteFpMYTBsZVBLTktaTi9tCkdDdkZ3cjNlaSt1LzhjenA1RjdUCi0tLS0tRU5EIENFUlRJRklDQVRFLS0tLS0KRU9GCgp0ZWUgc3F1aWRrLnBlbSA+IC9kZXYvbnVsbCA8PEVPRgotLS0tLUJFR0lOIFBSSVZBVEUgS0VZLS0tLS0KTUlJSlJBSUJBREFOQmdrcWhraUc5dzBCQVFFRkFBU0NDUzR3Z2drcUFnRUFBb0lDQVFEOHcrMVhrRk0rM3B5cQpMaEYweVdhdmZJaXhyYTZQTnlIRy9pR093TFVPMmRHQ2l6bExqVThmU3VMN2UxTkpWZmZiS3ZDeGo2c1BWaEc2Cm1icVdZVHNhRlRralFhTDJqT1JJWFJrb3BvbUxhaktsVDhVSDVBK3JPZ0pHd3dUQVlKdVlvVldYeFc2SEtkMWMKcmh2aVJ1V3YxdVg5NjdCM3N6eEp1L05aU09kNE90Q3lJaXl2TTlQZ29Ca3VweTNNTjdpV1U5UHRncHJmZUdJUQo4NSs5YUpuNTJxUnBBRDAvcmpGZExLZDhkZnk1VUFuZTRGVWw0YkVQU21RMG51TTZ2SnBTNGNlNXhUeEwyWWlPCmNxTUFIbG8rTXNmbkVDenFXWnZmWGJiTDdXMmNRQ1pjem5RUDVTZ1NOOUxvYzV2bXQyS3BjYTl6VXB1Z3FQT1EKOEpISEhacnZaeTk2QlNQcWFBQWt2T0JPRVRXV1Z5WlRpTE9ER2dneVJXa1pOVTRzdWZWVVVxNDJFeGtLOFc4cQpDY3FnQy9jYlFWU2Q5WVJwRkdOSTJZTXRob3dOUGtmMW0zYWtNaFNOUVpLMEtYdUJITXdTZGpBazdmS0lPbURqCmVqbDFIS3hUSXYwbDhUODJIdE9Eclh5Znh3bjlidjVCaHRpV082dHFueXZ0QVZLdWlYZFVLRVVINDZpdm1lTDYKK2lGSURBbC9SU1V5a2JmRmFiTFZRamhNVXA4VVpGRlBPcy83dHMzQmZtRWk4akxsVzJESm82b25CUEdHTDhsMwpHMDZ2YTBEbXNKYnY0SzJCSy9PU28wUmZLdnUrUmlDbnBqa3RtRExpMVNNclFyUTVTQlYyTUU2RU9rVFBMOFVYCnpEVVVSV0FuU3BqK3Rad3VRRWNOUHhHOG1TR0tqd0lEQVFBQkFvSUNBRFp3Y0ZiU284cy9vTmhhVWJJb2luQXoKVHpHTmFiSTR1cEtrTzFBR216aFdtM1FWVGtMQ2JZOGN6dVJBL0lBbi90ajZWNXEyaWE0azZHNmJHMysxODBlNwoySEdLZW5IRmlJazVXK2pRYllGVVh4SVJxeXIyNkpVRlNtWTVMSFhPbU5SM3N2cWNNQ0QyV0ZIVXdmYXJORjc1CjF0RW9pUHBPNVNZd1Q4b2tGSTVsaEh0Sk52eUpHaElnQ1N4dUgwUURvRUxvVFJXemNtMjgvTW9QM3BDcHpiZnQKYWttZkhwSHZqM3cwMk9IS2U2TGg1UzVXZktCTENwcHplRCtKRlFHYWkxWmNnR3EzV3pRdTV1VmZOVklhTjI5NworbWYrcU4zVWJPamZ3ellLcmZmZ0xTTUI2Q2RnUUpBajY4M2EwSElSZnpObFk5ZGZyRnNlNkU2SU1hMkQ1OUZJCmdkRjUxZDVPT3FXMDJOR29POWZocDZNNmRHUE54SVVjV3BrOGhqYWdRUXIvQzh5Z01sak1TMC91WGJVOTA0TTIKenlWTk5wU25kVDRzWS9NeGlobG5sOStVbjI2NzJkaENTOFRpUjBKblFicXh2aVpwcnFQOUlVbk9kRVNUNE90VwoyeEZUWUYrYmczUEVLY3VTY2dQcml4OUdoUTc3dVp3K013UGV5enJlWGRVQkwrOWpSQWp1UHFJRTFDcGorNlI2CnpXa21lMDBBZVdudWFCQlMzQUQweE1xc3Q3dE1xcWdYY1RtY2NFYXFOTTNEay8rSVVuREozQXdOeHBYQnE3VUwKVVlyakZpSzVtWHVsNi92RGVYMmQyNzZDcDVNMkxSOFNoODNQZkRHWmRLYW01dkFTaU1HQUdYZEp5Sk1GWnQ3UwpadnhYd0JyUWx5c1RUNnF4MGFWUkFvSUJBUUQvSUl1V1gzWlNYdjRsSzB4NE4xS3FxS0l3VEpqaEE4ZlZERTdZCitQMC9qaDVyb1JZTVhxY0VaeEVSc2RkMEJUNnBZdENhWHVmMWRSN3ludDBQdzVWdHhnaU9pUVd6ME1nZTdPc2gKK0FKVUxtWXNRQk9NMXdCTU1rMG4rVTZaSGw5clNOR2d5WFk3TFdVTFQ4Tmp6TDc0dkpUazBSV3BRRDQ0MFZiZAppK0ZRTUh2QVNCZVErSkk2RzRYR0Vaczh2QjlBcjd2bC8zYXRMcHE3eG1vaWkrajZENWpIZ2psTXRWUkQ2UTloCkJXbjd4TlNmcFEvdGVJbnRqZDYwb3BodlFxblZZd2Eybk43SGxqMGFrNk1JSXFERzVLaUVxREdWQTAwR2FyT2MKVTZFSkRaVng2TmVEWWFPbHQ4SzJ0cHp6cVgrV1huNG1hblJGMDluOHFGZU01dG4zQW9JQkFRRDlvVkF5S3BRdgpTemhXNmNIQlgra1NYNjIzWDNTL2pMY3RmMko0b3RONjZzQnlpMnJKTlhLN1k2OFh1OXVwNTVQU3VCdHlRVHpqCnhTbklGK3U5NlBoV1FzbnlhWHlONDFwcWp5cGVTNXFHQS9KcVBmc0FhMjNqNUxlcFNaUzZhTHRERSt5KzJIZlYKaFBGSHpzNy9sZHA3Ykx2M0I3WHp5TFNFKzJ2NXJleVc1MnZXNEl0YUp4SHN2dWtmLzZnRTNBTVlTTWFIWGFJZApjeWVUVnhVVXMxdElNMUo5V0JqWXpZYSt0MlFMdjIwbFFUelpMMnRaWWNsWDdXUXJwTW9HaWxBWlQzbVRZblBiCnBXZXVkUzM0MjJGeTh3SDRxcDB5dDFvdUkrS1VMNlJpMUFGQXZEU2F1V0hsem5IOVNMRzRTLzBveS90Rys5bWgKNkNKQnNOOFpZKzRwQW9JQkFRQ1JPanQ3VzlnRXg2SXdFbGV6VHZxMXZzeWtaZFhZc01nK0ZJV0ZxU2F2MlB5awpFOHh6T2lZa3NXN2IvYnBCaHdMR2RVTjl2R3lhSXhOODFNWE54VzM0VVBScC9zSEtQQnpPemRxRE9hUkp1eWZhCkpKZDhZcDcrd050KzE4SFFFNlFKZENnd09MNGVyWmFKTzl4am9SZE1qRHpOaTkraXVya3dxcW1oNzVCUWoyakMKYWNkUWRNNzRXTlpyaTNZc3VvR24xdUZFNllqcXlFNjRlUmZObG9zR1hYNkFnemFPM2VHYnpyMDhZMUtUU05ZbwpFbFBndis3ejFRQmpIdk5hMGozUEJGRzcvY3dySFBDbmdrY1p5R3h4QzVTSi94eEtVTmkxd0dPQnAzRlJyL1BVCkpkRVlMcXB6R1FtejdIdW5rR0xhZSt1ZmZwVzFjZ1R5ZC9sdWNiSzlBb0lCQVFEQlAvdEo3aFZ3bjZDeTRITm8KTXZyMHJBQkIyektxakw0NXBYalRNRVZ3djVPWTgwK1BOZkZRaEppeHZjcVdmOE9yWitwSnVSbDY5d3hwMElnbgo4RzNmMUEzcGJhU2d1OTExbWRZUGVRMnBGVExNN3FMa1kvYWNFUFk3djd2WitOak9PRTFIOE1vRjM4QzBGUWkxCngybHNaNklrakRTQUpxb2ROVERGVWxjVmVBazc5V1ZZY0xLQXI4b1RQb200QWljOWhwMzJJRXJZbzVoQTlMWTAKU3FDL3Q1TWZ2Rk5hUmVkb1EzV3dXZEFBOWQ4MklLSnJ2VTFiZUo2OWZsY01lckNqU0dIN0FhWURjdGs0SFVMRQovZXNYV2I5anlDUDBzNjI3d0UzdzJRZ280UjUvUTZmVlNIRW1WNUdWQ3FHWEtoY2YwYVNKSm5aaG5lMFVIbjh1CjZteFpBb0lCQVFDQjRQd3ZxdGdSQWozYnhJeW9QNjVBTjZqMm4yd2syVHBMWVVZQzhYYmdjSlhtWHV2SkJENmYKeXdnRWM5a2hNRXYvWjNyMHZDb1ArZFcwU3lLLys5YmpMSm96cTNCQ05yZGdScVlyZzdjbkVhUGJlc2dPUFdZOQpSNUtnQ044Z2N0aXZaOEczemRlbWJSNHFGeWV5ZWN3Wis5NkpmeUVzazBWMUlwUnJaWmc3c29aNHFzRFJLWmMxCmRrRUI3cHhBZk9sMTdjT3RjWlNRSHVqOFZEdERtVXl5U3p5U0JHUnJGM3FvR2hXYlE1OVdwNDhHdzkvSlovdGgKd21yN0xFblFaTnpvM0liTG5nelVsQ2lSdFJnTmw5aEN3NXZad2ZTOHlFc1MwYTcybG1LWTNxR3lYcjN4QUFoZgowN29pN0VEZG80MkNiYmpBRlZrMkg0MGlNdlZSNWQ0VQotLS0tLUVORCBQUklWQVRFIEtFWS0tLS0tCkVPRgoKY2hvd24gcHJveHk6cHJveHkgc3F1aWRjLnBlbQpjaG93biBwcm94eTpwcm94eSBzcXVpZGsucGVtCmNobW9kIDQwMCBzcXVpZGMucGVtIApjaG1vZCA0MDAgc3F1aWRrLnBlbQpjcCBzcXVpZGMucGVtIC9ldGMvc3F1aWQvc3F1aWRjLnBlbQpjcCBzcXVpZGsucGVtIC9ldGMvc3F1aWQvc3F1aWRrLnBlbQpjcCBzcXVpZGMucGVtIC91c3IvbG9jYWwvc2hhcmUvY2EtY2VydGlmaWNhdGVzL3NxdWlkYy5jcnQKdXBkYXRlLWNhLWNlcnRpZmljYXRlcyAKCnNlZCAtaSAnc35odHRwX2FjY2VzcyBkZW55IGFsbH5odHRwX2FjY2VzcyBhbGxvdyBhbGx+JyAvZXRjL3NxdWlkL3NxdWlkLmNvbmYKc2VkIC1pICJzfmh0dHBfcG9ydCAzMTI4fmh0dHBfcG9ydCAkSE9TVDozMTI4XG5odHRwc19wb3J0ICRIT1NUOjMxMjkgdGxzLWNlcnQ9L2V0Yy9zcXVpZC9zcXVpZGMucGVtIHRscy1rZXk9L2V0Yy9zcXVpZC9zcXVpZGsucGVtfiIgL2V0Yy9zcXVpZC9zcXVpZC5jb25mCgpzeXN0ZW1jdGwgcmVzdGFydCBzcXVpZApzeXN0ZW1jdGwgc3RhdHVzIHNxdWlkCgojIHZhbGlkYXRpb24sIGZhaWxzIFZNIGNyZWF0aW9uIGlmIGNvbW1hbmRzIGZhaWwKY3VybCAtZnNTbCAtbyAvZGV2L251bGwgLXcgJyV7aHR0cF9jb2RlfVxuJyAteCBodHRwOi8vJHtIT1NUfTozMTI4LyAtSSBodHRwOi8vd3d3Lmdvb2dsZS5jb20KY3VybCAtZnNTbCAtbyAvZGV2L251bGwgLXcgJyV7aHR0cF9jb2RlfVxuJyAteCBodHRwOi8vJHtIT1NUfTozMTI4LyAtSSBodHRwczovL3d3dy5nb29nbGUuY29tCmN1cmwgLWZzU2wgLW8gL2Rldi9udWxsIC13ICcle2h0dHBfY29kZX1cbicgLXggaHR0cHM6Ly8ke0hPU1R9OjMxMjkvIC1JIGh0dHA6Ly93d3cuZ29vZ2xlLmNvbQpjdXJsIC1mc1NsIC1vIC9kZXYvbnVsbCAtdyAnJXtodHRwX2NvZGV9XG4nIC14IGh0dHBzOi8vJHtIT1NUfTozMTI5LyAtSSBodHRwczovL3d3dy5nb29nbGUuY29tCg==", "linuxConfiguration": {"disablePasswordAuthentication": true, "ssh": {"publicKeys": - [{"keyData": "ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQC/KLMSacECP+4As5hwhdezAkaNf0QX3DpNLtOiVALJnLD+/I6p9tD5OD5m1s93X2EYrlV8GZHgnwH3hwd+8878X9HnNRcQ6aXCf0k6wgHK/+cZdYM13GDhtDeEVd0Pd/PZDPYEKT8uHR4+Dmp8DhykUazpcM4RR0d6QeZBvbQrL5QBtSGZ9XHAFiNtjl+Vm54X6pZmTrb0KSS1opXX2qaeVmWxjufzVs/wx5mNjVm43PKWFOurnJattn3kUrQzhOdNVMuzgFXe+6nB59KbvoyY7qzsh1MWLKAGq9fYNIGCRDS82YNCqdo6ZSjRcMElhAZ/36NIiTYXxamsp4Hlao7L + [{"keyData": "ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCxQVzaezimLDDL1HAh61in6hRl3lBzeIJJthCdCHnOnzWDKRRgxxIvRBbB0XuqLoqTrH/rJ6RD4OYRmq7vP+EZZUHbI956qLpaLG7rf0g6dceLDaTneS56ORuV8DsTNum4QT56p4St++bzF9vpWW9FRJxpTegF4DaMNXfS/skajfKKJqx55X1xGbDBpMcrcF25Y+Xx0/1URby5Z7v1YduPLNOuV/mlnTd+wTRnkJSYzEiTJA3X2x1p2/AwWTbrErwmLoIWfIFsIEnySHFb87tIdORwbugyJ66+mzvDhigVb7PIx/5NHJE+bF9H1l+oTUKy9jHrTEQUrsG8q2KfRlIr azcli_aks_live_test@example.com", "path": "/home/azureuser/.ssh/authorized_keys"}]}}}}}], "outputs": {}}, "parameters": {}, "mode": "incremental"}}' headers: @@ -1969,23 +1962,23 @@ interactions: - --resource-group --name --image --ssh-key-values --public-ip-address --custom-data --vnet-name --subnet User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: PUT uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.Resources/deployments/mock-deployment?api-version=2021-04-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Resources/deployments/vm_deploy_vxkmnPHIM5qjmzG6lLFpaVKps7OLlQXD","name":"vm_deploy_vxkmnPHIM5qjmzG6lLFpaVKps7OLlQXD","type":"Microsoft.Resources/deployments","properties":{"templateHash":"2365637844410586233","parameters":{},"mode":"Incremental","provisioningState":"Accepted","timestamp":"2023-02-17T07:31:06.3965308Z","duration":"PT0.000779S","correlationId":"b5303293-7760-4150-9d1d-e08b276ab219","providers":[{"namespace":"Microsoft.Network","resourceTypes":[{"resourceType":"networkSecurityGroups","locations":["westus2"]},{"resourceType":"networkInterfaces","locations":["westus2"]}]},{"namespace":"Microsoft.Compute","resourceTypes":[{"resourceType":"virtualMachines","locations":["westus2"]}]}],"dependencies":[{"dependsOn":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkSecurityGroups/cli-proxy-vmNSG","resourceType":"Microsoft.Network/networkSecurityGroups","resourceName":"cli-proxy-vmNSG"}],"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkInterfaces/cli-proxy-vmVMNic","resourceType":"Microsoft.Network/networkInterfaces","resourceName":"cli-proxy-vmVMNic"},{"dependsOn":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkInterfaces/cli-proxy-vmVMNic","resourceType":"Microsoft.Network/networkInterfaces","resourceName":"cli-proxy-vmVMNic"}],"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Compute/virtualMachines/cli-proxy-vm","resourceType":"Microsoft.Compute/virtualMachines","resourceName":"cli-proxy-vm"}]}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Resources/deployments/vm_deploy_vedvKQ1Mq1A2G9kTO6JCgisE7ohPWIO5","name":"vm_deploy_vedvKQ1Mq1A2G9kTO6JCgisE7ohPWIO5","type":"Microsoft.Resources/deployments","properties":{"templateHash":"18323868551629189136","parameters":{},"mode":"Incremental","provisioningState":"Accepted","timestamp":"2023-01-04T07:30:02.2545418Z","duration":"PT0.0001878S","correlationId":"c01038ab-b180-46b0-82a4-8bc1e7c8825a","providers":[{"namespace":"Microsoft.Network","resourceTypes":[{"resourceType":"networkSecurityGroups","locations":["westus2"]},{"resourceType":"networkInterfaces","locations":["westus2"]}]},{"namespace":"Microsoft.Compute","resourceTypes":[{"resourceType":"virtualMachines","locations":["westus2"]}]}],"dependencies":[{"dependsOn":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkSecurityGroups/cli-proxy-vmNSG","resourceType":"Microsoft.Network/networkSecurityGroups","resourceName":"cli-proxy-vmNSG"}],"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkInterfaces/cli-proxy-vmVMNic","resourceType":"Microsoft.Network/networkInterfaces","resourceName":"cli-proxy-vmVMNic"},{"dependsOn":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkInterfaces/cli-proxy-vmVMNic","resourceType":"Microsoft.Network/networkInterfaces","resourceName":"cli-proxy-vmVMNic"}],"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Compute/virtualMachines/cli-proxy-vm","resourceType":"Microsoft.Compute/virtualMachines","resourceName":"cli-proxy-vm"}]}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.Resources/deployments/vm_deploy_vxkmnPHIM5qjmzG6lLFpaVKps7OLlQXD/operationStatuses/08585249878200005286?api-version=2021-04-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.Resources/deployments/vm_deploy_vedvKQ1Mq1A2G9kTO6JCgisE7ohPWIO5/operationStatuses/08585287894841036495?api-version=2021-04-01 cache-control: - no-cache content-length: - - '1816' + - '1818' content-type: - application/json; charset=utf-8 date: - - Fri, 17 Feb 2023 07:31:05 GMT + - Wed, 04 Jan 2023 07:30:01 GMT expires: - '-1' pragma: @@ -2014,52 +2007,9 @@ interactions: - --resource-group --name --image --ssh-key-values --public-ip-address --custom-data --vnet-name --subnet User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585249878200005286?api-version=2021-04-01 - response: - body: - string: '{"status":"Running"}' - headers: - cache-control: - - no-cache - content-length: - - '20' - content-type: - - application/json; charset=utf-8 - date: - - Fri, 17 Feb 2023 07:31:35 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - vm create - Connection: - - keep-alive - ParameterSetName: - - --resource-group --name --image --ssh-key-values --public-ip-address --custom-data - --vnet-name --subnet - User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585249878200005286?api-version=2021-04-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585287894841036495?api-version=2021-04-01 response: body: string: '{"status":"Succeeded"}' @@ -2071,7 +2021,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Fri, 17 Feb 2023 07:32:06 GMT + - Wed, 04 Jan 2023 07:30:31 GMT expires: - '-1' pragma: @@ -2100,21 +2050,21 @@ interactions: - --resource-group --name --image --ssh-key-values --public-ip-address --custom-data --vnet-name --subnet User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.Resources/deployments/mock-deployment?api-version=2021-04-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Resources/deployments/vm_deploy_vxkmnPHIM5qjmzG6lLFpaVKps7OLlQXD","name":"vm_deploy_vxkmnPHIM5qjmzG6lLFpaVKps7OLlQXD","type":"Microsoft.Resources/deployments","properties":{"templateHash":"2365637844410586233","parameters":{},"mode":"Incremental","provisioningState":"Succeeded","timestamp":"2023-02-17T07:31:36.6987249Z","duration":"PT30.3029731S","correlationId":"b5303293-7760-4150-9d1d-e08b276ab219","providers":[{"namespace":"Microsoft.Network","resourceTypes":[{"resourceType":"networkSecurityGroups","locations":["westus2"]},{"resourceType":"networkInterfaces","locations":["westus2"]}]},{"namespace":"Microsoft.Compute","resourceTypes":[{"resourceType":"virtualMachines","locations":["westus2"]}]}],"dependencies":[{"dependsOn":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkSecurityGroups/cli-proxy-vmNSG","resourceType":"Microsoft.Network/networkSecurityGroups","resourceName":"cli-proxy-vmNSG"}],"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkInterfaces/cli-proxy-vmVMNic","resourceType":"Microsoft.Network/networkInterfaces","resourceName":"cli-proxy-vmVMNic"},{"dependsOn":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkInterfaces/cli-proxy-vmVMNic","resourceType":"Microsoft.Network/networkInterfaces","resourceName":"cli-proxy-vmVMNic"}],"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Compute/virtualMachines/cli-proxy-vm","resourceType":"Microsoft.Compute/virtualMachines","resourceName":"cli-proxy-vm"}],"outputs":{},"outputResources":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Compute/virtualMachines/cli-proxy-vm"},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkInterfaces/cli-proxy-vmVMNic"},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkSecurityGroups/cli-proxy-vmNSG"}]}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Resources/deployments/vm_deploy_vedvKQ1Mq1A2G9kTO6JCgisE7ohPWIO5","name":"vm_deploy_vedvKQ1Mq1A2G9kTO6JCgisE7ohPWIO5","type":"Microsoft.Resources/deployments","properties":{"templateHash":"18323868551629189136","parameters":{},"mode":"Incremental","provisioningState":"Succeeded","timestamp":"2023-01-04T07:30:26.0086184Z","duration":"PT23.7542644S","correlationId":"c01038ab-b180-46b0-82a4-8bc1e7c8825a","providers":[{"namespace":"Microsoft.Network","resourceTypes":[{"resourceType":"networkSecurityGroups","locations":["westus2"]},{"resourceType":"networkInterfaces","locations":["westus2"]}]},{"namespace":"Microsoft.Compute","resourceTypes":[{"resourceType":"virtualMachines","locations":["westus2"]}]}],"dependencies":[{"dependsOn":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkSecurityGroups/cli-proxy-vmNSG","resourceType":"Microsoft.Network/networkSecurityGroups","resourceName":"cli-proxy-vmNSG"}],"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkInterfaces/cli-proxy-vmVMNic","resourceType":"Microsoft.Network/networkInterfaces","resourceName":"cli-proxy-vmVMNic"},{"dependsOn":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkInterfaces/cli-proxy-vmVMNic","resourceType":"Microsoft.Network/networkInterfaces","resourceName":"cli-proxy-vmVMNic"}],"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Compute/virtualMachines/cli-proxy-vm","resourceType":"Microsoft.Compute/virtualMachines","resourceName":"cli-proxy-vm"}],"outputs":{},"outputResources":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Compute/virtualMachines/cli-proxy-vm"},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkInterfaces/cli-proxy-vmVMNic"},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkSecurityGroups/cli-proxy-vmNSG"}]}}' headers: cache-control: - no-cache content-length: - - '2309' + - '2310' content-type: - application/json; charset=utf-8 date: - - Fri, 17 Feb 2023 07:32:06 GMT + - Wed, 04 Jan 2023 07:30:31 GMT expires: - '-1' pragma: @@ -2143,65 +2093,65 @@ interactions: - --resource-group --name --image --ssh-key-values --public-ip-address --custom-data --vnet-name --subnet User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-compute/29.1.0 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-compute/29.0.0 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Compute/virtualMachines/cli-proxy-vm?$expand=instanceView&api-version=2022-11-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Compute/virtualMachines/cli-proxy-vm?$expand=instanceView&api-version=2022-08-01 response: body: string: "{\r\n \"name\": \"cli-proxy-vm\",\r\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Compute/virtualMachines/cli-proxy-vm\",\r\n \ \"type\": \"Microsoft.Compute/virtualMachines\",\r\n \"location\": \"westus2\",\r\n \ \"tags\": {\r\n \"azsecpack\": \"nonprod\",\r\n \"platformsettings.host_environment.service.platform_optedin_for_rootcerts\": - \"true\"\r\n },\r\n \"properties\": {\r\n \"vmId\": \"c9d65496-5710-4c3c-9a5c-4345fa701dbd\",\r\n + \"true\"\r\n },\r\n \"properties\": {\r\n \"vmId\": \"95ee1b6a-e724-46a4-84e4-b6dfa90797a6\",\r\n \ \"hardwareProfile\": {\r\n \"vmSize\": \"Standard_DS1_v2\"\r\n },\r\n \ \"storageProfile\": {\r\n \"imageReference\": {\r\n \"publisher\": \"Canonical\",\r\n \"offer\": \"0001-com-ubuntu-server-focal\",\r\n \ \"sku\": \"20_04-lts\",\r\n \"version\": \"latest\",\r\n \"exactVersion\": - \"20.04.202302090\"\r\n },\r\n \"osDisk\": {\r\n \"osType\": - \"Linux\",\r\n \"name\": \"cli-proxy-vm_OsDisk_1_dcc407343f474525b4bdcdb13f779ce8\",\r\n + \"20.04.202212140\"\r\n },\r\n \"osDisk\": {\r\n \"osType\": + \"Linux\",\r\n \"name\": \"cli-proxy-vm_disk1_9924bd2ed8804a0c8b595e8974d411f5\",\r\n \ \"createOption\": \"FromImage\",\r\n \"caching\": \"ReadWrite\",\r\n \ \"managedDisk\": {\r\n \"storageAccountType\": \"Premium_LRS\",\r\n - \ \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Compute/disks/cli-proxy-vm_OsDisk_1_dcc407343f474525b4bdcdb13f779ce8\"\r\n + \ \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Compute/disks/cli-proxy-vm_disk1_9924bd2ed8804a0c8b595e8974d411f5\"\r\n \ },\r\n \"deleteOption\": \"Detach\",\r\n \"diskSizeGB\": 30\r\n },\r\n \"dataDisks\": []\r\n },\r\n \"osProfile\": {\r\n \"computerName\": \"cli-proxy-vm\",\r\n \"adminUsername\": \"azureuser\",\r\n \"linuxConfiguration\": {\r\n \"disablePasswordAuthentication\": true,\r\n \"ssh\": {\r\n \"publicKeys\": [\r\n {\r\n \ \"path\": \"/home/azureuser/.ssh/authorized_keys\",\r\n \"keyData\": - \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQC/KLMSacECP+4As5hwhdezAkaNf0QX3DpNLtOiVALJnLD+/I6p9tD5OD5m1s93X2EYrlV8GZHgnwH3hwd+8878X9HnNRcQ6aXCf0k6wgHK/+cZdYM13GDhtDeEVd0Pd/PZDPYEKT8uHR4+Dmp8DhykUazpcM4RR0d6QeZBvbQrL5QBtSGZ9XHAFiNtjl+Vm54X6pZmTrb0KSS1opXX2qaeVmWxjufzVs/wx5mNjVm43PKWFOurnJattn3kUrQzhOdNVMuzgFXe+6nB59KbvoyY7qzsh1MWLKAGq9fYNIGCRDS82YNCqdo6ZSjRcMElhAZ/36NIiTYXxamsp4Hlao7L + \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCxQVzaezimLDDL1HAh61in6hRl3lBzeIJJthCdCHnOnzWDKRRgxxIvRBbB0XuqLoqTrH/rJ6RD4OYRmq7vP+EZZUHbI956qLpaLG7rf0g6dceLDaTneS56ORuV8DsTNum4QT56p4St++bzF9vpWW9FRJxpTegF4DaMNXfS/skajfKKJqx55X1xGbDBpMcrcF25Y+Xx0/1URby5Z7v1YduPLNOuV/mlnTd+wTRnkJSYzEiTJA3X2x1p2/AwWTbrErwmLoIWfIFsIEnySHFb87tIdORwbugyJ66+mzvDhigVb7PIx/5NHJE+bF9H1l+oTUKy9jHrTEQUrsG8q2KfRlIr azcli_aks_live_test@example.com\"\r\n }\r\n ]\r\n },\r\n \ \"provisionVMAgent\": true,\r\n \"patchSettings\": {\r\n \"patchMode\": \"ImageDefault\",\r\n \"assessmentMode\": \"ImageDefault\"\r\n },\r\n \ \"enableVMAgentPlatformUpdates\": false\r\n },\r\n \"secrets\": [],\r\n \"allowExtensionOperations\": true,\r\n \"requireGuestProvisionSignal\": true\r\n },\r\n \"networkProfile\": {\"networkInterfaces\":[{\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkInterfaces/cli-proxy-vmVMNic\"}]},\r\n - \ \"provisioningState\": \"Succeeded\",\r\n \"instanceView\": {\r\n \"computerName\": - \"cli-proxy-vm\",\r\n \"osName\": \"ubuntu\",\r\n \"osVersion\": - \"20.04\",\r\n \"vmAgent\": {\r\n \"vmAgentVersion\": \"2.9.0.4\",\r\n - \ \"statuses\": [\r\n {\r\n \"code\": \"ProvisioningState/succeeded\",\r\n - \ \"level\": \"Info\",\r\n \"displayStatus\": \"Ready\",\r\n - \ \"message\": \"Guest Agent is running\",\r\n \"time\": - \"2023-02-17T07:31:49+00:00\"\r\n }\r\n ],\r\n \"extensionHandlers\": - []\r\n },\r\n \"disks\": [\r\n {\r\n \"name\": \"cli-proxy-vm_OsDisk_1_dcc407343f474525b4bdcdb13f779ce8\",\r\n - \ \"statuses\": [\r\n {\r\n \"code\": \"ProvisioningState/succeeded\",\r\n + \ \"provisioningState\": \"Succeeded\",\r\n \"instanceView\": {\r\n \"vmAgent\": + {\r\n \"vmAgentVersion\": \"Unknown\",\r\n \"statuses\": [\r\n + \ {\r\n \"code\": \"ProvisioningState/Unavailable\",\r\n + \ \"level\": \"Warning\",\r\n \"displayStatus\": \"Not + Ready\",\r\n \"message\": \"VM status blob is found but not yet + populated.\",\r\n \"time\": \"2023-01-04T07:30:32+00:00\"\r\n }\r\n + \ ]\r\n },\r\n \"disks\": [\r\n {\r\n \"name\": + \"cli-proxy-vm_disk1_9924bd2ed8804a0c8b595e8974d411f5\",\r\n \"statuses\": + [\r\n {\r\n \"code\": \"ProvisioningState/succeeded\",\r\n \ \"level\": \"Info\",\r\n \"displayStatus\": \"Provisioning - succeeded\",\r\n \"time\": \"2023-02-17T07:31:14.7341614+00:00\"\r\n + succeeded\",\r\n \"time\": \"2023-01-04T07:30:10.9536771+00:00\"\r\n \ }\r\n ]\r\n }\r\n ],\r\n \"hyperVGeneration\": \"V1\",\r\n \"statuses\": [\r\n {\r\n \"code\": \"ProvisioningState/succeeded\",\r\n \ \"level\": \"Info\",\r\n \"displayStatus\": \"Provisioning - succeeded\",\r\n \"time\": \"2023-02-17T07:31:36.0312452+00:00\"\r\n + succeeded\",\r\n \"time\": \"2023-01-04T07:30:25.3131543+00:00\"\r\n \ },\r\n {\r\n \"code\": \"PowerState/running\",\r\n \ \"level\": \"Info\",\r\n \"displayStatus\": \"VM running\"\r\n - \ }\r\n ]\r\n },\r\n \"timeCreated\": \"2023-02-17T07:31:11.3591415+00:00\"\r\n + \ }\r\n ]\r\n },\r\n \"timeCreated\": \"2023-01-04T07:30:08.7036329+00:00\"\r\n \ }\r\n}" headers: cache-control: - no-cache content-length: - - '4073' + - '3968' content-type: - application/json; charset=utf-8 date: - - Fri, 17 Feb 2023 07:32:06 GMT + - Wed, 04 Jan 2023 07:30:32 GMT expires: - '-1' pragma: @@ -2218,7 +2168,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-resource: - - Microsoft.Compute/LowCostGet3Min;3997,Microsoft.Compute/LowCostGet30Min;31997 + - Microsoft.Compute/LowCostGet3Min;3997,Microsoft.Compute/LowCostGet30Min;31991 status: code: 200 message: OK @@ -2237,18 +2187,18 @@ interactions: - --resource-group --name --image --ssh-key-values --public-ip-address --custom-data --vnet-name --subnet User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-network/21.0.1 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-network/21.0.1 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkInterfaces/cli-proxy-vmVMNic?api-version=2022-01-01 response: body: string: "{\r\n \"name\": \"cli-proxy-vmVMNic\",\r\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkInterfaces/cli-proxy-vmVMNic\",\r\n - \ \"etag\": \"W/\\\"959333c7-e092-4b72-a1b9-241559ab03e7\\\"\",\r\n \"tags\": + \ \"etag\": \"W/\\\"f0aac956-4245-411b-9e89-f331cf7ea71b\\\"\",\r\n \"tags\": {},\r\n \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n - \ \"resourceGuid\": \"905558de-1693-4d52-9d6f-ee0bdbb80b6c\",\r\n \"ipConfigurations\": + \ \"resourceGuid\": \"9a6dbb55-ba10-4b7e-9c03-8ea816ba7fcd\",\r\n \"ipConfigurations\": [\r\n {\r\n \"name\": \"ipconfigcli-proxy-vm\",\r\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkInterfaces/cli-proxy-vmVMNic/ipConfigurations/ipconfigcli-proxy-vm\",\r\n - \ \"etag\": \"W/\\\"959333c7-e092-4b72-a1b9-241559ab03e7\\\"\",\r\n + \ \"etag\": \"W/\\\"f0aac956-4245-411b-9e89-f331cf7ea71b\\\"\",\r\n \ \"type\": \"Microsoft.Network/networkInterfaces/ipConfigurations\",\r\n \ \"properties\": {\r\n \"provisioningState\": \"Succeeded\",\r\n \ \"privateIPAddress\": \"10.42.3.4\",\r\n \"privateIPAllocationMethod\": @@ -2256,8 +2206,8 @@ interactions: \ },\r\n \"primary\": true,\r\n \"privateIPAddressVersion\": \"IPv4\"\r\n }\r\n }\r\n ],\r\n \"dnsSettings\": {\r\n \"dnsServers\": [],\r\n \"appliedDnsServers\": [],\r\n \"internalDomainNameSuffix\": - \"cux5z5mft3fehmvnsiepokvg1e.xx.internal.cloudapp.net\"\r\n },\r\n \"macAddress\": - \"00-22-48-76-D3-F3\",\r\n \"enableAcceleratedNetworking\": false,\r\n + \"thdgrmp0c2veplqjonvebjlute.xx.internal.cloudapp.net\"\r\n },\r\n \"macAddress\": + \"00-0D-3A-C4-38-EE\",\r\n \"enableAcceleratedNetworking\": false,\r\n \ \"vnetEncryptionSupported\": false,\r\n \"enableIPForwarding\": false,\r\n \ \"networkSecurityGroup\": {\r\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/networkSecurityGroups/cli-proxy-vmNSG\"\r\n \ },\r\n \"primary\": true,\r\n \"virtualMachine\": {\r\n \"id\": @@ -2274,9 +2224,9 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Fri, 17 Feb 2023 07:32:06 GMT + - Wed, 04 Jan 2023 07:30:32 GMT etag: - - W/"959333c7-e092-4b72-a1b9-241559ab03e7" + - W/"f0aac956-4245-411b-9e89-f331cf7ea71b" expires: - '-1' pragma: @@ -2293,7 +2243,7 @@ interactions: x-content-type-options: - nosniff x-ms-arm-service-request-id: - - 19eda4b4-7b92-43b2-af79-a336babee09c + - 16937485-91fa-4344-8f5a-84947644dd16 status: code: 200 message: OK @@ -2312,12 +2262,12 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001?api-version=2021-04-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001","name":"clitest000001","type":"Microsoft.Resources/resourceGroups","location":"westus2","tags":{"product":"azurecli","cause":"automation","date":"2023-02-17T07:30:52Z"},"properties":{"provisioningState":"Succeeded"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001","name":"clitest000001","type":"Microsoft.Resources/resourceGroups","location":"westus2","tags":{"product":"azurecli","cause":"automation","date":"2023-01-04T07:29:48Z"},"properties":{"provisioningState":"Succeeded"}}' headers: cache-control: - no-cache @@ -2326,7 +2276,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Fri, 17 Feb 2023 07:32:06 GMT + - Wed, 04 Jan 2023 07:30:32 GMT expires: - '-1' pragma: @@ -2355,13 +2305,15 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-authorization/3.0.0 Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) msrest/0.7.1 + msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.43.0 + accept-language: + - en-US method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleAssignments?$filter=atScope()&api-version=2022-04-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleAssignments?$filter=atScope%28%29&api-version=2020-04-01-preview response: body: - string: '{"value":[{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/","condition":null,"conditionVersion":null,"createdOn":"2018-02-27T19:19:50.2663941Z","updatedOn":"2018-02-27T19:19:50.2663941Z","createdBy":null,"updatedBy":null,"delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Authorization/roleAssignments/3e883d24-b106-42ff-ad13-d7bf271b964d","type":"Microsoft.Authorization/roleAssignments","name":"3e883d24-b106-42ff-ad13-d7bf271b964d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"00000000-0000-0000-0000-000000000001","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-04-26T05:33:00.7067936Z","updatedOn":"2021-04-26T05:33:00.7067936Z","createdBy":"7e9cc714-bfe4-4eea-acb2-d53ced88ab8b","updatedBy":"7e9cc714-bfe4-4eea-acb2-d53ced88ab8b","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2adf4737-6342-4f63-aeb2-5fcd3426a387","type":"Microsoft.Authorization/roleAssignments","name":"2adf4737-6342-4f63-aeb2-5fcd3426a387"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-04-26T06:09:24.5972802Z","updatedOn":"2021-04-26T06:09:24.5972802Z","createdBy":"6904f123-3ede-43d2-bd0e-2b2f1bbe4a4b","updatedBy":"6904f123-3ede-43d2-bd0e-2b2f1bbe4a4b","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c4572c05-f69f-4e5c-aac6-79afefcf0e2e","type":"Microsoft.Authorization/roleAssignments","name":"c4572c05-f69f-4e5c-aac6-79afefcf0e2e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-06-18T05:18:40.4643436Z","updatedOn":"2021-06-18T05:18:40.4643436Z","createdBy":"6904f123-3ede-43d2-bd0e-2b2f1bbe4a4b","updatedBy":"6904f123-3ede-43d2-bd0e-2b2f1bbe4a4b","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3f926301-cc14-4a88-a3b7-c159d73d01f6","type":"Microsoft.Authorization/roleAssignments","name":"3f926301-cc14-4a88-a3b7-c159d73d01f6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T05:49:40.4541416Z","updatedOn":"2022-01-25T05:49:40.4541416Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/95e51146-7da2-11ec-9795-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"95e51146-7da2-11ec-9795-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T05:49:41.6466655Z","updatedOn":"2022-01-25T05:49:41.6466655Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/96d4d041-7da2-11ec-9795-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"96d4d041-7da2-11ec-9795-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T05:49:42.8008295Z","updatedOn":"2022-01-25T05:49:42.8008295Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/978dbc52-7da2-11ec-9795-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"978dbc52-7da2-11ec-9795-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T05:49:43.7159467Z","updatedOn":"2022-01-25T05:49:43.7159467Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9808753a-7da2-11ec-9795-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"9808753a-7da2-11ec-9795-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T05:49:44.8535285Z","updatedOn":"2022-01-25T05:49:44.8535285Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9895826c-7da2-11ec-9795-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"9895826c-7da2-11ec-9795-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:00:21.9669611Z","updatedOn":"2022-01-25T06:00:21.9669611Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/143cab45-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"143cab45-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:00:21.7844500Z","updatedOn":"2022-01-25T06:00:21.7844500Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/143a47b2-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"143a47b2-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:00:22.8152511Z","updatedOn":"2022-01-25T06:00:22.8152511Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/1503a122-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"1503a122-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:00:22.7549989Z","updatedOn":"2022-01-25T06:00:22.7549989Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/14fdfc11-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"14fdfc11-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ba92f5b4-2d11-453d-a403-e96b0029c9fe","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:00:47.5002672Z","updatedOn":"2022-01-25T06:00:47.5002672Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/23901ba1-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"23901ba1-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/81a9662b-bebf-436f-a333-f67b29880f12","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:00:47.9954045Z","updatedOn":"2022-01-25T06:00:47.9954045Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/23d4b2c8-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"23d4b2c8-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/17d1049b-9a84-46fb-8f53-869881c3d3ab","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:00:48.0124462Z","updatedOn":"2022-01-25T06:00:48.0124462Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/23eb1c2a-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"23eb1c2a-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b7e6dc6d-f1e8-4753-8033-0f276bb0955b","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:00:49.0142818Z","updatedOn":"2022-01-25T06:00:49.0142818Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/248c7804-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"248c7804-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:00:49.8561822Z","updatedOn":"2022-01-25T06:00:49.8561822Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/25212cc5-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"25212cc5-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/090c5cfd-751d-490a-894a-3ce6f1109419","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:03:00.8232622Z","updatedOn":"2022-01-25T06:03:00.8232622Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/730ae441-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"730ae441-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/090c5cfd-751d-490a-894a-3ce6f1109419","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:03:01.6908492Z","updatedOn":"2022-01-25T06:03:01.6908492Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/73b81c51-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"73b81c51-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:27.0646115Z","updatedOn":"2022-01-25T06:05:27.0646115Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ca436279-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"ca436279-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/090c5cfd-751d-490a-894a-3ce6f1109419","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:27.8245772Z","updatedOn":"2022-01-25T06:05:27.8245772Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/cad7146c-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"cad7146c-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:28.8193427Z","updatedOn":"2022-01-25T06:05:28.8193427Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/cb6be874-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"cb6be874-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/090c5cfd-751d-490a-894a-3ce6f1109419","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:30.0125029Z","updatedOn":"2022-01-25T06:05:30.0125029Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/cc20f7f4-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"cc20f7f4-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:31.2002633Z","updatedOn":"2022-01-25T06:05:31.2002633Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ccd748dd-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"ccd748dd-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:32.4937030Z","updatedOn":"2022-01-25T06:05:32.4937030Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/cd4bbd1a-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"cd4bbd1a-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:33.6999970Z","updatedOn":"2022-01-25T06:05:33.6999970Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ce56964e-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"ce56964e-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:35.3719606Z","updatedOn":"2022-01-25T06:05:35.3719606Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/cf53c36b-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"cf53c36b-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:37.0989473Z","updatedOn":"2022-01-25T06:05:37.0989473Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/d0537e9f-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"d0537e9f-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/090c5cfd-751d-490a-894a-3ce6f1109419","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:37.9186616Z","updatedOn":"2022-01-25T06:05:37.9186616Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/d0d7c10e-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"d0d7c10e-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:39.2245796Z","updatedOn":"2022-01-25T06:05:39.2245796Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/d187dc7e-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"d187dc7e-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/81a9662b-bebf-436f-a333-f67b29880f12","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:41.3147495Z","updatedOn":"2022-01-25T06:05:41.3147495Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/d2d190da-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"d2d190da-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/090c5cfd-751d-490a-894a-3ce6f1109419","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:42.0909979Z","updatedOn":"2022-01-25T06:05:42.0909979Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/d3553305-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"d3553305-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2023-02-10T04:11:40.8923959Z","updatedOn":"2023-02-10T04:11:40.8923959Z","createdBy":"6904f123-3ede-43d2-bd0e-2b2f1bbe4a4b","updatedBy":"6904f123-3ede-43d2-bd0e-2b2f1bbe4a4b","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/7b9cb4b1-7e07-4127-b87e-47e7ab8ae685","type":"Microsoft.Authorization/roleAssignments","name":"7b9cb4b1-7e07-4127-b87e-47e7ab8ae685"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-18T03:09:33.8702688Z","updatedOn":"2021-09-18T03:09:33.8702688Z","createdBy":"6904f123-3ede-43d2-bd0e-2b2f1bbe4a4b","updatedBy":"6904f123-3ede-43d2-bd0e-2b2f1bbe4a4b","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/99d6fd13-909e-4c52-807e-77f7a5af83c8","type":"Microsoft.Authorization/roleAssignments","name":"99d6fd13-909e-4c52-807e-77f7a5af83c8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/465fbb01-3623-f393-e42f-e19c0d2982de","condition":null,"conditionVersion":null,"createdOn":"2021-10-08T17:23:35.8382756Z","updatedOn":"2021-10-08T17:23:35.8382756Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/465fbb01-3623-f393-e42f-e19c0d2982de/providers/Microsoft.Authorization/roleAssignments/ade4333c-4321-4b68-b498-d081d55e2b0c","type":"Microsoft.Authorization/roleAssignments","name":"ade4333c-4321-4b68-b498-d081d55e2b0c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2019-03-26T22:01:02.9136073Z","updatedOn":"2019-03-26T22:01:02.9136073Z","createdBy":"8701e34d-d7c2-459c-b2d7-f3a9c5204818","updatedBy":"8701e34d-d7c2-459c-b2d7-f3a9c5204818","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/6f4de15e-9316-4714-a7c4-40c46cf8e067","type":"Microsoft.Authorization/roleAssignments","name":"6f4de15e-9316-4714-a7c4-40c46cf8e067"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2020-02-25T18:36:13.2137492Z","updatedOn":"2020-02-25T18:36:13.2137492Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/18fdd87e-1c01-424e-b380-32310f4940c2","type":"Microsoft.Authorization/roleAssignments","name":"18fdd87e-1c01-424e-b380-32310f4940c2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2020-02-25T18:36:00.4746112Z","updatedOn":"2020-02-25T18:36:00.4746112Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/d9bcf58a-6f24-446d-bf60-20ffe5142396","type":"Microsoft.Authorization/roleAssignments","name":"d9bcf58a-6f24-446d-bf60-20ffe5142396"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2020-02-25T18:35:55.7490022Z","updatedOn":"2020-02-25T18:35:55.7490022Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/6e2b954b-42b2-48e0-997a-622601f0a4b4","type":"Microsoft.Authorization/roleAssignments","name":"6e2b954b-42b2-48e0-997a-622601f0a4b4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2020-02-25T18:35:57.9173081Z","updatedOn":"2020-02-25T18:35:57.9173081Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/8d76aaa3-fcfd-4ea5-8c7c-363d250e7ae9","type":"Microsoft.Authorization/roleAssignments","name":"8d76aaa3-fcfd-4ea5-8c7c-363d250e7ae9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2020-02-25T18:36:23.0673659Z","updatedOn":"2020-02-25T18:36:23.0673659Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/d0817c57-3e5b-4363-88b7-52baadd5c362","type":"Microsoft.Authorization/roleAssignments","name":"d0817c57-3e5b-4363-88b7-52baadd5c362"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2020-02-25T18:36:31.2596366Z","updatedOn":"2020-02-25T18:36:31.2596366Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/0dabf212-a1c7-4af6-ba8b-be045493b368","type":"Microsoft.Authorization/roleAssignments","name":"0dabf212-a1c7-4af6-ba8b-be045493b368"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2020-02-25T18:35:52.9188704Z","updatedOn":"2020-02-25T18:35:52.9188704Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/d674b853-332e-4437-9ddb-bba8fde7ccce","type":"Microsoft.Authorization/roleAssignments","name":"d674b853-332e-4437-9ddb-bba8fde7ccce"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2020-02-25T18:36:38.8393742Z","updatedOn":"2020-02-25T18:36:38.8393742Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/00625383-053d-4227-a4db-b098e9bd2289","type":"Microsoft.Authorization/roleAssignments","name":"00625383-053d-4227-a4db-b098e9bd2289"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2020-02-25T18:36:05.0954462Z","updatedOn":"2020-02-25T18:36:05.0954462Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/3151fe9c-fcd2-45d3-a256-72fb13b86df5","type":"Microsoft.Authorization/roleAssignments","name":"3151fe9c-fcd2-45d3-a256-72fb13b86df5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2020-07-06T18:51:23.0753297Z","updatedOn":"2020-07-06T18:51:23.0753297Z","createdBy":"d59f4a71-eff1-4bfa-a572-fe518f49f6c7","updatedBy":"d59f4a71-eff1-4bfa-a572-fe518f49f6c7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/b3a9e1db-fde1-4ddd-ac1c-91913be67359","type":"Microsoft.Authorization/roleAssignments","name":"b3a9e1db-fde1-4ddd-ac1c-91913be67359"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2022-12-12T21:14:55.1655079Z","updatedOn":"2022-12-15T19:53:08.3552283Z","createdBy":"393a8425-6c8d-4d4a-a700-811f0423e5aa","updatedBy":"393a8425-6c8d-4d4a-a700-811f0423e5aa","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/6565c104-61e2-5756-96d7-663b216c8b11","type":"Microsoft.Authorization/roleAssignments","name":"6565c104-61e2-5756-96d7-663b216c8b11"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2022-02-17T00:30:39.4967398Z","updatedOn":"2022-02-17T00:30:39.4967398Z","createdBy":"a4319ad3-20be-4542-8952-685b66e56377","updatedBy":"a4319ad3-20be-4542-8952-685b66e56377","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/d8aedac6-3663-42b3-add4-c013b7935fb4","type":"Microsoft.Authorization/roleAssignments","name":"d8aedac6-3663-42b3-add4-c013b7935fb4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2022-03-02T23:53:39.1630622Z","updatedOn":"2022-03-02T23:53:39.1630622Z","createdBy":"a4319ad3-20be-4542-8952-685b66e56377","updatedBy":"a4319ad3-20be-4542-8952-685b66e56377","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/b5f0a13f-ac13-4e45-8588-15f5d9a02b20","type":"Microsoft.Authorization/roleAssignments","name":"b5f0a13f-ac13-4e45-8588-15f5d9a02b20"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fd6e57ea-fe3c-4f21-bd1e-de170a9a4971","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2022-03-08T00:58:05.8353141Z","updatedOn":"2022-03-08T00:58:05.8353141Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/403b97d1-ee0a-4b10-afe1-f36f368d2ced","type":"Microsoft.Authorization/roleAssignments","name":"403b97d1-ee0a-4b10-afe1-f36f368d2ced"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/94ddc4bc-25f5-4f3e-b527-c587da93cfe4","principalId":"00000000-0000-0000-0000-000000000001","principalType":"Group","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2022-05-16T23:08:20.8536608Z","updatedOn":"2022-05-16T23:08:20.8536608Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/8b338a13-cfa6-42e6-b424-fb375ce9d07c","type":"Microsoft.Authorization/roleAssignments","name":"8b338a13-cfa6-42e6-b424-fb375ce9d07c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2022-05-17T18:23:54.2264851Z","updatedOn":"2022-05-31T17:20:00.8273681Z","createdBy":"393a8425-6c8d-4d4a-a700-811f0423e5aa","updatedBy":"393a8425-6c8d-4d4a-a700-811f0423e5aa","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/f0576973-5014-5fe2-b3f2-cf3aace860d6","type":"Microsoft.Authorization/roleAssignments","name":"f0576973-5014-5fe2-b3f2-cf3aace860d6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2022-07-19T00:07:21.3325762Z","updatedOn":"2022-07-19T00:07:21.3325762Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/2697280b-812c-472d-841b-a10a9fe540a5","type":"Microsoft.Authorization/roleAssignments","name":"2697280b-812c-472d-841b-a10a9fe540a5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fd6e57ea-fe3c-4f21-bd1e-de170a9a4971","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2022-07-19T00:07:23.7020980Z","updatedOn":"2022-07-19T00:07:23.7020980Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/f4254463-7a28-4d26-b331-5a18c354cbe6","type":"Microsoft.Authorization/roleAssignments","name":"f4254463-7a28-4d26-b331-5a18c354cbe6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2022-07-19T00:07:26.4080657Z","updatedOn":"2022-07-19T00:07:26.4080657Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/065a63ba-71cc-4c69-b92b-bc67421e7e64","type":"Microsoft.Authorization/roleAssignments","name":"065a63ba-71cc-4c69-b92b-bc67421e7e64"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-08-09T18:17:33.0012805Z","updatedOn":"2021-08-09T18:17:33.0012805Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/01de8fe7-aae0-4d5c-844a-f0bdb8335252","type":"Microsoft.Authorization/roleAssignments","name":"01de8fe7-aae0-4d5c-844a-f0bdb8335252"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-08-09T18:17:39.9188336Z","updatedOn":"2021-08-09T18:17:39.9188336Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/ab2be506-5489-4c1f-add0-f5ed87a10439","type":"Microsoft.Authorization/roleAssignments","name":"ab2be506-5489-4c1f-add0-f5ed87a10439"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-08-24T19:32:18.2000692Z","updatedOn":"2021-08-24T19:32:18.2000692Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/0ce2f3fb-17ea-4193-9081-09aa4b39fec4","type":"Microsoft.Authorization/roleAssignments","name":"0ce2f3fb-17ea-4193-9081-09aa4b39fec4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-08-24T19:32:36.6775144Z","updatedOn":"2021-08-24T19:32:36.6775144Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/2e95b289-99bd-4e68-83de-5433f2a0428c","type":"Microsoft.Authorization/roleAssignments","name":"2e95b289-99bd-4e68-83de-5433f2a0428c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-11-01T22:46:09.1056400Z","updatedOn":"2021-11-01T22:46:09.1056400Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/82fe7886-5c1b-42c2-9319-7b4d436d8aba","type":"Microsoft.Authorization/roleAssignments","name":"82fe7886-5c1b-42c2-9319-7b4d436d8aba"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-11-01T22:46:14.7527743Z","updatedOn":"2021-11-01T22:46:14.7527743Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/12162b26-25fb-4ef5-a6e8-651446483cb6","type":"Microsoft.Authorization/roleAssignments","name":"12162b26-25fb-4ef5-a6e8-651446483cb6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-11-01T22:46:20.6399869Z","updatedOn":"2021-11-01T22:46:20.6399869Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/105bcc1f-3ddf-4cc0-bffc-03b3d9aaf870","type":"Microsoft.Authorization/roleAssignments","name":"105bcc1f-3ddf-4cc0-bffc-03b3d9aaf870"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-01-26T20:10:13.8998989Z","updatedOn":"2021-01-26T20:10:13.8998989Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/b36517ec-61d3-468d-afdc-eceda8adb4ee","type":"Microsoft.Authorization/roleAssignments","name":"b36517ec-61d3-468d-afdc-eceda8adb4ee"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-02-06T00:13:19.1780775Z","updatedOn":"2021-02-06T00:13:19.1780775Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/5216c1ee-4f58-4d36-b379-6c04b1fbd157","type":"Microsoft.Authorization/roleAssignments","name":"5216c1ee-4f58-4d36-b379-6c04b1fbd157"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f25e0fa2-a7c8-4377-a976-54943a77a395","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-04-16T18:26:34.3109215Z","updatedOn":"2021-04-16T18:26:34.3109215Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/7464f8a3-9f55-443b-a3a5-44a31b100cad","type":"Microsoft.Authorization/roleAssignments","name":"7464f8a3-9f55-443b-a3a5-44a31b100cad"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-04-16T18:27:56.4446265Z","updatedOn":"2021-04-16T18:27:56.4446265Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/8f430c4c-4317-4495-9f01-4f3d4e1ca111","type":"Microsoft.Authorization/roleAssignments","name":"8f430c4c-4317-4495-9f01-4f3d4e1ca111"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-05-04T19:20:06.7695456Z","updatedOn":"2021-05-04T19:20:06.7695456Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/fb8bab14-7f67-4e57-8aa5-0c4b7ab5a0fa","type":"Microsoft.Authorization/roleAssignments","name":"fb8bab14-7f67-4e57-8aa5-0c4b7ab5a0fa"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/CnAIOrchestrationServicePublicCorpprod","condition":null,"conditionVersion":null,"createdOn":"2019-03-26T22:01:02.9176787Z","updatedOn":"2019-03-26T22:01:02.9176787Z","createdBy":"8701e34d-d7c2-459c-b2d7-f3a9c5204818","updatedBy":"8701e34d-d7c2-459c-b2d7-f3a9c5204818","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/CnAIOrchestrationServicePublicCorpprod/providers/Microsoft.Authorization/roleAssignments/4b771ea9-81de-4fc4-aa28-a3a0b9b4a320","type":"Microsoft.Authorization/roleAssignments","name":"4b771ea9-81de-4fc4-aa28-a3a0b9b4a320"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/36243c78-bf99-498c-9df9-86d9f8d28608","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/CnAIOrchestrationServicePublicCorpprod","condition":null,"conditionVersion":null,"createdOn":"2019-03-27T00:49:37.3000523Z","updatedOn":"2019-03-27T00:49:37.3000523Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/CnAIOrchestrationServicePublicCorpprod/providers/Microsoft.Authorization/roleAssignments/e6e1fffd-83f7-40c7-9f33-e56e2cf75b29","type":"Microsoft.Authorization/roleAssignments","name":"e6e1fffd-83f7-40c7-9f33-e56e2cf75b29"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5d58bcaf-24a5-4b20-bdb6-eed9f69fbe4c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/CnAIOrchestrationServicePublicCorpprod","condition":null,"conditionVersion":null,"createdOn":"2019-03-27T00:50:08.3039053Z","updatedOn":"2019-03-27T00:50:08.3039053Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/CnAIOrchestrationServicePublicCorpprod/providers/Microsoft.Authorization/roleAssignments/3d01f56e-ee3a-41ed-a775-0e067546cb12","type":"Microsoft.Authorization/roleAssignments","name":"3d01f56e-ee3a-41ed-a775-0e067546cb12"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/94ddc4bc-25f5-4f3e-b527-c587da93cfe4","principalId":"00000000-0000-0000-0000-000000000001","principalType":"Group","scope":"/providers/Microsoft.Management/managementGroups/CnAIOrchestrationServicePublicCorpprod","condition":null,"conditionVersion":null,"createdOn":"2022-06-28T23:11:28.9217618Z","updatedOn":"2022-06-28T23:11:28.9217618Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/CnAIOrchestrationServicePublicCorpprod/providers/Microsoft.Authorization/roleAssignments/869183bd-893a-46f9-bb02-45e48b13f1be","type":"Microsoft.Authorization/roleAssignments","name":"869183bd-893a-46f9-bb02-45e48b13f1be"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47","condition":null,"conditionVersion":null,"createdOn":"2020-03-12T20:43:06.5941189Z","updatedOn":"2020-03-12T20:43:06.5941189Z","createdBy":"606f48c8-d219-4875-991d-ae6befaf0756","updatedBy":"606f48c8-d219-4875-991d-ae6befaf0756","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47/providers/Microsoft.Authorization/roleAssignments/ad9e2cd7-0ff7-4931-9b17-656c8f17934b","type":"Microsoft.Authorization/roleAssignments","name":"ad9e2cd7-0ff7-4931-9b17-656c8f17934b"}]}' + string: '{"value":[{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/","condition":null,"conditionVersion":null,"createdOn":"2018-02-27T19:19:50.2663941Z","updatedOn":"2018-02-27T19:19:50.2663941Z","createdBy":null,"updatedBy":null,"delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Authorization/roleAssignments/3e883d24-b106-42ff-ad13-d7bf271b964d","type":"Microsoft.Authorization/roleAssignments","name":"3e883d24-b106-42ff-ad13-d7bf271b964d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"00000000-0000-0000-0000-000000000001","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-04-26T05:33:00.7067936Z","updatedOn":"2021-04-26T05:33:00.7067936Z","createdBy":"7e9cc714-bfe4-4eea-acb2-d53ced88ab8b","updatedBy":"7e9cc714-bfe4-4eea-acb2-d53ced88ab8b","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2adf4737-6342-4f63-aeb2-5fcd3426a387","type":"Microsoft.Authorization/roleAssignments","name":"2adf4737-6342-4f63-aeb2-5fcd3426a387"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-04-26T06:09:24.5972802Z","updatedOn":"2021-04-26T06:09:24.5972802Z","createdBy":"6904f123-3ede-43d2-bd0e-2b2f1bbe4a4b","updatedBy":"6904f123-3ede-43d2-bd0e-2b2f1bbe4a4b","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c4572c05-f69f-4e5c-aac6-79afefcf0e2e","type":"Microsoft.Authorization/roleAssignments","name":"c4572c05-f69f-4e5c-aac6-79afefcf0e2e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-06-18T05:18:40.4643436Z","updatedOn":"2021-06-18T05:18:40.4643436Z","createdBy":"6904f123-3ede-43d2-bd0e-2b2f1bbe4a4b","updatedBy":"6904f123-3ede-43d2-bd0e-2b2f1bbe4a4b","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3f926301-cc14-4a88-a3b7-c159d73d01f6","type":"Microsoft.Authorization/roleAssignments","name":"3f926301-cc14-4a88-a3b7-c159d73d01f6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T05:49:40.4541416Z","updatedOn":"2022-01-25T05:49:40.4541416Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/95e51146-7da2-11ec-9795-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"95e51146-7da2-11ec-9795-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T05:49:41.6466655Z","updatedOn":"2022-01-25T05:49:41.6466655Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/96d4d041-7da2-11ec-9795-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"96d4d041-7da2-11ec-9795-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T05:49:42.8008295Z","updatedOn":"2022-01-25T05:49:42.8008295Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/978dbc52-7da2-11ec-9795-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"978dbc52-7da2-11ec-9795-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T05:49:43.7159467Z","updatedOn":"2022-01-25T05:49:43.7159467Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9808753a-7da2-11ec-9795-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"9808753a-7da2-11ec-9795-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T05:49:44.8535285Z","updatedOn":"2022-01-25T05:49:44.8535285Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9895826c-7da2-11ec-9795-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"9895826c-7da2-11ec-9795-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:00:21.9669611Z","updatedOn":"2022-01-25T06:00:21.9669611Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/143cab45-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"143cab45-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:00:21.7844500Z","updatedOn":"2022-01-25T06:00:21.7844500Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/143a47b2-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"143a47b2-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:00:22.8152511Z","updatedOn":"2022-01-25T06:00:22.8152511Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/1503a122-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"1503a122-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:00:22.7549989Z","updatedOn":"2022-01-25T06:00:22.7549989Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/14fdfc11-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"14fdfc11-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ba92f5b4-2d11-453d-a403-e96b0029c9fe","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:00:47.5002672Z","updatedOn":"2022-01-25T06:00:47.5002672Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/23901ba1-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"23901ba1-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/81a9662b-bebf-436f-a333-f67b29880f12","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:00:47.9954045Z","updatedOn":"2022-01-25T06:00:47.9954045Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/23d4b2c8-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"23d4b2c8-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/17d1049b-9a84-46fb-8f53-869881c3d3ab","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:00:48.0124462Z","updatedOn":"2022-01-25T06:00:48.0124462Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/23eb1c2a-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"23eb1c2a-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b7e6dc6d-f1e8-4753-8033-0f276bb0955b","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:00:49.0142818Z","updatedOn":"2022-01-25T06:00:49.0142818Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/248c7804-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"248c7804-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:00:49.8561822Z","updatedOn":"2022-01-25T06:00:49.8561822Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/25212cc5-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"25212cc5-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/090c5cfd-751d-490a-894a-3ce6f1109419","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:03:00.8232622Z","updatedOn":"2022-01-25T06:03:00.8232622Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/730ae441-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"730ae441-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/090c5cfd-751d-490a-894a-3ce6f1109419","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:03:01.6908492Z","updatedOn":"2022-01-25T06:03:01.6908492Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/73b81c51-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"73b81c51-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:27.0646115Z","updatedOn":"2022-01-25T06:05:27.0646115Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ca436279-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"ca436279-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/090c5cfd-751d-490a-894a-3ce6f1109419","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:27.8245772Z","updatedOn":"2022-01-25T06:05:27.8245772Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/cad7146c-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"cad7146c-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:28.8193427Z","updatedOn":"2022-01-25T06:05:28.8193427Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/cb6be874-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"cb6be874-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/090c5cfd-751d-490a-894a-3ce6f1109419","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:30.0125029Z","updatedOn":"2022-01-25T06:05:30.0125029Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/cc20f7f4-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"cc20f7f4-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:31.2002633Z","updatedOn":"2022-01-25T06:05:31.2002633Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ccd748dd-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"ccd748dd-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:32.4937030Z","updatedOn":"2022-01-25T06:05:32.4937030Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/cd4bbd1a-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"cd4bbd1a-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:33.6999970Z","updatedOn":"2022-01-25T06:05:33.6999970Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ce56964e-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"ce56964e-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:35.3719606Z","updatedOn":"2022-01-25T06:05:35.3719606Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/cf53c36b-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"cf53c36b-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:37.0989473Z","updatedOn":"2022-01-25T06:05:37.0989473Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/d0537e9f-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"d0537e9f-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/090c5cfd-751d-490a-894a-3ce6f1109419","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:37.9186616Z","updatedOn":"2022-01-25T06:05:37.9186616Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/d0d7c10e-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"d0d7c10e-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:39.2245796Z","updatedOn":"2022-01-25T06:05:39.2245796Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/d187dc7e-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"d187dc7e-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/81a9662b-bebf-436f-a333-f67b29880f12","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:41.3147495Z","updatedOn":"2022-01-25T06:05:41.3147495Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/d2d190da-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"d2d190da-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/090c5cfd-751d-490a-894a-3ce6f1109419","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-25T06:05:42.0909979Z","updatedOn":"2022-01-25T06:05:42.0909979Z","createdBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","updatedBy":"8ff738a5-abcd-4864-a162-6c18f7c9cbd9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/d3553305-7da4-11ec-beaa-0022487a95e4","type":"Microsoft.Authorization/roleAssignments","name":"d3553305-7da4-11ec-beaa-0022487a95e4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-01-26T03:24:43.7641076Z","updatedOn":"2022-01-26T03:24:43.7641076Z","createdBy":"6904f123-3ede-43d2-bd0e-2b2f1bbe4a4b","updatedBy":"6904f123-3ede-43d2-bd0e-2b2f1bbe4a4b","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/f7b41e2d-70db-402d-bc47-203fba8dc8ad","type":"Microsoft.Authorization/roleAssignments","name":"f7b41e2d-70db-402d-bc47-203fba8dc8ad"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-18T03:09:33.8702688Z","updatedOn":"2021-09-18T03:09:33.8702688Z","createdBy":"6904f123-3ede-43d2-bd0e-2b2f1bbe4a4b","updatedBy":"6904f123-3ede-43d2-bd0e-2b2f1bbe4a4b","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/99d6fd13-909e-4c52-807e-77f7a5af83c8","type":"Microsoft.Authorization/roleAssignments","name":"99d6fd13-909e-4c52-807e-77f7a5af83c8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/465fbb01-3623-f393-e42f-e19c0d2982de","condition":null,"conditionVersion":null,"createdOn":"2021-10-08T17:23:35.8382756Z","updatedOn":"2021-10-08T17:23:35.8382756Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/465fbb01-3623-f393-e42f-e19c0d2982de/providers/Microsoft.Authorization/roleAssignments/ade4333c-4321-4b68-b498-d081d55e2b0c","type":"Microsoft.Authorization/roleAssignments","name":"ade4333c-4321-4b68-b498-d081d55e2b0c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2019-03-26T22:01:02.9136073Z","updatedOn":"2019-03-26T22:01:02.9136073Z","createdBy":"8701e34d-d7c2-459c-b2d7-f3a9c5204818","updatedBy":"8701e34d-d7c2-459c-b2d7-f3a9c5204818","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/6f4de15e-9316-4714-a7c4-40c46cf8e067","type":"Microsoft.Authorization/roleAssignments","name":"6f4de15e-9316-4714-a7c4-40c46cf8e067"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2020-02-25T18:36:13.2137492Z","updatedOn":"2020-02-25T18:36:13.2137492Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/18fdd87e-1c01-424e-b380-32310f4940c2","type":"Microsoft.Authorization/roleAssignments","name":"18fdd87e-1c01-424e-b380-32310f4940c2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2020-02-25T18:36:00.4746112Z","updatedOn":"2020-02-25T18:36:00.4746112Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/d9bcf58a-6f24-446d-bf60-20ffe5142396","type":"Microsoft.Authorization/roleAssignments","name":"d9bcf58a-6f24-446d-bf60-20ffe5142396"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2020-02-25T18:35:55.7490022Z","updatedOn":"2020-02-25T18:35:55.7490022Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/6e2b954b-42b2-48e0-997a-622601f0a4b4","type":"Microsoft.Authorization/roleAssignments","name":"6e2b954b-42b2-48e0-997a-622601f0a4b4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2020-02-25T18:35:57.9173081Z","updatedOn":"2020-02-25T18:35:57.9173081Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/8d76aaa3-fcfd-4ea5-8c7c-363d250e7ae9","type":"Microsoft.Authorization/roleAssignments","name":"8d76aaa3-fcfd-4ea5-8c7c-363d250e7ae9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2020-02-25T18:36:23.0673659Z","updatedOn":"2020-02-25T18:36:23.0673659Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/d0817c57-3e5b-4363-88b7-52baadd5c362","type":"Microsoft.Authorization/roleAssignments","name":"d0817c57-3e5b-4363-88b7-52baadd5c362"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2020-02-25T18:36:31.2596366Z","updatedOn":"2020-02-25T18:36:31.2596366Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/0dabf212-a1c7-4af6-ba8b-be045493b368","type":"Microsoft.Authorization/roleAssignments","name":"0dabf212-a1c7-4af6-ba8b-be045493b368"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2020-02-25T18:35:52.9188704Z","updatedOn":"2020-02-25T18:35:52.9188704Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/d674b853-332e-4437-9ddb-bba8fde7ccce","type":"Microsoft.Authorization/roleAssignments","name":"d674b853-332e-4437-9ddb-bba8fde7ccce"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2020-02-25T18:36:38.8393742Z","updatedOn":"2020-02-25T18:36:38.8393742Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/00625383-053d-4227-a4db-b098e9bd2289","type":"Microsoft.Authorization/roleAssignments","name":"00625383-053d-4227-a4db-b098e9bd2289"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2020-02-25T18:36:05.0954462Z","updatedOn":"2020-02-25T18:36:05.0954462Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/3151fe9c-fcd2-45d3-a256-72fb13b86df5","type":"Microsoft.Authorization/roleAssignments","name":"3151fe9c-fcd2-45d3-a256-72fb13b86df5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2020-07-06T18:51:23.0753297Z","updatedOn":"2020-07-06T18:51:23.0753297Z","createdBy":"d59f4a71-eff1-4bfa-a572-fe518f49f6c7","updatedBy":"d59f4a71-eff1-4bfa-a572-fe518f49f6c7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/b3a9e1db-fde1-4ddd-ac1c-91913be67359","type":"Microsoft.Authorization/roleAssignments","name":"b3a9e1db-fde1-4ddd-ac1c-91913be67359"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2022-12-12T21:14:55.1655079Z","updatedOn":"2022-12-15T19:53:08.3552283Z","createdBy":"393a8425-6c8d-4d4a-a700-811f0423e5aa","updatedBy":"393a8425-6c8d-4d4a-a700-811f0423e5aa","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/6565c104-61e2-5756-96d7-663b216c8b11","type":"Microsoft.Authorization/roleAssignments","name":"6565c104-61e2-5756-96d7-663b216c8b11"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2022-02-17T00:30:39.4967398Z","updatedOn":"2022-02-17T00:30:39.4967398Z","createdBy":"a4319ad3-20be-4542-8952-685b66e56377","updatedBy":"a4319ad3-20be-4542-8952-685b66e56377","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/d8aedac6-3663-42b3-add4-c013b7935fb4","type":"Microsoft.Authorization/roleAssignments","name":"d8aedac6-3663-42b3-add4-c013b7935fb4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2022-03-02T23:53:39.1630622Z","updatedOn":"2022-03-02T23:53:39.1630622Z","createdBy":"a4319ad3-20be-4542-8952-685b66e56377","updatedBy":"a4319ad3-20be-4542-8952-685b66e56377","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/b5f0a13f-ac13-4e45-8588-15f5d9a02b20","type":"Microsoft.Authorization/roleAssignments","name":"b5f0a13f-ac13-4e45-8588-15f5d9a02b20"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fd6e57ea-fe3c-4f21-bd1e-de170a9a4971","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2022-03-08T00:58:05.8353141Z","updatedOn":"2022-03-08T00:58:05.8353141Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/403b97d1-ee0a-4b10-afe1-f36f368d2ced","type":"Microsoft.Authorization/roleAssignments","name":"403b97d1-ee0a-4b10-afe1-f36f368d2ced"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/94ddc4bc-25f5-4f3e-b527-c587da93cfe4","principalId":"00000000-0000-0000-0000-000000000001","principalType":"Group","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2022-05-16T23:08:20.8536608Z","updatedOn":"2022-05-16T23:08:20.8536608Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/8b338a13-cfa6-42e6-b424-fb375ce9d07c","type":"Microsoft.Authorization/roleAssignments","name":"8b338a13-cfa6-42e6-b424-fb375ce9d07c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2022-05-17T18:23:54.2264851Z","updatedOn":"2022-05-31T17:20:00.8273681Z","createdBy":"393a8425-6c8d-4d4a-a700-811f0423e5aa","updatedBy":"393a8425-6c8d-4d4a-a700-811f0423e5aa","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/f0576973-5014-5fe2-b3f2-cf3aace860d6","type":"Microsoft.Authorization/roleAssignments","name":"f0576973-5014-5fe2-b3f2-cf3aace860d6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2022-07-19T00:07:21.3325762Z","updatedOn":"2022-07-19T00:07:21.3325762Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/2697280b-812c-472d-841b-a10a9fe540a5","type":"Microsoft.Authorization/roleAssignments","name":"2697280b-812c-472d-841b-a10a9fe540a5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fd6e57ea-fe3c-4f21-bd1e-de170a9a4971","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2022-07-19T00:07:23.7020980Z","updatedOn":"2022-07-19T00:07:23.7020980Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/f4254463-7a28-4d26-b331-5a18c354cbe6","type":"Microsoft.Authorization/roleAssignments","name":"f4254463-7a28-4d26-b331-5a18c354cbe6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2022-07-19T00:07:26.4080657Z","updatedOn":"2022-07-19T00:07:26.4080657Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/065a63ba-71cc-4c69-b92b-bc67421e7e64","type":"Microsoft.Authorization/roleAssignments","name":"065a63ba-71cc-4c69-b92b-bc67421e7e64"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-08-09T18:17:33.0012805Z","updatedOn":"2021-08-09T18:17:33.0012805Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/01de8fe7-aae0-4d5c-844a-f0bdb8335252","type":"Microsoft.Authorization/roleAssignments","name":"01de8fe7-aae0-4d5c-844a-f0bdb8335252"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-08-09T18:17:39.9188336Z","updatedOn":"2021-08-09T18:17:39.9188336Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/ab2be506-5489-4c1f-add0-f5ed87a10439","type":"Microsoft.Authorization/roleAssignments","name":"ab2be506-5489-4c1f-add0-f5ed87a10439"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-08-24T19:32:18.2000692Z","updatedOn":"2021-08-24T19:32:18.2000692Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/0ce2f3fb-17ea-4193-9081-09aa4b39fec4","type":"Microsoft.Authorization/roleAssignments","name":"0ce2f3fb-17ea-4193-9081-09aa4b39fec4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-08-24T19:32:36.6775144Z","updatedOn":"2021-08-24T19:32:36.6775144Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/2e95b289-99bd-4e68-83de-5433f2a0428c","type":"Microsoft.Authorization/roleAssignments","name":"2e95b289-99bd-4e68-83de-5433f2a0428c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-11-01T22:46:09.1056400Z","updatedOn":"2021-11-01T22:46:09.1056400Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/82fe7886-5c1b-42c2-9319-7b4d436d8aba","type":"Microsoft.Authorization/roleAssignments","name":"82fe7886-5c1b-42c2-9319-7b4d436d8aba"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-11-01T22:46:14.7527743Z","updatedOn":"2021-11-01T22:46:14.7527743Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/12162b26-25fb-4ef5-a6e8-651446483cb6","type":"Microsoft.Authorization/roleAssignments","name":"12162b26-25fb-4ef5-a6e8-651446483cb6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-11-01T22:46:20.6399869Z","updatedOn":"2021-11-01T22:46:20.6399869Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/105bcc1f-3ddf-4cc0-bffc-03b3d9aaf870","type":"Microsoft.Authorization/roleAssignments","name":"105bcc1f-3ddf-4cc0-bffc-03b3d9aaf870"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-01-26T20:10:13.8998989Z","updatedOn":"2021-01-26T20:10:13.8998989Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/b36517ec-61d3-468d-afdc-eceda8adb4ee","type":"Microsoft.Authorization/roleAssignments","name":"b36517ec-61d3-468d-afdc-eceda8adb4ee"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-02-06T00:13:19.1780775Z","updatedOn":"2021-02-06T00:13:19.1780775Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/5216c1ee-4f58-4d36-b379-6c04b1fbd157","type":"Microsoft.Authorization/roleAssignments","name":"5216c1ee-4f58-4d36-b379-6c04b1fbd157"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f25e0fa2-a7c8-4377-a976-54943a77a395","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-04-16T18:26:34.3109215Z","updatedOn":"2021-04-16T18:26:34.3109215Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/7464f8a3-9f55-443b-a3a5-44a31b100cad","type":"Microsoft.Authorization/roleAssignments","name":"7464f8a3-9f55-443b-a3a5-44a31b100cad"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-04-16T18:27:56.4446265Z","updatedOn":"2021-04-16T18:27:56.4446265Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/8f430c4c-4317-4495-9f01-4f3d4e1ca111","type":"Microsoft.Authorization/roleAssignments","name":"8f430c4c-4317-4495-9f01-4f3d4e1ca111"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792","condition":null,"conditionVersion":null,"createdOn":"2021-05-04T19:20:06.7695456Z","updatedOn":"2021-05-04T19:20:06.7695456Z","createdBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","updatedBy":"2ffe2392-0a52-4093-b041-66b10ebc8317","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/48fed3a1-0814-4847-88ce-b766155f2792/providers/Microsoft.Authorization/roleAssignments/fb8bab14-7f67-4e57-8aa5-0c4b7ab5a0fa","type":"Microsoft.Authorization/roleAssignments","name":"fb8bab14-7f67-4e57-8aa5-0c4b7ab5a0fa"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/CnAIOrchestrationServicePublicCorpprod","condition":null,"conditionVersion":null,"createdOn":"2019-03-26T22:01:02.9176787Z","updatedOn":"2019-03-26T22:01:02.9176787Z","createdBy":"8701e34d-d7c2-459c-b2d7-f3a9c5204818","updatedBy":"8701e34d-d7c2-459c-b2d7-f3a9c5204818","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/CnAIOrchestrationServicePublicCorpprod/providers/Microsoft.Authorization/roleAssignments/4b771ea9-81de-4fc4-aa28-a3a0b9b4a320","type":"Microsoft.Authorization/roleAssignments","name":"4b771ea9-81de-4fc4-aa28-a3a0b9b4a320"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/36243c78-bf99-498c-9df9-86d9f8d28608","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/CnAIOrchestrationServicePublicCorpprod","condition":null,"conditionVersion":null,"createdOn":"2019-03-27T00:49:37.3000523Z","updatedOn":"2019-03-27T00:49:37.3000523Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/CnAIOrchestrationServicePublicCorpprod/providers/Microsoft.Authorization/roleAssignments/e6e1fffd-83f7-40c7-9f33-e56e2cf75b29","type":"Microsoft.Authorization/roleAssignments","name":"e6e1fffd-83f7-40c7-9f33-e56e2cf75b29"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5d58bcaf-24a5-4b20-bdb6-eed9f69fbe4c","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/CnAIOrchestrationServicePublicCorpprod","condition":null,"conditionVersion":null,"createdOn":"2019-03-27T00:50:08.3039053Z","updatedOn":"2019-03-27T00:50:08.3039053Z","createdBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","updatedBy":"820ba717-9ea7-4147-bc13-1e35af4cc27c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/CnAIOrchestrationServicePublicCorpprod/providers/Microsoft.Authorization/roleAssignments/3d01f56e-ee3a-41ed-a775-0e067546cb12","type":"Microsoft.Authorization/roleAssignments","name":"3d01f56e-ee3a-41ed-a775-0e067546cb12"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/94ddc4bc-25f5-4f3e-b527-c587da93cfe4","principalId":"00000000-0000-0000-0000-000000000001","principalType":"Group","scope":"/providers/Microsoft.Management/managementGroups/CnAIOrchestrationServicePublicCorpprod","condition":null,"conditionVersion":null,"createdOn":"2022-06-28T23:11:28.9217618Z","updatedOn":"2022-06-28T23:11:28.9217618Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/CnAIOrchestrationServicePublicCorpprod/providers/Microsoft.Authorization/roleAssignments/869183bd-893a-46f9-bb02-45e48b13f1be","type":"Microsoft.Authorization/roleAssignments","name":"869183bd-893a-46f9-bb02-45e48b13f1be"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47","condition":null,"conditionVersion":null,"createdOn":"2020-03-12T20:43:06.5941189Z","updatedOn":"2020-03-12T20:43:06.5941189Z","createdBy":"606f48c8-d219-4875-991d-ae6befaf0756","updatedBy":"606f48c8-d219-4875-991d-ae6befaf0756","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47/providers/Microsoft.Authorization/roleAssignments/ad9e2cd7-0ff7-4931-9b17-656c8f17934b","type":"Microsoft.Authorization/roleAssignments","name":"ad9e2cd7-0ff7-4931-9b17-656c8f17934b"}]}' headers: cache-control: - no-cache @@ -2370,7 +2322,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Fri, 17 Feb 2023 07:32:06 GMT + - Wed, 04 Jan 2023 07:30:33 GMT expires: - '-1' pragma: @@ -2390,7 +2342,7 @@ interactions: message: OK - request: body: '{"location": "westus2", "identity": {"type": "SystemAssigned"}, "properties": - {"kubernetesVersion": "", "dnsPrefix": "cliakstest-clitestvlhqopzm6-79a739", + {"kubernetesVersion": "", "dnsPrefix": "cliakstest-clitest2z56vpzw3-79a739", "agentPoolProfiles": [{"count": 3, "vmSize": "Standard_DS2_v2", "osDiskSizeGB": 0, "workloadRuntime": "OCIContainer", "vnetSubnetID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet", "osType": "Linux", "enableAutoScaling": false, "type": "VirtualMachineScaleSets", @@ -2399,7 +2351,7 @@ interactions: "Delete", "spotMaxPrice": -1.0, "nodeTaints": [], "enableEncryptionAtHost": false, "enableUltraSSD": false, "enableFIPS": false, "networkProfile": {}, "name": "nodepool1"}], "linuxProfile": {"adminUsername": "azureuser", "ssh": {"publicKeys": - [{"keyData": "ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQC/KLMSacECP+4As5hwhdezAkaNf0QX3DpNLtOiVALJnLD+/I6p9tD5OD5m1s93X2EYrlV8GZHgnwH3hwd+8878X9HnNRcQ6aXCf0k6wgHK/+cZdYM13GDhtDeEVd0Pd/PZDPYEKT8uHR4+Dmp8DhykUazpcM4RR0d6QeZBvbQrL5QBtSGZ9XHAFiNtjl+Vm54X6pZmTrb0KSS1opXX2qaeVmWxjufzVs/wx5mNjVm43PKWFOurnJattn3kUrQzhOdNVMuzgFXe+6nB59KbvoyY7qzsh1MWLKAGq9fYNIGCRDS82YNCqdo6ZSjRcMElhAZ/36NIiTYXxamsp4Hlao7L + [{"keyData": "ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCxQVzaezimLDDL1HAh61in6hRl3lBzeIJJthCdCHnOnzWDKRRgxxIvRBbB0XuqLoqTrH/rJ6RD4OYRmq7vP+EZZUHbI956qLpaLG7rf0g6dceLDaTneS56ORuV8DsTNum4QT56p4St++bzF9vpWW9FRJxpTegF4DaMNXfS/skajfKKJqx55X1xGbDBpMcrcF25Y+Xx0/1URby5Z7v1YduPLNOuV/mlnTd+wTRnkJSYzEiTJA3X2x1p2/AwWTbrErwmLoIWfIFsIEnySHFb87tIdORwbugyJ66+mzvDhigVb7PIx/5NHJE+bF9H1l+oTUKy9jHrTEQUrsG8q2KfRlIr azcli_aks_live_test@example.com\n"}]}}, "addonProfiles": {}, "enableRBAC": true, "enablePodSecurityPolicy": false, "networkProfile": {"networkPlugin": "kubenet", "podCidr": "10.244.0.0/16", "serviceCidr": "10.0.0.0/16", "dnsServiceIP": "10.0.0.10", @@ -2425,34 +2377,34 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n \ \"location\": \"westus2\",\n \"name\": \"cliakstest000002\",\n \"type\": \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": \"Creating\",\n \"powerState\": {\n \"code\": \"Running\"\n },\n \"kubernetesVersion\": - \"1.24.9\",\n \"currentKubernetesVersion\": \"1.24.9\",\n \"dnsPrefix\": - \"cliakstest-clitestvlhqopzm6-79a739\",\n \"fqdn\": \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.hcp.westus2.azmk8s.io\",\n - \ \"azurePortalFQDN\": \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.portal.hcp.westus2.azmk8s.io\",\n + \"1.23.12\",\n \"currentKubernetesVersion\": \"1.23.12\",\n \"dnsPrefix\": + \"cliakstest-clitest2z56vpzw3-79a739\",\n \"fqdn\": \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.hcp.westus2.azmk8s.io\",\n + \ \"azurePortalFQDN\": \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.portal.hcp.westus2.azmk8s.io\",\n \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \"count\": 3,\n \"vmSize\": \"Standard_DS2_v2\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": \"Managed\",\n \"kubeletDiskType\": \"OS\",\n \"workloadRuntime\": \"OCIContainer\",\n \"vnetSubnetID\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet\",\n \ \"maxPods\": 110,\n \"type\": \"VirtualMachineScaleSets\",\n \"enableAutoScaling\": false,\n \"provisioningState\": \"Creating\",\n \"powerState\": {\n - \ \"code\": \"Running\"\n },\n \"orchestratorVersion\": \"1.24.9\",\n - \ \"currentOrchestratorVersion\": \"1.24.9\",\n \"enableNodePublicIP\": + \ \"code\": \"Running\"\n },\n \"orchestratorVersion\": \"1.23.12\",\n + \ \"currentOrchestratorVersion\": \"1.23.12\",\n \"enableNodePublicIP\": false,\n \"enableCustomCATrust\": false,\n \"mode\": \"System\",\n \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": - \"AKSUbuntu-1804gen2containerd-2023.01.26\",\n \"upgradeSettings\": {},\n + \"AKSUbuntu-1804gen2containerd-2022.12.13\",\n \"upgradeSettings\": {},\n \ \"enableFIPS\": false,\n \"networkProfile\": {}\n }\n ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n \"ssh\": {\n \"publicKeys\": - [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQC/KLMSacECP+4As5hwhdezAkaNf0QX3DpNLtOiVALJnLD+/I6p9tD5OD5m1s93X2EYrlV8GZHgnwH3hwd+8878X9HnNRcQ6aXCf0k6wgHK/+cZdYM13GDhtDeEVd0Pd/PZDPYEKT8uHR4+Dmp8DhykUazpcM4RR0d6QeZBvbQrL5QBtSGZ9XHAFiNtjl+Vm54X6pZmTrb0KSS1opXX2qaeVmWxjufzVs/wx5mNjVm43PKWFOurnJattn3kUrQzhOdNVMuzgFXe+6nB59KbvoyY7qzsh1MWLKAGq9fYNIGCRDS82YNCqdo6ZSjRcMElhAZ/36NIiTYXxamsp4Hlao7L + [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCxQVzaezimLDDL1HAh61in6hRl3lBzeIJJthCdCHnOnzWDKRRgxxIvRBbB0XuqLoqTrH/rJ6RD4OYRmq7vP+EZZUHbI956qLpaLG7rf0g6dceLDaTneS56ORuV8DsTNum4QT56p4St++bzF9vpWW9FRJxpTegF4DaMNXfS/skajfKKJqx55X1xGbDBpMcrcF25Y+Xx0/1URby5Z7v1YduPLNOuV/mlnTd+wTRnkJSYzEiTJA3X2x1p2/AwWTbrErwmLoIWfIFsIEnySHFb87tIdORwbugyJ66+mzvDhigVb7PIx/5NHJE+bF9H1l+oTUKy9jHrTEQUrsG8q2KfRlIr azcli_aks_live_test@example.com\\n\"\n }\n ]\n }\n },\n \"servicePrincipalProfile\": {\n \"clientId\":\"00000000-0000-0000-0000-000000000001\"\n },\n \"nodeResourceGroup\": \"MC_clitest000001_cliakstest000002_westus2\",\n \"enableRBAC\": true,\n @@ -2466,13 +2418,13 @@ interactions: \ ],\n \"ipFamilies\": [\n \"IPv4\"\n ]\n },\n \"maxAgentPools\": 100,\n \"disableLocalAccounts\": false,\n \"httpProxyConfig\": {\n \"httpProxy\": \"http://cli-proxy-vm:3128/\",\n \"httpsProxy\": \"https://cli-proxy-vm:3129/\",\n - \ \"noProxy\": [\n \"127.0.0.1\",\n \"konnectivity\",\n \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.hcp.westus2.azmk8s.io\",\n - \ \"10.42.0.0/16\",\n \"localhost\",\n \"168.63.129.16\",\n \"169.254.169.254\",\n - \ \"10.244.0.0/16\",\n \"10.0.0.0/16\"\n ],\n \"effectiveNoProxy\": - [\n \"127.0.0.1\",\n \"konnectivity\",\n \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.hcp.westus2.azmk8s.io\",\n - \ \"10.42.0.0/16\",\n \"localhost\",\n \"168.63.129.16\",\n \"169.254.169.254\",\n - \ \"10.244.0.0/16\",\n \"10.0.0.0/16\"\n ],\n \"trustedCa\": - \"LS0tLS1CRUdJTiBDRVJUSUZJQ0FURS0tLS0tCk1JSUZHekNDQXdPZ0F3SUJBZ0lVT1FvajhDTFpkc2Vscjk3cnZJd3g1T0xEc3V3d0RRWUpLb1pJaHZjTkFRRUwKQlFBd0Z6RVZNQk1HQTFVRUF3d01ZMnhwTFhCeWIzaDVMWFp0TUI0WERUSXlNRE13T0RFMk5EUTBOMW9YRFRNeQpNRE13TlRFMk5EUTBOMW93RnpFVk1CTUdBMVVFQXd3TVkyeHBMWEJ5YjNoNUxYWnRNSUlDSWpBTkJna3Foa2lHCjl3MEJBUUVGQUFPQ0FnOEFNSUlDQ2dLQ0FnRUEvTVB0VjVCVFB0NmNxaTRSZE1sbXIzeUlzYTJ1anpjaHh2NGgKanNDMUR0blJnb3M1UzQxUEgwcmkrM3RUU1ZYMzJ5cndzWStyRDFZUnVwbTZsbUU3R2hVNUkwR2k5b3prU0YwWgpLS2FKaTJveXBVL0ZCK1FQcXpvQ1JzTUV3R0NibUtGVmw4VnVoeW5kWEs0YjRrYmxyOWJsL2V1d2Q3TThTYnZ6CldVam5lRHJRc2lJc3J6UFQ0S0FaTHFjdHpEZTRsbFBUN1lLYTMzaGlFUE9mdldpWitkcWthUUE5UDY0eFhTeW4KZkhYOHVWQUozdUJWSmVHeEQwcGtOSjdqT3J5YVV1SEh1Y1U4UzltSWpuS2pBQjVhUGpMSDV4QXM2bG1iMzEyMgp5KzF0bkVBbVhNNTBEK1VvRWpmUzZIT2I1cmRpcVhHdmMxS2JvS2p6a1BDUnh4MmE3MmN2ZWdVajZtZ0FKTHpnClRoRTFsbGNtVTRpemd4b0lNa1ZwR1RWT0xMbjFWRkt1TmhNWkN2RnZLZ25Lb0F2M0cwRlVuZldFYVJSalNObUQKTFlhTURUNUg5WnQycERJVWpVR1N0Q2w3Z1J6TUVuWXdKTzN5aURwZzQzbzVkUnlzVXlMOUpmRS9OaDdUZzYxOApuOGNKL1c3K1FZYllsanVyYXA4cjdRRlNyb2wzVkNoRkIrT29yNW5pK3ZvaFNBd0pmMFVsTXBHM3hXbXkxVUk0ClRGS2ZGR1JSVHpyUCs3Yk53WDVoSXZJeTVWdGd5YU9xSndUeGhpL0pkeHRPcjJ0QTVyQ1c3K0N0Z1N2emtxTkUKWHlyN3ZrWWdwNlk1TFpneTR0VWpLMEswT1VnVmRqQk9oRHBFenkvRkY4dzFGRVZnSjBxWS9yV2NMa0JIRFQ4Ugp2SmtoaW84Q0F3RUFBYU5mTUYwd0Z3WURWUjBSQkJBd0RvSU1ZMnhwTFhCeWIzaDVMWFp0TUJJR0ExVWRFd0VCCi93UUlNQVlCQWY4Q0FRQXdEd1lEVlIwUEFRSC9CQVVEQXdmbmdEQWRCZ05WSFNVRUZqQVVCZ2dyQmdFRkJRY0QKQWdZSUt3WUJCUVVIQXdFd0RRWUpLb1pJaHZjTkFRRUxCUUFEZ2dJQkFBb21qQ3lYdmFRT3hnWUs1MHNYTEIyKwp3QWZkc3g1bm5HZGd5Zmc0dXJXMlZtMTVEaEd2STdDL250cTBkWXkyNE4vVWJHN1VEWHZseUxJSkZxMVhQN25mCnBaRzBWQ2paNjlibXhLbTNaOG0wL0F3TXZpOGU5ZWR5OHY5a05CQ3dMR2tIYkE4WW85Q0lpUWdlbGZwcDF2VWgKYm5OQmhhRCtpdTZDZmlDTHdnSmIvaXc3ZW8vQ3lvWnF4K3RqWGFPMnpYdm00cC8rUUlmQU9ndEdRTEZVOGNmWgovZ1VyVHE1Z0ZxMCtQOUd5V3NBVEpGNnE3TDZXWlpqME91VHNlN2Y0Q1NpajZNbk9NTXhBK0pvYWhKejdsc1NpClRKSEl3RXA1ci9SeWhweWVwUXhGWWNVSDVKSmY5cmFoWExXWmkrOVRqeFNNMll5aHhmUlBzaVVFdUdEb2s3OFEKbS9RUGlDaTlKSmIxb2NtVGpBVjh4RFNob2NpdlhPRnlobjZMbjc3dkxqWStBYXZ0V0RoUXRocHVQeHNMdFZ6bQplMFNIMTFkRUxSdGI3NG1xWE9yTzdmdS8rSUJzM0pxTEUvVSt4dXhRdHZHOHZHMXlES0hIU1pxUzJoL1dzNGw0Ck5pQXNoSGdlaFFEUEJjWTl3WVl6ZkJnWnBPVU16ZERmNTB4K0ZTbFk0M1dPSkp6U3VRaDR5WjArM2t5Z3VDRjgKcm5NTFNjZXlTNGNpNExtSi9LQ1N1R2RmNlhWWXo4QkU5Z2pqanBDUDZxeTBVbFJlZldzL2lnL3djSysyYkYxVApuL1l2KzZnWGVDVEhKNzVxRElQbHA3RFJVVWswZmJNajRiSWthb2dXV2s0emYydThteFpMYTBsZVBLTktaTi9tCkdDdkZ3cjNlaSt1LzhjenA1RjdUCi0tLS0tRU5EIENFUlRJRklDQVRFLS0tLS0K\"\n + \ \"noProxy\": [\n \"localhost\",\n \"169.254.169.254\",\n \"10.244.0.0/16\",\n + \ \"168.63.129.16\",\n \"konnectivity\",\n \"127.0.0.1\",\n \"10.42.0.0/16\",\n + \ \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.hcp.westus2.azmk8s.io\",\n + \ \"10.0.0.0/16\"\n ],\n \"effectiveNoProxy\": [\n \"localhost\",\n + \ \"169.254.169.254\",\n \"10.244.0.0/16\",\n \"168.63.129.16\",\n + \ \"konnectivity\",\n \"127.0.0.1\",\n \"10.42.0.0/16\",\n \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.hcp.westus2.azmk8s.io\",\n + \ \"10.0.0.0/16\"\n ],\n \"trustedCa\": \"LS0tLS1CRUdJTiBDRVJUSUZJQ0FURS0tLS0tCk1JSUZHekNDQXdPZ0F3SUJBZ0lVT1FvajhDTFpkc2Vscjk3cnZJd3g1T0xEc3V3d0RRWUpLb1pJaHZjTkFRRUwKQlFBd0Z6RVZNQk1HQTFVRUF3d01ZMnhwTFhCeWIzaDVMWFp0TUI0WERUSXlNRE13T0RFMk5EUTBOMW9YRFRNeQpNRE13TlRFMk5EUTBOMW93RnpFVk1CTUdBMVVFQXd3TVkyeHBMWEJ5YjNoNUxYWnRNSUlDSWpBTkJna3Foa2lHCjl3MEJBUUVGQUFPQ0FnOEFNSUlDQ2dLQ0FnRUEvTVB0VjVCVFB0NmNxaTRSZE1sbXIzeUlzYTJ1anpjaHh2NGgKanNDMUR0blJnb3M1UzQxUEgwcmkrM3RUU1ZYMzJ5cndzWStyRDFZUnVwbTZsbUU3R2hVNUkwR2k5b3prU0YwWgpLS2FKaTJveXBVL0ZCK1FQcXpvQ1JzTUV3R0NibUtGVmw4VnVoeW5kWEs0YjRrYmxyOWJsL2V1d2Q3TThTYnZ6CldVam5lRHJRc2lJc3J6UFQ0S0FaTHFjdHpEZTRsbFBUN1lLYTMzaGlFUE9mdldpWitkcWthUUE5UDY0eFhTeW4KZkhYOHVWQUozdUJWSmVHeEQwcGtOSjdqT3J5YVV1SEh1Y1U4UzltSWpuS2pBQjVhUGpMSDV4QXM2bG1iMzEyMgp5KzF0bkVBbVhNNTBEK1VvRWpmUzZIT2I1cmRpcVhHdmMxS2JvS2p6a1BDUnh4MmE3MmN2ZWdVajZtZ0FKTHpnClRoRTFsbGNtVTRpemd4b0lNa1ZwR1RWT0xMbjFWRkt1TmhNWkN2RnZLZ25Lb0F2M0cwRlVuZldFYVJSalNObUQKTFlhTURUNUg5WnQycERJVWpVR1N0Q2w3Z1J6TUVuWXdKTzN5aURwZzQzbzVkUnlzVXlMOUpmRS9OaDdUZzYxOApuOGNKL1c3K1FZYllsanVyYXA4cjdRRlNyb2wzVkNoRkIrT29yNW5pK3ZvaFNBd0pmMFVsTXBHM3hXbXkxVUk0ClRGS2ZGR1JSVHpyUCs3Yk53WDVoSXZJeTVWdGd5YU9xSndUeGhpL0pkeHRPcjJ0QTVyQ1c3K0N0Z1N2emtxTkUKWHlyN3ZrWWdwNlk1TFpneTR0VWpLMEswT1VnVmRqQk9oRHBFenkvRkY4dzFGRVZnSjBxWS9yV2NMa0JIRFQ4Ugp2SmtoaW84Q0F3RUFBYU5mTUYwd0Z3WURWUjBSQkJBd0RvSU1ZMnhwTFhCeWIzaDVMWFp0TUJJR0ExVWRFd0VCCi93UUlNQVlCQWY4Q0FRQXdEd1lEVlIwUEFRSC9CQVVEQXdmbmdEQWRCZ05WSFNVRUZqQVVCZ2dyQmdFRkJRY0QKQWdZSUt3WUJCUVVIQXdFd0RRWUpLb1pJaHZjTkFRRUxCUUFEZ2dJQkFBb21qQ3lYdmFRT3hnWUs1MHNYTEIyKwp3QWZkc3g1bm5HZGd5Zmc0dXJXMlZtMTVEaEd2STdDL250cTBkWXkyNE4vVWJHN1VEWHZseUxJSkZxMVhQN25mCnBaRzBWQ2paNjlibXhLbTNaOG0wL0F3TXZpOGU5ZWR5OHY5a05CQ3dMR2tIYkE4WW85Q0lpUWdlbGZwcDF2VWgKYm5OQmhhRCtpdTZDZmlDTHdnSmIvaXc3ZW8vQ3lvWnF4K3RqWGFPMnpYdm00cC8rUUlmQU9ndEdRTEZVOGNmWgovZ1VyVHE1Z0ZxMCtQOUd5V3NBVEpGNnE3TDZXWlpqME91VHNlN2Y0Q1NpajZNbk9NTXhBK0pvYWhKejdsc1NpClRKSEl3RXA1ci9SeWhweWVwUXhGWWNVSDVKSmY5cmFoWExXWmkrOVRqeFNNMll5aHhmUlBzaVVFdUdEb2s3OFEKbS9RUGlDaTlKSmIxb2NtVGpBVjh4RFNob2NpdlhPRnlobjZMbjc3dkxqWStBYXZ0V0RoUXRocHVQeHNMdFZ6bQplMFNIMTFkRUxSdGI3NG1xWE9yTzdmdS8rSUJzM0pxTEUvVSt4dXhRdHZHOHZHMXlES0hIU1pxUzJoL1dzNGw0Ck5pQXNoSGdlaFFEUEJjWTl3WVl6ZkJnWnBPVU16ZERmNTB4K0ZTbFk0M1dPSkp6U3VRaDR5WjArM2t5Z3VDRjgKcm5NTFNjZXlTNGNpNExtSi9LQ1N1R2RmNlhWWXo4QkU5Z2pqanBDUDZxeTBVbFJlZldzL2lnL3djSysyYkYxVApuL1l2KzZnWGVDVEhKNzVxRElQbHA3RFJVVWswZmJNajRiSWthb2dXV2s0emYydThteFpMYTBsZVBLTktaTi9tCkdDdkZ3cjNlaSt1LzhjenA1RjdUCi0tLS0tRU5EIENFUlRJRklDQVRFLS0tLS0K\"\n \ },\n \"securityProfile\": {},\n \"storageProfile\": {\n \"diskCSIDriver\": {\n \"enabled\": true,\n \"version\": \"v1\"\n },\n \"fileCSIDriver\": {\n \"enabled\": true\n },\n \"snapshotController\": {\n \"enabled\": @@ -2480,18 +2432,18 @@ interactions: \ },\n \"workloadAutoScalerProfile\": {}\n },\n \"identity\": {\n \"type\": \"SystemAssigned\",\n \"principalId\":\"00000000-0000-0000-0000-000000000001\",\n \ \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\"\n },\n \"sku\": - {\n \"name\": \"Base\",\n \"tier\": \"Free\"\n }\n }" + {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n }" headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/f2556b67-0f87-4b0a-b8c9-8120f32d04b7?api-version=2016-03-30 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/64459fb2-dcf9-4519-a55c-5cfb434ed031?api-version=2016-03-30 cache-control: - no-cache content-length: - - '6779' + - '6784' content-type: - application/json date: - - Fri, 17 Feb 2023 07:32:11 GMT + - Wed, 04 Jan 2023 07:30:38 GMT expires: - '-1' pragma: @@ -2522,34 +2474,34 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n \ \"location\": \"westus2\",\n \"name\": \"cliakstest000002\",\n \"type\": \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": \"Creating\",\n \"powerState\": {\n \"code\": \"Running\"\n },\n \"kubernetesVersion\": - \"1.24.9\",\n \"currentKubernetesVersion\": \"1.24.9\",\n \"dnsPrefix\": - \"cliakstest-clitestvlhqopzm6-79a739\",\n \"fqdn\": \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.hcp.westus2.azmk8s.io\",\n - \ \"azurePortalFQDN\": \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.portal.hcp.westus2.azmk8s.io\",\n + \"1.23.12\",\n \"currentKubernetesVersion\": \"1.23.12\",\n \"dnsPrefix\": + \"cliakstest-clitest2z56vpzw3-79a739\",\n \"fqdn\": \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.hcp.westus2.azmk8s.io\",\n + \ \"azurePortalFQDN\": \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.portal.hcp.westus2.azmk8s.io\",\n \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \"count\": 3,\n \"vmSize\": \"Standard_DS2_v2\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": \"Managed\",\n \"kubeletDiskType\": \"OS\",\n \"workloadRuntime\": \"OCIContainer\",\n \"vnetSubnetID\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet\",\n \ \"maxPods\": 110,\n \"type\": \"VirtualMachineScaleSets\",\n \"enableAutoScaling\": false,\n \"provisioningState\": \"Creating\",\n \"powerState\": {\n - \ \"code\": \"Running\"\n },\n \"orchestratorVersion\": \"1.24.9\",\n - \ \"currentOrchestratorVersion\": \"1.24.9\",\n \"enableNodePublicIP\": + \ \"code\": \"Running\"\n },\n \"orchestratorVersion\": \"1.23.12\",\n + \ \"currentOrchestratorVersion\": \"1.23.12\",\n \"enableNodePublicIP\": false,\n \"enableCustomCATrust\": false,\n \"mode\": \"System\",\n \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": - \"AKSUbuntu-1804gen2containerd-2023.01.26\",\n \"upgradeSettings\": {},\n + \"AKSUbuntu-1804gen2containerd-2022.12.13\",\n \"upgradeSettings\": {},\n \ \"enableFIPS\": false,\n \"networkProfile\": {}\n }\n ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n \"ssh\": {\n \"publicKeys\": - [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQC/KLMSacECP+4As5hwhdezAkaNf0QX3DpNLtOiVALJnLD+/I6p9tD5OD5m1s93X2EYrlV8GZHgnwH3hwd+8878X9HnNRcQ6aXCf0k6wgHK/+cZdYM13GDhtDeEVd0Pd/PZDPYEKT8uHR4+Dmp8DhykUazpcM4RR0d6QeZBvbQrL5QBtSGZ9XHAFiNtjl+Vm54X6pZmTrb0KSS1opXX2qaeVmWxjufzVs/wx5mNjVm43PKWFOurnJattn3kUrQzhOdNVMuzgFXe+6nB59KbvoyY7qzsh1MWLKAGq9fYNIGCRDS82YNCqdo6ZSjRcMElhAZ/36NIiTYXxamsp4Hlao7L + [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCxQVzaezimLDDL1HAh61in6hRl3lBzeIJJthCdCHnOnzWDKRRgxxIvRBbB0XuqLoqTrH/rJ6RD4OYRmq7vP+EZZUHbI956qLpaLG7rf0g6dceLDaTneS56ORuV8DsTNum4QT56p4St++bzF9vpWW9FRJxpTegF4DaMNXfS/skajfKKJqx55X1xGbDBpMcrcF25Y+Xx0/1URby5Z7v1YduPLNOuV/mlnTd+wTRnkJSYzEiTJA3X2x1p2/AwWTbrErwmLoIWfIFsIEnySHFb87tIdORwbugyJ66+mzvDhigVb7PIx/5NHJE+bF9H1l+oTUKy9jHrTEQUrsG8q2KfRlIr azcli_aks_live_test@example.com\\n\"\n }\n ]\n }\n },\n \"servicePrincipalProfile\": {\n \"clientId\":\"00000000-0000-0000-0000-000000000001\"\n },\n \"nodeResourceGroup\": \"MC_clitest000001_cliakstest000002_westus2\",\n \"enableRBAC\": true,\n @@ -2563,13 +2515,13 @@ interactions: \ ],\n \"ipFamilies\": [\n \"IPv4\"\n ]\n },\n \"maxAgentPools\": 100,\n \"disableLocalAccounts\": false,\n \"httpProxyConfig\": {\n \"httpProxy\": \"http://cli-proxy-vm:3128/\",\n \"httpsProxy\": \"https://cli-proxy-vm:3129/\",\n - \ \"noProxy\": [\n \"127.0.0.1\",\n \"konnectivity\",\n \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.hcp.westus2.azmk8s.io\",\n - \ \"10.42.0.0/16\",\n \"localhost\",\n \"168.63.129.16\",\n \"169.254.169.254\",\n - \ \"10.244.0.0/16\",\n \"10.0.0.0/16\"\n ],\n \"effectiveNoProxy\": - [\n \"127.0.0.1\",\n \"konnectivity\",\n \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.hcp.westus2.azmk8s.io\",\n - \ \"10.42.0.0/16\",\n \"localhost\",\n \"168.63.129.16\",\n \"169.254.169.254\",\n - \ \"10.244.0.0/16\",\n \"10.0.0.0/16\"\n ],\n \"trustedCa\": - \"LS0tLS1CRUdJTiBDRVJUSUZJQ0FURS0tLS0tCk1JSUZHekNDQXdPZ0F3SUJBZ0lVT1FvajhDTFpkc2Vscjk3cnZJd3g1T0xEc3V3d0RRWUpLb1pJaHZjTkFRRUwKQlFBd0Z6RVZNQk1HQTFVRUF3d01ZMnhwTFhCeWIzaDVMWFp0TUI0WERUSXlNRE13T0RFMk5EUTBOMW9YRFRNeQpNRE13TlRFMk5EUTBOMW93RnpFVk1CTUdBMVVFQXd3TVkyeHBMWEJ5YjNoNUxYWnRNSUlDSWpBTkJna3Foa2lHCjl3MEJBUUVGQUFPQ0FnOEFNSUlDQ2dLQ0FnRUEvTVB0VjVCVFB0NmNxaTRSZE1sbXIzeUlzYTJ1anpjaHh2NGgKanNDMUR0blJnb3M1UzQxUEgwcmkrM3RUU1ZYMzJ5cndzWStyRDFZUnVwbTZsbUU3R2hVNUkwR2k5b3prU0YwWgpLS2FKaTJveXBVL0ZCK1FQcXpvQ1JzTUV3R0NibUtGVmw4VnVoeW5kWEs0YjRrYmxyOWJsL2V1d2Q3TThTYnZ6CldVam5lRHJRc2lJc3J6UFQ0S0FaTHFjdHpEZTRsbFBUN1lLYTMzaGlFUE9mdldpWitkcWthUUE5UDY0eFhTeW4KZkhYOHVWQUozdUJWSmVHeEQwcGtOSjdqT3J5YVV1SEh1Y1U4UzltSWpuS2pBQjVhUGpMSDV4QXM2bG1iMzEyMgp5KzF0bkVBbVhNNTBEK1VvRWpmUzZIT2I1cmRpcVhHdmMxS2JvS2p6a1BDUnh4MmE3MmN2ZWdVajZtZ0FKTHpnClRoRTFsbGNtVTRpemd4b0lNa1ZwR1RWT0xMbjFWRkt1TmhNWkN2RnZLZ25Lb0F2M0cwRlVuZldFYVJSalNObUQKTFlhTURUNUg5WnQycERJVWpVR1N0Q2w3Z1J6TUVuWXdKTzN5aURwZzQzbzVkUnlzVXlMOUpmRS9OaDdUZzYxOApuOGNKL1c3K1FZYllsanVyYXA4cjdRRlNyb2wzVkNoRkIrT29yNW5pK3ZvaFNBd0pmMFVsTXBHM3hXbXkxVUk0ClRGS2ZGR1JSVHpyUCs3Yk53WDVoSXZJeTVWdGd5YU9xSndUeGhpL0pkeHRPcjJ0QTVyQ1c3K0N0Z1N2emtxTkUKWHlyN3ZrWWdwNlk1TFpneTR0VWpLMEswT1VnVmRqQk9oRHBFenkvRkY4dzFGRVZnSjBxWS9yV2NMa0JIRFQ4Ugp2SmtoaW84Q0F3RUFBYU5mTUYwd0Z3WURWUjBSQkJBd0RvSU1ZMnhwTFhCeWIzaDVMWFp0TUJJR0ExVWRFd0VCCi93UUlNQVlCQWY4Q0FRQXdEd1lEVlIwUEFRSC9CQVVEQXdmbmdEQWRCZ05WSFNVRUZqQVVCZ2dyQmdFRkJRY0QKQWdZSUt3WUJCUVVIQXdFd0RRWUpLb1pJaHZjTkFRRUxCUUFEZ2dJQkFBb21qQ3lYdmFRT3hnWUs1MHNYTEIyKwp3QWZkc3g1bm5HZGd5Zmc0dXJXMlZtMTVEaEd2STdDL250cTBkWXkyNE4vVWJHN1VEWHZseUxJSkZxMVhQN25mCnBaRzBWQ2paNjlibXhLbTNaOG0wL0F3TXZpOGU5ZWR5OHY5a05CQ3dMR2tIYkE4WW85Q0lpUWdlbGZwcDF2VWgKYm5OQmhhRCtpdTZDZmlDTHdnSmIvaXc3ZW8vQ3lvWnF4K3RqWGFPMnpYdm00cC8rUUlmQU9ndEdRTEZVOGNmWgovZ1VyVHE1Z0ZxMCtQOUd5V3NBVEpGNnE3TDZXWlpqME91VHNlN2Y0Q1NpajZNbk9NTXhBK0pvYWhKejdsc1NpClRKSEl3RXA1ci9SeWhweWVwUXhGWWNVSDVKSmY5cmFoWExXWmkrOVRqeFNNMll5aHhmUlBzaVVFdUdEb2s3OFEKbS9RUGlDaTlKSmIxb2NtVGpBVjh4RFNob2NpdlhPRnlobjZMbjc3dkxqWStBYXZ0V0RoUXRocHVQeHNMdFZ6bQplMFNIMTFkRUxSdGI3NG1xWE9yTzdmdS8rSUJzM0pxTEUvVSt4dXhRdHZHOHZHMXlES0hIU1pxUzJoL1dzNGw0Ck5pQXNoSGdlaFFEUEJjWTl3WVl6ZkJnWnBPVU16ZERmNTB4K0ZTbFk0M1dPSkp6U3VRaDR5WjArM2t5Z3VDRjgKcm5NTFNjZXlTNGNpNExtSi9LQ1N1R2RmNlhWWXo4QkU5Z2pqanBDUDZxeTBVbFJlZldzL2lnL3djSysyYkYxVApuL1l2KzZnWGVDVEhKNzVxRElQbHA3RFJVVWswZmJNajRiSWthb2dXV2s0emYydThteFpMYTBsZVBLTktaTi9tCkdDdkZ3cjNlaSt1LzhjenA1RjdUCi0tLS0tRU5EIENFUlRJRklDQVRFLS0tLS0K\"\n + \ \"noProxy\": [\n \"localhost\",\n \"169.254.169.254\",\n \"10.244.0.0/16\",\n + \ \"168.63.129.16\",\n \"konnectivity\",\n \"127.0.0.1\",\n \"10.42.0.0/16\",\n + \ \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.hcp.westus2.azmk8s.io\",\n + \ \"10.0.0.0/16\"\n ],\n \"effectiveNoProxy\": [\n \"localhost\",\n + \ \"169.254.169.254\",\n \"10.244.0.0/16\",\n \"168.63.129.16\",\n + \ \"konnectivity\",\n \"127.0.0.1\",\n \"10.42.0.0/16\",\n \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.hcp.westus2.azmk8s.io\",\n + \ \"10.0.0.0/16\"\n ],\n \"trustedCa\": \"LS0tLS1CRUdJTiBDRVJUSUZJQ0FURS0tLS0tCk1JSUZHekNDQXdPZ0F3SUJBZ0lVT1FvajhDTFpkc2Vscjk3cnZJd3g1T0xEc3V3d0RRWUpLb1pJaHZjTkFRRUwKQlFBd0Z6RVZNQk1HQTFVRUF3d01ZMnhwTFhCeWIzaDVMWFp0TUI0WERUSXlNRE13T0RFMk5EUTBOMW9YRFRNeQpNRE13TlRFMk5EUTBOMW93RnpFVk1CTUdBMVVFQXd3TVkyeHBMWEJ5YjNoNUxYWnRNSUlDSWpBTkJna3Foa2lHCjl3MEJBUUVGQUFPQ0FnOEFNSUlDQ2dLQ0FnRUEvTVB0VjVCVFB0NmNxaTRSZE1sbXIzeUlzYTJ1anpjaHh2NGgKanNDMUR0blJnb3M1UzQxUEgwcmkrM3RUU1ZYMzJ5cndzWStyRDFZUnVwbTZsbUU3R2hVNUkwR2k5b3prU0YwWgpLS2FKaTJveXBVL0ZCK1FQcXpvQ1JzTUV3R0NibUtGVmw4VnVoeW5kWEs0YjRrYmxyOWJsL2V1d2Q3TThTYnZ6CldVam5lRHJRc2lJc3J6UFQ0S0FaTHFjdHpEZTRsbFBUN1lLYTMzaGlFUE9mdldpWitkcWthUUE5UDY0eFhTeW4KZkhYOHVWQUozdUJWSmVHeEQwcGtOSjdqT3J5YVV1SEh1Y1U4UzltSWpuS2pBQjVhUGpMSDV4QXM2bG1iMzEyMgp5KzF0bkVBbVhNNTBEK1VvRWpmUzZIT2I1cmRpcVhHdmMxS2JvS2p6a1BDUnh4MmE3MmN2ZWdVajZtZ0FKTHpnClRoRTFsbGNtVTRpemd4b0lNa1ZwR1RWT0xMbjFWRkt1TmhNWkN2RnZLZ25Lb0F2M0cwRlVuZldFYVJSalNObUQKTFlhTURUNUg5WnQycERJVWpVR1N0Q2w3Z1J6TUVuWXdKTzN5aURwZzQzbzVkUnlzVXlMOUpmRS9OaDdUZzYxOApuOGNKL1c3K1FZYllsanVyYXA4cjdRRlNyb2wzVkNoRkIrT29yNW5pK3ZvaFNBd0pmMFVsTXBHM3hXbXkxVUk0ClRGS2ZGR1JSVHpyUCs3Yk53WDVoSXZJeTVWdGd5YU9xSndUeGhpL0pkeHRPcjJ0QTVyQ1c3K0N0Z1N2emtxTkUKWHlyN3ZrWWdwNlk1TFpneTR0VWpLMEswT1VnVmRqQk9oRHBFenkvRkY4dzFGRVZnSjBxWS9yV2NMa0JIRFQ4Ugp2SmtoaW84Q0F3RUFBYU5mTUYwd0Z3WURWUjBSQkJBd0RvSU1ZMnhwTFhCeWIzaDVMWFp0TUJJR0ExVWRFd0VCCi93UUlNQVlCQWY4Q0FRQXdEd1lEVlIwUEFRSC9CQVVEQXdmbmdEQWRCZ05WSFNVRUZqQVVCZ2dyQmdFRkJRY0QKQWdZSUt3WUJCUVVIQXdFd0RRWUpLb1pJaHZjTkFRRUxCUUFEZ2dJQkFBb21qQ3lYdmFRT3hnWUs1MHNYTEIyKwp3QWZkc3g1bm5HZGd5Zmc0dXJXMlZtMTVEaEd2STdDL250cTBkWXkyNE4vVWJHN1VEWHZseUxJSkZxMVhQN25mCnBaRzBWQ2paNjlibXhLbTNaOG0wL0F3TXZpOGU5ZWR5OHY5a05CQ3dMR2tIYkE4WW85Q0lpUWdlbGZwcDF2VWgKYm5OQmhhRCtpdTZDZmlDTHdnSmIvaXc3ZW8vQ3lvWnF4K3RqWGFPMnpYdm00cC8rUUlmQU9ndEdRTEZVOGNmWgovZ1VyVHE1Z0ZxMCtQOUd5V3NBVEpGNnE3TDZXWlpqME91VHNlN2Y0Q1NpajZNbk9NTXhBK0pvYWhKejdsc1NpClRKSEl3RXA1ci9SeWhweWVwUXhGWWNVSDVKSmY5cmFoWExXWmkrOVRqeFNNMll5aHhmUlBzaVVFdUdEb2s3OFEKbS9RUGlDaTlKSmIxb2NtVGpBVjh4RFNob2NpdlhPRnlobjZMbjc3dkxqWStBYXZ0V0RoUXRocHVQeHNMdFZ6bQplMFNIMTFkRUxSdGI3NG1xWE9yTzdmdS8rSUJzM0pxTEUvVSt4dXhRdHZHOHZHMXlES0hIU1pxUzJoL1dzNGw0Ck5pQXNoSGdlaFFEUEJjWTl3WVl6ZkJnWnBPVU16ZERmNTB4K0ZTbFk0M1dPSkp6U3VRaDR5WjArM2t5Z3VDRjgKcm5NTFNjZXlTNGNpNExtSi9LQ1N1R2RmNlhWWXo4QkU5Z2pqanBDUDZxeTBVbFJlZldzL2lnL3djSysyYkYxVApuL1l2KzZnWGVDVEhKNzVxRElQbHA3RFJVVWswZmJNajRiSWthb2dXV2s0emYydThteFpMYTBsZVBLTktaTi9tCkdDdkZ3cjNlaSt1LzhjenA1RjdUCi0tLS0tRU5EIENFUlRJRklDQVRFLS0tLS0K\"\n \ },\n \"securityProfile\": {},\n \"storageProfile\": {\n \"diskCSIDriver\": {\n \"enabled\": true,\n \"version\": \"v1\"\n },\n \"fileCSIDriver\": {\n \"enabled\": true\n },\n \"snapshotController\": {\n \"enabled\": @@ -2577,16 +2529,16 @@ interactions: \ },\n \"workloadAutoScalerProfile\": {}\n },\n \"identity\": {\n \"type\": \"SystemAssigned\",\n \"principalId\":\"00000000-0000-0000-0000-000000000001\",\n \ \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\"\n },\n \"sku\": - {\n \"name\": \"Base\",\n \"tier\": \"Free\"\n }\n }" + {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n }" headers: cache-control: - no-cache content-length: - - '6779' + - '6784' content-type: - application/json date: - - Fri, 17 Feb 2023 07:32:11 GMT + - Wed, 04 Jan 2023 07:30:39 GMT expires: - '-1' pragma: @@ -2619,10 +2571,12 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-authorization/3.0.0 Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) msrest/0.7.1 + msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.43.0 + accept-language: + - en-US method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Network%20Contributor%27&api-version=2022-04-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Network%20Contributor%27&api-version=2018-01-01-preview response: body: string: '{"value":[{"properties":{"roleName":"Network Contributor","type":"BuiltInRole","description":"Lets @@ -2635,7 +2589,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Fri, 17 Feb 2023 07:32:11 GMT + - Wed, 04 Jan 2023 07:30:38 GMT expires: - '-1' pragma: @@ -2668,20 +2622,22 @@ interactions: Content-Length: - '232' Content-Type: - - application/json + - application/json; charset=utf-8 Cookie: - x-ms-gateway-slice=Production ParameterSetName: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-authorization/3.0.0 Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) msrest/0.7.1 + msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.43.0 + accept-language: + - en-US method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleAssignments/8bbe604d-4c62-4e80-89db-3331268013b8?api-version=2022-04-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleAssignments/496b5522-bb63-40e1-908d-f76d25cc3121?api-version=2020-04-01-preview response: body: - string: '{"error":{"code":"PrincipalNotFound","message":"Principal 5e472147b35a4defad4ffcbd06580906 + string: '{"error":{"code":"PrincipalNotFound","message":"Principal 97ad08438d684f6d8352673c3a3a8a3a does not exist in the directory 72f988bf-86f1-41af-91ab-2d7cd011db47. Check that you have the correct principal ID. If you are creating this principal and then immediately assigning a role, this error might be related to a replication @@ -2695,7 +2651,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Fri, 17 Feb 2023 07:32:12 GMT + - Wed, 04 Jan 2023 07:30:39 GMT expires: - '-1' pragma: @@ -2724,10 +2680,12 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-authorization/3.0.0 Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) msrest/0.7.1 + msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.43.0 + accept-language: + - en-US method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Network%20Contributor%27&api-version=2022-04-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Network%20Contributor%27&api-version=2018-01-01-preview response: body: string: '{"value":[{"properties":{"roleName":"Network Contributor","type":"BuiltInRole","description":"Lets @@ -2740,7 +2698,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Fri, 17 Feb 2023 07:32:14 GMT + - Wed, 04 Jan 2023 07:30:42 GMT expires: - '-1' pragma: @@ -2773,20 +2731,22 @@ interactions: Content-Length: - '232' Content-Type: - - application/json + - application/json; charset=utf-8 Cookie: - x-ms-gateway-slice=Production ParameterSetName: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-authorization/3.0.0 Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) msrest/0.7.1 + msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.43.0 + accept-language: + - en-US method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleAssignments/a4e752d9-d78f-455f-b779-455520003cb2?api-version=2022-04-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleAssignments/966eebf1-4d36-4471-913f-3625689baf3d?api-version=2020-04-01-preview response: body: - string: '{"error":{"code":"PrincipalNotFound","message":"Principal 5e472147b35a4defad4ffcbd06580906 + string: '{"error":{"code":"PrincipalNotFound","message":"Principal 97ad08438d684f6d8352673c3a3a8a3a does not exist in the directory 72f988bf-86f1-41af-91ab-2d7cd011db47. Check that you have the correct principal ID. If you are creating this principal and then immediately assigning a role, this error might be related to a replication @@ -2800,7 +2760,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Fri, 17 Feb 2023 07:32:15 GMT + - Wed, 04 Jan 2023 07:30:43 GMT expires: - '-1' pragma: @@ -2829,10 +2789,12 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-authorization/3.0.0 Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) msrest/0.7.1 + msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.43.0 + accept-language: + - en-US method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Network%20Contributor%27&api-version=2022-04-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Network%20Contributor%27&api-version=2018-01-01-preview response: body: string: '{"value":[{"properties":{"roleName":"Network Contributor","type":"BuiltInRole","description":"Lets @@ -2845,7 +2807,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Fri, 17 Feb 2023 07:32:19 GMT + - Wed, 04 Jan 2023 07:30:47 GMT expires: - '-1' pragma: @@ -2878,20 +2840,22 @@ interactions: Content-Length: - '232' Content-Type: - - application/json + - application/json; charset=utf-8 Cookie: - x-ms-gateway-slice=Production ParameterSetName: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-authorization/3.0.0 Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) msrest/0.7.1 + msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.43.0 + accept-language: + - en-US method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleAssignments/80947688-4d0d-4287-92b1-f69d2bc53a02?api-version=2022-04-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleAssignments/d8805546-aba3-41d5-85f7-0a1363086a13?api-version=2020-04-01-preview response: body: - string: '{"error":{"code":"PrincipalNotFound","message":"Principal 5e472147b35a4defad4ffcbd06580906 + string: '{"error":{"code":"PrincipalNotFound","message":"Principal 97ad08438d684f6d8352673c3a3a8a3a does not exist in the directory 72f988bf-86f1-41af-91ab-2d7cd011db47. Check that you have the correct principal ID. If you are creating this principal and then immediately assigning a role, this error might be related to a replication @@ -2905,7 +2869,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Fri, 17 Feb 2023 07:32:20 GMT + - Wed, 04 Jan 2023 07:30:48 GMT expires: - '-1' pragma: @@ -2934,10 +2898,12 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-authorization/3.0.0 Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) msrest/0.7.1 + msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.43.0 + accept-language: + - en-US method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Network%20Contributor%27&api-version=2022-04-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Network%20Contributor%27&api-version=2018-01-01-preview response: body: string: '{"value":[{"properties":{"roleName":"Network Contributor","type":"BuiltInRole","description":"Lets @@ -2950,7 +2916,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Fri, 17 Feb 2023 07:32:26 GMT + - Wed, 04 Jan 2023 07:30:53 GMT expires: - '-1' pragma: @@ -2983,20 +2949,22 @@ interactions: Content-Length: - '232' Content-Type: - - application/json + - application/json; charset=utf-8 Cookie: - x-ms-gateway-slice=Production ParameterSetName: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-authorization/3.0.0 Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) msrest/0.7.1 + msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.43.0 + accept-language: + - en-US method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleAssignments/c2dfbf9f-14b4-467e-b88c-9a1fb241a35c?api-version=2022-04-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleAssignments/5bf0d65b-3e21-4f29-82c7-6a27770f1556?api-version=2020-04-01-preview response: body: - string: '{"error":{"code":"PrincipalNotFound","message":"Principal 5e472147b35a4defad4ffcbd06580906 + string: '{"error":{"code":"PrincipalNotFound","message":"Principal 97ad08438d684f6d8352673c3a3a8a3a does not exist in the directory 72f988bf-86f1-41af-91ab-2d7cd011db47. Check that you have the correct principal ID. If you are creating this principal and then immediately assigning a role, this error might be related to a replication @@ -3010,7 +2978,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Fri, 17 Feb 2023 07:32:26 GMT + - Wed, 04 Jan 2023 07:30:54 GMT expires: - '-1' pragma: @@ -3039,10 +3007,12 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-authorization/3.0.0 Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) msrest/0.7.1 + msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.43.0 + accept-language: + - en-US method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Network%20Contributor%27&api-version=2022-04-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Network%20Contributor%27&api-version=2018-01-01-preview response: body: string: '{"value":[{"properties":{"roleName":"Network Contributor","type":"BuiltInRole","description":"Lets @@ -3055,7 +3025,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Fri, 17 Feb 2023 07:32:35 GMT + - Wed, 04 Jan 2023 07:31:02 GMT expires: - '-1' pragma: @@ -3088,20 +3058,22 @@ interactions: Content-Length: - '232' Content-Type: - - application/json + - application/json; charset=utf-8 Cookie: - x-ms-gateway-slice=Production ParameterSetName: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-authorization/3.0.0 Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) msrest/0.7.1 + msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.43.0 + accept-language: + - en-US method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleAssignments/ca2841cd-4e58-4985-94dc-d6f2e433829c?api-version=2022-04-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleAssignments/37423c25-baa1-4e1f-9238-8938a2b5dfb3?api-version=2020-04-01-preview response: body: - string: '{"error":{"code":"PrincipalNotFound","message":"Principal 5e472147b35a4defad4ffcbd06580906 + string: '{"error":{"code":"PrincipalNotFound","message":"Principal 97ad08438d684f6d8352673c3a3a8a3a does not exist in the directory 72f988bf-86f1-41af-91ab-2d7cd011db47. Check that you have the correct principal ID. If you are creating this principal and then immediately assigning a role, this error might be related to a replication @@ -3115,7 +3087,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Fri, 17 Feb 2023 07:32:35 GMT + - Wed, 04 Jan 2023 07:31:03 GMT expires: - '-1' pragma: @@ -3144,14 +3116,14 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/f2556b67-0f87-4b0a-b8c9-8120f32d04b7?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/64459fb2-dcf9-4519-a55c-5cfb434ed031?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"676b55f2-870f-0a4b-b8c9-8120f32d04b7\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-17T07:32:11.7364316Z\"\n }" + string: "{\n \"name\": \"b29f4564-f9dc-1945-a55c-5cfb434ed031\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-01-04T07:30:38.4197054Z\"\n }" headers: cache-control: - no-cache @@ -3160,7 +3132,7 @@ interactions: content-type: - application/json date: - - Fri, 17 Feb 2023 07:32:41 GMT + - Wed, 04 Jan 2023 07:31:08 GMT expires: - '-1' pragma: @@ -3193,10 +3165,12 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-authorization/3.0.0 Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) msrest/0.7.1 + msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.43.0 + accept-language: + - en-US method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Network%20Contributor%27&api-version=2022-04-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Network%20Contributor%27&api-version=2018-01-01-preview response: body: string: '{"value":[{"properties":{"roleName":"Network Contributor","type":"BuiltInRole","description":"Lets @@ -3209,7 +3183,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Fri, 17 Feb 2023 07:32:46 GMT + - Wed, 04 Jan 2023 07:31:14 GMT expires: - '-1' pragma: @@ -3242,20 +3216,22 @@ interactions: Content-Length: - '232' Content-Type: - - application/json + - application/json; charset=utf-8 Cookie: - x-ms-gateway-slice=Production ParameterSetName: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-authorization/3.0.0 Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) msrest/0.7.1 + msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.43.0 + accept-language: + - en-US method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleAssignments/c86ce9b8-b664-4873-a810-edeb2182bbbe?api-version=2022-04-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleAssignments/063d8c8a-320c-4be6-a9d7-e4257a9c008a?api-version=2020-04-01-preview response: body: - string: '{"error":{"code":"PrincipalNotFound","message":"Principal 5e472147b35a4defad4ffcbd06580906 + string: '{"error":{"code":"PrincipalNotFound","message":"Principal 97ad08438d684f6d8352673c3a3a8a3a does not exist in the directory 72f988bf-86f1-41af-91ab-2d7cd011db47. Check that you have the correct principal ID. If you are creating this principal and then immediately assigning a role, this error might be related to a replication @@ -3269,7 +3245,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Fri, 17 Feb 2023 07:32:46 GMT + - Wed, 04 Jan 2023 07:31:14 GMT expires: - '-1' pragma: @@ -3298,10 +3274,12 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-authorization/3.0.0 Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) msrest/0.7.1 + msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.43.0 + accept-language: + - en-US method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Network%20Contributor%27&api-version=2022-04-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Network%20Contributor%27&api-version=2018-01-01-preview response: body: string: '{"value":[{"properties":{"roleName":"Network Contributor","type":"BuiltInRole","description":"Lets @@ -3314,7 +3292,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Fri, 17 Feb 2023 07:32:58 GMT + - Wed, 04 Jan 2023 07:31:26 GMT expires: - '-1' pragma: @@ -3347,20 +3325,22 @@ interactions: Content-Length: - '232' Content-Type: - - application/json + - application/json; charset=utf-8 Cookie: - x-ms-gateway-slice=Production ParameterSetName: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-authorization/3.0.0 Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - python/3.8.10 (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) msrest/0.7.1 + msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.43.0 + accept-language: + - en-US method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleAssignments/564287de-c753-4f6a-a43d-23c38d759127?api-version=2022-04-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleAssignments/95a205e7-2602-4969-a3c0-ed7c0d2afa32?api-version=2020-04-01-preview response: body: - string: '{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet","condition":null,"conditionVersion":null,"createdOn":"2023-02-17T07:32:59.2223734Z","updatedOn":"2023-02-17T07:32:59.6598620Z","createdBy":null,"updatedBy":"119e1aeb-4592-42d6-9507-c66df857924f","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleAssignments/564287de-c753-4f6a-a43d-23c38d759127","type":"Microsoft.Authorization/roleAssignments","name":"564287de-c753-4f6a-a43d-23c38d759127"}' + string: '{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"00000000-0000-0000-0000-000000000001","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet","condition":null,"conditionVersion":null,"createdOn":"2023-01-04T07:31:27.8227985Z","updatedOn":"2023-01-04T07:31:28.2038006Z","createdBy":null,"updatedBy":"119e1aeb-4592-42d6-9507-c66df857924f","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet/providers/Microsoft.Authorization/roleAssignments/95a205e7-2602-4969-a3c0-ed7c0d2afa32","type":"Microsoft.Authorization/roleAssignments","name":"95a205e7-2602-4969-a3c0-ed7c0d2afa32"}' headers: cache-control: - no-cache @@ -3369,7 +3349,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Fri, 17 Feb 2023 07:32:59 GMT + - Wed, 04 Jan 2023 07:31:28 GMT expires: - '-1' pragma: @@ -3398,14 +3378,14 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/f2556b67-0f87-4b0a-b8c9-8120f32d04b7?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/64459fb2-dcf9-4519-a55c-5cfb434ed031?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"676b55f2-870f-0a4b-b8c9-8120f32d04b7\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-17T07:32:11.7364316Z\"\n }" + string: "{\n \"name\": \"b29f4564-f9dc-1945-a55c-5cfb434ed031\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-01-04T07:30:38.4197054Z\"\n }" headers: cache-control: - no-cache @@ -3414,7 +3394,7 @@ interactions: content-type: - application/json date: - - Fri, 17 Feb 2023 07:33:11 GMT + - Wed, 04 Jan 2023 07:31:38 GMT expires: - '-1' pragma: @@ -3447,14 +3427,14 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/f2556b67-0f87-4b0a-b8c9-8120f32d04b7?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/64459fb2-dcf9-4519-a55c-5cfb434ed031?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"676b55f2-870f-0a4b-b8c9-8120f32d04b7\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-17T07:32:11.7364316Z\"\n }" + string: "{\n \"name\": \"b29f4564-f9dc-1945-a55c-5cfb434ed031\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-01-04T07:30:38.4197054Z\"\n }" headers: cache-control: - no-cache @@ -3463,7 +3443,7 @@ interactions: content-type: - application/json date: - - Fri, 17 Feb 2023 07:33:42 GMT + - Wed, 04 Jan 2023 07:32:08 GMT expires: - '-1' pragma: @@ -3496,14 +3476,14 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/f2556b67-0f87-4b0a-b8c9-8120f32d04b7?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/64459fb2-dcf9-4519-a55c-5cfb434ed031?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"676b55f2-870f-0a4b-b8c9-8120f32d04b7\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-17T07:32:11.7364316Z\"\n }" + string: "{\n \"name\": \"b29f4564-f9dc-1945-a55c-5cfb434ed031\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-01-04T07:30:38.4197054Z\"\n }" headers: cache-control: - no-cache @@ -3512,7 +3492,7 @@ interactions: content-type: - application/json date: - - Fri, 17 Feb 2023 07:34:11 GMT + - Wed, 04 Jan 2023 07:32:38 GMT expires: - '-1' pragma: @@ -3545,14 +3525,14 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/f2556b67-0f87-4b0a-b8c9-8120f32d04b7?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/64459fb2-dcf9-4519-a55c-5cfb434ed031?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"676b55f2-870f-0a4b-b8c9-8120f32d04b7\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-17T07:32:11.7364316Z\"\n }" + string: "{\n \"name\": \"b29f4564-f9dc-1945-a55c-5cfb434ed031\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-01-04T07:30:38.4197054Z\"\n }" headers: cache-control: - no-cache @@ -3561,7 +3541,7 @@ interactions: content-type: - application/json date: - - Fri, 17 Feb 2023 07:34:42 GMT + - Wed, 04 Jan 2023 07:33:08 GMT expires: - '-1' pragma: @@ -3594,14 +3574,14 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/f2556b67-0f87-4b0a-b8c9-8120f32d04b7?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/64459fb2-dcf9-4519-a55c-5cfb434ed031?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"676b55f2-870f-0a4b-b8c9-8120f32d04b7\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-17T07:32:11.7364316Z\"\n }" + string: "{\n \"name\": \"b29f4564-f9dc-1945-a55c-5cfb434ed031\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-01-04T07:30:38.4197054Z\"\n }" headers: cache-control: - no-cache @@ -3610,7 +3590,7 @@ interactions: content-type: - application/json date: - - Fri, 17 Feb 2023 07:35:11 GMT + - Wed, 04 Jan 2023 07:33:39 GMT expires: - '-1' pragma: @@ -3643,14 +3623,14 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/f2556b67-0f87-4b0a-b8c9-8120f32d04b7?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/64459fb2-dcf9-4519-a55c-5cfb434ed031?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"676b55f2-870f-0a4b-b8c9-8120f32d04b7\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-17T07:32:11.7364316Z\"\n }" + string: "{\n \"name\": \"b29f4564-f9dc-1945-a55c-5cfb434ed031\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-01-04T07:30:38.4197054Z\"\n }" headers: cache-control: - no-cache @@ -3659,7 +3639,7 @@ interactions: content-type: - application/json date: - - Fri, 17 Feb 2023 07:35:42 GMT + - Wed, 04 Jan 2023 07:34:09 GMT expires: - '-1' pragma: @@ -3692,14 +3672,14 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/f2556b67-0f87-4b0a-b8c9-8120f32d04b7?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/64459fb2-dcf9-4519-a55c-5cfb434ed031?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"676b55f2-870f-0a4b-b8c9-8120f32d04b7\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-17T07:32:11.7364316Z\"\n }" + string: "{\n \"name\": \"b29f4564-f9dc-1945-a55c-5cfb434ed031\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-01-04T07:30:38.4197054Z\"\n }" headers: cache-control: - no-cache @@ -3708,7 +3688,7 @@ interactions: content-type: - application/json date: - - Fri, 17 Feb 2023 07:36:11 GMT + - Wed, 04 Jan 2023 07:34:38 GMT expires: - '-1' pragma: @@ -3741,14 +3721,14 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/f2556b67-0f87-4b0a-b8c9-8120f32d04b7?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/64459fb2-dcf9-4519-a55c-5cfb434ed031?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"676b55f2-870f-0a4b-b8c9-8120f32d04b7\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-17T07:32:11.7364316Z\"\n }" + string: "{\n \"name\": \"b29f4564-f9dc-1945-a55c-5cfb434ed031\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-01-04T07:30:38.4197054Z\"\n }" headers: cache-control: - no-cache @@ -3757,7 +3737,7 @@ interactions: content-type: - application/json date: - - Fri, 17 Feb 2023 07:36:42 GMT + - Wed, 04 Jan 2023 07:35:08 GMT expires: - '-1' pragma: @@ -3790,14 +3770,14 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/f2556b67-0f87-4b0a-b8c9-8120f32d04b7?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/64459fb2-dcf9-4519-a55c-5cfb434ed031?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"676b55f2-870f-0a4b-b8c9-8120f32d04b7\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-17T07:32:11.7364316Z\"\n }" + string: "{\n \"name\": \"b29f4564-f9dc-1945-a55c-5cfb434ed031\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-01-04T07:30:38.4197054Z\"\n }" headers: cache-control: - no-cache @@ -3806,7 +3786,7 @@ interactions: content-type: - application/json date: - - Fri, 17 Feb 2023 07:37:12 GMT + - Wed, 04 Jan 2023 07:35:38 GMT expires: - '-1' pragma: @@ -3839,14 +3819,14 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/f2556b67-0f87-4b0a-b8c9-8120f32d04b7?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/64459fb2-dcf9-4519-a55c-5cfb434ed031?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"676b55f2-870f-0a4b-b8c9-8120f32d04b7\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-17T07:32:11.7364316Z\"\n }" + string: "{\n \"name\": \"b29f4564-f9dc-1945-a55c-5cfb434ed031\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-01-04T07:30:38.4197054Z\"\n }" headers: cache-control: - no-cache @@ -3855,7 +3835,7 @@ interactions: content-type: - application/json date: - - Fri, 17 Feb 2023 07:37:42 GMT + - Wed, 04 Jan 2023 07:36:08 GMT expires: - '-1' pragma: @@ -3888,14 +3868,14 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/f2556b67-0f87-4b0a-b8c9-8120f32d04b7?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/64459fb2-dcf9-4519-a55c-5cfb434ed031?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"676b55f2-870f-0a4b-b8c9-8120f32d04b7\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-17T07:32:11.7364316Z\"\n }" + string: "{\n \"name\": \"b29f4564-f9dc-1945-a55c-5cfb434ed031\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-01-04T07:30:38.4197054Z\"\n }" headers: cache-control: - no-cache @@ -3904,7 +3884,7 @@ interactions: content-type: - application/json date: - - Fri, 17 Feb 2023 07:38:12 GMT + - Wed, 04 Jan 2023 07:36:39 GMT expires: - '-1' pragma: @@ -3937,14 +3917,14 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/f2556b67-0f87-4b0a-b8c9-8120f32d04b7?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/64459fb2-dcf9-4519-a55c-5cfb434ed031?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"676b55f2-870f-0a4b-b8c9-8120f32d04b7\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-17T07:32:11.7364316Z\"\n }" + string: "{\n \"name\": \"b29f4564-f9dc-1945-a55c-5cfb434ed031\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-01-04T07:30:38.4197054Z\"\n }" headers: cache-control: - no-cache @@ -3953,7 +3933,7 @@ interactions: content-type: - application/json date: - - Fri, 17 Feb 2023 07:38:43 GMT + - Wed, 04 Jan 2023 07:37:09 GMT expires: - '-1' pragma: @@ -3986,113 +3966,15 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/f2556b67-0f87-4b0a-b8c9-8120f32d04b7?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/64459fb2-dcf9-4519-a55c-5cfb434ed031?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"676b55f2-870f-0a4b-b8c9-8120f32d04b7\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-17T07:32:11.7364316Z\"\n }" - headers: - cache-control: - - no-cache - content-length: - - '126' - content-type: - - application/json - date: - - Fri, 17 Feb 2023 07:39:12 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - aks create - Connection: - - keep-alive - ParameterSetName: - - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity - --yes --vnet-subnet-id -o - User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/f2556b67-0f87-4b0a-b8c9-8120f32d04b7?api-version=2016-03-30 - response: - body: - string: "{\n \"name\": \"676b55f2-870f-0a4b-b8c9-8120f32d04b7\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-17T07:32:11.7364316Z\"\n }" - headers: - cache-control: - - no-cache - content-length: - - '126' - content-type: - - application/json - date: - - Fri, 17 Feb 2023 07:39:42 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - aks create - Connection: - - keep-alive - ParameterSetName: - - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity - --yes --vnet-subnet-id -o - User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/f2556b67-0f87-4b0a-b8c9-8120f32d04b7?api-version=2016-03-30 - response: - body: - string: "{\n \"name\": \"676b55f2-870f-0a4b-b8c9-8120f32d04b7\",\n \"status\": - \"Succeeded\",\n \"startTime\": \"2023-02-17T07:32:11.7364316Z\",\n \"endTime\": - \"2023-02-17T07:40:07.5016607Z\"\n }" + string: "{\n \"name\": \"b29f4564-f9dc-1945-a55c-5cfb434ed031\",\n \"status\": + \"Succeeded\",\n \"startTime\": \"2023-01-04T07:30:38.4197054Z\",\n \"endTime\": + \"2023-01-04T07:37:21.5233406Z\"\n }" headers: cache-control: - no-cache @@ -4101,7 +3983,7 @@ interactions: content-type: - application/json date: - - Fri, 17 Feb 2023 07:40:13 GMT + - Wed, 04 Jan 2023 07:37:39 GMT expires: - '-1' pragma: @@ -4134,41 +4016,41 @@ interactions: - --resource-group --name --http-proxy-config --ssh-key-value --enable-managed-identity --yes --vnet-subnet-id -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n \ \"location\": \"westus2\",\n \"name\": \"cliakstest000002\",\n \"type\": \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": \"Succeeded\",\n \"powerState\": {\n \"code\": \"Running\"\n },\n \"kubernetesVersion\": - \"1.24.9\",\n \"currentKubernetesVersion\": \"1.24.9\",\n \"dnsPrefix\": - \"cliakstest-clitestvlhqopzm6-79a739\",\n \"fqdn\": \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.hcp.westus2.azmk8s.io\",\n - \ \"azurePortalFQDN\": \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.portal.hcp.westus2.azmk8s.io\",\n + \"1.23.12\",\n \"currentKubernetesVersion\": \"1.23.12\",\n \"dnsPrefix\": + \"cliakstest-clitest2z56vpzw3-79a739\",\n \"fqdn\": \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.hcp.westus2.azmk8s.io\",\n + \ \"azurePortalFQDN\": \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.portal.hcp.westus2.azmk8s.io\",\n \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \"count\": 3,\n \"vmSize\": \"Standard_DS2_v2\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": \"Managed\",\n \"kubeletDiskType\": \"OS\",\n \"workloadRuntime\": \"OCIContainer\",\n \"vnetSubnetID\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet\",\n \ \"maxPods\": 110,\n \"type\": \"VirtualMachineScaleSets\",\n \"enableAutoScaling\": false,\n \"provisioningState\": \"Succeeded\",\n \"powerState\": {\n - \ \"code\": \"Running\"\n },\n \"orchestratorVersion\": \"1.24.9\",\n - \ \"currentOrchestratorVersion\": \"1.24.9\",\n \"enableNodePublicIP\": + \ \"code\": \"Running\"\n },\n \"orchestratorVersion\": \"1.23.12\",\n + \ \"currentOrchestratorVersion\": \"1.23.12\",\n \"enableNodePublicIP\": false,\n \"enableCustomCATrust\": false,\n \"mode\": \"System\",\n \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": - \"AKSUbuntu-1804gen2containerd-2023.01.26\",\n \"upgradeSettings\": {},\n + \"AKSUbuntu-1804gen2containerd-2022.12.13\",\n \"upgradeSettings\": {},\n \ \"enableFIPS\": false,\n \"networkProfile\": {}\n }\n ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n \"ssh\": {\n \"publicKeys\": - [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQC/KLMSacECP+4As5hwhdezAkaNf0QX3DpNLtOiVALJnLD+/I6p9tD5OD5m1s93X2EYrlV8GZHgnwH3hwd+8878X9HnNRcQ6aXCf0k6wgHK/+cZdYM13GDhtDeEVd0Pd/PZDPYEKT8uHR4+Dmp8DhykUazpcM4RR0d6QeZBvbQrL5QBtSGZ9XHAFiNtjl+Vm54X6pZmTrb0KSS1opXX2qaeVmWxjufzVs/wx5mNjVm43PKWFOurnJattn3kUrQzhOdNVMuzgFXe+6nB59KbvoyY7qzsh1MWLKAGq9fYNIGCRDS82YNCqdo6ZSjRcMElhAZ/36NIiTYXxamsp4Hlao7L + [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCxQVzaezimLDDL1HAh61in6hRl3lBzeIJJthCdCHnOnzWDKRRgxxIvRBbB0XuqLoqTrH/rJ6RD4OYRmq7vP+EZZUHbI956qLpaLG7rf0g6dceLDaTneS56ORuV8DsTNum4QT56p4St++bzF9vpWW9FRJxpTegF4DaMNXfS/skajfKKJqx55X1xGbDBpMcrcF25Y+Xx0/1URby5Z7v1YduPLNOuV/mlnTd+wTRnkJSYzEiTJA3X2x1p2/AwWTbrErwmLoIWfIFsIEnySHFb87tIdORwbugyJ66+mzvDhigVb7PIx/5NHJE+bF9H1l+oTUKy9jHrTEQUrsG8q2KfRlIr azcli_aks_live_test@example.com\\n\"\n }\n ]\n }\n },\n \"servicePrincipalProfile\": {\n \"clientId\":\"00000000-0000-0000-0000-000000000001\"\n },\n \"nodeResourceGroup\": \"MC_clitest000001_cliakstest000002_westus2\",\n \"enableRBAC\": true,\n \ \"enablePodSecurityPolicy\": false,\n \"networkProfile\": {\n \"networkPlugin\": \"kubenet\",\n \"loadBalancerSku\": \"Standard\",\n \"loadBalancerProfile\": {\n \"managedOutboundIPs\": {\n \"count\": 1\n },\n \"effectiveOutboundIPs\": - [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/fbb61ca4-0e2d-4689-91e3-08bca176f8fb\"\n + [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/c0c7b874-e509-4ed0-8d7a-92b67363723a\"\n \ }\n ],\n \"backendPoolType\": \"nodeIPConfiguration\"\n },\n \ \"podCidr\": \"10.244.0.0/16\",\n \"serviceCidr\": \"10.0.0.0/16\",\n \ \"dnsServiceIP\": \"10.0.0.10\",\n \"dockerBridgeCidr\": \"172.17.0.1/16\",\n @@ -4179,14 +4061,13 @@ interactions: \ \"clientId\":\"00000000-0000-0000-0000-000000000001\",\n \"objectId\":\"00000000-0000-0000-0000-000000000001\"\n \ }\n },\n \"disableLocalAccounts\": false,\n \"httpProxyConfig\": {\n \"httpProxy\": \"http://cli-proxy-vm:3128/\",\n \"httpsProxy\": - \"https://cli-proxy-vm:3129/\",\n \"noProxy\": [\n \"127.0.0.1\",\n - \ \"konnectivity\",\n \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.hcp.westus2.azmk8s.io\",\n - \ \"10.42.0.0/16\",\n \"localhost\",\n \"168.63.129.16\",\n \"169.254.169.254\",\n - \ \"10.244.0.0/16\",\n \"10.0.0.0/16\"\n ],\n \"effectiveNoProxy\": - [\n \"127.0.0.1\",\n \"konnectivity\",\n \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.hcp.westus2.azmk8s.io\",\n - \ \"10.42.0.0/16\",\n \"localhost\",\n \"168.63.129.16\",\n \"169.254.169.254\",\n - \ \"10.244.0.0/16\",\n \"10.0.0.0/16\"\n ],\n \"trustedCa\": - \"LS0tLS1CRUdJTiBDRVJUSUZJQ0FURS0tLS0tCk1JSUZHekNDQXdPZ0F3SUJBZ0lVT1FvajhDTFpkc2Vscjk3cnZJd3g1T0xEc3V3d0RRWUpLb1pJaHZjTkFRRUwKQlFBd0Z6RVZNQk1HQTFVRUF3d01ZMnhwTFhCeWIzaDVMWFp0TUI0WERUSXlNRE13T0RFMk5EUTBOMW9YRFRNeQpNRE13TlRFMk5EUTBOMW93RnpFVk1CTUdBMVVFQXd3TVkyeHBMWEJ5YjNoNUxYWnRNSUlDSWpBTkJna3Foa2lHCjl3MEJBUUVGQUFPQ0FnOEFNSUlDQ2dLQ0FnRUEvTVB0VjVCVFB0NmNxaTRSZE1sbXIzeUlzYTJ1anpjaHh2NGgKanNDMUR0blJnb3M1UzQxUEgwcmkrM3RUU1ZYMzJ5cndzWStyRDFZUnVwbTZsbUU3R2hVNUkwR2k5b3prU0YwWgpLS2FKaTJveXBVL0ZCK1FQcXpvQ1JzTUV3R0NibUtGVmw4VnVoeW5kWEs0YjRrYmxyOWJsL2V1d2Q3TThTYnZ6CldVam5lRHJRc2lJc3J6UFQ0S0FaTHFjdHpEZTRsbFBUN1lLYTMzaGlFUE9mdldpWitkcWthUUE5UDY0eFhTeW4KZkhYOHVWQUozdUJWSmVHeEQwcGtOSjdqT3J5YVV1SEh1Y1U4UzltSWpuS2pBQjVhUGpMSDV4QXM2bG1iMzEyMgp5KzF0bkVBbVhNNTBEK1VvRWpmUzZIT2I1cmRpcVhHdmMxS2JvS2p6a1BDUnh4MmE3MmN2ZWdVajZtZ0FKTHpnClRoRTFsbGNtVTRpemd4b0lNa1ZwR1RWT0xMbjFWRkt1TmhNWkN2RnZLZ25Lb0F2M0cwRlVuZldFYVJSalNObUQKTFlhTURUNUg5WnQycERJVWpVR1N0Q2w3Z1J6TUVuWXdKTzN5aURwZzQzbzVkUnlzVXlMOUpmRS9OaDdUZzYxOApuOGNKL1c3K1FZYllsanVyYXA4cjdRRlNyb2wzVkNoRkIrT29yNW5pK3ZvaFNBd0pmMFVsTXBHM3hXbXkxVUk0ClRGS2ZGR1JSVHpyUCs3Yk53WDVoSXZJeTVWdGd5YU9xSndUeGhpL0pkeHRPcjJ0QTVyQ1c3K0N0Z1N2emtxTkUKWHlyN3ZrWWdwNlk1TFpneTR0VWpLMEswT1VnVmRqQk9oRHBFenkvRkY4dzFGRVZnSjBxWS9yV2NMa0JIRFQ4Ugp2SmtoaW84Q0F3RUFBYU5mTUYwd0Z3WURWUjBSQkJBd0RvSU1ZMnhwTFhCeWIzaDVMWFp0TUJJR0ExVWRFd0VCCi93UUlNQVlCQWY4Q0FRQXdEd1lEVlIwUEFRSC9CQVVEQXdmbmdEQWRCZ05WSFNVRUZqQVVCZ2dyQmdFRkJRY0QKQWdZSUt3WUJCUVVIQXdFd0RRWUpLb1pJaHZjTkFRRUxCUUFEZ2dJQkFBb21qQ3lYdmFRT3hnWUs1MHNYTEIyKwp3QWZkc3g1bm5HZGd5Zmc0dXJXMlZtMTVEaEd2STdDL250cTBkWXkyNE4vVWJHN1VEWHZseUxJSkZxMVhQN25mCnBaRzBWQ2paNjlibXhLbTNaOG0wL0F3TXZpOGU5ZWR5OHY5a05CQ3dMR2tIYkE4WW85Q0lpUWdlbGZwcDF2VWgKYm5OQmhhRCtpdTZDZmlDTHdnSmIvaXc3ZW8vQ3lvWnF4K3RqWGFPMnpYdm00cC8rUUlmQU9ndEdRTEZVOGNmWgovZ1VyVHE1Z0ZxMCtQOUd5V3NBVEpGNnE3TDZXWlpqME91VHNlN2Y0Q1NpajZNbk9NTXhBK0pvYWhKejdsc1NpClRKSEl3RXA1ci9SeWhweWVwUXhGWWNVSDVKSmY5cmFoWExXWmkrOVRqeFNNMll5aHhmUlBzaVVFdUdEb2s3OFEKbS9RUGlDaTlKSmIxb2NtVGpBVjh4RFNob2NpdlhPRnlobjZMbjc3dkxqWStBYXZ0V0RoUXRocHVQeHNMdFZ6bQplMFNIMTFkRUxSdGI3NG1xWE9yTzdmdS8rSUJzM0pxTEUvVSt4dXhRdHZHOHZHMXlES0hIU1pxUzJoL1dzNGw0Ck5pQXNoSGdlaFFEUEJjWTl3WVl6ZkJnWnBPVU16ZERmNTB4K0ZTbFk0M1dPSkp6U3VRaDR5WjArM2t5Z3VDRjgKcm5NTFNjZXlTNGNpNExtSi9LQ1N1R2RmNlhWWXo4QkU5Z2pqanBDUDZxeTBVbFJlZldzL2lnL3djSysyYkYxVApuL1l2KzZnWGVDVEhKNzVxRElQbHA3RFJVVWswZmJNajRiSWthb2dXV2s0emYydThteFpMYTBsZVBLTktaTi9tCkdDdkZ3cjNlaSt1LzhjenA1RjdUCi0tLS0tRU5EIENFUlRJRklDQVRFLS0tLS0K\"\n + \"https://cli-proxy-vm:3129/\",\n \"noProxy\": [\n \"localhost\",\n + \ \"169.254.169.254\",\n \"10.244.0.0/16\",\n \"168.63.129.16\",\n + \ \"konnectivity\",\n \"127.0.0.1\",\n \"10.42.0.0/16\",\n \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.hcp.westus2.azmk8s.io\",\n + \ \"10.0.0.0/16\"\n ],\n \"effectiveNoProxy\": [\n \"localhost\",\n + \ \"169.254.169.254\",\n \"10.244.0.0/16\",\n \"168.63.129.16\",\n + \ \"konnectivity\",\n \"127.0.0.1\",\n \"10.42.0.0/16\",\n \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.hcp.westus2.azmk8s.io\",\n + \ \"10.0.0.0/16\"\n ],\n \"trustedCa\": \"LS0tLS1CRUdJTiBDRVJUSUZJQ0FURS0tLS0tCk1JSUZHekNDQXdPZ0F3SUJBZ0lVT1FvajhDTFpkc2Vscjk3cnZJd3g1T0xEc3V3d0RRWUpLb1pJaHZjTkFRRUwKQlFBd0Z6RVZNQk1HQTFVRUF3d01ZMnhwTFhCeWIzaDVMWFp0TUI0WERUSXlNRE13T0RFMk5EUTBOMW9YRFRNeQpNRE13TlRFMk5EUTBOMW93RnpFVk1CTUdBMVVFQXd3TVkyeHBMWEJ5YjNoNUxYWnRNSUlDSWpBTkJna3Foa2lHCjl3MEJBUUVGQUFPQ0FnOEFNSUlDQ2dLQ0FnRUEvTVB0VjVCVFB0NmNxaTRSZE1sbXIzeUlzYTJ1anpjaHh2NGgKanNDMUR0blJnb3M1UzQxUEgwcmkrM3RUU1ZYMzJ5cndzWStyRDFZUnVwbTZsbUU3R2hVNUkwR2k5b3prU0YwWgpLS2FKaTJveXBVL0ZCK1FQcXpvQ1JzTUV3R0NibUtGVmw4VnVoeW5kWEs0YjRrYmxyOWJsL2V1d2Q3TThTYnZ6CldVam5lRHJRc2lJc3J6UFQ0S0FaTHFjdHpEZTRsbFBUN1lLYTMzaGlFUE9mdldpWitkcWthUUE5UDY0eFhTeW4KZkhYOHVWQUozdUJWSmVHeEQwcGtOSjdqT3J5YVV1SEh1Y1U4UzltSWpuS2pBQjVhUGpMSDV4QXM2bG1iMzEyMgp5KzF0bkVBbVhNNTBEK1VvRWpmUzZIT2I1cmRpcVhHdmMxS2JvS2p6a1BDUnh4MmE3MmN2ZWdVajZtZ0FKTHpnClRoRTFsbGNtVTRpemd4b0lNa1ZwR1RWT0xMbjFWRkt1TmhNWkN2RnZLZ25Lb0F2M0cwRlVuZldFYVJSalNObUQKTFlhTURUNUg5WnQycERJVWpVR1N0Q2w3Z1J6TUVuWXdKTzN5aURwZzQzbzVkUnlzVXlMOUpmRS9OaDdUZzYxOApuOGNKL1c3K1FZYllsanVyYXA4cjdRRlNyb2wzVkNoRkIrT29yNW5pK3ZvaFNBd0pmMFVsTXBHM3hXbXkxVUk0ClRGS2ZGR1JSVHpyUCs3Yk53WDVoSXZJeTVWdGd5YU9xSndUeGhpL0pkeHRPcjJ0QTVyQ1c3K0N0Z1N2emtxTkUKWHlyN3ZrWWdwNlk1TFpneTR0VWpLMEswT1VnVmRqQk9oRHBFenkvRkY4dzFGRVZnSjBxWS9yV2NMa0JIRFQ4Ugp2SmtoaW84Q0F3RUFBYU5mTUYwd0Z3WURWUjBSQkJBd0RvSU1ZMnhwTFhCeWIzaDVMWFp0TUJJR0ExVWRFd0VCCi93UUlNQVlCQWY4Q0FRQXdEd1lEVlIwUEFRSC9CQVVEQXdmbmdEQWRCZ05WSFNVRUZqQVVCZ2dyQmdFRkJRY0QKQWdZSUt3WUJCUVVIQXdFd0RRWUpLb1pJaHZjTkFRRUxCUUFEZ2dJQkFBb21qQ3lYdmFRT3hnWUs1MHNYTEIyKwp3QWZkc3g1bm5HZGd5Zmc0dXJXMlZtMTVEaEd2STdDL250cTBkWXkyNE4vVWJHN1VEWHZseUxJSkZxMVhQN25mCnBaRzBWQ2paNjlibXhLbTNaOG0wL0F3TXZpOGU5ZWR5OHY5a05CQ3dMR2tIYkE4WW85Q0lpUWdlbGZwcDF2VWgKYm5OQmhhRCtpdTZDZmlDTHdnSmIvaXc3ZW8vQ3lvWnF4K3RqWGFPMnpYdm00cC8rUUlmQU9ndEdRTEZVOGNmWgovZ1VyVHE1Z0ZxMCtQOUd5V3NBVEpGNnE3TDZXWlpqME91VHNlN2Y0Q1NpajZNbk9NTXhBK0pvYWhKejdsc1NpClRKSEl3RXA1ci9SeWhweWVwUXhGWWNVSDVKSmY5cmFoWExXWmkrOVRqeFNNMll5aHhmUlBzaVVFdUdEb2s3OFEKbS9RUGlDaTlKSmIxb2NtVGpBVjh4RFNob2NpdlhPRnlobjZMbjc3dkxqWStBYXZ0V0RoUXRocHVQeHNMdFZ6bQplMFNIMTFkRUxSdGI3NG1xWE9yTzdmdS8rSUJzM0pxTEUvVSt4dXhRdHZHOHZHMXlES0hIU1pxUzJoL1dzNGw0Ck5pQXNoSGdlaFFEUEJjWTl3WVl6ZkJnWnBPVU16ZERmNTB4K0ZTbFk0M1dPSkp6U3VRaDR5WjArM2t5Z3VDRjgKcm5NTFNjZXlTNGNpNExtSi9LQ1N1R2RmNlhWWXo4QkU5Z2pqanBDUDZxeTBVbFJlZldzL2lnL3djSysyYkYxVApuL1l2KzZnWGVDVEhKNzVxRElQbHA3RFJVVWswZmJNajRiSWthb2dXV2s0emYydThteFpMYTBsZVBLTktaTi9tCkdDdkZ3cjNlaSt1LzhjenA1RjdUCi0tLS0tRU5EIENFUlRJRklDQVRFLS0tLS0K\"\n \ },\n \"securityProfile\": {},\n \"storageProfile\": {\n \"diskCSIDriver\": {\n \"enabled\": true,\n \"version\": \"v1\"\n },\n \"fileCSIDriver\": {\n \"enabled\": true\n },\n \"snapshotController\": {\n \"enabled\": @@ -4194,16 +4075,16 @@ interactions: \ },\n \"workloadAutoScalerProfile\": {}\n },\n \"identity\": {\n \"type\": \"SystemAssigned\",\n \"principalId\":\"00000000-0000-0000-0000-000000000001\",\n \ \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\"\n },\n \"sku\": - {\n \"name\": \"Base\",\n \"tier\": \"Free\"\n }\n }" + {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n }" headers: cache-control: - no-cache content-length: - - '7432' + - '7437' content-type: - application/json date: - - Fri, 17 Feb 2023 07:40:13 GMT + - Wed, 04 Jan 2023 07:37:39 GMT expires: - '-1' pragma: @@ -4235,41 +4116,41 @@ interactions: ParameterSetName: - --resource-group --name --http-proxy-config User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n \ \"location\": \"westus2\",\n \"name\": \"cliakstest000002\",\n \"type\": \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": \"Succeeded\",\n \"powerState\": {\n \"code\": \"Running\"\n },\n \"kubernetesVersion\": - \"1.24.9\",\n \"currentKubernetesVersion\": \"1.24.9\",\n \"dnsPrefix\": - \"cliakstest-clitestvlhqopzm6-79a739\",\n \"fqdn\": \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.hcp.westus2.azmk8s.io\",\n - \ \"azurePortalFQDN\": \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.portal.hcp.westus2.azmk8s.io\",\n + \"1.23.12\",\n \"currentKubernetesVersion\": \"1.23.12\",\n \"dnsPrefix\": + \"cliakstest-clitest2z56vpzw3-79a739\",\n \"fqdn\": \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.hcp.westus2.azmk8s.io\",\n + \ \"azurePortalFQDN\": \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.portal.hcp.westus2.azmk8s.io\",\n \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \"count\": 3,\n \"vmSize\": \"Standard_DS2_v2\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": \"Managed\",\n \"kubeletDiskType\": \"OS\",\n \"workloadRuntime\": \"OCIContainer\",\n \"vnetSubnetID\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet\",\n \ \"maxPods\": 110,\n \"type\": \"VirtualMachineScaleSets\",\n \"enableAutoScaling\": false,\n \"provisioningState\": \"Succeeded\",\n \"powerState\": {\n - \ \"code\": \"Running\"\n },\n \"orchestratorVersion\": \"1.24.9\",\n - \ \"currentOrchestratorVersion\": \"1.24.9\",\n \"enableNodePublicIP\": + \ \"code\": \"Running\"\n },\n \"orchestratorVersion\": \"1.23.12\",\n + \ \"currentOrchestratorVersion\": \"1.23.12\",\n \"enableNodePublicIP\": false,\n \"enableCustomCATrust\": false,\n \"mode\": \"System\",\n \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": - \"AKSUbuntu-1804gen2containerd-2023.01.26\",\n \"upgradeSettings\": {},\n + \"AKSUbuntu-1804gen2containerd-2022.12.13\",\n \"upgradeSettings\": {},\n \ \"enableFIPS\": false,\n \"networkProfile\": {}\n }\n ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n \"ssh\": {\n \"publicKeys\": - [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQC/KLMSacECP+4As5hwhdezAkaNf0QX3DpNLtOiVALJnLD+/I6p9tD5OD5m1s93X2EYrlV8GZHgnwH3hwd+8878X9HnNRcQ6aXCf0k6wgHK/+cZdYM13GDhtDeEVd0Pd/PZDPYEKT8uHR4+Dmp8DhykUazpcM4RR0d6QeZBvbQrL5QBtSGZ9XHAFiNtjl+Vm54X6pZmTrb0KSS1opXX2qaeVmWxjufzVs/wx5mNjVm43PKWFOurnJattn3kUrQzhOdNVMuzgFXe+6nB59KbvoyY7qzsh1MWLKAGq9fYNIGCRDS82YNCqdo6ZSjRcMElhAZ/36NIiTYXxamsp4Hlao7L + [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCxQVzaezimLDDL1HAh61in6hRl3lBzeIJJthCdCHnOnzWDKRRgxxIvRBbB0XuqLoqTrH/rJ6RD4OYRmq7vP+EZZUHbI956qLpaLG7rf0g6dceLDaTneS56ORuV8DsTNum4QT56p4St++bzF9vpWW9FRJxpTegF4DaMNXfS/skajfKKJqx55X1xGbDBpMcrcF25Y+Xx0/1URby5Z7v1YduPLNOuV/mlnTd+wTRnkJSYzEiTJA3X2x1p2/AwWTbrErwmLoIWfIFsIEnySHFb87tIdORwbugyJ66+mzvDhigVb7PIx/5NHJE+bF9H1l+oTUKy9jHrTEQUrsG8q2KfRlIr azcli_aks_live_test@example.com\\n\"\n }\n ]\n }\n },\n \"servicePrincipalProfile\": {\n \"clientId\":\"00000000-0000-0000-0000-000000000001\"\n },\n \"nodeResourceGroup\": \"MC_clitest000001_cliakstest000002_westus2\",\n \"enableRBAC\": true,\n \ \"enablePodSecurityPolicy\": false,\n \"networkProfile\": {\n \"networkPlugin\": \"kubenet\",\n \"loadBalancerSku\": \"Standard\",\n \"loadBalancerProfile\": {\n \"managedOutboundIPs\": {\n \"count\": 1\n },\n \"effectiveOutboundIPs\": - [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/fbb61ca4-0e2d-4689-91e3-08bca176f8fb\"\n + [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/c0c7b874-e509-4ed0-8d7a-92b67363723a\"\n \ }\n ],\n \"backendPoolType\": \"nodeIPConfiguration\"\n },\n \ \"podCidr\": \"10.244.0.0/16\",\n \"serviceCidr\": \"10.0.0.0/16\",\n \ \"dnsServiceIP\": \"10.0.0.10\",\n \"dockerBridgeCidr\": \"172.17.0.1/16\",\n @@ -4280,14 +4161,13 @@ interactions: \ \"clientId\":\"00000000-0000-0000-0000-000000000001\",\n \"objectId\":\"00000000-0000-0000-0000-000000000001\"\n \ }\n },\n \"disableLocalAccounts\": false,\n \"httpProxyConfig\": {\n \"httpProxy\": \"http://cli-proxy-vm:3128/\",\n \"httpsProxy\": - \"https://cli-proxy-vm:3129/\",\n \"noProxy\": [\n \"127.0.0.1\",\n - \ \"konnectivity\",\n \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.hcp.westus2.azmk8s.io\",\n - \ \"10.42.0.0/16\",\n \"localhost\",\n \"168.63.129.16\",\n \"169.254.169.254\",\n - \ \"10.244.0.0/16\",\n \"10.0.0.0/16\"\n ],\n \"effectiveNoProxy\": - [\n \"127.0.0.1\",\n \"konnectivity\",\n \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.hcp.westus2.azmk8s.io\",\n - \ \"10.42.0.0/16\",\n \"localhost\",\n \"168.63.129.16\",\n \"169.254.169.254\",\n - \ \"10.244.0.0/16\",\n \"10.0.0.0/16\"\n ],\n \"trustedCa\": - \"LS0tLS1CRUdJTiBDRVJUSUZJQ0FURS0tLS0tCk1JSUZHekNDQXdPZ0F3SUJBZ0lVT1FvajhDTFpkc2Vscjk3cnZJd3g1T0xEc3V3d0RRWUpLb1pJaHZjTkFRRUwKQlFBd0Z6RVZNQk1HQTFVRUF3d01ZMnhwTFhCeWIzaDVMWFp0TUI0WERUSXlNRE13T0RFMk5EUTBOMW9YRFRNeQpNRE13TlRFMk5EUTBOMW93RnpFVk1CTUdBMVVFQXd3TVkyeHBMWEJ5YjNoNUxYWnRNSUlDSWpBTkJna3Foa2lHCjl3MEJBUUVGQUFPQ0FnOEFNSUlDQ2dLQ0FnRUEvTVB0VjVCVFB0NmNxaTRSZE1sbXIzeUlzYTJ1anpjaHh2NGgKanNDMUR0blJnb3M1UzQxUEgwcmkrM3RUU1ZYMzJ5cndzWStyRDFZUnVwbTZsbUU3R2hVNUkwR2k5b3prU0YwWgpLS2FKaTJveXBVL0ZCK1FQcXpvQ1JzTUV3R0NibUtGVmw4VnVoeW5kWEs0YjRrYmxyOWJsL2V1d2Q3TThTYnZ6CldVam5lRHJRc2lJc3J6UFQ0S0FaTHFjdHpEZTRsbFBUN1lLYTMzaGlFUE9mdldpWitkcWthUUE5UDY0eFhTeW4KZkhYOHVWQUozdUJWSmVHeEQwcGtOSjdqT3J5YVV1SEh1Y1U4UzltSWpuS2pBQjVhUGpMSDV4QXM2bG1iMzEyMgp5KzF0bkVBbVhNNTBEK1VvRWpmUzZIT2I1cmRpcVhHdmMxS2JvS2p6a1BDUnh4MmE3MmN2ZWdVajZtZ0FKTHpnClRoRTFsbGNtVTRpemd4b0lNa1ZwR1RWT0xMbjFWRkt1TmhNWkN2RnZLZ25Lb0F2M0cwRlVuZldFYVJSalNObUQKTFlhTURUNUg5WnQycERJVWpVR1N0Q2w3Z1J6TUVuWXdKTzN5aURwZzQzbzVkUnlzVXlMOUpmRS9OaDdUZzYxOApuOGNKL1c3K1FZYllsanVyYXA4cjdRRlNyb2wzVkNoRkIrT29yNW5pK3ZvaFNBd0pmMFVsTXBHM3hXbXkxVUk0ClRGS2ZGR1JSVHpyUCs3Yk53WDVoSXZJeTVWdGd5YU9xSndUeGhpL0pkeHRPcjJ0QTVyQ1c3K0N0Z1N2emtxTkUKWHlyN3ZrWWdwNlk1TFpneTR0VWpLMEswT1VnVmRqQk9oRHBFenkvRkY4dzFGRVZnSjBxWS9yV2NMa0JIRFQ4Ugp2SmtoaW84Q0F3RUFBYU5mTUYwd0Z3WURWUjBSQkJBd0RvSU1ZMnhwTFhCeWIzaDVMWFp0TUJJR0ExVWRFd0VCCi93UUlNQVlCQWY4Q0FRQXdEd1lEVlIwUEFRSC9CQVVEQXdmbmdEQWRCZ05WSFNVRUZqQVVCZ2dyQmdFRkJRY0QKQWdZSUt3WUJCUVVIQXdFd0RRWUpLb1pJaHZjTkFRRUxCUUFEZ2dJQkFBb21qQ3lYdmFRT3hnWUs1MHNYTEIyKwp3QWZkc3g1bm5HZGd5Zmc0dXJXMlZtMTVEaEd2STdDL250cTBkWXkyNE4vVWJHN1VEWHZseUxJSkZxMVhQN25mCnBaRzBWQ2paNjlibXhLbTNaOG0wL0F3TXZpOGU5ZWR5OHY5a05CQ3dMR2tIYkE4WW85Q0lpUWdlbGZwcDF2VWgKYm5OQmhhRCtpdTZDZmlDTHdnSmIvaXc3ZW8vQ3lvWnF4K3RqWGFPMnpYdm00cC8rUUlmQU9ndEdRTEZVOGNmWgovZ1VyVHE1Z0ZxMCtQOUd5V3NBVEpGNnE3TDZXWlpqME91VHNlN2Y0Q1NpajZNbk9NTXhBK0pvYWhKejdsc1NpClRKSEl3RXA1ci9SeWhweWVwUXhGWWNVSDVKSmY5cmFoWExXWmkrOVRqeFNNMll5aHhmUlBzaVVFdUdEb2s3OFEKbS9RUGlDaTlKSmIxb2NtVGpBVjh4RFNob2NpdlhPRnlobjZMbjc3dkxqWStBYXZ0V0RoUXRocHVQeHNMdFZ6bQplMFNIMTFkRUxSdGI3NG1xWE9yTzdmdS8rSUJzM0pxTEUvVSt4dXhRdHZHOHZHMXlES0hIU1pxUzJoL1dzNGw0Ck5pQXNoSGdlaFFEUEJjWTl3WVl6ZkJnWnBPVU16ZERmNTB4K0ZTbFk0M1dPSkp6U3VRaDR5WjArM2t5Z3VDRjgKcm5NTFNjZXlTNGNpNExtSi9LQ1N1R2RmNlhWWXo4QkU5Z2pqanBDUDZxeTBVbFJlZldzL2lnL3djSysyYkYxVApuL1l2KzZnWGVDVEhKNzVxRElQbHA3RFJVVWswZmJNajRiSWthb2dXV2s0emYydThteFpMYTBsZVBLTktaTi9tCkdDdkZ3cjNlaSt1LzhjenA1RjdUCi0tLS0tRU5EIENFUlRJRklDQVRFLS0tLS0K\"\n + \"https://cli-proxy-vm:3129/\",\n \"noProxy\": [\n \"localhost\",\n + \ \"169.254.169.254\",\n \"10.244.0.0/16\",\n \"168.63.129.16\",\n + \ \"konnectivity\",\n \"127.0.0.1\",\n \"10.42.0.0/16\",\n \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.hcp.westus2.azmk8s.io\",\n + \ \"10.0.0.0/16\"\n ],\n \"effectiveNoProxy\": [\n \"localhost\",\n + \ \"169.254.169.254\",\n \"10.244.0.0/16\",\n \"168.63.129.16\",\n + \ \"konnectivity\",\n \"127.0.0.1\",\n \"10.42.0.0/16\",\n \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.hcp.westus2.azmk8s.io\",\n + \ \"10.0.0.0/16\"\n ],\n \"trustedCa\": \"LS0tLS1CRUdJTiBDRVJUSUZJQ0FURS0tLS0tCk1JSUZHekNDQXdPZ0F3SUJBZ0lVT1FvajhDTFpkc2Vscjk3cnZJd3g1T0xEc3V3d0RRWUpLb1pJaHZjTkFRRUwKQlFBd0Z6RVZNQk1HQTFVRUF3d01ZMnhwTFhCeWIzaDVMWFp0TUI0WERUSXlNRE13T0RFMk5EUTBOMW9YRFRNeQpNRE13TlRFMk5EUTBOMW93RnpFVk1CTUdBMVVFQXd3TVkyeHBMWEJ5YjNoNUxYWnRNSUlDSWpBTkJna3Foa2lHCjl3MEJBUUVGQUFPQ0FnOEFNSUlDQ2dLQ0FnRUEvTVB0VjVCVFB0NmNxaTRSZE1sbXIzeUlzYTJ1anpjaHh2NGgKanNDMUR0blJnb3M1UzQxUEgwcmkrM3RUU1ZYMzJ5cndzWStyRDFZUnVwbTZsbUU3R2hVNUkwR2k5b3prU0YwWgpLS2FKaTJveXBVL0ZCK1FQcXpvQ1JzTUV3R0NibUtGVmw4VnVoeW5kWEs0YjRrYmxyOWJsL2V1d2Q3TThTYnZ6CldVam5lRHJRc2lJc3J6UFQ0S0FaTHFjdHpEZTRsbFBUN1lLYTMzaGlFUE9mdldpWitkcWthUUE5UDY0eFhTeW4KZkhYOHVWQUozdUJWSmVHeEQwcGtOSjdqT3J5YVV1SEh1Y1U4UzltSWpuS2pBQjVhUGpMSDV4QXM2bG1iMzEyMgp5KzF0bkVBbVhNNTBEK1VvRWpmUzZIT2I1cmRpcVhHdmMxS2JvS2p6a1BDUnh4MmE3MmN2ZWdVajZtZ0FKTHpnClRoRTFsbGNtVTRpemd4b0lNa1ZwR1RWT0xMbjFWRkt1TmhNWkN2RnZLZ25Lb0F2M0cwRlVuZldFYVJSalNObUQKTFlhTURUNUg5WnQycERJVWpVR1N0Q2w3Z1J6TUVuWXdKTzN5aURwZzQzbzVkUnlzVXlMOUpmRS9OaDdUZzYxOApuOGNKL1c3K1FZYllsanVyYXA4cjdRRlNyb2wzVkNoRkIrT29yNW5pK3ZvaFNBd0pmMFVsTXBHM3hXbXkxVUk0ClRGS2ZGR1JSVHpyUCs3Yk53WDVoSXZJeTVWdGd5YU9xSndUeGhpL0pkeHRPcjJ0QTVyQ1c3K0N0Z1N2emtxTkUKWHlyN3ZrWWdwNlk1TFpneTR0VWpLMEswT1VnVmRqQk9oRHBFenkvRkY4dzFGRVZnSjBxWS9yV2NMa0JIRFQ4Ugp2SmtoaW84Q0F3RUFBYU5mTUYwd0Z3WURWUjBSQkJBd0RvSU1ZMnhwTFhCeWIzaDVMWFp0TUJJR0ExVWRFd0VCCi93UUlNQVlCQWY4Q0FRQXdEd1lEVlIwUEFRSC9CQVVEQXdmbmdEQWRCZ05WSFNVRUZqQVVCZ2dyQmdFRkJRY0QKQWdZSUt3WUJCUVVIQXdFd0RRWUpLb1pJaHZjTkFRRUxCUUFEZ2dJQkFBb21qQ3lYdmFRT3hnWUs1MHNYTEIyKwp3QWZkc3g1bm5HZGd5Zmc0dXJXMlZtMTVEaEd2STdDL250cTBkWXkyNE4vVWJHN1VEWHZseUxJSkZxMVhQN25mCnBaRzBWQ2paNjlibXhLbTNaOG0wL0F3TXZpOGU5ZWR5OHY5a05CQ3dMR2tIYkE4WW85Q0lpUWdlbGZwcDF2VWgKYm5OQmhhRCtpdTZDZmlDTHdnSmIvaXc3ZW8vQ3lvWnF4K3RqWGFPMnpYdm00cC8rUUlmQU9ndEdRTEZVOGNmWgovZ1VyVHE1Z0ZxMCtQOUd5V3NBVEpGNnE3TDZXWlpqME91VHNlN2Y0Q1NpajZNbk9NTXhBK0pvYWhKejdsc1NpClRKSEl3RXA1ci9SeWhweWVwUXhGWWNVSDVKSmY5cmFoWExXWmkrOVRqeFNNMll5aHhmUlBzaVVFdUdEb2s3OFEKbS9RUGlDaTlKSmIxb2NtVGpBVjh4RFNob2NpdlhPRnlobjZMbjc3dkxqWStBYXZ0V0RoUXRocHVQeHNMdFZ6bQplMFNIMTFkRUxSdGI3NG1xWE9yTzdmdS8rSUJzM0pxTEUvVSt4dXhRdHZHOHZHMXlES0hIU1pxUzJoL1dzNGw0Ck5pQXNoSGdlaFFEUEJjWTl3WVl6ZkJnWnBPVU16ZERmNTB4K0ZTbFk0M1dPSkp6U3VRaDR5WjArM2t5Z3VDRjgKcm5NTFNjZXlTNGNpNExtSi9LQ1N1R2RmNlhWWXo4QkU5Z2pqanBDUDZxeTBVbFJlZldzL2lnL3djSysyYkYxVApuL1l2KzZnWGVDVEhKNzVxRElQbHA3RFJVVWswZmJNajRiSWthb2dXV2s0emYydThteFpMYTBsZVBLTktaTi9tCkdDdkZ3cjNlaSt1LzhjenA1RjdUCi0tLS0tRU5EIENFUlRJRklDQVRFLS0tLS0K\"\n \ },\n \"securityProfile\": {},\n \"storageProfile\": {\n \"diskCSIDriver\": {\n \"enabled\": true,\n \"version\": \"v1\"\n },\n \"fileCSIDriver\": {\n \"enabled\": true\n },\n \"snapshotController\": {\n \"enabled\": @@ -4295,16 +4175,16 @@ interactions: \ },\n \"workloadAutoScalerProfile\": {}\n },\n \"identity\": {\n \"type\": \"SystemAssigned\",\n \"principalId\":\"00000000-0000-0000-0000-000000000001\",\n \ \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\"\n },\n \"sku\": - {\n \"name\": \"Base\",\n \"tier\": \"Free\"\n }\n }" + {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n }" headers: cache-control: - no-cache content-length: - - '7432' + - '7437' content-type: - application/json date: - - Fri, 17 Feb 2023 07:40:13 GMT + - Wed, 04 Jan 2023 07:37:40 GMT expires: - '-1' pragma: @@ -4323,24 +4203,24 @@ interactions: code: 200 message: OK - request: - body: '{"location": "westus2", "sku": {"name": "Base", "tier": "Free"}, "identity": - {"type": "SystemAssigned"}, "properties": {"kubernetesVersion": "1.24.9", "dnsPrefix": - "cliakstest-clitestvlhqopzm6-79a739", "agentPoolProfiles": [{"count": 3, "vmSize": + body: '{"location": "westus2", "sku": {"name": "Basic", "tier": "Free"}, "identity": + {"type": "SystemAssigned"}, "properties": {"kubernetesVersion": "1.23.12", "dnsPrefix": + "cliakstest-clitest2z56vpzw3-79a739", "agentPoolProfiles": [{"count": 3, "vmSize": "Standard_DS2_v2", "osDiskSizeGB": 128, "osDiskType": "Managed", "kubeletDiskType": "OS", "workloadRuntime": "OCIContainer", "vnetSubnetID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet", "maxPods": 110, "osType": "Linux", "osSKU": "Ubuntu", "enableAutoScaling": false, "type": "VirtualMachineScaleSets", "mode": "System", "orchestratorVersion": - "1.24.9", "upgradeSettings": {}, "powerState": {"code": "Running"}, "enableNodePublicIP": + "1.23.12", "upgradeSettings": {}, "powerState": {"code": "Running"}, "enableNodePublicIP": false, "enableCustomCATrust": false, "enableEncryptionAtHost": false, "enableUltraSSD": false, "enableFIPS": false, "networkProfile": {}, "name": "nodepool1"}], "linuxProfile": - {"adminUsername": "azureuser", "ssh": {"publicKeys": [{"keyData": "ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQC/KLMSacECP+4As5hwhdezAkaNf0QX3DpNLtOiVALJnLD+/I6p9tD5OD5m1s93X2EYrlV8GZHgnwH3hwd+8878X9HnNRcQ6aXCf0k6wgHK/+cZdYM13GDhtDeEVd0Pd/PZDPYEKT8uHR4+Dmp8DhykUazpcM4RR0d6QeZBvbQrL5QBtSGZ9XHAFiNtjl+Vm54X6pZmTrb0KSS1opXX2qaeVmWxjufzVs/wx5mNjVm43PKWFOurnJattn3kUrQzhOdNVMuzgFXe+6nB59KbvoyY7qzsh1MWLKAGq9fYNIGCRDS82YNCqdo6ZSjRcMElhAZ/36NIiTYXxamsp4Hlao7L + {"adminUsername": "azureuser", "ssh": {"publicKeys": [{"keyData": "ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCxQVzaezimLDDL1HAh61in6hRl3lBzeIJJthCdCHnOnzWDKRRgxxIvRBbB0XuqLoqTrH/rJ6RD4OYRmq7vP+EZZUHbI956qLpaLG7rf0g6dceLDaTneS56ORuV8DsTNum4QT56p4St++bzF9vpWW9FRJxpTegF4DaMNXfS/skajfKKJqx55X1xGbDBpMcrcF25Y+Xx0/1URby5Z7v1YduPLNOuV/mlnTd+wTRnkJSYzEiTJA3X2x1p2/AwWTbrErwmLoIWfIFsIEnySHFb87tIdORwbugyJ66+mzvDhigVb7PIx/5NHJE+bF9H1l+oTUKy9jHrTEQUrsG8q2KfRlIr azcli_aks_live_test@example.com\n"}]}}, "servicePrincipalProfile": {"clientId":"00000000-0000-0000-0000-000000000001"}, "oidcIssuerProfile": {"enabled": false}, "nodeResourceGroup": "MC_clitest000001_cliakstest000002_westus2", "enableRBAC": true, "enablePodSecurityPolicy": false, "networkProfile": {"networkPlugin": "kubenet", "podCidr": "10.244.0.0/16", "serviceCidr": "10.0.0.0/16", "dnsServiceIP": "10.0.0.10", "dockerBridgeCidr": "172.17.0.1/16", "outboundType": "loadBalancer", "loadBalancerSku": "Standard", "loadBalancerProfile": {"managedOutboundIPs": - {"count": 1, "countIPv6": 0}, "effectiveOutboundIPs": [{"id": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/fbb61ca4-0e2d-4689-91e3-08bca176f8fb"}], + {"count": 1, "countIPv6": 0}, "effectiveOutboundIPs": [{"id": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/c0c7b874-e509-4ed0-8d7a-92b67363723a"}], "backendPoolType": "nodeIPConfiguration"}, "podCidrs": ["10.244.0.0/16"], "serviceCidrs": ["10.0.0.0/16"], "ipFamilies": ["IPv4"]}, "identityProfile": {"kubeletidentity": {"resourceId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.ManagedIdentity/userAssignedIdentities/cliakstest000002-agentpool", @@ -4359,47 +4239,47 @@ interactions: Connection: - keep-alive Content-Length: - - '5417' + - '5420' Content-Type: - application/json ParameterSetName: - --resource-group --name --http-proxy-config User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n \ \"location\": \"westus2\",\n \"name\": \"cliakstest000002\",\n \"type\": \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": \"Updating\",\n \"powerState\": {\n \"code\": \"Running\"\n },\n \"kubernetesVersion\": - \"1.24.9\",\n \"currentKubernetesVersion\": \"1.24.9\",\n \"dnsPrefix\": - \"cliakstest-clitestvlhqopzm6-79a739\",\n \"fqdn\": \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.hcp.westus2.azmk8s.io\",\n - \ \"azurePortalFQDN\": \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.portal.hcp.westus2.azmk8s.io\",\n + \"1.23.12\",\n \"currentKubernetesVersion\": \"1.23.12\",\n \"dnsPrefix\": + \"cliakstest-clitest2z56vpzw3-79a739\",\n \"fqdn\": \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.hcp.westus2.azmk8s.io\",\n + \ \"azurePortalFQDN\": \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.portal.hcp.westus2.azmk8s.io\",\n \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \"count\": 3,\n \"vmSize\": \"Standard_DS2_v2\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": \"Managed\",\n \"kubeletDiskType\": \"OS\",\n \"workloadRuntime\": \"OCIContainer\",\n \"vnetSubnetID\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet\",\n \ \"maxPods\": 110,\n \"type\": \"VirtualMachineScaleSets\",\n \"enableAutoScaling\": false,\n \"provisioningState\": \"Updating\",\n \"powerState\": {\n - \ \"code\": \"Running\"\n },\n \"orchestratorVersion\": \"1.24.9\",\n - \ \"currentOrchestratorVersion\": \"1.24.9\",\n \"enableNodePublicIP\": + \ \"code\": \"Running\"\n },\n \"orchestratorVersion\": \"1.23.12\",\n + \ \"currentOrchestratorVersion\": \"1.23.12\",\n \"enableNodePublicIP\": false,\n \"enableCustomCATrust\": false,\n \"mode\": \"System\",\n \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": - \"AKSUbuntu-1804gen2containerd-2023.01.26\",\n \"upgradeSettings\": {},\n + \"AKSUbuntu-1804gen2containerd-2022.12.13\",\n \"upgradeSettings\": {},\n \ \"enableFIPS\": false,\n \"networkProfile\": {}\n }\n ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n \"ssh\": {\n \"publicKeys\": - [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQC/KLMSacECP+4As5hwhdezAkaNf0QX3DpNLtOiVALJnLD+/I6p9tD5OD5m1s93X2EYrlV8GZHgnwH3hwd+8878X9HnNRcQ6aXCf0k6wgHK/+cZdYM13GDhtDeEVd0Pd/PZDPYEKT8uHR4+Dmp8DhykUazpcM4RR0d6QeZBvbQrL5QBtSGZ9XHAFiNtjl+Vm54X6pZmTrb0KSS1opXX2qaeVmWxjufzVs/wx5mNjVm43PKWFOurnJattn3kUrQzhOdNVMuzgFXe+6nB59KbvoyY7qzsh1MWLKAGq9fYNIGCRDS82YNCqdo6ZSjRcMElhAZ/36NIiTYXxamsp4Hlao7L + [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCxQVzaezimLDDL1HAh61in6hRl3lBzeIJJthCdCHnOnzWDKRRgxxIvRBbB0XuqLoqTrH/rJ6RD4OYRmq7vP+EZZUHbI956qLpaLG7rf0g6dceLDaTneS56ORuV8DsTNum4QT56p4St++bzF9vpWW9FRJxpTegF4DaMNXfS/skajfKKJqx55X1xGbDBpMcrcF25Y+Xx0/1URby5Z7v1YduPLNOuV/mlnTd+wTRnkJSYzEiTJA3X2x1p2/AwWTbrErwmLoIWfIFsIEnySHFb87tIdORwbugyJ66+mzvDhigVb7PIx/5NHJE+bF9H1l+oTUKy9jHrTEQUrsG8q2KfRlIr azcli_aks_live_test@example.com\\n\"\n }\n ]\n }\n },\n \"servicePrincipalProfile\": {\n \"clientId\":\"00000000-0000-0000-0000-000000000001\"\n },\n \"nodeResourceGroup\": \"MC_clitest000001_cliakstest000002_westus2\",\n \"enableRBAC\": true,\n \ \"enablePodSecurityPolicy\": false,\n \"networkProfile\": {\n \"networkPlugin\": \"kubenet\",\n \"loadBalancerSku\": \"Standard\",\n \"loadBalancerProfile\": {\n \"managedOutboundIPs\": {\n \"count\": 1\n },\n \"effectiveOutboundIPs\": - [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/fbb61ca4-0e2d-4689-91e3-08bca176f8fb\"\n + [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/c0c7b874-e509-4ed0-8d7a-92b67363723a\"\n \ }\n ],\n \"backendPoolType\": \"nodeIPConfiguration\"\n },\n \ \"podCidr\": \"10.244.0.0/16\",\n \"serviceCidr\": \"10.0.0.0/16\",\n \ \"dnsServiceIP\": \"10.0.0.10\",\n \"dockerBridgeCidr\": \"172.17.0.1/16\",\n @@ -4411,13 +4291,12 @@ interactions: \ }\n },\n \"disableLocalAccounts\": false,\n \"httpProxyConfig\": {\n \"httpProxy\": \"http://cli-proxy-vm:3128/\",\n \"httpsProxy\": \"https://cli-proxy-vm:3129/\",\n \"noProxy\": [\n \"localhost\",\n - \ \"127.0.0.1\",\n \"10.42.0.0/16\",\n \"169.254.169.254\",\n \"konnectivity\",\n - \ \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.hcp.westus2.azmk8s.io\",\n - \ \"10.244.0.0/16\",\n \"168.63.129.16\",\n \"10.0.0.0/16\"\n ],\n - \ \"effectiveNoProxy\": [\n \"localhost\",\n \"127.0.0.1\",\n \"10.42.0.0/16\",\n - \ \"169.254.169.254\",\n \"konnectivity\",\n \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.hcp.westus2.azmk8s.io\",\n - \ \"10.244.0.0/16\",\n \"168.63.129.16\",\n \"10.0.0.0/16\"\n ],\n - \ \"trustedCa\": \"LS0tLS1CRUdJTiBDRVJUSUZJQ0FURS0tLS0tCk1JSUZERENDQXZTZ0F3SUJBZ0lVQlJ3cGs1eTh5ckdrNmtYTjhkSHlMRUNvaHBrd0RRWUpLb1pJaHZjTkFRRUwKQlFBd0VqRVFNQTRHQTFVRUF3d0habTl2TFdKaGNqQWVGdzB5TVRFd01UTXdNekU1TlRoYUZ3MHpNVEV3TVRFdwpNekU1TlRoYU1CSXhFREFPQmdOVkJBTU1CMlp2YnkxaVlYSXdnZ0lpTUEwR0NTcUdTSWIzRFFFQkFRVUFBNElDCkR3QXdnZ0lLQW9JQ0FRRFcwRE9sVC9yci9xUEZIUU9lNndBNDkyVGh3VWxZaDhCQkszTW9VWVZLNjEvL2xXekEKeFkrYzlmazlvckUrZXhMSVpwdUg1VnNZR21MNUFyc05sVmNBMkU4MWgwSlBPYUo1eEpiZG40YldpZG9vdXRVVwpXeDNhYUJLSEt0RWdZbUNmTjliWXlZMlNWRWQvNS9HeGh0akVabHJ1aEtRdkZVa3hwR0xKK1JRQ25oNklZakQwCnNpQ0YyTjJhVUJ4RE5KaUdmeHlHSVIrY2p4Vlcrd01md05CQ0l6QVkxMnY4WmpzUXdmUWlhOE5oWEx3M0tuRm0KdzUrcHN2bU1HL1FFUUtZMXNOTnk2dS9DZkI3cmIxQ0EwcjdNNnFsNFMrWHJjZUVRcXpDUWR6NWJueGNYbmFkbwp5MDlhdm5OSGRqbmpvcHNPSkxhd2hzb3RGNWFrL1FLdjYzdU9yVFFlOHlPSWlCZ3JSUzdwejcxbVlhRGNMcXFtCmtmdDVLYnFnMHNZYmo0M09LSm5aZ3crTUtackhoSFJKNi9BcWxOclZML3pFUytHU0ozQ1lSaE5nYXdDQ0Nqd1gKanZYZnkycWFEV2NQbWZaSWVVMVNzdE05THBVRWFQNjJzUVNmb3NEdnZFbUFyUVgwcmd1WGhvZ3pRUFdGWVlEKwo4SUNFYkNFc21hVnN3MzhVUzgzbFlGVCtyTHh3cm5UK1JXSUZ2WFRXbHhCNm5JeWpsOXBhNzlkdU5ocjJxN2RzCjVOU3ZWWHg5UGNqVTQ2VUZ6QnVTbUl0Q0M0Y1NadFRWc3l6ZnpMd2hKbGlqV0czTkp5TnpHUkZQcUpQdTNJUzEKZ3VtKytqdWx4bXZNWm1vM1RqSE5JRm90a0kyd3d3ZUtIcWpYcW9STmwvVnZobE5CaXZRR2gxeGovd0lEQVFBQgpvMW93V0RBU0JnTlZIUkVFQ3pBSmdnZG1iMjh0WW1GeU1CSUdBMVVkRXdFQi93UUlNQVlCQWY4Q0FRQXdEd1lEClZSMFBBUUgvQkFVREF3Zm5nREFkQmdOVkhTVUVGakFVQmdnckJnRUZCUWNEQWdZSUt3WUJCUVVIQXdFd0RRWUoKS29aSWh2Y05BUUVMQlFBRGdnSUJBTDF3RlpTdUw4NTM3aHpUTXhSUWJjcWdEU2F4RUd0ZDJaNTVCcnVWQVloagpxQjR6STd1UVZ2SkNpeXdmQm5BNnZmejh2UDBzdGJJbkVtajh1dS9CSS81NzZqR0tWUWRQSDhqMnQvN1NQWjFKClhBWk9wc1hoVll2RmtpQlhVeW1RMnAvRjFqb2ZRRE1JQ0htdHhRUSthakJQNjBpcnFnVnpsRi95NlQySUgzOHYKbGordndIam52WW5vVmhGNEY0TlE5amp6S3Y1NUhVTk0xUEJKZkFaOTJqeXovczdPMmN2cjhNWlNkT2s5QVk1RQp5RXRlQjBTSjdLS0tUZklBVmVMQzdrRnBHR3FsRkRBNzhPSS9YakNZViswRjk4MHdNOVkxTEVUa3ZMamVSMEFyCnVzZDNIS1Vtd2EwTVEwUTNZNGxma0ZtNjJTclhvcjJURC9WZHpFZWNOTnVmV1VJTVNuaEJDNTVHWjBOTVYvR0QKRXhGZTVWQkhUZEZVNlIwb3JCOVFjVll1Mzk0MEt5NXhkbHNaUHZlMmRJNS9WOXhzY0Zad3cxWWs4K21RK3NVeQp2UVBoL2ZmK0tTQjdVVkdvTVNXUlg3YjFFMGVzZSs4QzZlaVV2OXpDR0VRbkVCcnFIQWxSUDJ2ZzQ0bXFJSnRzCjN2NUt1NW0ySmJoeWNsQVR3VUNQZkN3a2tLRTg0MzZGRitDK0ZUVTJ1OWVpL2t5QTAxYi9zRFl2cWdsS2FWK3MKbEVHRkhjd05Ea2VrS1BFUEZxNkpnZ3R0WlNidE5SMnFadzl3cExIbDVuVlVXdnBGa2hvcW1KVkphK0VBSTQ1LwpqRkh4VG9PMHp1NlBxc1p5SnM2TC84Z3BhbTcwMDV6b0VETVRjcFltMlduMFBKcEg3NE9zUHJVRDVJWVA5ZEt5Ci0tLS0tRU5EIENFUlRJRklDQVRFLS0tLS0K\"\n + \ \"169.254.169.254\",\n \"10.244.0.0/16\",\n \"168.63.129.16\",\n + \ \"konnectivity\",\n \"127.0.0.1\",\n \"10.42.0.0/16\",\n \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.hcp.westus2.azmk8s.io\",\n + \ \"10.0.0.0/16\"\n ],\n \"effectiveNoProxy\": [\n \"localhost\",\n + \ \"169.254.169.254\",\n \"10.244.0.0/16\",\n \"168.63.129.16\",\n + \ \"konnectivity\",\n \"127.0.0.1\",\n \"10.42.0.0/16\",\n \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.hcp.westus2.azmk8s.io\",\n + \ \"10.0.0.0/16\"\n ],\n \"trustedCa\": \"LS0tLS1CRUdJTiBDRVJUSUZJQ0FURS0tLS0tCk1JSUZERENDQXZTZ0F3SUJBZ0lVQlJ3cGs1eTh5ckdrNmtYTjhkSHlMRUNvaHBrd0RRWUpLb1pJaHZjTkFRRUwKQlFBd0VqRVFNQTRHQTFVRUF3d0habTl2TFdKaGNqQWVGdzB5TVRFd01UTXdNekU1TlRoYUZ3MHpNVEV3TVRFdwpNekU1TlRoYU1CSXhFREFPQmdOVkJBTU1CMlp2YnkxaVlYSXdnZ0lpTUEwR0NTcUdTSWIzRFFFQkFRVUFBNElDCkR3QXdnZ0lLQW9JQ0FRRFcwRE9sVC9yci9xUEZIUU9lNndBNDkyVGh3VWxZaDhCQkszTW9VWVZLNjEvL2xXekEKeFkrYzlmazlvckUrZXhMSVpwdUg1VnNZR21MNUFyc05sVmNBMkU4MWgwSlBPYUo1eEpiZG40YldpZG9vdXRVVwpXeDNhYUJLSEt0RWdZbUNmTjliWXlZMlNWRWQvNS9HeGh0akVabHJ1aEtRdkZVa3hwR0xKK1JRQ25oNklZakQwCnNpQ0YyTjJhVUJ4RE5KaUdmeHlHSVIrY2p4Vlcrd01md05CQ0l6QVkxMnY4WmpzUXdmUWlhOE5oWEx3M0tuRm0KdzUrcHN2bU1HL1FFUUtZMXNOTnk2dS9DZkI3cmIxQ0EwcjdNNnFsNFMrWHJjZUVRcXpDUWR6NWJueGNYbmFkbwp5MDlhdm5OSGRqbmpvcHNPSkxhd2hzb3RGNWFrL1FLdjYzdU9yVFFlOHlPSWlCZ3JSUzdwejcxbVlhRGNMcXFtCmtmdDVLYnFnMHNZYmo0M09LSm5aZ3crTUtackhoSFJKNi9BcWxOclZML3pFUytHU0ozQ1lSaE5nYXdDQ0Nqd1gKanZYZnkycWFEV2NQbWZaSWVVMVNzdE05THBVRWFQNjJzUVNmb3NEdnZFbUFyUVgwcmd1WGhvZ3pRUFdGWVlEKwo4SUNFYkNFc21hVnN3MzhVUzgzbFlGVCtyTHh3cm5UK1JXSUZ2WFRXbHhCNm5JeWpsOXBhNzlkdU5ocjJxN2RzCjVOU3ZWWHg5UGNqVTQ2VUZ6QnVTbUl0Q0M0Y1NadFRWc3l6ZnpMd2hKbGlqV0czTkp5TnpHUkZQcUpQdTNJUzEKZ3VtKytqdWx4bXZNWm1vM1RqSE5JRm90a0kyd3d3ZUtIcWpYcW9STmwvVnZobE5CaXZRR2gxeGovd0lEQVFBQgpvMW93V0RBU0JnTlZIUkVFQ3pBSmdnZG1iMjh0WW1GeU1CSUdBMVVkRXdFQi93UUlNQVlCQWY4Q0FRQXdEd1lEClZSMFBBUUgvQkFVREF3Zm5nREFkQmdOVkhTVUVGakFVQmdnckJnRUZCUWNEQWdZSUt3WUJCUVVIQXdFd0RRWUoKS29aSWh2Y05BUUVMQlFBRGdnSUJBTDF3RlpTdUw4NTM3aHpUTXhSUWJjcWdEU2F4RUd0ZDJaNTVCcnVWQVloagpxQjR6STd1UVZ2SkNpeXdmQm5BNnZmejh2UDBzdGJJbkVtajh1dS9CSS81NzZqR0tWUWRQSDhqMnQvN1NQWjFKClhBWk9wc1hoVll2RmtpQlhVeW1RMnAvRjFqb2ZRRE1JQ0htdHhRUSthakJQNjBpcnFnVnpsRi95NlQySUgzOHYKbGordndIam52WW5vVmhGNEY0TlE5amp6S3Y1NUhVTk0xUEJKZkFaOTJqeXovczdPMmN2cjhNWlNkT2s5QVk1RQp5RXRlQjBTSjdLS0tUZklBVmVMQzdrRnBHR3FsRkRBNzhPSS9YakNZViswRjk4MHdNOVkxTEVUa3ZMamVSMEFyCnVzZDNIS1Vtd2EwTVEwUTNZNGxma0ZtNjJTclhvcjJURC9WZHpFZWNOTnVmV1VJTVNuaEJDNTVHWjBOTVYvR0QKRXhGZTVWQkhUZEZVNlIwb3JCOVFjVll1Mzk0MEt5NXhkbHNaUHZlMmRJNS9WOXhzY0Zad3cxWWs4K21RK3NVeQp2UVBoL2ZmK0tTQjdVVkdvTVNXUlg3YjFFMGVzZSs4QzZlaVV2OXpDR0VRbkVCcnFIQWxSUDJ2ZzQ0bXFJSnRzCjN2NUt1NW0ySmJoeWNsQVR3VUNQZkN3a2tLRTg0MzZGRitDK0ZUVTJ1OWVpL2t5QTAxYi9zRFl2cWdsS2FWK3MKbEVHRkhjd05Ea2VrS1BFUEZxNkpnZ3R0WlNidE5SMnFadzl3cExIbDVuVlVXdnBGa2hvcW1KVkphK0VBSTQ1LwpqRkh4VG9PMHp1NlBxc1p5SnM2TC84Z3BhbTcwMDV6b0VETVRjcFltMlduMFBKcEg3NE9zUHJVRDVJWVA5ZEt5Ci0tLS0tRU5EIENFUlRJRklDQVRFLS0tLS0K\"\n \ },\n \"securityProfile\": {},\n \"storageProfile\": {\n \"diskCSIDriver\": {\n \"enabled\": true,\n \"version\": \"v1\"\n },\n \"fileCSIDriver\": {\n \"enabled\": true\n },\n \"snapshotController\": {\n \"enabled\": @@ -4425,18 +4304,18 @@ interactions: \ },\n \"workloadAutoScalerProfile\": {}\n },\n \"identity\": {\n \"type\": \"SystemAssigned\",\n \"principalId\":\"00000000-0000-0000-0000-000000000001\",\n \ \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\"\n },\n \"sku\": - {\n \"name\": \"Base\",\n \"tier\": \"Free\"\n }\n }" + {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n }" headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/47329281-efe4-4216-a00c-9a470e471070?api-version=2016-03-30 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/29087405-9b84-4b8e-8cbc-28b4bd3eea62?api-version=2016-03-30 cache-control: - no-cache content-length: - - '7402' + - '7407' content-type: - application/json date: - - Fri, 17 Feb 2023 07:40:16 GMT + - Wed, 04 Jan 2023 07:37:43 GMT expires: - '-1' pragma: @@ -4452,7 +4331,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-writes: - - '1198' + - '1199' status: code: 200 message: OK @@ -4470,23 +4349,23 @@ interactions: ParameterSetName: - --resource-group --name --http-proxy-config User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/47329281-efe4-4216-a00c-9a470e471070?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/29087405-9b84-4b8e-8cbc-28b4bd3eea62?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"81923247-e4ef-1642-a00c-9a470e471070\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-17T07:40:17.596268Z\"\n }" + string: "{\n \"name\": \"05740829-849b-8e4b-8cbc-28b4bd3eea62\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-01-04T07:37:43.7446602Z\"\n }" headers: cache-control: - no-cache content-length: - - '125' + - '126' content-type: - application/json date: - - Fri, 17 Feb 2023 07:40:47 GMT + - Wed, 04 Jan 2023 07:38:13 GMT expires: - '-1' pragma: @@ -4518,23 +4397,23 @@ interactions: ParameterSetName: - --resource-group --name --http-proxy-config User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/47329281-efe4-4216-a00c-9a470e471070?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/29087405-9b84-4b8e-8cbc-28b4bd3eea62?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"81923247-e4ef-1642-a00c-9a470e471070\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-17T07:40:17.596268Z\"\n }" + string: "{\n \"name\": \"05740829-849b-8e4b-8cbc-28b4bd3eea62\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-01-04T07:37:43.7446602Z\"\n }" headers: cache-control: - no-cache content-length: - - '125' + - '126' content-type: - application/json date: - - Fri, 17 Feb 2023 07:41:17 GMT + - Wed, 04 Jan 2023 07:38:43 GMT expires: - '-1' pragma: @@ -4566,23 +4445,23 @@ interactions: ParameterSetName: - --resource-group --name --http-proxy-config User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/47329281-efe4-4216-a00c-9a470e471070?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/29087405-9b84-4b8e-8cbc-28b4bd3eea62?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"81923247-e4ef-1642-a00c-9a470e471070\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-17T07:40:17.596268Z\"\n }" + string: "{\n \"name\": \"05740829-849b-8e4b-8cbc-28b4bd3eea62\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2023-01-04T07:37:43.7446602Z\"\n }" headers: cache-control: - no-cache content-length: - - '125' + - '126' content-type: - application/json date: - - Fri, 17 Feb 2023 07:41:47 GMT + - Wed, 04 Jan 2023 07:39:13 GMT expires: - '-1' pragma: @@ -4614,24 +4493,24 @@ interactions: ParameterSetName: - --resource-group --name --http-proxy-config User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/47329281-efe4-4216-a00c-9a470e471070?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/29087405-9b84-4b8e-8cbc-28b4bd3eea62?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"81923247-e4ef-1642-a00c-9a470e471070\",\n \"status\": - \"Succeeded\",\n \"startTime\": \"2023-02-17T07:40:17.596268Z\",\n \"endTime\": - \"2023-02-17T07:42:14.079965Z\"\n }" + string: "{\n \"name\": \"05740829-849b-8e4b-8cbc-28b4bd3eea62\",\n \"status\": + \"Succeeded\",\n \"startTime\": \"2023-01-04T07:37:43.7446602Z\",\n \"endTime\": + \"2023-01-04T07:39:19.2902141Z\"\n }" headers: cache-control: - no-cache content-length: - - '168' + - '170' content-type: - application/json date: - - Fri, 17 Feb 2023 07:42:17 GMT + - Wed, 04 Jan 2023 07:39:44 GMT expires: - '-1' pragma: @@ -4663,41 +4542,41 @@ interactions: ParameterSetName: - --resource-group --name --http-proxy-config User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 + (Linux-5.15.0-1029-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n \ \"location\": \"westus2\",\n \"name\": \"cliakstest000002\",\n \"type\": \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": \"Succeeded\",\n \"powerState\": {\n \"code\": \"Running\"\n },\n \"kubernetesVersion\": - \"1.24.9\",\n \"currentKubernetesVersion\": \"1.24.9\",\n \"dnsPrefix\": - \"cliakstest-clitestvlhqopzm6-79a739\",\n \"fqdn\": \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.hcp.westus2.azmk8s.io\",\n - \ \"azurePortalFQDN\": \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.portal.hcp.westus2.azmk8s.io\",\n + \"1.23.12\",\n \"currentKubernetesVersion\": \"1.23.12\",\n \"dnsPrefix\": + \"cliakstest-clitest2z56vpzw3-79a739\",\n \"fqdn\": \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.hcp.westus2.azmk8s.io\",\n + \ \"azurePortalFQDN\": \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.portal.hcp.westus2.azmk8s.io\",\n \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \"count\": 3,\n \"vmSize\": \"Standard_DS2_v2\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": \"Managed\",\n \"kubeletDiskType\": \"OS\",\n \"workloadRuntime\": \"OCIContainer\",\n \"vnetSubnetID\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.Network/virtualNetworks/cliakstest000002/subnets/aks-subnet\",\n \ \"maxPods\": 110,\n \"type\": \"VirtualMachineScaleSets\",\n \"enableAutoScaling\": false,\n \"provisioningState\": \"Succeeded\",\n \"powerState\": {\n - \ \"code\": \"Running\"\n },\n \"orchestratorVersion\": \"1.24.9\",\n - \ \"currentOrchestratorVersion\": \"1.24.9\",\n \"enableNodePublicIP\": + \ \"code\": \"Running\"\n },\n \"orchestratorVersion\": \"1.23.12\",\n + \ \"currentOrchestratorVersion\": \"1.23.12\",\n \"enableNodePublicIP\": false,\n \"enableCustomCATrust\": false,\n \"mode\": \"System\",\n \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": - \"AKSUbuntu-1804gen2containerd-2023.01.26\",\n \"upgradeSettings\": {},\n + \"AKSUbuntu-1804gen2containerd-2022.12.13\",\n \"upgradeSettings\": {},\n \ \"enableFIPS\": false,\n \"networkProfile\": {}\n }\n ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n \"ssh\": {\n \"publicKeys\": - [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQC/KLMSacECP+4As5hwhdezAkaNf0QX3DpNLtOiVALJnLD+/I6p9tD5OD5m1s93X2EYrlV8GZHgnwH3hwd+8878X9HnNRcQ6aXCf0k6wgHK/+cZdYM13GDhtDeEVd0Pd/PZDPYEKT8uHR4+Dmp8DhykUazpcM4RR0d6QeZBvbQrL5QBtSGZ9XHAFiNtjl+Vm54X6pZmTrb0KSS1opXX2qaeVmWxjufzVs/wx5mNjVm43PKWFOurnJattn3kUrQzhOdNVMuzgFXe+6nB59KbvoyY7qzsh1MWLKAGq9fYNIGCRDS82YNCqdo6ZSjRcMElhAZ/36NIiTYXxamsp4Hlao7L + [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCxQVzaezimLDDL1HAh61in6hRl3lBzeIJJthCdCHnOnzWDKRRgxxIvRBbB0XuqLoqTrH/rJ6RD4OYRmq7vP+EZZUHbI956qLpaLG7rf0g6dceLDaTneS56ORuV8DsTNum4QT56p4St++bzF9vpWW9FRJxpTegF4DaMNXfS/skajfKKJqx55X1xGbDBpMcrcF25Y+Xx0/1URby5Z7v1YduPLNOuV/mlnTd+wTRnkJSYzEiTJA3X2x1p2/AwWTbrErwmLoIWfIFsIEnySHFb87tIdORwbugyJ66+mzvDhigVb7PIx/5NHJE+bF9H1l+oTUKy9jHrTEQUrsG8q2KfRlIr azcli_aks_live_test@example.com\\n\"\n }\n ]\n }\n },\n \"servicePrincipalProfile\": {\n \"clientId\":\"00000000-0000-0000-0000-000000000001\"\n },\n \"nodeResourceGroup\": \"MC_clitest000001_cliakstest000002_westus2\",\n \"enableRBAC\": true,\n \ \"enablePodSecurityPolicy\": false,\n \"networkProfile\": {\n \"networkPlugin\": \"kubenet\",\n \"loadBalancerSku\": \"Standard\",\n \"loadBalancerProfile\": {\n \"managedOutboundIPs\": {\n \"count\": 1\n },\n \"effectiveOutboundIPs\": - [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/fbb61ca4-0e2d-4689-91e3-08bca176f8fb\"\n + [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/c0c7b874-e509-4ed0-8d7a-92b67363723a\"\n \ }\n ],\n \"backendPoolType\": \"nodeIPConfiguration\"\n },\n \ \"podCidr\": \"10.244.0.0/16\",\n \"serviceCidr\": \"10.0.0.0/16\",\n \ \"dnsServiceIP\": \"10.0.0.10\",\n \"dockerBridgeCidr\": \"172.17.0.1/16\",\n @@ -4709,13 +4588,12 @@ interactions: \ }\n },\n \"disableLocalAccounts\": false,\n \"httpProxyConfig\": {\n \"httpProxy\": \"http://cli-proxy-vm:3128/\",\n \"httpsProxy\": \"https://cli-proxy-vm:3129/\",\n \"noProxy\": [\n \"localhost\",\n - \ \"127.0.0.1\",\n \"10.42.0.0/16\",\n \"169.254.169.254\",\n \"konnectivity\",\n - \ \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.hcp.westus2.azmk8s.io\",\n - \ \"10.244.0.0/16\",\n \"168.63.129.16\",\n \"10.0.0.0/16\"\n ],\n - \ \"effectiveNoProxy\": [\n \"localhost\",\n \"127.0.0.1\",\n \"10.42.0.0/16\",\n - \ \"169.254.169.254\",\n \"konnectivity\",\n \"cliakstest-clitestvlhqopzm6-79a739-fcd6a83c.hcp.westus2.azmk8s.io\",\n - \ \"10.244.0.0/16\",\n \"168.63.129.16\",\n \"10.0.0.0/16\"\n ],\n - \ \"trustedCa\": \"LS0tLS1CRUdJTiBDRVJUSUZJQ0FURS0tLS0tCk1JSUZERENDQXZTZ0F3SUJBZ0lVQlJ3cGs1eTh5ckdrNmtYTjhkSHlMRUNvaHBrd0RRWUpLb1pJaHZjTkFRRUwKQlFBd0VqRVFNQTRHQTFVRUF3d0habTl2TFdKaGNqQWVGdzB5TVRFd01UTXdNekU1TlRoYUZ3MHpNVEV3TVRFdwpNekU1TlRoYU1CSXhFREFPQmdOVkJBTU1CMlp2YnkxaVlYSXdnZ0lpTUEwR0NTcUdTSWIzRFFFQkFRVUFBNElDCkR3QXdnZ0lLQW9JQ0FRRFcwRE9sVC9yci9xUEZIUU9lNndBNDkyVGh3VWxZaDhCQkszTW9VWVZLNjEvL2xXekEKeFkrYzlmazlvckUrZXhMSVpwdUg1VnNZR21MNUFyc05sVmNBMkU4MWgwSlBPYUo1eEpiZG40YldpZG9vdXRVVwpXeDNhYUJLSEt0RWdZbUNmTjliWXlZMlNWRWQvNS9HeGh0akVabHJ1aEtRdkZVa3hwR0xKK1JRQ25oNklZakQwCnNpQ0YyTjJhVUJ4RE5KaUdmeHlHSVIrY2p4Vlcrd01md05CQ0l6QVkxMnY4WmpzUXdmUWlhOE5oWEx3M0tuRm0KdzUrcHN2bU1HL1FFUUtZMXNOTnk2dS9DZkI3cmIxQ0EwcjdNNnFsNFMrWHJjZUVRcXpDUWR6NWJueGNYbmFkbwp5MDlhdm5OSGRqbmpvcHNPSkxhd2hzb3RGNWFrL1FLdjYzdU9yVFFlOHlPSWlCZ3JSUzdwejcxbVlhRGNMcXFtCmtmdDVLYnFnMHNZYmo0M09LSm5aZ3crTUtackhoSFJKNi9BcWxOclZML3pFUytHU0ozQ1lSaE5nYXdDQ0Nqd1gKanZYZnkycWFEV2NQbWZaSWVVMVNzdE05THBVRWFQNjJzUVNmb3NEdnZFbUFyUVgwcmd1WGhvZ3pRUFdGWVlEKwo4SUNFYkNFc21hVnN3MzhVUzgzbFlGVCtyTHh3cm5UK1JXSUZ2WFRXbHhCNm5JeWpsOXBhNzlkdU5ocjJxN2RzCjVOU3ZWWHg5UGNqVTQ2VUZ6QnVTbUl0Q0M0Y1NadFRWc3l6ZnpMd2hKbGlqV0czTkp5TnpHUkZQcUpQdTNJUzEKZ3VtKytqdWx4bXZNWm1vM1RqSE5JRm90a0kyd3d3ZUtIcWpYcW9STmwvVnZobE5CaXZRR2gxeGovd0lEQVFBQgpvMW93V0RBU0JnTlZIUkVFQ3pBSmdnZG1iMjh0WW1GeU1CSUdBMVVkRXdFQi93UUlNQVlCQWY4Q0FRQXdEd1lEClZSMFBBUUgvQkFVREF3Zm5nREFkQmdOVkhTVUVGakFVQmdnckJnRUZCUWNEQWdZSUt3WUJCUVVIQXdFd0RRWUoKS29aSWh2Y05BUUVMQlFBRGdnSUJBTDF3RlpTdUw4NTM3aHpUTXhSUWJjcWdEU2F4RUd0ZDJaNTVCcnVWQVloagpxQjR6STd1UVZ2SkNpeXdmQm5BNnZmejh2UDBzdGJJbkVtajh1dS9CSS81NzZqR0tWUWRQSDhqMnQvN1NQWjFKClhBWk9wc1hoVll2RmtpQlhVeW1RMnAvRjFqb2ZRRE1JQ0htdHhRUSthakJQNjBpcnFnVnpsRi95NlQySUgzOHYKbGordndIam52WW5vVmhGNEY0TlE5amp6S3Y1NUhVTk0xUEJKZkFaOTJqeXovczdPMmN2cjhNWlNkT2s5QVk1RQp5RXRlQjBTSjdLS0tUZklBVmVMQzdrRnBHR3FsRkRBNzhPSS9YakNZViswRjk4MHdNOVkxTEVUa3ZMamVSMEFyCnVzZDNIS1Vtd2EwTVEwUTNZNGxma0ZtNjJTclhvcjJURC9WZHpFZWNOTnVmV1VJTVNuaEJDNTVHWjBOTVYvR0QKRXhGZTVWQkhUZEZVNlIwb3JCOVFjVll1Mzk0MEt5NXhkbHNaUHZlMmRJNS9WOXhzY0Zad3cxWWs4K21RK3NVeQp2UVBoL2ZmK0tTQjdVVkdvTVNXUlg3YjFFMGVzZSs4QzZlaVV2OXpDR0VRbkVCcnFIQWxSUDJ2ZzQ0bXFJSnRzCjN2NUt1NW0ySmJoeWNsQVR3VUNQZkN3a2tLRTg0MzZGRitDK0ZUVTJ1OWVpL2t5QTAxYi9zRFl2cWdsS2FWK3MKbEVHRkhjd05Ea2VrS1BFUEZxNkpnZ3R0WlNidE5SMnFadzl3cExIbDVuVlVXdnBGa2hvcW1KVkphK0VBSTQ1LwpqRkh4VG9PMHp1NlBxc1p5SnM2TC84Z3BhbTcwMDV6b0VETVRjcFltMlduMFBKcEg3NE9zUHJVRDVJWVA5ZEt5Ci0tLS0tRU5EIENFUlRJRklDQVRFLS0tLS0K\"\n + \ \"169.254.169.254\",\n \"10.244.0.0/16\",\n \"168.63.129.16\",\n + \ \"konnectivity\",\n \"127.0.0.1\",\n \"10.42.0.0/16\",\n \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.hcp.westus2.azmk8s.io\",\n + \ \"10.0.0.0/16\"\n ],\n \"effectiveNoProxy\": [\n \"localhost\",\n + \ \"169.254.169.254\",\n \"10.244.0.0/16\",\n \"168.63.129.16\",\n + \ \"konnectivity\",\n \"127.0.0.1\",\n \"10.42.0.0/16\",\n \"cliakstest-clitest2z56vpzw3-79a739-b4cf4a34.hcp.westus2.azmk8s.io\",\n + \ \"10.0.0.0/16\"\n ],\n \"trustedCa\": \"LS0tLS1CRUdJTiBDRVJUSUZJQ0FURS0tLS0tCk1JSUZERENDQXZTZ0F3SUJBZ0lVQlJ3cGs1eTh5ckdrNmtYTjhkSHlMRUNvaHBrd0RRWUpLb1pJaHZjTkFRRUwKQlFBd0VqRVFNQTRHQTFVRUF3d0habTl2TFdKaGNqQWVGdzB5TVRFd01UTXdNekU1TlRoYUZ3MHpNVEV3TVRFdwpNekU1TlRoYU1CSXhFREFPQmdOVkJBTU1CMlp2YnkxaVlYSXdnZ0lpTUEwR0NTcUdTSWIzRFFFQkFRVUFBNElDCkR3QXdnZ0lLQW9JQ0FRRFcwRE9sVC9yci9xUEZIUU9lNndBNDkyVGh3VWxZaDhCQkszTW9VWVZLNjEvL2xXekEKeFkrYzlmazlvckUrZXhMSVpwdUg1VnNZR21MNUFyc05sVmNBMkU4MWgwSlBPYUo1eEpiZG40YldpZG9vdXRVVwpXeDNhYUJLSEt0RWdZbUNmTjliWXlZMlNWRWQvNS9HeGh0akVabHJ1aEtRdkZVa3hwR0xKK1JRQ25oNklZakQwCnNpQ0YyTjJhVUJ4RE5KaUdmeHlHSVIrY2p4Vlcrd01md05CQ0l6QVkxMnY4WmpzUXdmUWlhOE5oWEx3M0tuRm0KdzUrcHN2bU1HL1FFUUtZMXNOTnk2dS9DZkI3cmIxQ0EwcjdNNnFsNFMrWHJjZUVRcXpDUWR6NWJueGNYbmFkbwp5MDlhdm5OSGRqbmpvcHNPSkxhd2hzb3RGNWFrL1FLdjYzdU9yVFFlOHlPSWlCZ3JSUzdwejcxbVlhRGNMcXFtCmtmdDVLYnFnMHNZYmo0M09LSm5aZ3crTUtackhoSFJKNi9BcWxOclZML3pFUytHU0ozQ1lSaE5nYXdDQ0Nqd1gKanZYZnkycWFEV2NQbWZaSWVVMVNzdE05THBVRWFQNjJzUVNmb3NEdnZFbUFyUVgwcmd1WGhvZ3pRUFdGWVlEKwo4SUNFYkNFc21hVnN3MzhVUzgzbFlGVCtyTHh3cm5UK1JXSUZ2WFRXbHhCNm5JeWpsOXBhNzlkdU5ocjJxN2RzCjVOU3ZWWHg5UGNqVTQ2VUZ6QnVTbUl0Q0M0Y1NadFRWc3l6ZnpMd2hKbGlqV0czTkp5TnpHUkZQcUpQdTNJUzEKZ3VtKytqdWx4bXZNWm1vM1RqSE5JRm90a0kyd3d3ZUtIcWpYcW9STmwvVnZobE5CaXZRR2gxeGovd0lEQVFBQgpvMW93V0RBU0JnTlZIUkVFQ3pBSmdnZG1iMjh0WW1GeU1CSUdBMVVkRXdFQi93UUlNQVlCQWY4Q0FRQXdEd1lEClZSMFBBUUgvQkFVREF3Zm5nREFkQmdOVkhTVUVGakFVQmdnckJnRUZCUWNEQWdZSUt3WUJCUVVIQXdFd0RRWUoKS29aSWh2Y05BUUVMQlFBRGdnSUJBTDF3RlpTdUw4NTM3aHpUTXhSUWJjcWdEU2F4RUd0ZDJaNTVCcnVWQVloagpxQjR6STd1UVZ2SkNpeXdmQm5BNnZmejh2UDBzdGJJbkVtajh1dS9CSS81NzZqR0tWUWRQSDhqMnQvN1NQWjFKClhBWk9wc1hoVll2RmtpQlhVeW1RMnAvRjFqb2ZRRE1JQ0htdHhRUSthakJQNjBpcnFnVnpsRi95NlQySUgzOHYKbGordndIam52WW5vVmhGNEY0TlE5amp6S3Y1NUhVTk0xUEJKZkFaOTJqeXovczdPMmN2cjhNWlNkT2s5QVk1RQp5RXRlQjBTSjdLS0tUZklBVmVMQzdrRnBHR3FsRkRBNzhPSS9YakNZViswRjk4MHdNOVkxTEVUa3ZMamVSMEFyCnVzZDNIS1Vtd2EwTVEwUTNZNGxma0ZtNjJTclhvcjJURC9WZHpFZWNOTnVmV1VJTVNuaEJDNTVHWjBOTVYvR0QKRXhGZTVWQkhUZEZVNlIwb3JCOVFjVll1Mzk0MEt5NXhkbHNaUHZlMmRJNS9WOXhzY0Zad3cxWWs4K21RK3NVeQp2UVBoL2ZmK0tTQjdVVkdvTVNXUlg3YjFFMGVzZSs4QzZlaVV2OXpDR0VRbkVCcnFIQWxSUDJ2ZzQ0bXFJSnRzCjN2NUt1NW0ySmJoeWNsQVR3VUNQZkN3a2tLRTg0MzZGRitDK0ZUVTJ1OWVpL2t5QTAxYi9zRFl2cWdsS2FWK3MKbEVHRkhjd05Ea2VrS1BFUEZxNkpnZ3R0WlNidE5SMnFadzl3cExIbDVuVlVXdnBGa2hvcW1KVkphK0VBSTQ1LwpqRkh4VG9PMHp1NlBxc1p5SnM2TC84Z3BhbTcwMDV6b0VETVRjcFltMlduMFBKcEg3NE9zUHJVRDVJWVA5ZEt5Ci0tLS0tRU5EIENFUlRJRklDQVRFLS0tLS0K\"\n \ },\n \"securityProfile\": {},\n \"storageProfile\": {\n \"diskCSIDriver\": {\n \"enabled\": true,\n \"version\": \"v1\"\n },\n \"fileCSIDriver\": {\n \"enabled\": true\n },\n \"snapshotController\": {\n \"enabled\": @@ -4723,16 +4601,16 @@ interactions: \ },\n \"workloadAutoScalerProfile\": {}\n },\n \"identity\": {\n \"type\": \"SystemAssigned\",\n \"principalId\":\"00000000-0000-0000-0000-000000000001\",\n \ \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\"\n },\n \"sku\": - {\n \"name\": \"Base\",\n \"tier\": \"Free\"\n }\n }" + {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n }" headers: cache-control: - no-cache content-length: - - '7404' + - '7409' content-type: - application/json date: - - Fri, 17 Feb 2023 07:42:17 GMT + - Wed, 04 Jan 2023 07:39:44 GMT expires: - '-1' pragma: diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_managed_aad.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_managed_aad.yaml index 9f46d1133fa..fc65fb3e701 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_managed_aad.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_managed_aad.yaml @@ -80,7 +80,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -563,7 +563,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -657,7 +657,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -780,7 +780,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1167,7 +1167,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_managed_aad_enable_azure_rbac.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_managed_aad_enable_azure_rbac.yaml index 3a30d9918cd..4f728f91282 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_managed_aad_enable_azure_rbac.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_managed_aad_enable_azure_rbac.yaml @@ -80,7 +80,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -612,7 +612,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -706,7 +706,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -829,7 +829,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1216,7 +1216,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1310,7 +1310,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1433,7 +1433,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1820,7 +1820,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_managed_nat_gateway_outbound.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_managed_nat_gateway_outbound.yaml index 1d79e4b533c..be537116a7f 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_managed_nat_gateway_outbound.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_managed_nat_gateway_outbound.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -644,7 +644,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -735,7 +735,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -854,7 +854,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1142,7 +1142,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_node_restriction.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_node_restriction.yaml index 4ac2c415ff8..56fca24d2fe 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_node_restriction.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_node_restriction.yaml @@ -1,77 +1,4 @@ interactions: -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - aks get-versions - Connection: - - keep-alive - ParameterSetName: - - -l --query - User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0 Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/orchestrators?api-version=2019-04-01&resource-type=managedClusters - response: - body: - string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/orchestrators\",\n - \ \"name\": \"default\",\n \"type\": \"Microsoft.ContainerService/locations/orchestrators\",\n - \ \"properties\": {\n \"orchestrators\": [\n {\n \"orchestratorType\": - \"Kubernetes\",\n \"orchestratorVersion\": \"1.23.12\",\n \"upgrades\": - [\n {\n \"orchestratorType\": \"Kubernetes\",\n \"orchestratorVersion\": - \"1.23.15\"\n },\n {\n \"orchestratorType\": \"Kubernetes\",\n - \ \"orchestratorVersion\": \"1.24.6\"\n },\n {\n \"orchestratorType\": - \"Kubernetes\",\n \"orchestratorVersion\": \"1.24.9\"\n }\n ]\n - \ },\n {\n \"orchestratorType\": \"Kubernetes\",\n \"orchestratorVersion\": - \"1.23.15\",\n \"upgrades\": [\n {\n \"orchestratorType\": - \"Kubernetes\",\n \"orchestratorVersion\": \"1.24.6\"\n },\n {\n - \ \"orchestratorType\": \"Kubernetes\",\n \"orchestratorVersion\": - \"1.24.9\"\n }\n ]\n },\n {\n \"orchestratorType\": \"Kubernetes\",\n - \ \"orchestratorVersion\": \"1.24.6\",\n \"upgrades\": [\n {\n - \ \"orchestratorType\": \"Kubernetes\",\n \"orchestratorVersion\": - \"1.24.9\"\n },\n {\n \"orchestratorType\": \"Kubernetes\",\n - \ \"orchestratorVersion\": \"1.25.4\"\n },\n {\n \"orchestratorType\": - \"Kubernetes\",\n \"orchestratorVersion\": \"1.25.5\"\n }\n ]\n - \ },\n {\n \"orchestratorType\": \"Kubernetes\",\n \"orchestratorVersion\": - \"1.24.9\",\n \"default\": true,\n \"upgrades\": [\n {\n \"orchestratorType\": - \"Kubernetes\",\n \"orchestratorVersion\": \"1.25.4\"\n },\n {\n - \ \"orchestratorType\": \"Kubernetes\",\n \"orchestratorVersion\": - \"1.25.5\"\n }\n ]\n },\n {\n \"orchestratorType\": \"Kubernetes\",\n - \ \"orchestratorVersion\": \"1.25.4\",\n \"upgrades\": [\n {\n - \ \"orchestratorType\": \"Kubernetes\",\n \"orchestratorVersion\": - \"1.25.5\"\n }\n ]\n },\n {\n \"orchestratorType\": \"Kubernetes\",\n - \ \"orchestratorVersion\": \"1.25.5\"\n }\n ]\n }\n }" - headers: - cache-control: - - no-cache - content-length: - - '2025' - content-type: - - application/json - date: - - Tue, 14 Feb 2023 06:03:24 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK - request: body: null headers: @@ -84,15 +11,15 @@ interactions: Connection: - keep-alive ParameterSetName: - - --resource-group --name --vm-set-type -c -k --enable-node-restriction --ssh-key-value + - --resource-group --name --vm-set-type -c --enable-node-restriction --ssh-key-value -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001?api-version=2021-04-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001","name":"clitest000001","type":"Microsoft.Resources/resourceGroups","location":"westus2","tags":{"product":"azurecli","cause":"automation","date":"2023-02-14T06:03:24Z"},"properties":{"provisioningState":"Succeeded"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001","name":"clitest000001","type":"Microsoft.Resources/resourceGroups","location":"westus2","tags":{"product":"azurecli","cause":"automation","date":"2022-11-24T09:48:26Z"},"properties":{"provisioningState":"Succeeded"}}' headers: cache-control: - no-cache @@ -101,7 +28,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Tue, 14 Feb 2023 06:03:24 GMT + - Thu, 24 Nov 2022 09:48:27 GMT expires: - '-1' pragma: @@ -117,15 +44,15 @@ interactions: message: OK - request: body: '{"location": "westus2", "identity": {"type": "SystemAssigned"}, "properties": - {"kubernetesVersion": "1.23.15", "dnsPrefix": "cliakstest-clitest2ryslgtsn-8ecadf", + {"kubernetesVersion": "", "dnsPrefix": "cliakstest-clitestxsliwwfpa-79a739", "agentPoolProfiles": [{"count": 1, "vmSize": "Standard_DS2_v2", "osDiskSizeGB": 0, "workloadRuntime": "OCIContainer", "osType": "Linux", "enableAutoScaling": false, "type": "VirtualMachineScaleSets", "mode": "System", "orchestratorVersion": - "1.23.15", "upgradeSettings": {}, "enableNodePublicIP": false, "enableCustomCATrust": + "", "upgradeSettings": {}, "enableNodePublicIP": false, "enableCustomCATrust": false, "scaleSetPriority": "Regular", "scaleSetEvictionPolicy": "Delete", "spotMaxPrice": -1.0, "nodeTaints": [], "enableEncryptionAtHost": false, "enableUltraSSD": false, "enableFIPS": false, "networkProfile": {}, "name": "nodepool1"}], "linuxProfile": - {"adminUsername": "azureuser", "ssh": {"publicKeys": [{"keyData": "ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCunD1XOvyLfFKYlFhHisarmzQI60c+6AhRLNEPxY5Yc7VPjXaxZN5jufwUjUjE+D+8Hz347RoF6ofPOxI45lsYSHXQMbSskV+hb74BP9CINB/LMkTGtfJdUhCEOHKE84mYBcbRA3ol1mqBjIUknlNpQDWPGEEkwOBb+1Dgo91t2YOXuZjQ8xBjUwnynqM+8PEpdUBAmmgbVP1ujppVe8dU3QL4TAc/iktS+WahwYPVAVCwvowND/3yiosB76HyiKjRkI8iFsjNMVJ1lmB/EaDyGssmEAl2qXtrIk2QlpL6I9bNB08yhbf3EMX5/zR6rCp6htMYStO/duk2mTuODrGV + {"adminUsername": "azureuser", "ssh": {"publicKeys": [{"keyData": "ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQDgwJ1YLtrtaF7seObyf1xaMbixzWbi2HkGaOQ4C7BPyeho2pMacCkJ0qYZa0V+Muv+22BUMr0QNBnzuEYku5uM5AZW2j4fu/cRMp+1HtZHtbGRcHD2a4iMRMfUDXUCefmVhL9WzN3JUzc5sTu2HLEaAtEKAMbT/hOL75vaYug7WFsE7U7eia+E1LFMxXa+z5aKDPLYok4JduYqdALRqElogv8QekQLwjw1kt7IZY9z4krjo4FXPHd5RDIalO0mH4eNYhxbxW6r6M/OQsqxqUAOauFzF9QgU/gFMcIZC4eU2ZbQZMbMH/l+CMAwNK8ccxOEFLSmkZiPVvQ3l1ANjJeN azcli_aks_live_test@example.com\n"}]}}, "addonProfiles": {}, "enableRBAC": true, "enablePodSecurityPolicy": false, "networkProfile": {"networkPlugin": "kubenet", "podCidr": "10.244.0.0/16", "serviceCidr": "10.0.0.0/16", "dnsServiceIP": "10.0.0.10", @@ -142,40 +69,40 @@ interactions: Connection: - keep-alive Content-Length: - - '1653' + - '1639' Content-Type: - application/json ParameterSetName: - - --resource-group --name --vm-set-type -c -k --enable-node-restriction --ssh-key-value + - --resource-group --name --vm-set-type -c --enable-node-restriction --ssh-key-value -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n \ \"location\": \"westus2\",\n \"name\": \"cliakstest000002\",\n \"type\": \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": \"Creating\",\n \"powerState\": {\n \"code\": \"Running\"\n },\n \"kubernetesVersion\": - \"1.23.15\",\n \"currentKubernetesVersion\": \"1.23.15\",\n \"dnsPrefix\": - \"cliakstest-clitest2ryslgtsn-8ecadf\",\n \"fqdn\": \"cliakstest-clitest2ryslgtsn-8ecadf-146ae3d9.hcp.westus2.azmk8s.io\",\n - \ \"azurePortalFQDN\": \"cliakstest-clitest2ryslgtsn-8ecadf-146ae3d9.portal.hcp.westus2.azmk8s.io\",\n + \"1.23.12\",\n \"currentKubernetesVersion\": \"1.23.12\",\n \"dnsPrefix\": + \"cliakstest-clitestxsliwwfpa-79a739\",\n \"fqdn\": \"cliakstest-clitestxsliwwfpa-79a739-083b4938.hcp.westus2.azmk8s.io\",\n + \ \"azurePortalFQDN\": \"cliakstest-clitestxsliwwfpa-79a739-083b4938.portal.hcp.westus2.azmk8s.io\",\n \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \"count\": 1,\n \"vmSize\": \"Standard_DS2_v2\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": \"Managed\",\n \"kubeletDiskType\": \"OS\",\n \"workloadRuntime\": \"OCIContainer\",\n \"maxPods\": 110,\n \"type\": \"VirtualMachineScaleSets\",\n \ \"enableAutoScaling\": false,\n \"provisioningState\": \"Creating\",\n \ \"powerState\": {\n \"code\": \"Running\"\n },\n \"orchestratorVersion\": - \"1.23.15\",\n \"currentOrchestratorVersion\": \"1.23.15\",\n \"enableNodePublicIP\": + \"1.23.12\",\n \"currentOrchestratorVersion\": \"1.23.12\",\n \"enableNodePublicIP\": false,\n \"enableCustomCATrust\": false,\n \"mode\": \"System\",\n \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": - \"AKSUbuntu-1804gen2containerd-2023.01.20\",\n \"upgradeSettings\": {},\n + \"AKSUbuntu-1804gen2containerd-2022.10.24\",\n \"upgradeSettings\": {},\n \ \"enableFIPS\": false,\n \"networkProfile\": {}\n }\n ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n \"ssh\": {\n \"publicKeys\": - [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCunD1XOvyLfFKYlFhHisarmzQI60c+6AhRLNEPxY5Yc7VPjXaxZN5jufwUjUjE+D+8Hz347RoF6ofPOxI45lsYSHXQMbSskV+hb74BP9CINB/LMkTGtfJdUhCEOHKE84mYBcbRA3ol1mqBjIUknlNpQDWPGEEkwOBb+1Dgo91t2YOXuZjQ8xBjUwnynqM+8PEpdUBAmmgbVP1ujppVe8dU3QL4TAc/iktS+WahwYPVAVCwvowND/3yiosB76HyiKjRkI8iFsjNMVJ1lmB/EaDyGssmEAl2qXtrIk2QlpL6I9bNB08yhbf3EMX5/zR6rCp6htMYStO/duk2mTuODrGV + [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQDgwJ1YLtrtaF7seObyf1xaMbixzWbi2HkGaOQ4C7BPyeho2pMacCkJ0qYZa0V+Muv+22BUMr0QNBnzuEYku5uM5AZW2j4fu/cRMp+1HtZHtbGRcHD2a4iMRMfUDXUCefmVhL9WzN3JUzc5sTu2HLEaAtEKAMbT/hOL75vaYug7WFsE7U7eia+E1LFMxXa+z5aKDPLYok4JduYqdALRqElogv8QekQLwjw1kt7IZY9z4krjo4FXPHd5RDIalO0mH4eNYhxbxW6r6M/OQsqxqUAOauFzF9QgU/gFMcIZC4eU2ZbQZMbMH/l+CMAwNK8ccxOEFLSmkZiPVvQ3l1ANjJeN azcli_aks_live_test@example.com\\n\"\n }\n ]\n }\n },\n \"servicePrincipalProfile\": {\n \"clientId\":\"00000000-0000-0000-0000-000000000001\"\n },\n \"nodeResourceGroup\": \"MC_clitest000001_cliakstest000002_westus2\",\n \"enableRBAC\": true,\n @@ -195,18 +122,18 @@ interactions: \ },\n \"workloadAutoScalerProfile\": {}\n },\n \"identity\": {\n \"type\": \"SystemAssigned\",\n \"principalId\":\"00000000-0000-0000-0000-000000000001\",\n \ \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\"\n },\n \"sku\": - {\n \"name\": \"Base\",\n \"tier\": \"Free\"\n }\n }" + {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n }" headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/07087be9-8779-44f7-a2e4-d6311fd19da1?api-version=2016-03-30 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/3cd34692-d038-4874-9fa1-c54865f0c28a?api-version=2016-03-30 cache-control: - no-cache content-length: - - '3535' + - '3536' content-type: - application/json date: - - Tue, 14 Feb 2023 06:03:29 GMT + - Thu, 24 Nov 2022 09:48:31 GMT expires: - '-1' pragma: @@ -218,7 +145,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-writes: - - '1199' + - '1198' status: code: 201 message: Created @@ -234,66 +161,17 @@ interactions: Connection: - keep-alive ParameterSetName: - - --resource-group --name --vm-set-type -c -k --enable-node-restriction --ssh-key-value - -o - User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/07087be9-8779-44f7-a2e4-d6311fd19da1?api-version=2016-03-30 - response: - body: - string: "{\n \"name\": \"e97b0807-7987-f744-a2e4-d6311fd19da1\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-14T06:03:30.1711344Z\"\n }" - headers: - cache-control: - - no-cache - content-length: - - '126' - content-type: - - application/json - date: - - Tue, 14 Feb 2023 06:04:00 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - aks create - Connection: - - keep-alive - ParameterSetName: - - --resource-group --name --vm-set-type -c -k --enable-node-restriction --ssh-key-value + - --resource-group --name --vm-set-type -c --enable-node-restriction --ssh-key-value -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/07087be9-8779-44f7-a2e4-d6311fd19da1?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/3cd34692-d038-4874-9fa1-c54865f0c28a?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"e97b0807-7987-f744-a2e4-d6311fd19da1\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-14T06:03:30.1711344Z\"\n }" + string: "{\n \"name\": \"9246d33c-38d0-7448-9fa1-c54865f0c28a\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-24T09:48:31.0919241Z\"\n }" headers: cache-control: - no-cache @@ -302,7 +180,7 @@ interactions: content-type: - application/json date: - - Tue, 14 Feb 2023 06:04:30 GMT + - Thu, 24 Nov 2022 09:49:01 GMT expires: - '-1' pragma: @@ -332,17 +210,17 @@ interactions: Connection: - keep-alive ParameterSetName: - - --resource-group --name --vm-set-type -c -k --enable-node-restriction --ssh-key-value + - --resource-group --name --vm-set-type -c --enable-node-restriction --ssh-key-value -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/07087be9-8779-44f7-a2e4-d6311fd19da1?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/3cd34692-d038-4874-9fa1-c54865f0c28a?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"e97b0807-7987-f744-a2e4-d6311fd19da1\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-14T06:03:30.1711344Z\"\n }" + string: "{\n \"name\": \"9246d33c-38d0-7448-9fa1-c54865f0c28a\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-24T09:48:31.0919241Z\"\n }" headers: cache-control: - no-cache @@ -351,7 +229,7 @@ interactions: content-type: - application/json date: - - Tue, 14 Feb 2023 06:05:00 GMT + - Thu, 24 Nov 2022 09:49:31 GMT expires: - '-1' pragma: @@ -381,17 +259,17 @@ interactions: Connection: - keep-alive ParameterSetName: - - --resource-group --name --vm-set-type -c -k --enable-node-restriction --ssh-key-value + - --resource-group --name --vm-set-type -c --enable-node-restriction --ssh-key-value -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/07087be9-8779-44f7-a2e4-d6311fd19da1?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/3cd34692-d038-4874-9fa1-c54865f0c28a?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"e97b0807-7987-f744-a2e4-d6311fd19da1\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-14T06:03:30.1711344Z\"\n }" + string: "{\n \"name\": \"9246d33c-38d0-7448-9fa1-c54865f0c28a\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-24T09:48:31.0919241Z\"\n }" headers: cache-control: - no-cache @@ -400,7 +278,7 @@ interactions: content-type: - application/json date: - - Tue, 14 Feb 2023 06:05:30 GMT + - Thu, 24 Nov 2022 09:50:00 GMT expires: - '-1' pragma: @@ -430,17 +308,17 @@ interactions: Connection: - keep-alive ParameterSetName: - - --resource-group --name --vm-set-type -c -k --enable-node-restriction --ssh-key-value + - --resource-group --name --vm-set-type -c --enable-node-restriction --ssh-key-value -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/07087be9-8779-44f7-a2e4-d6311fd19da1?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/3cd34692-d038-4874-9fa1-c54865f0c28a?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"e97b0807-7987-f744-a2e4-d6311fd19da1\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-14T06:03:30.1711344Z\"\n }" + string: "{\n \"name\": \"9246d33c-38d0-7448-9fa1-c54865f0c28a\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-24T09:48:31.0919241Z\"\n }" headers: cache-control: - no-cache @@ -449,7 +327,7 @@ interactions: content-type: - application/json date: - - Tue, 14 Feb 2023 06:06:00 GMT + - Thu, 24 Nov 2022 09:50:30 GMT expires: - '-1' pragma: @@ -479,17 +357,17 @@ interactions: Connection: - keep-alive ParameterSetName: - - --resource-group --name --vm-set-type -c -k --enable-node-restriction --ssh-key-value + - --resource-group --name --vm-set-type -c --enable-node-restriction --ssh-key-value -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/07087be9-8779-44f7-a2e4-d6311fd19da1?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/3cd34692-d038-4874-9fa1-c54865f0c28a?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"e97b0807-7987-f744-a2e4-d6311fd19da1\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-14T06:03:30.1711344Z\"\n }" + string: "{\n \"name\": \"9246d33c-38d0-7448-9fa1-c54865f0c28a\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-24T09:48:31.0919241Z\"\n }" headers: cache-control: - no-cache @@ -498,7 +376,7 @@ interactions: content-type: - application/json date: - - Tue, 14 Feb 2023 06:06:30 GMT + - Thu, 24 Nov 2022 09:51:00 GMT expires: - '-1' pragma: @@ -528,17 +406,17 @@ interactions: Connection: - keep-alive ParameterSetName: - - --resource-group --name --vm-set-type -c -k --enable-node-restriction --ssh-key-value + - --resource-group --name --vm-set-type -c --enable-node-restriction --ssh-key-value -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/07087be9-8779-44f7-a2e4-d6311fd19da1?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/3cd34692-d038-4874-9fa1-c54865f0c28a?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"e97b0807-7987-f744-a2e4-d6311fd19da1\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-14T06:03:30.1711344Z\"\n }" + string: "{\n \"name\": \"9246d33c-38d0-7448-9fa1-c54865f0c28a\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-24T09:48:31.0919241Z\"\n }" headers: cache-control: - no-cache @@ -547,7 +425,7 @@ interactions: content-type: - application/json date: - - Tue, 14 Feb 2023 06:07:00 GMT + - Thu, 24 Nov 2022 09:51:31 GMT expires: - '-1' pragma: @@ -577,17 +455,17 @@ interactions: Connection: - keep-alive ParameterSetName: - - --resource-group --name --vm-set-type -c -k --enable-node-restriction --ssh-key-value + - --resource-group --name --vm-set-type -c --enable-node-restriction --ssh-key-value -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/07087be9-8779-44f7-a2e4-d6311fd19da1?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/3cd34692-d038-4874-9fa1-c54865f0c28a?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"e97b0807-7987-f744-a2e4-d6311fd19da1\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-14T06:03:30.1711344Z\"\n }" + string: "{\n \"name\": \"9246d33c-38d0-7448-9fa1-c54865f0c28a\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-24T09:48:31.0919241Z\"\n }" headers: cache-control: - no-cache @@ -596,7 +474,7 @@ interactions: content-type: - application/json date: - - Tue, 14 Feb 2023 06:07:30 GMT + - Thu, 24 Nov 2022 09:52:01 GMT expires: - '-1' pragma: @@ -626,17 +504,17 @@ interactions: Connection: - keep-alive ParameterSetName: - - --resource-group --name --vm-set-type -c -k --enable-node-restriction --ssh-key-value + - --resource-group --name --vm-set-type -c --enable-node-restriction --ssh-key-value -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/07087be9-8779-44f7-a2e4-d6311fd19da1?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/3cd34692-d038-4874-9fa1-c54865f0c28a?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"e97b0807-7987-f744-a2e4-d6311fd19da1\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-14T06:03:30.1711344Z\"\n }" + string: "{\n \"name\": \"9246d33c-38d0-7448-9fa1-c54865f0c28a\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-24T09:48:31.0919241Z\"\n }" headers: cache-control: - no-cache @@ -645,7 +523,7 @@ interactions: content-type: - application/json date: - - Tue, 14 Feb 2023 06:08:00 GMT + - Thu, 24 Nov 2022 09:52:31 GMT expires: - '-1' pragma: @@ -675,18 +553,18 @@ interactions: Connection: - keep-alive ParameterSetName: - - --resource-group --name --vm-set-type -c -k --enable-node-restriction --ssh-key-value + - --resource-group --name --vm-set-type -c --enable-node-restriction --ssh-key-value -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/07087be9-8779-44f7-a2e4-d6311fd19da1?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/3cd34692-d038-4874-9fa1-c54865f0c28a?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"e97b0807-7987-f744-a2e4-d6311fd19da1\",\n \"status\": - \"Succeeded\",\n \"startTime\": \"2023-02-14T06:03:30.1711344Z\",\n \"endTime\": - \"2023-02-14T06:08:15.9812881Z\"\n }" + string: "{\n \"name\": \"9246d33c-38d0-7448-9fa1-c54865f0c28a\",\n \"status\": + \"Succeeded\",\n \"startTime\": \"2022-11-24T09:48:31.0919241Z\",\n \"endTime\": + \"2022-11-24T09:52:54.3235898Z\"\n }" headers: cache-control: - no-cache @@ -695,7 +573,7 @@ interactions: content-type: - application/json date: - - Tue, 14 Feb 2023 06:08:30 GMT + - Thu, 24 Nov 2022 09:53:01 GMT expires: - '-1' pragma: @@ -725,43 +603,43 @@ interactions: Connection: - keep-alive ParameterSetName: - - --resource-group --name --vm-set-type -c -k --enable-node-restriction --ssh-key-value + - --resource-group --name --vm-set-type -c --enable-node-restriction --ssh-key-value -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n \ \"location\": \"westus2\",\n \"name\": \"cliakstest000002\",\n \"type\": \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": \"Succeeded\",\n \"powerState\": {\n \"code\": \"Running\"\n },\n \"kubernetesVersion\": - \"1.23.15\",\n \"currentKubernetesVersion\": \"1.23.15\",\n \"dnsPrefix\": - \"cliakstest-clitest2ryslgtsn-8ecadf\",\n \"fqdn\": \"cliakstest-clitest2ryslgtsn-8ecadf-146ae3d9.hcp.westus2.azmk8s.io\",\n - \ \"azurePortalFQDN\": \"cliakstest-clitest2ryslgtsn-8ecadf-146ae3d9.portal.hcp.westus2.azmk8s.io\",\n + \"1.23.12\",\n \"currentKubernetesVersion\": \"1.23.12\",\n \"dnsPrefix\": + \"cliakstest-clitestxsliwwfpa-79a739\",\n \"fqdn\": \"cliakstest-clitestxsliwwfpa-79a739-083b4938.hcp.westus2.azmk8s.io\",\n + \ \"azurePortalFQDN\": \"cliakstest-clitestxsliwwfpa-79a739-083b4938.portal.hcp.westus2.azmk8s.io\",\n \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \"count\": 1,\n \"vmSize\": \"Standard_DS2_v2\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": \"Managed\",\n \"kubeletDiskType\": \"OS\",\n \"workloadRuntime\": \"OCIContainer\",\n \"maxPods\": 110,\n \"type\": \"VirtualMachineScaleSets\",\n \ \"enableAutoScaling\": false,\n \"provisioningState\": \"Succeeded\",\n \ \"powerState\": {\n \"code\": \"Running\"\n },\n \"orchestratorVersion\": - \"1.23.15\",\n \"currentOrchestratorVersion\": \"1.23.15\",\n \"enableNodePublicIP\": + \"1.23.12\",\n \"currentOrchestratorVersion\": \"1.23.12\",\n \"enableNodePublicIP\": false,\n \"enableCustomCATrust\": false,\n \"mode\": \"System\",\n \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": - \"AKSUbuntu-1804gen2containerd-2023.01.20\",\n \"upgradeSettings\": {},\n + \"AKSUbuntu-1804gen2containerd-2022.10.24\",\n \"upgradeSettings\": {},\n \ \"enableFIPS\": false,\n \"networkProfile\": {}\n }\n ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n \"ssh\": {\n \"publicKeys\": - [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCunD1XOvyLfFKYlFhHisarmzQI60c+6AhRLNEPxY5Yc7VPjXaxZN5jufwUjUjE+D+8Hz347RoF6ofPOxI45lsYSHXQMbSskV+hb74BP9CINB/LMkTGtfJdUhCEOHKE84mYBcbRA3ol1mqBjIUknlNpQDWPGEEkwOBb+1Dgo91t2YOXuZjQ8xBjUwnynqM+8PEpdUBAmmgbVP1ujppVe8dU3QL4TAc/iktS+WahwYPVAVCwvowND/3yiosB76HyiKjRkI8iFsjNMVJ1lmB/EaDyGssmEAl2qXtrIk2QlpL6I9bNB08yhbf3EMX5/zR6rCp6htMYStO/duk2mTuODrGV + [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQDgwJ1YLtrtaF7seObyf1xaMbixzWbi2HkGaOQ4C7BPyeho2pMacCkJ0qYZa0V+Muv+22BUMr0QNBnzuEYku5uM5AZW2j4fu/cRMp+1HtZHtbGRcHD2a4iMRMfUDXUCefmVhL9WzN3JUzc5sTu2HLEaAtEKAMbT/hOL75vaYug7WFsE7U7eia+E1LFMxXa+z5aKDPLYok4JduYqdALRqElogv8QekQLwjw1kt7IZY9z4krjo4FXPHd5RDIalO0mH4eNYhxbxW6r6M/OQsqxqUAOauFzF9QgU/gFMcIZC4eU2ZbQZMbMH/l+CMAwNK8ccxOEFLSmkZiPVvQ3l1ANjJeN azcli_aks_live_test@example.com\\n\"\n }\n ]\n }\n },\n \"servicePrincipalProfile\": {\n \"clientId\":\"00000000-0000-0000-0000-000000000001\"\n },\n \"nodeResourceGroup\": \"MC_clitest000001_cliakstest000002_westus2\",\n \"enableRBAC\": true,\n \ \"enablePodSecurityPolicy\": false,\n \"networkProfile\": {\n \"networkPlugin\": \"kubenet\",\n \"loadBalancerSku\": \"Standard\",\n \"loadBalancerProfile\": {\n \"managedOutboundIPs\": {\n \"count\": 1\n },\n \"effectiveOutboundIPs\": - [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/14255a00-475e-47c3-82dd-0b9612a3be19\"\n + [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/f4176fce-12c6-4af7-b05f-3445afeb33e9\"\n \ }\n ],\n \"backendPoolType\": \"nodeIPConfiguration\"\n },\n \ \"podCidr\": \"10.244.0.0/16\",\n \"serviceCidr\": \"10.0.0.0/16\",\n \ \"dnsServiceIP\": \"10.0.0.10\",\n \"dockerBridgeCidr\": \"172.17.0.1/16\",\n @@ -778,16 +656,16 @@ interactions: false\n },\n \"workloadAutoScalerProfile\": {}\n },\n \"identity\": {\n \"type\": \"SystemAssigned\",\n \"principalId\":\"00000000-0000-0000-0000-000000000001\",\n \ \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\"\n },\n \"sku\": - {\n \"name\": \"Base\",\n \"tier\": \"Free\"\n }\n }" + {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n }" headers: cache-control: - no-cache content-length: - - '4188' + - '4189' content-type: - application/json date: - - Tue, 14 Feb 2023 06:08:31 GMT + - Thu, 24 Nov 2022 09:53:01 GMT expires: - '-1' pragma: @@ -819,40 +697,40 @@ interactions: ParameterSetName: - --resource-group --name --disable-node-restriction -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n \ \"location\": \"westus2\",\n \"name\": \"cliakstest000002\",\n \"type\": \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": \"Succeeded\",\n \"powerState\": {\n \"code\": \"Running\"\n },\n \"kubernetesVersion\": - \"1.23.15\",\n \"currentKubernetesVersion\": \"1.23.15\",\n \"dnsPrefix\": - \"cliakstest-clitest2ryslgtsn-8ecadf\",\n \"fqdn\": \"cliakstest-clitest2ryslgtsn-8ecadf-146ae3d9.hcp.westus2.azmk8s.io\",\n - \ \"azurePortalFQDN\": \"cliakstest-clitest2ryslgtsn-8ecadf-146ae3d9.portal.hcp.westus2.azmk8s.io\",\n + \"1.23.12\",\n \"currentKubernetesVersion\": \"1.23.12\",\n \"dnsPrefix\": + \"cliakstest-clitestxsliwwfpa-79a739\",\n \"fqdn\": \"cliakstest-clitestxsliwwfpa-79a739-083b4938.hcp.westus2.azmk8s.io\",\n + \ \"azurePortalFQDN\": \"cliakstest-clitestxsliwwfpa-79a739-083b4938.portal.hcp.westus2.azmk8s.io\",\n \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \"count\": 1,\n \"vmSize\": \"Standard_DS2_v2\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": \"Managed\",\n \"kubeletDiskType\": \"OS\",\n \"workloadRuntime\": \"OCIContainer\",\n \"maxPods\": 110,\n \"type\": \"VirtualMachineScaleSets\",\n \ \"enableAutoScaling\": false,\n \"provisioningState\": \"Succeeded\",\n \ \"powerState\": {\n \"code\": \"Running\"\n },\n \"orchestratorVersion\": - \"1.23.15\",\n \"currentOrchestratorVersion\": \"1.23.15\",\n \"enableNodePublicIP\": + \"1.23.12\",\n \"currentOrchestratorVersion\": \"1.23.12\",\n \"enableNodePublicIP\": false,\n \"enableCustomCATrust\": false,\n \"mode\": \"System\",\n \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": - \"AKSUbuntu-1804gen2containerd-2023.01.20\",\n \"upgradeSettings\": {},\n + \"AKSUbuntu-1804gen2containerd-2022.10.24\",\n \"upgradeSettings\": {},\n \ \"enableFIPS\": false,\n \"networkProfile\": {}\n }\n ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n \"ssh\": {\n \"publicKeys\": - [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCunD1XOvyLfFKYlFhHisarmzQI60c+6AhRLNEPxY5Yc7VPjXaxZN5jufwUjUjE+D+8Hz347RoF6ofPOxI45lsYSHXQMbSskV+hb74BP9CINB/LMkTGtfJdUhCEOHKE84mYBcbRA3ol1mqBjIUknlNpQDWPGEEkwOBb+1Dgo91t2YOXuZjQ8xBjUwnynqM+8PEpdUBAmmgbVP1ujppVe8dU3QL4TAc/iktS+WahwYPVAVCwvowND/3yiosB76HyiKjRkI8iFsjNMVJ1lmB/EaDyGssmEAl2qXtrIk2QlpL6I9bNB08yhbf3EMX5/zR6rCp6htMYStO/duk2mTuODrGV + [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQDgwJ1YLtrtaF7seObyf1xaMbixzWbi2HkGaOQ4C7BPyeho2pMacCkJ0qYZa0V+Muv+22BUMr0QNBnzuEYku5uM5AZW2j4fu/cRMp+1HtZHtbGRcHD2a4iMRMfUDXUCefmVhL9WzN3JUzc5sTu2HLEaAtEKAMbT/hOL75vaYug7WFsE7U7eia+E1LFMxXa+z5aKDPLYok4JduYqdALRqElogv8QekQLwjw1kt7IZY9z4krjo4FXPHd5RDIalO0mH4eNYhxbxW6r6M/OQsqxqUAOauFzF9QgU/gFMcIZC4eU2ZbQZMbMH/l+CMAwNK8ccxOEFLSmkZiPVvQ3l1ANjJeN azcli_aks_live_test@example.com\\n\"\n }\n ]\n }\n },\n \"servicePrincipalProfile\": {\n \"clientId\":\"00000000-0000-0000-0000-000000000001\"\n },\n \"nodeResourceGroup\": \"MC_clitest000001_cliakstest000002_westus2\",\n \"enableRBAC\": true,\n \ \"enablePodSecurityPolicy\": false,\n \"networkProfile\": {\n \"networkPlugin\": \"kubenet\",\n \"loadBalancerSku\": \"Standard\",\n \"loadBalancerProfile\": {\n \"managedOutboundIPs\": {\n \"count\": 1\n },\n \"effectiveOutboundIPs\": - [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/14255a00-475e-47c3-82dd-0b9612a3be19\"\n + [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/f4176fce-12c6-4af7-b05f-3445afeb33e9\"\n \ }\n ],\n \"backendPoolType\": \"nodeIPConfiguration\"\n },\n \ \"podCidr\": \"10.244.0.0/16\",\n \"serviceCidr\": \"10.0.0.0/16\",\n \ \"dnsServiceIP\": \"10.0.0.10\",\n \"dockerBridgeCidr\": \"172.17.0.1/16\",\n @@ -869,16 +747,16 @@ interactions: false\n },\n \"workloadAutoScalerProfile\": {}\n },\n \"identity\": {\n \"type\": \"SystemAssigned\",\n \"principalId\":\"00000000-0000-0000-0000-000000000001\",\n \ \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\"\n },\n \"sku\": - {\n \"name\": \"Base\",\n \"tier\": \"Free\"\n }\n }" + {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n }" headers: cache-control: - no-cache content-length: - - '4188' + - '4189' content-type: - application/json date: - - Tue, 14 Feb 2023 06:08:32 GMT + - Thu, 24 Nov 2022 09:53:02 GMT expires: - '-1' pragma: @@ -897,24 +775,24 @@ interactions: code: 200 message: OK - request: - body: '{"location": "westus2", "sku": {"name": "Base", "tier": "Free"}, "identity": - {"type": "SystemAssigned"}, "properties": {"kubernetesVersion": "1.23.15", "dnsPrefix": - "cliakstest-clitest2ryslgtsn-8ecadf", "agentPoolProfiles": [{"count": 1, "vmSize": + body: '{"location": "westus2", "sku": {"name": "Basic", "tier": "Free"}, "identity": + {"type": "SystemAssigned"}, "properties": {"kubernetesVersion": "1.23.12", "dnsPrefix": + "cliakstest-clitestxsliwwfpa-79a739", "agentPoolProfiles": [{"count": 1, "vmSize": "Standard_DS2_v2", "osDiskSizeGB": 128, "osDiskType": "Managed", "kubeletDiskType": "OS", "workloadRuntime": "OCIContainer", "maxPods": 110, "osType": "Linux", "osSKU": "Ubuntu", "enableAutoScaling": false, "type": "VirtualMachineScaleSets", - "mode": "System", "orchestratorVersion": "1.23.15", "upgradeSettings": {}, "powerState": + "mode": "System", "orchestratorVersion": "1.23.12", "upgradeSettings": {}, "powerState": {"code": "Running"}, "enableNodePublicIP": false, "enableCustomCATrust": false, "enableEncryptionAtHost": false, "enableUltraSSD": false, "enableFIPS": false, "networkProfile": {}, "name": "nodepool1"}], "linuxProfile": {"adminUsername": - "azureuser", "ssh": {"publicKeys": [{"keyData": "ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCunD1XOvyLfFKYlFhHisarmzQI60c+6AhRLNEPxY5Yc7VPjXaxZN5jufwUjUjE+D+8Hz347RoF6ofPOxI45lsYSHXQMbSskV+hb74BP9CINB/LMkTGtfJdUhCEOHKE84mYBcbRA3ol1mqBjIUknlNpQDWPGEEkwOBb+1Dgo91t2YOXuZjQ8xBjUwnynqM+8PEpdUBAmmgbVP1ujppVe8dU3QL4TAc/iktS+WahwYPVAVCwvowND/3yiosB76HyiKjRkI8iFsjNMVJ1lmB/EaDyGssmEAl2qXtrIk2QlpL6I9bNB08yhbf3EMX5/zR6rCp6htMYStO/duk2mTuODrGV + "azureuser", "ssh": {"publicKeys": [{"keyData": "ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQDgwJ1YLtrtaF7seObyf1xaMbixzWbi2HkGaOQ4C7BPyeho2pMacCkJ0qYZa0V+Muv+22BUMr0QNBnzuEYku5uM5AZW2j4fu/cRMp+1HtZHtbGRcHD2a4iMRMfUDXUCefmVhL9WzN3JUzc5sTu2HLEaAtEKAMbT/hOL75vaYug7WFsE7U7eia+E1LFMxXa+z5aKDPLYok4JduYqdALRqElogv8QekQLwjw1kt7IZY9z4krjo4FXPHd5RDIalO0mH4eNYhxbxW6r6M/OQsqxqUAOauFzF9QgU/gFMcIZC4eU2ZbQZMbMH/l+CMAwNK8ccxOEFLSmkZiPVvQ3l1ANjJeN azcli_aks_live_test@example.com\n"}]}}, "servicePrincipalProfile": {"clientId":"00000000-0000-0000-0000-000000000001"}, "oidcIssuerProfile": {"enabled": false}, "nodeResourceGroup": "MC_clitest000001_cliakstest000002_westus2", "enableRBAC": true, "enablePodSecurityPolicy": false, "networkProfile": {"networkPlugin": "kubenet", "podCidr": "10.244.0.0/16", "serviceCidr": "10.0.0.0/16", "dnsServiceIP": "10.0.0.10", "dockerBridgeCidr": "172.17.0.1/16", "outboundType": "loadBalancer", "loadBalancerSku": "Standard", "loadBalancerProfile": {"managedOutboundIPs": - {"count": 1, "countIPv6": 0}, "effectiveOutboundIPs": [{"id": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/14255a00-475e-47c3-82dd-0b9612a3be19"}], + {"count": 1, "countIPv6": 0}, "effectiveOutboundIPs": [{"id": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/f4176fce-12c6-4af7-b05f-3445afeb33e9"}], "backendPoolType": "nodeIPConfiguration"}, "podCidrs": ["10.244.0.0/16"], "serviceCidrs": ["10.0.0.0/16"], "ipFamilies": ["IPv4"]}, "identityProfile": {"kubeletidentity": {"resourceId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.ManagedIdentity/userAssignedIdentities/cliakstest000002-agentpool", @@ -931,46 +809,46 @@ interactions: Connection: - keep-alive Content-Length: - - '2701' + - '2702' Content-Type: - application/json ParameterSetName: - --resource-group --name --disable-node-restriction -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n \ \"location\": \"westus2\",\n \"name\": \"cliakstest000002\",\n \"type\": \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": \"Updating\",\n \"powerState\": {\n \"code\": \"Running\"\n },\n \"kubernetesVersion\": - \"1.23.15\",\n \"currentKubernetesVersion\": \"1.23.15\",\n \"dnsPrefix\": - \"cliakstest-clitest2ryslgtsn-8ecadf\",\n \"fqdn\": \"cliakstest-clitest2ryslgtsn-8ecadf-146ae3d9.hcp.westus2.azmk8s.io\",\n - \ \"azurePortalFQDN\": \"cliakstest-clitest2ryslgtsn-8ecadf-146ae3d9.portal.hcp.westus2.azmk8s.io\",\n + \"1.23.12\",\n \"currentKubernetesVersion\": \"1.23.12\",\n \"dnsPrefix\": + \"cliakstest-clitestxsliwwfpa-79a739\",\n \"fqdn\": \"cliakstest-clitestxsliwwfpa-79a739-083b4938.hcp.westus2.azmk8s.io\",\n + \ \"azurePortalFQDN\": \"cliakstest-clitestxsliwwfpa-79a739-083b4938.portal.hcp.westus2.azmk8s.io\",\n \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \"count\": 1,\n \"vmSize\": \"Standard_DS2_v2\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": \"Managed\",\n \"kubeletDiskType\": \"OS\",\n \"workloadRuntime\": \"OCIContainer\",\n \"maxPods\": 110,\n \"type\": \"VirtualMachineScaleSets\",\n \ \"enableAutoScaling\": false,\n \"provisioningState\": \"Updating\",\n \ \"powerState\": {\n \"code\": \"Running\"\n },\n \"orchestratorVersion\": - \"1.23.15\",\n \"currentOrchestratorVersion\": \"1.23.15\",\n \"enableNodePublicIP\": + \"1.23.12\",\n \"currentOrchestratorVersion\": \"1.23.12\",\n \"enableNodePublicIP\": false,\n \"enableCustomCATrust\": false,\n \"mode\": \"System\",\n \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": - \"AKSUbuntu-1804gen2containerd-2023.01.20\",\n \"upgradeSettings\": {},\n + \"AKSUbuntu-1804gen2containerd-2022.10.24\",\n \"upgradeSettings\": {},\n \ \"enableFIPS\": false,\n \"networkProfile\": {}\n }\n ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n \"ssh\": {\n \"publicKeys\": - [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCunD1XOvyLfFKYlFhHisarmzQI60c+6AhRLNEPxY5Yc7VPjXaxZN5jufwUjUjE+D+8Hz347RoF6ofPOxI45lsYSHXQMbSskV+hb74BP9CINB/LMkTGtfJdUhCEOHKE84mYBcbRA3ol1mqBjIUknlNpQDWPGEEkwOBb+1Dgo91t2YOXuZjQ8xBjUwnynqM+8PEpdUBAmmgbVP1ujppVe8dU3QL4TAc/iktS+WahwYPVAVCwvowND/3yiosB76HyiKjRkI8iFsjNMVJ1lmB/EaDyGssmEAl2qXtrIk2QlpL6I9bNB08yhbf3EMX5/zR6rCp6htMYStO/duk2mTuODrGV + [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQDgwJ1YLtrtaF7seObyf1xaMbixzWbi2HkGaOQ4C7BPyeho2pMacCkJ0qYZa0V+Muv+22BUMr0QNBnzuEYku5uM5AZW2j4fu/cRMp+1HtZHtbGRcHD2a4iMRMfUDXUCefmVhL9WzN3JUzc5sTu2HLEaAtEKAMbT/hOL75vaYug7WFsE7U7eia+E1LFMxXa+z5aKDPLYok4JduYqdALRqElogv8QekQLwjw1kt7IZY9z4krjo4FXPHd5RDIalO0mH4eNYhxbxW6r6M/OQsqxqUAOauFzF9QgU/gFMcIZC4eU2ZbQZMbMH/l+CMAwNK8ccxOEFLSmkZiPVvQ3l1ANjJeN azcli_aks_live_test@example.com\\n\"\n }\n ]\n }\n },\n \"servicePrincipalProfile\": {\n \"clientId\":\"00000000-0000-0000-0000-000000000001\"\n },\n \"nodeResourceGroup\": \"MC_clitest000001_cliakstest000002_westus2\",\n \"enableRBAC\": true,\n \ \"enablePodSecurityPolicy\": false,\n \"networkProfile\": {\n \"networkPlugin\": \"kubenet\",\n \"loadBalancerSku\": \"Standard\",\n \"loadBalancerProfile\": {\n \"managedOutboundIPs\": {\n \"count\": 1\n },\n \"effectiveOutboundIPs\": - [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/14255a00-475e-47c3-82dd-0b9612a3be19\"\n + [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/f4176fce-12c6-4af7-b05f-3445afeb33e9\"\n \ }\n ],\n \"backendPoolType\": \"nodeIPConfiguration\"\n },\n \ \"podCidr\": \"10.244.0.0/16\",\n \"serviceCidr\": \"10.0.0.0/16\",\n \ \"dnsServiceIP\": \"10.0.0.10\",\n \"dockerBridgeCidr\": \"172.17.0.1/16\",\n @@ -987,18 +865,18 @@ interactions: false\n },\n \"workloadAutoScalerProfile\": {}\n },\n \"identity\": {\n \"type\": \"SystemAssigned\",\n \"principalId\":\"00000000-0000-0000-0000-000000000001\",\n \ \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\"\n },\n \"sku\": - {\n \"name\": \"Base\",\n \"tier\": \"Free\"\n }\n }" + {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n }" headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/01c72c24-7cf0-44a2-a051-bb4a8f6a9d62?api-version=2016-03-30 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/b1d1738b-2a27-4d74-b1df-f8ca8682d52a?api-version=2016-03-30 cache-control: - no-cache content-length: - - '4187' + - '4188' content-type: - application/json date: - - Tue, 14 Feb 2023 06:08:35 GMT + - Thu, 24 Nov 2022 09:53:04 GMT expires: - '-1' pragma: @@ -1014,7 +892,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-writes: - - '1199' + - '1192' status: code: 200 message: OK @@ -1032,14 +910,14 @@ interactions: ParameterSetName: - --resource-group --name --disable-node-restriction -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/01c72c24-7cf0-44a2-a051-bb4a8f6a9d62?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/b1d1738b-2a27-4d74-b1df-f8ca8682d52a?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"242cc701-f07c-a244-a051-bb4a8f6a9d62\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-14T06:08:35.8785474Z\"\n }" + string: "{\n \"name\": \"8b73d1b1-272a-744d-b1df-f8ca8682d52a\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-24T09:53:05.2345613Z\"\n }" headers: cache-control: - no-cache @@ -1048,7 +926,7 @@ interactions: content-type: - application/json date: - - Tue, 14 Feb 2023 06:09:05 GMT + - Thu, 24 Nov 2022 09:53:34 GMT expires: - '-1' pragma: @@ -1080,14 +958,14 @@ interactions: ParameterSetName: - --resource-group --name --disable-node-restriction -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/01c72c24-7cf0-44a2-a051-bb4a8f6a9d62?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/b1d1738b-2a27-4d74-b1df-f8ca8682d52a?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"242cc701-f07c-a244-a051-bb4a8f6a9d62\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-14T06:08:35.8785474Z\"\n }" + string: "{\n \"name\": \"8b73d1b1-272a-744d-b1df-f8ca8682d52a\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-24T09:53:05.2345613Z\"\n }" headers: cache-control: - no-cache @@ -1096,7 +974,7 @@ interactions: content-type: - application/json date: - - Tue, 14 Feb 2023 06:09:35 GMT + - Thu, 24 Nov 2022 09:54:04 GMT expires: - '-1' pragma: @@ -1128,14 +1006,14 @@ interactions: ParameterSetName: - --resource-group --name --disable-node-restriction -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/01c72c24-7cf0-44a2-a051-bb4a8f6a9d62?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/b1d1738b-2a27-4d74-b1df-f8ca8682d52a?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"242cc701-f07c-a244-a051-bb4a8f6a9d62\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-14T06:08:35.8785474Z\"\n }" + string: "{\n \"name\": \"8b73d1b1-272a-744d-b1df-f8ca8682d52a\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-24T09:53:05.2345613Z\"\n }" headers: cache-control: - no-cache @@ -1144,7 +1022,7 @@ interactions: content-type: - application/json date: - - Tue, 14 Feb 2023 06:10:05 GMT + - Thu, 24 Nov 2022 09:54:34 GMT expires: - '-1' pragma: @@ -1176,63 +1054,15 @@ interactions: ParameterSetName: - --resource-group --name --disable-node-restriction -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/01c72c24-7cf0-44a2-a051-bb4a8f6a9d62?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/b1d1738b-2a27-4d74-b1df-f8ca8682d52a?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"242cc701-f07c-a244-a051-bb4a8f6a9d62\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-14T06:08:35.8785474Z\"\n }" - headers: - cache-control: - - no-cache - content-length: - - '126' - content-type: - - application/json - date: - - Tue, 14 Feb 2023 06:10:36 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - aks update - Connection: - - keep-alive - ParameterSetName: - - --resource-group --name --disable-node-restriction -o - User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/01c72c24-7cf0-44a2-a051-bb4a8f6a9d62?api-version=2016-03-30 - response: - body: - string: "{\n \"name\": \"242cc701-f07c-a244-a051-bb4a8f6a9d62\",\n \"status\": - \"Succeeded\",\n \"startTime\": \"2023-02-14T06:08:35.8785474Z\",\n \"endTime\": - \"2023-02-14T06:10:38.5913907Z\"\n }" + string: "{\n \"name\": \"8b73d1b1-272a-744d-b1df-f8ca8682d52a\",\n \"status\": + \"Succeeded\",\n \"startTime\": \"2022-11-24T09:53:05.2345613Z\",\n \"endTime\": + \"2022-11-24T09:54:45.8316028Z\"\n }" headers: cache-control: - no-cache @@ -1241,7 +1071,7 @@ interactions: content-type: - application/json date: - - Tue, 14 Feb 2023 06:11:06 GMT + - Thu, 24 Nov 2022 09:55:04 GMT expires: - '-1' pragma: @@ -1273,40 +1103,40 @@ interactions: ParameterSetName: - --resource-group --name --disable-node-restriction -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n \ \"location\": \"westus2\",\n \"name\": \"cliakstest000002\",\n \"type\": \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": \"Succeeded\",\n \"powerState\": {\n \"code\": \"Running\"\n },\n \"kubernetesVersion\": - \"1.23.15\",\n \"currentKubernetesVersion\": \"1.23.15\",\n \"dnsPrefix\": - \"cliakstest-clitest2ryslgtsn-8ecadf\",\n \"fqdn\": \"cliakstest-clitest2ryslgtsn-8ecadf-146ae3d9.hcp.westus2.azmk8s.io\",\n - \ \"azurePortalFQDN\": \"cliakstest-clitest2ryslgtsn-8ecadf-146ae3d9.portal.hcp.westus2.azmk8s.io\",\n + \"1.23.12\",\n \"currentKubernetesVersion\": \"1.23.12\",\n \"dnsPrefix\": + \"cliakstest-clitestxsliwwfpa-79a739\",\n \"fqdn\": \"cliakstest-clitestxsliwwfpa-79a739-083b4938.hcp.westus2.azmk8s.io\",\n + \ \"azurePortalFQDN\": \"cliakstest-clitestxsliwwfpa-79a739-083b4938.portal.hcp.westus2.azmk8s.io\",\n \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \"count\": 1,\n \"vmSize\": \"Standard_DS2_v2\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": \"Managed\",\n \"kubeletDiskType\": \"OS\",\n \"workloadRuntime\": \"OCIContainer\",\n \"maxPods\": 110,\n \"type\": \"VirtualMachineScaleSets\",\n \ \"enableAutoScaling\": false,\n \"provisioningState\": \"Succeeded\",\n \ \"powerState\": {\n \"code\": \"Running\"\n },\n \"orchestratorVersion\": - \"1.23.15\",\n \"currentOrchestratorVersion\": \"1.23.15\",\n \"enableNodePublicIP\": + \"1.23.12\",\n \"currentOrchestratorVersion\": \"1.23.12\",\n \"enableNodePublicIP\": false,\n \"enableCustomCATrust\": false,\n \"mode\": \"System\",\n \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": - \"AKSUbuntu-1804gen2containerd-2023.01.20\",\n \"upgradeSettings\": {},\n + \"AKSUbuntu-1804gen2containerd-2022.10.24\",\n \"upgradeSettings\": {},\n \ \"enableFIPS\": false,\n \"networkProfile\": {}\n }\n ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n \"ssh\": {\n \"publicKeys\": - [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCunD1XOvyLfFKYlFhHisarmzQI60c+6AhRLNEPxY5Yc7VPjXaxZN5jufwUjUjE+D+8Hz347RoF6ofPOxI45lsYSHXQMbSskV+hb74BP9CINB/LMkTGtfJdUhCEOHKE84mYBcbRA3ol1mqBjIUknlNpQDWPGEEkwOBb+1Dgo91t2YOXuZjQ8xBjUwnynqM+8PEpdUBAmmgbVP1ujppVe8dU3QL4TAc/iktS+WahwYPVAVCwvowND/3yiosB76HyiKjRkI8iFsjNMVJ1lmB/EaDyGssmEAl2qXtrIk2QlpL6I9bNB08yhbf3EMX5/zR6rCp6htMYStO/duk2mTuODrGV + [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQDgwJ1YLtrtaF7seObyf1xaMbixzWbi2HkGaOQ4C7BPyeho2pMacCkJ0qYZa0V+Muv+22BUMr0QNBnzuEYku5uM5AZW2j4fu/cRMp+1HtZHtbGRcHD2a4iMRMfUDXUCefmVhL9WzN3JUzc5sTu2HLEaAtEKAMbT/hOL75vaYug7WFsE7U7eia+E1LFMxXa+z5aKDPLYok4JduYqdALRqElogv8QekQLwjw1kt7IZY9z4krjo4FXPHd5RDIalO0mH4eNYhxbxW6r6M/OQsqxqUAOauFzF9QgU/gFMcIZC4eU2ZbQZMbMH/l+CMAwNK8ccxOEFLSmkZiPVvQ3l1ANjJeN azcli_aks_live_test@example.com\\n\"\n }\n ]\n }\n },\n \"servicePrincipalProfile\": {\n \"clientId\":\"00000000-0000-0000-0000-000000000001\"\n },\n \"nodeResourceGroup\": \"MC_clitest000001_cliakstest000002_westus2\",\n \"enableRBAC\": true,\n \ \"enablePodSecurityPolicy\": false,\n \"networkProfile\": {\n \"networkPlugin\": \"kubenet\",\n \"loadBalancerSku\": \"Standard\",\n \"loadBalancerProfile\": {\n \"managedOutboundIPs\": {\n \"count\": 1\n },\n \"effectiveOutboundIPs\": - [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/14255a00-475e-47c3-82dd-0b9612a3be19\"\n + [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/f4176fce-12c6-4af7-b05f-3445afeb33e9\"\n \ }\n ],\n \"backendPoolType\": \"nodeIPConfiguration\"\n },\n \ \"podCidr\": \"10.244.0.0/16\",\n \"serviceCidr\": \"10.0.0.0/16\",\n \ \"dnsServiceIP\": \"10.0.0.10\",\n \"dockerBridgeCidr\": \"172.17.0.1/16\",\n @@ -1323,16 +1153,16 @@ interactions: false\n },\n \"workloadAutoScalerProfile\": {}\n },\n \"identity\": {\n \"type\": \"SystemAssigned\",\n \"principalId\":\"00000000-0000-0000-0000-000000000001\",\n \ \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\"\n },\n \"sku\": - {\n \"name\": \"Base\",\n \"tier\": \"Free\"\n }\n }" + {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n }" headers: cache-control: - no-cache content-length: - - '4189' + - '4190' content-type: - application/json date: - - Tue, 14 Feb 2023 06:11:07 GMT + - Thu, 24 Nov 2022 09:55:05 GMT expires: - '-1' pragma: @@ -1364,40 +1194,40 @@ interactions: ParameterSetName: - --resource-group --name --enable-node-restriction -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n \ \"location\": \"westus2\",\n \"name\": \"cliakstest000002\",\n \"type\": \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": \"Succeeded\",\n \"powerState\": {\n \"code\": \"Running\"\n },\n \"kubernetesVersion\": - \"1.23.15\",\n \"currentKubernetesVersion\": \"1.23.15\",\n \"dnsPrefix\": - \"cliakstest-clitest2ryslgtsn-8ecadf\",\n \"fqdn\": \"cliakstest-clitest2ryslgtsn-8ecadf-146ae3d9.hcp.westus2.azmk8s.io\",\n - \ \"azurePortalFQDN\": \"cliakstest-clitest2ryslgtsn-8ecadf-146ae3d9.portal.hcp.westus2.azmk8s.io\",\n + \"1.23.12\",\n \"currentKubernetesVersion\": \"1.23.12\",\n \"dnsPrefix\": + \"cliakstest-clitestxsliwwfpa-79a739\",\n \"fqdn\": \"cliakstest-clitestxsliwwfpa-79a739-083b4938.hcp.westus2.azmk8s.io\",\n + \ \"azurePortalFQDN\": \"cliakstest-clitestxsliwwfpa-79a739-083b4938.portal.hcp.westus2.azmk8s.io\",\n \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \"count\": 1,\n \"vmSize\": \"Standard_DS2_v2\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": \"Managed\",\n \"kubeletDiskType\": \"OS\",\n \"workloadRuntime\": \"OCIContainer\",\n \"maxPods\": 110,\n \"type\": \"VirtualMachineScaleSets\",\n \ \"enableAutoScaling\": false,\n \"provisioningState\": \"Succeeded\",\n \ \"powerState\": {\n \"code\": \"Running\"\n },\n \"orchestratorVersion\": - \"1.23.15\",\n \"currentOrchestratorVersion\": \"1.23.15\",\n \"enableNodePublicIP\": + \"1.23.12\",\n \"currentOrchestratorVersion\": \"1.23.12\",\n \"enableNodePublicIP\": false,\n \"enableCustomCATrust\": false,\n \"mode\": \"System\",\n \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": - \"AKSUbuntu-1804gen2containerd-2023.01.20\",\n \"upgradeSettings\": {},\n + \"AKSUbuntu-1804gen2containerd-2022.10.24\",\n \"upgradeSettings\": {},\n \ \"enableFIPS\": false,\n \"networkProfile\": {}\n }\n ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n \"ssh\": {\n \"publicKeys\": - [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCunD1XOvyLfFKYlFhHisarmzQI60c+6AhRLNEPxY5Yc7VPjXaxZN5jufwUjUjE+D+8Hz347RoF6ofPOxI45lsYSHXQMbSskV+hb74BP9CINB/LMkTGtfJdUhCEOHKE84mYBcbRA3ol1mqBjIUknlNpQDWPGEEkwOBb+1Dgo91t2YOXuZjQ8xBjUwnynqM+8PEpdUBAmmgbVP1ujppVe8dU3QL4TAc/iktS+WahwYPVAVCwvowND/3yiosB76HyiKjRkI8iFsjNMVJ1lmB/EaDyGssmEAl2qXtrIk2QlpL6I9bNB08yhbf3EMX5/zR6rCp6htMYStO/duk2mTuODrGV + [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQDgwJ1YLtrtaF7seObyf1xaMbixzWbi2HkGaOQ4C7BPyeho2pMacCkJ0qYZa0V+Muv+22BUMr0QNBnzuEYku5uM5AZW2j4fu/cRMp+1HtZHtbGRcHD2a4iMRMfUDXUCefmVhL9WzN3JUzc5sTu2HLEaAtEKAMbT/hOL75vaYug7WFsE7U7eia+E1LFMxXa+z5aKDPLYok4JduYqdALRqElogv8QekQLwjw1kt7IZY9z4krjo4FXPHd5RDIalO0mH4eNYhxbxW6r6M/OQsqxqUAOauFzF9QgU/gFMcIZC4eU2ZbQZMbMH/l+CMAwNK8ccxOEFLSmkZiPVvQ3l1ANjJeN azcli_aks_live_test@example.com\\n\"\n }\n ]\n }\n },\n \"servicePrincipalProfile\": {\n \"clientId\":\"00000000-0000-0000-0000-000000000001\"\n },\n \"nodeResourceGroup\": \"MC_clitest000001_cliakstest000002_westus2\",\n \"enableRBAC\": true,\n \ \"enablePodSecurityPolicy\": false,\n \"networkProfile\": {\n \"networkPlugin\": \"kubenet\",\n \"loadBalancerSku\": \"Standard\",\n \"loadBalancerProfile\": {\n \"managedOutboundIPs\": {\n \"count\": 1\n },\n \"effectiveOutboundIPs\": - [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/14255a00-475e-47c3-82dd-0b9612a3be19\"\n + [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/f4176fce-12c6-4af7-b05f-3445afeb33e9\"\n \ }\n ],\n \"backendPoolType\": \"nodeIPConfiguration\"\n },\n \ \"podCidr\": \"10.244.0.0/16\",\n \"serviceCidr\": \"10.0.0.0/16\",\n \ \"dnsServiceIP\": \"10.0.0.10\",\n \"dockerBridgeCidr\": \"172.17.0.1/16\",\n @@ -1414,16 +1244,16 @@ interactions: false\n },\n \"workloadAutoScalerProfile\": {}\n },\n \"identity\": {\n \"type\": \"SystemAssigned\",\n \"principalId\":\"00000000-0000-0000-0000-000000000001\",\n \ \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\"\n },\n \"sku\": - {\n \"name\": \"Base\",\n \"tier\": \"Free\"\n }\n }" + {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n }" headers: cache-control: - no-cache content-length: - - '4189' + - '4190' content-type: - application/json date: - - Tue, 14 Feb 2023 06:11:07 GMT + - Thu, 24 Nov 2022 09:55:06 GMT expires: - '-1' pragma: @@ -1442,24 +1272,24 @@ interactions: code: 200 message: OK - request: - body: '{"location": "westus2", "sku": {"name": "Base", "tier": "Free"}, "identity": - {"type": "SystemAssigned"}, "properties": {"kubernetesVersion": "1.23.15", "dnsPrefix": - "cliakstest-clitest2ryslgtsn-8ecadf", "agentPoolProfiles": [{"count": 1, "vmSize": + body: '{"location": "westus2", "sku": {"name": "Basic", "tier": "Free"}, "identity": + {"type": "SystemAssigned"}, "properties": {"kubernetesVersion": "1.23.12", "dnsPrefix": + "cliakstest-clitestxsliwwfpa-79a739", "agentPoolProfiles": [{"count": 1, "vmSize": "Standard_DS2_v2", "osDiskSizeGB": 128, "osDiskType": "Managed", "kubeletDiskType": "OS", "workloadRuntime": "OCIContainer", "maxPods": 110, "osType": "Linux", "osSKU": "Ubuntu", "enableAutoScaling": false, "type": "VirtualMachineScaleSets", - "mode": "System", "orchestratorVersion": "1.23.15", "upgradeSettings": {}, "powerState": + "mode": "System", "orchestratorVersion": "1.23.12", "upgradeSettings": {}, "powerState": {"code": "Running"}, "enableNodePublicIP": false, "enableCustomCATrust": false, "enableEncryptionAtHost": false, "enableUltraSSD": false, "enableFIPS": false, "networkProfile": {}, "name": "nodepool1"}], "linuxProfile": {"adminUsername": - "azureuser", "ssh": {"publicKeys": [{"keyData": "ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCunD1XOvyLfFKYlFhHisarmzQI60c+6AhRLNEPxY5Yc7VPjXaxZN5jufwUjUjE+D+8Hz347RoF6ofPOxI45lsYSHXQMbSskV+hb74BP9CINB/LMkTGtfJdUhCEOHKE84mYBcbRA3ol1mqBjIUknlNpQDWPGEEkwOBb+1Dgo91t2YOXuZjQ8xBjUwnynqM+8PEpdUBAmmgbVP1ujppVe8dU3QL4TAc/iktS+WahwYPVAVCwvowND/3yiosB76HyiKjRkI8iFsjNMVJ1lmB/EaDyGssmEAl2qXtrIk2QlpL6I9bNB08yhbf3EMX5/zR6rCp6htMYStO/duk2mTuODrGV + "azureuser", "ssh": {"publicKeys": [{"keyData": "ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQDgwJ1YLtrtaF7seObyf1xaMbixzWbi2HkGaOQ4C7BPyeho2pMacCkJ0qYZa0V+Muv+22BUMr0QNBnzuEYku5uM5AZW2j4fu/cRMp+1HtZHtbGRcHD2a4iMRMfUDXUCefmVhL9WzN3JUzc5sTu2HLEaAtEKAMbT/hOL75vaYug7WFsE7U7eia+E1LFMxXa+z5aKDPLYok4JduYqdALRqElogv8QekQLwjw1kt7IZY9z4krjo4FXPHd5RDIalO0mH4eNYhxbxW6r6M/OQsqxqUAOauFzF9QgU/gFMcIZC4eU2ZbQZMbMH/l+CMAwNK8ccxOEFLSmkZiPVvQ3l1ANjJeN azcli_aks_live_test@example.com\n"}]}}, "servicePrincipalProfile": {"clientId":"00000000-0000-0000-0000-000000000001"}, "oidcIssuerProfile": {"enabled": false}, "nodeResourceGroup": "MC_clitest000001_cliakstest000002_westus2", "enableRBAC": true, "enablePodSecurityPolicy": false, "networkProfile": {"networkPlugin": "kubenet", "podCidr": "10.244.0.0/16", "serviceCidr": "10.0.0.0/16", "dnsServiceIP": "10.0.0.10", "dockerBridgeCidr": "172.17.0.1/16", "outboundType": "loadBalancer", "loadBalancerSku": "Standard", "loadBalancerProfile": {"managedOutboundIPs": - {"count": 1, "countIPv6": 0}, "effectiveOutboundIPs": [{"id": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/14255a00-475e-47c3-82dd-0b9612a3be19"}], + {"count": 1, "countIPv6": 0}, "effectiveOutboundIPs": [{"id": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/f4176fce-12c6-4af7-b05f-3445afeb33e9"}], "backendPoolType": "nodeIPConfiguration"}, "podCidrs": ["10.244.0.0/16"], "serviceCidrs": ["10.0.0.0/16"], "ipFamilies": ["IPv4"]}, "identityProfile": {"kubeletidentity": {"resourceId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.ManagedIdentity/userAssignedIdentities/cliakstest000002-agentpool", @@ -1476,46 +1306,46 @@ interactions: Connection: - keep-alive Content-Length: - - '2700' + - '2701' Content-Type: - application/json ParameterSetName: - --resource-group --name --enable-node-restriction -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n \ \"location\": \"westus2\",\n \"name\": \"cliakstest000002\",\n \"type\": \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": \"Updating\",\n \"powerState\": {\n \"code\": \"Running\"\n },\n \"kubernetesVersion\": - \"1.23.15\",\n \"currentKubernetesVersion\": \"1.23.15\",\n \"dnsPrefix\": - \"cliakstest-clitest2ryslgtsn-8ecadf\",\n \"fqdn\": \"cliakstest-clitest2ryslgtsn-8ecadf-146ae3d9.hcp.westus2.azmk8s.io\",\n - \ \"azurePortalFQDN\": \"cliakstest-clitest2ryslgtsn-8ecadf-146ae3d9.portal.hcp.westus2.azmk8s.io\",\n + \"1.23.12\",\n \"currentKubernetesVersion\": \"1.23.12\",\n \"dnsPrefix\": + \"cliakstest-clitestxsliwwfpa-79a739\",\n \"fqdn\": \"cliakstest-clitestxsliwwfpa-79a739-083b4938.hcp.westus2.azmk8s.io\",\n + \ \"azurePortalFQDN\": \"cliakstest-clitestxsliwwfpa-79a739-083b4938.portal.hcp.westus2.azmk8s.io\",\n \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \"count\": 1,\n \"vmSize\": \"Standard_DS2_v2\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": \"Managed\",\n \"kubeletDiskType\": \"OS\",\n \"workloadRuntime\": \"OCIContainer\",\n \"maxPods\": 110,\n \"type\": \"VirtualMachineScaleSets\",\n \ \"enableAutoScaling\": false,\n \"provisioningState\": \"Updating\",\n \ \"powerState\": {\n \"code\": \"Running\"\n },\n \"orchestratorVersion\": - \"1.23.15\",\n \"currentOrchestratorVersion\": \"1.23.15\",\n \"enableNodePublicIP\": + \"1.23.12\",\n \"currentOrchestratorVersion\": \"1.23.12\",\n \"enableNodePublicIP\": false,\n \"enableCustomCATrust\": false,\n \"mode\": \"System\",\n \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": - \"AKSUbuntu-1804gen2containerd-2023.01.20\",\n \"upgradeSettings\": {},\n + \"AKSUbuntu-1804gen2containerd-2022.10.24\",\n \"upgradeSettings\": {},\n \ \"enableFIPS\": false,\n \"networkProfile\": {}\n }\n ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n \"ssh\": {\n \"publicKeys\": - [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCunD1XOvyLfFKYlFhHisarmzQI60c+6AhRLNEPxY5Yc7VPjXaxZN5jufwUjUjE+D+8Hz347RoF6ofPOxI45lsYSHXQMbSskV+hb74BP9CINB/LMkTGtfJdUhCEOHKE84mYBcbRA3ol1mqBjIUknlNpQDWPGEEkwOBb+1Dgo91t2YOXuZjQ8xBjUwnynqM+8PEpdUBAmmgbVP1ujppVe8dU3QL4TAc/iktS+WahwYPVAVCwvowND/3yiosB76HyiKjRkI8iFsjNMVJ1lmB/EaDyGssmEAl2qXtrIk2QlpL6I9bNB08yhbf3EMX5/zR6rCp6htMYStO/duk2mTuODrGV + [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQDgwJ1YLtrtaF7seObyf1xaMbixzWbi2HkGaOQ4C7BPyeho2pMacCkJ0qYZa0V+Muv+22BUMr0QNBnzuEYku5uM5AZW2j4fu/cRMp+1HtZHtbGRcHD2a4iMRMfUDXUCefmVhL9WzN3JUzc5sTu2HLEaAtEKAMbT/hOL75vaYug7WFsE7U7eia+E1LFMxXa+z5aKDPLYok4JduYqdALRqElogv8QekQLwjw1kt7IZY9z4krjo4FXPHd5RDIalO0mH4eNYhxbxW6r6M/OQsqxqUAOauFzF9QgU/gFMcIZC4eU2ZbQZMbMH/l+CMAwNK8ccxOEFLSmkZiPVvQ3l1ANjJeN azcli_aks_live_test@example.com\\n\"\n }\n ]\n }\n },\n \"servicePrincipalProfile\": {\n \"clientId\":\"00000000-0000-0000-0000-000000000001\"\n },\n \"nodeResourceGroup\": \"MC_clitest000001_cliakstest000002_westus2\",\n \"enableRBAC\": true,\n \ \"enablePodSecurityPolicy\": false,\n \"networkProfile\": {\n \"networkPlugin\": \"kubenet\",\n \"loadBalancerSku\": \"Standard\",\n \"loadBalancerProfile\": {\n \"managedOutboundIPs\": {\n \"count\": 1\n },\n \"effectiveOutboundIPs\": - [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/14255a00-475e-47c3-82dd-0b9612a3be19\"\n + [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/f4176fce-12c6-4af7-b05f-3445afeb33e9\"\n \ }\n ],\n \"backendPoolType\": \"nodeIPConfiguration\"\n },\n \ \"podCidr\": \"10.244.0.0/16\",\n \"serviceCidr\": \"10.0.0.0/16\",\n \ \"dnsServiceIP\": \"10.0.0.10\",\n \"dockerBridgeCidr\": \"172.17.0.1/16\",\n @@ -1532,18 +1362,18 @@ interactions: false\n },\n \"workloadAutoScalerProfile\": {}\n },\n \"identity\": {\n \"type\": \"SystemAssigned\",\n \"principalId\":\"00000000-0000-0000-0000-000000000001\",\n \ \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\"\n },\n \"sku\": - {\n \"name\": \"Base\",\n \"tier\": \"Free\"\n }\n }" + {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n }" headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/754233d1-621c-47d3-b7ff-686094c7e0ff?api-version=2016-03-30 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/b9691ef1-d706-4ad9-90ca-0c19df95bae9?api-version=2016-03-30 cache-control: - no-cache content-length: - - '4186' + - '4187' content-type: - application/json date: - - Tue, 14 Feb 2023 06:11:11 GMT + - Thu, 24 Nov 2022 09:55:09 GMT expires: - '-1' pragma: @@ -1559,55 +1389,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-writes: - - '1198' - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - aks update - Connection: - - keep-alive - ParameterSetName: - - --resource-group --name --enable-node-restriction -o - User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/754233d1-621c-47d3-b7ff-686094c7e0ff?api-version=2016-03-30 - response: - body: - string: "{\n \"name\": \"d1334275-1c62-d347-b7ff-686094c7e0ff\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-14T06:11:11.3575366Z\"\n }" - headers: - cache-control: - - no-cache - content-length: - - '126' - content-type: - - application/json - date: - - Tue, 14 Feb 2023 06:11:41 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - nginx - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff + - '1199' status: code: 200 message: OK @@ -1625,14 +1407,14 @@ interactions: ParameterSetName: - --resource-group --name --enable-node-restriction -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/754233d1-621c-47d3-b7ff-686094c7e0ff?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/b9691ef1-d706-4ad9-90ca-0c19df95bae9?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"d1334275-1c62-d347-b7ff-686094c7e0ff\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-14T06:11:11.3575366Z\"\n }" + string: "{\n \"name\": \"f11e69b9-06d7-d94a-90ca-0c19df95bae9\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-24T09:55:10.5082161Z\"\n }" headers: cache-control: - no-cache @@ -1641,7 +1423,7 @@ interactions: content-type: - application/json date: - - Tue, 14 Feb 2023 06:12:11 GMT + - Thu, 24 Nov 2022 09:55:40 GMT expires: - '-1' pragma: @@ -1673,14 +1455,14 @@ interactions: ParameterSetName: - --resource-group --name --enable-node-restriction -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/754233d1-621c-47d3-b7ff-686094c7e0ff?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/b9691ef1-d706-4ad9-90ca-0c19df95bae9?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"d1334275-1c62-d347-b7ff-686094c7e0ff\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-14T06:11:11.3575366Z\"\n }" + string: "{\n \"name\": \"f11e69b9-06d7-d94a-90ca-0c19df95bae9\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-24T09:55:10.5082161Z\"\n }" headers: cache-control: - no-cache @@ -1689,7 +1471,7 @@ interactions: content-type: - application/json date: - - Tue, 14 Feb 2023 06:12:41 GMT + - Thu, 24 Nov 2022 09:56:09 GMT expires: - '-1' pragma: @@ -1721,14 +1503,14 @@ interactions: ParameterSetName: - --resource-group --name --enable-node-restriction -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/754233d1-621c-47d3-b7ff-686094c7e0ff?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/b9691ef1-d706-4ad9-90ca-0c19df95bae9?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"d1334275-1c62-d347-b7ff-686094c7e0ff\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-14T06:11:11.3575366Z\"\n }" + string: "{\n \"name\": \"f11e69b9-06d7-d94a-90ca-0c19df95bae9\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-24T09:55:10.5082161Z\"\n }" headers: cache-control: - no-cache @@ -1737,7 +1519,7 @@ interactions: content-type: - application/json date: - - Tue, 14 Feb 2023 06:13:11 GMT + - Thu, 24 Nov 2022 09:56:40 GMT expires: - '-1' pragma: @@ -1769,15 +1551,15 @@ interactions: ParameterSetName: - --resource-group --name --enable-node-restriction -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/754233d1-621c-47d3-b7ff-686094c7e0ff?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/b9691ef1-d706-4ad9-90ca-0c19df95bae9?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"d1334275-1c62-d347-b7ff-686094c7e0ff\",\n \"status\": - \"Succeeded\",\n \"startTime\": \"2023-02-14T06:11:11.3575366Z\",\n \"endTime\": - \"2023-02-14T06:13:18.8792056Z\"\n }" + string: "{\n \"name\": \"f11e69b9-06d7-d94a-90ca-0c19df95bae9\",\n \"status\": + \"Succeeded\",\n \"startTime\": \"2022-11-24T09:55:10.5082161Z\",\n \"endTime\": + \"2022-11-24T09:56:52.5781023Z\"\n }" headers: cache-control: - no-cache @@ -1786,7 +1568,7 @@ interactions: content-type: - application/json date: - - Tue, 14 Feb 2023 06:13:41 GMT + - Thu, 24 Nov 2022 09:57:10 GMT expires: - '-1' pragma: @@ -1818,40 +1600,40 @@ interactions: ParameterSetName: - --resource-group --name --enable-node-restriction -o User-Agent: - - AZURECLI/2.45.0 azsdk-python-azure-mgmt-containerservice/21.1.0b Python/3.8.10 - (Linux-5.15.0-1033-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n \ \"location\": \"westus2\",\n \"name\": \"cliakstest000002\",\n \"type\": \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": \"Succeeded\",\n \"powerState\": {\n \"code\": \"Running\"\n },\n \"kubernetesVersion\": - \"1.23.15\",\n \"currentKubernetesVersion\": \"1.23.15\",\n \"dnsPrefix\": - \"cliakstest-clitest2ryslgtsn-8ecadf\",\n \"fqdn\": \"cliakstest-clitest2ryslgtsn-8ecadf-146ae3d9.hcp.westus2.azmk8s.io\",\n - \ \"azurePortalFQDN\": \"cliakstest-clitest2ryslgtsn-8ecadf-146ae3d9.portal.hcp.westus2.azmk8s.io\",\n + \"1.23.12\",\n \"currentKubernetesVersion\": \"1.23.12\",\n \"dnsPrefix\": + \"cliakstest-clitestxsliwwfpa-79a739\",\n \"fqdn\": \"cliakstest-clitestxsliwwfpa-79a739-083b4938.hcp.westus2.azmk8s.io\",\n + \ \"azurePortalFQDN\": \"cliakstest-clitestxsliwwfpa-79a739-083b4938.portal.hcp.westus2.azmk8s.io\",\n \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \"count\": 1,\n \"vmSize\": \"Standard_DS2_v2\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": \"Managed\",\n \"kubeletDiskType\": \"OS\",\n \"workloadRuntime\": \"OCIContainer\",\n \"maxPods\": 110,\n \"type\": \"VirtualMachineScaleSets\",\n \ \"enableAutoScaling\": false,\n \"provisioningState\": \"Succeeded\",\n \ \"powerState\": {\n \"code\": \"Running\"\n },\n \"orchestratorVersion\": - \"1.23.15\",\n \"currentOrchestratorVersion\": \"1.23.15\",\n \"enableNodePublicIP\": + \"1.23.12\",\n \"currentOrchestratorVersion\": \"1.23.12\",\n \"enableNodePublicIP\": false,\n \"enableCustomCATrust\": false,\n \"mode\": \"System\",\n \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": - \"AKSUbuntu-1804gen2containerd-2023.01.20\",\n \"upgradeSettings\": {},\n + \"AKSUbuntu-1804gen2containerd-2022.10.24\",\n \"upgradeSettings\": {},\n \ \"enableFIPS\": false,\n \"networkProfile\": {}\n }\n ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n \"ssh\": {\n \"publicKeys\": - [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCunD1XOvyLfFKYlFhHisarmzQI60c+6AhRLNEPxY5Yc7VPjXaxZN5jufwUjUjE+D+8Hz347RoF6ofPOxI45lsYSHXQMbSskV+hb74BP9CINB/LMkTGtfJdUhCEOHKE84mYBcbRA3ol1mqBjIUknlNpQDWPGEEkwOBb+1Dgo91t2YOXuZjQ8xBjUwnynqM+8PEpdUBAmmgbVP1ujppVe8dU3QL4TAc/iktS+WahwYPVAVCwvowND/3yiosB76HyiKjRkI8iFsjNMVJ1lmB/EaDyGssmEAl2qXtrIk2QlpL6I9bNB08yhbf3EMX5/zR6rCp6htMYStO/duk2mTuODrGV + [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQDgwJ1YLtrtaF7seObyf1xaMbixzWbi2HkGaOQ4C7BPyeho2pMacCkJ0qYZa0V+Muv+22BUMr0QNBnzuEYku5uM5AZW2j4fu/cRMp+1HtZHtbGRcHD2a4iMRMfUDXUCefmVhL9WzN3JUzc5sTu2HLEaAtEKAMbT/hOL75vaYug7WFsE7U7eia+E1LFMxXa+z5aKDPLYok4JduYqdALRqElogv8QekQLwjw1kt7IZY9z4krjo4FXPHd5RDIalO0mH4eNYhxbxW6r6M/OQsqxqUAOauFzF9QgU/gFMcIZC4eU2ZbQZMbMH/l+CMAwNK8ccxOEFLSmkZiPVvQ3l1ANjJeN azcli_aks_live_test@example.com\\n\"\n }\n ]\n }\n },\n \"servicePrincipalProfile\": {\n \"clientId\":\"00000000-0000-0000-0000-000000000001\"\n },\n \"nodeResourceGroup\": \"MC_clitest000001_cliakstest000002_westus2\",\n \"enableRBAC\": true,\n \ \"enablePodSecurityPolicy\": false,\n \"networkProfile\": {\n \"networkPlugin\": \"kubenet\",\n \"loadBalancerSku\": \"Standard\",\n \"loadBalancerProfile\": {\n \"managedOutboundIPs\": {\n \"count\": 1\n },\n \"effectiveOutboundIPs\": - [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/14255a00-475e-47c3-82dd-0b9612a3be19\"\n + [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000002_westus2/providers/Microsoft.Network/publicIPAddresses/f4176fce-12c6-4af7-b05f-3445afeb33e9\"\n \ }\n ],\n \"backendPoolType\": \"nodeIPConfiguration\"\n },\n \ \"podCidr\": \"10.244.0.0/16\",\n \"serviceCidr\": \"10.0.0.0/16\",\n \ \"dnsServiceIP\": \"10.0.0.10\",\n \"dockerBridgeCidr\": \"172.17.0.1/16\",\n @@ -1868,16 +1650,16 @@ interactions: false\n },\n \"workloadAutoScalerProfile\": {}\n },\n \"identity\": {\n \"type\": \"SystemAssigned\",\n \"principalId\":\"00000000-0000-0000-0000-000000000001\",\n \ \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\"\n },\n \"sku\": - {\n \"name\": \"Base\",\n \"tier\": \"Free\"\n }\n }" + {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n }" headers: cache-control: - no-cache content-length: - - '4188' + - '4189' content-type: - application/json date: - - Tue, 14 Feb 2023 06:13:41 GMT + - Thu, 24 Nov 2022 09:57:11 GMT expires: - '-1' pragma: diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_nrg_restriction_level.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_nrg_restriction_level.yaml index 902680f089b..12e31aaf101 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_nrg_restriction_level.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_nrg_restriction_level.yaml @@ -38,7 +38,7 @@ interactions: - AZURECLI/2.44.1 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.9 (Linux-5.15.79.1-microsoft-standard-WSL2-x86_64-with) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\"\ @@ -1699,7 +1699,7 @@ interactions: - AZURECLI/2.44.1 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.9 (Linux-5.15.79.1-microsoft-standard-WSL2-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\"\ @@ -1795,7 +1795,7 @@ interactions: - AZURECLI/2.44.1 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.9 (Linux-5.15.79.1-microsoft-standard-WSL2-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\"\ @@ -1921,7 +1921,7 @@ interactions: - AZURECLI/2.44.1 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.9 (Linux-5.15.79.1-microsoft-standard-WSL2-x86_64-with) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\"\ @@ -2214,7 +2214,7 @@ interactions: - AZURECLI/2.44.1 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.9 (Linux-5.15.79.1-microsoft-standard-WSL2-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\"\ @@ -2312,7 +2312,7 @@ interactions: - AZURECLI/2.44.1 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.9 (Linux-5.15.79.1-microsoft-standard-WSL2-x86_64-with) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_vpa.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_vpa.yaml index c036c8853fa..a2836f3ff9f 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_vpa.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_and_update_with_vpa.yaml @@ -161,7 +161,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -741,7 +741,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -833,7 +833,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -955,7 +955,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1244,7 +1244,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1336,7 +1336,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1458,7 +1458,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1747,7 +1747,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_dualstack_with_default_network.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_dualstack_with_default_network.yaml index 183ddff796e..5a0e33657ee 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_dualstack_with_default_network.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_dualstack_with_default_network.yaml @@ -117,7 +117,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1008,7 +1008,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1102,7 +1102,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_nonaad_and_update_with_managed_aad.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_nonaad_and_update_with_managed_aad.yaml index 9fe43a86ac7..fd40ed035f2 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_nonaad_and_update_with_managed_aad.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_nonaad_and_update_with_managed_aad.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -643,7 +643,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -734,7 +734,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -853,7 +853,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1148,7 +1148,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_none_private_dns_zone.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_none_private_dns_zone.yaml index 379f53ca5a8..eff36c047d3 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_none_private_dns_zone.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_none_private_dns_zone.yaml @@ -80,7 +80,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -909,7 +909,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1008,7 +1008,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_or_update_with_load_balancer_backend_pool_type.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_or_update_with_load_balancer_backend_pool_type.yaml index 5c28c28585b..e2262cd3365 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_or_update_with_load_balancer_backend_pool_type.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_or_update_with_load_balancer_backend_pool_type.yaml @@ -118,7 +118,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -819,7 +819,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -910,7 +910,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1030,7 +1030,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1270,7 +1270,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_private_cluster_public_fqdn.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_private_cluster_public_fqdn.yaml index 9b551077961..9dd6a8dd6df 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_private_cluster_public_fqdn.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_private_cluster_public_fqdn.yaml @@ -77,7 +77,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1178,7 +1178,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1275,7 +1275,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1403,7 +1403,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1792,7 +1792,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_using_azurecni_with_pod_identity_enabled.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_using_azurecni_with_pod_identity_enabled.yaml index 5ab7cb0a4ac..aaf301ded3f 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_using_azurecni_with_pod_identity_enabled.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_using_azurecni_with_pod_identity_enabled.yaml @@ -35,7 +35,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -468,7 +468,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -559,7 +559,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -679,7 +679,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1207,7 +1207,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1298,7 +1298,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1418,7 +1418,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1706,7 +1706,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1797,7 +1797,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1919,7 +1919,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2161,7 +2161,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2254,7 +2254,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2378,7 +2378,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2668,7 +2668,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2761,7 +2761,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2884,7 +2884,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -3124,7 +3124,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -3217,7 +3217,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_web_application_routing_dns_zone_not_exist.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_web_application_routing_dns_zone_not_exist.yaml index 7fd000fa260..8dea7eaaab6 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_web_application_routing_dns_zone_not_exist.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_web_application_routing_dns_zone_not_exist.yaml @@ -79,7 +79,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"code\": \"BadRequest\",\n \"message\": \"The Azure DNS Zone diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_ahub.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_ahub.yaml index 7c9347037ab..4dc8ac8ba39 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_ahub.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_ahub.yaml @@ -36,7 +36,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -575,7 +575,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -665,7 +665,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -735,7 +735,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin\",\n @@ -1420,7 +1420,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin\",\n @@ -1480,7 +1480,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1617,7 +1617,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -2876,7 +2876,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -2978,7 +2978,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -3053,7 +3053,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview response: body: string: '' @@ -3102,7 +3102,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_apiserver_vnet_integration.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_apiserver_vnet_integration.yaml index 81a7298c2e3..9f8e5d1a938 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_apiserver_vnet_integration.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_apiserver_vnet_integration.yaml @@ -39,7 +39,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1307,7 +1307,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1403,7 +1403,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_apiserver_vnet_integration_public.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_apiserver_vnet_integration_public.yaml index 30f25321955..2a8198a80e4 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_apiserver_vnet_integration_public.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_apiserver_vnet_integration_public.yaml @@ -38,7 +38,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -814,7 +814,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -908,7 +908,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_auto_upgrade_channel.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_auto_upgrade_channel.yaml index a43ae724eb3..20e37d84667 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_auto_upgrade_channel.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_auto_upgrade_channel.yaml @@ -36,7 +36,7 @@ interactions: - AZURECLI/2.41.0 azsdk-python-azure-mgmt-containerservice/20.4.0b Python/3.8.10 (Linux-5.15.0-1020-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -713,7 +713,7 @@ interactions: - AZURECLI/2.41.0 azsdk-python-azure-mgmt-containerservice/20.4.0b Python/3.8.10 (Linux-5.15.0-1020-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -804,7 +804,7 @@ interactions: - AZURECLI/2.41.0 azsdk-python-azure-mgmt-containerservice/20.4.0b Python/3.8.10 (Linux-5.15.0-1020-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -922,7 +922,7 @@ interactions: - AZURECLI/2.41.0 azsdk-python-azure-mgmt-containerservice/20.4.0b Python/3.8.10 (Linux-5.15.0-1020-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1162,7 +1162,7 @@ interactions: - AZURECLI/2.41.0 azsdk-python-azure-mgmt-containerservice/20.4.0b Python/3.8.10 (Linux-5.15.0-1020-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1255,7 +1255,7 @@ interactions: - AZURECLI/2.41.0 azsdk-python-azure-mgmt-containerservice/20.4.0b Python/3.8.10 (Linux-5.15.0-1020-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_auto_upgrade_channel_and_node_os_upgrade_channel.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_auto_upgrade_channel_and_node_os_upgrade_channel.yaml index f57354d4d77..15616b36848 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_auto_upgrade_channel_and_node_os_upgrade_channel.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_auto_upgrade_channel_and_node_os_upgrade_channel.yaml @@ -36,7 +36,7 @@ interactions: - AZURECLI/2.44.1 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.9 (Linux-5.15.79.1-microsoft-standard-WSL2-x86_64-with) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\"\ @@ -522,7 +522,7 @@ interactions: - AZURECLI/2.44.1 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.9 (Linux-5.15.79.1-microsoft-standard-WSL2-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\"\ @@ -619,7 +619,7 @@ interactions: - AZURECLI/2.44.1 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.9 (Linux-5.15.79.1-microsoft-standard-WSL2-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\"\ @@ -744,7 +744,7 @@ interactions: - AZURECLI/2.44.1 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.9 (Linux-5.15.79.1-microsoft-standard-WSL2-x86_64-with) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\"\ @@ -1806,7 +1806,7 @@ interactions: - AZURECLI/2.44.1 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.9 (Linux-5.15.79.1-microsoft-standard-WSL2-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\"\ @@ -1905,7 +1905,7 @@ interactions: - AZURECLI/2.44.1 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.9 (Linux-5.15.79.1-microsoft-standard-WSL2-x86_64-with) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_azurekeyvaultsecretsprovider_addon.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_azurekeyvaultsecretsprovider_addon.yaml index 6d0ecbc0d10..f39dbed025d 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_azurekeyvaultsecretsprovider_addon.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_azurekeyvaultsecretsprovider_addon.yaml @@ -78,7 +78,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -695,7 +695,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -791,7 +791,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_confcom_addon.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_confcom_addon.yaml index 7ecc2db5216..7fde3eaecd0 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_confcom_addon.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_confcom_addon.yaml @@ -78,7 +78,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -599,7 +599,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_confcom_addon_helper_enabled.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_confcom_addon_helper_enabled.yaml index 54fcdaa31a2..dc396134954 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_confcom_addon_helper_enabled.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_confcom_addon_helper_enabled.yaml @@ -80,7 +80,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -709,7 +709,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_crg_id.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_crg_id.yaml index 3cc85d6cbb1..643713d0454 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_crg_id.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_crg_id.yaml @@ -36,7 +36,7 @@ interactions: - AZURECLI/2.33.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/16.5.0 Python/3.9.6 (Linux-5.10.76-linuxkit-x86_64-with) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\"\ @@ -466,7 +466,7 @@ interactions: - AZURECLI/2.33.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/16.5.0 Python/3.9.6 (Linux-5.10.76-linuxkit-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\"\ @@ -558,7 +558,7 @@ interactions: - AZURECLI/2.33.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/16.5.0 Python/3.9.6 (Linux-5.10.76-linuxkit-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/c000002\"\ @@ -627,7 +627,7 @@ interactions: - AZURECLI/2.33.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/16.5.0 Python/3.9.6 (Linux-5.10.76-linuxkit-x86_64-with) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/c000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/c000003?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/c000003\"\ @@ -1024,7 +1024,7 @@ interactions: - AZURECLI/2.33.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/16.5.0 Python/3.9.6 (Linux-5.10.76-linuxkit-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/c000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/c000003?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/c000003\"\ @@ -1086,7 +1086,7 @@ interactions: - AZURECLI/2.33.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/16.5.0 Python/3.9.6 (Linux-5.10.76-linuxkit-x86_64-with) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_csi_driver_v2.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_csi_driver_v2.yaml index 4e323aba344..c439f3b3b34 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_csi_driver_v2.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_csi_driver_v2.yaml @@ -80,7 +80,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -560,7 +560,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -652,7 +652,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_default_network.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_default_network.yaml index 8bd6aff541f..6503ff54e09 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_default_network.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_default_network.yaml @@ -36,7 +36,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -663,7 +663,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -755,7 +755,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_enable_cilium_dataplane.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_enable_cilium_dataplane.yaml index 605651ba84b..a8afbb2e2c4 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_enable_cilium_dataplane.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_enable_cilium_dataplane.yaml @@ -37,7 +37,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -568,7 +568,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -663,7 +663,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_ephemeral_disk.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_ephemeral_disk.yaml index a3fdc25d2e5..dd53d4eb5e4 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_ephemeral_disk.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_ephemeral_disk.yaml @@ -79,7 +79,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -657,7 +657,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_fips.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_fips.yaml index e45abae5633..6adcb89b4ed 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_fips.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_fips.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -691,7 +691,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -781,7 +781,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -851,7 +851,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/np2?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/np2?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/np2\",\n @@ -1392,7 +1392,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/np2?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/np2?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/np2\",\n @@ -1454,7 +1454,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_image_cleaner_enabled_with_default_interval_hours.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_image_cleaner_enabled_with_default_interval_hours.yaml index 8ca4f0daaa5..e036b32c1c5 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_image_cleaner_enabled_with_default_interval_hours.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_image_cleaner_enabled_with_default_interval_hours.yaml @@ -38,7 +38,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -568,7 +568,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_image_cleaner_enabled_with_interval_hours.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_image_cleaner_enabled_with_interval_hours.yaml index 6464a254d24..f2a4f8cb91a 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_image_cleaner_enabled_with_interval_hours.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_image_cleaner_enabled_with_interval_hours.yaml @@ -38,7 +38,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -568,7 +568,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_ingress_appgw_addon.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_ingress_appgw_addon.yaml index 78071baaa05..d8144606402 100755 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_ingress_appgw_addon.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_ingress_appgw_addon.yaml @@ -80,7 +80,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -710,7 +710,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_keda.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_keda.yaml index 9b05b0e10e9..a6df0f6b9e3 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_keda.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_keda.yaml @@ -38,7 +38,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -519,7 +519,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -612,7 +612,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_kube_proxy_config.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_kube_proxy_config.yaml index aed057b0432..32635b21d99 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_kube_proxy_config.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_kube_proxy_config.yaml @@ -81,7 +81,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -660,7 +660,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -753,7 +753,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_managed_disk.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_managed_disk.yaml index 3863f1813ad..617e82c5a6c 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_managed_disk.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_managed_disk.yaml @@ -77,7 +77,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -692,7 +692,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_network_plugin_none.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_network_plugin_none.yaml index 3a475a53e84..4ba1bd477db 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_network_plugin_none.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_network_plugin_none.yaml @@ -33,7 +33,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -696,7 +696,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_node_config.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_node_config.yaml index f3b0d5fdd15..d2485f054bf 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_node_config.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_node_config.yaml @@ -87,7 +87,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -773,7 +773,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -874,7 +874,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/nodepool1\",\n @@ -964,7 +964,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/nodepool2?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/nodepool2?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/nodepool2\",\n @@ -1378,7 +1378,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/nodepool2?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/nodepool2?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/nodepool2\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_node_os_upgrade_channel.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_node_os_upgrade_channel.yaml index d5cdb39a919..a8fa8eed428 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_node_os_upgrade_channel.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_node_os_upgrade_channel.yaml @@ -36,7 +36,7 @@ interactions: - AZURECLI/2.44.1 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.9 (Linux-5.15.79.1-microsoft-standard-WSL2-x86_64-with) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\"\ @@ -472,7 +472,7 @@ interactions: - AZURECLI/2.44.1 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.9 (Linux-5.15.79.1-microsoft-standard-WSL2-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\"\ @@ -568,7 +568,7 @@ interactions: - AZURECLI/2.44.1 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.9 (Linux-5.15.79.1-microsoft-standard-WSL2-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\"\ @@ -691,7 +691,7 @@ interactions: - AZURECLI/2.44.1 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.9 (Linux-5.15.79.1-microsoft-standard-WSL2-x86_64-with) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\"\ @@ -1704,7 +1704,7 @@ interactions: - AZURECLI/2.44.1 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.9 (Linux-5.15.79.1-microsoft-standard-WSL2-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\"\ @@ -1802,7 +1802,7 @@ interactions: - AZURECLI/2.44.1 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.9 (Linux-5.15.79.1-microsoft-standard-WSL2-x86_64-with) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_nsg_control.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_nsg_control.yaml index 785e427a6d9..8b6360d2839 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_nsg_control.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_nsg_control.yaml @@ -449,7 +449,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1135,7 +1135,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1237,7 +1237,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_oidc_issuer_enabled.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_oidc_issuer_enabled.yaml index 160096c1b4c..cc959b7dc95 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_oidc_issuer_enabled.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_oidc_issuer_enabled.yaml @@ -38,7 +38,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -617,7 +617,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_openservicemesh_addon.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_openservicemesh_addon.yaml index eef3754593e..f8f2cd5871a 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_openservicemesh_addon.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_openservicemesh_addon.yaml @@ -81,7 +81,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -611,7 +611,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_ossku.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_ossku.yaml index 1570b84efd5..d389872d6a7 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_ossku.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_ossku.yaml @@ -77,7 +77,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -644,7 +644,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -736,7 +736,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_overlay_network_plugin_mode.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_overlay_network_plugin_mode.yaml index bf74c712d4f..bd8aa18eea1 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_overlay_network_plugin_mode.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_overlay_network_plugin_mode.yaml @@ -37,7 +37,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -666,7 +666,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -760,7 +760,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_pod_identity_enabled.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_pod_identity_enabled.yaml index 10a187b27a7..ec1b1740f8d 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_pod_identity_enabled.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_pod_identity_enabled.yaml @@ -36,7 +36,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -468,7 +468,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -559,7 +559,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -678,7 +678,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -918,7 +918,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1009,7 +1009,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1129,7 +1129,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1369,7 +1369,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1460,7 +1460,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1582,7 +1582,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1825,7 +1825,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1919,7 +1919,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2044,7 +2044,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2335,7 +2335,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2429,7 +2429,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2553,7 +2553,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2793,7 +2793,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2886,7 +2886,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_standard_blob_csi_driver.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_standard_blob_csi_driver.yaml index 42824bfc2c9..5b9962030c9 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_standard_blob_csi_driver.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_standard_blob_csi_driver.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -691,7 +691,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -781,7 +781,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -898,7 +898,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1137,7 +1137,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1229,7 +1229,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_standard_csi_drivers.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_standard_csi_drivers.yaml index d30cb0f7a49..a730f53f9a6 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_standard_csi_drivers.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_standard_csi_drivers.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -691,7 +691,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -781,7 +781,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -898,7 +898,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1137,7 +1137,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1229,7 +1229,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_web_application_routing.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_web_application_routing.yaml index 611503d0e5a..f760e13c515 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_web_application_routing.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_web_application_routing.yaml @@ -77,7 +77,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -597,7 +597,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_windows.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_windows.yaml index 901e3098d32..a26f636b8fb 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_windows.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_windows.yaml @@ -36,7 +36,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -625,7 +625,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -715,7 +715,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -785,7 +785,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin\",\n @@ -1374,7 +1374,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin\",\n @@ -1434,7 +1434,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1571,7 +1571,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -2878,7 +2878,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -2980,7 +2980,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -3055,7 +3055,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview response: body: string: '' @@ -3104,7 +3104,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_windows_gmsa.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_windows_gmsa.yaml index a074711a611..4219b2e6eea 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_windows_gmsa.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_windows_gmsa.yaml @@ -39,7 +39,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -530,7 +530,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -622,7 +622,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -692,7 +692,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin\",\n @@ -1329,7 +1329,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin\",\n @@ -1389,7 +1389,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -1464,7 +1464,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview response: body: string: '' @@ -1513,7 +1513,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_workload_identity_enabled.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_workload_identity_enabled.yaml index 94a614fbb38..1ab9d966a8d 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_workload_identity_enabled.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_create_with_workload_identity_enabled.yaml @@ -39,7 +39,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -668,7 +668,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_custom_ca_trust_flow.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_custom_ca_trust_flow.yaml index 24c6b0d543b..e43dadbdab5 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_custom_ca_trust_flow.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_custom_ca_trust_flow.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -499,7 +499,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -589,7 +589,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -659,7 +659,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004\",\n @@ -1056,7 +1056,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004\",\n @@ -1118,7 +1118,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_disable_addon_openservicemesh.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_disable_addon_openservicemesh.yaml index 078e805d0b1..7d5c850b3ab 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_disable_addon_openservicemesh.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_disable_addon_openservicemesh.yaml @@ -77,7 +77,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -693,7 +693,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -784,7 +784,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -904,7 +904,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1144,7 +1144,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_disable_addon_web_app_routing.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_disable_addon_web_app_routing.yaml index b1252d01efa..8ca53202f14 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_disable_addon_web_app_routing.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_disable_addon_web_app_routing.yaml @@ -77,7 +77,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -693,7 +693,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -785,7 +785,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -906,7 +906,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1147,7 +1147,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_disable_addons_confcom_addon.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_disable_addons_confcom_addon.yaml index 6a671da9efb..873c0b2f75a 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_disable_addons_confcom_addon.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_disable_addons_confcom_addon.yaml @@ -78,7 +78,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -695,7 +695,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -787,7 +787,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -908,7 +908,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1196,7 +1196,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_disable_local_accounts.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_disable_local_accounts.yaml index 7746e08203e..c17c3855200 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_disable_local_accounts.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_disable_local_accounts.yaml @@ -78,7 +78,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -607,7 +607,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -697,7 +697,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -814,7 +814,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1053,7 +1053,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1145,7 +1145,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_enable_addon_with_azurekeyvaultsecretsprovider.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_enable_addon_with_azurekeyvaultsecretsprovider.yaml index bab55990be0..5e64fa257c7 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_enable_addon_with_azurekeyvaultsecretsprovider.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_enable_addon_with_azurekeyvaultsecretsprovider.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -691,7 +691,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -781,7 +781,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -900,7 +900,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1141,7 +1141,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1236,7 +1236,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1360,7 +1360,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1605,7 +1605,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1699,7 +1699,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1822,7 +1822,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2063,7 +2063,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2157,7 +2157,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2280,7 +2280,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2520,7 +2520,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2612,7 +2612,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2733,7 +2733,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2978,7 +2978,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -3074,7 +3074,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_enable_addon_with_openservicemesh.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_enable_addon_with_openservicemesh.yaml index a776e3a194b..032beb23b34 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_enable_addon_with_openservicemesh.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_enable_addon_with_openservicemesh.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -787,7 +787,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -877,7 +877,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -996,7 +996,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1236,7 +1236,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_enable_addons_confcom_addon.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_enable_addons_confcom_addon.yaml index 1fadd508ef2..4373d2c1292 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_enable_addons_confcom_addon.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_enable_addons_confcom_addon.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -739,7 +739,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -829,7 +829,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -948,7 +948,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1189,7 +1189,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_enable_utlra_ssd.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_enable_utlra_ssd.yaml index c6618192c04..0f0f5db585b 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_enable_utlra_ssd.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_enable_utlra_ssd.yaml @@ -77,7 +77,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -693,7 +693,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -786,7 +786,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_maintenanceconfiguration.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_maintenanceconfiguration.yaml index 0f5afa6efdf..3f0a03bbe1c 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_maintenanceconfiguration.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_maintenanceconfiguration.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -643,7 +643,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -733,7 +733,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations?api-version=2022-11-02-preview response: body: string: "{\n \"value\": []\n }" @@ -785,7 +785,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/default?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/default?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/default\",\n @@ -837,7 +837,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/default\",\n @@ -894,7 +894,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/default?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/default?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/default\",\n @@ -950,7 +950,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/default?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/default?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/default\",\n @@ -1006,7 +1006,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/default?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/default?api-version=2022-11-02-preview response: body: string: '' @@ -1049,7 +1049,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations?api-version=2022-11-02-preview response: body: string: "{\n \"value\": []\n }" @@ -1098,7 +1098,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_maintenancewindow.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_maintenancewindow.yaml index 9402279b4ef..9e668358820 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_maintenancewindow.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_maintenancewindow.yaml @@ -77,7 +77,7 @@ interactions: - AZURECLI/2.44.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.2 (Linux-5.10.104-linuxkit-x86_64-with) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\"\ @@ -552,7 +552,7 @@ interactions: - AZURECLI/2.44.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.2 (Linux-5.10.104-linuxkit-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\"\ @@ -648,7 +648,7 @@ interactions: - AZURECLI/2.44.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.2 (Linux-5.10.104-linuxkit-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations?api-version=2022-11-02-preview response: body: string: "{\n \"value\": []\n }" @@ -702,7 +702,7 @@ interactions: - AZURECLI/2.44.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.2 (Linux-5.10.104-linuxkit-x86_64-with) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/aksManagedAutoUpgradeSchedule?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/aksManagedAutoUpgradeSchedule?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/aksManagedAutoUpgradeSchedule\"\ @@ -757,7 +757,7 @@ interactions: - AZURECLI/2.44.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.2 (Linux-5.10.104-linuxkit-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/aksManagedAutoUpgradeSchedule\"\ @@ -817,7 +817,7 @@ interactions: - AZURECLI/2.44.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.2 (Linux-5.10.104-linuxkit-x86_64-with) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/aksManagedNodeOSUpgradeSchedule?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/aksManagedNodeOSUpgradeSchedule?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/aksManagedNodeOSUpgradeSchedule\"\ @@ -872,7 +872,7 @@ interactions: - AZURECLI/2.44.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.2 (Linux-5.10.104-linuxkit-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/aksManagedAutoUpgradeSchedule\"\ @@ -931,7 +931,7 @@ interactions: - AZURECLI/2.44.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.2 (Linux-5.10.104-linuxkit-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/aksManagedAutoUpgradeSchedule\"\ @@ -997,7 +997,7 @@ interactions: - AZURECLI/2.44.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.2 (Linux-5.10.104-linuxkit-x86_64-with) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/aksManagedAutoUpgradeSchedule?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/aksManagedAutoUpgradeSchedule?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/aksManagedAutoUpgradeSchedule\"\ @@ -1054,7 +1054,7 @@ interactions: - AZURECLI/2.44.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.2 (Linux-5.10.104-linuxkit-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/aksManagedAutoUpgradeSchedule?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/aksManagedAutoUpgradeSchedule?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/aksManagedAutoUpgradeSchedule\"\ @@ -1111,7 +1111,7 @@ interactions: - AZURECLI/2.44.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.2 (Linux-5.10.104-linuxkit-x86_64-with) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/aksManagedAutoUpgradeSchedule?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/aksManagedAutoUpgradeSchedule?api-version=2022-11-02-preview response: body: string: '' @@ -1156,7 +1156,7 @@ interactions: - AZURECLI/2.44.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.2 (Linux-5.10.104-linuxkit-x86_64-with) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/aksManagedNodeOSUpgradeSchedule?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations/aksManagedNodeOSUpgradeSchedule?api-version=2022-11-02-preview response: body: string: '' @@ -1199,7 +1199,7 @@ interactions: - AZURECLI/2.44.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.2 (Linux-5.10.104-linuxkit-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/maintenanceConfigurations?api-version=2022-11-02-preview response: body: string: "{\n \"value\": []\n }" @@ -1248,7 +1248,7 @@ interactions: - AZURECLI/2.44.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.10.2 (Linux-5.10.104-linuxkit-x86_64-with) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_abort.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_abort.yaml index b9f97775c99..d7252f0f4b1 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_abort.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_abort.yaml @@ -78,7 +78,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -803,7 +803,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -893,7 +893,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/nodepool1\",\n @@ -963,7 +963,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -1312,7 +1312,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -1372,7 +1372,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -1445,7 +1445,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -1518,7 +1518,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -1582,7 +1582,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -1655,7 +1655,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -1717,7 +1717,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclusters/cliakstest000002/agentPools/c000003/abort?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclusters/cliakstest000002/agentPools/c000003/abort?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -1871,7 +1871,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_add_with_disable_windows_outbound_nat.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_add_with_disable_windows_outbound_nat.yaml index 32fbd39b597..58c9ea8bca3 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_add_with_disable_windows_outbound_nat.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_add_with_disable_windows_outbound_nat.yaml @@ -115,7 +115,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -705,7 +705,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -798,7 +798,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -872,7 +872,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin\",\n @@ -1425,7 +1425,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin\",\n @@ -1488,7 +1488,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_add_with_gpu_instance_profile.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_add_with_gpu_instance_profile.yaml index 9bc0535a5ae..9843fa3e284 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_add_with_gpu_instance_profile.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_add_with_gpu_instance_profile.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -499,7 +499,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -590,7 +590,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -663,7 +663,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004\",\n @@ -1215,7 +1215,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004\",\n @@ -1277,7 +1277,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_add_with_ossku.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_add_with_ossku.yaml index 14337efe589..58416f43b80 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_add_with_ossku.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_add_with_ossku.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -595,7 +595,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -685,7 +685,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -755,7 +755,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004\",\n @@ -1200,7 +1200,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004\",\n @@ -1262,7 +1262,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_add_with_ossku_windows2022.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_add_with_ossku_windows2022.yaml index 8fb31dc6523..f4825acd33b 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_add_with_ossku_windows2022.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_add_with_ossku_windows2022.yaml @@ -115,7 +115,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -678,7 +678,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -768,7 +768,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -840,7 +840,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin\",\n @@ -1381,7 +1381,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin\",\n @@ -1443,7 +1443,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_add_with_workload_runtime.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_add_with_workload_runtime.yaml index c819465a353..9cf7846f919 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_add_with_workload_runtime.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_add_with_workload_runtime.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -739,7 +739,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -829,7 +829,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -899,7 +899,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004\",\n @@ -1296,7 +1296,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004\",\n @@ -1358,7 +1358,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_create_with_nsg_control.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_create_with_nsg_control.yaml index 9d6c121b5e4..3beaebd4e0f 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_create_with_nsg_control.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_create_with_nsg_control.yaml @@ -440,7 +440,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1151,7 +1151,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1242,7 +1242,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/nodepool1\",\n @@ -1320,7 +1320,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000003?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000003\",\n @@ -1930,7 +1930,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000003?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000003\",\n @@ -2001,7 +2001,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_delete_with_ignore_pod_disruption_budget.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_delete_with_ignore_pod_disruption_budget.yaml index 0b212bcb303..54d1a990ddb 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_delete_with_ignore_pod_disruption_budget.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_delete_with_ignore_pod_disruption_budget.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -643,7 +643,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -733,7 +733,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -803,7 +803,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004\",\n @@ -1152,7 +1152,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004\",\n @@ -1212,7 +1212,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -1295,7 +1295,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000005?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000005?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000005\",\n @@ -1836,7 +1836,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000005?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000005?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000005\",\n @@ -1896,7 +1896,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -1984,7 +1984,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000005?api-version=2023-01-02-preview&ignore-pod-disruption-budget=true + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000005?api-version=2022-11-02-preview&ignore-pod-disruption-budget=true response: body: string: '' @@ -2031,7 +2031,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -2119,7 +2119,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2023-01-02-preview&ignore-pod-disruption-budget=true + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000004?api-version=2022-11-02-preview&ignore-pod-disruption-budget=true response: body: string: '' @@ -2265,7 +2265,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_get_upgrades.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_get_upgrades.yaml index b01679bf170..850b5360537 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_get_upgrades.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_get_upgrades.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -595,7 +595,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -685,7 +685,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003/upgradeProfiles/default?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003/upgradeProfiles/default?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003/upgradeProfiles/default\",\n @@ -738,7 +738,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_snapshot.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_snapshot.yaml index 5bc9dc9a9e6..651f71b257c 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_snapshot.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_snapshot.yaml @@ -116,7 +116,7 @@ interactions: - AZURECLI/2.42.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.10.8 (Linux-5.4.0-1055-azure-x86_64-with) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\"\ @@ -600,7 +600,7 @@ interactions: - AZURECLI/2.42.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.10.8 (Linux-5.4.0-1055-azure-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\"\ @@ -746,7 +746,7 @@ interactions: - AZURECLI/2.42.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.10.8 (Linux-5.4.0-1055-azure-x86_64-with) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/snapshots/s000006?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/snapshots/s000006?api-version=2022-11-02-preview response: body: string: "{\n \"name\": \"s000006\",\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/snapshots/s000006\"\ @@ -808,7 +808,7 @@ interactions: - AZURECLI/2.42.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.10.8 (Linux-5.4.0-1055-azure-x86_64-with) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' @@ -855,7 +855,7 @@ interactions: - AZURECLI/2.42.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.10.8 (Linux-5.4.0-1055-azure-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/snapshots/s000006?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/snapshots/s000006?api-version=2022-11-02-preview response: body: string: "{\n \"name\": \"s000006\",\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/snapshots/s000006\"\ @@ -913,7 +913,7 @@ interactions: - AZURECLI/2.42.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.10.8 (Linux-5.4.0-1055-azure-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/snapshots?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/snapshots?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"name\": \"s000006\",\n \"id\": \"\ @@ -973,7 +973,7 @@ interactions: - AZURECLI/2.42.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.10.8 (Linux-5.4.0-1055-azure-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/snapshots/s000006?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/snapshots/s000006?api-version=2022-11-02-preview response: body: string: "{\n \"name\": \"s000006\",\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/snapshots/s000006\"\ @@ -1052,7 +1052,7 @@ interactions: - AZURECLI/2.42.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.10.8 (Linux-5.4.0-1055-azure-x86_64-with) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003\"\ @@ -1537,7 +1537,7 @@ interactions: - AZURECLI/2.42.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.10.8 (Linux-5.4.0-1055-azure-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003\"\ @@ -1633,7 +1633,7 @@ interactions: - AZURECLI/2.42.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.10.8 (Linux-5.4.0-1055-azure-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003/agentPools?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003/agentPools?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003/agentPools/c000004\"\ @@ -1695,7 +1695,7 @@ interactions: - AZURECLI/2.42.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.10.8 (Linux-5.4.0-1055-azure-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/snapshots/s000006?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/snapshots/s000006?api-version=2022-11-02-preview response: body: string: "{\n \"name\": \"s000006\",\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/snapshots/s000006\"\ @@ -1765,7 +1765,7 @@ interactions: - AZURECLI/2.42.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.10.8 (Linux-5.4.0-1055-azure-x86_64-with) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003/agentPools/c000005?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003/agentPools/c000005?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003/agentPools/c000005\"\ @@ -2163,7 +2163,7 @@ interactions: - AZURECLI/2.42.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.10.8 (Linux-5.4.0-1055-azure-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003/agentPools/c000005?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003/agentPools/c000005?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003/agentPools/c000005\"\ @@ -2228,7 +2228,7 @@ interactions: - AZURECLI/2.42.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.10.8 (Linux-5.4.0-1055-azure-x86_64-with) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003/agentPools/c000005/upgradeNodeImageVersion?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003/agentPools/c000005/upgradeNodeImageVersion?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003/agentPools/c000005\"\ @@ -2431,7 +2431,7 @@ interactions: - AZURECLI/2.42.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.10.8 (Linux-5.4.0-1055-azure-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003/agentPools/c000005?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003/agentPools/c000005?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003/agentPools/c000005\"\ @@ -2492,7 +2492,7 @@ interactions: - AZURECLI/2.42.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.10.8 (Linux-5.4.0-1055-azure-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003\"\ @@ -2637,7 +2637,7 @@ interactions: - AZURECLI/2.42.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.10.8 (Linux-5.4.0-1055-azure-x86_64-with) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003\"\ @@ -3661,7 +3661,7 @@ interactions: - AZURECLI/2.42.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.10.8 (Linux-5.4.0-1055-azure-x86_64-with) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003\"\ @@ -3770,7 +3770,7 @@ interactions: - AZURECLI/2.42.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.10.8 (Linux-5.4.0-1055-azure-x86_64-with) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview response: body: string: '' @@ -3819,7 +3819,7 @@ interactions: - AZURECLI/2.42.0 (DOCKER) azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.10.8 (Linux-5.4.0-1055-azure-x86_64-with) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/snapshots/s000006?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/snapshots/s000006?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_stop_and_start.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_stop_and_start.yaml index cc9168fa556..f48adfbffec 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_stop_and_start.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_stop_and_start.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -691,7 +691,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -781,7 +781,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/nodepool1\",\n @@ -851,7 +851,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -1248,7 +1248,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -1308,7 +1308,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -1381,7 +1381,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -1453,7 +1453,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -1662,7 +1662,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -1722,7 +1722,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -1795,7 +1795,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -1867,7 +1867,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -2220,7 +2220,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -2282,7 +2282,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_update_label_msi.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_update_label_msi.yaml index b99a328a987..98d2e1f2767 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_update_label_msi.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_update_label_msi.yaml @@ -34,7 +34,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -505,7 +505,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -595,7 +595,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -687,7 +687,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/listClusterUserCredential?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/listClusterUserCredential?api-version=2022-11-02-preview response: body: string: "{\n \"kubeconfigs\": [\n {\n \"name\": \"clusterUser\",\n \"value\": @@ -738,7 +738,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -807,7 +807,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -920,7 +920,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -980,7 +980,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -1041,7 +1041,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -1111,7 +1111,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -1223,7 +1223,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -1282,7 +1282,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_update_taints_msi.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_update_taints_msi.yaml index 5eaefc2ae3e..e437cc640d5 100755 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_update_taints_msi.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_update_taints_msi.yaml @@ -34,7 +34,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -649,7 +649,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -739,7 +739,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -831,7 +831,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/listClusterUserCredential?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/listClusterUserCredential?api-version=2022-11-02-preview response: body: string: "{\n \"kubeconfigs\": [\n {\n \"name\": \"clusterUser\",\n \"value\": @@ -882,7 +882,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -952,7 +952,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -1065,7 +1065,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -1125,7 +1125,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -1186,7 +1186,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -1256,7 +1256,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -1368,7 +1368,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -1427,7 +1427,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -1488,7 +1488,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_update_with_nsg_control.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_update_with_nsg_control.yaml index 717f229bc1c..0cfe49ec886 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_update_with_nsg_control.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_nodepool_update_with_nsg_control.yaml @@ -441,7 +441,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -921,7 +921,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1011,7 +1011,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000003?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000003\",\n @@ -1087,7 +1087,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000003?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000003\",\n @@ -1304,7 +1304,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000003?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000003\",\n @@ -1374,7 +1374,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_snapshot.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_snapshot.yaml index 5384c47a3a5..296eece88b0 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_snapshot.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_snapshot.yaml @@ -114,7 +114,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -643,7 +643,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -783,7 +783,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2022-11-02-preview response: body: string: "{\n \"name\": \"s000005\",\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005\",\n @@ -846,7 +846,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' @@ -893,7 +893,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2022-11-02-preview response: body: string: "{\n \"name\": \"s000005\",\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005\",\n @@ -952,7 +952,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"name\": \"s000005\",\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005\",\n @@ -1012,7 +1012,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2022-11-02-preview response: body: string: "{\n \"name\": \"s000005\",\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005\",\n @@ -1093,7 +1093,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003\",\n @@ -1624,7 +1624,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003\",\n @@ -1718,7 +1718,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview response: body: string: '' @@ -1767,7 +1767,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_snapshot_update.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_snapshot_update.yaml index 3d987141a0e..eed9f747c70 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_snapshot_update.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_snapshot_update.yaml @@ -114,7 +114,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -643,7 +643,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -783,7 +783,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2022-11-02-preview response: body: string: "{\n \"name\": \"s000005\",\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005\",\n @@ -846,7 +846,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' @@ -893,7 +893,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2022-11-02-preview response: body: string: "{\n \"name\": \"s000005\",\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005\",\n @@ -952,7 +952,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"name\": \"s000005\",\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005\",\n @@ -1030,7 +1030,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003\",\n @@ -1608,7 +1608,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003\",\n @@ -1698,7 +1698,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003\",\n @@ -1788,7 +1788,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2022-11-02-preview response: body: string: "{\n \"name\": \"s000005\",\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005\",\n @@ -1877,7 +1877,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003\",\n @@ -2166,7 +2166,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003\",\n @@ -2260,7 +2260,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview response: body: string: '' @@ -2309,7 +2309,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_snapshot_upgrade.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_snapshot_upgrade.yaml index 19d293920f9..9cd592ccbcb 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_snapshot_upgrade.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_snapshot_upgrade.yaml @@ -114,7 +114,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -741,7 +741,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -881,7 +881,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2022-11-02-preview response: body: string: "{\n \"name\": \"s000005\",\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005\",\n @@ -944,7 +944,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' @@ -991,7 +991,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2022-11-02-preview response: body: string: "{\n \"name\": \"s000005\",\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005\",\n @@ -1050,7 +1050,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"name\": \"s000005\",\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005\",\n @@ -1128,7 +1128,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003\",\n @@ -1706,7 +1706,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003\",\n @@ -1796,7 +1796,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003\",\n @@ -1886,7 +1886,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2022-11-02-preview response: body: string: "{\n \"name\": \"s000005\",\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005\",\n @@ -1976,7 +1976,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003\",\n @@ -3321,7 +3321,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003\",\n @@ -3415,7 +3415,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000003?api-version=2022-11-02-preview response: body: string: '' @@ -3464,7 +3464,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedclustersnapshots/s000005?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_stop_and_start.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_stop_and_start.yaml index 7471c4a6211..82f6f88dd67 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_stop_and_start.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_stop_and_start.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -691,7 +691,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -783,7 +783,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/stop?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/stop?api-version=2022-11-02-preview response: body: string: '' @@ -1068,7 +1068,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/start?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/start?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_trustedaccess_rolebinding.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_trustedaccess_rolebinding.yaml index c94d0074bd6..dce2e65a74f 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_trustedaccess_rolebinding.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_trustedaccess_rolebinding.yaml @@ -1,7 +1,7 @@ interactions: - request: body: '{"location": "westus2", "identity": {"type": "SystemAssigned"}, "properties": - {"kubernetesVersion": "", "dnsPrefix": "cliakstest-clitestjq7wpjzco-8ecadf", + {"kubernetesVersion": "", "dnsPrefix": "cliakstest-clitestza4mj775n-8ecadf", "agentPoolProfiles": [{"count": 1, "vmSize": "Standard_D4s_v3", "osDiskSizeGB": 0, "workloadRuntime": "OCIContainer", "osType": "Linux", "enableAutoScaling": false, "type": "VirtualMachineScaleSets", "mode": "System", "orchestratorVersion": @@ -9,7 +9,7 @@ interactions: false, "scaleSetPriority": "Regular", "scaleSetEvictionPolicy": "Delete", "spotMaxPrice": -1.0, "nodeTaints": [], "enableEncryptionAtHost": false, "enableUltraSSD": false, "enableFIPS": false, "networkProfile": {}, "name": "nodepool1"}], "linuxProfile": - {"adminUsername": "azureuser", "ssh": {"publicKeys": [{"keyData": "ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCo9vDBjigKvJZ76amZTXAO8+BkLLx7/rD7iQwMbYDoGKMGrVoIbc6mxSn19tfbAdgIDjxFTvp/yAwO8nbLq9fzpBvNKKZJvxpeSHU/qGgMWHcj+DtF+7Bljz3YGLctLjpDKYvxsHHDPTZgSts7reB75SVC57cphBO76x7CCBE4uzjUHaDYBx+WU6dFMFqyrm/F/tYb3ilEwbxyRNXhnP9FN3ENWWQnD3isjrpGnB+3w8jtIlHoW4PnLXF+Nuw0Jv/ScIN/Zd5PTMuMm/aW3S8XwN6LpM7IB61w9dAvL8bfAVccDeYD/EeC7jJoIl2A4euootMxcN5Dz6hs/bRgnBjT + {"adminUsername": "azureuser", "ssh": {"publicKeys": [{"keyData": "ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQDtyhanIltEFDzJf62RRkik6ABgeDsgbISSDU8/MHMJUrBtA4OT2R78kSrllh/pIZZXgLruufkOurUwLmxQRn3g1ydTAvQ7KOGcZ4d6vnGahyzCiw/V33haTgHK9d5fi+pPA44vlzSpAMEQbIDsryYdC8rnS+Tfpvt7+gWAuQlZIlJ2ehHnSzoWBnFA4st5RQ+amMuJCr6/1RDt8hTcME7sYy4T2HK+O/wQVfnK4ARXXKNdG/icWbU2unE0kSKc9PCVSG34gF+cJTWwO21Q1vPAcvGMHxUHo6dHB/H4llNHMmxlqJZUW6wZuP0wJJrX55VWyyysyHJEaxZTkW4RFXht azcli_aks_live_test@example.com\n"}]}}, "addonProfiles": {}, "enableRBAC": true, "enablePodSecurityPolicy": false, "networkProfile": {"networkPlugin": "kubenet", "podCidr": "10.244.0.0/16", "serviceCidr": "10.0.0.0/16", "dnsServiceIP": "10.0.0.10", @@ -34,33 +34,33 @@ interactions: - --resource-group --name --location --node-vm-size --node-count --ssh-key-value --aks-custom-headers User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n \ \"location\": \"westus2\",\n \"name\": \"cliakstest000001\",\n \"type\": \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": \"Creating\",\n \"powerState\": {\n \"code\": \"Running\"\n },\n \"kubernetesVersion\": - \"1.24.6\",\n \"currentKubernetesVersion\": \"1.24.6\",\n \"dnsPrefix\": - \"cliakstest-clitestjq7wpjzco-8ecadf\",\n \"fqdn\": \"cliakstest-clitestjq7wpjzco-8ecadf-98afe286.hcp.westus2.azmk8s.io\",\n - \ \"azurePortalFQDN\": \"cliakstest-clitestjq7wpjzco-8ecadf-98afe286.portal.hcp.westus2.azmk8s.io\",\n + \"1.23.12\",\n \"currentKubernetesVersion\": \"1.23.12\",\n \"dnsPrefix\": + \"cliakstest-clitestza4mj775n-8ecadf\",\n \"fqdn\": \"cliakstest-clitestza4mj775n-8ecadf-026ec148.hcp.westus2.azmk8s.io\",\n + \ \"azurePortalFQDN\": \"cliakstest-clitestza4mj775n-8ecadf-026ec148.portal.hcp.westus2.azmk8s.io\",\n \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \"count\": 1,\n \"vmSize\": \"Standard_D4s_v3\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": \"Managed\",\n \"kubeletDiskType\": \"OS\",\n \"workloadRuntime\": \"OCIContainer\",\n \"maxPods\": 110,\n \"type\": \"VirtualMachineScaleSets\",\n \ \"enableAutoScaling\": false,\n \"provisioningState\": \"Creating\",\n \ \"powerState\": {\n \"code\": \"Running\"\n },\n \"orchestratorVersion\": - \"1.24.6\",\n \"currentOrchestratorVersion\": \"1.24.6\",\n \"enableNodePublicIP\": + \"1.23.12\",\n \"currentOrchestratorVersion\": \"1.23.12\",\n \"enableNodePublicIP\": false,\n \"enableCustomCATrust\": false,\n \"mode\": \"System\",\n \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": - \"AKSUbuntu-1804gen2containerd-2023.01.19\",\n \"upgradeSettings\": {},\n + \"AKSUbuntu-1804gen2containerd-2022.10.24\",\n \"upgradeSettings\": {},\n \ \"enableFIPS\": false,\n \"networkProfile\": {}\n }\n ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n \"ssh\": {\n \"publicKeys\": - [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCo9vDBjigKvJZ76amZTXAO8+BkLLx7/rD7iQwMbYDoGKMGrVoIbc6mxSn19tfbAdgIDjxFTvp/yAwO8nbLq9fzpBvNKKZJvxpeSHU/qGgMWHcj+DtF+7Bljz3YGLctLjpDKYvxsHHDPTZgSts7reB75SVC57cphBO76x7CCBE4uzjUHaDYBx+WU6dFMFqyrm/F/tYb3ilEwbxyRNXhnP9FN3ENWWQnD3isjrpGnB+3w8jtIlHoW4PnLXF+Nuw0Jv/ScIN/Zd5PTMuMm/aW3S8XwN6LpM7IB61w9dAvL8bfAVccDeYD/EeC7jJoIl2A4euootMxcN5Dz6hs/bRgnBjT + [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQDtyhanIltEFDzJf62RRkik6ABgeDsgbISSDU8/MHMJUrBtA4OT2R78kSrllh/pIZZXgLruufkOurUwLmxQRn3g1ydTAvQ7KOGcZ4d6vnGahyzCiw/V33haTgHK9d5fi+pPA44vlzSpAMEQbIDsryYdC8rnS+Tfpvt7+gWAuQlZIlJ2ehHnSzoWBnFA4st5RQ+amMuJCr6/1RDt8hTcME7sYy4T2HK+O/wQVfnK4ARXXKNdG/icWbU2unE0kSKc9PCVSG34gF+cJTWwO21Q1vPAcvGMHxUHo6dHB/H4llNHMmxlqJZUW6wZuP0wJJrX55VWyyysyHJEaxZTkW4RFXht azcli_aks_live_test@example.com\\n\"\n }\n ]\n }\n },\n \"servicePrincipalProfile\": {\n \"clientId\":\"00000000-0000-0000-0000-000000000001\"\n },\n \"nodeResourceGroup\": \"MC_clitest000001_cliakstest000001_westus2\",\n \"enableRBAC\": true,\n @@ -82,15 +82,15 @@ interactions: {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n }" headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/fa0481ce-5de1-40aa-b0c1-5de5d452750e?api-version=2016-03-30 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/fa2e23fc-baba-4a09-9c63-3c7bd60c9201?api-version=2016-03-30 cache-control: - no-cache content-length: - - '3476' + - '3480' content-type: - application/json date: - - Thu, 02 Feb 2023 09:48:32 GMT + - Thu, 24 Nov 2022 15:15:00 GMT expires: - '-1' pragma: @@ -102,7 +102,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-writes: - - '1199' + - '1198' status: code: 201 message: Created @@ -121,23 +121,23 @@ interactions: - --resource-group --name --location --node-vm-size --node-count --ssh-key-value --aks-custom-headers User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/fa0481ce-5de1-40aa-b0c1-5de5d452750e?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/fa2e23fc-baba-4a09-9c63-3c7bd60c9201?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"ce8104fa-e15d-aa40-b0c1-5de5d452750e\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-02T09:48:32.551814Z\"\n }" + string: "{\n \"name\": \"fc232efa-baba-094a-9c63-3c7bd60c9201\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-24T15:15:01.5877312Z\"\n }" headers: cache-control: - no-cache content-length: - - '125' + - '126' content-type: - application/json date: - - Thu, 02 Feb 2023 09:49:02 GMT + - Thu, 24 Nov 2022 15:15:31 GMT expires: - '-1' pragma: @@ -170,23 +170,23 @@ interactions: - --resource-group --name --location --node-vm-size --node-count --ssh-key-value --aks-custom-headers User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/fa0481ce-5de1-40aa-b0c1-5de5d452750e?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/fa2e23fc-baba-4a09-9c63-3c7bd60c9201?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"ce8104fa-e15d-aa40-b0c1-5de5d452750e\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-02T09:48:32.551814Z\"\n }" + string: "{\n \"name\": \"fc232efa-baba-094a-9c63-3c7bd60c9201\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-24T15:15:01.5877312Z\"\n }" headers: cache-control: - no-cache content-length: - - '125' + - '126' content-type: - application/json date: - - Thu, 02 Feb 2023 09:49:32 GMT + - Thu, 24 Nov 2022 15:16:01 GMT expires: - '-1' pragma: @@ -219,23 +219,23 @@ interactions: - --resource-group --name --location --node-vm-size --node-count --ssh-key-value --aks-custom-headers User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/fa0481ce-5de1-40aa-b0c1-5de5d452750e?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/fa2e23fc-baba-4a09-9c63-3c7bd60c9201?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"ce8104fa-e15d-aa40-b0c1-5de5d452750e\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-02T09:48:32.551814Z\"\n }" + string: "{\n \"name\": \"fc232efa-baba-094a-9c63-3c7bd60c9201\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-24T15:15:01.5877312Z\"\n }" headers: cache-control: - no-cache content-length: - - '125' + - '126' content-type: - application/json date: - - Thu, 02 Feb 2023 09:50:02 GMT + - Thu, 24 Nov 2022 15:16:31 GMT expires: - '-1' pragma: @@ -268,23 +268,23 @@ interactions: - --resource-group --name --location --node-vm-size --node-count --ssh-key-value --aks-custom-headers User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/fa0481ce-5de1-40aa-b0c1-5de5d452750e?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/fa2e23fc-baba-4a09-9c63-3c7bd60c9201?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"ce8104fa-e15d-aa40-b0c1-5de5d452750e\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-02T09:48:32.551814Z\"\n }" + string: "{\n \"name\": \"fc232efa-baba-094a-9c63-3c7bd60c9201\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-24T15:15:01.5877312Z\"\n }" headers: cache-control: - no-cache content-length: - - '125' + - '126' content-type: - application/json date: - - Thu, 02 Feb 2023 09:50:32 GMT + - Thu, 24 Nov 2022 15:17:01 GMT expires: - '-1' pragma: @@ -317,23 +317,23 @@ interactions: - --resource-group --name --location --node-vm-size --node-count --ssh-key-value --aks-custom-headers User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/fa0481ce-5de1-40aa-b0c1-5de5d452750e?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/fa2e23fc-baba-4a09-9c63-3c7bd60c9201?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"ce8104fa-e15d-aa40-b0c1-5de5d452750e\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-02T09:48:32.551814Z\"\n }" + string: "{\n \"name\": \"fc232efa-baba-094a-9c63-3c7bd60c9201\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-24T15:15:01.5877312Z\"\n }" headers: cache-control: - no-cache content-length: - - '125' + - '126' content-type: - application/json date: - - Thu, 02 Feb 2023 09:51:03 GMT + - Thu, 24 Nov 2022 15:17:31 GMT expires: - '-1' pragma: @@ -366,23 +366,23 @@ interactions: - --resource-group --name --location --node-vm-size --node-count --ssh-key-value --aks-custom-headers User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/fa0481ce-5de1-40aa-b0c1-5de5d452750e?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/fa2e23fc-baba-4a09-9c63-3c7bd60c9201?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"ce8104fa-e15d-aa40-b0c1-5de5d452750e\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-02T09:48:32.551814Z\"\n }" + string: "{\n \"name\": \"fc232efa-baba-094a-9c63-3c7bd60c9201\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-24T15:15:01.5877312Z\"\n }" headers: cache-control: - no-cache content-length: - - '125' + - '126' content-type: - application/json date: - - Thu, 02 Feb 2023 09:51:32 GMT + - Thu, 24 Nov 2022 15:18:02 GMT expires: - '-1' pragma: @@ -415,23 +415,23 @@ interactions: - --resource-group --name --location --node-vm-size --node-count --ssh-key-value --aks-custom-headers User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/fa0481ce-5de1-40aa-b0c1-5de5d452750e?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/fa2e23fc-baba-4a09-9c63-3c7bd60c9201?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"ce8104fa-e15d-aa40-b0c1-5de5d452750e\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-02T09:48:32.551814Z\"\n }" + string: "{\n \"name\": \"fc232efa-baba-094a-9c63-3c7bd60c9201\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-24T15:15:01.5877312Z\"\n }" headers: cache-control: - no-cache content-length: - - '125' + - '126' content-type: - application/json date: - - Thu, 02 Feb 2023 09:52:02 GMT + - Thu, 24 Nov 2022 15:18:32 GMT expires: - '-1' pragma: @@ -464,23 +464,23 @@ interactions: - --resource-group --name --location --node-vm-size --node-count --ssh-key-value --aks-custom-headers User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/fa0481ce-5de1-40aa-b0c1-5de5d452750e?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/fa2e23fc-baba-4a09-9c63-3c7bd60c9201?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"ce8104fa-e15d-aa40-b0c1-5de5d452750e\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2023-02-02T09:48:32.551814Z\"\n }" + string: "{\n \"name\": \"fc232efa-baba-094a-9c63-3c7bd60c9201\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-24T15:15:01.5877312Z\"\n }" headers: cache-control: - no-cache content-length: - - '125' + - '126' content-type: - application/json date: - - Thu, 02 Feb 2023 09:52:33 GMT + - Thu, 24 Nov 2022 15:19:01 GMT expires: - '-1' pragma: @@ -513,24 +513,24 @@ interactions: - --resource-group --name --location --node-vm-size --node-count --ssh-key-value --aks-custom-headers User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/fa0481ce-5de1-40aa-b0c1-5de5d452750e?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/operations/fa2e23fc-baba-4a09-9c63-3c7bd60c9201?api-version=2016-03-30 response: body: - string: "{\n \"name\": \"ce8104fa-e15d-aa40-b0c1-5de5d452750e\",\n \"status\": - \"Succeeded\",\n \"startTime\": \"2023-02-02T09:48:32.551814Z\",\n \"endTime\": - \"2023-02-02T09:52:57.6002435Z\"\n }" + string: "{\n \"name\": \"fc232efa-baba-094a-9c63-3c7bd60c9201\",\n \"status\": + \"Succeeded\",\n \"startTime\": \"2022-11-24T15:15:01.5877312Z\",\n \"endTime\": + \"2022-11-24T15:19:08.9469862Z\"\n }" headers: cache-control: - no-cache content-length: - - '169' + - '170' content-type: - application/json date: - - Thu, 02 Feb 2023 09:53:02 GMT + - Thu, 24 Nov 2022 15:19:31 GMT expires: - '-1' pragma: @@ -563,40 +563,40 @@ interactions: - --resource-group --name --location --node-vm-size --node-count --ssh-key-value --aks-custom-headers User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n \ \"location\": \"westus2\",\n \"name\": \"cliakstest000001\",\n \"type\": \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": \"Succeeded\",\n \"powerState\": {\n \"code\": \"Running\"\n },\n \"kubernetesVersion\": - \"1.24.6\",\n \"currentKubernetesVersion\": \"1.24.6\",\n \"dnsPrefix\": - \"cliakstest-clitestjq7wpjzco-8ecadf\",\n \"fqdn\": \"cliakstest-clitestjq7wpjzco-8ecadf-98afe286.hcp.westus2.azmk8s.io\",\n - \ \"azurePortalFQDN\": \"cliakstest-clitestjq7wpjzco-8ecadf-98afe286.portal.hcp.westus2.azmk8s.io\",\n + \"1.23.12\",\n \"currentKubernetesVersion\": \"1.23.12\",\n \"dnsPrefix\": + \"cliakstest-clitestza4mj775n-8ecadf\",\n \"fqdn\": \"cliakstest-clitestza4mj775n-8ecadf-026ec148.hcp.westus2.azmk8s.io\",\n + \ \"azurePortalFQDN\": \"cliakstest-clitestza4mj775n-8ecadf-026ec148.portal.hcp.westus2.azmk8s.io\",\n \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \"count\": 1,\n \"vmSize\": \"Standard_D4s_v3\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": \"Managed\",\n \"kubeletDiskType\": \"OS\",\n \"workloadRuntime\": \"OCIContainer\",\n \"maxPods\": 110,\n \"type\": \"VirtualMachineScaleSets\",\n \ \"enableAutoScaling\": false,\n \"provisioningState\": \"Succeeded\",\n \ \"powerState\": {\n \"code\": \"Running\"\n },\n \"orchestratorVersion\": - \"1.24.6\",\n \"currentOrchestratorVersion\": \"1.24.6\",\n \"enableNodePublicIP\": + \"1.23.12\",\n \"currentOrchestratorVersion\": \"1.23.12\",\n \"enableNodePublicIP\": false,\n \"enableCustomCATrust\": false,\n \"mode\": \"System\",\n \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": - \"AKSUbuntu-1804gen2containerd-2023.01.19\",\n \"upgradeSettings\": {},\n + \"AKSUbuntu-1804gen2containerd-2022.10.24\",\n \"upgradeSettings\": {},\n \ \"enableFIPS\": false,\n \"networkProfile\": {}\n }\n ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n \"ssh\": {\n \"publicKeys\": - [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCo9vDBjigKvJZ76amZTXAO8+BkLLx7/rD7iQwMbYDoGKMGrVoIbc6mxSn19tfbAdgIDjxFTvp/yAwO8nbLq9fzpBvNKKZJvxpeSHU/qGgMWHcj+DtF+7Bljz3YGLctLjpDKYvxsHHDPTZgSts7reB75SVC57cphBO76x7CCBE4uzjUHaDYBx+WU6dFMFqyrm/F/tYb3ilEwbxyRNXhnP9FN3ENWWQnD3isjrpGnB+3w8jtIlHoW4PnLXF+Nuw0Jv/ScIN/Zd5PTMuMm/aW3S8XwN6LpM7IB61w9dAvL8bfAVccDeYD/EeC7jJoIl2A4euootMxcN5Dz6hs/bRgnBjT + [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQDtyhanIltEFDzJf62RRkik6ABgeDsgbISSDU8/MHMJUrBtA4OT2R78kSrllh/pIZZXgLruufkOurUwLmxQRn3g1ydTAvQ7KOGcZ4d6vnGahyzCiw/V33haTgHK9d5fi+pPA44vlzSpAMEQbIDsryYdC8rnS+Tfpvt7+gWAuQlZIlJ2ehHnSzoWBnFA4st5RQ+amMuJCr6/1RDt8hTcME7sYy4T2HK+O/wQVfnK4ARXXKNdG/icWbU2unE0kSKc9PCVSG34gF+cJTWwO21Q1vPAcvGMHxUHo6dHB/H4llNHMmxlqJZUW6wZuP0wJJrX55VWyyysyHJEaxZTkW4RFXht azcli_aks_live_test@example.com\\n\"\n }\n ]\n }\n },\n \"servicePrincipalProfile\": {\n \"clientId\":\"00000000-0000-0000-0000-000000000001\"\n },\n \"nodeResourceGroup\": \"MC_clitest000001_cliakstest000001_westus2\",\n \"enableRBAC\": true,\n \ \"enablePodSecurityPolicy\": false,\n \"networkProfile\": {\n \"networkPlugin\": \"kubenet\",\n \"loadBalancerSku\": \"Standard\",\n \"loadBalancerProfile\": {\n \"managedOutboundIPs\": {\n \"count\": 1\n },\n \"effectiveOutboundIPs\": - [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Network/publicIPAddresses/b2155cc5-fa31-4d41-9f2c-b8cee2144bba\"\n + [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Network/publicIPAddresses/84662efe-c060-4a90-b30d-7f51187e2a39\"\n \ }\n ],\n \"backendPoolType\": \"nodeIPConfiguration\"\n },\n \ \"podCidr\": \"10.244.0.0/16\",\n \"serviceCidr\": \"10.0.0.0/16\",\n \ \"dnsServiceIP\": \"10.0.0.10\",\n \"dockerBridgeCidr\": \"172.17.0.1/16\",\n @@ -617,11 +617,11 @@ interactions: cache-control: - no-cache content-length: - - '4129' + - '4133' content-type: - application/json date: - - Thu, 02 Feb 2023 09:53:03 GMT + - Thu, 24 Nov 2022 15:19:32 GMT expires: - '-1' pragma: @@ -653,20 +653,20 @@ interactions: ParameterSetName: - -g --query -o User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n \ \"location\": \"westus2\",\n \"name\": \"cliakstest000001\",\n \"type\": \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": \"Succeeded\",\n \"powerState\": {\n \"code\": \"Running\"\n },\n - \ \"kubernetesVersion\": \"1.24.6\",\n \"currentKubernetesVersion\": - \"1.24.6\",\n \"dnsPrefix\": \"cliakstest-clitestjq7wpjzco-8ecadf\",\n - \ \"fqdn\": \"cliakstest-clitestjq7wpjzco-8ecadf-98afe286.hcp.westus2.azmk8s.io\",\n - \ \"azurePortalFQDN\": \"cliakstest-clitestjq7wpjzco-8ecadf-98afe286.portal.hcp.westus2.azmk8s.io\",\n + \ \"kubernetesVersion\": \"1.23.12\",\n \"currentKubernetesVersion\": + \"1.23.12\",\n \"dnsPrefix\": \"cliakstest-clitestza4mj775n-8ecadf\",\n + \ \"fqdn\": \"cliakstest-clitestza4mj775n-8ecadf-026ec148.hcp.westus2.azmk8s.io\",\n + \ \"azurePortalFQDN\": \"cliakstest-clitestza4mj775n-8ecadf-026ec148.portal.hcp.westus2.azmk8s.io\",\n \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \ \"count\": 1,\n \"vmSize\": \"Standard_D4s_v3\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": \"Managed\",\n \"kubeletDiskType\": \"OS\",\n @@ -674,15 +674,13 @@ interactions: \ \"type\": \"VirtualMachineScaleSets\",\n \"enableAutoScaling\": false,\n \"provisioningState\": \"Succeeded\",\n \"powerState\": {\n \"code\": \"Running\"\n },\n \"orchestratorVersion\": - \"1.24.6\",\n \"currentOrchestratorVersion\": \"1.24.6\",\n \"enableNodePublicIP\": - false,\n \"enableCustomCATrust\": false,\n \"mode\": \"System\",\n - \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n - \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": - \"AKSUbuntu-1804gen2containerd-2023.01.19\",\n \"upgradeSettings\": - {},\n \"enableFIPS\": false,\n \"networkProfile\": {}\n }\n - \ ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n - \ \"ssh\": {\n \"publicKeys\": [\n {\n \"keyData\": - \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCo9vDBjigKvJZ76amZTXAO8+BkLLx7/rD7iQwMbYDoGKMGrVoIbc6mxSn19tfbAdgIDjxFTvp/yAwO8nbLq9fzpBvNKKZJvxpeSHU/qGgMWHcj+DtF+7Bljz3YGLctLjpDKYvxsHHDPTZgSts7reB75SVC57cphBO76x7CCBE4uzjUHaDYBx+WU6dFMFqyrm/F/tYb3ilEwbxyRNXhnP9FN3ENWWQnD3isjrpGnB+3w8jtIlHoW4PnLXF+Nuw0Jv/ScIN/Zd5PTMuMm/aW3S8XwN6LpM7IB61w9dAvL8bfAVccDeYD/EeC7jJoIl2A4euootMxcN5Dz6hs/bRgnBjT + \"1.23.12\",\n \"currentOrchestratorVersion\": \"1.23.12\",\n \"enableNodePublicIP\": + false,\n \"mode\": \"System\",\n \"enableEncryptionAtHost\": false,\n + \ \"enableUltraSSD\": false,\n \"osType\": \"Linux\",\n \"osSKU\": + \"Ubuntu\",\n \"nodeImageVersion\": \"AKSUbuntu-1804gen2containerd-2022.10.24\",\n + \ \"upgradeSettings\": {},\n \"enableFIPS\": false\n }\n ],\n + \ \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n \"ssh\": + {\n \"publicKeys\": [\n {\n \"keyData\": \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQDtyhanIltEFDzJf62RRkik6ABgeDsgbISSDU8/MHMJUrBtA4OT2R78kSrllh/pIZZXgLruufkOurUwLmxQRn3g1ydTAvQ7KOGcZ4d6vnGahyzCiw/V33haTgHK9d5fi+pPA44vlzSpAMEQbIDsryYdC8rnS+Tfpvt7+gWAuQlZIlJ2ehHnSzoWBnFA4st5RQ+amMuJCr6/1RDt8hTcME7sYy4T2HK+O/wQVfnK4ARXXKNdG/icWbU2unE0kSKc9PCVSG34gF+cJTWwO21Q1vPAcvGMHxUHo6dHB/H4llNHMmxlqJZUW6wZuP0wJJrX55VWyyysyHJEaxZTkW4RFXht azcli_aks_live_test@example.com\\n\"\n }\n ]\n }\n },\n \ \"servicePrincipalProfile\": {\n \"clientId\":\"00000000-0000-0000-0000-000000000001\"\n \ },\n \"nodeResourceGroup\": \"MC_clitest000001_cliakstest000001_westus2\",\n @@ -690,22 +688,21 @@ interactions: {\n \"networkPlugin\": \"kubenet\",\n \"loadBalancerSku\": \"Standard\",\n \ \"loadBalancerProfile\": {\n \"managedOutboundIPs\": {\n \"count\": 1\n },\n \"effectiveOutboundIPs\": [\n {\n \"id\": - \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Network/publicIPAddresses/b2155cc5-fa31-4d41-9f2c-b8cee2144bba\"\n - \ }\n ],\n \"backendPoolType\": \"nodeIPConfiguration\"\n - \ },\n \"podCidr\": \"10.244.0.0/16\",\n \"serviceCidr\": \"10.0.0.0/16\",\n - \ \"dnsServiceIP\": \"10.0.0.10\",\n \"dockerBridgeCidr\": \"172.17.0.1/16\",\n - \ \"outboundType\": \"loadBalancer\",\n \"podCidrs\": [\n \"10.244.0.0/16\"\n - \ ],\n \"serviceCidrs\": [\n \"10.0.0.0/16\"\n ],\n \"ipFamilies\": - [\n \"IPv4\"\n ]\n },\n \"maxAgentPools\": 100,\n \"identityProfile\": - {\n \"kubeletidentity\": {\n \"resourceId\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.ManagedIdentity/userAssignedIdentities/cliakstest000001-agentpool\",\n + \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Network/publicIPAddresses/84662efe-c060-4a90-b30d-7f51187e2a39\"\n + \ }\n ]\n },\n \"podCidr\": \"10.244.0.0/16\",\n \"serviceCidr\": + \"10.0.0.0/16\",\n \"dnsServiceIP\": \"10.0.0.10\",\n \"dockerBridgeCidr\": + \"172.17.0.1/16\",\n \"outboundType\": \"loadBalancer\",\n \"podCidrs\": + [\n \"10.244.0.0/16\"\n ],\n \"serviceCidrs\": [\n \"10.0.0.0/16\"\n + \ ],\n \"ipFamilies\": [\n \"IPv4\"\n ]\n },\n \"maxAgentPools\": + 100,\n \"identityProfile\": {\n \"kubeletidentity\": {\n \"resourceId\": + \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.ManagedIdentity/userAssignedIdentities/cliakstest000001-agentpool\",\n \ \"clientId\":\"00000000-0000-0000-0000-000000000001\",\n \"objectId\":\"00000000-0000-0000-0000-000000000001\"\n \ }\n },\n \"disableLocalAccounts\": false,\n \"securityProfile\": {},\n \"storageProfile\": {\n \"diskCSIDriver\": {\n \"enabled\": - true,\n \"version\": \"v1\"\n },\n \"fileCSIDriver\": {\n - \ \"enabled\": true\n },\n \"snapshotController\": {\n \"enabled\": - true\n }\n },\n \"oidcIssuerProfile\": {\n \"enabled\": - false\n },\n \"workloadAutoScalerProfile\": {}\n },\n \"identity\": - {\n \"type\": \"SystemAssigned\",\n \"principalId\":\"00000000-0000-0000-0000-000000000001\",\n + true\n },\n \"fileCSIDriver\": {\n \"enabled\": true\n },\n + \ \"snapshotController\": {\n \"enabled\": true\n }\n },\n + \ \"oidcIssuerProfile\": {\n \"enabled\": false\n }\n },\n + \ \"identity\": {\n \"type\": \"SystemAssigned\",\n \"principalId\":\"00000000-0000-0000-0000-000000000001\",\n \ \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\"\n },\n \"sku\": {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n }\n ]\n }" @@ -713,11 +710,11 @@ interactions: cache-control: - no-cache content-length: - - '4408' + - '4235' content-type: - application/json date: - - Thu, 02 Feb 2023 09:53:04 GMT + - Thu, 24 Nov 2022 15:19:33 GMT expires: - '-1' pragma: @@ -749,22 +746,21 @@ interactions: ParameterSetName: - -g --query -o User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-compute/29.1.0 Python/3.8.10 (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-compute/29.0.0 Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Compute/virtualMachineScaleSets?api-version=2022-11-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Compute/virtualMachineScaleSets?api-version=2022-08-01 response: body: - string: "{\r\n \"value\": [\r\n {\r\n \"name\": \"aks-nodepool1-32791764-vmss\",\r\n - \ \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-32791764-vmss\",\r\n + string: "{\r\n \"value\": [\r\n {\r\n \"name\": \"aks-nodepool1-86229571-vmss\",\r\n + \ \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-86229571-vmss\",\r\n \ \"type\": \"Microsoft.Compute/virtualMachineScaleSets\",\r\n \"location\": \"westus2\",\r\n \"tags\": {\r\n \"aks-managed-createOperationID\": - \"fa0481ce-5de1-40aa-b0c1-5de5d452750e\",\r\n \"aks-managed-creationSource\": - \"vmssclient-aks-nodepool1-32791764-vmss\",\r\n \"aks-managed-kubeletIdentityClientID\": - \"cc992a92-fd21-43f1-b6c2-ba7b773853f4\",\r\n \"aks-managed-orchestrator\": - \"Kubernetes:1.24.6\",\r\n \"aks-managed-poolName\": \"nodepool1\",\r\n - \ \"aks-managed-resourceNameSuffix\": \"18957470\"\r\n },\r\n \"identity\": - {\r\n \"type\": \"SystemAssigned, UserAssigned\",\r\n \"principalId\":\"00000000-0000-0000-0000-000000000001\",\r\n - \ \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\",\r\n \"userAssignedIdentities\": + \"fa2e23fc-baba-4a09-9c63-3c7bd60c9201\",\r\n \"aks-managed-creationSource\": + \"vmssclient-aks-nodepool1-86229571-vmss\",\r\n \"aks-managed-kubeletIdentityClientID\": + \"63cf13c8-cbc5-47c8-add2-e610f2a7bdb4\",\r\n \"aks-managed-orchestrator\": + \"Kubernetes:1.23.12\",\r\n \"aks-managed-poolName\": \"nodepool1\",\r\n + \ \"aks-managed-resourceNameSuffix\": \"23081917\"\r\n },\r\n \"identity\": + {\r\n \"type\": \"UserAssigned\",\r\n \"userAssignedIdentities\": {\r\n \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.ManagedIdentity/userAssignedIdentities/cliakstest000001-agentpool\": {\r\n \"principalId\":\"00000000-0000-0000-0000-000000000001\",\r\n \ \"clientId\":\"00000000-0000-0000-0000-000000000001\"\r\n }\r\n @@ -773,12 +769,12 @@ interactions: \ \"properties\": {\r\n \"singlePlacementGroup\": false,\r\n \"orchestrationMode\": \"Uniform\",\r\n \"upgradePolicy\": {\r\n \"mode\": \"Manual\"\r\n \ },\r\n \"virtualMachineProfile\": {\r\n \"osProfile\": - {\r\n \"computerNamePrefix\": \"aks-nodepool1-32791764-vmss\",\r\n + {\r\n \"computerNamePrefix\": \"aks-nodepool1-86229571-vmss\",\r\n \ \"adminUsername\": \"azureuser\",\r\n \"linuxConfiguration\": {\r\n \"disablePasswordAuthentication\": true,\r\n \"ssh\": {\r\n \"publicKeys\": [\r\n {\r\n \"path\": \"/home/azureuser/.ssh/authorized_keys\",\r\n \"keyData\": - \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCo9vDBjigKvJZ76amZTXAO8+BkLLx7/rD7iQwMbYDoGKMGrVoIbc6mxSn19tfbAdgIDjxFTvp/yAwO8nbLq9fzpBvNKKZJvxpeSHU/qGgMWHcj+DtF+7Bljz3YGLctLjpDKYvxsHHDPTZgSts7reB75SVC57cphBO76x7CCBE4uzjUHaDYBx+WU6dFMFqyrm/F/tYb3ilEwbxyRNXhnP9FN3ENWWQnD3isjrpGnB+3w8jtIlHoW4PnLXF+Nuw0Jv/ScIN/Zd5PTMuMm/aW3S8XwN6LpM7IB61w9dAvL8bfAVccDeYD/EeC7jJoIl2A4euootMxcN5Dz6hs/bRgnBjT + \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQDtyhanIltEFDzJf62RRkik6ABgeDsgbISSDU8/MHMJUrBtA4OT2R78kSrllh/pIZZXgLruufkOurUwLmxQRn3g1ydTAvQ7KOGcZ4d6vnGahyzCiw/V33haTgHK9d5fi+pPA44vlzSpAMEQbIDsryYdC8rnS+Tfpvt7+gWAuQlZIlJ2ehHnSzoWBnFA4st5RQ+amMuJCr6/1RDt8hTcME7sYy4T2HK+O/wQVfnK4ARXXKNdG/icWbU2unE0kSKc9PCVSG34gF+cJTWwO21Q1vPAcvGMHxUHo6dHB/H4llNHMmxlqJZUW6wZuP0wJJrX55VWyyysyHJEaxZTkW4RFXht azcli_aks_live_test@example.com\\n\"\r\n }\r\n ]\r\n \ },\r\n \"provisionVMAgent\": true,\r\n \"enableVMAgentPlatformUpdates\": false\r\n },\r\n \"secrets\": [],\r\n \"allowExtensionOperations\": @@ -788,33 +784,33 @@ interactions: \"ReadWrite\",\r\n \"managedDisk\": {\r\n \"storageAccountType\": \"Premium_LRS\"\r\n },\r\n \"diskSizeGB\": 128\r\n \ },\r\n \"imageReference\": {\r\n \"id\": - \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AKS-Ubuntu/providers/Microsoft.Compute/galleries/AKSUbuntu/images/1804gen2containerd/versions/2023.01.19\"\r\n - \ }\r\n },\r\n \"networkProfile\": {\"networkInterfaceConfigurations\":[{\"name\":\"aks-nodepool1-32791764-vmss\",\"properties\":{\"primary\":true,\"enableAcceleratedNetworking\":true,\"disableTcpStateTracking\":false,\"dnsSettings\":{\"dnsServers\":[]},\"enableIPForwarding\":true,\"ipConfigurations\":[{\"name\":\"ipconfig1\",\"properties\":{\"primary\":true,\"subnet\":{\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Network/virtualNetworks/aks-vnet-18957470/subnets/aks-subnet\"},\"privateIPAddressVersion\":\"IPv4\",\"loadBalancerBackendAddressPools\":[{\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Network/loadBalancers/kubernetes/backendAddressPools/kubernetes\"},{\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Network/loadBalancers/kubernetes/backendAddressPools/aksOutboundBackendPool\"}]}}]}}]},\r\n + \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AKS-Ubuntu/providers/Microsoft.Compute/galleries/AKSUbuntu/images/1804gen2containerd/versions/2022.10.24\"\r\n + \ }\r\n },\r\n \"networkProfile\": {\"networkInterfaceConfigurations\":[{\"name\":\"aks-nodepool1-86229571-vmss\",\"properties\":{\"primary\":true,\"enableAcceleratedNetworking\":true,\"disableTcpStateTracking\":false,\"dnsSettings\":{\"dnsServers\":[]},\"enableIPForwarding\":true,\"ipConfigurations\":[{\"name\":\"ipconfig1\",\"properties\":{\"primary\":true,\"subnet\":{\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Network/virtualNetworks/aks-vnet-23081917/subnets/aks-subnet\"},\"privateIPAddressVersion\":\"IPv4\",\"loadBalancerBackendAddressPools\":[{\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Network/loadBalancers/kubernetes/backendAddressPools/aksOutboundBackendPool\"},{\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Network/loadBalancers/kubernetes/backendAddressPools/kubernetes\"}]}}]}}]},\r\n \ \"extensionProfile\": {\r\n \"extensions\": [\r\n {\r\n \ \"name\": \"vmssCSE\",\r\n \"properties\": {\r\n \"autoUpgradeMinorVersion\": true,\r\n \"publisher\": \"Microsoft.Azure.Extensions\",\r\n \"type\": \"CustomScript\",\r\n \ \"typeHandlerVersion\": \"2.0\",\r\n \"settings\": {}\r\n }\r\n },\r\n {\r\n \"name\": - \"aks-nodepool1-32791764-vmss-AKSLinuxBilling\",\r\n \"properties\": + \"aks-nodepool1-86229571-vmss-AKSLinuxBilling\",\r\n \"properties\": {\r\n \"autoUpgradeMinorVersion\": true,\r\n \"publisher\": \"Microsoft.AKS\",\r\n \"type\": \"Compute.AKS.Linux.Billing\",\r\n \ \"typeHandlerVersion\": \"1.0\",\r\n \"settings\": {}\r\n }\r\n }\r\n ],\r\n \"extensionsTimeBudget\": \"PT16M\"\r\n }\r\n },\r\n \"provisioningState\": \"Succeeded\",\r\n \ \"overprovision\": false,\r\n \"doNotRunExtensionsOnOverprovisionedVMs\": - false,\r\n \"uniqueId\": \"630cd4fe-abfc-4e43-851a-c59852b9f891\",\r\n - \ \"platformFaultDomainCount\": 1,\r\n \"timeCreated\": \"2023-02-02T09:50:06.7179066+00:00\"\r\n + false,\r\n \"uniqueId\": \"38783e55-d209-4795-88e1-d15611912252\",\r\n + \ \"platformFaultDomainCount\": 1,\r\n \"timeCreated\": \"2022-11-24T15:16:04.1184161+00:00\"\r\n \ }\r\n }\r\n ]\r\n}" headers: cache-control: - no-cache content-length: - - '5689' + - '5550' content-type: - application/json; charset=utf-8 date: - - Thu, 02 Feb 2023 09:53:05 GMT + - Thu, 24 Nov 2022 15:19:34 GMT expires: - '-1' pragma: @@ -831,7 +827,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-resource: - - Microsoft.Compute/HighCostGetVMScaleSet3Min;178,Microsoft.Compute/HighCostGetVMScaleSet30Min;890 + - Microsoft.Compute/HighCostGetVMScaleSet3Min;247,Microsoft.Compute/HighCostGetVMScaleSet30Min;1232 status: code: 200 message: OK @@ -849,10 +845,10 @@ interactions: ParameterSetName: - -g --cluster-name -n -s --roles User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings/testbinding?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings/testbinding?api-version=2022-11-02-preview response: body: string: "{\n \"code\": \"NotFound\",\n \"message\": \"Could not find the trusted @@ -867,7 +863,7 @@ interactions: content-type: - application/json date: - - Thu, 02 Feb 2023 09:53:05 GMT + - Thu, 24 Nov 2022 15:19:34 GMT expires: - '-1' pragma: @@ -882,7 +878,7 @@ interactions: code: 404 message: Not Found - request: - body: '{"properties": {"sourceResourceId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-32791764-vmss", + body: '{"properties": {"sourceResourceId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-86229571-vmss", "roles": ["Microsoft.Compute/virtualMachineScaleSets/test-node-reader", "Microsoft.Compute/virtualMachineScaleSets/test-admin"]}}' headers: Accept: @@ -900,16 +896,16 @@ interactions: ParameterSetName: - -g --cluster-name -n -s --roles User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings/testbinding?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings/testbinding?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings/testbinding\",\n \ \"name\": \"testbinding\",\n \"type\": \"Microsoft.ContainerService/managedClusters/trustedAccessRoleBindings\",\n \ \"properties\": {\n \"provisioningState\": \"Updating\",\n \"sourceResourceId\": - \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-32791764-vmss\",\n + \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-86229571-vmss\",\n \ \"roles\": [\n \"Microsoft.Compute/virtualMachineScaleSets/test-node-reader\",\n \ \"Microsoft.Compute/virtualMachineScaleSets/test-admin\"\n ]\n }\n }" @@ -921,7 +917,7 @@ interactions: content-type: - application/json date: - - Thu, 02 Feb 2023 09:53:06 GMT + - Thu, 24 Nov 2022 15:19:34 GMT expires: - '-1' pragma: @@ -937,7 +933,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-writes: - - '1198' + - '1199' status: code: 200 message: OK @@ -955,16 +951,16 @@ interactions: ParameterSetName: - --cluster-name -g User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings/testbinding\",\n \ \"name\": \"testbinding\",\n \"type\": \"Microsoft.ContainerService/managedClusters/trustedAccessRoleBindings\",\n \ \"properties\": {\n \"provisioningState\": \"Succeeded\",\n \"sourceResourceId\": - \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-32791764-vmss\",\n + \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-86229571-vmss\",\n \ \"roles\": [\n \"Microsoft.Compute/virtualMachineScaleSets/test-node-reader\",\n \ \"Microsoft.Compute/virtualMachineScaleSets/test-admin\"\n ]\n }\n \ }\n ]\n }" @@ -976,7 +972,7 @@ interactions: content-type: - application/json date: - - Thu, 02 Feb 2023 09:53:26 GMT + - Thu, 24 Nov 2022 15:19:55 GMT expires: - '-1' pragma: @@ -1008,16 +1004,16 @@ interactions: ParameterSetName: - --cluster-name -g -n User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings/testbinding?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings/testbinding?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings/testbinding\",\n \ \"name\": \"testbinding\",\n \"type\": \"Microsoft.ContainerService/managedClusters/trustedAccessRoleBindings\",\n \ \"properties\": {\n \"provisioningState\": \"Succeeded\",\n \"sourceResourceId\": - \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-32791764-vmss\",\n + \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-86229571-vmss\",\n \ \"roles\": [\n \"Microsoft.Compute/virtualMachineScaleSets/test-node-reader\",\n \ \"Microsoft.Compute/virtualMachineScaleSets/test-admin\"\n ]\n }\n }" @@ -1029,7 +1025,7 @@ interactions: content-type: - application/json date: - - Thu, 02 Feb 2023 09:53:26 GMT + - Thu, 24 Nov 2022 15:19:55 GMT expires: - '-1' pragma: @@ -1061,16 +1057,16 @@ interactions: ParameterSetName: - -g --cluster-name -n --roles User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings/testbinding?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings/testbinding?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings/testbinding\",\n \ \"name\": \"testbinding\",\n \"type\": \"Microsoft.ContainerService/managedClusters/trustedAccessRoleBindings\",\n \ \"properties\": {\n \"provisioningState\": \"Succeeded\",\n \"sourceResourceId\": - \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-32791764-vmss\",\n + \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-86229571-vmss\",\n \ \"roles\": [\n \"Microsoft.Compute/virtualMachineScaleSets/test-node-reader\",\n \ \"Microsoft.Compute/virtualMachineScaleSets/test-admin\"\n ]\n }\n }" @@ -1082,7 +1078,7 @@ interactions: content-type: - application/json date: - - Thu, 02 Feb 2023 09:53:26 GMT + - Thu, 24 Nov 2022 15:19:55 GMT expires: - '-1' pragma: @@ -1101,7 +1097,7 @@ interactions: code: 200 message: OK - request: - body: '{"properties": {"sourceResourceId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-32791764-vmss", + body: '{"properties": {"sourceResourceId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-86229571-vmss", "roles": ["Microsoft.Compute/virtualMachineScaleSets/test-node-reader"]}}' headers: Accept: @@ -1119,16 +1115,16 @@ interactions: ParameterSetName: - -g --cluster-name -n --roles User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings/testbinding?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings/testbinding?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings/testbinding\",\n \ \"name\": \"testbinding\",\n \"type\": \"Microsoft.ContainerService/managedClusters/trustedAccessRoleBindings\",\n \ \"properties\": {\n \"provisioningState\": \"Updating\",\n \"sourceResourceId\": - \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-32791764-vmss\",\n + \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_clitest000001_cliakstest000001_westus2/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-86229571-vmss\",\n \ \"roles\": [\n \"Microsoft.Compute/virtualMachineScaleSets/test-node-reader\"\n \ ]\n }\n }" headers: @@ -1139,7 +1135,7 @@ interactions: content-type: - application/json date: - - Thu, 02 Feb 2023 09:53:27 GMT + - Thu, 24 Nov 2022 15:19:56 GMT expires: - '-1' pragma: @@ -1155,7 +1151,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-writes: - - '1199' + - '1198' status: code: 200 message: OK @@ -1175,10 +1171,10 @@ interactions: ParameterSetName: - -g --cluster-name -n -y User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings/testbinding?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings/testbinding?api-version=2022-11-02-preview response: body: string: '' @@ -1188,7 +1184,7 @@ interactions: content-length: - '0' date: - - Thu, 02 Feb 2023 09:53:27 GMT + - Thu, 24 Nov 2022 15:19:56 GMT expires: - '-1' pragma: @@ -1218,10 +1214,10 @@ interactions: ParameterSetName: - --cluster-name -g User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-containerservice/21.0.0b Python/3.8.10 - (Linux-5.15.0-1031-azure-x86_64-with-glibc2.29) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 + (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/trustedAccessRoleBindings?api-version=2022-11-02-preview response: body: string: "{\n \"value\": []\n }" @@ -1233,7 +1229,7 @@ interactions: content-type: - application/json date: - - Thu, 02 Feb 2023 09:53:47 GMT + - Thu, 24 Nov 2022 15:20:16 GMT expires: - '-1' pragma: diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_label_msi.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_label_msi.yaml index 32fba57057f..04cbfc4f7a2 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_label_msi.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_label_msi.yaml @@ -34,7 +34,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -553,7 +553,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -643,7 +643,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -760,7 +760,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1048,7 +1048,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1139,7 +1139,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1257,7 +1257,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1544,7 +1544,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_outbound_from_slb_to_natgateway.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_outbound_from_slb_to_natgateway.yaml index 51f19f71cfb..ae7091cc1cd 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_outbound_from_slb_to_natgateway.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_outbound_from_slb_to_natgateway.yaml @@ -80,7 +80,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -561,7 +561,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -654,7 +654,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -775,7 +775,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1168,7 +1168,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_to_msi_cluster.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_to_msi_cluster.yaml index 3316f549209..37f8873869c 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_to_msi_cluster.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_to_msi_cluster.yaml @@ -76,7 +76,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -595,7 +595,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -685,7 +685,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -802,7 +802,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1041,7 +1041,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1133,7 +1133,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_azuremonitormetrics.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_azuremonitormetrics.yaml index de57071ba40..8a9b2853ece 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_azuremonitormetrics.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_azuremonitormetrics.yaml @@ -35,7 +35,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -613,7 +613,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -704,7 +704,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2575,7 +2575,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2870,7 +2870,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2963,7 +2963,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -3241,7 +3241,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -3530,7 +3530,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -3624,7 +3624,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_image_cleaner.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_image_cleaner.yaml index 68247bf072a..6128426913c 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_image_cleaner.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_image_cleaner.yaml @@ -38,7 +38,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -568,7 +568,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -659,7 +659,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -780,7 +780,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1020,7 +1020,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1111,7 +1111,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1232,7 +1232,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1472,7 +1472,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_keda.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_keda.yaml index a621ffed7e9..c90e02d5e53 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_keda.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_keda.yaml @@ -34,7 +34,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -553,7 +553,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -643,7 +643,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -762,7 +762,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1002,7 +1002,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1093,7 +1093,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1211,7 +1211,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1451,7 +1451,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1544,7 +1544,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_kube_proxy_config.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_kube_proxy_config.yaml index 668cdaef4dc..a23f7c968fb 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_kube_proxy_config.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_kube_proxy_config.yaml @@ -81,7 +81,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -660,7 +660,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -751,7 +751,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -872,7 +872,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1112,7 +1112,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -1205,7 +1205,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_oidc_issuer_enabled.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_oidc_issuer_enabled.yaml index 0ba9fce760c..f53b4e529b0 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_oidc_issuer_enabled.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_oidc_issuer_enabled.yaml @@ -34,7 +34,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -553,7 +553,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -643,7 +643,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -762,7 +762,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1051,7 +1051,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_windows_gmsa.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_windows_gmsa.yaml index fbc6b86de42..d9ae839444f 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_windows_gmsa.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_windows_gmsa.yaml @@ -36,7 +36,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -675,7 +675,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -765,7 +765,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -835,7 +835,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin\",\n @@ -1376,7 +1376,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin\",\n @@ -1436,7 +1436,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1575,7 +1575,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -2788,7 +2788,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -2892,7 +2892,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -2967,7 +2967,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview response: body: string: '' @@ -3016,7 +3016,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_windows_password.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_windows_password.yaml index f3c939d665f..34075496428 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_windows_password.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_windows_password.yaml @@ -36,7 +36,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -675,7 +675,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -765,7 +765,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -835,7 +835,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin\",\n @@ -1568,7 +1568,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin\",\n @@ -1628,7 +1628,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1765,7 +1765,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -3072,7 +3072,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -3174,7 +3174,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -3249,7 +3249,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_workload_identity.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_workload_identity.yaml index 1d2ff07ba29..5085abd246a 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_workload_identity.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_update_with_workload_identity.yaml @@ -38,7 +38,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -617,7 +617,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -709,7 +709,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -830,7 +830,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1071,7 +1071,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1163,7 +1163,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1284,7 +1284,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1525,7 +1525,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_upgrade_node_image_only_cluster.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_upgrade_node_image_only_cluster.yaml index 8b5cb66a60a..6e4001b173a 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_upgrade_node_image_only_cluster.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_upgrade_node_image_only_cluster.yaml @@ -78,7 +78,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -558,7 +558,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -648,7 +648,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -740,7 +740,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003/upgradeNodeImageVersion?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003/upgradeNodeImageVersion?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -802,7 +802,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_upgrade_node_image_only_nodepool.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_upgrade_node_image_only_nodepool.yaml index b6cdeec8419..199bf5fb0f9 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_upgrade_node_image_only_nodepool.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_upgrade_node_image_only_nodepool.yaml @@ -78,7 +78,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2437,7 +2437,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -2529,7 +2529,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003/upgradeNodeImageVersion?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003/upgradeNodeImageVersion?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n @@ -2591,7 +2591,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/c000003\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_upgrade_nodepool.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_upgrade_nodepool.yaml index 31f4264efca..c4ed1689a99 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_upgrade_nodepool.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_aks_upgrade_nodepool.yaml @@ -115,7 +115,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -704,7 +704,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -794,7 +794,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/nodepool1\",\n @@ -864,7 +864,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin\",\n @@ -1501,7 +1501,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin\",\n @@ -1561,7 +1561,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -1698,7 +1698,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -4013,7 +4013,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001\",\n @@ -4115,7 +4115,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin\",\n @@ -4188,7 +4188,7 @@ interactions: WindowsContainerRuntime: - containerd method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin\",\n @@ -4301,7 +4301,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001/agentPools/npwin\",\n @@ -4363,7 +4363,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000001?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_get_os_options.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_get_os_options.yaml index 24875c29013..2efafc6c98f 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_get_os_options.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_get_os_options.yaml @@ -16,7 +16,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/osOptions/default?api-version=2023-01-02-preview&resource-type=managedClusters + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/osOptions/default?api-version=2022-11-02-preview&resource-type=managedClusters response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westus2/osOptions/default\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_get_trustedaccess_roles.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_get_trustedaccess_roles.yaml index 1ef6cd36502..de386a549f3 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_get_trustedaccess_roles.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_get_trustedaccess_roles.yaml @@ -16,7 +16,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus/trustedAccessRoles?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus/trustedAccessRoles?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"sourceResourceType\": \"Microsoft.Compute/virtualMachineScaleSets\",\n diff --git a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_node_public_ip_tags.yaml b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_node_public_ip_tags.yaml index 6e1e1ab7b38..b98be4ae85a 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_node_public_ip_tags.yaml +++ b/src/aks-preview/azext_aks_preview/tests/latest/recordings/test_node_public_ip_tags.yaml @@ -38,7 +38,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -618,7 +618,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002\",\n @@ -711,7 +711,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools?api-version=2022-11-02-preview response: body: string: "{\n \"value\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000003\",\n @@ -787,7 +787,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000004?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000004?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000004\",\n @@ -1291,7 +1291,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000004?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000004?api-version=2022-11-02-preview response: body: string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002/agentPools/n000004\",\n @@ -1354,7 +1354,7 @@ interactions: - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.7.0b Python/3.8.10 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.29) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2023-01-02-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest000001/providers/Microsoft.ContainerService/managedClusters/cliakstest000002?api-version=2022-11-02-preview response: body: string: '' diff --git a/src/aks-preview/azext_aks_preview/tests/latest/test_aks_commands.py b/src/aks-preview/azext_aks_preview/tests/latest/test_aks_commands.py index f7236e4ad67..31197740dcb 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/test_aks_commands.py +++ b/src/aks-preview/azext_aks_preview/tests/latest/test_aks_commands.py @@ -48,16 +48,6 @@ def _get_versions(self, location): prefix = upgrade_version[:upgrade_version.rfind('.')] create_version = next(x for x in versions if not x.startswith(prefix)) return create_version, upgrade_version - - def _get_version_in_range(self, location: str, min_version: str, max_version: str) -> str: - """Return the version which is greater than min_version and less than max_version.""" - versions = self.cmd( - "az aks get-versions -l {} --query 'orchestrators[].orchestratorVersion'".format(location)).get_output_in_json() - versions = sorted(versions, key=version_to_tuple, reverse=True) - for version in versions: - if version > min_version and version < max_version: - return version - return "" @classmethod def generate_ssh_keys(cls): @@ -309,21 +299,16 @@ def test_aks_create_and_update_with_managed_aad_enable_azure_rbac(self, resource @AllowLargeResponse() @AKSCustomResourceGroupPreparer(random_name_length=17, name_prefix='clitest', location='westus2') def test_aks_create_and_update_with_node_restriction(self, resource_group, resource_group_location): - specific_version = self._get_version_in_range(resource_group_location, "1.22.0", "1.24.0") - if specific_version == "": - # supported versions do not meet test requirements, skip - return aks_name = self.create_random_name('cliakstest', 16) self.kwargs.update({ 'resource_group': resource_group, 'name': aks_name, - 'ssh_key_value': self.generate_ssh_keys(), - 'k8s_version': specific_version + 'ssh_key_value': self.generate_ssh_keys() }) create_cmd = 'aks create --resource-group={resource_group} --name={name} ' \ '--vm-set-type VirtualMachineScaleSets -c 1 ' \ - '-k {k8s_version} --enable-node-restriction ' \ + '--enable-node-restriction ' \ '--ssh-key-value={ssh_key_value} -o json' self.cmd(create_cmd, checks=[ self.check('provisioningState', 'Succeeded'), @@ -4098,7 +4083,7 @@ def test_aks_create_with_enable_cilium_dataplane(self, resource_group, resource_ '--network-plugin azure --network-plugin-mode overlay --ssh-key-value={ssh_key_value} ' \ '--pod-cidr 10.244.0.0/16 --node-count 1 ' \ '--enable-cilium-dataplane ' \ - '--aks-custom-headers AKSHTTPCustomFeatures=Microsoft.ContainerService/CiliumDataplanePreview,AKSHTTPCustomFeatures=Microsoft.ContainerService/AzureOverlayPreview' + '--aks-custom-headers AKSHTTPCustomFeatures=Microsoft.ContainerService/CiliumDataplanePreview' self.cmd(create_cmd, checks=[ self.check('provisioningState', 'Succeeded'), self.check('networkProfile.podCidr', '10.244.0.0/16'), diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/_container_service_client.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/_container_service_client.py index d7a59170eb3..a24d5c92252 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/_container_service_client.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/_container_service_client.py @@ -53,7 +53,7 @@ class ContainerServiceClient(MultiApiClientMixin, _SDKClient): :keyword int polling_interval: Default waiting time between two polls for LRO operations if no Retry-After header is present. """ - DEFAULT_API_VERSION = '2023-01-01' + DEFAULT_API_VERSION = '2022-11-01' _PROFILE_TAG = "azure.mgmt.containerservice.ContainerServiceClient" LATEST_PROFILE = ProfileDefinition({ _PROFILE_TAG: { @@ -140,8 +140,6 @@ def models(cls, api_version=DEFAULT_API_VERSION): * 2022-10-02-preview: :mod:`v2022_10_02_preview.models` * 2022-11-01: :mod:`v2022_11_01.models` * 2022-11-02-preview: :mod:`v2022_11_02_preview.models` - * 2023-01-01: :mod:`v2023_01_01.models` - * 2023-01-02-preview: :mod:`v2023_01_02_preview.models` """ if api_version == '2017-07-01': from .v2017_07_01 import models @@ -293,12 +291,6 @@ def models(cls, api_version=DEFAULT_API_VERSION): elif api_version == '2022-11-02-preview': from .v2022_11_02_preview import models return models - elif api_version == '2023-01-01': - from .v2023_01_01 import models - return models - elif api_version == '2023-01-02-preview': - from .v2023_01_02_preview import models - return models raise ValueError("API version {} is not available".format(api_version)) @property @@ -348,8 +340,6 @@ def agent_pools(self): * 2022-10-02-preview: :class:`AgentPoolsOperations` * 2022-11-01: :class:`AgentPoolsOperations` * 2022-11-02-preview: :class:`AgentPoolsOperations` - * 2023-01-01: :class:`AgentPoolsOperations` - * 2023-01-02-preview: :class:`AgentPoolsOperations` """ api_version = self._get_api_version('agent_pools') if api_version == '2019-02-01': @@ -438,10 +428,6 @@ def agent_pools(self): from .v2022_11_01.operations import AgentPoolsOperations as OperationClass elif api_version == '2022-11-02-preview': from .v2022_11_02_preview.operations import AgentPoolsOperations as OperationClass - elif api_version == '2023-01-01': - from .v2023_01_01.operations import AgentPoolsOperations as OperationClass - elif api_version == '2023-01-02-preview': - from .v2023_01_02_preview.operations import AgentPoolsOperations as OperationClass else: raise ValueError("API version {} does not have operation group 'agent_pools'".format(api_version)) self._config.api_version = api_version @@ -534,8 +520,6 @@ def maintenance_configurations(self): * 2022-10-02-preview: :class:`MaintenanceConfigurationsOperations` * 2022-11-01: :class:`MaintenanceConfigurationsOperations` * 2022-11-02-preview: :class:`MaintenanceConfigurationsOperations` - * 2023-01-01: :class:`MaintenanceConfigurationsOperations` - * 2023-01-02-preview: :class:`MaintenanceConfigurationsOperations` """ api_version = self._get_api_version('maintenance_configurations') if api_version == '2020-12-01': @@ -596,10 +580,6 @@ def maintenance_configurations(self): from .v2022_11_01.operations import MaintenanceConfigurationsOperations as OperationClass elif api_version == '2022-11-02-preview': from .v2022_11_02_preview.operations import MaintenanceConfigurationsOperations as OperationClass - elif api_version == '2023-01-01': - from .v2023_01_01.operations import MaintenanceConfigurationsOperations as OperationClass - elif api_version == '2023-01-02-preview': - from .v2023_01_02_preview.operations import MaintenanceConfigurationsOperations as OperationClass else: raise ValueError("API version {} does not have operation group 'maintenance_configurations'".format(api_version)) self._config.api_version = api_version @@ -620,7 +600,6 @@ def managed_cluster_snapshots(self): * 2022-09-02-preview: :class:`ManagedClusterSnapshotsOperations` * 2022-10-02-preview: :class:`ManagedClusterSnapshotsOperations` * 2022-11-02-preview: :class:`ManagedClusterSnapshotsOperations` - * 2023-01-02-preview: :class:`ManagedClusterSnapshotsOperations` """ api_version = self._get_api_version('managed_cluster_snapshots') if api_version == '2022-02-02-preview': @@ -645,8 +624,6 @@ def managed_cluster_snapshots(self): from .v2022_10_02_preview.operations import ManagedClusterSnapshotsOperations as OperationClass elif api_version == '2022-11-02-preview': from .v2022_11_02_preview.operations import ManagedClusterSnapshotsOperations as OperationClass - elif api_version == '2023-01-02-preview': - from .v2023_01_02_preview.operations import ManagedClusterSnapshotsOperations as OperationClass else: raise ValueError("API version {} does not have operation group 'managed_cluster_snapshots'".format(api_version)) self._config.api_version = api_version @@ -701,8 +678,6 @@ def managed_clusters(self): * 2022-10-02-preview: :class:`ManagedClustersOperations` * 2022-11-01: :class:`ManagedClustersOperations` * 2022-11-02-preview: :class:`ManagedClustersOperations` - * 2023-01-01: :class:`ManagedClustersOperations` - * 2023-01-02-preview: :class:`ManagedClustersOperations` """ api_version = self._get_api_version('managed_clusters') if api_version == '2018-03-31': @@ -795,10 +770,6 @@ def managed_clusters(self): from .v2022_11_01.operations import ManagedClustersOperations as OperationClass elif api_version == '2022-11-02-preview': from .v2022_11_02_preview.operations import ManagedClustersOperations as OperationClass - elif api_version == '2023-01-01': - from .v2023_01_01.operations import ManagedClustersOperations as OperationClass - elif api_version == '2023-01-02-preview': - from .v2023_01_02_preview.operations import ManagedClustersOperations as OperationClass else: raise ValueError("API version {} does not have operation group 'managed_clusters'".format(api_version)) self._config.api_version = api_version @@ -876,8 +847,6 @@ def operations(self): * 2022-10-02-preview: :class:`Operations` * 2022-11-01: :class:`Operations` * 2022-11-02-preview: :class:`Operations` - * 2023-01-01: :class:`Operations` - * 2023-01-02-preview: :class:`Operations` """ api_version = self._get_api_version('operations') if api_version == '2018-03-31': @@ -970,10 +939,6 @@ def operations(self): from .v2022_11_01.operations import Operations as OperationClass elif api_version == '2022-11-02-preview': from .v2022_11_02_preview.operations import Operations as OperationClass - elif api_version == '2023-01-01': - from .v2023_01_01.operations import Operations as OperationClass - elif api_version == '2023-01-02-preview': - from .v2023_01_02_preview.operations import Operations as OperationClass else: raise ValueError("API version {} does not have operation group 'operations'".format(api_version)) self._config.api_version = api_version @@ -1016,8 +981,6 @@ def private_endpoint_connections(self): * 2022-10-02-preview: :class:`PrivateEndpointConnectionsOperations` * 2022-11-01: :class:`PrivateEndpointConnectionsOperations` * 2022-11-02-preview: :class:`PrivateEndpointConnectionsOperations` - * 2023-01-01: :class:`PrivateEndpointConnectionsOperations` - * 2023-01-02-preview: :class:`PrivateEndpointConnectionsOperations` """ api_version = self._get_api_version('private_endpoint_connections') if api_version == '2020-06-01': @@ -1086,10 +1049,6 @@ def private_endpoint_connections(self): from .v2022_11_01.operations import PrivateEndpointConnectionsOperations as OperationClass elif api_version == '2022-11-02-preview': from .v2022_11_02_preview.operations import PrivateEndpointConnectionsOperations as OperationClass - elif api_version == '2023-01-01': - from .v2023_01_01.operations import PrivateEndpointConnectionsOperations as OperationClass - elif api_version == '2023-01-02-preview': - from .v2023_01_02_preview.operations import PrivateEndpointConnectionsOperations as OperationClass else: raise ValueError("API version {} does not have operation group 'private_endpoint_connections'".format(api_version)) self._config.api_version = api_version @@ -1130,8 +1089,6 @@ def private_link_resources(self): * 2022-10-02-preview: :class:`PrivateLinkResourcesOperations` * 2022-11-01: :class:`PrivateLinkResourcesOperations` * 2022-11-02-preview: :class:`PrivateLinkResourcesOperations` - * 2023-01-01: :class:`PrivateLinkResourcesOperations` - * 2023-01-02-preview: :class:`PrivateLinkResourcesOperations` """ api_version = self._get_api_version('private_link_resources') if api_version == '2020-09-01': @@ -1196,10 +1153,6 @@ def private_link_resources(self): from .v2022_11_01.operations import PrivateLinkResourcesOperations as OperationClass elif api_version == '2022-11-02-preview': from .v2022_11_02_preview.operations import PrivateLinkResourcesOperations as OperationClass - elif api_version == '2023-01-01': - from .v2023_01_01.operations import PrivateLinkResourcesOperations as OperationClass - elif api_version == '2023-01-02-preview': - from .v2023_01_02_preview.operations import PrivateLinkResourcesOperations as OperationClass else: raise ValueError("API version {} does not have operation group 'private_link_resources'".format(api_version)) self._config.api_version = api_version @@ -1240,8 +1193,6 @@ def resolve_private_link_service_id(self): * 2022-10-02-preview: :class:`ResolvePrivateLinkServiceIdOperations` * 2022-11-01: :class:`ResolvePrivateLinkServiceIdOperations` * 2022-11-02-preview: :class:`ResolvePrivateLinkServiceIdOperations` - * 2023-01-01: :class:`ResolvePrivateLinkServiceIdOperations` - * 2023-01-02-preview: :class:`ResolvePrivateLinkServiceIdOperations` """ api_version = self._get_api_version('resolve_private_link_service_id') if api_version == '2020-09-01': @@ -1306,10 +1257,6 @@ def resolve_private_link_service_id(self): from .v2022_11_01.operations import ResolvePrivateLinkServiceIdOperations as OperationClass elif api_version == '2022-11-02-preview': from .v2022_11_02_preview.operations import ResolvePrivateLinkServiceIdOperations as OperationClass - elif api_version == '2023-01-01': - from .v2023_01_01.operations import ResolvePrivateLinkServiceIdOperations as OperationClass - elif api_version == '2023-01-02-preview': - from .v2023_01_02_preview.operations import ResolvePrivateLinkServiceIdOperations as OperationClass else: raise ValueError("API version {} does not have operation group 'resolve_private_link_service_id'".format(api_version)) self._config.api_version = api_version @@ -1343,8 +1290,6 @@ def snapshots(self): * 2022-10-02-preview: :class:`SnapshotsOperations` * 2022-11-01: :class:`SnapshotsOperations` * 2022-11-02-preview: :class:`SnapshotsOperations` - * 2023-01-01: :class:`SnapshotsOperations` - * 2023-01-02-preview: :class:`SnapshotsOperations` """ api_version = self._get_api_version('snapshots') if api_version == '2021-08-01': @@ -1395,10 +1340,6 @@ def snapshots(self): from .v2022_11_01.operations import SnapshotsOperations as OperationClass elif api_version == '2022-11-02-preview': from .v2022_11_02_preview.operations import SnapshotsOperations as OperationClass - elif api_version == '2023-01-01': - from .v2023_01_01.operations import SnapshotsOperations as OperationClass - elif api_version == '2023-01-02-preview': - from .v2023_01_02_preview.operations import SnapshotsOperations as OperationClass else: raise ValueError("API version {} does not have operation group 'snapshots'".format(api_version)) self._config.api_version = api_version @@ -1417,7 +1358,6 @@ def trusted_access_role_bindings(self): * 2022-09-02-preview: :class:`TrustedAccessRoleBindingsOperations` * 2022-10-02-preview: :class:`TrustedAccessRoleBindingsOperations` * 2022-11-02-preview: :class:`TrustedAccessRoleBindingsOperations` - * 2023-01-02-preview: :class:`TrustedAccessRoleBindingsOperations` """ api_version = self._get_api_version('trusted_access_role_bindings') if api_version == '2022-04-02-preview': @@ -1438,8 +1378,6 @@ def trusted_access_role_bindings(self): from .v2022_10_02_preview.operations import TrustedAccessRoleBindingsOperations as OperationClass elif api_version == '2022-11-02-preview': from .v2022_11_02_preview.operations import TrustedAccessRoleBindingsOperations as OperationClass - elif api_version == '2023-01-02-preview': - from .v2023_01_02_preview.operations import TrustedAccessRoleBindingsOperations as OperationClass else: raise ValueError("API version {} does not have operation group 'trusted_access_role_bindings'".format(api_version)) self._config.api_version = api_version @@ -1458,7 +1396,6 @@ def trusted_access_roles(self): * 2022-09-02-preview: :class:`TrustedAccessRolesOperations` * 2022-10-02-preview: :class:`TrustedAccessRolesOperations` * 2022-11-02-preview: :class:`TrustedAccessRolesOperations` - * 2023-01-02-preview: :class:`TrustedAccessRolesOperations` """ api_version = self._get_api_version('trusted_access_roles') if api_version == '2022-04-02-preview': @@ -1479,8 +1416,6 @@ def trusted_access_roles(self): from .v2022_10_02_preview.operations import TrustedAccessRolesOperations as OperationClass elif api_version == '2022-11-02-preview': from .v2022_11_02_preview.operations import TrustedAccessRolesOperations as OperationClass - elif api_version == '2023-01-02-preview': - from .v2023_01_02_preview.operations import TrustedAccessRolesOperations as OperationClass else: raise ValueError("API version {} does not have operation group 'trusted_access_roles'".format(api_version)) self._config.api_version = api_version diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/_serialization.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/_serialization.py index 25467dfc00b..2c170e28dbc 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/_serialization.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/_serialization.py @@ -38,22 +38,7 @@ import re import sys import codecs -from typing import ( - Dict, - Any, - cast, - Optional, - Union, - AnyStr, - IO, - Mapping, - Callable, - TypeVar, - MutableMapping, - Type, - List, - Mapping, -) +from typing import Optional, Union, AnyStr, IO, Mapping try: from urllib import quote # type: ignore @@ -63,14 +48,12 @@ import isodate # type: ignore +from typing import Dict, Any, cast + from azure.core.exceptions import DeserializationError, SerializationError, raise_with_traceback -from azure.core.serialization import NULL as AzureCoreNull _BOM = codecs.BOM_UTF8.decode(encoding="utf-8") -ModelType = TypeVar("ModelType", bound="Model") -JSON = MutableMapping[str, Any] - class RawDeserializer: @@ -294,8 +277,8 @@ class Model(object): _attribute_map: Dict[str, Dict[str, Any]] = {} _validation: Dict[str, Dict[str, Any]] = {} - def __init__(self, **kwargs: Any) -> None: - self.additional_properties: Dict[str, Any] = {} + def __init__(self, **kwargs): + self.additional_properties = {} for k in kwargs: if k not in self._attribute_map: _LOGGER.warning("%s is not a known attribute of class %s and will be ignored", k, self.__class__) @@ -304,25 +287,25 @@ def __init__(self, **kwargs: Any) -> None: else: setattr(self, k, kwargs[k]) - def __eq__(self, other: Any) -> bool: + def __eq__(self, other): """Compare objects by comparing all attributes.""" if isinstance(other, self.__class__): return self.__dict__ == other.__dict__ return False - def __ne__(self, other: Any) -> bool: + def __ne__(self, other): """Compare objects by comparing all attributes.""" return not self.__eq__(other) - def __str__(self) -> str: + def __str__(self): return str(self.__dict__) @classmethod - def enable_additional_properties_sending(cls) -> None: + def enable_additional_properties_sending(cls): cls._attribute_map["additional_properties"] = {"key": "", "type": "{object}"} @classmethod - def is_xml_model(cls) -> bool: + def is_xml_model(cls): try: cls._xml_map # type: ignore except AttributeError: @@ -339,7 +322,7 @@ def _create_xml_node(cls): return _create_xml_node(xml_map.get("name", cls.__name__), xml_map.get("prefix", None), xml_map.get("ns", None)) - def serialize(self, keep_readonly: bool = False, **kwargs: Any) -> JSON: + def serialize(self, keep_readonly=False, **kwargs): """Return the JSON that would be sent to azure from this model. This is an alias to `as_dict(full_restapi_key_transformer, keep_readonly=False)`. @@ -353,15 +336,8 @@ def serialize(self, keep_readonly: bool = False, **kwargs: Any) -> JSON: serializer = Serializer(self._infer_class_models()) return serializer._serialize(self, keep_readonly=keep_readonly, **kwargs) - def as_dict( - self, - keep_readonly: bool = True, - key_transformer: Callable[ - [str, Dict[str, Any], Any], Any - ] = attribute_transformer, - **kwargs: Any - ) -> JSON: - """Return a dict that can be serialized using json.dump. + def as_dict(self, keep_readonly=True, key_transformer=attribute_transformer, **kwargs): + """Return a dict that can be JSONify using json.dump. Advanced usage might optionally use a callback as parameter: @@ -408,7 +384,7 @@ def _infer_class_models(cls): return client_models @classmethod - def deserialize(cls: Type[ModelType], data: Any, content_type: Optional[str] = None) -> ModelType: + def deserialize(cls, data, content_type=None): """Parse a str using the RestAPI syntax and return a model. :param str data: A str using RestAPI structure. JSON by default. @@ -420,12 +396,7 @@ def deserialize(cls: Type[ModelType], data: Any, content_type: Optional[str] = N return deserializer(cls.__name__, data, content_type=content_type) @classmethod - def from_dict( - cls: Type[ModelType], - data: Any, - key_extractors: Optional[Callable[[str, Dict[str, Any], Any], Any]] = None, - content_type: Optional[str] = None, - ) -> ModelType: + def from_dict(cls, data, key_extractors=None, content_type=None): """Parse a dict using given key extractor return a model. By default consider key @@ -438,8 +409,8 @@ def from_dict( :raises: DeserializationError if something went wrong """ deserializer = Deserializer(cls._infer_class_models()) - deserializer.key_extractors = ( # type: ignore - [ # type: ignore + deserializer.key_extractors = ( + [ attribute_key_case_insensitive_extractor, rest_key_case_insensitive_extractor, last_rest_key_case_insensitive_extractor, @@ -547,7 +518,7 @@ class Serializer(object): "multiple": lambda x, y: x % y != 0, } - def __init__(self, classes: Optional[Mapping[str, Type[ModelType]]]=None): + def __init__(self, classes=None): self.serialize_type = { "iso-8601": Serializer.serialize_iso, "rfc-1123": Serializer.serialize_rfc, @@ -563,7 +534,7 @@ def __init__(self, classes: Optional[Mapping[str, Type[ModelType]]]=None): "[]": self.serialize_iter, "{}": self.serialize_dict, } - self.dependencies: Dict[str, Type[ModelType]] = dict(classes) if classes else {} + self.dependencies = dict(classes) if classes else {} self.key_transformer = full_restapi_key_transformer self.client_side_validation = True @@ -655,7 +626,8 @@ def _serialize(self, target_obj, data_type=None, **kwargs): serialized.append(local_node) # type: ignore else: # JSON for k in reversed(keys): # type: ignore - new_attr = {k: new_attr} + unflattened = {k: new_attr} + new_attr = unflattened _new_attr = new_attr _serialized = serialized @@ -684,8 +656,8 @@ def body(self, data, data_type, **kwargs): """ # Just in case this is a dict - internal_data_type_str = data_type.strip("[]{}") - internal_data_type = self.dependencies.get(internal_data_type_str, None) + internal_data_type = data_type.strip("[]{}") + internal_data_type = self.dependencies.get(internal_data_type, None) try: is_xml_model_serialization = kwargs["is_xml"] except KeyError: @@ -805,8 +777,6 @@ def serialize_data(self, data, data_type, **kwargs): raise ValueError("No value for given attribute") try: - if data is AzureCoreNull: - return None if data_type in self.basic_types.values(): return self.serialize_basic(data, data_type, **kwargs) @@ -1191,8 +1161,7 @@ def rest_key_extractor(attr, attr_desc, data): working_data = data while "." in key: - # Need the cast, as for some reasons "split" is typed as list[str | Any] - dict_keys = cast(List[str], _FLATTEN.split(key)) + dict_keys = _FLATTEN.split(key) if len(dict_keys) == 1: key = _decode_attribute_map_key(dict_keys[0]) break @@ -1363,7 +1332,7 @@ class Deserializer(object): valid_date = re.compile(r"\d{4}[-]\d{2}[-]\d{2}T\d{2}:\d{2}:\d{2}" r"\.?\d*Z?[-+]?[\d{2}]?:?[\d{2}]?") - def __init__(self, classes: Optional[Mapping[str, Type[ModelType]]]=None): + def __init__(self, classes=None): self.deserialize_type = { "iso-8601": Deserializer.deserialize_iso, "rfc-1123": Deserializer.deserialize_rfc, @@ -1383,7 +1352,7 @@ def __init__(self, classes: Optional[Mapping[str, Type[ModelType]]]=None): "duration": (isodate.Duration, datetime.timedelta), "iso-8601": (datetime.datetime), } - self.dependencies: Dict[str, Type[ModelType]] = dict(classes) if classes else {} + self.dependencies = dict(classes) if classes else {} self.key_extractors = [rest_key_extractor, xml_key_extractor] # Additional properties only works if the "rest_key_extractor" is used to # extract the keys. Making it to work whatever the key extractor is too much @@ -1502,7 +1471,7 @@ def _classify_target(self, target, data): Once classification has been determined, initialize object. :param str target: The target object type to deserialize to. - :param str/dict data: The response data to deserialize. + :param str/dict data: The response data to deseralize. """ if target is None: return None, None @@ -1517,7 +1486,7 @@ def _classify_target(self, target, data): target = target._classify(data, self.dependencies) except AttributeError: pass # Target is not a Model, no classify - return target, target.__class__.__name__ # type: ignore + return target, target.__class__.__name__ def failsafe_deserialize(self, target_obj, data, content_type=None): """Ignores any errors encountered in deserialization, @@ -1527,7 +1496,7 @@ def failsafe_deserialize(self, target_obj, data, content_type=None): a deserialization error. :param str target_obj: The target object type to deserialize to. - :param str/dict data: The response data to deserialize. + :param str/dict data: The response data to deseralize. :param str content_type: Swagger "produces" if available. """ try: diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/_version.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/_version.py index 5d802ad1772..262c940e952 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/_version.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/_version.py @@ -9,4 +9,4 @@ # regenerated. # -------------------------------------------------------------------------- -VERSION = "21.1.0b" +VERSION = "21.0.0b" diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/models.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/models.py index aefd4ad4d36..438be1acb0a 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/models.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/models.py @@ -5,4 +5,4 @@ # license information. # -------------------------------------------------------------------------- from .v2017_07_01.models import * -from .v2023_01_02_preview.models import * +from .v2022_11_02_preview.models import * diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/__init__.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/__init__.py similarity index 100% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/__init__.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/__init__.py diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/_configuration.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/_configuration.py similarity index 95% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/_configuration.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/_configuration.py index c2f8eb01ca0..99ac834ca11 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/_configuration.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/_configuration.py @@ -35,14 +35,14 @@ class ContainerServiceClientConfiguration(Configuration): # pylint: disable=too :type credential: ~azure.core.credentials.TokenCredential :param subscription_id: The ID of the target subscription. Required. :type subscription_id: str - :keyword api_version: Api Version. Default value is "2023-01-02-preview". Note that overriding + :keyword api_version: Api Version. Default value is "2022-11-02-preview". Note that overriding this default value may result in unsupported behavior. :paramtype api_version: str """ def __init__(self, credential: "TokenCredential", subscription_id: str, **kwargs: Any) -> None: super(ContainerServiceClientConfiguration, self).__init__(**kwargs) - api_version: Literal["2023-01-02-preview"] = kwargs.pop("api_version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop("api_version", "2022-11-02-preview") if credential is None: raise ValueError("Parameter 'credential' must not be None.") diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/_container_service_client.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/_container_service_client.py similarity index 89% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/_container_service_client.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/_container_service_client.py index e961cbd5ec5..9ff745d4f0c 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/_container_service_client.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/_container_service_client.py @@ -38,44 +38,44 @@ class ContainerServiceClient: # pylint: disable=client-accepts-api-version-keyw """The Container Service Client. :ivar operations: Operations operations - :vartype operations: azure.mgmt.containerservice.v2023_01_02_preview.operations.Operations + :vartype operations: azure.mgmt.containerservice.v2022_11_02_preview.operations.Operations :ivar managed_clusters: ManagedClustersOperations operations :vartype managed_clusters: - azure.mgmt.containerservice.v2023_01_02_preview.operations.ManagedClustersOperations + azure.mgmt.containerservice.v2022_11_02_preview.operations.ManagedClustersOperations :ivar maintenance_configurations: MaintenanceConfigurationsOperations operations :vartype maintenance_configurations: - azure.mgmt.containerservice.v2023_01_02_preview.operations.MaintenanceConfigurationsOperations + azure.mgmt.containerservice.v2022_11_02_preview.operations.MaintenanceConfigurationsOperations :ivar agent_pools: AgentPoolsOperations operations :vartype agent_pools: - azure.mgmt.containerservice.v2023_01_02_preview.operations.AgentPoolsOperations + azure.mgmt.containerservice.v2022_11_02_preview.operations.AgentPoolsOperations :ivar private_endpoint_connections: PrivateEndpointConnectionsOperations operations :vartype private_endpoint_connections: - azure.mgmt.containerservice.v2023_01_02_preview.operations.PrivateEndpointConnectionsOperations + azure.mgmt.containerservice.v2022_11_02_preview.operations.PrivateEndpointConnectionsOperations :ivar private_link_resources: PrivateLinkResourcesOperations operations :vartype private_link_resources: - azure.mgmt.containerservice.v2023_01_02_preview.operations.PrivateLinkResourcesOperations + azure.mgmt.containerservice.v2022_11_02_preview.operations.PrivateLinkResourcesOperations :ivar resolve_private_link_service_id: ResolvePrivateLinkServiceIdOperations operations :vartype resolve_private_link_service_id: - azure.mgmt.containerservice.v2023_01_02_preview.operations.ResolvePrivateLinkServiceIdOperations + azure.mgmt.containerservice.v2022_11_02_preview.operations.ResolvePrivateLinkServiceIdOperations :ivar snapshots: SnapshotsOperations operations :vartype snapshots: - azure.mgmt.containerservice.v2023_01_02_preview.operations.SnapshotsOperations + azure.mgmt.containerservice.v2022_11_02_preview.operations.SnapshotsOperations :ivar managed_cluster_snapshots: ManagedClusterSnapshotsOperations operations :vartype managed_cluster_snapshots: - azure.mgmt.containerservice.v2023_01_02_preview.operations.ManagedClusterSnapshotsOperations + azure.mgmt.containerservice.v2022_11_02_preview.operations.ManagedClusterSnapshotsOperations :ivar trusted_access_roles: TrustedAccessRolesOperations operations :vartype trusted_access_roles: - azure.mgmt.containerservice.v2023_01_02_preview.operations.TrustedAccessRolesOperations + azure.mgmt.containerservice.v2022_11_02_preview.operations.TrustedAccessRolesOperations :ivar trusted_access_role_bindings: TrustedAccessRoleBindingsOperations operations :vartype trusted_access_role_bindings: - azure.mgmt.containerservice.v2023_01_02_preview.operations.TrustedAccessRoleBindingsOperations + azure.mgmt.containerservice.v2022_11_02_preview.operations.TrustedAccessRoleBindingsOperations :param credential: Credential needed for the client to connect to Azure. Required. :type credential: ~azure.core.credentials.TokenCredential :param subscription_id: The ID of the target subscription. Required. :type subscription_id: str :param base_url: Service URL. Default value is "https://management.azure.com". :type base_url: str - :keyword api_version: Api Version. Default value is "2023-01-02-preview". Note that overriding + :keyword api_version: Api Version. Default value is "2022-11-02-preview". Note that overriding this default value may result in unsupported behavior. :paramtype api_version: str :keyword int polling_interval: Default waiting time between two polls for LRO operations if no @@ -155,5 +155,5 @@ def __enter__(self) -> "ContainerServiceClient": self._client.__enter__() return self - def __exit__(self, *exc_details: Any) -> None: + def __exit__(self, *exc_details) -> None: self._client.__exit__(*exc_details) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/_patch.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/_patch.py similarity index 100% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/_patch.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/_patch.py diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/_vendor.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/_vendor.py similarity index 85% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/_vendor.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/_vendor.py index bd0df84f531..9aad73fc743 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/_vendor.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/_vendor.py @@ -5,8 +5,6 @@ # Changes may cause incorrect behavior and will be lost if the code is regenerated. # -------------------------------------------------------------------------- -from typing import List, cast - from azure.core.pipeline.transport import HttpRequest @@ -24,7 +22,6 @@ def _format_url_section(template, **kwargs): try: return template.format(**kwargs) except KeyError as key: - # Need the cast, as for some reasons "split" is typed as list[str | Any] - formatted_components = cast(List[str], template.split("/")) + formatted_components = template.split("/") components = [c for c in formatted_components if "{}".format(key.args[0]) not in c] template = "/".join(components) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/_version.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/_version.py similarity index 100% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/_version.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/_version.py diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/__init__.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/__init__.py similarity index 100% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/__init__.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/__init__.py diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/_configuration.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/_configuration.py similarity index 95% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/_configuration.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/_configuration.py index 3e464e851d6..057522a9f88 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/_configuration.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/_configuration.py @@ -35,14 +35,14 @@ class ContainerServiceClientConfiguration(Configuration): # pylint: disable=too :type credential: ~azure.core.credentials_async.AsyncTokenCredential :param subscription_id: The ID of the target subscription. Required. :type subscription_id: str - :keyword api_version: Api Version. Default value is "2023-01-02-preview". Note that overriding + :keyword api_version: Api Version. Default value is "2022-11-02-preview". Note that overriding this default value may result in unsupported behavior. :paramtype api_version: str """ def __init__(self, credential: "AsyncTokenCredential", subscription_id: str, **kwargs: Any) -> None: super(ContainerServiceClientConfiguration, self).__init__(**kwargs) - api_version: Literal["2023-01-02-preview"] = kwargs.pop("api_version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop("api_version", "2022-11-02-preview") if credential is None: raise ValueError("Parameter 'credential' must not be None.") diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/_container_service_client.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/_container_service_client.py similarity index 89% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/_container_service_client.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/_container_service_client.py index 2b0b8d5b9c0..0841911bbfc 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/_container_service_client.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/_container_service_client.py @@ -38,44 +38,44 @@ class ContainerServiceClient: # pylint: disable=client-accepts-api-version-keyw """The Container Service Client. :ivar operations: Operations operations - :vartype operations: azure.mgmt.containerservice.v2023_01_02_preview.aio.operations.Operations + :vartype operations: azure.mgmt.containerservice.v2022_11_02_preview.aio.operations.Operations :ivar managed_clusters: ManagedClustersOperations operations :vartype managed_clusters: - azure.mgmt.containerservice.v2023_01_02_preview.aio.operations.ManagedClustersOperations + azure.mgmt.containerservice.v2022_11_02_preview.aio.operations.ManagedClustersOperations :ivar maintenance_configurations: MaintenanceConfigurationsOperations operations :vartype maintenance_configurations: - azure.mgmt.containerservice.v2023_01_02_preview.aio.operations.MaintenanceConfigurationsOperations + azure.mgmt.containerservice.v2022_11_02_preview.aio.operations.MaintenanceConfigurationsOperations :ivar agent_pools: AgentPoolsOperations operations :vartype agent_pools: - azure.mgmt.containerservice.v2023_01_02_preview.aio.operations.AgentPoolsOperations + azure.mgmt.containerservice.v2022_11_02_preview.aio.operations.AgentPoolsOperations :ivar private_endpoint_connections: PrivateEndpointConnectionsOperations operations :vartype private_endpoint_connections: - azure.mgmt.containerservice.v2023_01_02_preview.aio.operations.PrivateEndpointConnectionsOperations + azure.mgmt.containerservice.v2022_11_02_preview.aio.operations.PrivateEndpointConnectionsOperations :ivar private_link_resources: PrivateLinkResourcesOperations operations :vartype private_link_resources: - azure.mgmt.containerservice.v2023_01_02_preview.aio.operations.PrivateLinkResourcesOperations + azure.mgmt.containerservice.v2022_11_02_preview.aio.operations.PrivateLinkResourcesOperations :ivar resolve_private_link_service_id: ResolvePrivateLinkServiceIdOperations operations :vartype resolve_private_link_service_id: - azure.mgmt.containerservice.v2023_01_02_preview.aio.operations.ResolvePrivateLinkServiceIdOperations + azure.mgmt.containerservice.v2022_11_02_preview.aio.operations.ResolvePrivateLinkServiceIdOperations :ivar snapshots: SnapshotsOperations operations :vartype snapshots: - azure.mgmt.containerservice.v2023_01_02_preview.aio.operations.SnapshotsOperations + azure.mgmt.containerservice.v2022_11_02_preview.aio.operations.SnapshotsOperations :ivar managed_cluster_snapshots: ManagedClusterSnapshotsOperations operations :vartype managed_cluster_snapshots: - azure.mgmt.containerservice.v2023_01_02_preview.aio.operations.ManagedClusterSnapshotsOperations + azure.mgmt.containerservice.v2022_11_02_preview.aio.operations.ManagedClusterSnapshotsOperations :ivar trusted_access_roles: TrustedAccessRolesOperations operations :vartype trusted_access_roles: - azure.mgmt.containerservice.v2023_01_02_preview.aio.operations.TrustedAccessRolesOperations + azure.mgmt.containerservice.v2022_11_02_preview.aio.operations.TrustedAccessRolesOperations :ivar trusted_access_role_bindings: TrustedAccessRoleBindingsOperations operations :vartype trusted_access_role_bindings: - azure.mgmt.containerservice.v2023_01_02_preview.aio.operations.TrustedAccessRoleBindingsOperations + azure.mgmt.containerservice.v2022_11_02_preview.aio.operations.TrustedAccessRoleBindingsOperations :param credential: Credential needed for the client to connect to Azure. Required. :type credential: ~azure.core.credentials_async.AsyncTokenCredential :param subscription_id: The ID of the target subscription. Required. :type subscription_id: str :param base_url: Service URL. Default value is "https://management.azure.com". :type base_url: str - :keyword api_version: Api Version. Default value is "2023-01-02-preview". Note that overriding + :keyword api_version: Api Version. Default value is "2022-11-02-preview". Note that overriding this default value may result in unsupported behavior. :paramtype api_version: str :keyword int polling_interval: Default waiting time between two polls for LRO operations if no @@ -155,5 +155,5 @@ async def __aenter__(self) -> "ContainerServiceClient": await self._client.__aenter__() return self - async def __aexit__(self, *exc_details: Any) -> None: + async def __aexit__(self, *exc_details) -> None: await self._client.__aexit__(*exc_details) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/_patch.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/_patch.py similarity index 100% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/_patch.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/_patch.py diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/__init__.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/__init__.py similarity index 100% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/__init__.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/__init__.py diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_agent_pools_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_agent_pools_operations.py similarity index 95% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_agent_pools_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_agent_pools_operations.py index b5d311a3e71..7f9e1ed2ef5 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_agent_pools_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_agent_pools_operations.py @@ -56,7 +56,7 @@ class AgentPoolsOperations: **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2023_01_02_preview.aio.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2022_11_02_preview.aio.ContainerServiceClient`'s :attr:`agent_pools` attribute. """ @@ -83,8 +83,8 @@ async def _abort_latest_operation_initial( # pylint: disable=inconsistent-retur _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) @@ -157,8 +157,8 @@ async def begin_abort_latest_operation( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) polling: Union[bool, AsyncPollingMethod] = kwargs.pop("polling", True) @@ -216,14 +216,14 @@ def list(self, resource_group_name: str, resource_name: str, **kwargs: Any) -> A :keyword callable cls: A custom type or function that will be passed the direct response :return: An iterator like instance of either AgentPool or the result of cls(response) :rtype: - ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPool] + ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPool] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.AgentPoolListResult] = kwargs.pop("cls", None) @@ -312,7 +312,7 @@ async def get( :type agent_pool_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: AgentPool or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPool + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPool :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -326,8 +326,8 @@ async def get( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.AgentPool] = kwargs.pop("cls", None) @@ -384,8 +384,8 @@ async def _create_or_update_initial( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.AgentPool] = kwargs.pop("cls", None) @@ -462,7 +462,7 @@ async def begin_create_or_update( :param agent_pool_name: The name of the agent pool. Required. :type agent_pool_name: str :param parameters: The agent pool to create or update. Required. - :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPool + :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPool :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str @@ -477,7 +477,7 @@ async def begin_create_or_update( :return: An instance of AsyncLROPoller that returns either AgentPool or the result of cls(response) :rtype: - ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPool] + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPool] :raises ~azure.core.exceptions.HttpResponseError: """ @@ -519,7 +519,7 @@ async def begin_create_or_update( :return: An instance of AsyncLROPoller that returns either AgentPool or the result of cls(response) :rtype: - ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPool] + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPool] :raises ~azure.core.exceptions.HttpResponseError: """ @@ -543,9 +543,9 @@ async def begin_create_or_update( :type resource_name: str :param agent_pool_name: The name of the agent pool. Required. :type agent_pool_name: str - :param parameters: The agent pool to create or update. Is either a AgentPool type or a IO type. + :param parameters: The agent pool to create or update. Is either a model type or a IO type. Required. - :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPool or IO + :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPool or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str @@ -560,14 +560,14 @@ async def begin_create_or_update( :return: An instance of AsyncLROPoller that returns either AgentPool or the result of cls(response) :rtype: - ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPool] + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPool] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.AgentPool] = kwargs.pop("cls", None) @@ -633,8 +633,8 @@ async def _delete_initial( # pylint: disable=inconsistent-return-statements _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) @@ -711,8 +711,8 @@ async def begin_delete( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) polling: Union[bool, AsyncPollingMethod] = kwargs.pop("polling", True) @@ -772,7 +772,7 @@ async def get_upgrade_profile( :type agent_pool_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: AgentPoolUpgradeProfile or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolUpgradeProfile + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolUpgradeProfile :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -786,8 +786,8 @@ async def get_upgrade_profile( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.AgentPoolUpgradeProfile] = kwargs.pop("cls", None) @@ -842,7 +842,7 @@ async def get_available_agent_pool_versions( :type resource_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: AgentPoolAvailableVersions or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolAvailableVersions + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolAvailableVersions :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -856,8 +856,8 @@ async def get_available_agent_pool_versions( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.AgentPoolAvailableVersions] = kwargs.pop("cls", None) @@ -908,8 +908,8 @@ async def _upgrade_node_image_version_initial( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[Optional[_models.AgentPool]] = kwargs.pop("cls", None) @@ -957,7 +957,7 @@ async def _upgrade_node_image_version_initial( @distributed_trace_async async def begin_upgrade_node_image_version( self, resource_group_name: str, resource_name: str, agent_pool_name: str, **kwargs: Any - ) -> AsyncLROPoller[_models.AgentPool]: + ) -> AsyncLROPoller[None]: """Upgrades the node image version of an agent pool to the latest. Upgrading the node image version of an agent pool applies the newest OS and runtime updates to @@ -982,14 +982,14 @@ async def begin_upgrade_node_image_version( :return: An instance of AsyncLROPoller that returns either AgentPool or the result of cls(response) :rtype: - ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPool] + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPool] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) polling: Union[bool, AsyncPollingMethod] = kwargs.pop("polling", True) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_maintenance_configurations_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_maintenance_configurations_operations.py similarity index 94% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_maintenance_configurations_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_maintenance_configurations_operations.py index 482c78a2777..9e6133acbe9 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_maintenance_configurations_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_maintenance_configurations_operations.py @@ -50,7 +50,7 @@ class MaintenanceConfigurationsOperations: **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2023_01_02_preview.aio.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2022_11_02_preview.aio.ContainerServiceClient`'s :attr:`maintenance_configurations` attribute. """ @@ -80,14 +80,14 @@ def list_by_managed_cluster( :return: An iterator like instance of either MaintenanceConfiguration or the result of cls(response) :rtype: - ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.MaintenanceConfiguration] + ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.MaintenanceConfiguration] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.MaintenanceConfigurationListResult] = kwargs.pop("cls", None) @@ -176,7 +176,7 @@ async def get( :type config_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: MaintenanceConfiguration or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.MaintenanceConfiguration + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.MaintenanceConfiguration :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -190,8 +190,8 @@ async def get( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.MaintenanceConfiguration] = kwargs.pop("cls", None) @@ -253,13 +253,13 @@ async def create_or_update( :type config_name: str :param parameters: The maintenance configuration to create or update. Required. :type parameters: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.MaintenanceConfiguration + ~azure.mgmt.containerservice.v2022_11_02_preview.models.MaintenanceConfiguration :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: MaintenanceConfiguration or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.MaintenanceConfiguration + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.MaintenanceConfiguration :raises ~azure.core.exceptions.HttpResponseError: """ @@ -292,7 +292,7 @@ async def create_or_update( :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: MaintenanceConfiguration or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.MaintenanceConfiguration + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.MaintenanceConfiguration :raises ~azure.core.exceptions.HttpResponseError: """ @@ -316,16 +316,16 @@ async def create_or_update( :type resource_name: str :param config_name: The name of the maintenance configuration. Required. :type config_name: str - :param parameters: The maintenance configuration to create or update. Is either a - MaintenanceConfiguration type or a IO type. Required. + :param parameters: The maintenance configuration to create or update. Is either a model type or + a IO type. Required. :type parameters: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.MaintenanceConfiguration or IO + ~azure.mgmt.containerservice.v2022_11_02_preview.models.MaintenanceConfiguration or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: MaintenanceConfiguration or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.MaintenanceConfiguration + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.MaintenanceConfiguration :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -339,8 +339,8 @@ async def create_or_update( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.MaintenanceConfiguration] = kwargs.pop("cls", None) @@ -421,8 +421,8 @@ async def delete( # pylint: disable=inconsistent-return-statements _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_managed_cluster_snapshots_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_managed_cluster_snapshots_operations.py similarity index 93% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_managed_cluster_snapshots_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_managed_cluster_snapshots_operations.py index bd3b60119cc..96f0e70c1b3 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_managed_cluster_snapshots_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_managed_cluster_snapshots_operations.py @@ -52,7 +52,7 @@ class ManagedClusterSnapshotsOperations: **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2023_01_02_preview.aio.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2022_11_02_preview.aio.ContainerServiceClient`'s :attr:`managed_cluster_snapshots` attribute. """ @@ -75,14 +75,14 @@ def list(self, **kwargs: Any) -> AsyncIterable["_models.ManagedClusterSnapshot"] :return: An iterator like instance of either ManagedClusterSnapshot or the result of cls(response) :rtype: - ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot] + ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.ManagedClusterSnapshotListResult] = kwargs.pop("cls", None) @@ -167,14 +167,14 @@ def list_by_resource_group( :return: An iterator like instance of either ManagedClusterSnapshot or the result of cls(response) :rtype: - ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot] + ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.ManagedClusterSnapshotListResult] = kwargs.pop("cls", None) @@ -258,7 +258,7 @@ async def get(self, resource_group_name: str, resource_name: str, **kwargs: Any) :type resource_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: ManagedClusterSnapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -272,8 +272,8 @@ async def get(self, resource_group_name: str, resource_name: str, **kwargs: Any) _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.ManagedClusterSnapshot] = kwargs.pop("cls", None) @@ -331,13 +331,13 @@ async def create_or_update( :type resource_name: str :param parameters: The managed cluster snapshot to create or update. Required. :type parameters: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: ManagedClusterSnapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot :raises ~azure.core.exceptions.HttpResponseError: """ @@ -367,7 +367,7 @@ async def create_or_update( :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: ManagedClusterSnapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot :raises ~azure.core.exceptions.HttpResponseError: """ @@ -388,16 +388,16 @@ async def create_or_update( :type resource_group_name: str :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str - :param parameters: The managed cluster snapshot to create or update. Is either a - ManagedClusterSnapshot type or a IO type. Required. + :param parameters: The managed cluster snapshot to create or update. Is either a model type or + a IO type. Required. :type parameters: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot or IO + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: ManagedClusterSnapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -411,8 +411,8 @@ async def create_or_update( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.ManagedClusterSnapshot] = kwargs.pop("cls", None) @@ -486,13 +486,13 @@ async def update_tags( :type resource_name: str :param parameters: Parameters supplied to the Update managed cluster snapshot Tags operation. Required. - :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.TagsObject + :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.TagsObject :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: ManagedClusterSnapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot :raises ~azure.core.exceptions.HttpResponseError: """ @@ -523,7 +523,7 @@ async def update_tags( :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: ManagedClusterSnapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot :raises ~azure.core.exceptions.HttpResponseError: """ @@ -541,14 +541,14 @@ async def update_tags( :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str :param parameters: Parameters supplied to the Update managed cluster snapshot Tags operation. - Is either a TagsObject type or a IO type. Required. - :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.TagsObject or IO + Is either a model type or a IO type. Required. + :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.TagsObject or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: ManagedClusterSnapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -562,8 +562,8 @@ async def update_tags( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.ManagedClusterSnapshot] = kwargs.pop("cls", None) @@ -641,8 +641,8 @@ async def delete( # pylint: disable=inconsistent-return-statements _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_managed_clusters_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_managed_clusters_operations.py similarity index 94% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_managed_clusters_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_managed_clusters_operations.py index 8734a320d27..dd4f6b26cc1 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_managed_clusters_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_managed_clusters_operations.py @@ -70,7 +70,7 @@ class ManagedClustersOperations: # pylint: disable=too-many-public-methods **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2023_01_02_preview.aio.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2022_11_02_preview.aio.ContainerServiceClient`'s :attr:`managed_clusters` attribute. """ @@ -98,7 +98,7 @@ async def get_os_options( :type resource_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: OSOptionProfile or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSOptionProfile + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSOptionProfile :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -112,8 +112,8 @@ async def get_os_options( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.OSOptionProfile] = kwargs.pop("cls", None) @@ -159,14 +159,14 @@ def list(self, **kwargs: Any) -> AsyncIterable["_models.ManagedCluster"]: :keyword callable cls: A custom type or function that will be passed the direct response :return: An iterator like instance of either ManagedCluster or the result of cls(response) :rtype: - ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster] + ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.ManagedClusterListResult] = kwargs.pop("cls", None) @@ -248,14 +248,14 @@ def list_by_resource_group( :keyword callable cls: A custom type or function that will be passed the direct response :return: An iterator like instance of either ManagedCluster or the result of cls(response) :rtype: - ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster] + ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.ManagedClusterListResult] = kwargs.pop("cls", None) @@ -341,7 +341,7 @@ async def get_upgrade_profile( :type resource_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: ManagedClusterUpgradeProfile or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterUpgradeProfile + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterUpgradeProfile :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -355,8 +355,8 @@ async def get_upgrade_profile( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.ManagedClusterUpgradeProfile] = kwargs.pop("cls", None) @@ -413,7 +413,7 @@ async def get_access_profile( :type role_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: ManagedClusterAccessProfile or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAccessProfile + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAccessProfile :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -427,8 +427,8 @@ async def get_access_profile( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.ManagedClusterAccessProfile] = kwargs.pop("cls", None) @@ -483,7 +483,7 @@ async def list_cluster_admin_credentials( :type server_fqdn: str :keyword callable cls: A custom type or function that will be passed the direct response :return: CredentialResults or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.CredentialResults + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.CredentialResults :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -497,8 +497,8 @@ async def list_cluster_admin_credentials( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.CredentialResults] = kwargs.pop("cls", None) @@ -560,10 +560,10 @@ async def list_cluster_user_credentials( 'azure' will return azure auth-provider kubeconfig; format 'exec' will return exec format kubeconfig, which requires kubelogin binary in the path. Known values are: "azure" and "exec". Default value is None. - :type format: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.Format + :type format: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.Format :keyword callable cls: A custom type or function that will be passed the direct response :return: CredentialResults or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.CredentialResults + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.CredentialResults :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -577,8 +577,8 @@ async def list_cluster_user_credentials( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.CredentialResults] = kwargs.pop("cls", None) @@ -634,7 +634,7 @@ async def list_cluster_monitoring_user_credentials( :type server_fqdn: str :keyword callable cls: A custom type or function that will be passed the direct response :return: CredentialResults or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.CredentialResults + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.CredentialResults :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -648,8 +648,8 @@ async def list_cluster_monitoring_user_credentials( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.CredentialResults] = kwargs.pop("cls", None) @@ -700,7 +700,7 @@ async def get(self, resource_group_name: str, resource_name: str, **kwargs: Any) :type resource_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: ManagedCluster or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -714,8 +714,8 @@ async def get(self, resource_group_name: str, resource_name: str, **kwargs: Any) _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.ManagedCluster] = kwargs.pop("cls", None) @@ -766,8 +766,8 @@ async def _create_or_update_initial( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.ManagedCluster] = kwargs.pop("cls", None) @@ -840,7 +840,7 @@ async def begin_create_or_update( :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str :param parameters: The managed cluster to create or update. Required. - :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster + :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str @@ -855,7 +855,7 @@ async def begin_create_or_update( :return: An instance of AsyncLROPoller that returns either ManagedCluster or the result of cls(response) :rtype: - ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster] + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster] :raises ~azure.core.exceptions.HttpResponseError: """ @@ -894,7 +894,7 @@ async def begin_create_or_update( :return: An instance of AsyncLROPoller that returns either ManagedCluster or the result of cls(response) :rtype: - ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster] + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster] :raises ~azure.core.exceptions.HttpResponseError: """ @@ -911,9 +911,9 @@ async def begin_create_or_update( :type resource_group_name: str :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str - :param parameters: The managed cluster to create or update. Is either a ManagedCluster type or - a IO type. Required. - :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster or IO + :param parameters: The managed cluster to create or update. Is either a model type or a IO + type. Required. + :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str @@ -928,14 +928,14 @@ async def begin_create_or_update( :return: An instance of AsyncLROPoller that returns either ManagedCluster or the result of cls(response) :rtype: - ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster] + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.ManagedCluster] = kwargs.pop("cls", None) @@ -995,8 +995,8 @@ async def _update_tags_initial( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.ManagedCluster] = kwargs.pop("cls", None) @@ -1065,7 +1065,7 @@ async def begin_update_tags( :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str :param parameters: Parameters supplied to the Update Managed Cluster Tags operation. Required. - :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.TagsObject + :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.TagsObject :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str @@ -1080,7 +1080,7 @@ async def begin_update_tags( :return: An instance of AsyncLROPoller that returns either ManagedCluster or the result of cls(response) :rtype: - ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster] + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster] :raises ~azure.core.exceptions.HttpResponseError: """ @@ -1119,7 +1119,7 @@ async def begin_update_tags( :return: An instance of AsyncLROPoller that returns either ManagedCluster or the result of cls(response) :rtype: - ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster] + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster] :raises ~azure.core.exceptions.HttpResponseError: """ @@ -1137,8 +1137,8 @@ async def begin_update_tags( :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str :param parameters: Parameters supplied to the Update Managed Cluster Tags operation. Is either - a TagsObject type or a IO type. Required. - :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.TagsObject or IO + a model type or a IO type. Required. + :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.TagsObject or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str @@ -1153,14 +1153,14 @@ async def begin_update_tags( :return: An instance of AsyncLROPoller that returns either ManagedCluster or the result of cls(response) :rtype: - ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster] + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.ManagedCluster] = kwargs.pop("cls", None) @@ -1224,8 +1224,8 @@ async def _delete_initial( # pylint: disable=inconsistent-return-statements _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) @@ -1298,8 +1298,8 @@ async def begin_delete( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) polling: Union[bool, AsyncPollingMethod] = kwargs.pop("polling", True) @@ -1359,8 +1359,8 @@ async def _reset_service_principal_profile_initial( # pylint: disable=inconsist _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[None] = kwargs.pop("cls", None) @@ -1430,7 +1430,7 @@ async def begin_reset_service_principal_profile( :type resource_name: str :param parameters: The service principal profile to set on the managed cluster. Required. :type parameters: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterServicePrincipalProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterServicePrincipalProfile :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str @@ -1502,9 +1502,9 @@ async def begin_reset_service_principal_profile( :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str :param parameters: The service principal profile to set on the managed cluster. Is either a - ManagedClusterServicePrincipalProfile type or a IO type. Required. + model type or a IO type. Required. :type parameters: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterServicePrincipalProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterServicePrincipalProfile or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. @@ -1524,8 +1524,8 @@ async def begin_reset_service_principal_profile( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[None] = kwargs.pop("cls", None) @@ -1589,8 +1589,8 @@ async def _reset_aad_profile_initial( # pylint: disable=inconsistent-return-sta _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[None] = kwargs.pop("cls", None) @@ -1651,9 +1651,7 @@ async def begin_reset_aad_profile( ) -> AsyncLROPoller[None]: """Reset the AAD Profile of a managed cluster. - **WARNING**\ : This API will be deprecated. Please see `AKS-managed Azure Active Directory - integration `_ to update your cluster with AKS-managed Azure - AD. + Reset the AAD Profile of a managed cluster. :param resource_group_name: The name of the resource group. The name is case insensitive. Required. @@ -1662,7 +1660,7 @@ async def begin_reset_aad_profile( :type resource_name: str :param parameters: The AAD profile to set on the Managed Cluster. Required. :type parameters: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAADProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAADProfile :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str @@ -1691,9 +1689,7 @@ async def begin_reset_aad_profile( ) -> AsyncLROPoller[None]: """Reset the AAD Profile of a managed cluster. - **WARNING**\ : This API will be deprecated. Please see `AKS-managed Azure Active Directory - integration `_ to update your cluster with AKS-managed Azure - AD. + Reset the AAD Profile of a managed cluster. :param resource_group_name: The name of the resource group. The name is case insensitive. Required. @@ -1728,19 +1724,17 @@ async def begin_reset_aad_profile( ) -> AsyncLROPoller[None]: """Reset the AAD Profile of a managed cluster. - **WARNING**\ : This API will be deprecated. Please see `AKS-managed Azure Active Directory - integration `_ to update your cluster with AKS-managed Azure - AD. + Reset the AAD Profile of a managed cluster. :param resource_group_name: The name of the resource group. The name is case insensitive. Required. :type resource_group_name: str :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str - :param parameters: The AAD profile to set on the Managed Cluster. Is either a - ManagedClusterAADProfile type or a IO type. Required. + :param parameters: The AAD profile to set on the Managed Cluster. Is either a model type or a + IO type. Required. :type parameters: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAADProfile or IO + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAADProfile or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str @@ -1759,8 +1753,8 @@ async def begin_reset_aad_profile( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[None] = kwargs.pop("cls", None) @@ -1820,8 +1814,8 @@ async def _abort_latest_operation_initial( # pylint: disable=inconsistent-retur _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) @@ -1891,8 +1885,8 @@ async def begin_abort_latest_operation( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) polling: Union[bool, AsyncPollingMethod] = kwargs.pop("polling", True) @@ -1949,8 +1943,8 @@ async def _rotate_cluster_certificates_initial( # pylint: disable=inconsistent- _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) @@ -2016,8 +2010,8 @@ async def begin_rotate_cluster_certificates( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) polling: Union[bool, AsyncPollingMethod] = kwargs.pop("polling", True) @@ -2074,8 +2068,8 @@ async def _rotate_service_account_signing_keys_initial( # pylint: disable=incon _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) @@ -2140,8 +2134,8 @@ async def begin_rotate_service_account_signing_keys( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) polling: Union[bool, AsyncPollingMethod] = kwargs.pop("polling", True) @@ -2198,8 +2192,8 @@ async def _stop_initial( # pylint: disable=inconsistent-return-statements _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) @@ -2266,8 +2260,8 @@ async def begin_stop(self, resource_group_name: str, resource_name: str, **kwarg _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) polling: Union[bool, AsyncPollingMethod] = kwargs.pop("polling", True) @@ -2324,8 +2318,8 @@ async def _start_initial( # pylint: disable=inconsistent-return-statements _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) @@ -2389,8 +2383,8 @@ async def begin_start(self, resource_group_name: str, resource_name: str, **kwar _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) polling: Union[bool, AsyncPollingMethod] = kwargs.pop("polling", True) @@ -2451,8 +2445,8 @@ async def _run_command_initial( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[Optional[_models.RunCommandResult]] = kwargs.pop("cls", None) @@ -2530,7 +2524,7 @@ async def begin_run_command( :type resource_name: str :param request_payload: The run command request. Required. :type request_payload: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.RunCommandRequest + ~azure.mgmt.containerservice.v2022_11_02_preview.models.RunCommandRequest :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str @@ -2545,7 +2539,7 @@ async def begin_run_command( :return: An instance of AsyncLROPoller that returns either RunCommandResult or the result of cls(response) :rtype: - ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.RunCommandResult] + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.RunCommandResult] :raises ~azure.core.exceptions.HttpResponseError: """ @@ -2586,7 +2580,7 @@ async def begin_run_command( :return: An instance of AsyncLROPoller that returns either RunCommandResult or the result of cls(response) :rtype: - ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.RunCommandResult] + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.RunCommandResult] :raises ~azure.core.exceptions.HttpResponseError: """ @@ -2609,10 +2603,9 @@ async def begin_run_command( :type resource_group_name: str :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str - :param request_payload: The run command request. Is either a RunCommandRequest type or a IO - type. Required. + :param request_payload: The run command request. Is either a model type or a IO type. Required. :type request_payload: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.RunCommandRequest or IO + ~azure.mgmt.containerservice.v2022_11_02_preview.models.RunCommandRequest or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str @@ -2627,14 +2620,14 @@ async def begin_run_command( :return: An instance of AsyncLROPoller that returns either RunCommandResult or the result of cls(response) :rtype: - ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.RunCommandResult] + ~azure.core.polling.AsyncLROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.RunCommandResult] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.RunCommandResult] = kwargs.pop("cls", None) @@ -2699,7 +2692,7 @@ async def get_command_result( :type command_id: str :keyword callable cls: A custom type or function that will be passed the direct response :return: RunCommandResult or None or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.RunCommandResult or None + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.RunCommandResult or None :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -2713,8 +2706,8 @@ async def get_command_result( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[Optional[_models.RunCommandResult]] = kwargs.pop("cls", None) @@ -2777,14 +2770,14 @@ def list_outbound_network_dependencies_endpoints( :return: An iterator like instance of either OutboundEnvironmentEndpoint or the result of cls(response) :rtype: - ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.OutboundEnvironmentEndpoint] + ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.OutboundEnvironmentEndpoint] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.OutboundEnvironmentEndpointCollection] = kwargs.pop("cls", None) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_operations.py similarity index 95% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_operations.py index 4a2e16837e7..cd4a8e2f571 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_operations.py @@ -44,7 +44,7 @@ class Operations: **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2023_01_02_preview.aio.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2022_11_02_preview.aio.ContainerServiceClient`'s :attr:`operations` attribute. """ @@ -66,14 +66,14 @@ def list(self, **kwargs: Any) -> AsyncIterable["_models.OperationValue"]: :keyword callable cls: A custom type or function that will be passed the direct response :return: An iterator like instance of either OperationValue or the result of cls(response) :rtype: - ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.OperationValue] + ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.OperationValue] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.OperationListResult] = kwargs.pop("cls", None) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_patch.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_patch.py similarity index 100% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_patch.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_patch.py diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_private_endpoint_connections_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_private_endpoint_connections_operations.py similarity index 94% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_private_endpoint_connections_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_private_endpoint_connections_operations.py index 3f833db69e5..85fd6c17b22 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_private_endpoint_connections_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_private_endpoint_connections_operations.py @@ -49,7 +49,7 @@ class PrivateEndpointConnectionsOperations: **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2023_01_02_preview.aio.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2022_11_02_preview.aio.ContainerServiceClient`'s :attr:`private_endpoint_connections` attribute. """ @@ -79,7 +79,7 @@ async def list( :keyword callable cls: A custom type or function that will be passed the direct response :return: PrivateEndpointConnectionListResult or the result of cls(response) :rtype: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateEndpointConnectionListResult + ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateEndpointConnectionListResult :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -93,8 +93,8 @@ async def list( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.PrivateEndpointConnectionListResult] = kwargs.pop("cls", None) @@ -149,7 +149,7 @@ async def get( :type private_endpoint_connection_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: PrivateEndpointConnection or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateEndpointConnection + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateEndpointConnection :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -163,8 +163,8 @@ async def get( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.PrivateEndpointConnection] = kwargs.pop("cls", None) @@ -226,13 +226,13 @@ async def update( :type private_endpoint_connection_name: str :param parameters: The updated private endpoint connection. Required. :type parameters: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateEndpointConnection + ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateEndpointConnection :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: PrivateEndpointConnection or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateEndpointConnection + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateEndpointConnection :raises ~azure.core.exceptions.HttpResponseError: """ @@ -265,7 +265,7 @@ async def update( :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: PrivateEndpointConnection or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateEndpointConnection + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateEndpointConnection :raises ~azure.core.exceptions.HttpResponseError: """ @@ -289,16 +289,16 @@ async def update( :type resource_name: str :param private_endpoint_connection_name: The name of the private endpoint connection. Required. :type private_endpoint_connection_name: str - :param parameters: The updated private endpoint connection. Is either a - PrivateEndpointConnection type or a IO type. Required. + :param parameters: The updated private endpoint connection. Is either a model type or a IO + type. Required. :type parameters: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateEndpointConnection or IO + ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateEndpointConnection or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: PrivateEndpointConnection or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateEndpointConnection + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateEndpointConnection :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -312,8 +312,8 @@ async def update( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.PrivateEndpointConnection] = kwargs.pop("cls", None) @@ -377,8 +377,8 @@ async def _delete_initial( # pylint: disable=inconsistent-return-statements _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) @@ -442,8 +442,8 @@ async def begin_delete( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) polling: Union[bool, AsyncPollingMethod] = kwargs.pop("polling", True) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_private_link_resources_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_private_link_resources_operations.py similarity index 95% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_private_link_resources_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_private_link_resources_operations.py index 7c48f384ae8..63106de9bb5 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_private_link_resources_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_private_link_resources_operations.py @@ -42,7 +42,7 @@ class PrivateLinkResourcesOperations: **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2023_01_02_preview.aio.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2022_11_02_preview.aio.ContainerServiceClient`'s :attr:`private_link_resources` attribute. """ @@ -71,7 +71,7 @@ async def list( :type resource_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: PrivateLinkResourcesListResult or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateLinkResourcesListResult + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateLinkResourcesListResult :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -85,8 +85,8 @@ async def list( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.PrivateLinkResourcesListResult] = kwargs.pop("cls", None) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_resolve_private_link_service_id_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_resolve_private_link_service_id_operations.py similarity index 93% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_resolve_private_link_service_id_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_resolve_private_link_service_id_operations.py index 6f1e1611c69..d45b36056c8 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_resolve_private_link_service_id_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_resolve_private_link_service_id_operations.py @@ -42,7 +42,7 @@ class ResolvePrivateLinkServiceIdOperations: **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2023_01_02_preview.aio.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2022_11_02_preview.aio.ContainerServiceClient`'s :attr:`resolve_private_link_service_id` attribute. """ @@ -75,13 +75,13 @@ async def post( :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str :param parameters: Parameters required in order to resolve a private link service ID. Required. - :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateLinkResource + :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateLinkResource :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: PrivateLinkResource or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateLinkResource + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateLinkResource :raises ~azure.core.exceptions.HttpResponseError: """ @@ -111,7 +111,7 @@ async def post( :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: PrivateLinkResource or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateLinkResource + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateLinkResource :raises ~azure.core.exceptions.HttpResponseError: """ @@ -133,15 +133,15 @@ async def post( :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str :param parameters: Parameters required in order to resolve a private link service ID. Is either - a PrivateLinkResource type or a IO type. Required. - :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateLinkResource + a model type or a IO type. Required. + :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateLinkResource or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: PrivateLinkResource or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateLinkResource + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateLinkResource :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -155,8 +155,8 @@ async def post( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.PrivateLinkResource] = kwargs.pop("cls", None) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_snapshots_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_snapshots_operations.py similarity index 93% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_snapshots_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_snapshots_operations.py index a9b3644f998..7f008bbd36b 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_snapshots_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_snapshots_operations.py @@ -52,7 +52,7 @@ class SnapshotsOperations: **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2023_01_02_preview.aio.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2022_11_02_preview.aio.ContainerServiceClient`'s :attr:`snapshots` attribute. """ @@ -74,14 +74,14 @@ def list(self, **kwargs: Any) -> AsyncIterable["_models.Snapshot"]: :keyword callable cls: A custom type or function that will be passed the direct response :return: An iterator like instance of either Snapshot or the result of cls(response) :rtype: - ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot] + ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.SnapshotListResult] = kwargs.pop("cls", None) @@ -161,14 +161,14 @@ def list_by_resource_group(self, resource_group_name: str, **kwargs: Any) -> Asy :keyword callable cls: A custom type or function that will be passed the direct response :return: An iterator like instance of either Snapshot or the result of cls(response) :rtype: - ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot] + ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.SnapshotListResult] = kwargs.pop("cls", None) @@ -252,7 +252,7 @@ async def get(self, resource_group_name: str, resource_name: str, **kwargs: Any) :type resource_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: Snapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -266,8 +266,8 @@ async def get(self, resource_group_name: str, resource_name: str, **kwargs: Any) _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.Snapshot] = kwargs.pop("cls", None) @@ -324,13 +324,13 @@ async def create_or_update( :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str :param parameters: The snapshot to create or update. Required. - :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot + :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: Snapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot :raises ~azure.core.exceptions.HttpResponseError: """ @@ -360,7 +360,7 @@ async def create_or_update( :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: Snapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot :raises ~azure.core.exceptions.HttpResponseError: """ @@ -377,15 +377,15 @@ async def create_or_update( :type resource_group_name: str :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str - :param parameters: The snapshot to create or update. Is either a Snapshot type or a IO type. + :param parameters: The snapshot to create or update. Is either a model type or a IO type. Required. - :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot or IO + :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: Snapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -399,8 +399,8 @@ async def create_or_update( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.Snapshot] = kwargs.pop("cls", None) @@ -473,13 +473,13 @@ async def update_tags( :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str :param parameters: Parameters supplied to the Update snapshot Tags operation. Required. - :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.TagsObject + :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.TagsObject :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: Snapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot :raises ~azure.core.exceptions.HttpResponseError: """ @@ -509,7 +509,7 @@ async def update_tags( :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: Snapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot :raises ~azure.core.exceptions.HttpResponseError: """ @@ -526,15 +526,15 @@ async def update_tags( :type resource_group_name: str :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str - :param parameters: Parameters supplied to the Update snapshot Tags operation. Is either a - TagsObject type or a IO type. Required. - :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.TagsObject or IO + :param parameters: Parameters supplied to the Update snapshot Tags operation. Is either a model + type or a IO type. Required. + :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.TagsObject or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: Snapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -548,8 +548,8 @@ async def update_tags( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.Snapshot] = kwargs.pop("cls", None) @@ -627,8 +627,8 @@ async def delete( # pylint: disable=inconsistent-return-statements _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_trusted_access_role_bindings_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_trusted_access_role_bindings_operations.py similarity index 94% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_trusted_access_role_bindings_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_trusted_access_role_bindings_operations.py index b5c5919d17d..80fa8aa74f8 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_trusted_access_role_bindings_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_trusted_access_role_bindings_operations.py @@ -50,7 +50,7 @@ class TrustedAccessRoleBindingsOperations: **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2023_01_02_preview.aio.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2022_11_02_preview.aio.ContainerServiceClient`'s :attr:`trusted_access_role_bindings` attribute. """ @@ -80,14 +80,14 @@ def list( :return: An iterator like instance of either TrustedAccessRoleBinding or the result of cls(response) :rtype: - ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRoleBinding] + ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRoleBinding] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.TrustedAccessRoleBindingListResult] = kwargs.pop("cls", None) @@ -176,7 +176,7 @@ async def get( :type trusted_access_role_binding_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: TrustedAccessRoleBinding or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRoleBinding + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRoleBinding :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -190,8 +190,8 @@ async def get( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.TrustedAccessRoleBinding] = kwargs.pop("cls", None) @@ -253,13 +253,13 @@ async def create_or_update( :type trusted_access_role_binding_name: str :param trusted_access_role_binding: A trusted access role binding. Required. :type trusted_access_role_binding: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRoleBinding + ~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRoleBinding :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: TrustedAccessRoleBinding or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRoleBinding + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRoleBinding :raises ~azure.core.exceptions.HttpResponseError: """ @@ -292,7 +292,7 @@ async def create_or_update( :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: TrustedAccessRoleBinding or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRoleBinding + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRoleBinding :raises ~azure.core.exceptions.HttpResponseError: """ @@ -316,16 +316,16 @@ async def create_or_update( :type resource_name: str :param trusted_access_role_binding_name: The name of trusted access role binding. Required. :type trusted_access_role_binding_name: str - :param trusted_access_role_binding: A trusted access role binding. Is either a - TrustedAccessRoleBinding type or a IO type. Required. + :param trusted_access_role_binding: A trusted access role binding. Is either a model type or a + IO type. Required. :type trusted_access_role_binding: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRoleBinding or IO + ~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRoleBinding or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: TrustedAccessRoleBinding or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRoleBinding + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRoleBinding :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -339,8 +339,8 @@ async def create_or_update( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.TrustedAccessRoleBinding] = kwargs.pop("cls", None) @@ -421,8 +421,8 @@ async def delete( # pylint: disable=inconsistent-return-statements _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_trusted_access_roles_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_trusted_access_roles_operations.py similarity index 96% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_trusted_access_roles_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_trusted_access_roles_operations.py index 2452e67c9ec..a279604a961 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/aio/operations/_trusted_access_roles_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/aio/operations/_trusted_access_roles_operations.py @@ -44,7 +44,7 @@ class TrustedAccessRolesOperations: **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2023_01_02_preview.aio.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2022_11_02_preview.aio.ContainerServiceClient`'s :attr:`trusted_access_roles` attribute. """ @@ -68,14 +68,14 @@ def list(self, location: str, **kwargs: Any) -> AsyncIterable["_models.TrustedAc :keyword callable cls: A custom type or function that will be passed the direct response :return: An iterator like instance of either TrustedAccessRole or the result of cls(response) :rtype: - ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRole] + ~azure.core.async_paging.AsyncItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRole] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.TrustedAccessRoleListResult] = kwargs.pop("cls", None) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/models/__init__.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/models/__init__.py similarity index 98% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/models/__init__.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/models/__init__.py index f592802fcc4..fd8ebcd0add 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/models/__init__.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/models/__init__.py @@ -18,7 +18,6 @@ from ._models_py3 import AgentPoolWindowsProfile from ._models_py3 import AzureKeyVaultKms from ._models_py3 import CloudErrorBody -from ._models_py3 import ClusterUpgradeSettings from ._models_py3 import ContainerServiceDiagnosticsProfile from ._models_py3 import ContainerServiceLinuxProfile from ._models_py3 import ContainerServiceMasterProfile @@ -134,7 +133,6 @@ from ._models_py3 import TrustedAccessRoleBindingListResult from ._models_py3 import TrustedAccessRoleListResult from ._models_py3 import TrustedAccessRoleRule -from ._models_py3 import UpgradeOverrideSettings from ._models_py3 import UserAssignedIdentity from ._models_py3 import WeeklySchedule from ._models_py3 import WindowsGmsaProfile @@ -146,7 +144,6 @@ from ._container_service_client_enums import ConnectionStatus from ._container_service_client_enums import ContainerServiceStorageProfileTypes from ._container_service_client_enums import ContainerServiceVMSizeTypes -from ._container_service_client_enums import ControlPlaneUpgradeOverride from ._container_service_client_enums import ControlledValues from ._container_service_client_enums import Count from ._container_service_client_enums import CreatedByType @@ -207,7 +204,6 @@ "AgentPoolWindowsProfile", "AzureKeyVaultKms", "CloudErrorBody", - "ClusterUpgradeSettings", "ContainerServiceDiagnosticsProfile", "ContainerServiceLinuxProfile", "ContainerServiceMasterProfile", @@ -323,7 +319,6 @@ "TrustedAccessRoleBindingListResult", "TrustedAccessRoleListResult", "TrustedAccessRoleRule", - "UpgradeOverrideSettings", "UserAssignedIdentity", "WeeklySchedule", "WindowsGmsaProfile", @@ -334,7 +329,6 @@ "ConnectionStatus", "ContainerServiceStorageProfileTypes", "ContainerServiceVMSizeTypes", - "ControlPlaneUpgradeOverride", "ControlledValues", "Count", "CreatedByType", diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/models/_container_service_client_enums.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/models/_container_service_client_enums.py similarity index 77% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/models/_container_service_client_enums.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/models/_container_service_client_enums.py index 9582ee74e5d..d3fa0a429bb 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/models/_container_service_client_enums.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/models/_container_service_client_enums.py @@ -16,41 +16,41 @@ class AgentPoolMode(str, Enum, metaclass=CaseInsensitiveEnumMeta): https://docs.microsoft.com/azure/aks/use-system-pools. """ - SYSTEM = "System" - """System agent pools are primarily for hosting critical system pods such as CoreDNS and + #: System agent pools are primarily for hosting critical system pods such as CoreDNS and #: metrics-server. System agent pools osType must be Linux. System agent pools VM SKU must have at - #: least 2vCPUs and 4GB of memory.""" + #: least 2vCPUs and 4GB of memory. + SYSTEM = "System" + #: User agent pools are primarily for hosting your application pods. USER = "User" - """User agent pools are primarily for hosting your application pods.""" class AgentPoolType(str, Enum, metaclass=CaseInsensitiveEnumMeta): """The type of Agent Pool.""" + #: Create an Agent Pool backed by a Virtual Machine Scale Set. VIRTUAL_MACHINE_SCALE_SETS = "VirtualMachineScaleSets" - """Create an Agent Pool backed by a Virtual Machine Scale Set.""" + #: Use of this is strongly discouraged. AVAILABILITY_SET = "AvailabilitySet" - """Use of this is strongly discouraged.""" class BackendPoolType(str, Enum, metaclass=CaseInsensitiveEnumMeta): """The type of the managed inbound Load Balancer BackendPool.""" + #: The type of the managed inbound Load Balancer BackendPool. + #: https://cloud-provider-azure.sigs.k8s.io/topics/loadbalancer/#configure-load-balancer-backend. NODE_IP_CONFIGURATION = "NodeIPConfiguration" - """The type of the managed inbound Load Balancer BackendPool. - #: https://cloud-provider-azure.sigs.k8s.io/topics/loadbalancer/#configure-load-balancer-backend.""" + #: The type of the managed inbound Load Balancer BackendPool. + #: https://cloud-provider-azure.sigs.k8s.io/topics/loadbalancer/#configure-load-balancer-backend. NODE_IP = "NodeIP" - """The type of the managed inbound Load Balancer BackendPool. - #: https://cloud-provider-azure.sigs.k8s.io/topics/loadbalancer/#configure-load-balancer-backend.""" class Code(str, Enum, metaclass=CaseInsensitiveEnumMeta): """Tells whether the cluster is Running or Stopped.""" + #: The cluster is running. RUNNING = "Running" - """The cluster is running.""" + #: The cluster is stopped. STOPPED = "Stopped" - """The cluster is stopped.""" class ConnectionStatus(str, Enum, metaclass=CaseInsensitiveEnumMeta): @@ -253,18 +253,10 @@ class ContainerServiceVMSizeTypes(str, Enum, metaclass=CaseInsensitiveEnumMeta): class ControlledValues(str, Enum, metaclass=CaseInsensitiveEnumMeta): """Controls which resource value autoscaler will change. Default value is RequestsAndLimits.""" + #: Autoscaler will control resource requests and limits. REQUESTS_AND_LIMITS = "RequestsAndLimits" - """Autoscaler will control resource requests and limits.""" + #: Autoscaler will control resource requests only. REQUESTS_ONLY = "RequestsOnly" - """Autoscaler will control resource requests only.""" - - -class ControlPlaneUpgradeOverride(str, Enum, metaclass=CaseInsensitiveEnumMeta): - """The list of control plane upgrade override settings.""" - - IGNORE_KUBERNETES_DEPRECATIONS = "IgnoreKubernetesDeprecations" - """Upgrade the cluster control plane version without checking for recent Kubernetes deprecations - #: usage.""" class Count(int, Enum, metaclass=CaseInsensitiveEnumMeta): @@ -289,8 +281,8 @@ class CreatedByType(str, Enum, metaclass=CaseInsensitiveEnumMeta): class EbpfDataplane(str, Enum, metaclass=CaseInsensitiveEnumMeta): """The eBPF dataplane used for building the Kubernetes network.""" + #: Use Cilium for networking in the Kubernetes cluster. CILIUM = "cilium" - """Use Cilium for networking in the Kubernetes cluster.""" class Expander(str, Enum, metaclass=CaseInsensitiveEnumMeta): @@ -299,22 +291,22 @@ class Expander(str, Enum, metaclass=CaseInsensitiveEnumMeta): for more information. """ - LEAST_WASTE = "least-waste" - """Selects the node group that will have the least idle CPU (if tied, unused memory) after + #: Selects the node group that will have the least idle CPU (if tied, unused memory) after #: scale-up. This is useful when you have different classes of nodes, for example, high CPU or #: high memory nodes, and only want to expand those when there are pending pods that need a lot of - #: those resources.""" - MOST_PODS = "most-pods" - """Selects the node group that would be able to schedule the most pods when scaling up. This is + #: those resources. + LEAST_WASTE = "least-waste" + #: Selects the node group that would be able to schedule the most pods when scaling up. This is #: useful when you are using nodeSelector to make sure certain pods land on certain nodes. Note #: that this won't cause the autoscaler to select bigger nodes vs. smaller, as it can add multiple - #: smaller nodes at once.""" - PRIORITY = "priority" - """Selects the node group that has the highest priority assigned by the user. It's configuration + #: smaller nodes at once. + MOST_PODS = "most-pods" + #: Selects the node group that has the highest priority assigned by the user. It's configuration #: is described in more details `here - #: `_.""" + #: `_. + PRIORITY = "priority" + #: Used when you don't have a particular need for the node groups to scale differently. RANDOM = "random" - """Used when you don't have a particular need for the node groups to scale differently.""" class ExtendedLocationTypes(str, Enum, metaclass=CaseInsensitiveEnumMeta): @@ -326,11 +318,11 @@ class ExtendedLocationTypes(str, Enum, metaclass=CaseInsensitiveEnumMeta): class Format(str, Enum, metaclass=CaseInsensitiveEnumMeta): """Format.""" + #: Return azure auth-provider kubeconfig. This format is deprecated in v1.22 and will be fully + #: removed in v1.26. See: https://aka.ms/k8s/changes-1-26. AZURE = "azure" - """Return azure auth-provider kubeconfig. This format is deprecated in v1.22 and will be fully - #: removed in v1.26. See: https://aka.ms/k8s/changes-1-26.""" + #: Return exec format kubeconfig. This format requires kubelogin binary in the path. EXEC = "exec" - """Return exec format kubeconfig. This format requires kubelogin binary in the path.""" class GPUInstanceProfile(str, Enum, metaclass=CaseInsensitiveEnumMeta): @@ -355,10 +347,10 @@ class IpvsScheduler(str, Enum, metaclass=CaseInsensitiveEnumMeta): http://www.linuxvirtualserver.org/docs/scheduling.html. """ + #: Round Robin ROUND_ROBIN = "RoundRobin" - """Round Robin""" + #: Least Connection LEAST_CONNECTION = "LeastConnection" - """Least Connection""" class KeyVaultNetworkAccessTypes(str, Enum, metaclass=CaseInsensitiveEnumMeta): @@ -376,10 +368,10 @@ class KubeletDiskType(str, Enum, metaclass=CaseInsensitiveEnumMeta): ephemeral storage. """ + #: Kubelet will use the OS disk for its data. OS = "OS" - """Kubelet will use the OS disk for its data.""" + #: Kubelet will use the temporary disk for its data. TEMPORARY = "Temporary" - """Kubelet will use the temporary disk for its data.""" class Level(str, Enum, metaclass=CaseInsensitiveEnumMeta): @@ -397,10 +389,10 @@ class LicenseType(str, Enum, metaclass=CaseInsensitiveEnumMeta): `_ for more details. """ + #: No additional licensing is applied. NONE = "None" - """No additional licensing is applied.""" + #: Enables Azure Hybrid User Benefits for Windows VMs. WINDOWS_SERVER = "Windows_Server" - """Enables Azure Hybrid User Benefits for Windows VMs.""" class LoadBalancerSku(str, Enum, metaclass=CaseInsensitiveEnumMeta): @@ -409,12 +401,12 @@ class LoadBalancerSku(str, Enum, metaclass=CaseInsensitiveEnumMeta): differences between load balancer SKUs. """ - STANDARD = "standard" - """Use a a standard Load Balancer. This is the recommended Load Balancer SKU. For more information + #: Use a a standard Load Balancer. This is the recommended Load Balancer SKU. For more information #: about on working with the load balancer in the managed cluster, see the `standard Load Balancer - #: `_ article.""" + #: `_ article. + STANDARD = "standard" + #: Use a basic Load Balancer with limited functionality. BASIC = "basic" - """Use a basic Load Balancer with limited functionality.""" class ManagedClusterPodIdentityProvisioningState(str, Enum, metaclass=CaseInsensitiveEnumMeta): @@ -432,113 +424,102 @@ class ManagedClusterSKUName(str, Enum, metaclass=CaseInsensitiveEnumMeta): """The name of a managed cluster SKU.""" BASIC = "Basic" - """Basic will be removed in 07/01/2023 API version. Base will replace Basic, please switch to - #: Base.""" - BASE = "Base" - """Base option for the AKS control plane.""" class ManagedClusterSKUTier(str, Enum, metaclass=CaseInsensitiveEnumMeta): - """If not specified, the default is 'Free'. See `AKS Pricing Tier - `_ for more details. + """If not specified, the default is 'Free'. See `uptime SLA + `_ for more details. """ + #: Guarantees 99.95% availability of the Kubernetes API server endpoint for clusters that use + #: Availability Zones and 99.9% of availability for clusters that don't use Availability Zones. PAID = "Paid" - """Paid tier will be removed in 07/01/2023 API version. Standard tier will replace Paid tier, - #: please switch to Standard tier.""" - STANDARD = "Standard" - """Recommended for mission-critical and production workloads. Includes Kubernetes control plane - #: autoscaling, workload-intensive testing, and up to 5,000 nodes per cluster. Guarantees 99.95% - #: availability of the Kubernetes API server endpoint for clusters that use Availability Zones and - #: 99.9% of availability for clusters that don't use Availability Zones.""" + #: No guaranteed SLA, no additional charges. Free tier clusters have an SLO of 99.5%. FREE = "Free" - """The cluster management is free, but charged for VM, storage, and networking usage. Best for - #: experimenting, learning, simple testing, or workloads with fewer than 10 nodes. Not recommended - #: for production use cases.""" class Mode(str, Enum, metaclass=CaseInsensitiveEnumMeta): """Specify which proxy mode to use ('IPTABLES' or 'IPVS').""" + #: IPTables proxy mode IPTABLES = "IPTABLES" - """IPTables proxy mode""" + #: IPVS proxy mode. Must be using Kubernetes version >= 1.22. IPVS = "IPVS" - """IPVS proxy mode. Must be using Kubernetes version >= 1.22.""" class NetworkMode(str, Enum, metaclass=CaseInsensitiveEnumMeta): """This cannot be specified if networkPlugin is anything other than 'azure'.""" - TRANSPARENT = "transparent" - """No bridge is created. Intra-VM Pod to Pod communication is through IP routes created by Azure + #: No bridge is created. Intra-VM Pod to Pod communication is through IP routes created by Azure #: CNI. See `Transparent Mode `_ for - #: more information.""" + #: more information. + TRANSPARENT = "transparent" + #: This is no longer supported BRIDGE = "bridge" - """This is no longer supported""" class NetworkPlugin(str, Enum, metaclass=CaseInsensitiveEnumMeta): """Network plugin used for building the Kubernetes network.""" - AZURE = "azure" - """Use the Azure CNI network plugin. See `Azure CNI (advanced) networking + #: Use the Azure CNI network plugin. See `Azure CNI (advanced) networking #: `_ for - #: more information.""" - KUBENET = "kubenet" - """Use the Kubenet network plugin. See `Kubenet (basic) networking + #: more information. + AZURE = "azure" + #: Use the Kubenet network plugin. See `Kubenet (basic) networking #: `_ for more - #: information.""" + #: information. + KUBENET = "kubenet" + #: Do not use a network plugin. A custom CNI will need to be installed after cluster creation for + #: networking functionality. NONE = "none" - """Do not use a network plugin. A custom CNI will need to be installed after cluster creation for - #: networking functionality.""" class NetworkPluginMode(str, Enum, metaclass=CaseInsensitiveEnumMeta): """The mode the network plugin should use.""" + #: Pods are given IPs from the PodCIDR address space but use Azure Routing Domains rather than + #: Kubenet reference plugins host-local and bridge. OVERLAY = "Overlay" - """Pods are given IPs from the PodCIDR address space but use Azure Routing Domains rather than - #: Kubenet reference plugins host-local and bridge.""" class NetworkPolicy(str, Enum, metaclass=CaseInsensitiveEnumMeta): """Network policy used for building the Kubernetes network.""" + #: Use Calico network policies. See `differences between Azure and Calico policies + #: `_ + #: for more information. CALICO = "calico" - """Use Calico network policies. See `differences between Azure and Calico policies + #: Use Azure network policies. See `differences between Azure and Calico policies #: `_ - #: for more information.""" + #: for more information. AZURE = "azure" - """Use Azure network policies. See `differences between Azure and Calico policies - #: `_ - #: for more information.""" class NodeOSUpgradeChannel(str, Enum, metaclass=CaseInsensitiveEnumMeta): """The default is Unmanaged, but may change to either NodeImage or SecurityPatch at GA.""" + #: No attempt to update your machines OS will be made either by OS or by rolling VHDs. This means + #: you are responsible for your security updates NONE = "None" - """No attempt to update your machines OS will be made either by OS or by rolling VHDs. This means - #: you are responsible for your security updates""" - UNMANAGED = "Unmanaged" - """OS updates will be applied automatically through the OS built-in patching infrastructure. Newly + #: OS updates will be applied automatically through the OS built-in patching infrastructure. Newly #: scaled in machines will be unpatched initially, and will be patched at some later time by the #: OS's infrastructure. Behavior of this option depends on the OS in question. Ubuntu and Mariner #: apply security patches through unattended upgrade roughly once a day around 06:00 UTC. Windows #: does not apply security patches automatically and so for them this option is equivalent to None - #: till further notice""" - SECURITY_PATCH = "SecurityPatch" - """AKS will update the nodes VHD with patches from the image maintainer labelled "security only" + #: till further notice + UNMANAGED = "Unmanaged" + #: AKS will update the nodes VHD with patches from the image maintainer labelled "security only" #: on a regular basis. Where possible, patches will also be applied without reimaging to existing #: nodes. Some patches, such as kernel patches, cannot be applied to existing nodes without #: disruption. For such patches, the VHD will be updated, and machines will be rolling reimaged to #: that VHD following maintenance windows and surge settings. This option incurs the extra cost of - #: hosting the VHDs in your node resource group.""" - NODE_IMAGE = "NodeImage" - """AKS will update the nodes with a newly patched VHD containing security fixes and bugfixes on a + #: hosting the VHDs in your node resource group. + SECURITY_PATCH = "SecurityPatch" + #: AKS will update the nodes with a newly patched VHD containing security fixes and bugfixes on a #: weekly cadence. With the VHD update machines will be rolling reimaged to that VHD following #: maintenance windows and surge settings. No extra VHD cost is incurred when choosing this option - #: as AKS hosts the images.""" + #: as AKS hosts the images. + NODE_IMAGE = "NodeImage" class OSDiskType(str, Enum, metaclass=CaseInsensitiveEnumMeta): @@ -548,14 +529,14 @@ class OSDiskType(str, Enum, metaclass=CaseInsensitiveEnumMeta): `_. """ - MANAGED = "Managed" - """Azure replicates the operating system disk for a virtual machine to Azure storage to avoid data + #: Azure replicates the operating system disk for a virtual machine to Azure storage to avoid data #: loss should the VM need to be relocated to another host. Since containers aren't designed to #: have local state persisted, this behavior offers limited value while providing some drawbacks, - #: including slower node provisioning and higher read/write latency.""" + #: including slower node provisioning and higher read/write latency. + MANAGED = "Managed" + #: Ephemeral OS disks are stored only on the host machine, just like a temporary disk. This + #: provides lower read/write latency, along with faster node scaling and cluster upgrades. EPHEMERAL = "Ephemeral" - """Ephemeral OS disks are stored only on the host machine, just like a temporary disk. This - #: provides lower read/write latency, along with faster node scaling and cluster upgrades.""" class OSSKU(str, Enum, metaclass=CaseInsensitiveEnumMeta): @@ -574,10 +555,10 @@ class OSSKU(str, Enum, metaclass=CaseInsensitiveEnumMeta): class OSType(str, Enum, metaclass=CaseInsensitiveEnumMeta): """The operating system type. The default is Linux.""" + #: Use Linux. LINUX = "Linux" - """Use Linux.""" + #: Use Windows. WINDOWS = "Windows" - """Use Windows.""" class OutboundType(str, Enum, metaclass=CaseInsensitiveEnumMeta): @@ -585,20 +566,20 @@ class OutboundType(str, Enum, metaclass=CaseInsensitiveEnumMeta): see `egress outbound type `_. """ - LOAD_BALANCER = "loadBalancer" - """The load balancer is used for egress through an AKS assigned public IP. This supports + #: The load balancer is used for egress through an AKS assigned public IP. This supports #: Kubernetes services of type 'loadBalancer'. For more information see `outbound type #: loadbalancer - #: `_.""" - USER_DEFINED_ROUTING = "userDefinedRouting" - """Egress paths must be defined by the user. This is an advanced scenario and requires proper + #: `_. + LOAD_BALANCER = "loadBalancer" + #: Egress paths must be defined by the user. This is an advanced scenario and requires proper #: network configuration. For more information see `outbound type userDefinedRouting - #: `_.""" + #: `_. + USER_DEFINED_ROUTING = "userDefinedRouting" + #: The AKS-managed NAT gateway is used for egress. MANAGED_NAT_GATEWAY = "managedNATGateway" - """The AKS-managed NAT gateway is used for egress.""" + #: The user-assigned NAT gateway associated to the cluster subnet is used for egress. This is an + #: advanced scenario and requires proper network configuration. USER_ASSIGNED_NAT_GATEWAY = "userAssignedNATGateway" - """The user-assigned NAT gateway associated to the cluster subnet is used for egress. This is an - #: advanced scenario and requires proper network configuration.""" class PrivateEndpointConnectionProvisioningState(str, Enum, metaclass=CaseInsensitiveEnumMeta): @@ -614,21 +595,21 @@ class PrivateEndpointConnectionProvisioningState(str, Enum, metaclass=CaseInsens class Protocol(str, Enum, metaclass=CaseInsensitiveEnumMeta): """The network protocol of the port.""" + #: TCP protocol. TCP = "TCP" - """TCP protocol.""" + #: UDP protocol. UDP = "UDP" - """UDP protocol.""" class PublicNetworkAccess(str, Enum, metaclass=CaseInsensitiveEnumMeta): """Allow or deny public network access for AKS.""" + #: Inbound/Outbound to the managedCluster is allowed. ENABLED = "Enabled" - """Inbound/Outbound to the managedCluster is allowed.""" + #: Inbound traffic to managedCluster is disabled, traffic from managedCluster is allowed. DISABLED = "Disabled" - """Inbound traffic to managedCluster is disabled, traffic from managedCluster is allowed.""" + #: Inbound/Outbound traffic is managed by Microsoft.Network/NetworkSecurityPerimeters. SECURED_BY_PERIMETER = "SecuredByPerimeter" - """Inbound/Outbound traffic is managed by Microsoft.Network/NetworkSecurityPerimeters.""" class ResourceIdentityType(str, Enum, metaclass=CaseInsensitiveEnumMeta): @@ -636,25 +617,25 @@ class ResourceIdentityType(str, Enum, metaclass=CaseInsensitiveEnumMeta): `_. """ - SYSTEM_ASSIGNED = "SystemAssigned" - """Use an implicitly created system assigned managed identity to manage cluster resources. Master + #: Use an implicitly created system assigned managed identity to manage cluster resources. Master #: components in the control plane such as kube-controller-manager will use the system assigned - #: managed identity to manipulate Azure resources.""" - USER_ASSIGNED = "UserAssigned" - """Use a user-specified identity to manage cluster resources. Master components in the control + #: managed identity to manipulate Azure resources. + SYSTEM_ASSIGNED = "SystemAssigned" + #: Use a user-specified identity to manage cluster resources. Master components in the control #: plane such as kube-controller-manager will use the specified user assigned managed identity to - #: manipulate Azure resources.""" + #: manipulate Azure resources. + USER_ASSIGNED = "UserAssigned" + #: Do not use a managed identity for the Managed Cluster, service principal will be used instead. NONE = "None" - """Do not use a managed identity for the Managed Cluster, service principal will be used instead.""" class RestrictionLevel(str, Enum, metaclass=CaseInsensitiveEnumMeta): """The restriction level applied to the cluster's node resource group.""" + #: All RBAC permissions are allowed on the managed node resource group UNRESTRICTED = "Unrestricted" - """All RBAC permissions are allowed on the managed node resource group""" + #: Only */read RBAC permissions allowed on the managed node resource group READ_ONLY = "ReadOnly" - """Only */read RBAC permissions allowed on the managed node resource group""" class ScaleDownMode(str, Enum, metaclass=CaseInsensitiveEnumMeta): @@ -662,11 +643,11 @@ class ScaleDownMode(str, Enum, metaclass=CaseInsensitiveEnumMeta): `_. """ + #: Create new instances during scale up and remove instances during scale down. DELETE = "Delete" - """Create new instances during scale up and remove instances during scale down.""" + #: Attempt to start deallocated instances (if they exist) during scale up and deallocate instances + #: during scale down. DEALLOCATE = "Deallocate" - """Attempt to start deallocated instances (if they exist) during scale up and deallocate instances - #: during scale down.""" class ScaleSetEvictionPolicy(str, Enum, metaclass=CaseInsensitiveEnumMeta): @@ -675,31 +656,31 @@ class ScaleSetEvictionPolicy(str, Enum, metaclass=CaseInsensitiveEnumMeta): `_. """ + #: Nodes in the underlying Scale Set of the node pool are deleted when they're evicted. DELETE = "Delete" - """Nodes in the underlying Scale Set of the node pool are deleted when they're evicted.""" - DEALLOCATE = "Deallocate" - """Nodes in the underlying Scale Set of the node pool are set to the stopped-deallocated state + #: Nodes in the underlying Scale Set of the node pool are set to the stopped-deallocated state #: upon eviction. Nodes in the stopped-deallocated state count against your compute quota and can - #: cause issues with cluster scaling or upgrading.""" + #: cause issues with cluster scaling or upgrading. + DEALLOCATE = "Deallocate" class ScaleSetPriority(str, Enum, metaclass=CaseInsensitiveEnumMeta): """The Virtual Machine Scale Set priority.""" + #: Spot priority VMs will be used. There is no SLA for spot nodes. See `spot on AKS + #: `_ for more information. SPOT = "Spot" - """Spot priority VMs will be used. There is no SLA for spot nodes. See `spot on AKS - #: `_ for more information.""" + #: Regular VMs will be used. REGULAR = "Regular" - """Regular VMs will be used.""" class SnapshotType(str, Enum, metaclass=CaseInsensitiveEnumMeta): """The type of a snapshot. The default is NodePool.""" + #: The snapshot is a snapshot of a node pool. NODE_POOL = "NodePool" - """The snapshot is a snapshot of a node pool.""" + #: The snapshot is a snapshot of a managed cluster. MANAGED_CLUSTER = "ManagedCluster" - """The snapshot is a snapshot of a managed cluster.""" class TrustedAccessRoleBindingProvisioningState(str, Enum, metaclass=CaseInsensitiveEnumMeta): @@ -715,16 +696,16 @@ class TrustedAccessRoleBindingProvisioningState(str, Enum, metaclass=CaseInsensi class Type(str, Enum, metaclass=CaseInsensitiveEnumMeta): """Specifies on which instance of the allowed days specified in daysOfWeek the maintenance occurs.""" + #: First. FIRST = "First" - """First.""" + #: Second. SECOND = "Second" - """Second.""" + #: Third. THIRD = "Third" - """Third.""" + #: Fourth. FOURTH = "Fourth" - """Fourth.""" + #: Last. LAST = "Last" - """Last.""" class UpdateMode(str, Enum, metaclass=CaseInsensitiveEnumMeta): @@ -734,17 +715,17 @@ class UpdateMode(str, Enum, metaclass=CaseInsensitiveEnumMeta): creation (from Initial). The default value is Off. """ + #: Autoscaler never changes pod resources but provides recommendations. OFF = "Off" - """Autoscaler never changes pod resources but provides recommendations.""" + #: Autoscaler only assigns resources on pod creation and doesn't change them during the lifetime + #: of the pod. INITIAL = "Initial" - """Autoscaler only assigns resources on pod creation and doesn't change them during the lifetime - #: of the pod.""" + #: Autoscaler assigns resources on pod creation and updates pods that need further scaling during + #: their lifetime by deleting and recreating. RECREATE = "Recreate" - """Autoscaler assigns resources on pod creation and updates pods that need further scaling during - #: their lifetime by deleting and recreating.""" + #: Autoscaler chooses the update mode. Autoscaler currently does the same as Recreate. In the + #: future, it may take advantage of restart-free mechanisms once they are available. AUTO = "Auto" - """Autoscaler chooses the update mode. Autoscaler currently does the same as Recreate. In the - #: future, it may take advantage of restart-free mechanisms once they are available.""" class UpgradeChannel(str, Enum, metaclass=CaseInsensitiveEnumMeta): @@ -752,29 +733,29 @@ class UpgradeChannel(str, Enum, metaclass=CaseInsensitiveEnumMeta): `_. """ - RAPID = "rapid" - """Automatically upgrade the cluster to the latest supported patch release on the latest supported + #: Automatically upgrade the cluster to the latest supported patch release on the latest supported #: minor version. In cases where the cluster is at a version of Kubernetes that is at an N-2 minor #: version where N is the latest supported minor version, the cluster first upgrades to the latest #: supported patch version on N-1 minor version. For example, if a cluster is running version #: 1.17.7 and versions 1.17.9, 1.18.4, 1.18.6, and 1.19.1 are available, your cluster first is - #: upgraded to 1.18.6, then is upgraded to 1.19.1.""" - STABLE = "stable" - """Automatically upgrade the cluster to the latest supported patch release on minor version N-1, + #: upgraded to 1.18.6, then is upgraded to 1.19.1. + RAPID = "rapid" + #: Automatically upgrade the cluster to the latest supported patch release on minor version N-1, #: where N is the latest supported minor version. For example, if a cluster is running version #: 1.17.7 and versions 1.17.9, 1.18.4, 1.18.6, and 1.19.1 are available, your cluster is upgraded - #: to 1.18.6.""" - PATCH = "patch" - """Automatically upgrade the cluster to the latest supported patch version when it becomes + #: to 1.18.6. + STABLE = "stable" + #: Automatically upgrade the cluster to the latest supported patch version when it becomes #: available while keeping the minor version the same. For example, if a cluster is running #: version 1.17.7 and versions 1.17.9, 1.18.4, 1.18.6, and 1.19.1 are available, your cluster is - #: upgraded to 1.17.9.""" - NODE_IMAGE = "node-image" - """Automatically upgrade the node image to the latest version available. Consider using + #: upgraded to 1.17.9. + PATCH = "patch" + #: Automatically upgrade the node image to the latest version available. Consider using #: nodeOSUpgradeChannel instead as that allows you to configure node OS patching separate from - #: Kubernetes version patching""" + #: Kubernetes version patching + NODE_IMAGE = "node-image" + #: Disables auto-upgrades and keeps the cluster at its current version of Kubernetes. NONE = "none" - """Disables auto-upgrades and keeps the cluster at its current version of Kubernetes.""" class WeekDay(str, Enum, metaclass=CaseInsensitiveEnumMeta): @@ -792,11 +773,11 @@ class WeekDay(str, Enum, metaclass=CaseInsensitiveEnumMeta): class WorkloadRuntime(str, Enum, metaclass=CaseInsensitiveEnumMeta): """Determines the type of workload a node can run.""" + #: Nodes will use Kubelet to run standard OCI container workloads. OCI_CONTAINER = "OCIContainer" - """Nodes will use Kubelet to run standard OCI container workloads.""" + #: Nodes will use Krustlet to run WASM workloads using the WASI provider (Preview). WASM_WASI = "WasmWasi" - """Nodes will use Krustlet to run WASM workloads using the WASI provider (Preview).""" - KATA_MSHV_VM_ISOLATION = "KataMshvVmIsolation" - """Nodes can use (Kata + Cloud Hypervisor + Hyper-V) to enable Nested VM-based pods (Preview). Due + #: Nodes can use (Kata + Cloud Hypervisor + Hyper-V) to enable Nested VM-based pods (Preview). Due #: to the use Hyper-V, AKS node OS itself is a nested VM (the root OS) of Hyper-V. Thus it can - #: only be used with VM series that support Nested Virtualization such as Dv3 series.""" + #: only be used with VM series that support Nested Virtualization such as Dv3 series. + KATA_MSHV_VM_ISOLATION = "KataMshvVmIsolation" diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/models/_models_py3.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/models/_models_py3.py similarity index 90% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/models/_models_py3.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/models/_models_py3.py index 32468c77689..16a72a2106b 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/models/_models_py3.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/models/_models_py3.py @@ -8,7 +8,7 @@ # -------------------------------------------------------------------------- import datetime -from typing import Any, Dict, List, Optional, TYPE_CHECKING, Union +from typing import Dict, List, Optional, TYPE_CHECKING, Union from ... import _serialization @@ -39,7 +39,7 @@ class AbsoluteMonthlySchedule(_serialization.Model): "day_of_month": {"key": "dayOfMonth", "type": "int"}, } - def __init__(self, *, interval_months: int, day_of_month: int, **kwargs: Any) -> None: + def __init__(self, *, interval_months: int, day_of_month: int, **kwargs): """ :keyword interval_months: Specifies the number of months between each set of occurrences. Required. @@ -78,7 +78,7 @@ class SubResource(_serialization.Model): "type": {"key": "type", "type": "str"}, } - def __init__(self, **kwargs: Any) -> None: + def __init__(self, **kwargs): """ """ super().__init__(**kwargs) self.id = None @@ -116,15 +116,15 @@ class AgentPool(SubResource): # pylint: disable=too-many-instance-attributes `_. Known values are: "Managed" and "Ephemeral". :vartype os_disk_type: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSDiskType + ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSDiskType :ivar kubelet_disk_type: Determines the placement of emptyDir volumes, container runtime data root, and Kubelet ephemeral storage. Known values are: "OS" and "Temporary". :vartype kubelet_disk_type: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.KubeletDiskType + ~azure.mgmt.containerservice.v2022_11_02_preview.models.KubeletDiskType :ivar workload_runtime: Determines the type of workload a node can run. Known values are: "OCIContainer", "WasmWasi", and "KataMshvVmIsolation". :vartype workload_runtime: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.WorkloadRuntime + ~azure.mgmt.containerservice.v2022_11_02_preview.models.WorkloadRuntime :ivar message_of_the_day: A base64-encoded string which will be written to /etc/motd after decoding. This allows customization of the message of the day for Linux nodes. It must not be specified for Windows nodes. It must be a static string (i.e., will be printed raw and not be @@ -143,12 +143,12 @@ class AgentPool(SubResource): # pylint: disable=too-many-instance-attributes :vartype max_pods: int :ivar os_type: The operating system type. The default is Linux. Known values are: "Linux" and "Windows". - :vartype os_type: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSType + :vartype os_type: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSType :ivar os_sku: Specifies the OS SKU used by the agent pool. If not specified, the default is Ubuntu if OSType=Linux or Windows2019 if OSType=Windows. And the default Windows OSSKU will be changed to Windows2022 after Windows2019 is deprecated. Known values are: "Ubuntu", "CBLMariner", "Mariner", "Windows2019", and "Windows2022". - :vartype os_sku: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSSKU + :vartype os_sku: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSSKU :ivar max_count: The maximum number of nodes for auto-scaling. :vartype max_count: int :ivar min_count: The minimum number of nodes for auto-scaling. @@ -158,15 +158,15 @@ class AgentPool(SubResource): # pylint: disable=too-many-instance-attributes :ivar scale_down_mode: This also effects the cluster autoscaler behavior. If not specified, it defaults to Delete. Known values are: "Delete" and "Deallocate". :vartype scale_down_mode: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ScaleDownMode + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ScaleDownMode :ivar type_properties_type: The type of Agent Pool. Known values are: "VirtualMachineScaleSets" and "AvailabilitySet". :vartype type_properties_type: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolType + ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolType :ivar mode: A cluster must have at least one 'System' Agent Pool at all times. For additional information on agent pool restrictions and best practices, see: https://docs.microsoft.com/azure/aks/use-system-pools. Known values are: "System" and "User". - :vartype mode: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolMode + :vartype mode: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolMode :ivar orchestrator_version: Both patch version and are supported. When is specified, the latest supported patch version is chosen automatically. Updating the agent pool with the same once it has been created @@ -185,14 +185,14 @@ class AgentPool(SubResource): # pylint: disable=too-many-instance-attributes :vartype node_image_version: str :ivar upgrade_settings: Settings for upgrading the agentpool. :vartype upgrade_settings: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolUpgradeSettings + ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolUpgradeSettings :ivar provisioning_state: The current deployment or provisioning state. :vartype provisioning_state: str :ivar power_state: When an Agent Pool is first created it is initially Running. The Agent Pool can be stopped by setting this field to Stopped. A stopped Agent Pool stops all of its VMs and does not accrue billing charges. An Agent Pool can only be stopped if it is Running and provisioning state is Succeeded. - :vartype power_state: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PowerState + :vartype power_state: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PowerState :ivar availability_zones: The list of Availability zones to use for nodes. This can only be specified if the AgentPoolType property is 'VirtualMachineScaleSets'. :vartype availability_zones: list[str] @@ -214,11 +214,11 @@ class AgentPool(SubResource): # pylint: disable=too-many-instance-attributes :ivar scale_set_priority: The Virtual Machine Scale Set priority. If not specified, the default is 'Regular'. Known values are: "Spot" and "Regular". :vartype scale_set_priority: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ScaleSetPriority + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ScaleSetPriority :ivar scale_set_eviction_policy: This cannot be specified unless the scaleSetPriority is 'Spot'. If not specified, the default is 'Delete'. Known values are: "Delete" and "Deallocate". :vartype scale_set_eviction_policy: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ScaleSetEvictionPolicy + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ScaleSetEvictionPolicy :ivar spot_max_price: Possible values are any decimal value greater than zero or -1 which indicates the willingness to pay any on-demand price. For more details on spot pricing, see `spot VMs pricing `_. @@ -233,9 +233,9 @@ class AgentPool(SubResource): # pylint: disable=too-many-instance-attributes :ivar proximity_placement_group_id: The ID for Proximity Placement Group. :vartype proximity_placement_group_id: str :ivar kubelet_config: The Kubelet configuration on the agent pool nodes. - :vartype kubelet_config: ~azure.mgmt.containerservice.v2023_01_02_preview.models.KubeletConfig + :vartype kubelet_config: ~azure.mgmt.containerservice.v2022_11_02_preview.models.KubeletConfig :ivar linux_os_config: The OS configuration of Linux agent nodes. - :vartype linux_os_config: ~azure.mgmt.containerservice.v2023_01_02_preview.models.LinuxOSConfig + :vartype linux_os_config: ~azure.mgmt.containerservice.v2022_11_02_preview.models.LinuxOSConfig :ivar enable_encryption_at_host: This is only supported on certain VM sizes and in certain Azure regions. For more information, see: https://docs.microsoft.com/azure/aks/enable-host-encryption. @@ -249,10 +249,10 @@ class AgentPool(SubResource): # pylint: disable=too-many-instance-attributes :ivar gpu_instance_profile: GPUInstanceProfile to be used to specify GPU MIG instance profile for supported GPU VM SKU. Known values are: "MIG1g", "MIG2g", "MIG3g", "MIG4g", and "MIG7g". :vartype gpu_instance_profile: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.GPUInstanceProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.GPUInstanceProfile :ivar creation_data: CreationData to be used to specify the source Snapshot ID if the node pool will be created/upgraded using a snapshot. - :vartype creation_data: ~azure.mgmt.containerservice.v2023_01_02_preview.models.CreationData + :vartype creation_data: ~azure.mgmt.containerservice.v2022_11_02_preview.models.CreationData :ivar capacity_reservation_group_id: AKS will associate the specified agent pool with the Capacity Reservation Group. :vartype capacity_reservation_group_id: str @@ -263,10 +263,10 @@ class AgentPool(SubResource): # pylint: disable=too-many-instance-attributes :vartype host_group_id: str :ivar windows_profile: The Windows agent pool's specific profile. :vartype windows_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolWindowsProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolWindowsProfile :ivar network_profile: Network-related settings of an agent pool. :vartype network_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolNetworkProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolNetworkProfile """ _validation = { @@ -377,8 +377,8 @@ def __init__( # pylint: disable=too-many-locals host_group_id: Optional[str] = None, windows_profile: Optional["_models.AgentPoolWindowsProfile"] = None, network_profile: Optional["_models.AgentPoolNetworkProfile"] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword count: Number of agents (VMs) to host docker containers. Allowed values must be in the range of 0 to 1000 (inclusive) for user pools and in the range of 1 to 1000 (inclusive) for @@ -398,15 +398,15 @@ def __init__( # pylint: disable=too-many-locals `_. Known values are: "Managed" and "Ephemeral". :paramtype os_disk_type: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSDiskType + ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSDiskType :keyword kubelet_disk_type: Determines the placement of emptyDir volumes, container runtime data root, and Kubelet ephemeral storage. Known values are: "OS" and "Temporary". :paramtype kubelet_disk_type: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.KubeletDiskType + ~azure.mgmt.containerservice.v2022_11_02_preview.models.KubeletDiskType :keyword workload_runtime: Determines the type of workload a node can run. Known values are: "OCIContainer", "WasmWasi", and "KataMshvVmIsolation". :paramtype workload_runtime: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.WorkloadRuntime + ~azure.mgmt.containerservice.v2022_11_02_preview.models.WorkloadRuntime :keyword message_of_the_day: A base64-encoded string which will be written to /etc/motd after decoding. This allows customization of the message of the day for Linux nodes. It must not be specified for Windows nodes. It must be a static string (i.e., will be printed raw and not be @@ -425,12 +425,12 @@ def __init__( # pylint: disable=too-many-locals :paramtype max_pods: int :keyword os_type: The operating system type. The default is Linux. Known values are: "Linux" and "Windows". - :paramtype os_type: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSType + :paramtype os_type: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSType :keyword os_sku: Specifies the OS SKU used by the agent pool. If not specified, the default is Ubuntu if OSType=Linux or Windows2019 if OSType=Windows. And the default Windows OSSKU will be changed to Windows2022 after Windows2019 is deprecated. Known values are: "Ubuntu", "CBLMariner", "Mariner", "Windows2019", and "Windows2022". - :paramtype os_sku: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSSKU + :paramtype os_sku: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSSKU :keyword max_count: The maximum number of nodes for auto-scaling. :paramtype max_count: int :keyword min_count: The minimum number of nodes for auto-scaling. @@ -440,15 +440,15 @@ def __init__( # pylint: disable=too-many-locals :keyword scale_down_mode: This also effects the cluster autoscaler behavior. If not specified, it defaults to Delete. Known values are: "Delete" and "Deallocate". :paramtype scale_down_mode: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ScaleDownMode + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ScaleDownMode :keyword type_properties_type: The type of Agent Pool. Known values are: "VirtualMachineScaleSets" and "AvailabilitySet". :paramtype type_properties_type: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolType + ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolType :keyword mode: A cluster must have at least one 'System' Agent Pool at all times. For additional information on agent pool restrictions and best practices, see: https://docs.microsoft.com/azure/aks/use-system-pools. Known values are: "System" and "User". - :paramtype mode: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolMode + :paramtype mode: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolMode :keyword orchestrator_version: Both patch version and are supported. When is specified, the latest supported patch version is chosen automatically. Updating the agent pool with the same once it has been created @@ -461,12 +461,12 @@ def __init__( # pylint: disable=too-many-locals :paramtype orchestrator_version: str :keyword upgrade_settings: Settings for upgrading the agentpool. :paramtype upgrade_settings: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolUpgradeSettings + ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolUpgradeSettings :keyword power_state: When an Agent Pool is first created it is initially Running. The Agent Pool can be stopped by setting this field to Stopped. A stopped Agent Pool stops all of its VMs and does not accrue billing charges. An Agent Pool can only be stopped if it is Running and provisioning state is Succeeded. - :paramtype power_state: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PowerState + :paramtype power_state: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PowerState :keyword availability_zones: The list of Availability zones to use for nodes. This can only be specified if the AgentPoolType property is 'VirtualMachineScaleSets'. :paramtype availability_zones: list[str] @@ -488,11 +488,11 @@ def __init__( # pylint: disable=too-many-locals :keyword scale_set_priority: The Virtual Machine Scale Set priority. If not specified, the default is 'Regular'. Known values are: "Spot" and "Regular". :paramtype scale_set_priority: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ScaleSetPriority + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ScaleSetPriority :keyword scale_set_eviction_policy: This cannot be specified unless the scaleSetPriority is 'Spot'. If not specified, the default is 'Delete'. Known values are: "Delete" and "Deallocate". :paramtype scale_set_eviction_policy: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ScaleSetEvictionPolicy + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ScaleSetEvictionPolicy :keyword spot_max_price: Possible values are any decimal value greater than zero or -1 which indicates the willingness to pay any on-demand price. For more details on spot pricing, see `spot VMs pricing `_. @@ -508,10 +508,10 @@ def __init__( # pylint: disable=too-many-locals :paramtype proximity_placement_group_id: str :keyword kubelet_config: The Kubelet configuration on the agent pool nodes. :paramtype kubelet_config: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.KubeletConfig + ~azure.mgmt.containerservice.v2022_11_02_preview.models.KubeletConfig :keyword linux_os_config: The OS configuration of Linux agent nodes. :paramtype linux_os_config: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.LinuxOSConfig + ~azure.mgmt.containerservice.v2022_11_02_preview.models.LinuxOSConfig :keyword enable_encryption_at_host: This is only supported on certain VM sizes and in certain Azure regions. For more information, see: https://docs.microsoft.com/azure/aks/enable-host-encryption. @@ -526,10 +526,10 @@ def __init__( # pylint: disable=too-many-locals profile for supported GPU VM SKU. Known values are: "MIG1g", "MIG2g", "MIG3g", "MIG4g", and "MIG7g". :paramtype gpu_instance_profile: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.GPUInstanceProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.GPUInstanceProfile :keyword creation_data: CreationData to be used to specify the source Snapshot ID if the node pool will be created/upgraded using a snapshot. - :paramtype creation_data: ~azure.mgmt.containerservice.v2023_01_02_preview.models.CreationData + :paramtype creation_data: ~azure.mgmt.containerservice.v2022_11_02_preview.models.CreationData :keyword capacity_reservation_group_id: AKS will associate the specified agent pool with the Capacity Reservation Group. :paramtype capacity_reservation_group_id: str @@ -540,10 +540,10 @@ def __init__( # pylint: disable=too-many-locals :paramtype host_group_id: str :keyword windows_profile: The Windows agent pool's specific profile. :paramtype windows_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolWindowsProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolWindowsProfile :keyword network_profile: Network-related settings of an agent pool. :paramtype network_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolNetworkProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolNetworkProfile """ super().__init__(**kwargs) self.count = count @@ -607,7 +607,7 @@ class AgentPoolAvailableVersions(_serialization.Model): :vartype type: str :ivar agent_pool_versions: List of versions available for agent pool. :vartype agent_pool_versions: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolAvailableVersionsPropertiesAgentPoolVersionsItem] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolAvailableVersionsPropertiesAgentPoolVersionsItem] """ _validation = { @@ -630,12 +630,12 @@ def __init__( self, *, agent_pool_versions: Optional[List["_models.AgentPoolAvailableVersionsPropertiesAgentPoolVersionsItem"]] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword agent_pool_versions: List of versions available for agent pool. :paramtype agent_pool_versions: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolAvailableVersionsPropertiesAgentPoolVersionsItem] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolAvailableVersionsPropertiesAgentPoolVersionsItem] """ super().__init__(**kwargs) self.id = None @@ -667,8 +667,8 @@ def __init__( default: Optional[bool] = None, kubernetes_version: Optional[str] = None, is_preview: Optional[bool] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword default: Whether this version is the default agent pool version. :paramtype default: bool @@ -689,7 +689,7 @@ class AgentPoolListResult(_serialization.Model): Variables are only populated by the server, and will be ignored when sending a request. :ivar value: The list of agent pools. - :vartype value: list[~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPool] + :vartype value: list[~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPool] :ivar next_link: The URL to get the next set of agent pool results. :vartype next_link: str """ @@ -703,10 +703,10 @@ class AgentPoolListResult(_serialization.Model): "next_link": {"key": "nextLink", "type": "str"}, } - def __init__(self, *, value: Optional[List["_models.AgentPool"]] = None, **kwargs: Any) -> None: + def __init__(self, *, value: Optional[List["_models.AgentPool"]] = None, **kwargs): """ :keyword value: The list of agent pools. - :paramtype value: list[~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPool] + :paramtype value: list[~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPool] """ super().__init__(**kwargs) self.value = value @@ -718,11 +718,11 @@ class AgentPoolNetworkProfile(_serialization.Model): :ivar node_public_ip_tags: IPTags of instance-level public IPs. :vartype node_public_ip_tags: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.IPTag] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.IPTag] :ivar allowed_host_ports: The port ranges that are allowed to access. The specified ranges are allowed to overlap. :vartype allowed_host_ports: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.PortRange] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.PortRange] :ivar application_security_groups: The IDs of the application security groups which agent pool will associate when created. :vartype application_security_groups: list[str] @@ -740,16 +740,16 @@ def __init__( node_public_ip_tags: Optional[List["_models.IPTag"]] = None, allowed_host_ports: Optional[List["_models.PortRange"]] = None, application_security_groups: Optional[List[str]] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword node_public_ip_tags: IPTags of instance-level public IPs. :paramtype node_public_ip_tags: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.IPTag] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.IPTag] :keyword allowed_host_ports: The port ranges that are allowed to access. The specified ranges are allowed to overlap. :paramtype allowed_host_ports: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.PortRange] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.PortRange] :keyword application_security_groups: The IDs of the application security groups which agent pool will associate when created. :paramtype application_security_groups: list[str] @@ -777,10 +777,10 @@ class AgentPoolUpgradeProfile(_serialization.Model): :vartype kubernetes_version: str :ivar os_type: The operating system type. The default is Linux. Known values are: "Linux" and "Windows". - :vartype os_type: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSType + :vartype os_type: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSType :ivar upgrades: List of orchestrator types and versions available for upgrade. :vartype upgrades: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolUpgradeProfilePropertiesUpgradesItem] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolUpgradeProfilePropertiesUpgradesItem] :ivar latest_node_image_version: The latest AKS supported node image version. :vartype latest_node_image_version: str """ @@ -810,17 +810,17 @@ def __init__( os_type: Union[str, "_models.OSType"] = "Linux", upgrades: Optional[List["_models.AgentPoolUpgradeProfilePropertiesUpgradesItem"]] = None, latest_node_image_version: Optional[str] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword kubernetes_version: The Kubernetes version (major.minor.patch). Required. :paramtype kubernetes_version: str :keyword os_type: The operating system type. The default is Linux. Known values are: "Linux" and "Windows". - :paramtype os_type: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSType + :paramtype os_type: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSType :keyword upgrades: List of orchestrator types and versions available for upgrade. :paramtype upgrades: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolUpgradeProfilePropertiesUpgradesItem] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolUpgradeProfilePropertiesUpgradesItem] :keyword latest_node_image_version: The latest AKS supported node image version. :paramtype latest_node_image_version: str """ @@ -848,9 +848,7 @@ class AgentPoolUpgradeProfilePropertiesUpgradesItem(_serialization.Model): "is_preview": {"key": "isPreview", "type": "bool"}, } - def __init__( - self, *, kubernetes_version: Optional[str] = None, is_preview: Optional[bool] = None, **kwargs: Any - ) -> None: + def __init__(self, *, kubernetes_version: Optional[str] = None, is_preview: Optional[bool] = None, **kwargs): """ :keyword kubernetes_version: The Kubernetes version (major.minor.patch). :paramtype kubernetes_version: str @@ -877,7 +875,7 @@ class AgentPoolUpgradeSettings(_serialization.Model): "max_surge": {"key": "maxSurge", "type": "str"}, } - def __init__(self, *, max_surge: Optional[str] = None, **kwargs: Any) -> None: + def __init__(self, *, max_surge: Optional[str] = None, **kwargs): """ :keyword max_surge: This can either be set to an integer (e.g. '5') or a percentage (e.g. '50%'). If a percentage is specified, it is the percentage of the total agent pool size at the @@ -903,7 +901,7 @@ class AgentPoolWindowsProfile(_serialization.Model): "disable_outbound_nat": {"key": "disableOutboundNat", "type": "bool"}, } - def __init__(self, *, disable_outbound_nat: Optional[bool] = None, **kwargs: Any) -> None: + def __init__(self, *, disable_outbound_nat: Optional[bool] = None, **kwargs): """ :keyword disable_outbound_nat: The default value is false. Outbound NAT can only be disabled if the cluster outboundType is NAT Gateway and the Windows agent pool does not have node public IP @@ -930,7 +928,7 @@ class AzureKeyVaultKms(_serialization.Model): ``Private`` means the key vault disables public access and enables private link. The default value is ``Public``. Known values are: "Public" and "Private". :vartype key_vault_network_access: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.KeyVaultNetworkAccessTypes + ~azure.mgmt.containerservice.v2022_11_02_preview.models.KeyVaultNetworkAccessTypes :ivar key_vault_resource_id: Resource ID of key vault. When keyVaultNetworkAccess is ``Private``\ , this field is required and must be a valid resource ID. When keyVaultNetworkAccess is ``Public``\ , leave the field empty. @@ -951,8 +949,8 @@ def __init__( key_id: Optional[str] = None, key_vault_network_access: Union[str, "_models.KeyVaultNetworkAccessTypes"] = "Public", key_vault_resource_id: Optional[str] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword enabled: Whether to enable Azure Key Vault key management service. The default is false. @@ -968,7 +966,7 @@ def __init__( networks. ``Private`` means the key vault disables public access and enables private link. The default value is ``Public``. Known values are: "Public" and "Private". :paramtype key_vault_network_access: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.KeyVaultNetworkAccessTypes + ~azure.mgmt.containerservice.v2022_11_02_preview.models.KeyVaultNetworkAccessTypes :keyword key_vault_resource_id: Resource ID of key vault. When keyVaultNetworkAccess is ``Private``\ , this field is required and must be a valid resource ID. When keyVaultNetworkAccess is ``Public``\ , leave the field empty. @@ -994,7 +992,7 @@ class CloudErrorBody(_serialization.Model): error. :vartype target: str :ivar details: A list of additional details about the error. - :vartype details: list[~azure.mgmt.containerservice.v2023_01_02_preview.models.CloudErrorBody] + :vartype details: list[~azure.mgmt.containerservice.v2022_11_02_preview.models.CloudErrorBody] """ _attribute_map = { @@ -1011,8 +1009,8 @@ def __init__( message: Optional[str] = None, target: Optional[str] = None, details: Optional[List["_models.CloudErrorBody"]] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword code: An identifier for the error. Codes are invariant and are intended to be consumed programmatically. @@ -1025,7 +1023,7 @@ def __init__( :paramtype target: str :keyword details: A list of additional details about the error. :paramtype details: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.CloudErrorBody] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.CloudErrorBody] """ super().__init__(**kwargs) self.code = code @@ -1034,28 +1032,6 @@ def __init__( self.details = details -class ClusterUpgradeSettings(_serialization.Model): - """Settings for upgrading a cluster. - - :ivar override_settings: Settings for overrides. - :vartype override_settings: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.UpgradeOverrideSettings - """ - - _attribute_map = { - "override_settings": {"key": "overrideSettings", "type": "UpgradeOverrideSettings"}, - } - - def __init__(self, *, override_settings: Optional["_models.UpgradeOverrideSettings"] = None, **kwargs: Any) -> None: - """ - :keyword override_settings: Settings for overrides. - :paramtype override_settings: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.UpgradeOverrideSettings - """ - super().__init__(**kwargs) - self.override_settings = override_settings - - class ContainerServiceDiagnosticsProfile(_serialization.Model): """Profile for diagnostics on the container service cluster. @@ -1063,7 +1039,7 @@ class ContainerServiceDiagnosticsProfile(_serialization.Model): :ivar vm_diagnostics: Profile for diagnostics on the container service VMs. Required. :vartype vm_diagnostics: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ContainerServiceVMDiagnostics + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ContainerServiceVMDiagnostics """ _validation = { @@ -1074,11 +1050,11 @@ class ContainerServiceDiagnosticsProfile(_serialization.Model): "vm_diagnostics": {"key": "vmDiagnostics", "type": "ContainerServiceVMDiagnostics"}, } - def __init__(self, *, vm_diagnostics: "_models.ContainerServiceVMDiagnostics", **kwargs: Any) -> None: + def __init__(self, *, vm_diagnostics: "_models.ContainerServiceVMDiagnostics", **kwargs): """ :keyword vm_diagnostics: Profile for diagnostics on the container service VMs. Required. :paramtype vm_diagnostics: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ContainerServiceVMDiagnostics + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ContainerServiceVMDiagnostics """ super().__init__(**kwargs) self.vm_diagnostics = vm_diagnostics @@ -1093,7 +1069,7 @@ class ContainerServiceLinuxProfile(_serialization.Model): :vartype admin_username: str :ivar ssh: The SSH configuration for Linux-based VMs running on Azure. Required. :vartype ssh: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ContainerServiceSshConfiguration + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ContainerServiceSshConfiguration """ _validation = { @@ -1106,13 +1082,13 @@ class ContainerServiceLinuxProfile(_serialization.Model): "ssh": {"key": "ssh", "type": "ContainerServiceSshConfiguration"}, } - def __init__(self, *, admin_username: str, ssh: "_models.ContainerServiceSshConfiguration", **kwargs: Any) -> None: + def __init__(self, *, admin_username: str, ssh: "_models.ContainerServiceSshConfiguration", **kwargs): """ :keyword admin_username: The administrator username to use for Linux VMs. Required. :paramtype admin_username: str :keyword ssh: The SSH configuration for Linux-based VMs running on Azure. Required. :paramtype ssh: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ContainerServiceSshConfiguration + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ContainerServiceSshConfiguration """ super().__init__(**kwargs) self.admin_username = admin_username @@ -1128,7 +1104,7 @@ class ContainerServiceMasterProfile(_serialization.Model): :ivar count: Number of masters (VMs) in the container service cluster. Allowed values are 1, 3, and 5. The default value is 1. Known values are: 1, 3, and 5. - :vartype count: int or ~azure.mgmt.containerservice.v2023_01_02_preview.models.Count + :vartype count: int or ~azure.mgmt.containerservice.v2022_11_02_preview.models.Count :ivar dns_prefix: DNS prefix to be used to create the FQDN for the master pool. Required. :vartype dns_prefix: str :ivar vm_size: Size of agent VMs. Required. Known values are: "Standard_A1", "Standard_A10", @@ -1170,7 +1146,7 @@ class ContainerServiceMasterProfile(_serialization.Model): "Standard_NC6", "Standard_NC6s_v2", "Standard_NC6s_v3", "Standard_ND12s", "Standard_ND24rs", "Standard_ND24s", "Standard_ND6s", "Standard_NV12", "Standard_NV24", and "Standard_NV6". :vartype vm_size: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ContainerServiceVMSizeTypes + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ContainerServiceVMSizeTypes :ivar os_disk_size_gb: OS Disk Size in GB to be used to specify the disk size for every machine in this master/agent pool. If you specify 0, it will apply the default osDisk size according to the vmSize specified. @@ -1184,7 +1160,7 @@ class ContainerServiceMasterProfile(_serialization.Model): StorageAccount and ManagedDisks. Leave it empty, we will choose for you based on the orchestrator choice. Known values are: "StorageAccount" and "ManagedDisks". :vartype storage_profile: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ContainerServiceStorageProfileTypes + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ContainerServiceStorageProfileTypes :ivar fqdn: FQDN for the master pool. :vartype fqdn: str """ @@ -1217,12 +1193,12 @@ def __init__( vnet_subnet_id: Optional[str] = None, first_consecutive_static_ip: str = "10.240.255.5", storage_profile: Optional[Union[str, "_models.ContainerServiceStorageProfileTypes"]] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword count: Number of masters (VMs) in the container service cluster. Allowed values are 1, 3, and 5. The default value is 1. Known values are: 1, 3, and 5. - :paramtype count: int or ~azure.mgmt.containerservice.v2023_01_02_preview.models.Count + :paramtype count: int or ~azure.mgmt.containerservice.v2022_11_02_preview.models.Count :keyword dns_prefix: DNS prefix to be used to create the FQDN for the master pool. Required. :paramtype dns_prefix: str :keyword vm_size: Size of agent VMs. Required. Known values are: "Standard_A1", "Standard_A10", @@ -1264,7 +1240,7 @@ def __init__( "Standard_NC6", "Standard_NC6s_v2", "Standard_NC6s_v3", "Standard_ND12s", "Standard_ND24rs", "Standard_ND24s", "Standard_ND6s", "Standard_NV12", "Standard_NV24", and "Standard_NV6". :paramtype vm_size: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ContainerServiceVMSizeTypes + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ContainerServiceVMSizeTypes :keyword os_disk_size_gb: OS Disk Size in GB to be used to specify the disk size for every machine in this master/agent pool. If you specify 0, it will apply the default osDisk size according to the vmSize specified. @@ -1278,7 +1254,7 @@ def __init__( StorageAccount and ManagedDisks. Leave it empty, we will choose for you based on the orchestrator choice. Known values are: "StorageAccount" and "ManagedDisks". :paramtype storage_profile: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ContainerServiceStorageProfileTypes + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ContainerServiceStorageProfileTypes """ super().__init__(**kwargs) self.count = count @@ -1297,22 +1273,22 @@ class ContainerServiceNetworkProfile(_serialization.Model): # pylint: disable=t :ivar network_plugin: Network plugin used for building the Kubernetes network. Known values are: "azure", "kubenet", and "none". :vartype network_plugin: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.NetworkPlugin + ~azure.mgmt.containerservice.v2022_11_02_preview.models.NetworkPlugin :ivar network_plugin_mode: Network plugin mode used for building the Kubernetes network. "Overlay" :vartype network_plugin_mode: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.NetworkPluginMode + ~azure.mgmt.containerservice.v2022_11_02_preview.models.NetworkPluginMode :ivar network_policy: Network policy used for building the Kubernetes network. Known values are: "calico" and "azure". :vartype network_policy: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.NetworkPolicy + ~azure.mgmt.containerservice.v2022_11_02_preview.models.NetworkPolicy :ivar network_mode: This cannot be specified if networkPlugin is anything other than 'azure'. Known values are: "transparent" and "bridge". :vartype network_mode: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.NetworkMode + ~azure.mgmt.containerservice.v2022_11_02_preview.models.NetworkMode :ivar ebpf_dataplane: The eBPF dataplane used for building the Kubernetes network. "cilium" :vartype ebpf_dataplane: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.EbpfDataplane + ~azure.mgmt.containerservice.v2022_11_02_preview.models.EbpfDataplane :ivar pod_cidr: A CIDR notation IP range from which to assign pod IPs when kubenet is used. :vartype pod_cidr: str :ivar service_cidr: A CIDR notation IP range from which to assign service cluster IPs. It must @@ -1329,18 +1305,18 @@ class ContainerServiceNetworkProfile(_serialization.Model): # pylint: disable=t `_. Known values are: "loadBalancer", "userDefinedRouting", "managedNATGateway", and "userAssignedNATGateway". :vartype outbound_type: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.OutboundType + ~azure.mgmt.containerservice.v2022_11_02_preview.models.OutboundType :ivar load_balancer_sku: The default is 'standard'. See `Azure Load Balancer SKUs `_ for more information about the differences between load balancer SKUs. Known values are: "standard" and "basic". :vartype load_balancer_sku: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.LoadBalancerSku + ~azure.mgmt.containerservice.v2022_11_02_preview.models.LoadBalancerSku :ivar load_balancer_profile: Profile of the cluster load balancer. :vartype load_balancer_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterLoadBalancerProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterLoadBalancerProfile :ivar nat_gateway_profile: Profile of the cluster NAT gateway. :vartype nat_gateway_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterNATGatewayProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterNATGatewayProfile :ivar pod_cidrs: One IPv4 CIDR is expected for single-stack networking. Two CIDRs, one for each IP family (IPv4/IPv6), is expected for dual-stack networking. :vartype pod_cidrs: list[str] @@ -1352,14 +1328,14 @@ class ContainerServiceNetworkProfile(_serialization.Model): # pylint: disable=t single-stack, the expected value is IPv4. For dual-stack, the expected values are IPv4 and IPv6. :vartype ip_families: list[str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.IpFamily] + ~azure.mgmt.containerservice.v2022_11_02_preview.models.IpFamily] :ivar kube_proxy_config: Holds configuration customizations for kube-proxy. Any values not defined will use the kube-proxy defaulting behavior. See https://v:code:``.docs.kubernetes.io/docs/reference/command-line-tools-reference/kube-proxy/ where :code:`` is represented by a :code:``-:code:`` string. Kubernetes version 1.23 would be '1-23'. :vartype kube_proxy_config: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ContainerServiceNetworkProfileKubeProxyConfig + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ContainerServiceNetworkProfileKubeProxyConfig """ _validation = { @@ -1411,28 +1387,28 @@ def __init__( service_cidrs: Optional[List[str]] = None, ip_families: Optional[List[Union[str, "_models.IpFamily"]]] = None, kube_proxy_config: Optional["_models.ContainerServiceNetworkProfileKubeProxyConfig"] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword network_plugin: Network plugin used for building the Kubernetes network. Known values are: "azure", "kubenet", and "none". :paramtype network_plugin: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.NetworkPlugin + ~azure.mgmt.containerservice.v2022_11_02_preview.models.NetworkPlugin :keyword network_plugin_mode: Network plugin mode used for building the Kubernetes network. "Overlay" :paramtype network_plugin_mode: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.NetworkPluginMode + ~azure.mgmt.containerservice.v2022_11_02_preview.models.NetworkPluginMode :keyword network_policy: Network policy used for building the Kubernetes network. Known values are: "calico" and "azure". :paramtype network_policy: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.NetworkPolicy + ~azure.mgmt.containerservice.v2022_11_02_preview.models.NetworkPolicy :keyword network_mode: This cannot be specified if networkPlugin is anything other than 'azure'. Known values are: "transparent" and "bridge". :paramtype network_mode: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.NetworkMode + ~azure.mgmt.containerservice.v2022_11_02_preview.models.NetworkMode :keyword ebpf_dataplane: The eBPF dataplane used for building the Kubernetes network. "cilium" :paramtype ebpf_dataplane: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.EbpfDataplane + ~azure.mgmt.containerservice.v2022_11_02_preview.models.EbpfDataplane :keyword pod_cidr: A CIDR notation IP range from which to assign pod IPs when kubenet is used. :paramtype pod_cidr: str :keyword service_cidr: A CIDR notation IP range from which to assign service cluster IPs. It @@ -1449,18 +1425,18 @@ def __init__( `_. Known values are: "loadBalancer", "userDefinedRouting", "managedNATGateway", and "userAssignedNATGateway". :paramtype outbound_type: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.OutboundType + ~azure.mgmt.containerservice.v2022_11_02_preview.models.OutboundType :keyword load_balancer_sku: The default is 'standard'. See `Azure Load Balancer SKUs `_ for more information about the differences between load balancer SKUs. Known values are: "standard" and "basic". :paramtype load_balancer_sku: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.LoadBalancerSku + ~azure.mgmt.containerservice.v2022_11_02_preview.models.LoadBalancerSku :keyword load_balancer_profile: Profile of the cluster load balancer. :paramtype load_balancer_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterLoadBalancerProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterLoadBalancerProfile :keyword nat_gateway_profile: Profile of the cluster NAT gateway. :paramtype nat_gateway_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterNATGatewayProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterNATGatewayProfile :keyword pod_cidrs: One IPv4 CIDR is expected for single-stack networking. Two CIDRs, one for each IP family (IPv4/IPv6), is expected for dual-stack networking. :paramtype pod_cidrs: list[str] @@ -1472,14 +1448,14 @@ def __init__( For single-stack, the expected value is IPv4. For dual-stack, the expected values are IPv4 and IPv6. :paramtype ip_families: list[str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.IpFamily] + ~azure.mgmt.containerservice.v2022_11_02_preview.models.IpFamily] :keyword kube_proxy_config: Holds configuration customizations for kube-proxy. Any values not defined will use the kube-proxy defaulting behavior. See https://v:code:``.docs.kubernetes.io/docs/reference/command-line-tools-reference/kube-proxy/ where :code:`` is represented by a :code:``-:code:`` string. Kubernetes version 1.23 would be '1-23'. :paramtype kube_proxy_config: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ContainerServiceNetworkProfileKubeProxyConfig + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ContainerServiceNetworkProfileKubeProxyConfig """ super().__init__(**kwargs) self.network_plugin = network_plugin @@ -1502,22 +1478,18 @@ def __init__( class ContainerServiceNetworkProfileKubeProxyConfig(_serialization.Model): - """Holds configuration customizations for kube-proxy. Any values not defined will use the - kube-proxy defaulting behavior. See - https://v:code:``.docs.kubernetes.io/docs/reference/command-line-tools-reference/kube-proxy/ - where :code:`` is represented by a :code:``-:code:`` - string. Kubernetes version 1.23 would be '1-23'. + """Holds configuration customizations for kube-proxy. Any values not defined will use the kube-proxy defaulting behavior. See https://v:code:``.docs.kubernetes.io/docs/reference/command-line-tools-reference/kube-proxy/ where :code:`` is represented by a :code:``-:code:`` string. Kubernetes version 1.23 would be '1-23'. :ivar enabled: Whether to enable on kube-proxy on the cluster (if no 'kubeProxyConfig' exists, kube-proxy is enabled in AKS by default without these customizations). :vartype enabled: bool :ivar mode: Specify which proxy mode to use ('IPTABLES' or 'IPVS'). Known values are: "IPTABLES" and "IPVS". - :vartype mode: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.Mode + :vartype mode: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.Mode :ivar ipvs_config: Holds configuration customizations for IPVS. May only be specified if 'mode' is set to 'IPVS'. :vartype ipvs_config: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ContainerServiceNetworkProfileKubeProxyConfigIpvsConfig + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ContainerServiceNetworkProfileKubeProxyConfigIpvsConfig """ _attribute_map = { @@ -1532,19 +1504,19 @@ def __init__( enabled: Optional[bool] = None, mode: Optional[Union[str, "_models.Mode"]] = None, ipvs_config: Optional["_models.ContainerServiceNetworkProfileKubeProxyConfigIpvsConfig"] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword enabled: Whether to enable on kube-proxy on the cluster (if no 'kubeProxyConfig' exists, kube-proxy is enabled in AKS by default without these customizations). :paramtype enabled: bool :keyword mode: Specify which proxy mode to use ('IPTABLES' or 'IPVS'). Known values are: "IPTABLES" and "IPVS". - :paramtype mode: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.Mode + :paramtype mode: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.Mode :keyword ipvs_config: Holds configuration customizations for IPVS. May only be specified if 'mode' is set to 'IPVS'. :paramtype ipvs_config: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ContainerServiceNetworkProfileKubeProxyConfigIpvsConfig + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ContainerServiceNetworkProfileKubeProxyConfigIpvsConfig """ super().__init__(**kwargs) self.enabled = enabled @@ -1559,7 +1531,7 @@ class ContainerServiceNetworkProfileKubeProxyConfigIpvsConfig(_serialization.Mod http://www.linuxvirtualserver.org/docs/scheduling.html. Known values are: "RoundRobin" and "LeastConnection". :vartype scheduler: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.IpvsScheduler + ~azure.mgmt.containerservice.v2022_11_02_preview.models.IpvsScheduler :ivar tcp_timeout_seconds: The timeout value used for idle IPVS TCP sessions in seconds. Must be a positive integer value. :vartype tcp_timeout_seconds: int @@ -1585,14 +1557,14 @@ def __init__( tcp_timeout_seconds: Optional[int] = None, tcp_fin_timeout_seconds: Optional[int] = None, udp_timeout_seconds: Optional[int] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword scheduler: IPVS scheduler, for more information please see http://www.linuxvirtualserver.org/docs/scheduling.html. Known values are: "RoundRobin" and "LeastConnection". :paramtype scheduler: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.IpvsScheduler + ~azure.mgmt.containerservice.v2022_11_02_preview.models.IpvsScheduler :keyword tcp_timeout_seconds: The timeout value used for idle IPVS TCP sessions in seconds. Must be a positive integer value. :paramtype tcp_timeout_seconds: int @@ -1618,7 +1590,7 @@ class ContainerServiceSshConfiguration(_serialization.Model): :ivar public_keys: The list of SSH public keys used to authenticate with Linux-based VMs. A maximum of 1 key may be specified. Required. :vartype public_keys: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ContainerServiceSshPublicKey] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ContainerServiceSshPublicKey] """ _validation = { @@ -1629,12 +1601,12 @@ class ContainerServiceSshConfiguration(_serialization.Model): "public_keys": {"key": "publicKeys", "type": "[ContainerServiceSshPublicKey]"}, } - def __init__(self, *, public_keys: List["_models.ContainerServiceSshPublicKey"], **kwargs: Any) -> None: + def __init__(self, *, public_keys: List["_models.ContainerServiceSshPublicKey"], **kwargs): """ :keyword public_keys: The list of SSH public keys used to authenticate with Linux-based VMs. A maximum of 1 key may be specified. Required. :paramtype public_keys: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ContainerServiceSshPublicKey] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ContainerServiceSshPublicKey] """ super().__init__(**kwargs) self.public_keys = public_keys @@ -1658,7 +1630,7 @@ class ContainerServiceSshPublicKey(_serialization.Model): "key_data": {"key": "keyData", "type": "str"}, } - def __init__(self, *, key_data: str, **kwargs: Any) -> None: + def __init__(self, *, key_data: str, **kwargs): """ :keyword key_data: Certificate public key used to authenticate with VMs through SSH. The certificate must be in PEM format with or without headers. Required. @@ -1691,7 +1663,7 @@ class ContainerServiceVMDiagnostics(_serialization.Model): "storage_uri": {"key": "storageUri", "type": "str"}, } - def __init__(self, *, enabled: bool, **kwargs: Any) -> None: + def __init__(self, *, enabled: bool, **kwargs): """ :keyword enabled: Whether the VM diagnostic agent is provisioned on the VM. Required. :paramtype enabled: bool @@ -1713,7 +1685,7 @@ class CreationData(_serialization.Model): "source_resource_id": {"key": "sourceResourceId", "type": "str"}, } - def __init__(self, *, source_resource_id: Optional[str] = None, **kwargs: Any) -> None: + def __init__(self, *, source_resource_id: Optional[str] = None, **kwargs): """ :keyword source_resource_id: This is the ARM ID of the source object to be used to create the target object. @@ -1744,7 +1716,7 @@ class CredentialResult(_serialization.Model): "value": {"key": "value", "type": "bytearray"}, } - def __init__(self, **kwargs: Any) -> None: + def __init__(self, **kwargs): """ """ super().__init__(**kwargs) self.name = None @@ -1758,7 +1730,7 @@ class CredentialResults(_serialization.Model): :ivar kubeconfigs: Base64-encoded Kubernetes configuration file. :vartype kubeconfigs: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.CredentialResult] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.CredentialResult] """ _validation = { @@ -1769,7 +1741,7 @@ class CredentialResults(_serialization.Model): "kubeconfigs": {"key": "kubeconfigs", "type": "[CredentialResult]"}, } - def __init__(self, **kwargs: Any) -> None: + def __init__(self, **kwargs): """ """ super().__init__(**kwargs) self.kubeconfigs = None @@ -1792,7 +1764,7 @@ class DailySchedule(_serialization.Model): "interval_days": {"key": "intervalDays", "type": "int"}, } - def __init__(self, *, interval_days: int, **kwargs: Any) -> None: + def __init__(self, *, interval_days: int, **kwargs): """ :keyword interval_days: Specifies the number of days between each set of occurrences. Required. :paramtype interval_days: int @@ -1822,7 +1794,7 @@ class DateSpan(_serialization.Model): "end": {"key": "end", "type": "date"}, } - def __init__(self, *, start: datetime.date, end: datetime.date, **kwargs: Any) -> None: + def __init__(self, *, start: datetime.date, end: datetime.date, **kwargs): """ :keyword start: The start date of the date span. Required. :paramtype start: ~datetime.date @@ -1841,7 +1813,7 @@ class EndpointDependency(_serialization.Model): :vartype domain_name: str :ivar endpoint_details: The Ports and Protocols used when connecting to domainName. :vartype endpoint_details: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.EndpointDetail] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.EndpointDetail] """ _attribute_map = { @@ -1854,14 +1826,14 @@ def __init__( *, domain_name: Optional[str] = None, endpoint_details: Optional[List["_models.EndpointDetail"]] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword domain_name: The domain name of the dependency. :paramtype domain_name: str :keyword endpoint_details: The Ports and Protocols used when connecting to domainName. :paramtype endpoint_details: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.EndpointDetail] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.EndpointDetail] """ super().__init__(**kwargs) self.domain_name = domain_name @@ -1895,8 +1867,8 @@ def __init__( port: Optional[int] = None, protocol: Optional[str] = None, description: Optional[str] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword ip_address: An IP Address that Domain Name currently resolves to. :paramtype ip_address: str @@ -1921,7 +1893,7 @@ class ExtendedLocation(_serialization.Model): :vartype name: str :ivar type: The type of the extended location. "EdgeZone" :vartype type: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ExtendedLocationTypes + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ExtendedLocationTypes """ _attribute_map = { @@ -1934,14 +1906,14 @@ def __init__( *, name: Optional[str] = None, type: Optional[Union[str, "_models.ExtendedLocationTypes"]] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword name: The name of the extended location. :paramtype name: str :keyword type: The type of the extended location. "EdgeZone" :paramtype type: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ExtendedLocationTypes + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ExtendedLocationTypes """ super().__init__(**kwargs) self.name = name @@ -1963,7 +1935,7 @@ class GuardrailsProfile(_serialization.Model): :ivar level: The guardrails level to be used. By default, Guardrails is enabled for all namespaces except those that AKS excludes via systemExcludedNamespaces. Required. Known values are: "Off", "Warning", and "Enforcement". - :vartype level: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.Level + :vartype level: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.Level :ivar excluded_namespaces: List of namespaces excluded from guardrails checks. :vartype excluded_namespaces: list[str] """ @@ -1987,15 +1959,15 @@ def __init__( version: str, level: Union[str, "_models.Level"], excluded_namespaces: Optional[List[str]] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword version: The version of constraints to use. Required. :paramtype version: str :keyword level: The guardrails level to be used. By default, Guardrails is enabled for all namespaces except those that AKS excludes via systemExcludedNamespaces. Required. Known values are: "Off", "Warning", and "Enforcement". - :paramtype level: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.Level + :paramtype level: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.Level :keyword excluded_namespaces: List of namespaces excluded from guardrails checks. :paramtype excluded_namespaces: list[str] """ @@ -2020,7 +1992,7 @@ class IPTag(_serialization.Model): "tag": {"key": "tag", "type": "str"}, } - def __init__(self, *, ip_tag_type: Optional[str] = None, tag: Optional[str] = None, **kwargs: Any) -> None: + def __init__(self, *, ip_tag_type: Optional[str] = None, tag: Optional[str] = None, **kwargs): """ :keyword ip_tag_type: The IP tag type. Example: RoutingPreference. :paramtype ip_tag_type: str @@ -2033,8 +2005,7 @@ def __init__(self, *, ip_tag_type: Optional[str] = None, tag: Optional[str] = No class KubeletConfig(_serialization.Model): # pylint: disable=too-many-instance-attributes - """See `AKS custom node configuration - `_ for more details. + """See `AKS custom node configuration `_ for more details. :ivar cpu_manager_policy: The default is 'none'. See `Kubernetes CPU management policies `_ @@ -2104,8 +2075,8 @@ def __init__( container_log_max_size_mb: Optional[int] = None, container_log_max_files: Optional[int] = None, pod_max_pids: Optional[int] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword cpu_manager_policy: The default is 'none'. See `Kubernetes CPU management policies `_ @@ -2157,11 +2128,10 @@ def __init__( class LinuxOSConfig(_serialization.Model): - """See `AKS custom node configuration - `_ for more details. + """See `AKS custom node configuration `_ for more details. :ivar sysctls: Sysctl settings for Linux agent nodes. - :vartype sysctls: ~azure.mgmt.containerservice.v2023_01_02_preview.models.SysctlConfig + :vartype sysctls: ~azure.mgmt.containerservice.v2022_11_02_preview.models.SysctlConfig :ivar transparent_huge_page_enabled: Valid values are 'always', 'madvise', and 'never'. The default is 'always'. For more information see `Transparent Hugepages `_. @@ -2189,11 +2159,11 @@ def __init__( transparent_huge_page_enabled: Optional[str] = None, transparent_huge_page_defrag: Optional[str] = None, swap_file_size_mb: Optional[int] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword sysctls: Sysctl settings for Linux agent nodes. - :paramtype sysctls: ~azure.mgmt.containerservice.v2023_01_02_preview.models.SysctlConfig + :paramtype sysctls: ~azure.mgmt.containerservice.v2022_11_02_preview.models.SysctlConfig :keyword transparent_huge_page_enabled: Valid values are 'always', 'madvise', and 'never'. The default is 'always'. For more information see `Transparent Hugepages `_. @@ -2214,8 +2184,7 @@ def __init__( class MaintenanceConfiguration(SubResource): - """See `planned maintenance `_ for more - information about planned maintenance. + """See `planned maintenance `_ for more information about planned maintenance. Variables are only populated by the server, and will be ignored when sending a request. @@ -2227,16 +2196,16 @@ class MaintenanceConfiguration(SubResource): :ivar type: Resource type. :vartype type: str :ivar system_data: The system metadata relating to this resource. - :vartype system_data: ~azure.mgmt.containerservice.v2023_01_02_preview.models.SystemData + :vartype system_data: ~azure.mgmt.containerservice.v2022_11_02_preview.models.SystemData :ivar time_in_week: If two array entries specify the same day of the week, the applied configuration is the union of times in both entries. - :vartype time_in_week: list[~azure.mgmt.containerservice.v2023_01_02_preview.models.TimeInWeek] + :vartype time_in_week: list[~azure.mgmt.containerservice.v2022_11_02_preview.models.TimeInWeek] :ivar not_allowed_time: Time slots on which upgrade is not allowed. :vartype not_allowed_time: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.TimeSpan] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.TimeSpan] :ivar maintenance_window: Maintenance window for the maintenance configuration. :vartype maintenance_window: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.MaintenanceWindow + ~azure.mgmt.containerservice.v2022_11_02_preview.models.MaintenanceWindow """ _validation = { @@ -2262,19 +2231,19 @@ def __init__( time_in_week: Optional[List["_models.TimeInWeek"]] = None, not_allowed_time: Optional[List["_models.TimeSpan"]] = None, maintenance_window: Optional["_models.MaintenanceWindow"] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword time_in_week: If two array entries specify the same day of the week, the applied configuration is the union of times in both entries. :paramtype time_in_week: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.TimeInWeek] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.TimeInWeek] :keyword not_allowed_time: Time slots on which upgrade is not allowed. :paramtype not_allowed_time: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.TimeSpan] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.TimeSpan] :keyword maintenance_window: Maintenance window for the maintenance configuration. :paramtype maintenance_window: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.MaintenanceWindow + ~azure.mgmt.containerservice.v2022_11_02_preview.models.MaintenanceWindow """ super().__init__(**kwargs) self.system_data = None @@ -2290,7 +2259,7 @@ class MaintenanceConfigurationListResult(_serialization.Model): :ivar value: The list of maintenance configurations. :vartype value: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.MaintenanceConfiguration] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.MaintenanceConfiguration] :ivar next_link: The URL to get the next set of maintenance configuration results. :vartype next_link: str """ @@ -2304,11 +2273,11 @@ class MaintenanceConfigurationListResult(_serialization.Model): "next_link": {"key": "nextLink", "type": "str"}, } - def __init__(self, *, value: Optional[List["_models.MaintenanceConfiguration"]] = None, **kwargs: Any) -> None: + def __init__(self, *, value: Optional[List["_models.MaintenanceConfiguration"]] = None, **kwargs): """ :keyword value: The list of maintenance configurations. :paramtype value: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.MaintenanceConfiguration] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.MaintenanceConfiguration] """ super().__init__(**kwargs) self.value = value @@ -2321,7 +2290,7 @@ class MaintenanceWindow(_serialization.Model): All required parameters must be populated in order to send to Azure. :ivar schedule: Recurrence schedule for the maintenance window. Required. - :vartype schedule: ~azure.mgmt.containerservice.v2023_01_02_preview.models.Schedule + :vartype schedule: ~azure.mgmt.containerservice.v2022_11_02_preview.models.Schedule :ivar duration_hours: Length of maintenance window range from 4 to 24 hours. :vartype duration_hours: int :ivar utc_offset: The UTC offset in format +/-HH:mm. For example, '+05:30' for IST and '-07:00' @@ -2340,7 +2309,7 @@ class MaintenanceWindow(_serialization.Model): '2023-01-03', maintenance will be blocked from '2022-12-22 22:00' to '2023-01-03 22:00' in UTC time. :vartype not_allowed_dates: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.DateSpan] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.DateSpan] """ _validation = { @@ -2368,11 +2337,11 @@ def __init__( utc_offset: Optional[str] = None, start_date: Optional[datetime.date] = None, not_allowed_dates: Optional[List["_models.DateSpan"]] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword schedule: Recurrence schedule for the maintenance window. Required. - :paramtype schedule: ~azure.mgmt.containerservice.v2023_01_02_preview.models.Schedule + :paramtype schedule: ~azure.mgmt.containerservice.v2022_11_02_preview.models.Schedule :keyword duration_hours: Length of maintenance window range from 4 to 24 hours. :paramtype duration_hours: int :keyword utc_offset: The UTC offset in format +/-HH:mm. For example, '+05:30' for IST and @@ -2391,7 +2360,7 @@ def __init__( '2023-01-03', maintenance will be blocked from '2022-12-22 22:00' to '2023-01-03 22:00' in UTC time. :paramtype not_allowed_dates: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.DateSpan] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.DateSpan] """ super().__init__(**kwargs) self.schedule = schedule @@ -2417,7 +2386,7 @@ class Resource(_serialization.Model): :vartype type: str :ivar system_data: Azure Resource Manager metadata containing createdBy and modifiedBy information. - :vartype system_data: ~azure.mgmt.containerservice.v2023_01_02_preview.models.SystemData + :vartype system_data: ~azure.mgmt.containerservice.v2022_11_02_preview.models.SystemData """ _validation = { @@ -2434,7 +2403,7 @@ class Resource(_serialization.Model): "system_data": {"key": "systemData", "type": "SystemData"}, } - def __init__(self, **kwargs: Any) -> None: + def __init__(self, **kwargs): """ """ super().__init__(**kwargs) self.id = None @@ -2444,8 +2413,7 @@ def __init__(self, **kwargs: Any) -> None: class TrackedResource(Resource): - """The resource model definition for an Azure Resource Manager tracked top level resource which - has 'tags' and a 'location'. + """The resource model definition for an Azure Resource Manager tracked top level resource which has 'tags' and a 'location'. Variables are only populated by the server, and will be ignored when sending a request. @@ -2461,7 +2429,7 @@ class TrackedResource(Resource): :vartype type: str :ivar system_data: Azure Resource Manager metadata containing createdBy and modifiedBy information. - :vartype system_data: ~azure.mgmt.containerservice.v2023_01_02_preview.models.SystemData + :vartype system_data: ~azure.mgmt.containerservice.v2022_11_02_preview.models.SystemData :ivar tags: Resource tags. :vartype tags: dict[str, str] :ivar location: The geo-location where the resource lives. Required. @@ -2485,7 +2453,7 @@ class TrackedResource(Resource): "location": {"key": "location", "type": "str"}, } - def __init__(self, *, location: str, tags: Optional[Dict[str, str]] = None, **kwargs: Any) -> None: + def __init__(self, *, location: str, tags: Optional[Dict[str, str]] = None, **kwargs): """ :keyword tags: Resource tags. :paramtype tags: dict[str, str] @@ -2514,26 +2482,26 @@ class ManagedCluster(TrackedResource): # pylint: disable=too-many-instance-attr :vartype type: str :ivar system_data: Azure Resource Manager metadata containing createdBy and modifiedBy information. - :vartype system_data: ~azure.mgmt.containerservice.v2023_01_02_preview.models.SystemData + :vartype system_data: ~azure.mgmt.containerservice.v2022_11_02_preview.models.SystemData :ivar tags: Resource tags. :vartype tags: dict[str, str] :ivar location: The geo-location where the resource lives. Required. :vartype location: str :ivar sku: The managed cluster SKU. - :vartype sku: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSKU + :vartype sku: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSKU :ivar extended_location: The extended location of the Virtual Machine. :vartype extended_location: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ExtendedLocation + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ExtendedLocation :ivar identity: The identity of the managed cluster, if configured. :vartype identity: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterIdentity + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterIdentity :ivar provisioning_state: The current provisioning state. :vartype provisioning_state: str :ivar power_state: The Power State of the cluster. - :vartype power_state: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PowerState + :vartype power_state: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PowerState :ivar creation_data: CreationData to be used to specify the source Snapshot ID if the cluster will be created/upgraded using a snapshot. - :vartype creation_data: ~azure.mgmt.containerservice.v2023_01_02_preview.models.CreationData + :vartype creation_data: ~azure.mgmt.containerservice.v2022_11_02_preview.models.CreationData :ivar max_agent_pools: The max number of agent pools for the managed cluster. :vartype max_agent_pools: int :ivar kubernetes_version: When you upgrade a supported AKS cluster, Kubernetes minor versions @@ -2558,33 +2526,33 @@ class ManagedCluster(TrackedResource): # pylint: disable=too-many-instance-attr :vartype azure_portal_fqdn: str :ivar agent_pool_profiles: The agent pool properties. :vartype agent_pool_profiles: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAgentPoolProfile] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAgentPoolProfile] :ivar linux_profile: The profile for Linux VMs in the Managed Cluster. :vartype linux_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ContainerServiceLinuxProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ContainerServiceLinuxProfile :ivar windows_profile: The profile for Windows VMs in the Managed Cluster. :vartype windows_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterWindowsProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterWindowsProfile :ivar service_principal_profile: Information about a service principal identity for the cluster to use for manipulating Azure APIs. :vartype service_principal_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterServicePrincipalProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterServicePrincipalProfile :ivar addon_profiles: The profile of managed cluster add-on. :vartype addon_profiles: dict[str, - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAddonProfile] + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAddonProfile] :ivar pod_identity_profile: See `use AAD pod identity `_ for more details on AAD pod identity integration. :vartype pod_identity_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPodIdentityProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPodIdentityProfile :ivar oidc_issuer_profile: The OIDC issuer profile of the Managed Cluster. :vartype oidc_issuer_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterOIDCIssuerProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterOIDCIssuerProfile :ivar node_resource_group: The name of the resource group containing agent pool nodes. :vartype node_resource_group: str :ivar node_resource_group_profile: The node resource group configuration profile. :vartype node_resource_group_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterNodeResourceGroupProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterNodeResourceGroupProfile :ivar enable_rbac: Whether to enable Kubernetes Role-Based Access Control. :vartype enable_rbac: bool :ivar enable_pod_security_policy: (DEPRECATED) Whether to enable Kubernetes pod security policy @@ -2592,36 +2560,33 @@ class ManagedCluster(TrackedResource): # pylint: disable=too-many-instance-attr v1.25. Learn more at https://aka.ms/k8s/psp and https://aka.ms/aks/psp. :vartype enable_pod_security_policy: bool :ivar enable_namespace_resources: The default value is false. It can be enabled/disabled on - creation and updating of the managed cluster. See `https://aka.ms/NamespaceARMResource + creation and updation of the managed cluster. See `https://aka.ms/NamespaceARMResource `_ for more details on Namespace as a ARM Resource. :vartype enable_namespace_resources: bool :ivar network_profile: The network configuration profile. :vartype network_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ContainerServiceNetworkProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ContainerServiceNetworkProfile :ivar aad_profile: The Azure Active Directory configuration. :vartype aad_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAADProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAADProfile :ivar auto_upgrade_profile: The auto upgrade configuration. :vartype auto_upgrade_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAutoUpgradeProfile - :ivar upgrade_settings: Settings for upgrading a cluster. - :vartype upgrade_settings: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ClusterUpgradeSettings + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAutoUpgradeProfile :ivar auto_scaler_profile: Parameters to be applied to the cluster-autoscaler when enabled. :vartype auto_scaler_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPropertiesAutoScalerProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPropertiesAutoScalerProfile :ivar api_server_access_profile: The access profile for managed cluster API server. :vartype api_server_access_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAPIServerAccessProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAPIServerAccessProfile :ivar disk_encryption_set_id: This is of the form: '/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/diskEncryptionSets/{encryptionSetName}'. :vartype disk_encryption_set_id: str :ivar identity_profile: Identities associated with the cluster. :vartype identity_profile: dict[str, - ~azure.mgmt.containerservice.v2023_01_02_preview.models.UserAssignedIdentity] + ~azure.mgmt.containerservice.v2022_11_02_preview.models.UserAssignedIdentity] :ivar private_link_resources: Private link resources associated with the cluster. :vartype private_link_resources: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateLinkResource] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateLinkResource] :ivar disable_local_accounts: If set to true, getting static credentials will be disabled for this cluster. This must only be used on Managed Clusters that are AAD enabled. For more details see `disable local accounts @@ -2629,30 +2594,30 @@ class ManagedCluster(TrackedResource): # pylint: disable=too-many-instance-attr :vartype disable_local_accounts: bool :ivar http_proxy_config: Configurations for provisioning the cluster with HTTP proxy servers. :vartype http_proxy_config: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterHTTPProxyConfig + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterHTTPProxyConfig :ivar security_profile: Security profile for the managed cluster. :vartype security_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSecurityProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSecurityProfile :ivar storage_profile: Storage profile for the managed cluster. :vartype storage_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterStorageProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterStorageProfile :ivar ingress_profile: Ingress profile for the managed cluster. :vartype ingress_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterIngressProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterIngressProfile :ivar public_network_access: Allow or deny public network access for AKS. Known values are: "Enabled", "Disabled", and "SecuredByPerimeter". :vartype public_network_access: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.PublicNetworkAccess + ~azure.mgmt.containerservice.v2022_11_02_preview.models.PublicNetworkAccess :ivar workload_auto_scaler_profile: Workload Auto-scaler profile for the managed cluster. :vartype workload_auto_scaler_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterWorkloadAutoScalerProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterWorkloadAutoScalerProfile :ivar azure_monitor_profile: Prometheus addon profile for the container service cluster. :vartype azure_monitor_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAzureMonitorProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAzureMonitorProfile :ivar guardrails_profile: The guardrails profile holds all the guardrails information for a given cluster. :vartype guardrails_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.GuardrailsProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.GuardrailsProfile """ _validation = { @@ -2712,7 +2677,6 @@ class ManagedCluster(TrackedResource): # pylint: disable=too-many-instance-attr "network_profile": {"key": "properties.networkProfile", "type": "ContainerServiceNetworkProfile"}, "aad_profile": {"key": "properties.aadProfile", "type": "ManagedClusterAADProfile"}, "auto_upgrade_profile": {"key": "properties.autoUpgradeProfile", "type": "ManagedClusterAutoUpgradeProfile"}, - "upgrade_settings": {"key": "properties.upgradeSettings", "type": "ClusterUpgradeSettings"}, "auto_scaler_profile": { "key": "properties.autoScalerProfile", "type": "ManagedClusterPropertiesAutoScalerProfile", @@ -2765,7 +2729,6 @@ def __init__( # pylint: disable=too-many-locals network_profile: Optional["_models.ContainerServiceNetworkProfile"] = None, aad_profile: Optional["_models.ManagedClusterAADProfile"] = None, auto_upgrade_profile: Optional["_models.ManagedClusterAutoUpgradeProfile"] = None, - upgrade_settings: Optional["_models.ClusterUpgradeSettings"] = None, auto_scaler_profile: Optional["_models.ManagedClusterPropertiesAutoScalerProfile"] = None, api_server_access_profile: Optional["_models.ManagedClusterAPIServerAccessProfile"] = None, disk_encryption_set_id: Optional[str] = None, @@ -2780,24 +2743,24 @@ def __init__( # pylint: disable=too-many-locals workload_auto_scaler_profile: Optional["_models.ManagedClusterWorkloadAutoScalerProfile"] = None, azure_monitor_profile: Optional["_models.ManagedClusterAzureMonitorProfile"] = None, guardrails_profile: Optional["_models.GuardrailsProfile"] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword tags: Resource tags. :paramtype tags: dict[str, str] :keyword location: The geo-location where the resource lives. Required. :paramtype location: str :keyword sku: The managed cluster SKU. - :paramtype sku: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSKU + :paramtype sku: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSKU :keyword extended_location: The extended location of the Virtual Machine. :paramtype extended_location: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ExtendedLocation + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ExtendedLocation :keyword identity: The identity of the managed cluster, if configured. :paramtype identity: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterIdentity + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterIdentity :keyword creation_data: CreationData to be used to specify the source Snapshot ID if the cluster will be created/upgraded using a snapshot. - :paramtype creation_data: ~azure.mgmt.containerservice.v2023_01_02_preview.models.CreationData + :paramtype creation_data: ~azure.mgmt.containerservice.v2022_11_02_preview.models.CreationData :keyword kubernetes_version: When you upgrade a supported AKS cluster, Kubernetes minor versions cannot be skipped. All upgrades must be performed sequentially by major version number. For example, upgrades between 1.14.x -> 1.15.x or 1.15.x -> 1.16.x are allowed, however @@ -2810,33 +2773,33 @@ def __init__( # pylint: disable=too-many-locals :paramtype fqdn_subdomain: str :keyword agent_pool_profiles: The agent pool properties. :paramtype agent_pool_profiles: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAgentPoolProfile] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAgentPoolProfile] :keyword linux_profile: The profile for Linux VMs in the Managed Cluster. :paramtype linux_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ContainerServiceLinuxProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ContainerServiceLinuxProfile :keyword windows_profile: The profile for Windows VMs in the Managed Cluster. :paramtype windows_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterWindowsProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterWindowsProfile :keyword service_principal_profile: Information about a service principal identity for the cluster to use for manipulating Azure APIs. :paramtype service_principal_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterServicePrincipalProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterServicePrincipalProfile :keyword addon_profiles: The profile of managed cluster add-on. :paramtype addon_profiles: dict[str, - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAddonProfile] + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAddonProfile] :keyword pod_identity_profile: See `use AAD pod identity `_ for more details on AAD pod identity integration. :paramtype pod_identity_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPodIdentityProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPodIdentityProfile :keyword oidc_issuer_profile: The OIDC issuer profile of the Managed Cluster. :paramtype oidc_issuer_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterOIDCIssuerProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterOIDCIssuerProfile :keyword node_resource_group: The name of the resource group containing agent pool nodes. :paramtype node_resource_group: str :keyword node_resource_group_profile: The node resource group configuration profile. :paramtype node_resource_group_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterNodeResourceGroupProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterNodeResourceGroupProfile :keyword enable_rbac: Whether to enable Kubernetes Role-Based Access Control. :paramtype enable_rbac: bool :keyword enable_pod_security_policy: (DEPRECATED) Whether to enable Kubernetes pod security @@ -2844,36 +2807,33 @@ def __init__( # pylint: disable=too-many-locals Kubernetes in v1.25. Learn more at https://aka.ms/k8s/psp and https://aka.ms/aks/psp. :paramtype enable_pod_security_policy: bool :keyword enable_namespace_resources: The default value is false. It can be enabled/disabled on - creation and updating of the managed cluster. See `https://aka.ms/NamespaceARMResource + creation and updation of the managed cluster. See `https://aka.ms/NamespaceARMResource `_ for more details on Namespace as a ARM Resource. :paramtype enable_namespace_resources: bool :keyword network_profile: The network configuration profile. :paramtype network_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ContainerServiceNetworkProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ContainerServiceNetworkProfile :keyword aad_profile: The Azure Active Directory configuration. :paramtype aad_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAADProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAADProfile :keyword auto_upgrade_profile: The auto upgrade configuration. :paramtype auto_upgrade_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAutoUpgradeProfile - :keyword upgrade_settings: Settings for upgrading a cluster. - :paramtype upgrade_settings: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ClusterUpgradeSettings + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAutoUpgradeProfile :keyword auto_scaler_profile: Parameters to be applied to the cluster-autoscaler when enabled. :paramtype auto_scaler_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPropertiesAutoScalerProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPropertiesAutoScalerProfile :keyword api_server_access_profile: The access profile for managed cluster API server. :paramtype api_server_access_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAPIServerAccessProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAPIServerAccessProfile :keyword disk_encryption_set_id: This is of the form: '/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.Compute/diskEncryptionSets/{encryptionSetName}'. :paramtype disk_encryption_set_id: str :keyword identity_profile: Identities associated with the cluster. :paramtype identity_profile: dict[str, - ~azure.mgmt.containerservice.v2023_01_02_preview.models.UserAssignedIdentity] + ~azure.mgmt.containerservice.v2022_11_02_preview.models.UserAssignedIdentity] :keyword private_link_resources: Private link resources associated with the cluster. :paramtype private_link_resources: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateLinkResource] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateLinkResource] :keyword disable_local_accounts: If set to true, getting static credentials will be disabled for this cluster. This must only be used on Managed Clusters that are AAD enabled. For more details see `disable local accounts @@ -2882,30 +2842,30 @@ def __init__( # pylint: disable=too-many-locals :keyword http_proxy_config: Configurations for provisioning the cluster with HTTP proxy servers. :paramtype http_proxy_config: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterHTTPProxyConfig + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterHTTPProxyConfig :keyword security_profile: Security profile for the managed cluster. :paramtype security_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSecurityProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSecurityProfile :keyword storage_profile: Storage profile for the managed cluster. :paramtype storage_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterStorageProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterStorageProfile :keyword ingress_profile: Ingress profile for the managed cluster. :paramtype ingress_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterIngressProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterIngressProfile :keyword public_network_access: Allow or deny public network access for AKS. Known values are: "Enabled", "Disabled", and "SecuredByPerimeter". :paramtype public_network_access: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.PublicNetworkAccess + ~azure.mgmt.containerservice.v2022_11_02_preview.models.PublicNetworkAccess :keyword workload_auto_scaler_profile: Workload Auto-scaler profile for the managed cluster. :paramtype workload_auto_scaler_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterWorkloadAutoScalerProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterWorkloadAutoScalerProfile :keyword azure_monitor_profile: Prometheus addon profile for the container service cluster. :paramtype azure_monitor_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAzureMonitorProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAzureMonitorProfile :keyword guardrails_profile: The guardrails profile holds all the guardrails information for a given cluster. :paramtype guardrails_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.GuardrailsProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.GuardrailsProfile """ super().__init__(tags=tags, location=location, **kwargs) self.sku = sku @@ -2937,7 +2897,6 @@ def __init__( # pylint: disable=too-many-locals self.network_profile = network_profile self.aad_profile = aad_profile self.auto_upgrade_profile = auto_upgrade_profile - self.upgrade_settings = upgrade_settings self.auto_scaler_profile = auto_scaler_profile self.api_server_access_profile = api_server_access_profile self.disk_encryption_set_id = disk_encryption_set_id @@ -2964,14 +2923,11 @@ class ManagedClusterAADProfile(_serialization.Model): :ivar admin_group_object_i_ds: The list of AAD group object IDs that will have admin role of the cluster. :vartype admin_group_object_i_ds: list[str] - :ivar client_app_id: (DEPRECATED) The client AAD application ID. Learn more at - https://aka.ms/aks/aad-legacy. + :ivar client_app_id: The client AAD application ID. :vartype client_app_id: str - :ivar server_app_id: (DEPRECATED) The server AAD application ID. Learn more at - https://aka.ms/aks/aad-legacy. + :ivar server_app_id: The server AAD application ID. :vartype server_app_id: str - :ivar server_app_secret: (DEPRECATED) The server AAD application secret. Learn more at - https://aka.ms/aks/aad-legacy. + :ivar server_app_secret: The server AAD application secret. :vartype server_app_secret: str :ivar tenant_id: The AAD tenant ID to use for authentication. If not specified, will use the tenant of the deployment subscription. @@ -2998,8 +2954,8 @@ def __init__( server_app_id: Optional[str] = None, server_app_secret: Optional[str] = None, tenant_id: Optional[str] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword managed: Whether to enable managed AAD. :paramtype managed: bool @@ -3008,14 +2964,11 @@ def __init__( :keyword admin_group_object_i_ds: The list of AAD group object IDs that will have admin role of the cluster. :paramtype admin_group_object_i_ds: list[str] - :keyword client_app_id: (DEPRECATED) The client AAD application ID. Learn more at - https://aka.ms/aks/aad-legacy. + :keyword client_app_id: The client AAD application ID. :paramtype client_app_id: str - :keyword server_app_id: (DEPRECATED) The server AAD application ID. Learn more at - https://aka.ms/aks/aad-legacy. + :keyword server_app_id: The server AAD application ID. :paramtype server_app_id: str - :keyword server_app_secret: (DEPRECATED) The server AAD application secret. Learn more at - https://aka.ms/aks/aad-legacy. + :keyword server_app_secret: The server AAD application secret. :paramtype server_app_secret: str :keyword tenant_id: The AAD tenant ID to use for authentication. If not specified, will use the tenant of the deployment subscription. @@ -3048,7 +3001,7 @@ class ManagedClusterAccessProfile(TrackedResource): :vartype type: str :ivar system_data: Azure Resource Manager metadata containing createdBy and modifiedBy information. - :vartype system_data: ~azure.mgmt.containerservice.v2023_01_02_preview.models.SystemData + :vartype system_data: ~azure.mgmt.containerservice.v2022_11_02_preview.models.SystemData :ivar tags: Resource tags. :vartype tags: dict[str, str] :ivar location: The geo-location where the resource lives. Required. @@ -3076,13 +3029,8 @@ class ManagedClusterAccessProfile(TrackedResource): } def __init__( - self, - *, - location: str, - tags: Optional[Dict[str, str]] = None, - kube_config: Optional[bytes] = None, - **kwargs: Any - ) -> None: + self, *, location: str, tags: Optional[Dict[str, str]] = None, kube_config: Optional[bytes] = None, **kwargs + ): """ :keyword tags: Resource tags. :paramtype tags: dict[str, str] @@ -3108,7 +3056,7 @@ class ManagedClusterAddonProfile(_serialization.Model): :vartype config: dict[str, str] :ivar identity: Information of user assigned identity used by this add-on. :vartype identity: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAddonProfileIdentity + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAddonProfileIdentity """ _validation = { @@ -3122,7 +3070,7 @@ class ManagedClusterAddonProfile(_serialization.Model): "identity": {"key": "identity", "type": "ManagedClusterAddonProfileIdentity"}, } - def __init__(self, *, enabled: bool, config: Optional[Dict[str, str]] = None, **kwargs: Any) -> None: + def __init__(self, *, enabled: bool, config: Optional[Dict[str, str]] = None, **kwargs): """ :keyword enabled: Whether the add-on is enabled or not. Required. :paramtype enabled: bool @@ -3158,8 +3106,8 @@ def __init__( resource_id: Optional[str] = None, client_id: Optional[str] = None, object_id: Optional[str] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword resource_id: The resource ID of the user assigned identity. :paramtype resource_id: str @@ -3197,8 +3145,8 @@ def __init__( resource_id: Optional[str] = None, client_id: Optional[str] = None, object_id: Optional[str] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword resource_id: The resource ID of the user assigned identity. :paramtype resource_id: str @@ -3233,15 +3181,15 @@ class ManagedClusterAgentPoolProfileProperties(_serialization.Model): # pylint: `_. Known values are: "Managed" and "Ephemeral". :vartype os_disk_type: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSDiskType + ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSDiskType :ivar kubelet_disk_type: Determines the placement of emptyDir volumes, container runtime data root, and Kubelet ephemeral storage. Known values are: "OS" and "Temporary". :vartype kubelet_disk_type: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.KubeletDiskType + ~azure.mgmt.containerservice.v2022_11_02_preview.models.KubeletDiskType :ivar workload_runtime: Determines the type of workload a node can run. Known values are: "OCIContainer", "WasmWasi", and "KataMshvVmIsolation". :vartype workload_runtime: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.WorkloadRuntime + ~azure.mgmt.containerservice.v2022_11_02_preview.models.WorkloadRuntime :ivar message_of_the_day: A base64-encoded string which will be written to /etc/motd after decoding. This allows customization of the message of the day for Linux nodes. It must not be specified for Windows nodes. It must be a static string (i.e., will be printed raw and not be @@ -3260,12 +3208,12 @@ class ManagedClusterAgentPoolProfileProperties(_serialization.Model): # pylint: :vartype max_pods: int :ivar os_type: The operating system type. The default is Linux. Known values are: "Linux" and "Windows". - :vartype os_type: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSType + :vartype os_type: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSType :ivar os_sku: Specifies the OS SKU used by the agent pool. If not specified, the default is Ubuntu if OSType=Linux or Windows2019 if OSType=Windows. And the default Windows OSSKU will be changed to Windows2022 after Windows2019 is deprecated. Known values are: "Ubuntu", "CBLMariner", "Mariner", "Windows2019", and "Windows2022". - :vartype os_sku: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSSKU + :vartype os_sku: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSSKU :ivar max_count: The maximum number of nodes for auto-scaling. :vartype max_count: int :ivar min_count: The minimum number of nodes for auto-scaling. @@ -3275,14 +3223,14 @@ class ManagedClusterAgentPoolProfileProperties(_serialization.Model): # pylint: :ivar scale_down_mode: This also effects the cluster autoscaler behavior. If not specified, it defaults to Delete. Known values are: "Delete" and "Deallocate". :vartype scale_down_mode: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ScaleDownMode + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ScaleDownMode :ivar type: The type of Agent Pool. Known values are: "VirtualMachineScaleSets" and "AvailabilitySet". - :vartype type: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolType + :vartype type: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolType :ivar mode: A cluster must have at least one 'System' Agent Pool at all times. For additional information on agent pool restrictions and best practices, see: https://docs.microsoft.com/azure/aks/use-system-pools. Known values are: "System" and "User". - :vartype mode: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolMode + :vartype mode: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolMode :ivar orchestrator_version: Both patch version and are supported. When is specified, the latest supported patch version is chosen automatically. Updating the agent pool with the same once it has been created @@ -3301,14 +3249,14 @@ class ManagedClusterAgentPoolProfileProperties(_serialization.Model): # pylint: :vartype node_image_version: str :ivar upgrade_settings: Settings for upgrading the agentpool. :vartype upgrade_settings: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolUpgradeSettings + ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolUpgradeSettings :ivar provisioning_state: The current deployment or provisioning state. :vartype provisioning_state: str :ivar power_state: When an Agent Pool is first created it is initially Running. The Agent Pool can be stopped by setting this field to Stopped. A stopped Agent Pool stops all of its VMs and does not accrue billing charges. An Agent Pool can only be stopped if it is Running and provisioning state is Succeeded. - :vartype power_state: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PowerState + :vartype power_state: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PowerState :ivar availability_zones: The list of Availability zones to use for nodes. This can only be specified if the AgentPoolType property is 'VirtualMachineScaleSets'. :vartype availability_zones: list[str] @@ -3330,11 +3278,11 @@ class ManagedClusterAgentPoolProfileProperties(_serialization.Model): # pylint: :ivar scale_set_priority: The Virtual Machine Scale Set priority. If not specified, the default is 'Regular'. Known values are: "Spot" and "Regular". :vartype scale_set_priority: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ScaleSetPriority + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ScaleSetPriority :ivar scale_set_eviction_policy: This cannot be specified unless the scaleSetPriority is 'Spot'. If not specified, the default is 'Delete'. Known values are: "Delete" and "Deallocate". :vartype scale_set_eviction_policy: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ScaleSetEvictionPolicy + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ScaleSetEvictionPolicy :ivar spot_max_price: Possible values are any decimal value greater than zero or -1 which indicates the willingness to pay any on-demand price. For more details on spot pricing, see `spot VMs pricing `_. @@ -3349,9 +3297,9 @@ class ManagedClusterAgentPoolProfileProperties(_serialization.Model): # pylint: :ivar proximity_placement_group_id: The ID for Proximity Placement Group. :vartype proximity_placement_group_id: str :ivar kubelet_config: The Kubelet configuration on the agent pool nodes. - :vartype kubelet_config: ~azure.mgmt.containerservice.v2023_01_02_preview.models.KubeletConfig + :vartype kubelet_config: ~azure.mgmt.containerservice.v2022_11_02_preview.models.KubeletConfig :ivar linux_os_config: The OS configuration of Linux agent nodes. - :vartype linux_os_config: ~azure.mgmt.containerservice.v2023_01_02_preview.models.LinuxOSConfig + :vartype linux_os_config: ~azure.mgmt.containerservice.v2022_11_02_preview.models.LinuxOSConfig :ivar enable_encryption_at_host: This is only supported on certain VM sizes and in certain Azure regions. For more information, see: https://docs.microsoft.com/azure/aks/enable-host-encryption. @@ -3365,10 +3313,10 @@ class ManagedClusterAgentPoolProfileProperties(_serialization.Model): # pylint: :ivar gpu_instance_profile: GPUInstanceProfile to be used to specify GPU MIG instance profile for supported GPU VM SKU. Known values are: "MIG1g", "MIG2g", "MIG3g", "MIG4g", and "MIG7g". :vartype gpu_instance_profile: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.GPUInstanceProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.GPUInstanceProfile :ivar creation_data: CreationData to be used to specify the source Snapshot ID if the node pool will be created/upgraded using a snapshot. - :vartype creation_data: ~azure.mgmt.containerservice.v2023_01_02_preview.models.CreationData + :vartype creation_data: ~azure.mgmt.containerservice.v2022_11_02_preview.models.CreationData :ivar capacity_reservation_group_id: AKS will associate the specified agent pool with the Capacity Reservation Group. :vartype capacity_reservation_group_id: str @@ -3379,10 +3327,10 @@ class ManagedClusterAgentPoolProfileProperties(_serialization.Model): # pylint: :vartype host_group_id: str :ivar windows_profile: The Windows agent pool's specific profile. :vartype windows_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolWindowsProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolWindowsProfile :ivar network_profile: Network-related settings of an agent pool. :vartype network_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolNetworkProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolNetworkProfile """ _validation = { @@ -3487,8 +3435,8 @@ def __init__( # pylint: disable=too-many-locals host_group_id: Optional[str] = None, windows_profile: Optional["_models.AgentPoolWindowsProfile"] = None, network_profile: Optional["_models.AgentPoolNetworkProfile"] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword count: Number of agents (VMs) to host docker containers. Allowed values must be in the range of 0 to 1000 (inclusive) for user pools and in the range of 1 to 1000 (inclusive) for @@ -3508,15 +3456,15 @@ def __init__( # pylint: disable=too-many-locals `_. Known values are: "Managed" and "Ephemeral". :paramtype os_disk_type: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSDiskType + ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSDiskType :keyword kubelet_disk_type: Determines the placement of emptyDir volumes, container runtime data root, and Kubelet ephemeral storage. Known values are: "OS" and "Temporary". :paramtype kubelet_disk_type: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.KubeletDiskType + ~azure.mgmt.containerservice.v2022_11_02_preview.models.KubeletDiskType :keyword workload_runtime: Determines the type of workload a node can run. Known values are: "OCIContainer", "WasmWasi", and "KataMshvVmIsolation". :paramtype workload_runtime: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.WorkloadRuntime + ~azure.mgmt.containerservice.v2022_11_02_preview.models.WorkloadRuntime :keyword message_of_the_day: A base64-encoded string which will be written to /etc/motd after decoding. This allows customization of the message of the day for Linux nodes. It must not be specified for Windows nodes. It must be a static string (i.e., will be printed raw and not be @@ -3535,12 +3483,12 @@ def __init__( # pylint: disable=too-many-locals :paramtype max_pods: int :keyword os_type: The operating system type. The default is Linux. Known values are: "Linux" and "Windows". - :paramtype os_type: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSType + :paramtype os_type: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSType :keyword os_sku: Specifies the OS SKU used by the agent pool. If not specified, the default is Ubuntu if OSType=Linux or Windows2019 if OSType=Windows. And the default Windows OSSKU will be changed to Windows2022 after Windows2019 is deprecated. Known values are: "Ubuntu", "CBLMariner", "Mariner", "Windows2019", and "Windows2022". - :paramtype os_sku: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSSKU + :paramtype os_sku: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSSKU :keyword max_count: The maximum number of nodes for auto-scaling. :paramtype max_count: int :keyword min_count: The minimum number of nodes for auto-scaling. @@ -3550,14 +3498,14 @@ def __init__( # pylint: disable=too-many-locals :keyword scale_down_mode: This also effects the cluster autoscaler behavior. If not specified, it defaults to Delete. Known values are: "Delete" and "Deallocate". :paramtype scale_down_mode: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ScaleDownMode + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ScaleDownMode :keyword type: The type of Agent Pool. Known values are: "VirtualMachineScaleSets" and "AvailabilitySet". - :paramtype type: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolType + :paramtype type: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolType :keyword mode: A cluster must have at least one 'System' Agent Pool at all times. For additional information on agent pool restrictions and best practices, see: https://docs.microsoft.com/azure/aks/use-system-pools. Known values are: "System" and "User". - :paramtype mode: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolMode + :paramtype mode: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolMode :keyword orchestrator_version: Both patch version and are supported. When is specified, the latest supported patch version is chosen automatically. Updating the agent pool with the same once it has been created @@ -3570,12 +3518,12 @@ def __init__( # pylint: disable=too-many-locals :paramtype orchestrator_version: str :keyword upgrade_settings: Settings for upgrading the agentpool. :paramtype upgrade_settings: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolUpgradeSettings + ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolUpgradeSettings :keyword power_state: When an Agent Pool is first created it is initially Running. The Agent Pool can be stopped by setting this field to Stopped. A stopped Agent Pool stops all of its VMs and does not accrue billing charges. An Agent Pool can only be stopped if it is Running and provisioning state is Succeeded. - :paramtype power_state: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PowerState + :paramtype power_state: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PowerState :keyword availability_zones: The list of Availability zones to use for nodes. This can only be specified if the AgentPoolType property is 'VirtualMachineScaleSets'. :paramtype availability_zones: list[str] @@ -3597,11 +3545,11 @@ def __init__( # pylint: disable=too-many-locals :keyword scale_set_priority: The Virtual Machine Scale Set priority. If not specified, the default is 'Regular'. Known values are: "Spot" and "Regular". :paramtype scale_set_priority: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ScaleSetPriority + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ScaleSetPriority :keyword scale_set_eviction_policy: This cannot be specified unless the scaleSetPriority is 'Spot'. If not specified, the default is 'Delete'. Known values are: "Delete" and "Deallocate". :paramtype scale_set_eviction_policy: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ScaleSetEvictionPolicy + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ScaleSetEvictionPolicy :keyword spot_max_price: Possible values are any decimal value greater than zero or -1 which indicates the willingness to pay any on-demand price. For more details on spot pricing, see `spot VMs pricing `_. @@ -3617,10 +3565,10 @@ def __init__( # pylint: disable=too-many-locals :paramtype proximity_placement_group_id: str :keyword kubelet_config: The Kubelet configuration on the agent pool nodes. :paramtype kubelet_config: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.KubeletConfig + ~azure.mgmt.containerservice.v2022_11_02_preview.models.KubeletConfig :keyword linux_os_config: The OS configuration of Linux agent nodes. :paramtype linux_os_config: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.LinuxOSConfig + ~azure.mgmt.containerservice.v2022_11_02_preview.models.LinuxOSConfig :keyword enable_encryption_at_host: This is only supported on certain VM sizes and in certain Azure regions. For more information, see: https://docs.microsoft.com/azure/aks/enable-host-encryption. @@ -3635,10 +3583,10 @@ def __init__( # pylint: disable=too-many-locals profile for supported GPU VM SKU. Known values are: "MIG1g", "MIG2g", "MIG3g", "MIG4g", and "MIG7g". :paramtype gpu_instance_profile: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.GPUInstanceProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.GPUInstanceProfile :keyword creation_data: CreationData to be used to specify the source Snapshot ID if the node pool will be created/upgraded using a snapshot. - :paramtype creation_data: ~azure.mgmt.containerservice.v2023_01_02_preview.models.CreationData + :paramtype creation_data: ~azure.mgmt.containerservice.v2022_11_02_preview.models.CreationData :keyword capacity_reservation_group_id: AKS will associate the specified agent pool with the Capacity Reservation Group. :paramtype capacity_reservation_group_id: str @@ -3649,10 +3597,10 @@ def __init__( # pylint: disable=too-many-locals :paramtype host_group_id: str :keyword windows_profile: The Windows agent pool's specific profile. :paramtype windows_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolWindowsProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolWindowsProfile :keyword network_profile: Network-related settings of an agent pool. :paramtype network_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolNetworkProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolNetworkProfile """ super().__init__(**kwargs) self.count = count @@ -3730,15 +3678,15 @@ class ManagedClusterAgentPoolProfile( `_. Known values are: "Managed" and "Ephemeral". :vartype os_disk_type: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSDiskType + ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSDiskType :ivar kubelet_disk_type: Determines the placement of emptyDir volumes, container runtime data root, and Kubelet ephemeral storage. Known values are: "OS" and "Temporary". :vartype kubelet_disk_type: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.KubeletDiskType + ~azure.mgmt.containerservice.v2022_11_02_preview.models.KubeletDiskType :ivar workload_runtime: Determines the type of workload a node can run. Known values are: "OCIContainer", "WasmWasi", and "KataMshvVmIsolation". :vartype workload_runtime: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.WorkloadRuntime + ~azure.mgmt.containerservice.v2022_11_02_preview.models.WorkloadRuntime :ivar message_of_the_day: A base64-encoded string which will be written to /etc/motd after decoding. This allows customization of the message of the day for Linux nodes. It must not be specified for Windows nodes. It must be a static string (i.e., will be printed raw and not be @@ -3757,12 +3705,12 @@ class ManagedClusterAgentPoolProfile( :vartype max_pods: int :ivar os_type: The operating system type. The default is Linux. Known values are: "Linux" and "Windows". - :vartype os_type: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSType + :vartype os_type: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSType :ivar os_sku: Specifies the OS SKU used by the agent pool. If not specified, the default is Ubuntu if OSType=Linux or Windows2019 if OSType=Windows. And the default Windows OSSKU will be changed to Windows2022 after Windows2019 is deprecated. Known values are: "Ubuntu", "CBLMariner", "Mariner", "Windows2019", and "Windows2022". - :vartype os_sku: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSSKU + :vartype os_sku: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSSKU :ivar max_count: The maximum number of nodes for auto-scaling. :vartype max_count: int :ivar min_count: The minimum number of nodes for auto-scaling. @@ -3772,14 +3720,14 @@ class ManagedClusterAgentPoolProfile( :ivar scale_down_mode: This also effects the cluster autoscaler behavior. If not specified, it defaults to Delete. Known values are: "Delete" and "Deallocate". :vartype scale_down_mode: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ScaleDownMode + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ScaleDownMode :ivar type: The type of Agent Pool. Known values are: "VirtualMachineScaleSets" and "AvailabilitySet". - :vartype type: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolType + :vartype type: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolType :ivar mode: A cluster must have at least one 'System' Agent Pool at all times. For additional information on agent pool restrictions and best practices, see: https://docs.microsoft.com/azure/aks/use-system-pools. Known values are: "System" and "User". - :vartype mode: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolMode + :vartype mode: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolMode :ivar orchestrator_version: Both patch version and are supported. When is specified, the latest supported patch version is chosen automatically. Updating the agent pool with the same once it has been created @@ -3798,14 +3746,14 @@ class ManagedClusterAgentPoolProfile( :vartype node_image_version: str :ivar upgrade_settings: Settings for upgrading the agentpool. :vartype upgrade_settings: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolUpgradeSettings + ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolUpgradeSettings :ivar provisioning_state: The current deployment or provisioning state. :vartype provisioning_state: str :ivar power_state: When an Agent Pool is first created it is initially Running. The Agent Pool can be stopped by setting this field to Stopped. A stopped Agent Pool stops all of its VMs and does not accrue billing charges. An Agent Pool can only be stopped if it is Running and provisioning state is Succeeded. - :vartype power_state: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PowerState + :vartype power_state: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PowerState :ivar availability_zones: The list of Availability zones to use for nodes. This can only be specified if the AgentPoolType property is 'VirtualMachineScaleSets'. :vartype availability_zones: list[str] @@ -3827,11 +3775,11 @@ class ManagedClusterAgentPoolProfile( :ivar scale_set_priority: The Virtual Machine Scale Set priority. If not specified, the default is 'Regular'. Known values are: "Spot" and "Regular". :vartype scale_set_priority: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ScaleSetPriority + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ScaleSetPriority :ivar scale_set_eviction_policy: This cannot be specified unless the scaleSetPriority is 'Spot'. If not specified, the default is 'Delete'. Known values are: "Delete" and "Deallocate". :vartype scale_set_eviction_policy: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ScaleSetEvictionPolicy + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ScaleSetEvictionPolicy :ivar spot_max_price: Possible values are any decimal value greater than zero or -1 which indicates the willingness to pay any on-demand price. For more details on spot pricing, see `spot VMs pricing `_. @@ -3846,9 +3794,9 @@ class ManagedClusterAgentPoolProfile( :ivar proximity_placement_group_id: The ID for Proximity Placement Group. :vartype proximity_placement_group_id: str :ivar kubelet_config: The Kubelet configuration on the agent pool nodes. - :vartype kubelet_config: ~azure.mgmt.containerservice.v2023_01_02_preview.models.KubeletConfig + :vartype kubelet_config: ~azure.mgmt.containerservice.v2022_11_02_preview.models.KubeletConfig :ivar linux_os_config: The OS configuration of Linux agent nodes. - :vartype linux_os_config: ~azure.mgmt.containerservice.v2023_01_02_preview.models.LinuxOSConfig + :vartype linux_os_config: ~azure.mgmt.containerservice.v2022_11_02_preview.models.LinuxOSConfig :ivar enable_encryption_at_host: This is only supported on certain VM sizes and in certain Azure regions. For more information, see: https://docs.microsoft.com/azure/aks/enable-host-encryption. @@ -3862,10 +3810,10 @@ class ManagedClusterAgentPoolProfile( :ivar gpu_instance_profile: GPUInstanceProfile to be used to specify GPU MIG instance profile for supported GPU VM SKU. Known values are: "MIG1g", "MIG2g", "MIG3g", "MIG4g", and "MIG7g". :vartype gpu_instance_profile: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.GPUInstanceProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.GPUInstanceProfile :ivar creation_data: CreationData to be used to specify the source Snapshot ID if the node pool will be created/upgraded using a snapshot. - :vartype creation_data: ~azure.mgmt.containerservice.v2023_01_02_preview.models.CreationData + :vartype creation_data: ~azure.mgmt.containerservice.v2022_11_02_preview.models.CreationData :ivar capacity_reservation_group_id: AKS will associate the specified agent pool with the Capacity Reservation Group. :vartype capacity_reservation_group_id: str @@ -3876,10 +3824,10 @@ class ManagedClusterAgentPoolProfile( :vartype host_group_id: str :ivar windows_profile: The Windows agent pool's specific profile. :vartype windows_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolWindowsProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolWindowsProfile :ivar network_profile: Network-related settings of an agent pool. :vartype network_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolNetworkProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolNetworkProfile :ivar name: Windows agent pool names must be 6 characters or less. Required. :vartype name: str """ @@ -3989,8 +3937,8 @@ def __init__( # pylint: disable=too-many-locals host_group_id: Optional[str] = None, windows_profile: Optional["_models.AgentPoolWindowsProfile"] = None, network_profile: Optional["_models.AgentPoolNetworkProfile"] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword count: Number of agents (VMs) to host docker containers. Allowed values must be in the range of 0 to 1000 (inclusive) for user pools and in the range of 1 to 1000 (inclusive) for @@ -4010,15 +3958,15 @@ def __init__( # pylint: disable=too-many-locals `_. Known values are: "Managed" and "Ephemeral". :paramtype os_disk_type: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSDiskType + ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSDiskType :keyword kubelet_disk_type: Determines the placement of emptyDir volumes, container runtime data root, and Kubelet ephemeral storage. Known values are: "OS" and "Temporary". :paramtype kubelet_disk_type: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.KubeletDiskType + ~azure.mgmt.containerservice.v2022_11_02_preview.models.KubeletDiskType :keyword workload_runtime: Determines the type of workload a node can run. Known values are: "OCIContainer", "WasmWasi", and "KataMshvVmIsolation". :paramtype workload_runtime: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.WorkloadRuntime + ~azure.mgmt.containerservice.v2022_11_02_preview.models.WorkloadRuntime :keyword message_of_the_day: A base64-encoded string which will be written to /etc/motd after decoding. This allows customization of the message of the day for Linux nodes. It must not be specified for Windows nodes. It must be a static string (i.e., will be printed raw and not be @@ -4037,12 +3985,12 @@ def __init__( # pylint: disable=too-many-locals :paramtype max_pods: int :keyword os_type: The operating system type. The default is Linux. Known values are: "Linux" and "Windows". - :paramtype os_type: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSType + :paramtype os_type: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSType :keyword os_sku: Specifies the OS SKU used by the agent pool. If not specified, the default is Ubuntu if OSType=Linux or Windows2019 if OSType=Windows. And the default Windows OSSKU will be changed to Windows2022 after Windows2019 is deprecated. Known values are: "Ubuntu", "CBLMariner", "Mariner", "Windows2019", and "Windows2022". - :paramtype os_sku: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSSKU + :paramtype os_sku: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSSKU :keyword max_count: The maximum number of nodes for auto-scaling. :paramtype max_count: int :keyword min_count: The minimum number of nodes for auto-scaling. @@ -4052,14 +4000,14 @@ def __init__( # pylint: disable=too-many-locals :keyword scale_down_mode: This also effects the cluster autoscaler behavior. If not specified, it defaults to Delete. Known values are: "Delete" and "Deallocate". :paramtype scale_down_mode: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ScaleDownMode + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ScaleDownMode :keyword type: The type of Agent Pool. Known values are: "VirtualMachineScaleSets" and "AvailabilitySet". - :paramtype type: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolType + :paramtype type: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolType :keyword mode: A cluster must have at least one 'System' Agent Pool at all times. For additional information on agent pool restrictions and best practices, see: https://docs.microsoft.com/azure/aks/use-system-pools. Known values are: "System" and "User". - :paramtype mode: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolMode + :paramtype mode: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolMode :keyword orchestrator_version: Both patch version and are supported. When is specified, the latest supported patch version is chosen automatically. Updating the agent pool with the same once it has been created @@ -4072,12 +4020,12 @@ def __init__( # pylint: disable=too-many-locals :paramtype orchestrator_version: str :keyword upgrade_settings: Settings for upgrading the agentpool. :paramtype upgrade_settings: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolUpgradeSettings + ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolUpgradeSettings :keyword power_state: When an Agent Pool is first created it is initially Running. The Agent Pool can be stopped by setting this field to Stopped. A stopped Agent Pool stops all of its VMs and does not accrue billing charges. An Agent Pool can only be stopped if it is Running and provisioning state is Succeeded. - :paramtype power_state: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PowerState + :paramtype power_state: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PowerState :keyword availability_zones: The list of Availability zones to use for nodes. This can only be specified if the AgentPoolType property is 'VirtualMachineScaleSets'. :paramtype availability_zones: list[str] @@ -4099,11 +4047,11 @@ def __init__( # pylint: disable=too-many-locals :keyword scale_set_priority: The Virtual Machine Scale Set priority. If not specified, the default is 'Regular'. Known values are: "Spot" and "Regular". :paramtype scale_set_priority: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ScaleSetPriority + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ScaleSetPriority :keyword scale_set_eviction_policy: This cannot be specified unless the scaleSetPriority is 'Spot'. If not specified, the default is 'Delete'. Known values are: "Delete" and "Deallocate". :paramtype scale_set_eviction_policy: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ScaleSetEvictionPolicy + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ScaleSetEvictionPolicy :keyword spot_max_price: Possible values are any decimal value greater than zero or -1 which indicates the willingness to pay any on-demand price. For more details on spot pricing, see `spot VMs pricing `_. @@ -4119,10 +4067,10 @@ def __init__( # pylint: disable=too-many-locals :paramtype proximity_placement_group_id: str :keyword kubelet_config: The Kubelet configuration on the agent pool nodes. :paramtype kubelet_config: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.KubeletConfig + ~azure.mgmt.containerservice.v2022_11_02_preview.models.KubeletConfig :keyword linux_os_config: The OS configuration of Linux agent nodes. :paramtype linux_os_config: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.LinuxOSConfig + ~azure.mgmt.containerservice.v2022_11_02_preview.models.LinuxOSConfig :keyword enable_encryption_at_host: This is only supported on certain VM sizes and in certain Azure regions. For more information, see: https://docs.microsoft.com/azure/aks/enable-host-encryption. @@ -4137,10 +4085,10 @@ def __init__( # pylint: disable=too-many-locals profile for supported GPU VM SKU. Known values are: "MIG1g", "MIG2g", "MIG3g", "MIG4g", and "MIG7g". :paramtype gpu_instance_profile: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.GPUInstanceProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.GPUInstanceProfile :keyword creation_data: CreationData to be used to specify the source Snapshot ID if the node pool will be created/upgraded using a snapshot. - :paramtype creation_data: ~azure.mgmt.containerservice.v2023_01_02_preview.models.CreationData + :paramtype creation_data: ~azure.mgmt.containerservice.v2022_11_02_preview.models.CreationData :keyword capacity_reservation_group_id: AKS will associate the specified agent pool with the Capacity Reservation Group. :paramtype capacity_reservation_group_id: str @@ -4151,10 +4099,10 @@ def __init__( # pylint: disable=too-many-locals :paramtype host_group_id: str :keyword windows_profile: The Windows agent pool's specific profile. :paramtype windows_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolWindowsProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolWindowsProfile :keyword network_profile: Network-related settings of an agent pool. :paramtype network_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolNetworkProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolNetworkProfile :keyword name: Windows agent pool names must be 6 characters or less. Required. :paramtype name: str """ @@ -4255,8 +4203,8 @@ def __init__( disable_run_command: Optional[bool] = None, enable_vnet_integration: Optional[bool] = None, subnet_id: Optional[str] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword authorized_ip_ranges: IP ranges are specified in CIDR format, e.g. 137.117.106.88/29. This feature is not compatible with clusters that use Public IP Per Node, or clusters that are @@ -4299,11 +4247,11 @@ class ManagedClusterAutoUpgradeProfile(_serialization.Model): `_. Known values are: "rapid", "stable", "patch", "node-image", and "none". :vartype upgrade_channel: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.UpgradeChannel + ~azure.mgmt.containerservice.v2022_11_02_preview.models.UpgradeChannel :ivar node_os_upgrade_channel: The default is Unmanaged, but may change to either NodeImage or SecurityPatch at GA. Known values are: "None", "Unmanaged", "SecurityPatch", and "NodeImage". :vartype node_os_upgrade_channel: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.NodeOSUpgradeChannel + ~azure.mgmt.containerservice.v2022_11_02_preview.models.NodeOSUpgradeChannel """ _attribute_map = { @@ -4316,19 +4264,19 @@ def __init__( *, upgrade_channel: Optional[Union[str, "_models.UpgradeChannel"]] = None, node_os_upgrade_channel: Optional[Union[str, "_models.NodeOSUpgradeChannel"]] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword upgrade_channel: For more information see `setting the AKS cluster auto-upgrade channel `_. Known values are: "rapid", "stable", "patch", "node-image", and "none". :paramtype upgrade_channel: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.UpgradeChannel + ~azure.mgmt.containerservice.v2022_11_02_preview.models.UpgradeChannel :keyword node_os_upgrade_channel: The default is Unmanaged, but may change to either NodeImage or SecurityPatch at GA. Known values are: "None", "Unmanaged", "SecurityPatch", and "NodeImage". :paramtype node_os_upgrade_channel: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.NodeOSUpgradeChannel + ~azure.mgmt.containerservice.v2022_11_02_preview.models.NodeOSUpgradeChannel """ super().__init__(**kwargs) self.upgrade_channel = upgrade_channel @@ -4340,20 +4288,18 @@ class ManagedClusterAzureMonitorProfile(_serialization.Model): :ivar metrics: Metrics profile for the prometheus service addon. :vartype metrics: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAzureMonitorProfileMetrics + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAzureMonitorProfileMetrics """ _attribute_map = { "metrics": {"key": "metrics", "type": "ManagedClusterAzureMonitorProfileMetrics"}, } - def __init__( - self, *, metrics: Optional["_models.ManagedClusterAzureMonitorProfileMetrics"] = None, **kwargs: Any - ) -> None: + def __init__(self, *, metrics: Optional["_models.ManagedClusterAzureMonitorProfileMetrics"] = None, **kwargs): """ :keyword metrics: Metrics profile for the prometheus service addon. :paramtype metrics: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAzureMonitorProfileMetrics + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAzureMonitorProfileMetrics """ super().__init__(**kwargs) self.metrics = metrics @@ -4380,8 +4326,8 @@ def __init__( *, metric_labels_allowlist: Optional[str] = None, metric_annotations_allow_list: Optional[str] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword metric_labels_allowlist: Comma-separated list of Kubernetes annotations keys that will be used in the resource's labels metric. @@ -4405,7 +4351,7 @@ class ManagedClusterAzureMonitorProfileMetrics(_serialization.Model): :ivar kube_state_metrics: Kube State Metrics for prometheus addon profile for the container service cluster. :vartype kube_state_metrics: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAzureMonitorProfileKubeStateMetrics + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAzureMonitorProfileKubeStateMetrics """ _validation = { @@ -4422,15 +4368,15 @@ def __init__( *, enabled: bool, kube_state_metrics: Optional["_models.ManagedClusterAzureMonitorProfileKubeStateMetrics"] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword enabled: Whether to enable the Prometheus collector. Required. :paramtype enabled: bool :keyword kube_state_metrics: Kube State Metrics for prometheus addon profile for the container service cluster. :paramtype kube_state_metrics: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAzureMonitorProfileKubeStateMetrics + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAzureMonitorProfileKubeStateMetrics """ super().__init__(**kwargs) self.enabled = enabled @@ -4474,8 +4420,8 @@ def __init__( https_proxy: Optional[str] = None, no_proxy: Optional[List[str]] = None, trusted_ca: Optional[str] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword http_proxy: The HTTP proxy server endpoint to use. :paramtype http_proxy: str @@ -4509,11 +4455,11 @@ class ManagedClusterIdentity(_serialization.Model): `_. Known values are: "SystemAssigned", "UserAssigned", and "None". :vartype type: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ResourceIdentityType + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ResourceIdentityType :ivar user_assigned_identities: The keys must be ARM resource IDs in the form: '/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{identityName}'. :vartype user_assigned_identities: dict[str, - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedServiceIdentityUserAssignedIdentitiesValue] + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedServiceIdentityUserAssignedIdentitiesValue] """ _validation = { @@ -4538,18 +4484,18 @@ def __init__( user_assigned_identities: Optional[ Dict[str, "_models.ManagedServiceIdentityUserAssignedIdentitiesValue"] ] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword type: For more information see `use managed identities in AKS `_. Known values are: "SystemAssigned", "UserAssigned", and "None". :paramtype type: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ResourceIdentityType + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ResourceIdentityType :keyword user_assigned_identities: The keys must be ARM resource IDs in the form: '/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.ManagedIdentity/userAssignedIdentities/{identityName}'. :paramtype user_assigned_identities: dict[str, - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedServiceIdentityUserAssignedIdentitiesValue] + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedServiceIdentityUserAssignedIdentitiesValue] """ super().__init__(**kwargs) self.principal_id = None @@ -4563,7 +4509,7 @@ class ManagedClusterIngressProfile(_serialization.Model): :ivar web_app_routing: Web App Routing settings for the ingress profile. :vartype web_app_routing: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterIngressProfileWebAppRouting + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterIngressProfileWebAppRouting """ _attribute_map = { @@ -4571,12 +4517,12 @@ class ManagedClusterIngressProfile(_serialization.Model): } def __init__( - self, *, web_app_routing: Optional["_models.ManagedClusterIngressProfileWebAppRouting"] = None, **kwargs: Any - ) -> None: + self, *, web_app_routing: Optional["_models.ManagedClusterIngressProfileWebAppRouting"] = None, **kwargs + ): """ :keyword web_app_routing: Web App Routing settings for the ingress profile. :paramtype web_app_routing: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterIngressProfileWebAppRouting + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterIngressProfileWebAppRouting """ super().__init__(**kwargs) self.web_app_routing = web_app_routing @@ -4597,9 +4543,7 @@ class ManagedClusterIngressProfileWebAppRouting(_serialization.Model): "dns_zone_resource_id": {"key": "dnsZoneResourceId", "type": "str"}, } - def __init__( - self, *, enabled: Optional[bool] = None, dns_zone_resource_id: Optional[str] = None, **kwargs: Any - ) -> None: + def __init__(self, *, enabled: Optional[bool] = None, dns_zone_resource_id: Optional[str] = None, **kwargs): """ :keyword enabled: Whether to enable Web App Routing. :paramtype enabled: bool @@ -4618,7 +4562,7 @@ class ManagedClusterListResult(_serialization.Model): Variables are only populated by the server, and will be ignored when sending a request. :ivar value: The list of managed clusters. - :vartype value: list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster] + :vartype value: list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster] :ivar next_link: The URL to get the next set of managed cluster results. :vartype next_link: str """ @@ -4632,10 +4576,10 @@ class ManagedClusterListResult(_serialization.Model): "next_link": {"key": "nextLink", "type": "str"}, } - def __init__(self, *, value: Optional[List["_models.ManagedCluster"]] = None, **kwargs: Any) -> None: + def __init__(self, *, value: Optional[List["_models.ManagedCluster"]] = None, **kwargs): """ :keyword value: The list of managed clusters. - :paramtype value: list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster] + :paramtype value: list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster] """ super().__init__(**kwargs) self.value = value @@ -4647,17 +4591,17 @@ class ManagedClusterLoadBalancerProfile(_serialization.Model): :ivar managed_outbound_i_ps: Desired managed outbound IPs for the cluster load balancer. :vartype managed_outbound_i_ps: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterLoadBalancerProfileManagedOutboundIPs + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterLoadBalancerProfileManagedOutboundIPs :ivar outbound_ip_prefixes: Desired outbound IP Prefix resources for the cluster load balancer. :vartype outbound_ip_prefixes: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterLoadBalancerProfileOutboundIPPrefixes + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterLoadBalancerProfileOutboundIPPrefixes :ivar outbound_i_ps: Desired outbound IP resources for the cluster load balancer. :vartype outbound_i_ps: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterLoadBalancerProfileOutboundIPs + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterLoadBalancerProfileOutboundIPs :ivar effective_outbound_i_ps: The effective outbound IP resources of the cluster load balancer. :vartype effective_outbound_i_ps: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ResourceReference] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ResourceReference] :ivar allocated_outbound_ports: The desired number of allocated SNAT ports per VM. Allowed values are in the range of 0 to 64000 (inclusive). The default value is 0 which results in Azure dynamically allocating ports. @@ -4671,7 +4615,7 @@ class ManagedClusterLoadBalancerProfile(_serialization.Model): :ivar backend_pool_type: The type of the managed inbound Load Balancer BackendPool. Known values are: "NodeIPConfiguration" and "NodeIP". :vartype backend_pool_type: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.BackendPoolType + ~azure.mgmt.containerservice.v2022_11_02_preview.models.BackendPoolType """ _validation = { @@ -4707,23 +4651,23 @@ def __init__( idle_timeout_in_minutes: int = 30, enable_multiple_standard_load_balancers: Optional[bool] = None, backend_pool_type: Union[str, "_models.BackendPoolType"] = "NodeIPConfiguration", - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword managed_outbound_i_ps: Desired managed outbound IPs for the cluster load balancer. :paramtype managed_outbound_i_ps: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterLoadBalancerProfileManagedOutboundIPs + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterLoadBalancerProfileManagedOutboundIPs :keyword outbound_ip_prefixes: Desired outbound IP Prefix resources for the cluster load balancer. :paramtype outbound_ip_prefixes: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterLoadBalancerProfileOutboundIPPrefixes + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterLoadBalancerProfileOutboundIPPrefixes :keyword outbound_i_ps: Desired outbound IP resources for the cluster load balancer. :paramtype outbound_i_ps: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterLoadBalancerProfileOutboundIPs + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterLoadBalancerProfileOutboundIPs :keyword effective_outbound_i_ps: The effective outbound IP resources of the cluster load balancer. :paramtype effective_outbound_i_ps: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ResourceReference] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ResourceReference] :keyword allocated_outbound_ports: The desired number of allocated SNAT ports per VM. Allowed values are in the range of 0 to 64000 (inclusive). The default value is 0 which results in Azure dynamically allocating ports. @@ -4737,7 +4681,7 @@ def __init__( :keyword backend_pool_type: The type of the managed inbound Load Balancer BackendPool. Known values are: "NodeIPConfiguration" and "NodeIP". :paramtype backend_pool_type: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.BackendPoolType + ~azure.mgmt.containerservice.v2022_11_02_preview.models.BackendPoolType """ super().__init__(**kwargs) self.managed_outbound_i_ps = managed_outbound_i_ps @@ -4773,7 +4717,7 @@ class ManagedClusterLoadBalancerProfileManagedOutboundIPs(_serialization.Model): "count_ipv6": {"key": "countIPv6", "type": "int"}, } - def __init__(self, *, count: int = 1, count_ipv6: int = 0, **kwargs: Any) -> None: + def __init__(self, *, count: int = 1, count_ipv6: int = 0, **kwargs): """ :keyword count: The desired number of IPv4 outbound IPs created/managed by Azure for the cluster load balancer. Allowed values must be in the range of 1 to 100 (inclusive). The default @@ -4794,20 +4738,18 @@ class ManagedClusterLoadBalancerProfileOutboundIPPrefixes(_serialization.Model): :ivar public_ip_prefixes: A list of public IP prefix resources. :vartype public_ip_prefixes: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ResourceReference] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ResourceReference] """ _attribute_map = { "public_ip_prefixes": {"key": "publicIPPrefixes", "type": "[ResourceReference]"}, } - def __init__( - self, *, public_ip_prefixes: Optional[List["_models.ResourceReference"]] = None, **kwargs: Any - ) -> None: + def __init__(self, *, public_ip_prefixes: Optional[List["_models.ResourceReference"]] = None, **kwargs): """ :keyword public_ip_prefixes: A list of public IP prefix resources. :paramtype public_ip_prefixes: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ResourceReference] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ResourceReference] """ super().__init__(**kwargs) self.public_ip_prefixes = public_ip_prefixes @@ -4818,18 +4760,18 @@ class ManagedClusterLoadBalancerProfileOutboundIPs(_serialization.Model): :ivar public_i_ps: A list of public IP resources. :vartype public_i_ps: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ResourceReference] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ResourceReference] """ _attribute_map = { "public_i_ps": {"key": "publicIPs", "type": "[ResourceReference]"}, } - def __init__(self, *, public_i_ps: Optional[List["_models.ResourceReference"]] = None, **kwargs: Any) -> None: + def __init__(self, *, public_i_ps: Optional[List["_models.ResourceReference"]] = None, **kwargs): """ :keyword public_i_ps: A list of public IP resources. :paramtype public_i_ps: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ResourceReference] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ResourceReference] """ super().__init__(**kwargs) self.public_i_ps = public_i_ps @@ -4851,7 +4793,7 @@ class ManagedClusterManagedOutboundIPProfile(_serialization.Model): "count": {"key": "count", "type": "int"}, } - def __init__(self, *, count: int = 1, **kwargs: Any) -> None: + def __init__(self, *, count: int = 1, **kwargs): """ :keyword count: The desired number of outbound IPs created/managed by Azure. Allowed values must be in the range of 1 to 16 (inclusive). The default value is 1. @@ -4867,10 +4809,10 @@ class ManagedClusterNATGatewayProfile(_serialization.Model): :ivar managed_outbound_ip_profile: Profile of the managed outbound IP resources of the cluster NAT gateway. :vartype managed_outbound_ip_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterManagedOutboundIPProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterManagedOutboundIPProfile :ivar effective_outbound_i_ps: The effective outbound IP resources of the cluster NAT gateway. :vartype effective_outbound_i_ps: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ResourceReference] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ResourceReference] :ivar idle_timeout_in_minutes: Desired outbound flow idle timeout in minutes. Allowed values are in the range of 4 to 120 (inclusive). The default value is 4 minutes. :vartype idle_timeout_in_minutes: int @@ -4895,17 +4837,17 @@ def __init__( managed_outbound_ip_profile: Optional["_models.ManagedClusterManagedOutboundIPProfile"] = None, effective_outbound_i_ps: Optional[List["_models.ResourceReference"]] = None, idle_timeout_in_minutes: int = 4, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword managed_outbound_ip_profile: Profile of the managed outbound IP resources of the cluster NAT gateway. :paramtype managed_outbound_ip_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterManagedOutboundIPProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterManagedOutboundIPProfile :keyword effective_outbound_i_ps: The effective outbound IP resources of the cluster NAT gateway. :paramtype effective_outbound_i_ps: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ResourceReference] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ResourceReference] :keyword idle_timeout_in_minutes: Desired outbound flow idle timeout in minutes. Allowed values are in the range of 4 to 120 (inclusive). The default value is 4 minutes. :paramtype idle_timeout_in_minutes: int @@ -4922,21 +4864,19 @@ class ManagedClusterNodeResourceGroupProfile(_serialization.Model): :ivar restriction_level: The restriction level applied to the cluster's node resource group. Known values are: "Unrestricted" and "ReadOnly". :vartype restriction_level: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.RestrictionLevel + ~azure.mgmt.containerservice.v2022_11_02_preview.models.RestrictionLevel """ _attribute_map = { "restriction_level": {"key": "restrictionLevel", "type": "str"}, } - def __init__( - self, *, restriction_level: Optional[Union[str, "_models.RestrictionLevel"]] = None, **kwargs: Any - ) -> None: + def __init__(self, *, restriction_level: Optional[Union[str, "_models.RestrictionLevel"]] = None, **kwargs): """ :keyword restriction_level: The restriction level applied to the cluster's node resource group. Known values are: "Unrestricted" and "ReadOnly". :paramtype restriction_level: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.RestrictionLevel + ~azure.mgmt.containerservice.v2022_11_02_preview.models.RestrictionLevel """ super().__init__(**kwargs) self.restriction_level = restriction_level @@ -4962,7 +4902,7 @@ class ManagedClusterOIDCIssuerProfile(_serialization.Model): "enabled": {"key": "enabled", "type": "bool"}, } - def __init__(self, *, enabled: Optional[bool] = None, **kwargs: Any) -> None: + def __init__(self, *, enabled: Optional[bool] = None, **kwargs): """ :keyword enabled: Whether the OIDC issuer is enabled. :paramtype enabled: bool @@ -4986,14 +4926,14 @@ class ManagedClusterPodIdentity(_serialization.Model): :ivar binding_selector: The binding selector to use for the AzureIdentityBinding resource. :vartype binding_selector: str :ivar identity: The user assigned identity details. Required. - :vartype identity: ~azure.mgmt.containerservice.v2023_01_02_preview.models.UserAssignedIdentity + :vartype identity: ~azure.mgmt.containerservice.v2022_11_02_preview.models.UserAssignedIdentity :ivar provisioning_state: The current provisioning state of the pod identity. Known values are: "Assigned", "Canceled", "Deleting", "Failed", "Succeeded", and "Updating". :vartype provisioning_state: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPodIdentityProvisioningState + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPodIdentityProvisioningState :ivar provisioning_info: :vartype provisioning_info: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPodIdentityProvisioningInfo + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPodIdentityProvisioningInfo """ _validation = { @@ -5020,8 +4960,8 @@ def __init__( namespace: str, identity: "_models.UserAssignedIdentity", binding_selector: Optional[str] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword name: The name of the pod identity. Required. :paramtype name: str @@ -5031,7 +4971,7 @@ def __init__( :paramtype binding_selector: str :keyword identity: The user assigned identity details. Required. :paramtype identity: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.UserAssignedIdentity + ~azure.mgmt.containerservice.v2022_11_02_preview.models.UserAssignedIdentity """ super().__init__(**kwargs) self.name = name @@ -5043,9 +4983,7 @@ def __init__( class ManagedClusterPodIdentityException(_serialization.Model): - """See `disable AAD Pod Identity for a specific Pod/Application - `_ for more - details. + """See `disable AAD Pod Identity for a specific Pod/Application `_ for more details. All required parameters must be populated in order to send to Azure. @@ -5069,7 +5007,7 @@ class ManagedClusterPodIdentityException(_serialization.Model): "pod_labels": {"key": "podLabels", "type": "{str}"}, } - def __init__(self, *, name: str, namespace: str, pod_labels: Dict[str, str], **kwargs: Any) -> None: + def __init__(self, *, name: str, namespace: str, pod_labels: Dict[str, str], **kwargs): """ :keyword name: The name of the pod identity exception. Required. :paramtype name: str @@ -5085,8 +5023,7 @@ def __init__(self, *, name: str, namespace: str, pod_labels: Dict[str, str], **k class ManagedClusterPodIdentityProfile(_serialization.Model): - """See `use AAD pod identity `_ - for more details on pod identity integration. + """See `use AAD pod identity `_ for more details on pod identity integration. :ivar enabled: Whether the pod identity addon is enabled. :vartype enabled: bool @@ -5098,10 +5035,10 @@ class ManagedClusterPodIdentityProfile(_serialization.Model): :vartype allow_network_plugin_kubenet: bool :ivar user_assigned_identities: The pod identities to use in the cluster. :vartype user_assigned_identities: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPodIdentity] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPodIdentity] :ivar user_assigned_identity_exceptions: The pod identity exceptions to allow. :vartype user_assigned_identity_exceptions: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPodIdentityException] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPodIdentityException] """ _attribute_map = { @@ -5121,8 +5058,8 @@ def __init__( allow_network_plugin_kubenet: Optional[bool] = None, user_assigned_identities: Optional[List["_models.ManagedClusterPodIdentity"]] = None, user_assigned_identity_exceptions: Optional[List["_models.ManagedClusterPodIdentityException"]] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword enabled: Whether the pod identity addon is enabled. :paramtype enabled: bool @@ -5134,10 +5071,10 @@ def __init__( :paramtype allow_network_plugin_kubenet: bool :keyword user_assigned_identities: The pod identities to use in the cluster. :paramtype user_assigned_identities: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPodIdentity] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPodIdentity] :keyword user_assigned_identity_exceptions: The pod identity exceptions to allow. :paramtype user_assigned_identity_exceptions: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPodIdentityException] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPodIdentityException] """ super().__init__(**kwargs) self.enabled = enabled @@ -5151,20 +5088,18 @@ class ManagedClusterPodIdentityProvisioningError(_serialization.Model): :ivar error: Details about the error. :vartype error: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPodIdentityProvisioningErrorBody + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPodIdentityProvisioningErrorBody """ _attribute_map = { "error": {"key": "error", "type": "ManagedClusterPodIdentityProvisioningErrorBody"}, } - def __init__( - self, *, error: Optional["_models.ManagedClusterPodIdentityProvisioningErrorBody"] = None, **kwargs: Any - ) -> None: + def __init__(self, *, error: Optional["_models.ManagedClusterPodIdentityProvisioningErrorBody"] = None, **kwargs): """ :keyword error: Details about the error. :paramtype error: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPodIdentityProvisioningErrorBody + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPodIdentityProvisioningErrorBody """ super().__init__(**kwargs) self.error = error @@ -5184,7 +5119,7 @@ class ManagedClusterPodIdentityProvisioningErrorBody(_serialization.Model): :vartype target: str :ivar details: A list of additional details about the error. :vartype details: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPodIdentityProvisioningErrorBody] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPodIdentityProvisioningErrorBody] """ _attribute_map = { @@ -5201,8 +5136,8 @@ def __init__( message: Optional[str] = None, target: Optional[str] = None, details: Optional[List["_models.ManagedClusterPodIdentityProvisioningErrorBody"]] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword code: An identifier for the error. Codes are invariant and are intended to be consumed programmatically. @@ -5215,7 +5150,7 @@ def __init__( :paramtype target: str :keyword details: A list of additional details about the error. :paramtype details: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPodIdentityProvisioningErrorBody] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPodIdentityProvisioningErrorBody] """ super().__init__(**kwargs) self.code = code @@ -5229,20 +5164,18 @@ class ManagedClusterPodIdentityProvisioningInfo(_serialization.Model): :ivar error: Pod identity assignment error (if any). :vartype error: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPodIdentityProvisioningError + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPodIdentityProvisioningError """ _attribute_map = { "error": {"key": "error", "type": "ManagedClusterPodIdentityProvisioningError"}, } - def __init__( - self, *, error: Optional["_models.ManagedClusterPodIdentityProvisioningError"] = None, **kwargs: Any - ) -> None: + def __init__(self, *, error: Optional["_models.ManagedClusterPodIdentityProvisioningError"] = None, **kwargs): """ :keyword error: Pod identity assignment error (if any). :paramtype error: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPodIdentityProvisioningError + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPodIdentityProvisioningError """ super().__init__(**kwargs) self.error = error @@ -5259,10 +5192,10 @@ class ManagedClusterPoolUpgradeProfile(_serialization.Model): :vartype name: str :ivar os_type: The operating system type. The default is Linux. Known values are: "Linux" and "Windows". - :vartype os_type: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSType + :vartype os_type: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSType :ivar upgrades: List of orchestrator types and versions available for upgrade. :vartype upgrades: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPoolUpgradeProfileUpgradesItem] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPoolUpgradeProfileUpgradesItem] """ _validation = { @@ -5284,8 +5217,8 @@ def __init__( os_type: Union[str, "_models.OSType"] = "Linux", name: Optional[str] = None, upgrades: Optional[List["_models.ManagedClusterPoolUpgradeProfileUpgradesItem"]] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword kubernetes_version: The Kubernetes version (major.minor.patch). Required. :paramtype kubernetes_version: str @@ -5293,10 +5226,10 @@ def __init__( :paramtype name: str :keyword os_type: The operating system type. The default is Linux. Known values are: "Linux" and "Windows". - :paramtype os_type: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSType + :paramtype os_type: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSType :keyword upgrades: List of orchestrator types and versions available for upgrade. :paramtype upgrades: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPoolUpgradeProfileUpgradesItem] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPoolUpgradeProfileUpgradesItem] """ super().__init__(**kwargs) self.kubernetes_version = kubernetes_version @@ -5319,9 +5252,7 @@ class ManagedClusterPoolUpgradeProfileUpgradesItem(_serialization.Model): "is_preview": {"key": "isPreview", "type": "bool"}, } - def __init__( - self, *, kubernetes_version: Optional[str] = None, is_preview: Optional[bool] = None, **kwargs: Any - ) -> None: + def __init__(self, *, kubernetes_version: Optional[str] = None, is_preview: Optional[bool] = None, **kwargs): """ :keyword kubernetes_version: The Kubernetes version (major.minor.patch). :paramtype kubernetes_version: str @@ -5341,7 +5272,7 @@ class ManagedClusterPropertiesAutoScalerProfile(_serialization.Model): # pylint :ivar expander: If not specified, the default is 'random'. See `expanders `_ for more information. Known values are: "least-waste", "most-pods", "priority", and "random". - :vartype expander: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.Expander + :vartype expander: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.Expander :ivar max_empty_bulk_delete: The default is 10. :vartype max_empty_bulk_delete: str :ivar max_graceful_termination_sec: The default is 600. @@ -5423,15 +5354,15 @@ def __init__( scale_down_utilization_threshold: Optional[str] = None, skip_nodes_with_local_storage: Optional[str] = None, skip_nodes_with_system_pods: Optional[str] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword balance_similar_node_groups: Valid values are 'true' and 'false'. :paramtype balance_similar_node_groups: str :keyword expander: If not specified, the default is 'random'. See `expanders `_ for more information. Known values are: "least-waste", "most-pods", "priority", and "random". - :paramtype expander: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.Expander + :paramtype expander: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.Expander :keyword max_empty_bulk_delete: The default is 10. :paramtype max_empty_bulk_delete: str :keyword max_graceful_termination_sec: The default is 600. @@ -5501,12 +5432,12 @@ class ManagedClusterPropertiesForSnapshot(_serialization.Model): :ivar kubernetes_version: The current kubernetes version. :vartype kubernetes_version: str :ivar sku: The current managed cluster sku. - :vartype sku: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSKU + :vartype sku: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSKU :ivar enable_rbac: Whether the cluster has enabled Kubernetes Role-Based Access Control or not. :vartype enable_rbac: bool :ivar network_profile: The current network profile. :vartype network_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.NetworkProfileForSnapshot + ~azure.mgmt.containerservice.v2022_11_02_preview.models.NetworkProfileForSnapshot """ _validation = { @@ -5526,13 +5457,13 @@ def __init__( kubernetes_version: Optional[str] = None, sku: Optional["_models.ManagedClusterSKU"] = None, enable_rbac: Optional[bool] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword kubernetes_version: The current kubernetes version. :paramtype kubernetes_version: str :keyword sku: The current managed cluster sku. - :paramtype sku: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSKU + :paramtype sku: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSKU :keyword enable_rbac: Whether the cluster has enabled Kubernetes Role-Based Access Control or not. :paramtype enable_rbac: bool @@ -5549,24 +5480,24 @@ class ManagedClusterSecurityProfile(_serialization.Model): :ivar defender: Microsoft Defender settings for the security profile. :vartype defender: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSecurityProfileDefender + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSecurityProfileDefender :ivar azure_key_vault_kms: Azure Key Vault `key management service `_ settings for the security profile. :vartype azure_key_vault_kms: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.AzureKeyVaultKms + ~azure.mgmt.containerservice.v2022_11_02_preview.models.AzureKeyVaultKms :ivar workload_identity: `Workload Identity `_ settings for the security profile. :vartype workload_identity: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSecurityProfileWorkloadIdentity + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSecurityProfileWorkloadIdentity :ivar image_cleaner: ImageCleaner settings for the security profile. :vartype image_cleaner: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSecurityProfileImageCleaner + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSecurityProfileImageCleaner :ivar node_restriction: `Node Restriction `_ settings for the security profile. :vartype node_restriction: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSecurityProfileNodeRestriction + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSecurityProfileNodeRestriction :ivar custom_ca_trust_certificates: A list of up to 10 base64 encoded CAs that will be added to the trust store on nodes with the Custom CA Trust feature enabled. For more information see `Custom CA Trust Certificates @@ -5596,29 +5527,29 @@ def __init__( image_cleaner: Optional["_models.ManagedClusterSecurityProfileImageCleaner"] = None, node_restriction: Optional["_models.ManagedClusterSecurityProfileNodeRestriction"] = None, custom_ca_trust_certificates: Optional[List[bytes]] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword defender: Microsoft Defender settings for the security profile. :paramtype defender: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSecurityProfileDefender + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSecurityProfileDefender :keyword azure_key_vault_kms: Azure Key Vault `key management service `_ settings for the security profile. :paramtype azure_key_vault_kms: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.AzureKeyVaultKms + ~azure.mgmt.containerservice.v2022_11_02_preview.models.AzureKeyVaultKms :keyword workload_identity: `Workload Identity `_ settings for the security profile. :paramtype workload_identity: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSecurityProfileWorkloadIdentity + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSecurityProfileWorkloadIdentity :keyword image_cleaner: ImageCleaner settings for the security profile. :paramtype image_cleaner: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSecurityProfileImageCleaner + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSecurityProfileImageCleaner :keyword node_restriction: `Node Restriction `_ settings for the security profile. :paramtype node_restriction: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSecurityProfileNodeRestriction + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSecurityProfileNodeRestriction :keyword custom_ca_trust_certificates: A list of up to 10 base64 encoded CAs that will be added to the trust store on nodes with the Custom CA Trust feature enabled. For more information see `Custom CA Trust Certificates @@ -5645,7 +5576,7 @@ class ManagedClusterSecurityProfileDefender(_serialization.Model): :ivar security_monitoring: Microsoft Defender threat detection for Cloud settings for the security profile. :vartype security_monitoring: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSecurityProfileDefenderSecurityMonitoring + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSecurityProfileDefenderSecurityMonitoring """ _attribute_map = { @@ -5661,8 +5592,8 @@ def __init__( *, log_analytics_workspace_resource_id: Optional[str] = None, security_monitoring: Optional["_models.ManagedClusterSecurityProfileDefenderSecurityMonitoring"] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword log_analytics_workspace_resource_id: Resource ID of the Log Analytics workspace to be associated with Microsoft Defender. When Microsoft Defender is enabled, this field is required @@ -5672,7 +5603,7 @@ def __init__( :keyword security_monitoring: Microsoft Defender threat detection for Cloud settings for the security profile. :paramtype security_monitoring: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSecurityProfileDefenderSecurityMonitoring + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSecurityProfileDefenderSecurityMonitoring """ super().__init__(**kwargs) self.log_analytics_workspace_resource_id = log_analytics_workspace_resource_id @@ -5690,7 +5621,7 @@ class ManagedClusterSecurityProfileDefenderSecurityMonitoring(_serialization.Mod "enabled": {"key": "enabled", "type": "bool"}, } - def __init__(self, *, enabled: Optional[bool] = None, **kwargs: Any) -> None: + def __init__(self, *, enabled: Optional[bool] = None, **kwargs): """ :keyword enabled: Whether to enable Defender threat detection. :paramtype enabled: bool @@ -5700,8 +5631,7 @@ def __init__(self, *, enabled: Optional[bool] = None, **kwargs: Any) -> None: class ManagedClusterSecurityProfileImageCleaner(_serialization.Model): - """ImageCleaner removes unused images from nodes, freeing up disk space and helping to reduce - attack surface area. Here are settings for the security profile. + """ImageCleaner removes unused images from nodes, freeing up disk space and helping to reduce attack surface area. Here are settings for the security profile. :ivar enabled: Whether to enable ImageCleaner on AKS cluster. :vartype enabled: bool @@ -5714,7 +5644,7 @@ class ManagedClusterSecurityProfileImageCleaner(_serialization.Model): "interval_hours": {"key": "intervalHours", "type": "int"}, } - def __init__(self, *, enabled: Optional[bool] = None, interval_hours: Optional[int] = None, **kwargs: Any) -> None: + def __init__(self, *, enabled: Optional[bool] = None, interval_hours: Optional[int] = None, **kwargs): """ :keyword enabled: Whether to enable ImageCleaner on AKS cluster. :paramtype enabled: bool @@ -5737,7 +5667,7 @@ class ManagedClusterSecurityProfileNodeRestriction(_serialization.Model): "enabled": {"key": "enabled", "type": "bool"}, } - def __init__(self, *, enabled: Optional[bool] = None, **kwargs: Any) -> None: + def __init__(self, *, enabled: Optional[bool] = None, **kwargs): """ :keyword enabled: Whether to enable Node Restriction. :paramtype enabled: bool @@ -5757,7 +5687,7 @@ class ManagedClusterSecurityProfileWorkloadIdentity(_serialization.Model): "enabled": {"key": "enabled", "type": "bool"}, } - def __init__(self, *, enabled: Optional[bool] = None, **kwargs: Any) -> None: + def __init__(self, *, enabled: Optional[bool] = None, **kwargs): """ :keyword enabled: Whether to enable Workload Identity. :paramtype enabled: bool @@ -5767,8 +5697,7 @@ def __init__(self, *, enabled: Optional[bool] = None, **kwargs: Any) -> None: class ManagedClusterServicePrincipalProfile(_serialization.Model): - """Information about a service principal identity for the cluster to use for manipulating Azure - APIs. + """Information about a service principal identity for the cluster to use for manipulating Azure APIs. All required parameters must be populated in order to send to Azure. @@ -5787,7 +5716,7 @@ class ManagedClusterServicePrincipalProfile(_serialization.Model): "secret": {"key": "secret", "type": "str"}, } - def __init__(self, *, client_id: str, secret: Optional[str] = None, **kwargs: Any) -> None: + def __init__(self, *, client_id: str, secret: Optional[str] = None, **kwargs): """ :keyword client_id: The ID for the service principal. Required. :paramtype client_id: str @@ -5802,14 +5731,14 @@ def __init__(self, *, client_id: str, secret: Optional[str] = None, **kwargs: An class ManagedClusterSKU(_serialization.Model): """The SKU of a Managed Cluster. - :ivar name: The name of a managed cluster SKU. Known values are: "Basic" and "Base". + :ivar name: The name of a managed cluster SKU. "Basic" :vartype name: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSKUName - :ivar tier: If not specified, the default is 'Free'. See `AKS Pricing Tier - `_ for more details. Known - values are: "Paid", "Standard", and "Free". + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSKUName + :ivar tier: If not specified, the default is 'Free'. See `uptime SLA + `_ for more details. Known values are: "Paid" + and "Free". :vartype tier: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSKUTier + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSKUTier """ _attribute_map = { @@ -5822,17 +5751,17 @@ def __init__( *, name: Optional[Union[str, "_models.ManagedClusterSKUName"]] = None, tier: Optional[Union[str, "_models.ManagedClusterSKUTier"]] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ - :keyword name: The name of a managed cluster SKU. Known values are: "Basic" and "Base". + :keyword name: The name of a managed cluster SKU. "Basic" :paramtype name: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSKUName - :keyword tier: If not specified, the default is 'Free'. See `AKS Pricing Tier - `_ for more details. Known - values are: "Paid", "Standard", and "Free". + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSKUName + :keyword tier: If not specified, the default is 'Free'. See `uptime SLA + `_ for more details. Known values are: "Paid" + and "Free". :paramtype tier: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSKUTier + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSKUTier """ super().__init__(**kwargs) self.name = name @@ -5856,22 +5785,22 @@ class ManagedClusterSnapshot(TrackedResource): :vartype type: str :ivar system_data: Azure Resource Manager metadata containing createdBy and modifiedBy information. - :vartype system_data: ~azure.mgmt.containerservice.v2023_01_02_preview.models.SystemData + :vartype system_data: ~azure.mgmt.containerservice.v2022_11_02_preview.models.SystemData :ivar tags: Resource tags. :vartype tags: dict[str, str] :ivar location: The geo-location where the resource lives. Required. :vartype location: str :ivar creation_data: CreationData to be used to specify the source resource ID to create this snapshot. - :vartype creation_data: ~azure.mgmt.containerservice.v2023_01_02_preview.models.CreationData + :vartype creation_data: ~azure.mgmt.containerservice.v2022_11_02_preview.models.CreationData :ivar snapshot_type: The type of a snapshot. The default is NodePool. Known values are: "NodePool" and "ManagedCluster". :vartype snapshot_type: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.SnapshotType + ~azure.mgmt.containerservice.v2022_11_02_preview.models.SnapshotType :ivar managed_cluster_properties_read_only: What the properties will be showed when getting managed cluster snapshot. Those properties are read-only. :vartype managed_cluster_properties_read_only: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPropertiesForSnapshot + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPropertiesForSnapshot """ _validation = { @@ -5905,8 +5834,8 @@ def __init__( tags: Optional[Dict[str, str]] = None, creation_data: Optional["_models.CreationData"] = None, snapshot_type: Union[str, "_models.SnapshotType"] = "NodePool", - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword tags: Resource tags. :paramtype tags: dict[str, str] @@ -5914,11 +5843,11 @@ def __init__( :paramtype location: str :keyword creation_data: CreationData to be used to specify the source resource ID to create this snapshot. - :paramtype creation_data: ~azure.mgmt.containerservice.v2023_01_02_preview.models.CreationData + :paramtype creation_data: ~azure.mgmt.containerservice.v2022_11_02_preview.models.CreationData :keyword snapshot_type: The type of a snapshot. The default is NodePool. Known values are: "NodePool" and "ManagedCluster". :paramtype snapshot_type: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.SnapshotType + ~azure.mgmt.containerservice.v2022_11_02_preview.models.SnapshotType """ super().__init__(tags=tags, location=location, **kwargs) self.creation_data = creation_data @@ -5933,7 +5862,7 @@ class ManagedClusterSnapshotListResult(_serialization.Model): :ivar value: The list of managed cluster snapshots. :vartype value: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot] :ivar next_link: The URL to get the next set of managed cluster snapshot results. :vartype next_link: str """ @@ -5947,11 +5876,11 @@ class ManagedClusterSnapshotListResult(_serialization.Model): "next_link": {"key": "nextLink", "type": "str"}, } - def __init__(self, *, value: Optional[List["_models.ManagedClusterSnapshot"]] = None, **kwargs: Any) -> None: + def __init__(self, *, value: Optional[List["_models.ManagedClusterSnapshot"]] = None, **kwargs): """ :keyword value: The list of managed cluster snapshots. :paramtype value: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot] """ super().__init__(**kwargs) self.value = value @@ -5963,16 +5892,16 @@ class ManagedClusterStorageProfile(_serialization.Model): :ivar disk_csi_driver: AzureDisk CSI Driver settings for the storage profile. :vartype disk_csi_driver: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterStorageProfileDiskCSIDriver + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterStorageProfileDiskCSIDriver :ivar file_csi_driver: AzureFile CSI Driver settings for the storage profile. :vartype file_csi_driver: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterStorageProfileFileCSIDriver + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterStorageProfileFileCSIDriver :ivar snapshot_controller: Snapshot Controller settings for the storage profile. :vartype snapshot_controller: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterStorageProfileSnapshotController + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterStorageProfileSnapshotController :ivar blob_csi_driver: AzureBlob CSI Driver settings for the storage profile. :vartype blob_csi_driver: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterStorageProfileBlobCSIDriver + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterStorageProfileBlobCSIDriver """ _attribute_map = { @@ -5989,21 +5918,21 @@ def __init__( file_csi_driver: Optional["_models.ManagedClusterStorageProfileFileCSIDriver"] = None, snapshot_controller: Optional["_models.ManagedClusterStorageProfileSnapshotController"] = None, blob_csi_driver: Optional["_models.ManagedClusterStorageProfileBlobCSIDriver"] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword disk_csi_driver: AzureDisk CSI Driver settings for the storage profile. :paramtype disk_csi_driver: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterStorageProfileDiskCSIDriver + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterStorageProfileDiskCSIDriver :keyword file_csi_driver: AzureFile CSI Driver settings for the storage profile. :paramtype file_csi_driver: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterStorageProfileFileCSIDriver + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterStorageProfileFileCSIDriver :keyword snapshot_controller: Snapshot Controller settings for the storage profile. :paramtype snapshot_controller: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterStorageProfileSnapshotController + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterStorageProfileSnapshotController :keyword blob_csi_driver: AzureBlob CSI Driver settings for the storage profile. :paramtype blob_csi_driver: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterStorageProfileBlobCSIDriver + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterStorageProfileBlobCSIDriver """ super().__init__(**kwargs) self.disk_csi_driver = disk_csi_driver @@ -6023,7 +5952,7 @@ class ManagedClusterStorageProfileBlobCSIDriver(_serialization.Model): "enabled": {"key": "enabled", "type": "bool"}, } - def __init__(self, *, enabled: Optional[bool] = None, **kwargs: Any) -> None: + def __init__(self, *, enabled: Optional[bool] = None, **kwargs): """ :keyword enabled: Whether to enable AzureBlob CSI Driver. The default value is false. :paramtype enabled: bool @@ -6046,7 +5975,7 @@ class ManagedClusterStorageProfileDiskCSIDriver(_serialization.Model): "version": {"key": "version", "type": "str"}, } - def __init__(self, *, enabled: Optional[bool] = None, version: Optional[str] = None, **kwargs: Any) -> None: + def __init__(self, *, enabled: Optional[bool] = None, version: Optional[str] = None, **kwargs): """ :keyword enabled: Whether to enable AzureDisk CSI Driver. The default value is true. :paramtype enabled: bool @@ -6069,7 +5998,7 @@ class ManagedClusterStorageProfileFileCSIDriver(_serialization.Model): "enabled": {"key": "enabled", "type": "bool"}, } - def __init__(self, *, enabled: Optional[bool] = None, **kwargs: Any) -> None: + def __init__(self, *, enabled: Optional[bool] = None, **kwargs): """ :keyword enabled: Whether to enable AzureFile CSI Driver. The default value is true. :paramtype enabled: bool @@ -6089,7 +6018,7 @@ class ManagedClusterStorageProfileSnapshotController(_serialization.Model): "enabled": {"key": "enabled", "type": "bool"}, } - def __init__(self, *, enabled: Optional[bool] = None, **kwargs: Any) -> None: + def __init__(self, *, enabled: Optional[bool] = None, **kwargs): """ :keyword enabled: Whether to enable Snapshot Controller. The default value is true. :paramtype enabled: bool @@ -6114,10 +6043,10 @@ class ManagedClusterUpgradeProfile(_serialization.Model): :ivar control_plane_profile: The list of available upgrade versions for the control plane. Required. :vartype control_plane_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPoolUpgradeProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPoolUpgradeProfile :ivar agent_pool_profiles: The list of available upgrade versions for agent pools. Required. :vartype agent_pool_profiles: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPoolUpgradeProfile] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPoolUpgradeProfile] """ _validation = { @@ -6141,16 +6070,16 @@ def __init__( *, control_plane_profile: "_models.ManagedClusterPoolUpgradeProfile", agent_pool_profiles: List["_models.ManagedClusterPoolUpgradeProfile"], - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword control_plane_profile: The list of available upgrade versions for the control plane. Required. :paramtype control_plane_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPoolUpgradeProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPoolUpgradeProfile :keyword agent_pool_profiles: The list of available upgrade versions for agent pools. Required. :paramtype agent_pool_profiles: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterPoolUpgradeProfile] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterPoolUpgradeProfile] """ super().__init__(**kwargs) self.id = None @@ -6185,13 +6114,13 @@ class ManagedClusterWindowsProfile(_serialization.Model): `_ for more details. Known values are: "None" and "Windows_Server". :vartype license_type: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.LicenseType + ~azure.mgmt.containerservice.v2022_11_02_preview.models.LicenseType :ivar enable_csi_proxy: For more details on CSI proxy, see the `CSI proxy GitHub repo `_. :vartype enable_csi_proxy: bool :ivar gmsa_profile: The Windows gMSA Profile in the Managed Cluster. :vartype gmsa_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.WindowsGmsaProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.WindowsGmsaProfile """ _validation = { @@ -6214,8 +6143,8 @@ def __init__( license_type: Optional[Union[str, "_models.LicenseType"]] = None, enable_csi_proxy: Optional[bool] = None, gmsa_profile: Optional["_models.WindowsGmsaProfile"] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword admin_username: Specifies the name of the administrator account. :code:`
`:code:`
` **Restriction:** Cannot end in "." :code:`
`:code:`
` @@ -6237,13 +6166,13 @@ def __init__( `_ for more details. Known values are: "None" and "Windows_Server". :paramtype license_type: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.LicenseType + ~azure.mgmt.containerservice.v2022_11_02_preview.models.LicenseType :keyword enable_csi_proxy: For more details on CSI proxy, see the `CSI proxy GitHub repo `_. :paramtype enable_csi_proxy: bool :keyword gmsa_profile: The Windows gMSA Profile in the Managed Cluster. :paramtype gmsa_profile: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.WindowsGmsaProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.WindowsGmsaProfile """ super().__init__(**kwargs) self.admin_username = admin_username @@ -6259,10 +6188,10 @@ class ManagedClusterWorkloadAutoScalerProfile(_serialization.Model): :ivar keda: KEDA (Kubernetes Event-driven Autoscaling) settings for the workload auto-scaler profile. :vartype keda: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterWorkloadAutoScalerProfileKeda + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterWorkloadAutoScalerProfileKeda :ivar vertical_pod_autoscaler: :vartype vertical_pod_autoscaler: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterWorkloadAutoScalerProfileVerticalPodAutoscaler + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterWorkloadAutoScalerProfileVerticalPodAutoscaler """ _attribute_map = { @@ -6280,16 +6209,16 @@ def __init__( vertical_pod_autoscaler: Optional[ "_models.ManagedClusterWorkloadAutoScalerProfileVerticalPodAutoscaler" ] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword keda: KEDA (Kubernetes Event-driven Autoscaling) settings for the workload auto-scaler profile. :paramtype keda: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterWorkloadAutoScalerProfileKeda + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterWorkloadAutoScalerProfileKeda :keyword vertical_pod_autoscaler: :paramtype vertical_pod_autoscaler: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterWorkloadAutoScalerProfileVerticalPodAutoscaler + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterWorkloadAutoScalerProfileVerticalPodAutoscaler """ super().__init__(**kwargs) self.keda = keda @@ -6313,7 +6242,7 @@ class ManagedClusterWorkloadAutoScalerProfileKeda(_serialization.Model): "enabled": {"key": "enabled", "type": "bool"}, } - def __init__(self, *, enabled: bool, **kwargs: Any) -> None: + def __init__(self, *, enabled: bool, **kwargs): """ :keyword enabled: Whether to enable KEDA. Required. :paramtype enabled: bool @@ -6332,13 +6261,13 @@ class ManagedClusterWorkloadAutoScalerProfileVerticalPodAutoscaler(_serializatio :ivar controlled_values: Controls which resource value autoscaler will change. Default value is RequestsAndLimits. Known values are: "RequestsAndLimits" and "RequestsOnly". :vartype controlled_values: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ControlledValues + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ControlledValues :ivar update_mode: Each update mode level is a superset of the lower levels. Off None: + **kwargs + ): """ :keyword enabled: Whether to enable VPA. Default value is false. Required. :paramtype enabled: bool :keyword controlled_values: Controls which resource value autoscaler will change. Default value is RequestsAndLimits. Known values are: "RequestsAndLimits" and "RequestsOnly". :paramtype controlled_values: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ControlledValues + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ControlledValues :keyword update_mode: Each update mode level is a superset of the lower levels. Off None: + def __init__(self, **kwargs): """ """ super().__init__(**kwargs) self.principal_id = None @@ -6416,22 +6345,22 @@ class NetworkProfileForSnapshot(_serialization.Model): :ivar network_plugin: networkPlugin for managed cluster snapshot. Known values are: "azure", "kubenet", and "none". :vartype network_plugin: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.NetworkPlugin + ~azure.mgmt.containerservice.v2022_11_02_preview.models.NetworkPlugin :ivar network_plugin_mode: NetworkPluginMode for managed cluster snapshot. "Overlay" :vartype network_plugin_mode: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.NetworkPluginMode + ~azure.mgmt.containerservice.v2022_11_02_preview.models.NetworkPluginMode :ivar network_policy: networkPolicy for managed cluster snapshot. Known values are: "calico" and "azure". :vartype network_policy: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.NetworkPolicy + ~azure.mgmt.containerservice.v2022_11_02_preview.models.NetworkPolicy :ivar network_mode: networkMode for managed cluster snapshot. Known values are: "transparent" and "bridge". :vartype network_mode: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.NetworkMode + ~azure.mgmt.containerservice.v2022_11_02_preview.models.NetworkMode :ivar load_balancer_sku: loadBalancerSku for managed cluster snapshot. Known values are: "standard" and "basic". :vartype load_balancer_sku: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.LoadBalancerSku + ~azure.mgmt.containerservice.v2022_11_02_preview.models.LoadBalancerSku """ _attribute_map = { @@ -6450,28 +6379,28 @@ def __init__( network_policy: Optional[Union[str, "_models.NetworkPolicy"]] = None, network_mode: Optional[Union[str, "_models.NetworkMode"]] = None, load_balancer_sku: Optional[Union[str, "_models.LoadBalancerSku"]] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword network_plugin: networkPlugin for managed cluster snapshot. Known values are: "azure", "kubenet", and "none". :paramtype network_plugin: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.NetworkPlugin + ~azure.mgmt.containerservice.v2022_11_02_preview.models.NetworkPlugin :keyword network_plugin_mode: NetworkPluginMode for managed cluster snapshot. "Overlay" :paramtype network_plugin_mode: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.NetworkPluginMode + ~azure.mgmt.containerservice.v2022_11_02_preview.models.NetworkPluginMode :keyword network_policy: networkPolicy for managed cluster snapshot. Known values are: "calico" and "azure". :paramtype network_policy: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.NetworkPolicy + ~azure.mgmt.containerservice.v2022_11_02_preview.models.NetworkPolicy :keyword network_mode: networkMode for managed cluster snapshot. Known values are: "transparent" and "bridge". :paramtype network_mode: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.NetworkMode + ~azure.mgmt.containerservice.v2022_11_02_preview.models.NetworkMode :keyword load_balancer_sku: loadBalancerSku for managed cluster snapshot. Known values are: "standard" and "basic". :paramtype load_balancer_sku: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.LoadBalancerSku + ~azure.mgmt.containerservice.v2022_11_02_preview.models.LoadBalancerSku """ super().__init__(**kwargs) self.network_plugin = network_plugin @@ -6487,7 +6416,7 @@ class OperationListResult(_serialization.Model): Variables are only populated by the server, and will be ignored when sending a request. :ivar value: The list of operations. - :vartype value: list[~azure.mgmt.containerservice.v2023_01_02_preview.models.OperationValue] + :vartype value: list[~azure.mgmt.containerservice.v2022_11_02_preview.models.OperationValue] """ _validation = { @@ -6498,7 +6427,7 @@ class OperationListResult(_serialization.Model): "value": {"key": "value", "type": "[OperationValue]"}, } - def __init__(self, **kwargs: Any) -> None: + def __init__(self, **kwargs): """ """ super().__init__(**kwargs) self.value = None @@ -6541,7 +6470,7 @@ class OperationValue(_serialization.Model): "provider": {"key": "display.provider", "type": "str"}, } - def __init__(self, **kwargs: Any) -> None: + def __init__(self, **kwargs): """ """ super().__init__(**kwargs) self.origin = None @@ -6567,7 +6496,7 @@ class OSOptionProfile(_serialization.Model): :vartype type: str :ivar os_option_property_list: The list of OS options. Required. :vartype os_option_property_list: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.OSOptionProperty] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.OSOptionProperty] """ _validation = { @@ -6584,11 +6513,11 @@ class OSOptionProfile(_serialization.Model): "os_option_property_list": {"key": "properties.osOptionPropertyList", "type": "[OSOptionProperty]"}, } - def __init__(self, *, os_option_property_list: List["_models.OSOptionProperty"], **kwargs: Any) -> None: + def __init__(self, *, os_option_property_list: List["_models.OSOptionProperty"], **kwargs): """ :keyword os_option_property_list: The list of OS options. Required. :paramtype os_option_property_list: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.OSOptionProperty] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.OSOptionProperty] """ super().__init__(**kwargs) self.id = None @@ -6618,7 +6547,7 @@ class OSOptionProperty(_serialization.Model): "enable_fips_image": {"key": "enable-fips-image", "type": "bool"}, } - def __init__(self, *, os_type: str, enable_fips_image: bool, **kwargs: Any) -> None: + def __init__(self, *, os_type: str, enable_fips_image: bool, **kwargs): """ :keyword os_type: The OS type. Required. :paramtype os_type: str @@ -6638,7 +6567,7 @@ class OutboundEnvironmentEndpoint(_serialization.Model): :vartype category: str :ivar endpoints: The endpoints that AKS agent nodes connect to. :vartype endpoints: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.EndpointDependency] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.EndpointDependency] """ _attribute_map = { @@ -6651,15 +6580,15 @@ def __init__( *, category: Optional[str] = None, endpoints: Optional[List["_models.EndpointDependency"]] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword category: The category of endpoints accessed by the AKS agent node, e.g. azure-resource-management, apiserver, etc. :paramtype category: str :keyword endpoints: The endpoints that AKS agent nodes connect to. :paramtype endpoints: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.EndpointDependency] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.EndpointDependency] """ super().__init__(**kwargs) self.category = category @@ -6675,7 +6604,7 @@ class OutboundEnvironmentEndpointCollection(_serialization.Model): :ivar value: Collection of resources. Required. :vartype value: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.OutboundEnvironmentEndpoint] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.OutboundEnvironmentEndpoint] :ivar next_link: Link to next page of resources. :vartype next_link: str """ @@ -6690,11 +6619,11 @@ class OutboundEnvironmentEndpointCollection(_serialization.Model): "next_link": {"key": "nextLink", "type": "str"}, } - def __init__(self, *, value: List["_models.OutboundEnvironmentEndpoint"], **kwargs: Any) -> None: + def __init__(self, *, value: List["_models.OutboundEnvironmentEndpoint"], **kwargs): """ :keyword value: Collection of resources. Required. :paramtype value: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.OutboundEnvironmentEndpoint] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.OutboundEnvironmentEndpoint] """ super().__init__(**kwargs) self.value = value @@ -6711,7 +6640,7 @@ class PortRange(_serialization.Model): 65535, and be greater than or equal to portStart. :vartype port_end: int :ivar protocol: The network protocol of the port. Known values are: "TCP" and "UDP". - :vartype protocol: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.Protocol + :vartype protocol: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.Protocol """ _validation = { @@ -6731,8 +6660,8 @@ def __init__( port_start: Optional[int] = None, port_end: Optional[int] = None, protocol: Optional[Union[str, "_models.Protocol"]] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword port_start: The minimum port that is included in the range. It should be ranged from 1 to 65535, and be less than or equal to portEnd. @@ -6741,7 +6670,7 @@ def __init__( to 65535, and be greater than or equal to portStart. :paramtype port_end: int :keyword protocol: The network protocol of the port. Known values are: "TCP" and "UDP". - :paramtype protocol: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.Protocol + :paramtype protocol: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.Protocol """ super().__init__(**kwargs) self.port_start = port_start @@ -6754,18 +6683,18 @@ class PowerState(_serialization.Model): :ivar code: Tells whether the cluster is Running or Stopped. Known values are: "Running" and "Stopped". - :vartype code: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.Code + :vartype code: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.Code """ _attribute_map = { "code": {"key": "code", "type": "str"}, } - def __init__(self, *, code: Optional[Union[str, "_models.Code"]] = None, **kwargs: Any) -> None: + def __init__(self, *, code: Optional[Union[str, "_models.Code"]] = None, **kwargs): """ :keyword code: Tells whether the cluster is Running or Stopped. Known values are: "Running" and "Stopped". - :paramtype code: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.Code + :paramtype code: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.Code """ super().__init__(**kwargs) self.code = code @@ -6782,7 +6711,7 @@ class PrivateEndpoint(_serialization.Model): "id": {"key": "id", "type": "str"}, } - def __init__(self, *, id: Optional[str] = None, **kwargs: Any) -> None: # pylint: disable=redefined-builtin + def __init__(self, *, id: Optional[str] = None, **kwargs): # pylint: disable=redefined-builtin """ :keyword id: The resource ID of the private endpoint. :paramtype id: str @@ -6805,14 +6734,14 @@ class PrivateEndpointConnection(_serialization.Model): :ivar provisioning_state: The current provisioning state. Known values are: "Canceled", "Creating", "Deleting", "Failed", and "Succeeded". :vartype provisioning_state: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateEndpointConnectionProvisioningState + ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateEndpointConnectionProvisioningState :ivar private_endpoint: The resource of private endpoint. :vartype private_endpoint: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateEndpoint + ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateEndpoint :ivar private_link_service_connection_state: A collection of information about the state of the connection between service consumer and provider. :vartype private_link_service_connection_state: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateLinkServiceConnectionState + ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateLinkServiceConnectionState """ _validation = { @@ -6839,16 +6768,16 @@ def __init__( *, private_endpoint: Optional["_models.PrivateEndpoint"] = None, private_link_service_connection_state: Optional["_models.PrivateLinkServiceConnectionState"] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword private_endpoint: The resource of private endpoint. :paramtype private_endpoint: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateEndpoint + ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateEndpoint :keyword private_link_service_connection_state: A collection of information about the state of the connection between service consumer and provider. :paramtype private_link_service_connection_state: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateLinkServiceConnectionState + ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateLinkServiceConnectionState """ super().__init__(**kwargs) self.id = None @@ -6864,18 +6793,18 @@ class PrivateEndpointConnectionListResult(_serialization.Model): :ivar value: The collection value. :vartype value: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateEndpointConnection] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateEndpointConnection] """ _attribute_map = { "value": {"key": "value", "type": "[PrivateEndpointConnection]"}, } - def __init__(self, *, value: Optional[List["_models.PrivateEndpointConnection"]] = None, **kwargs: Any) -> None: + def __init__(self, *, value: Optional[List["_models.PrivateEndpointConnection"]] = None, **kwargs): """ :keyword value: The collection value. :paramtype value: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateEndpointConnection] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateEndpointConnection] """ super().__init__(**kwargs) self.value = value @@ -6922,8 +6851,8 @@ def __init__( type: Optional[str] = None, group_id: Optional[str] = None, required_members: Optional[List[str]] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword id: The ID of the private link resource. :paramtype id: str @@ -6950,18 +6879,18 @@ class PrivateLinkResourcesListResult(_serialization.Model): :ivar value: The collection value. :vartype value: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateLinkResource] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateLinkResource] """ _attribute_map = { "value": {"key": "value", "type": "[PrivateLinkResource]"}, } - def __init__(self, *, value: Optional[List["_models.PrivateLinkResource"]] = None, **kwargs: Any) -> None: + def __init__(self, *, value: Optional[List["_models.PrivateLinkResource"]] = None, **kwargs): """ :keyword value: The collection value. :paramtype value: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateLinkResource] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateLinkResource] """ super().__init__(**kwargs) self.value = value @@ -6973,7 +6902,7 @@ class PrivateLinkServiceConnectionState(_serialization.Model): :ivar status: The private link service connection status. Known values are: "Pending", "Approved", "Rejected", and "Disconnected". :vartype status: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ConnectionStatus + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ConnectionStatus :ivar description: The private link service connection description. :vartype description: str """ @@ -6988,13 +6917,13 @@ def __init__( *, status: Optional[Union[str, "_models.ConnectionStatus"]] = None, description: Optional[str] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword status: The private link service connection status. Known values are: "Pending", "Approved", "Rejected", and "Disconnected". :paramtype status: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ConnectionStatus + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ConnectionStatus :keyword description: The private link service connection description. :paramtype description: str """ @@ -7004,8 +6933,7 @@ def __init__( class RelativeMonthlySchedule(_serialization.Model): - """For schedules like: 'recur every month on the first Monday' or 'recur every 3 months on last - Friday'. + """For schedules like: 'recur every month on the first Monday' or 'recur every 3 months on last Friday'. All required parameters must be populated in order to send to Azure. @@ -7015,10 +6943,10 @@ class RelativeMonthlySchedule(_serialization.Model): :ivar week_index: Specifies on which instance of the allowed days specified in daysOfWeek the maintenance occurs. Required. Known values are: "First", "Second", "Third", "Fourth", and "Last". - :vartype week_index: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.Type + :vartype week_index: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.Type :ivar day_of_week: Specifies on which day of the week the maintenance occurs. Required. Known values are: "Sunday", "Monday", "Tuesday", "Wednesday", "Thursday", "Friday", and "Saturday". - :vartype day_of_week: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.WeekDay + :vartype day_of_week: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.WeekDay """ _validation = { @@ -7039,8 +6967,8 @@ def __init__( interval_months: int, week_index: Union[str, "_models.Type"], day_of_week: Union[str, "_models.WeekDay"], - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword interval_months: Specifies the number of months between each set of occurrences. Required. @@ -7048,11 +6976,11 @@ def __init__( :keyword week_index: Specifies on which instance of the allowed days specified in daysOfWeek the maintenance occurs. Required. Known values are: "First", "Second", "Third", "Fourth", and "Last". - :paramtype week_index: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.Type + :paramtype week_index: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.Type :keyword day_of_week: Specifies on which day of the week the maintenance occurs. Required. Known values are: "Sunday", "Monday", "Tuesday", "Wednesday", "Thursday", "Friday", and "Saturday". - :paramtype day_of_week: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.WeekDay + :paramtype day_of_week: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.WeekDay """ super().__init__(**kwargs) self.interval_months = interval_months @@ -7071,7 +6999,7 @@ class ResourceReference(_serialization.Model): "id": {"key": "id", "type": "str"}, } - def __init__(self, *, id: Optional[str] = None, **kwargs: Any) -> None: # pylint: disable=redefined-builtin + def __init__(self, *, id: Optional[str] = None, **kwargs): # pylint: disable=redefined-builtin """ :keyword id: The fully qualified Azure resource id. :paramtype id: str @@ -7103,9 +7031,7 @@ class RunCommandRequest(_serialization.Model): "cluster_token": {"key": "clusterToken", "type": "str"}, } - def __init__( - self, *, command: str, context: Optional[str] = None, cluster_token: Optional[str] = None, **kwargs: Any - ) -> None: + def __init__(self, *, command: str, context: Optional[str] = None, cluster_token: Optional[str] = None, **kwargs): """ :keyword command: The command to run. Required. :paramtype command: str @@ -7161,7 +7087,7 @@ class RunCommandResult(_serialization.Model): "reason": {"key": "properties.reason", "type": "str"}, } - def __init__(self, **kwargs: Any) -> None: + def __init__(self, **kwargs): """ """ super().__init__(**kwargs) self.id = None @@ -7174,21 +7100,20 @@ def __init__(self, **kwargs: Any) -> None: class Schedule(_serialization.Model): - """One and only one of the schedule types should be specified. Choose either 'daily', 'weekly', - 'absoluteMonthly' or 'relativeMonthly' for your maintenance schedule. + """One and only one of the schedule types should be specified. Choose either 'daily', 'weekly', 'absoluteMonthly' or 'relativeMonthly' for your maintenance schedule. :ivar daily: For schedules like: 'recur every day' or 'recur every 3 days'. - :vartype daily: ~azure.mgmt.containerservice.v2023_01_02_preview.models.DailySchedule + :vartype daily: ~azure.mgmt.containerservice.v2022_11_02_preview.models.DailySchedule :ivar weekly: For schedules like: 'recur every Monday' or 'recur every 3 weeks on Wednesday'. - :vartype weekly: ~azure.mgmt.containerservice.v2023_01_02_preview.models.WeeklySchedule + :vartype weekly: ~azure.mgmt.containerservice.v2022_11_02_preview.models.WeeklySchedule :ivar absolute_monthly: For schedules like: 'recur every month on the 15th' or 'recur every 3 months on the 20th'. :vartype absolute_monthly: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.AbsoluteMonthlySchedule + ~azure.mgmt.containerservice.v2022_11_02_preview.models.AbsoluteMonthlySchedule :ivar relative_monthly: For schedules like: 'recur every month on the first Monday' or 'recur every 3 months on last Friday'. :vartype relative_monthly: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.RelativeMonthlySchedule + ~azure.mgmt.containerservice.v2022_11_02_preview.models.RelativeMonthlySchedule """ _attribute_map = { @@ -7205,22 +7130,22 @@ def __init__( weekly: Optional["_models.WeeklySchedule"] = None, absolute_monthly: Optional["_models.AbsoluteMonthlySchedule"] = None, relative_monthly: Optional["_models.RelativeMonthlySchedule"] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword daily: For schedules like: 'recur every day' or 'recur every 3 days'. - :paramtype daily: ~azure.mgmt.containerservice.v2023_01_02_preview.models.DailySchedule + :paramtype daily: ~azure.mgmt.containerservice.v2022_11_02_preview.models.DailySchedule :keyword weekly: For schedules like: 'recur every Monday' or 'recur every 3 weeks on Wednesday'. - :paramtype weekly: ~azure.mgmt.containerservice.v2023_01_02_preview.models.WeeklySchedule + :paramtype weekly: ~azure.mgmt.containerservice.v2022_11_02_preview.models.WeeklySchedule :keyword absolute_monthly: For schedules like: 'recur every month on the 15th' or 'recur every 3 months on the 20th'. :paramtype absolute_monthly: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.AbsoluteMonthlySchedule + ~azure.mgmt.containerservice.v2022_11_02_preview.models.AbsoluteMonthlySchedule :keyword relative_monthly: For schedules like: 'recur every month on the first Monday' or 'recur every 3 months on last Friday'. :paramtype relative_monthly: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.RelativeMonthlySchedule + ~azure.mgmt.containerservice.v2022_11_02_preview.models.RelativeMonthlySchedule """ super().__init__(**kwargs) self.daily = daily @@ -7246,30 +7171,30 @@ class Snapshot(TrackedResource): # pylint: disable=too-many-instance-attributes :vartype type: str :ivar system_data: Azure Resource Manager metadata containing createdBy and modifiedBy information. - :vartype system_data: ~azure.mgmt.containerservice.v2023_01_02_preview.models.SystemData + :vartype system_data: ~azure.mgmt.containerservice.v2022_11_02_preview.models.SystemData :ivar tags: Resource tags. :vartype tags: dict[str, str] :ivar location: The geo-location where the resource lives. Required. :vartype location: str :ivar creation_data: CreationData to be used to specify the source agent pool resource ID to create this snapshot. - :vartype creation_data: ~azure.mgmt.containerservice.v2023_01_02_preview.models.CreationData + :vartype creation_data: ~azure.mgmt.containerservice.v2022_11_02_preview.models.CreationData :ivar snapshot_type: The type of a snapshot. The default is NodePool. Known values are: "NodePool" and "ManagedCluster". :vartype snapshot_type: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.SnapshotType + ~azure.mgmt.containerservice.v2022_11_02_preview.models.SnapshotType :ivar kubernetes_version: The version of Kubernetes. :vartype kubernetes_version: str :ivar node_image_version: The version of node image. :vartype node_image_version: str :ivar os_type: The operating system type. The default is Linux. Known values are: "Linux" and "Windows". - :vartype os_type: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSType + :vartype os_type: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSType :ivar os_sku: Specifies the OS SKU used by the agent pool. If not specified, the default is Ubuntu if OSType=Linux or Windows2019 if OSType=Windows. And the default Windows OSSKU will be changed to Windows2022 after Windows2019 is deprecated. Known values are: "Ubuntu", "CBLMariner", "Mariner", "Windows2019", and "Windows2022". - :vartype os_sku: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSSKU + :vartype os_sku: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSSKU :ivar vm_size: The size of the VM. :vartype vm_size: str :ivar enable_fips: Whether to use a FIPS-enabled OS. @@ -7314,8 +7239,8 @@ def __init__( tags: Optional[Dict[str, str]] = None, creation_data: Optional["_models.CreationData"] = None, snapshot_type: Union[str, "_models.SnapshotType"] = "NodePool", - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword tags: Resource tags. :paramtype tags: dict[str, str] @@ -7323,11 +7248,11 @@ def __init__( :paramtype location: str :keyword creation_data: CreationData to be used to specify the source agent pool resource ID to create this snapshot. - :paramtype creation_data: ~azure.mgmt.containerservice.v2023_01_02_preview.models.CreationData + :paramtype creation_data: ~azure.mgmt.containerservice.v2022_11_02_preview.models.CreationData :keyword snapshot_type: The type of a snapshot. The default is NodePool. Known values are: "NodePool" and "ManagedCluster". :paramtype snapshot_type: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.SnapshotType + ~azure.mgmt.containerservice.v2022_11_02_preview.models.SnapshotType """ super().__init__(tags=tags, location=location, **kwargs) self.creation_data = creation_data @@ -7346,7 +7271,7 @@ class SnapshotListResult(_serialization.Model): Variables are only populated by the server, and will be ignored when sending a request. :ivar value: The list of snapshots. - :vartype value: list[~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot] + :vartype value: list[~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot] :ivar next_link: The URL to get the next set of snapshot results. :vartype next_link: str """ @@ -7360,10 +7285,10 @@ class SnapshotListResult(_serialization.Model): "next_link": {"key": "nextLink", "type": "str"}, } - def __init__(self, *, value: Optional[List["_models.Snapshot"]] = None, **kwargs: Any) -> None: + def __init__(self, *, value: Optional[List["_models.Snapshot"]] = None, **kwargs): """ :keyword value: The list of snapshots. - :paramtype value: list[~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot] + :paramtype value: list[~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot] """ super().__init__(**kwargs) self.value = value @@ -7493,8 +7418,8 @@ def __init__( # pylint: disable=too-many-locals vm_max_map_count: Optional[int] = None, vm_swappiness: Optional[int] = None, vm_vfs_cache_pressure: Optional[int] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword net_core_somaxconn: Sysctl setting net.core.somaxconn. :paramtype net_core_somaxconn: int @@ -7592,7 +7517,7 @@ class SystemData(_serialization.Model): :ivar created_by_type: The type of identity that created the resource. Known values are: "User", "Application", "ManagedIdentity", and "Key". :vartype created_by_type: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.CreatedByType + ~azure.mgmt.containerservice.v2022_11_02_preview.models.CreatedByType :ivar created_at: The timestamp of resource creation (UTC). :vartype created_at: ~datetime.datetime :ivar last_modified_by: The identity that last modified the resource. @@ -7600,7 +7525,7 @@ class SystemData(_serialization.Model): :ivar last_modified_by_type: The type of identity that last modified the resource. Known values are: "User", "Application", "ManagedIdentity", and "Key". :vartype last_modified_by_type: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.CreatedByType + ~azure.mgmt.containerservice.v2022_11_02_preview.models.CreatedByType :ivar last_modified_at: The timestamp of resource last modification (UTC). :vartype last_modified_at: ~datetime.datetime """ @@ -7623,15 +7548,15 @@ def __init__( last_modified_by: Optional[str] = None, last_modified_by_type: Optional[Union[str, "_models.CreatedByType"]] = None, last_modified_at: Optional[datetime.datetime] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword created_by: The identity that created the resource. :paramtype created_by: str :keyword created_by_type: The type of identity that created the resource. Known values are: "User", "Application", "ManagedIdentity", and "Key". :paramtype created_by_type: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.CreatedByType + ~azure.mgmt.containerservice.v2022_11_02_preview.models.CreatedByType :keyword created_at: The timestamp of resource creation (UTC). :paramtype created_at: ~datetime.datetime :keyword last_modified_by: The identity that last modified the resource. @@ -7639,7 +7564,7 @@ def __init__( :keyword last_modified_by_type: The type of identity that last modified the resource. Known values are: "User", "Application", "ManagedIdentity", and "Key". :paramtype last_modified_by_type: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.CreatedByType + ~azure.mgmt.containerservice.v2022_11_02_preview.models.CreatedByType :keyword last_modified_at: The timestamp of resource last modification (UTC). :paramtype last_modified_at: ~datetime.datetime """ @@ -7663,7 +7588,7 @@ class TagsObject(_serialization.Model): "tags": {"key": "tags", "type": "{str}"}, } - def __init__(self, *, tags: Optional[Dict[str, str]] = None, **kwargs: Any) -> None: + def __init__(self, *, tags: Optional[Dict[str, str]] = None, **kwargs): """ :keyword tags: Resource tags. :paramtype tags: dict[str, str] @@ -7677,7 +7602,7 @@ class TimeInWeek(_serialization.Model): :ivar day: The day of the week. Known values are: "Sunday", "Monday", "Tuesday", "Wednesday", "Thursday", "Friday", and "Saturday". - :vartype day: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.WeekDay + :vartype day: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.WeekDay :ivar hour_slots: Each integer hour represents a time range beginning at 0m after the hour ending at the next hour (non-inclusive). 0 corresponds to 00:00 UTC, 23 corresponds to 23:00 UTC. Specifying [0, 1] means the 00:00 - 02:00 UTC time range. @@ -7690,16 +7615,12 @@ class TimeInWeek(_serialization.Model): } def __init__( - self, - *, - day: Optional[Union[str, "_models.WeekDay"]] = None, - hour_slots: Optional[List[int]] = None, - **kwargs: Any - ) -> None: + self, *, day: Optional[Union[str, "_models.WeekDay"]] = None, hour_slots: Optional[List[int]] = None, **kwargs + ): """ :keyword day: The day of the week. Known values are: "Sunday", "Monday", "Tuesday", "Wednesday", "Thursday", "Friday", and "Saturday". - :paramtype day: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.WeekDay + :paramtype day: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.WeekDay :keyword hour_slots: Each integer hour represents a time range beginning at 0m after the hour ending at the next hour (non-inclusive). 0 corresponds to 00:00 UTC, 23 corresponds to 23:00 UTC. Specifying [0, 1] means the 00:00 - 02:00 UTC time range. @@ -7724,9 +7645,7 @@ class TimeSpan(_serialization.Model): "end": {"key": "end", "type": "iso-8601"}, } - def __init__( - self, *, start: Optional[datetime.datetime] = None, end: Optional[datetime.datetime] = None, **kwargs: Any - ) -> None: + def __init__(self, *, start: Optional[datetime.datetime] = None, end: Optional[datetime.datetime] = None, **kwargs): """ :keyword start: The start of a time span. :paramtype start: ~datetime.datetime @@ -7751,7 +7670,7 @@ class TrustedAccessRole(_serialization.Model): Role `_. :vartype rules: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRoleRule] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRoleRule] """ _validation = { @@ -7766,7 +7685,7 @@ class TrustedAccessRole(_serialization.Model): "rules": {"key": "rules", "type": "[TrustedAccessRoleRule]"}, } - def __init__(self, **kwargs: Any) -> None: + def __init__(self, **kwargs): """ """ super().__init__(**kwargs) self.source_resource_type = None @@ -7791,11 +7710,11 @@ class TrustedAccessRoleBinding(Resource): :vartype type: str :ivar system_data: Azure Resource Manager metadata containing createdBy and modifiedBy information. - :vartype system_data: ~azure.mgmt.containerservice.v2023_01_02_preview.models.SystemData + :vartype system_data: ~azure.mgmt.containerservice.v2022_11_02_preview.models.SystemData :ivar provisioning_state: The current provisioning state of trusted access role binding. Known values are: "Canceled", "Deleting", "Failed", "Succeeded", and "Updating". :vartype provisioning_state: str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRoleBindingProvisioningState + ~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRoleBindingProvisioningState :ivar source_resource_id: The ARM resource ID of source resource that trusted access is configured for. Required. :vartype source_resource_id: str @@ -7824,7 +7743,7 @@ class TrustedAccessRoleBinding(Resource): "roles": {"key": "properties.roles", "type": "[str]"}, } - def __init__(self, *, source_resource_id: str, roles: List[str], **kwargs: Any) -> None: + def __init__(self, *, source_resource_id: str, roles: List[str], **kwargs): """ :keyword source_resource_id: The ARM resource ID of source resource that trusted access is configured for. Required. @@ -7846,7 +7765,7 @@ class TrustedAccessRoleBindingListResult(_serialization.Model): :ivar value: Role binding list. :vartype value: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRoleBinding] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRoleBinding] :ivar next_link: Link to next page of resources. :vartype next_link: str """ @@ -7860,11 +7779,11 @@ class TrustedAccessRoleBindingListResult(_serialization.Model): "next_link": {"key": "nextLink", "type": "str"}, } - def __init__(self, *, value: Optional[List["_models.TrustedAccessRoleBinding"]] = None, **kwargs: Any) -> None: + def __init__(self, *, value: Optional[List["_models.TrustedAccessRoleBinding"]] = None, **kwargs): """ :keyword value: Role binding list. :paramtype value: - list[~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRoleBinding] + list[~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRoleBinding] """ super().__init__(**kwargs) self.value = value @@ -7877,7 +7796,7 @@ class TrustedAccessRoleListResult(_serialization.Model): Variables are only populated by the server, and will be ignored when sending a request. :ivar value: Role list. - :vartype value: list[~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRole] + :vartype value: list[~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRole] :ivar next_link: Link to next page of resources. :vartype next_link: str """ @@ -7892,7 +7811,7 @@ class TrustedAccessRoleListResult(_serialization.Model): "next_link": {"key": "nextLink", "type": "str"}, } - def __init__(self, **kwargs: Any) -> None: + def __init__(self, **kwargs): """ """ super().__init__(**kwargs) self.value = None @@ -7932,7 +7851,7 @@ class TrustedAccessRoleRule(_serialization.Model): "non_resource_ur_ls": {"key": "nonResourceURLs", "type": "[str]"}, } - def __init__(self, **kwargs: Any) -> None: + def __init__(self, **kwargs): """ """ super().__init__(**kwargs) self.verbs = None @@ -7942,48 +7861,6 @@ def __init__(self, **kwargs: Any) -> None: self.non_resource_ur_ls = None -class UpgradeOverrideSettings(_serialization.Model): - """Settings for overrides when upgrading a cluster. - - :ivar control_plane_overrides: List of upgrade overrides when upgrading a cluster's control - plane. - :vartype control_plane_overrides: list[str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ControlPlaneUpgradeOverride] - :ivar until: Until when the overrides are effective. Note that this only matches the start time - of an upgrade, and the effectiveness won't change once an upgrade starts even if the ``until`` - expires as upgrade proceeds. This field is not set by default. It must be set for the overrides - to take effect. - :vartype until: ~datetime.datetime - """ - - _attribute_map = { - "control_plane_overrides": {"key": "controlPlaneOverrides", "type": "[str]"}, - "until": {"key": "until", "type": "iso-8601"}, - } - - def __init__( - self, - *, - control_plane_overrides: Optional[List[Union[str, "_models.ControlPlaneUpgradeOverride"]]] = None, - until: Optional[datetime.datetime] = None, - **kwargs: Any - ) -> None: - """ - :keyword control_plane_overrides: List of upgrade overrides when upgrading a cluster's control - plane. - :paramtype control_plane_overrides: list[str or - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ControlPlaneUpgradeOverride] - :keyword until: Until when the overrides are effective. Note that this only matches the start - time of an upgrade, and the effectiveness won't change once an upgrade starts even if the - ``until`` expires as upgrade proceeds. This field is not set by default. It must be set for the - overrides to take effect. - :paramtype until: ~datetime.datetime - """ - super().__init__(**kwargs) - self.control_plane_overrides = control_plane_overrides - self.until = until - - class WeeklySchedule(_serialization.Model): """For schedules like: 'recur every Monday' or 'recur every 3 weeks on Wednesday'. @@ -7993,7 +7870,7 @@ class WeeklySchedule(_serialization.Model): :vartype interval_weeks: int :ivar day_of_week: Specifies on which day of the week the maintenance occurs. Required. Known values are: "Sunday", "Monday", "Tuesday", "Wednesday", "Thursday", "Friday", and "Saturday". - :vartype day_of_week: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.WeekDay + :vartype day_of_week: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.WeekDay """ _validation = { @@ -8006,7 +7883,7 @@ class WeeklySchedule(_serialization.Model): "day_of_week": {"key": "dayOfWeek", "type": "str"}, } - def __init__(self, *, interval_weeks: int, day_of_week: Union[str, "_models.WeekDay"], **kwargs: Any) -> None: + def __init__(self, *, interval_weeks: int, day_of_week: Union[str, "_models.WeekDay"], **kwargs): """ :keyword interval_weeks: Specifies the number of weeks between each set of occurrences. Required. @@ -8014,7 +7891,7 @@ def __init__(self, *, interval_weeks: int, day_of_week: Union[str, "_models.Week :keyword day_of_week: Specifies on which day of the week the maintenance occurs. Required. Known values are: "Sunday", "Monday", "Tuesday", "Wednesday", "Thursday", "Friday", and "Saturday". - :paramtype day_of_week: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.WeekDay + :paramtype day_of_week: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.WeekDay """ super().__init__(**kwargs) self.interval_weeks = interval_weeks @@ -8048,8 +7925,8 @@ def __init__( enabled: Optional[bool] = None, dns_server: Optional[str] = None, root_domain_name: Optional[str] = None, - **kwargs: Any - ) -> None: + **kwargs + ): """ :keyword enabled: Specifies whether to enable Windows gMSA in the managed cluster. :paramtype enabled: bool diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/models/_patch.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/models/_patch.py similarity index 100% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/models/_patch.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/models/_patch.py diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/__init__.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/__init__.py similarity index 100% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/__init__.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/__init__.py diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_agent_pools_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_agent_pools_operations.py similarity index 94% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_agent_pools_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_agent_pools_operations.py index a918a930839..ca88d60c9c9 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_agent_pools_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_agent_pools_operations.py @@ -49,8 +49,8 @@ def build_abort_latest_operation_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -94,8 +94,8 @@ def build_list_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -136,8 +136,8 @@ def build_get_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -181,8 +181,8 @@ def build_create_or_update_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) accept = _headers.pop("Accept", "application/json") @@ -233,8 +233,8 @@ def build_delete_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -280,8 +280,8 @@ def build_get_upgrade_profile_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -325,8 +325,8 @@ def build_get_available_agent_pool_versions_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -367,8 +367,8 @@ def build_upgrade_node_image_version_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -412,7 +412,7 @@ class AgentPoolsOperations: **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2023_01_02_preview.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2022_11_02_preview.ContainerServiceClient`'s :attr:`agent_pools` attribute. """ @@ -439,8 +439,8 @@ def _abort_latest_operation_initial( # pylint: disable=inconsistent-return-stat _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) @@ -513,8 +513,8 @@ def begin_abort_latest_operation( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) polling: Union[bool, PollingMethod] = kwargs.pop("polling", True) @@ -572,14 +572,14 @@ def list(self, resource_group_name: str, resource_name: str, **kwargs: Any) -> I :keyword callable cls: A custom type or function that will be passed the direct response :return: An iterator like instance of either AgentPool or the result of cls(response) :rtype: - ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPool] + ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPool] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.AgentPoolListResult] = kwargs.pop("cls", None) @@ -668,7 +668,7 @@ def get( :type agent_pool_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: AgentPool or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPool + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPool :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -682,8 +682,8 @@ def get( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.AgentPool] = kwargs.pop("cls", None) @@ -740,8 +740,8 @@ def _create_or_update_initial( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.AgentPool] = kwargs.pop("cls", None) @@ -818,7 +818,7 @@ def begin_create_or_update( :param agent_pool_name: The name of the agent pool. Required. :type agent_pool_name: str :param parameters: The agent pool to create or update. Required. - :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPool + :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPool :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str @@ -832,7 +832,7 @@ def begin_create_or_update( Retry-After header is present. :return: An instance of LROPoller that returns either AgentPool or the result of cls(response) :rtype: - ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPool] + ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPool] :raises ~azure.core.exceptions.HttpResponseError: """ @@ -873,7 +873,7 @@ def begin_create_or_update( Retry-After header is present. :return: An instance of LROPoller that returns either AgentPool or the result of cls(response) :rtype: - ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPool] + ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPool] :raises ~azure.core.exceptions.HttpResponseError: """ @@ -897,9 +897,9 @@ def begin_create_or_update( :type resource_name: str :param agent_pool_name: The name of the agent pool. Required. :type agent_pool_name: str - :param parameters: The agent pool to create or update. Is either a AgentPool type or a IO type. + :param parameters: The agent pool to create or update. Is either a model type or a IO type. Required. - :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPool or IO + :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPool or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str @@ -913,14 +913,14 @@ def begin_create_or_update( Retry-After header is present. :return: An instance of LROPoller that returns either AgentPool or the result of cls(response) :rtype: - ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPool] + ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPool] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.AgentPool] = kwargs.pop("cls", None) @@ -986,8 +986,8 @@ def _delete_initial( # pylint: disable=inconsistent-return-statements _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) @@ -1064,8 +1064,8 @@ def begin_delete( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) polling: Union[bool, PollingMethod] = kwargs.pop("polling", True) @@ -1125,7 +1125,7 @@ def get_upgrade_profile( :type agent_pool_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: AgentPoolUpgradeProfile or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolUpgradeProfile + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolUpgradeProfile :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -1139,8 +1139,8 @@ def get_upgrade_profile( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.AgentPoolUpgradeProfile] = kwargs.pop("cls", None) @@ -1195,7 +1195,7 @@ def get_available_agent_pool_versions( :type resource_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: AgentPoolAvailableVersions or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPoolAvailableVersions + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPoolAvailableVersions :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -1209,8 +1209,8 @@ def get_available_agent_pool_versions( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.AgentPoolAvailableVersions] = kwargs.pop("cls", None) @@ -1261,8 +1261,8 @@ def _upgrade_node_image_version_initial( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[Optional[_models.AgentPool]] = kwargs.pop("cls", None) @@ -1310,7 +1310,7 @@ def _upgrade_node_image_version_initial( @distributed_trace def begin_upgrade_node_image_version( self, resource_group_name: str, resource_name: str, agent_pool_name: str, **kwargs: Any - ) -> LROPoller[_models.AgentPool]: + ) -> LROPoller[None]: """Upgrades the node image version of an agent pool to the latest. Upgrading the node image version of an agent pool applies the newest OS and runtime updates to @@ -1334,14 +1334,14 @@ def begin_upgrade_node_image_version( Retry-After header is present. :return: An instance of LROPoller that returns either AgentPool or the result of cls(response) :rtype: - ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.AgentPool] + ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.AgentPool] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) polling: Union[bool, PollingMethod] = kwargs.pop("polling", True) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_maintenance_configurations_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_maintenance_configurations_operations.py similarity index 94% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_maintenance_configurations_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_maintenance_configurations_operations.py index 42d2e5e4de1..becba72e83b 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_maintenance_configurations_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_maintenance_configurations_operations.py @@ -47,8 +47,8 @@ def build_list_by_managed_cluster_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -89,8 +89,8 @@ def build_get_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -132,8 +132,8 @@ def build_create_or_update_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) accept = _headers.pop("Accept", "application/json") @@ -178,8 +178,8 @@ def build_delete_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -221,7 +221,7 @@ class MaintenanceConfigurationsOperations: **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2023_01_02_preview.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2022_11_02_preview.ContainerServiceClient`'s :attr:`maintenance_configurations` attribute. """ @@ -251,14 +251,14 @@ def list_by_managed_cluster( :return: An iterator like instance of either MaintenanceConfiguration or the result of cls(response) :rtype: - ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.MaintenanceConfiguration] + ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.MaintenanceConfiguration] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.MaintenanceConfigurationListResult] = kwargs.pop("cls", None) @@ -347,7 +347,7 @@ def get( :type config_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: MaintenanceConfiguration or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.MaintenanceConfiguration + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.MaintenanceConfiguration :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -361,8 +361,8 @@ def get( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.MaintenanceConfiguration] = kwargs.pop("cls", None) @@ -424,13 +424,13 @@ def create_or_update( :type config_name: str :param parameters: The maintenance configuration to create or update. Required. :type parameters: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.MaintenanceConfiguration + ~azure.mgmt.containerservice.v2022_11_02_preview.models.MaintenanceConfiguration :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: MaintenanceConfiguration or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.MaintenanceConfiguration + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.MaintenanceConfiguration :raises ~azure.core.exceptions.HttpResponseError: """ @@ -463,7 +463,7 @@ def create_or_update( :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: MaintenanceConfiguration or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.MaintenanceConfiguration + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.MaintenanceConfiguration :raises ~azure.core.exceptions.HttpResponseError: """ @@ -487,16 +487,16 @@ def create_or_update( :type resource_name: str :param config_name: The name of the maintenance configuration. Required. :type config_name: str - :param parameters: The maintenance configuration to create or update. Is either a - MaintenanceConfiguration type or a IO type. Required. + :param parameters: The maintenance configuration to create or update. Is either a model type or + a IO type. Required. :type parameters: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.MaintenanceConfiguration or IO + ~azure.mgmt.containerservice.v2022_11_02_preview.models.MaintenanceConfiguration or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: MaintenanceConfiguration or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.MaintenanceConfiguration + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.MaintenanceConfiguration :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -510,8 +510,8 @@ def create_or_update( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.MaintenanceConfiguration] = kwargs.pop("cls", None) @@ -592,8 +592,8 @@ def delete( # pylint: disable=inconsistent-return-statements _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_managed_cluster_snapshots_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_managed_cluster_snapshots_operations.py similarity index 93% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_managed_cluster_snapshots_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_managed_cluster_snapshots_operations.py index 65a1a2a6ff9..e03328f064c 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_managed_cluster_snapshots_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_managed_cluster_snapshots_operations.py @@ -45,8 +45,8 @@ def build_list_request(subscription_id: str, **kwargs: Any) -> HttpRequest: _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -73,8 +73,8 @@ def build_list_by_resource_group_request(resource_group_name: str, subscription_ _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -105,8 +105,8 @@ def build_get_request(resource_group_name: str, resource_name: str, subscription _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -147,8 +147,8 @@ def build_create_or_update_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) accept = _headers.pop("Accept", "application/json") @@ -192,8 +192,8 @@ def build_update_tags_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) accept = _headers.pop("Accept", "application/json") @@ -237,8 +237,8 @@ def build_delete_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -279,7 +279,7 @@ class ManagedClusterSnapshotsOperations: **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2023_01_02_preview.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2022_11_02_preview.ContainerServiceClient`'s :attr:`managed_cluster_snapshots` attribute. """ @@ -302,14 +302,14 @@ def list(self, **kwargs: Any) -> Iterable["_models.ManagedClusterSnapshot"]: :return: An iterator like instance of either ManagedClusterSnapshot or the result of cls(response) :rtype: - ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot] + ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.ManagedClusterSnapshotListResult] = kwargs.pop("cls", None) @@ -394,14 +394,14 @@ def list_by_resource_group( :return: An iterator like instance of either ManagedClusterSnapshot or the result of cls(response) :rtype: - ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot] + ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.ManagedClusterSnapshotListResult] = kwargs.pop("cls", None) @@ -485,7 +485,7 @@ def get(self, resource_group_name: str, resource_name: str, **kwargs: Any) -> _m :type resource_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: ManagedClusterSnapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -499,8 +499,8 @@ def get(self, resource_group_name: str, resource_name: str, **kwargs: Any) -> _m _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.ManagedClusterSnapshot] = kwargs.pop("cls", None) @@ -558,13 +558,13 @@ def create_or_update( :type resource_name: str :param parameters: The managed cluster snapshot to create or update. Required. :type parameters: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: ManagedClusterSnapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot :raises ~azure.core.exceptions.HttpResponseError: """ @@ -594,7 +594,7 @@ def create_or_update( :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: ManagedClusterSnapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot :raises ~azure.core.exceptions.HttpResponseError: """ @@ -615,16 +615,16 @@ def create_or_update( :type resource_group_name: str :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str - :param parameters: The managed cluster snapshot to create or update. Is either a - ManagedClusterSnapshot type or a IO type. Required. + :param parameters: The managed cluster snapshot to create or update. Is either a model type or + a IO type. Required. :type parameters: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot or IO + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: ManagedClusterSnapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -638,8 +638,8 @@ def create_or_update( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.ManagedClusterSnapshot] = kwargs.pop("cls", None) @@ -713,13 +713,13 @@ def update_tags( :type resource_name: str :param parameters: Parameters supplied to the Update managed cluster snapshot Tags operation. Required. - :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.TagsObject + :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.TagsObject :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: ManagedClusterSnapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot :raises ~azure.core.exceptions.HttpResponseError: """ @@ -750,7 +750,7 @@ def update_tags( :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: ManagedClusterSnapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot :raises ~azure.core.exceptions.HttpResponseError: """ @@ -768,14 +768,14 @@ def update_tags( :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str :param parameters: Parameters supplied to the Update managed cluster snapshot Tags operation. - Is either a TagsObject type or a IO type. Required. - :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.TagsObject or IO + Is either a model type or a IO type. Required. + :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.TagsObject or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: ManagedClusterSnapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterSnapshot + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterSnapshot :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -789,8 +789,8 @@ def update_tags( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.ManagedClusterSnapshot] = kwargs.pop("cls", None) @@ -868,8 +868,8 @@ def delete( # pylint: disable=inconsistent-return-statements _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_managed_clusters_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_managed_clusters_operations.py similarity index 94% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_managed_clusters_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_managed_clusters_operations.py index 221d438ba07..69f6be28693 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_managed_clusters_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_managed_clusters_operations.py @@ -49,8 +49,8 @@ def build_get_os_options_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -81,8 +81,8 @@ def build_list_request(subscription_id: str, **kwargs: Any) -> HttpRequest: _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -109,8 +109,8 @@ def build_list_by_resource_group_request(resource_group_name: str, subscription_ _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -143,8 +143,8 @@ def build_get_upgrade_profile_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -185,8 +185,8 @@ def build_get_access_profile_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -233,8 +233,8 @@ def build_list_cluster_admin_credentials_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -283,8 +283,8 @@ def build_list_cluster_user_credentials_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -334,8 +334,8 @@ def build_list_cluster_monitoring_user_credentials_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -376,8 +376,8 @@ def build_get_request(resource_group_name: str, resource_name: str, subscription _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -418,8 +418,8 @@ def build_create_or_update_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) accept = _headers.pop("Accept", "application/json") @@ -463,8 +463,8 @@ def build_update_tags_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) accept = _headers.pop("Accept", "application/json") @@ -513,8 +513,8 @@ def build_delete_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -559,8 +559,8 @@ def build_reset_service_principal_profile_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) accept = _headers.pop("Accept", "application/json") @@ -604,8 +604,8 @@ def build_reset_aad_profile_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) accept = _headers.pop("Accept", "application/json") @@ -649,8 +649,8 @@ def build_abort_latest_operation_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -691,8 +691,8 @@ def build_rotate_cluster_certificates_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -733,8 +733,8 @@ def build_rotate_service_account_signing_keys_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -775,8 +775,8 @@ def build_stop_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -817,8 +817,8 @@ def build_start_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -859,8 +859,8 @@ def build_run_command_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) accept = _headers.pop("Accept", "application/json") @@ -904,8 +904,8 @@ def build_get_command_result_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -947,8 +947,8 @@ def build_list_outbound_network_dependencies_endpoints_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -989,7 +989,7 @@ class ManagedClustersOperations: # pylint: disable=too-many-public-methods **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2023_01_02_preview.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2022_11_02_preview.ContainerServiceClient`'s :attr:`managed_clusters` attribute. """ @@ -1017,7 +1017,7 @@ def get_os_options( :type resource_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: OSOptionProfile or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.OSOptionProfile + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.OSOptionProfile :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -1031,8 +1031,8 @@ def get_os_options( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.OSOptionProfile] = kwargs.pop("cls", None) @@ -1078,14 +1078,14 @@ def list(self, **kwargs: Any) -> Iterable["_models.ManagedCluster"]: :keyword callable cls: A custom type or function that will be passed the direct response :return: An iterator like instance of either ManagedCluster or the result of cls(response) :rtype: - ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster] + ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.ManagedClusterListResult] = kwargs.pop("cls", None) @@ -1165,14 +1165,14 @@ def list_by_resource_group(self, resource_group_name: str, **kwargs: Any) -> Ite :keyword callable cls: A custom type or function that will be passed the direct response :return: An iterator like instance of either ManagedCluster or the result of cls(response) :rtype: - ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster] + ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.ManagedClusterListResult] = kwargs.pop("cls", None) @@ -1258,7 +1258,7 @@ def get_upgrade_profile( :type resource_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: ManagedClusterUpgradeProfile or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterUpgradeProfile + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterUpgradeProfile :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -1272,8 +1272,8 @@ def get_upgrade_profile( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.ManagedClusterUpgradeProfile] = kwargs.pop("cls", None) @@ -1330,7 +1330,7 @@ def get_access_profile( :type role_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: ManagedClusterAccessProfile or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAccessProfile + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAccessProfile :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -1344,8 +1344,8 @@ def get_access_profile( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.ManagedClusterAccessProfile] = kwargs.pop("cls", None) @@ -1400,7 +1400,7 @@ def list_cluster_admin_credentials( :type server_fqdn: str :keyword callable cls: A custom type or function that will be passed the direct response :return: CredentialResults or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.CredentialResults + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.CredentialResults :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -1414,8 +1414,8 @@ def list_cluster_admin_credentials( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.CredentialResults] = kwargs.pop("cls", None) @@ -1477,10 +1477,10 @@ def list_cluster_user_credentials( 'azure' will return azure auth-provider kubeconfig; format 'exec' will return exec format kubeconfig, which requires kubelogin binary in the path. Known values are: "azure" and "exec". Default value is None. - :type format: str or ~azure.mgmt.containerservice.v2023_01_02_preview.models.Format + :type format: str or ~azure.mgmt.containerservice.v2022_11_02_preview.models.Format :keyword callable cls: A custom type or function that will be passed the direct response :return: CredentialResults or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.CredentialResults + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.CredentialResults :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -1494,8 +1494,8 @@ def list_cluster_user_credentials( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.CredentialResults] = kwargs.pop("cls", None) @@ -1551,7 +1551,7 @@ def list_cluster_monitoring_user_credentials( :type server_fqdn: str :keyword callable cls: A custom type or function that will be passed the direct response :return: CredentialResults or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.CredentialResults + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.CredentialResults :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -1565,8 +1565,8 @@ def list_cluster_monitoring_user_credentials( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.CredentialResults] = kwargs.pop("cls", None) @@ -1617,7 +1617,7 @@ def get(self, resource_group_name: str, resource_name: str, **kwargs: Any) -> _m :type resource_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: ManagedCluster or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -1631,8 +1631,8 @@ def get(self, resource_group_name: str, resource_name: str, **kwargs: Any) -> _m _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.ManagedCluster] = kwargs.pop("cls", None) @@ -1683,8 +1683,8 @@ def _create_or_update_initial( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.ManagedCluster] = kwargs.pop("cls", None) @@ -1757,7 +1757,7 @@ def begin_create_or_update( :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str :param parameters: The managed cluster to create or update. Required. - :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster + :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str @@ -1772,7 +1772,7 @@ def begin_create_or_update( :return: An instance of LROPoller that returns either ManagedCluster or the result of cls(response) :rtype: - ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster] + ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster] :raises ~azure.core.exceptions.HttpResponseError: """ @@ -1811,7 +1811,7 @@ def begin_create_or_update( :return: An instance of LROPoller that returns either ManagedCluster or the result of cls(response) :rtype: - ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster] + ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster] :raises ~azure.core.exceptions.HttpResponseError: """ @@ -1828,9 +1828,9 @@ def begin_create_or_update( :type resource_group_name: str :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str - :param parameters: The managed cluster to create or update. Is either a ManagedCluster type or - a IO type. Required. - :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster or IO + :param parameters: The managed cluster to create or update. Is either a model type or a IO + type. Required. + :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str @@ -1845,14 +1845,14 @@ def begin_create_or_update( :return: An instance of LROPoller that returns either ManagedCluster or the result of cls(response) :rtype: - ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster] + ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.ManagedCluster] = kwargs.pop("cls", None) @@ -1912,8 +1912,8 @@ def _update_tags_initial( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.ManagedCluster] = kwargs.pop("cls", None) @@ -1982,7 +1982,7 @@ def begin_update_tags( :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str :param parameters: Parameters supplied to the Update Managed Cluster Tags operation. Required. - :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.TagsObject + :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.TagsObject :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str @@ -1997,7 +1997,7 @@ def begin_update_tags( :return: An instance of LROPoller that returns either ManagedCluster or the result of cls(response) :rtype: - ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster] + ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster] :raises ~azure.core.exceptions.HttpResponseError: """ @@ -2036,7 +2036,7 @@ def begin_update_tags( :return: An instance of LROPoller that returns either ManagedCluster or the result of cls(response) :rtype: - ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster] + ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster] :raises ~azure.core.exceptions.HttpResponseError: """ @@ -2054,8 +2054,8 @@ def begin_update_tags( :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str :param parameters: Parameters supplied to the Update Managed Cluster Tags operation. Is either - a TagsObject type or a IO type. Required. - :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.TagsObject or IO + a model type or a IO type. Required. + :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.TagsObject or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str @@ -2070,14 +2070,14 @@ def begin_update_tags( :return: An instance of LROPoller that returns either ManagedCluster or the result of cls(response) :rtype: - ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedCluster] + ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedCluster] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.ManagedCluster] = kwargs.pop("cls", None) @@ -2141,8 +2141,8 @@ def _delete_initial( # pylint: disable=inconsistent-return-statements _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) @@ -2215,8 +2215,8 @@ def begin_delete( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) polling: Union[bool, PollingMethod] = kwargs.pop("polling", True) @@ -2276,8 +2276,8 @@ def _reset_service_principal_profile_initial( # pylint: disable=inconsistent-re _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[None] = kwargs.pop("cls", None) @@ -2347,7 +2347,7 @@ def begin_reset_service_principal_profile( :type resource_name: str :param parameters: The service principal profile to set on the managed cluster. Required. :type parameters: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterServicePrincipalProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterServicePrincipalProfile :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str @@ -2419,9 +2419,9 @@ def begin_reset_service_principal_profile( :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str :param parameters: The service principal profile to set on the managed cluster. Is either a - ManagedClusterServicePrincipalProfile type or a IO type. Required. + model type or a IO type. Required. :type parameters: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterServicePrincipalProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterServicePrincipalProfile or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. @@ -2441,8 +2441,8 @@ def begin_reset_service_principal_profile( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[None] = kwargs.pop("cls", None) @@ -2506,8 +2506,8 @@ def _reset_aad_profile_initial( # pylint: disable=inconsistent-return-statement _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[None] = kwargs.pop("cls", None) @@ -2568,9 +2568,7 @@ def begin_reset_aad_profile( ) -> LROPoller[None]: """Reset the AAD Profile of a managed cluster. - **WARNING**\ : This API will be deprecated. Please see `AKS-managed Azure Active Directory - integration `_ to update your cluster with AKS-managed Azure - AD. + Reset the AAD Profile of a managed cluster. :param resource_group_name: The name of the resource group. The name is case insensitive. Required. @@ -2579,7 +2577,7 @@ def begin_reset_aad_profile( :type resource_name: str :param parameters: The AAD profile to set on the Managed Cluster. Required. :type parameters: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAADProfile + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAADProfile :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str @@ -2608,9 +2606,7 @@ def begin_reset_aad_profile( ) -> LROPoller[None]: """Reset the AAD Profile of a managed cluster. - **WARNING**\ : This API will be deprecated. Please see `AKS-managed Azure Active Directory - integration `_ to update your cluster with AKS-managed Azure - AD. + Reset the AAD Profile of a managed cluster. :param resource_group_name: The name of the resource group. The name is case insensitive. Required. @@ -2645,19 +2641,17 @@ def begin_reset_aad_profile( ) -> LROPoller[None]: """Reset the AAD Profile of a managed cluster. - **WARNING**\ : This API will be deprecated. Please see `AKS-managed Azure Active Directory - integration `_ to update your cluster with AKS-managed Azure - AD. + Reset the AAD Profile of a managed cluster. :param resource_group_name: The name of the resource group. The name is case insensitive. Required. :type resource_group_name: str :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str - :param parameters: The AAD profile to set on the Managed Cluster. Is either a - ManagedClusterAADProfile type or a IO type. Required. + :param parameters: The AAD profile to set on the Managed Cluster. Is either a model type or a + IO type. Required. :type parameters: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.ManagedClusterAADProfile or IO + ~azure.mgmt.containerservice.v2022_11_02_preview.models.ManagedClusterAADProfile or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str @@ -2676,8 +2670,8 @@ def begin_reset_aad_profile( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[None] = kwargs.pop("cls", None) @@ -2737,8 +2731,8 @@ def _abort_latest_operation_initial( # pylint: disable=inconsistent-return-stat _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) @@ -2808,8 +2802,8 @@ def begin_abort_latest_operation( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) polling: Union[bool, PollingMethod] = kwargs.pop("polling", True) @@ -2866,8 +2860,8 @@ def _rotate_cluster_certificates_initial( # pylint: disable=inconsistent-return _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) @@ -2933,8 +2927,8 @@ def begin_rotate_cluster_certificates( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) polling: Union[bool, PollingMethod] = kwargs.pop("polling", True) @@ -2991,8 +2985,8 @@ def _rotate_service_account_signing_keys_initial( # pylint: disable=inconsisten _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) @@ -3057,8 +3051,8 @@ def begin_rotate_service_account_signing_keys( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) polling: Union[bool, PollingMethod] = kwargs.pop("polling", True) @@ -3115,8 +3109,8 @@ def _stop_initial( # pylint: disable=inconsistent-return-statements _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) @@ -3183,8 +3177,8 @@ def begin_stop(self, resource_group_name: str, resource_name: str, **kwargs: Any _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) polling: Union[bool, PollingMethod] = kwargs.pop("polling", True) @@ -3241,8 +3235,8 @@ def _start_initial( # pylint: disable=inconsistent-return-statements _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) @@ -3306,8 +3300,8 @@ def begin_start(self, resource_group_name: str, resource_name: str, **kwargs: An _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) polling: Union[bool, PollingMethod] = kwargs.pop("polling", True) @@ -3368,8 +3362,8 @@ def _run_command_initial( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[Optional[_models.RunCommandResult]] = kwargs.pop("cls", None) @@ -3447,7 +3441,7 @@ def begin_run_command( :type resource_name: str :param request_payload: The run command request. Required. :type request_payload: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.RunCommandRequest + ~azure.mgmt.containerservice.v2022_11_02_preview.models.RunCommandRequest :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str @@ -3462,7 +3456,7 @@ def begin_run_command( :return: An instance of LROPoller that returns either RunCommandResult or the result of cls(response) :rtype: - ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.RunCommandResult] + ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.RunCommandResult] :raises ~azure.core.exceptions.HttpResponseError: """ @@ -3503,7 +3497,7 @@ def begin_run_command( :return: An instance of LROPoller that returns either RunCommandResult or the result of cls(response) :rtype: - ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.RunCommandResult] + ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.RunCommandResult] :raises ~azure.core.exceptions.HttpResponseError: """ @@ -3526,10 +3520,9 @@ def begin_run_command( :type resource_group_name: str :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str - :param request_payload: The run command request. Is either a RunCommandRequest type or a IO - type. Required. + :param request_payload: The run command request. Is either a model type or a IO type. Required. :type request_payload: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.RunCommandRequest or IO + ~azure.mgmt.containerservice.v2022_11_02_preview.models.RunCommandRequest or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str @@ -3544,14 +3537,14 @@ def begin_run_command( :return: An instance of LROPoller that returns either RunCommandResult or the result of cls(response) :rtype: - ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2023_01_02_preview.models.RunCommandResult] + ~azure.core.polling.LROPoller[~azure.mgmt.containerservice.v2022_11_02_preview.models.RunCommandResult] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.RunCommandResult] = kwargs.pop("cls", None) @@ -3616,7 +3609,7 @@ def get_command_result( :type command_id: str :keyword callable cls: A custom type or function that will be passed the direct response :return: RunCommandResult or None or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.RunCommandResult or None + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.RunCommandResult or None :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -3630,8 +3623,8 @@ def get_command_result( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[Optional[_models.RunCommandResult]] = kwargs.pop("cls", None) @@ -3694,14 +3687,14 @@ def list_outbound_network_dependencies_endpoints( :return: An iterator like instance of either OutboundEnvironmentEndpoint or the result of cls(response) :rtype: - ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.OutboundEnvironmentEndpoint] + ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.OutboundEnvironmentEndpoint] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.OutboundEnvironmentEndpointCollection] = kwargs.pop("cls", None) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_operations.py similarity index 94% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_operations.py index 35bc83273f9..5a4c65264cf 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_operations.py @@ -45,8 +45,8 @@ def build_list_request(**kwargs: Any) -> HttpRequest: _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -68,7 +68,7 @@ class Operations: **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2023_01_02_preview.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2022_11_02_preview.ContainerServiceClient`'s :attr:`operations` attribute. """ @@ -90,14 +90,14 @@ def list(self, **kwargs: Any) -> Iterable["_models.OperationValue"]: :keyword callable cls: A custom type or function that will be passed the direct response :return: An iterator like instance of either OperationValue or the result of cls(response) :rtype: - ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.OperationValue] + ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.OperationValue] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.OperationListResult] = kwargs.pop("cls", None) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_patch.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_patch.py similarity index 100% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_patch.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_patch.py diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_private_endpoint_connections_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_private_endpoint_connections_operations.py similarity index 94% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_private_endpoint_connections_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_private_endpoint_connections_operations.py index 255b50dcdf9..d8b2310ae03 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_private_endpoint_connections_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_private_endpoint_connections_operations.py @@ -47,8 +47,8 @@ def build_list_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -93,8 +93,8 @@ def build_get_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -142,8 +142,8 @@ def build_update_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) accept = _headers.pop("Accept", "application/json") @@ -194,8 +194,8 @@ def build_delete_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -239,7 +239,7 @@ class PrivateEndpointConnectionsOperations: **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2023_01_02_preview.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2022_11_02_preview.ContainerServiceClient`'s :attr:`private_endpoint_connections` attribute. """ @@ -269,7 +269,7 @@ def list( :keyword callable cls: A custom type or function that will be passed the direct response :return: PrivateEndpointConnectionListResult or the result of cls(response) :rtype: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateEndpointConnectionListResult + ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateEndpointConnectionListResult :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -283,8 +283,8 @@ def list( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.PrivateEndpointConnectionListResult] = kwargs.pop("cls", None) @@ -339,7 +339,7 @@ def get( :type private_endpoint_connection_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: PrivateEndpointConnection or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateEndpointConnection + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateEndpointConnection :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -353,8 +353,8 @@ def get( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.PrivateEndpointConnection] = kwargs.pop("cls", None) @@ -416,13 +416,13 @@ def update( :type private_endpoint_connection_name: str :param parameters: The updated private endpoint connection. Required. :type parameters: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateEndpointConnection + ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateEndpointConnection :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: PrivateEndpointConnection or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateEndpointConnection + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateEndpointConnection :raises ~azure.core.exceptions.HttpResponseError: """ @@ -455,7 +455,7 @@ def update( :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: PrivateEndpointConnection or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateEndpointConnection + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateEndpointConnection :raises ~azure.core.exceptions.HttpResponseError: """ @@ -479,16 +479,16 @@ def update( :type resource_name: str :param private_endpoint_connection_name: The name of the private endpoint connection. Required. :type private_endpoint_connection_name: str - :param parameters: The updated private endpoint connection. Is either a - PrivateEndpointConnection type or a IO type. Required. + :param parameters: The updated private endpoint connection. Is either a model type or a IO + type. Required. :type parameters: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateEndpointConnection or IO + ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateEndpointConnection or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: PrivateEndpointConnection or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateEndpointConnection + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateEndpointConnection :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -502,8 +502,8 @@ def update( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.PrivateEndpointConnection] = kwargs.pop("cls", None) @@ -567,8 +567,8 @@ def _delete_initial( # pylint: disable=inconsistent-return-statements _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) @@ -632,8 +632,8 @@ def begin_delete( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) polling: Union[bool, PollingMethod] = kwargs.pop("polling", True) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_private_link_resources_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_private_link_resources_operations.py similarity index 94% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_private_link_resources_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_private_link_resources_operations.py index a0e741a711c..2b255624fe9 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_private_link_resources_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_private_link_resources_operations.py @@ -45,8 +45,8 @@ def build_list_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -87,7 +87,7 @@ class PrivateLinkResourcesOperations: **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2023_01_02_preview.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2022_11_02_preview.ContainerServiceClient`'s :attr:`private_link_resources` attribute. """ @@ -116,7 +116,7 @@ def list( :type resource_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: PrivateLinkResourcesListResult or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateLinkResourcesListResult + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateLinkResourcesListResult :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -130,8 +130,8 @@ def list( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.PrivateLinkResourcesListResult] = kwargs.pop("cls", None) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_resolve_private_link_service_id_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_resolve_private_link_service_id_operations.py similarity index 93% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_resolve_private_link_service_id_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_resolve_private_link_service_id_operations.py index 55624232257..cca5d8daa90 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_resolve_private_link_service_id_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_resolve_private_link_service_id_operations.py @@ -45,8 +45,8 @@ def build_post_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) accept = _headers.pop("Accept", "application/json") @@ -90,7 +90,7 @@ class ResolvePrivateLinkServiceIdOperations: **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2023_01_02_preview.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2022_11_02_preview.ContainerServiceClient`'s :attr:`resolve_private_link_service_id` attribute. """ @@ -123,13 +123,13 @@ def post( :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str :param parameters: Parameters required in order to resolve a private link service ID. Required. - :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateLinkResource + :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateLinkResource :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: PrivateLinkResource or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateLinkResource + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateLinkResource :raises ~azure.core.exceptions.HttpResponseError: """ @@ -159,7 +159,7 @@ def post( :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: PrivateLinkResource or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateLinkResource + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateLinkResource :raises ~azure.core.exceptions.HttpResponseError: """ @@ -181,15 +181,15 @@ def post( :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str :param parameters: Parameters required in order to resolve a private link service ID. Is either - a PrivateLinkResource type or a IO type. Required. - :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateLinkResource + a model type or a IO type. Required. + :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateLinkResource or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: PrivateLinkResource or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.PrivateLinkResource + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.PrivateLinkResource :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -203,8 +203,8 @@ def post( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.PrivateLinkResource] = kwargs.pop("cls", None) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_snapshots_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_snapshots_operations.py similarity index 93% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_snapshots_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_snapshots_operations.py index afcb482efa7..7e2653065fc 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_snapshots_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_snapshots_operations.py @@ -45,8 +45,8 @@ def build_list_request(subscription_id: str, **kwargs: Any) -> HttpRequest: _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -71,8 +71,8 @@ def build_list_by_resource_group_request(resource_group_name: str, subscription_ _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -103,8 +103,8 @@ def build_get_request(resource_group_name: str, resource_name: str, subscription _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -145,8 +145,8 @@ def build_create_or_update_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) accept = _headers.pop("Accept", "application/json") @@ -190,8 +190,8 @@ def build_update_tags_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) accept = _headers.pop("Accept", "application/json") @@ -235,8 +235,8 @@ def build_delete_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -277,7 +277,7 @@ class SnapshotsOperations: **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2023_01_02_preview.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2022_11_02_preview.ContainerServiceClient`'s :attr:`snapshots` attribute. """ @@ -299,14 +299,14 @@ def list(self, **kwargs: Any) -> Iterable["_models.Snapshot"]: :keyword callable cls: A custom type or function that will be passed the direct response :return: An iterator like instance of either Snapshot or the result of cls(response) :rtype: - ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot] + ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.SnapshotListResult] = kwargs.pop("cls", None) @@ -386,14 +386,14 @@ def list_by_resource_group(self, resource_group_name: str, **kwargs: Any) -> Ite :keyword callable cls: A custom type or function that will be passed the direct response :return: An iterator like instance of either Snapshot or the result of cls(response) :rtype: - ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot] + ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.SnapshotListResult] = kwargs.pop("cls", None) @@ -477,7 +477,7 @@ def get(self, resource_group_name: str, resource_name: str, **kwargs: Any) -> _m :type resource_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: Snapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -491,8 +491,8 @@ def get(self, resource_group_name: str, resource_name: str, **kwargs: Any) -> _m _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.Snapshot] = kwargs.pop("cls", None) @@ -549,13 +549,13 @@ def create_or_update( :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str :param parameters: The snapshot to create or update. Required. - :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot + :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: Snapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot :raises ~azure.core.exceptions.HttpResponseError: """ @@ -585,7 +585,7 @@ def create_or_update( :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: Snapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot :raises ~azure.core.exceptions.HttpResponseError: """ @@ -602,15 +602,15 @@ def create_or_update( :type resource_group_name: str :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str - :param parameters: The snapshot to create or update. Is either a Snapshot type or a IO type. + :param parameters: The snapshot to create or update. Is either a model type or a IO type. Required. - :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot or IO + :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: Snapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -624,8 +624,8 @@ def create_or_update( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.Snapshot] = kwargs.pop("cls", None) @@ -698,13 +698,13 @@ def update_tags( :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str :param parameters: Parameters supplied to the Update snapshot Tags operation. Required. - :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.TagsObject + :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.TagsObject :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: Snapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot :raises ~azure.core.exceptions.HttpResponseError: """ @@ -734,7 +734,7 @@ def update_tags( :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: Snapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot :raises ~azure.core.exceptions.HttpResponseError: """ @@ -751,15 +751,15 @@ def update_tags( :type resource_group_name: str :param resource_name: The name of the managed cluster resource. Required. :type resource_name: str - :param parameters: Parameters supplied to the Update snapshot Tags operation. Is either a - TagsObject type or a IO type. Required. - :type parameters: ~azure.mgmt.containerservice.v2023_01_02_preview.models.TagsObject or IO + :param parameters: Parameters supplied to the Update snapshot Tags operation. Is either a model + type or a IO type. Required. + :type parameters: ~azure.mgmt.containerservice.v2022_11_02_preview.models.TagsObject or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: Snapshot or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.Snapshot + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.Snapshot :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -773,8 +773,8 @@ def update_tags( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.Snapshot] = kwargs.pop("cls", None) @@ -852,8 +852,8 @@ def delete( # pylint: disable=inconsistent-return-statements _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_trusted_access_role_bindings_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_trusted_access_role_bindings_operations.py similarity index 94% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_trusted_access_role_bindings_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_trusted_access_role_bindings_operations.py index 5dd2a449d7e..fab74f366bf 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_trusted_access_role_bindings_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_trusted_access_role_bindings_operations.py @@ -47,8 +47,8 @@ def build_list_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -93,8 +93,8 @@ def build_get_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -147,8 +147,8 @@ def build_create_or_update_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) accept = _headers.pop("Accept", "application/json") @@ -204,8 +204,8 @@ def build_delete_request( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -254,7 +254,7 @@ class TrustedAccessRoleBindingsOperations: **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2023_01_02_preview.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2022_11_02_preview.ContainerServiceClient`'s :attr:`trusted_access_role_bindings` attribute. """ @@ -284,14 +284,14 @@ def list( :return: An iterator like instance of either TrustedAccessRoleBinding or the result of cls(response) :rtype: - ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRoleBinding] + ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRoleBinding] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.TrustedAccessRoleBindingListResult] = kwargs.pop("cls", None) @@ -380,7 +380,7 @@ def get( :type trusted_access_role_binding_name: str :keyword callable cls: A custom type or function that will be passed the direct response :return: TrustedAccessRoleBinding or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRoleBinding + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRoleBinding :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -394,8 +394,8 @@ def get( _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.TrustedAccessRoleBinding] = kwargs.pop("cls", None) @@ -457,13 +457,13 @@ def create_or_update( :type trusted_access_role_binding_name: str :param trusted_access_role_binding: A trusted access role binding. Required. :type trusted_access_role_binding: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRoleBinding + ~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRoleBinding :keyword content_type: Body Parameter content-type. Content type parameter for JSON body. Default value is "application/json". :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: TrustedAccessRoleBinding or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRoleBinding + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRoleBinding :raises ~azure.core.exceptions.HttpResponseError: """ @@ -496,7 +496,7 @@ def create_or_update( :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: TrustedAccessRoleBinding or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRoleBinding + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRoleBinding :raises ~azure.core.exceptions.HttpResponseError: """ @@ -520,16 +520,16 @@ def create_or_update( :type resource_name: str :param trusted_access_role_binding_name: The name of trusted access role binding. Required. :type trusted_access_role_binding_name: str - :param trusted_access_role_binding: A trusted access role binding. Is either a - TrustedAccessRoleBinding type or a IO type. Required. + :param trusted_access_role_binding: A trusted access role binding. Is either a model type or a + IO type. Required. :type trusted_access_role_binding: - ~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRoleBinding or IO + ~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRoleBinding or IO :keyword content_type: Body Parameter content-type. Known values are: 'application/json'. Default value is None. :paramtype content_type: str :keyword callable cls: A custom type or function that will be passed the direct response :return: TrustedAccessRoleBinding or the result of cls(response) - :rtype: ~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRoleBinding + :rtype: ~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRoleBinding :raises ~azure.core.exceptions.HttpResponseError: """ error_map = { @@ -543,8 +543,8 @@ def create_or_update( _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) content_type: Optional[str] = kwargs.pop("content_type", _headers.pop("Content-Type", None)) cls: ClsType[_models.TrustedAccessRoleBinding] = kwargs.pop("cls", None) @@ -625,8 +625,8 @@ def delete( # pylint: disable=inconsistent-return-statements _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[None] = kwargs.pop("cls", None) diff --git a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_trusted_access_roles_operations.py b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_trusted_access_roles_operations.py similarity index 95% rename from src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_trusted_access_roles_operations.py rename to src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_trusted_access_roles_operations.py index 13273c179ef..0662b59a476 100644 --- a/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2023_01_02_preview/operations/_trusted_access_roles_operations.py +++ b/src/aks-preview/azext_aks_preview/vendored_sdks/azure_mgmt_preview_aks/v2022_11_02_preview/operations/_trusted_access_roles_operations.py @@ -45,8 +45,8 @@ def build_list_request(location: str, subscription_id: str, **kwargs: Any) -> Ht _headers = case_insensitive_dict(kwargs.pop("headers", {}) or {}) _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) accept = _headers.pop("Accept", "application/json") @@ -77,7 +77,7 @@ class TrustedAccessRolesOperations: **DO NOT** instantiate this class directly. Instead, you should access the following operations through - :class:`~azure.mgmt.containerservice.v2023_01_02_preview.ContainerServiceClient`'s + :class:`~azure.mgmt.containerservice.v2022_11_02_preview.ContainerServiceClient`'s :attr:`trusted_access_roles` attribute. """ @@ -101,14 +101,14 @@ def list(self, location: str, **kwargs: Any) -> Iterable["_models.TrustedAccessR :keyword callable cls: A custom type or function that will be passed the direct response :return: An iterator like instance of either TrustedAccessRole or the result of cls(response) :rtype: - ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2023_01_02_preview.models.TrustedAccessRole] + ~azure.core.paging.ItemPaged[~azure.mgmt.containerservice.v2022_11_02_preview.models.TrustedAccessRole] :raises ~azure.core.exceptions.HttpResponseError: """ _headers = kwargs.pop("headers", {}) or {} _params = case_insensitive_dict(kwargs.pop("params", {}) or {}) - api_version: Literal["2023-01-02-preview"] = kwargs.pop( - "api_version", _params.pop("api-version", "2023-01-02-preview") + api_version: Literal["2022-11-02-preview"] = kwargs.pop( + "api_version", _params.pop("api-version", "2022-11-02-preview") ) cls: ClsType[_models.TrustedAccessRoleListResult] = kwargs.pop("cls", None) diff --git a/src/aks-preview/setup.py b/src/aks-preview/setup.py index 2b2349e86b6..1acbb04ffc9 100644 --- a/src/aks-preview/setup.py +++ b/src/aks-preview/setup.py @@ -9,7 +9,7 @@ from setuptools import setup, find_packages -VERSION = "0.5.129" +VERSION = "0.5.128" CLASSIFIERS = [ "Development Status :: 4 - Beta", diff --git a/src/amg/HISTORY.rst b/src/amg/HISTORY.rst index e19fe1b4b67..4c179629036 100644 --- a/src/amg/HISTORY.rst +++ b/src/amg/HISTORY.rst @@ -23,11 +23,3 @@ Release History ++++++ * `az grafana service-account`: support service accounts -1.0 -++++++ -* Command module GA - -1.1 -++++++ -* `az grafana update`: support email through new SMTP configuration arguments - diff --git a/src/amg/setup.py b/src/amg/setup.py index 4a6e9f39a44..95ea2ea696e 100644 --- a/src/amg/setup.py +++ b/src/amg/setup.py @@ -16,7 +16,7 @@ # TODO: Confirm this is the right version number you want and it matches your # HISTORY.rst entry. -VERSION = '1.1.0' +VERSION = '1.0.0' # The full list of classifiers is available at # https://pypi.python.org/pypi?%3Aaction=list_classifiers diff --git a/src/authV2/HISTORY.rst b/src/authV2/HISTORY.rst index 1f6515da6b8..8c34bccfff8 100644 --- a/src/authV2/HISTORY.rst +++ b/src/authV2/HISTORY.rst @@ -3,10 +3,6 @@ Release History =============== -0.1.2 -++++++ -* Bug fix for '--unauthenticated-client-action' option in webapp auth, updated allowed values. - 0.1.0 ++++++ * Initial release. \ No newline at end of file diff --git a/src/authV2/azext_authV2/_params.py b/src/authV2/azext_authV2/_params.py index 6b4bf95f500..39b7ca030f6 100644 --- a/src/authV2/azext_authV2/_params.py +++ b/src/authV2/azext_authV2/_params.py @@ -12,7 +12,7 @@ from azure.cli.core.local_context import LocalContextAttribute, LocalContextAction from azure.cli.core.cloud import AZURE_PUBLIC_CLOUD, AZURE_CHINA_CLOUD, AZURE_US_GOV_CLOUD, AZURE_GERMAN_CLOUD -UNAUTHENTICATED_CLIENT_ACTION = ['RedirectToLoginPage', 'AllowAnonymous', 'Return401', 'Return404', 'Return403'] +UNAUTHENTICATED_CLIENT_ACTION = ['RedirectToLoginPage', 'AllowAnonymous', 'RejectWith401', 'RejectWith404'] FORWARD_PROXY_CONVENTION = ['NoProxy', 'Standard', 'Custom'] CLOUD_NAMES = [AZURE_PUBLIC_CLOUD.name, AZURE_CHINA_CLOUD.name, AZURE_US_GOV_CLOUD.name, AZURE_GERMAN_CLOUD.name] diff --git a/src/authV2/azext_authV2/tests/latest/recordings/test_authV2_auth.yaml b/src/authV2/azext_authV2/tests/latest/recordings/test_authV2_auth.yaml index bf03676877b..4613db3465f 100644 --- a/src/authV2/azext_authV2/tests/latest/recordings/test_authV2_auth.yaml +++ b/src/authV2/azext_authV2/tests/latest/recordings/test_authV2_auth.yaml @@ -13,12 +13,13 @@ interactions: ParameterSetName: - -g -n --sku User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.8 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.31) + VSTS_7b238909-6802-4b65-b90d-184bca47f458_build_261_0 method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_authV2000001?api-version=2021-04-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_authV2000001","name":"cli_test_authV2000001","type":"Microsoft.Resources/resourceGroups","location":"westus","tags":{"product":"azurecli","cause":"automation","date":"2023-01-12T00:06:21Z"},"properties":{"provisioningState":"Succeeded"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_authV2000001","name":"cli_test_authV2000001","type":"Microsoft.Resources/resourceGroups","location":"westus","tags":{"product":"azurecli","cause":"automation","date":"2023-01-03T03:31:52Z"},"properties":{"provisioningState":"Succeeded"}}' headers: cache-control: - no-cache @@ -27,13 +28,15 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Thu, 12 Jan 2023 00:06:55 GMT + - Tue, 03 Jan 2023 03:31:52 GMT expires: - '-1' pragma: - no-cache strict-transport-security: - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding x-content-type-options: - nosniff status: @@ -59,13 +62,14 @@ interactions: ParameterSetName: - -g -n --sku User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-web/7.0.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-web/7.0.0 Python/3.10.8 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.31) + VSTS_7b238909-6802-4b65-b90d-184bca47f458_build_261_0 method: PUT uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_authV2000001/providers/Microsoft.Web/serverfarms/webapp-authentication-plan000003?api-version=2022-03-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_authV2000001/providers/Microsoft.Web/serverfarms/webapp-authentication-plan000003","name":"webapp-authentication-plan000003","type":"Microsoft.Web/serverfarms","kind":"app","location":"westus","properties":{"serverFarmId":13355,"name":"webapp-authentication-plan000003","sku":{"name":"S1","tier":"Standard","size":"S1","family":"S","capacity":1},"workerSize":"Default","workerSizeId":0,"workerTierName":null,"numberOfWorkers":1,"currentWorkerSize":"Default","currentWorkerSizeId":0,"currentNumberOfWorkers":1,"status":"Ready","webSpace":"cli_test_authV2000001-WestUSwebspace","subscription":"0043ac27-403a-4a41-85b6-c4751acd3610","adminSiteName":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"maximumNumberOfWorkers":0,"planName":"VirtualDedicatedPlan","adminRuntimeSiteName":null,"computeMode":"Dedicated","siteMode":null,"geoRegion":"West - US","perSiteScaling":false,"elasticScaleEnabled":false,"maximumElasticWorkerCount":1,"numberOfSites":0,"hostingEnvironmentId":null,"isSpot":false,"spotExpirationTime":null,"freeOfferExpirationTime":null,"tags":null,"kind":"app","resourceGroup":"cli_test_authV2000001","reserved":false,"isXenon":false,"hyperV":false,"mdmId":"waws-prod-bay-231_13355","targetWorkerCount":0,"targetWorkerSizeId":0,"provisioningState":"Succeeded","webSiteId":null,"existingServerFarmIds":null,"kubeEnvironmentProfile":null,"zoneRedundant":false},"sku":{"name":"S1","tier":"Standard","size":"S1","family":"S","capacity":1}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_authV2000001/providers/Microsoft.Web/serverfarms/webapp-authentication-plan000003","name":"webapp-authentication-plan000003","type":"Microsoft.Web/serverfarms","kind":"app","location":"westus","properties":{"serverFarmId":36707,"name":"webapp-authentication-plan000003","sku":{"name":"S1","tier":"Standard","size":"S1","family":"S","capacity":1},"workerSize":"Default","workerSizeId":0,"workerTierName":null,"numberOfWorkers":1,"currentWorkerSize":"Default","currentWorkerSizeId":0,"currentNumberOfWorkers":1,"status":"Ready","webSpace":"cli_test_authV2000001-WestUSwebspace","subscription":"0b1f6471-1bf0-4dda-aec3-cb9272f09590","adminSiteName":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"maximumNumberOfWorkers":0,"planName":"VirtualDedicatedPlan","adminRuntimeSiteName":null,"computeMode":"Dedicated","siteMode":null,"geoRegion":"West + US","perSiteScaling":false,"elasticScaleEnabled":false,"maximumElasticWorkerCount":1,"numberOfSites":0,"hostingEnvironmentId":null,"isSpot":false,"spotExpirationTime":null,"freeOfferExpirationTime":null,"tags":null,"kind":"app","resourceGroup":"cli_test_authV2000001","reserved":false,"isXenon":false,"hyperV":false,"mdmId":"waws-prod-bay-173_36707","targetWorkerCount":0,"targetWorkerSizeId":0,"provisioningState":"Succeeded","webSiteId":null,"existingServerFarmIds":null,"kubeEnvironmentProfile":null,"zoneRedundant":false},"sku":{"name":"S1","tier":"Standard","size":"S1","family":"S","capacity":1}}' headers: cache-control: - no-cache @@ -74,9 +78,9 @@ interactions: content-type: - application/json date: - - Thu, 12 Jan 2023 00:07:01 GMT + - Tue, 03 Jan 2023 03:31:59 GMT etag: - - '"1D92619CB4BFE55"' + - '"1D91F23EFB463B5"' expires: - '-1' pragma: @@ -94,7 +98,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-writes: - - '1198' + - '1199' x-powered-by: - ASP.NET status: @@ -114,14 +118,15 @@ interactions: ParameterSetName: - -g -n --plan User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-web/7.0.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-web/7.0.0 Python/3.10.8 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.31) + VSTS_7b238909-6802-4b65-b90d-184bca47f458_build_261_0 method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_authV2000001/providers/Microsoft.Web/serverfarms/webapp-authentication-plan000003?api-version=2022-03-01 response: body: string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_authV2000001/providers/Microsoft.Web/serverfarms/webapp-authentication-plan000003","name":"webapp-authentication-plan000003","type":"Microsoft.Web/serverfarms","kind":"app","location":"West - US","properties":{"serverFarmId":13355,"name":"webapp-authentication-plan000003","workerSize":"Default","workerSizeId":0,"workerTierName":null,"numberOfWorkers":1,"currentWorkerSize":"Default","currentWorkerSizeId":0,"currentNumberOfWorkers":1,"status":"Ready","webSpace":"cli_test_authV2000001-WestUSwebspace","subscription":"0043ac27-403a-4a41-85b6-c4751acd3610","adminSiteName":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"maximumNumberOfWorkers":10,"planName":"VirtualDedicatedPlan","adminRuntimeSiteName":null,"computeMode":"Dedicated","siteMode":null,"geoRegion":"West - US","perSiteScaling":false,"elasticScaleEnabled":false,"maximumElasticWorkerCount":1,"numberOfSites":0,"hostingEnvironmentId":null,"isSpot":false,"spotExpirationTime":null,"freeOfferExpirationTime":null,"tags":null,"kind":"app","resourceGroup":"cli_test_authV2000001","reserved":false,"isXenon":false,"hyperV":false,"mdmId":"waws-prod-bay-231_13355","targetWorkerCount":0,"targetWorkerSizeId":0,"provisioningState":"Succeeded","webSiteId":null,"existingServerFarmIds":null,"kubeEnvironmentProfile":null,"zoneRedundant":false},"sku":{"name":"S1","tier":"Standard","size":"S1","family":"S","capacity":1}}' + US","properties":{"serverFarmId":36707,"name":"webapp-authentication-plan000003","workerSize":"Default","workerSizeId":0,"workerTierName":null,"numberOfWorkers":1,"currentWorkerSize":"Default","currentWorkerSizeId":0,"currentNumberOfWorkers":1,"status":"Ready","webSpace":"cli_test_authV2000001-WestUSwebspace","subscription":"0b1f6471-1bf0-4dda-aec3-cb9272f09590","adminSiteName":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"maximumNumberOfWorkers":10,"planName":"VirtualDedicatedPlan","adminRuntimeSiteName":null,"computeMode":"Dedicated","siteMode":null,"geoRegion":"West + US","perSiteScaling":false,"elasticScaleEnabled":false,"maximumElasticWorkerCount":1,"numberOfSites":0,"hostingEnvironmentId":null,"isSpot":false,"spotExpirationTime":null,"freeOfferExpirationTime":null,"tags":null,"kind":"app","resourceGroup":"cli_test_authV2000001","reserved":false,"isXenon":false,"hyperV":false,"mdmId":"waws-prod-bay-173_36707","targetWorkerCount":0,"targetWorkerSizeId":0,"provisioningState":"Succeeded","webSiteId":null,"existingServerFarmIds":null,"kubeEnvironmentProfile":null,"zoneRedundant":false},"sku":{"name":"S1","tier":"Standard","size":"S1","family":"S","capacity":1}}' headers: cache-control: - no-cache @@ -130,7 +135,7 @@ interactions: content-type: - application/json date: - - Thu, 12 Jan 2023 00:07:03 GMT + - Tue, 03 Jan 2023 03:32:00 GMT expires: - '-1' pragma: @@ -170,7 +175,8 @@ interactions: ParameterSetName: - -g -n --plan User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-web/7.0.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-web/7.0.0 Python/3.10.8 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.31) + VSTS_7b238909-6802-4b65-b90d-184bca47f458_build_261_0 method: POST uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Web/checknameavailability?api-version=2022-03-01 response: @@ -184,7 +190,7 @@ interactions: content-type: - application/json date: - - Thu, 12 Jan 2023 00:07:04 GMT + - Tue, 03 Jan 2023 03:32:01 GMT expires: - '-1' pragma: @@ -220,7 +226,8 @@ interactions: ParameterSetName: - -g -n --plan User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-web/7.0.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-web/7.0.0 Python/3.10.8 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.31) + VSTS_7b238909-6802-4b65-b90d-184bca47f458_build_261_0 method: GET uri: https://management.azure.com/providers/Microsoft.Web/webAppStacks?api-version=2022-03-01 response: @@ -457,7 +464,7 @@ interactions: content-type: - application/json date: - - Thu, 12 Jan 2023 00:07:05 GMT + - Tue, 03 Jan 2023 03:32:01 GMT expires: - '-1' pragma: @@ -466,6 +473,10 @@ interactions: - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding x-aspnet-version: - 4.0.30319 x-content-type-options: @@ -497,26 +508,27 @@ interactions: ParameterSetName: - -g -n --plan User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-web/7.0.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-web/7.0.0 Python/3.10.8 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.31) + VSTS_7b238909-6802-4b65-b90d-184bca47f458_build_261_0 method: PUT uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_authV2000001/providers/Microsoft.Web/sites/webapp-authentication-test000002?api-version=2022-03-01 response: body: string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_authV2000001/providers/Microsoft.Web/sites/webapp-authentication-test000002","name":"webapp-authentication-test000002","type":"Microsoft.Web/sites","kind":"app","location":"West - US","properties":{"name":"webapp-authentication-test000002","state":"Running","hostNames":["webapp-authentication-test000002.azurewebsites.net"],"webSpace":"cli_test_authV2000001-WestUSwebspace","selfLink":"https://waws-prod-bay-231.api.azurewebsites.windows.net:454/subscriptions/00000000-0000-0000-0000-000000000000/webspaces/cli_test_authV2000001-WestUSwebspace/sites/webapp-authentication-test000002","repositorySiteName":"webapp-authentication-test000002","owner":null,"usageState":"Normal","enabled":true,"adminEnabled":true,"enabledHostNames":["webapp-authentication-test000002.azurewebsites.net","webapp-authentication-test000002.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":"webapp-authentication-test000002.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"thumbprint":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Standard"},{"name":"webapp-authentication-test000002.scm.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"thumbprint":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Repository"}],"computeMode":null,"serverFarm":null,"serverFarmId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_authV2000001/providers/Microsoft.Web/serverfarms/webapp-authentication-plan000003","reserved":false,"isXenon":false,"hyperV":false,"lastModifiedTimeUtc":"2023-01-12T00:07:10.23","storageRecoveryDefaultState":"Running","contentAvailabilityState":"Normal","runtimeAvailabilityState":"Normal","dnsConfiguration":{},"vnetRouteAllEnabled":false,"containerAllocationSubnet":null,"useContainerLocalhostBindings":null,"vnetImagePullEnabled":false,"vnetContentShareEnabled":false,"siteConfig":{"numberOfWorkers":1,"defaultDocuments":null,"netFrameworkVersion":null,"phpVersion":null,"pythonVersion":null,"nodeVersion":null,"powerShellVersion":null,"linuxFxVersion":"","windowsFxVersion":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 + US","properties":{"name":"webapp-authentication-test000002","state":"Running","hostNames":["webapp-authentication-test000002.azurewebsites.net"],"webSpace":"cli_test_authV2000001-WestUSwebspace","selfLink":"https://waws-prod-bay-173.api.azurewebsites.windows.net:454/subscriptions/00000000-0000-0000-0000-000000000000/webspaces/cli_test_authV2000001-WestUSwebspace/sites/webapp-authentication-test000002","repositorySiteName":"webapp-authentication-test000002","owner":null,"usageState":"Normal","enabled":true,"adminEnabled":true,"enabledHostNames":["webapp-authentication-test000002.azurewebsites.net","webapp-authentication-test000002.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":"webapp-authentication-test000002.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"thumbprint":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Standard"},{"name":"webapp-authentication-test000002.scm.azurewebsites.net","sslState":"Disabled","ipBasedSslResult":null,"virtualIP":null,"thumbprint":null,"toUpdate":null,"toUpdateIpBasedSsl":null,"ipBasedSslState":"NotConfigured","hostType":"Repository"}],"computeMode":null,"serverFarm":null,"serverFarmId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_authV2000001/providers/Microsoft.Web/serverfarms/webapp-authentication-plan000003","reserved":false,"isXenon":false,"hyperV":false,"lastModifiedTimeUtc":"2023-01-03T03:32:05.8166667","storageRecoveryDefaultState":"Running","contentAvailabilityState":"Normal","runtimeAvailabilityState":"Normal","dnsConfiguration":{},"vnetRouteAllEnabled":false,"containerAllocationSubnet":null,"useContainerLocalhostBindings":null,"vnetImagePullEnabled":false,"vnetContentShareEnabled":false,"siteConfig":{"numberOfWorkers":1,"defaultDocuments":null,"netFrameworkVersion":null,"phpVersion":null,"pythonVersion":null,"nodeVersion":null,"powerShellVersion":null,"linuxFxVersion":"","windowsFxVersion":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,"supportedTlsCipherSuites":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},"deploymentId":"webapp-authentication-test000002","slotName":null,"trafficManagerHostNames":null,"sku":"Standard","scmSiteAlsoStopped":false,"targetSwapSlot":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"clientAffinityEnabled":true,"clientCertEnabled":false,"clientCertMode":"Required","clientCertExclusionPaths":null,"hostNamesDisabled":false,"domainVerificationIdentifiers":null,"customDomainVerificationId":"4258A33882AF3095031C5D864E4B0C79A6F92AB06F52E299B7E0AFE399706945","kind":"app","inboundIpAddress":"40.112.243.108","possibleInboundIpAddresses":"40.112.243.108","ftpUsername":"webapp-authentication-test000002\\$webapp-authentication-test000002","ftpsHostName":"ftps://waws-prod-bay-231.ftp.azurewebsites.windows.net/site/wwwroot","outboundIpAddresses":"20.245.176.70,20.228.95.95,20.228.95.96,20.228.95.227,20.237.175.247,20.66.45.207,40.112.243.108","possibleOutboundIpAddresses":"20.245.176.70,20.228.95.95,20.228.95.96,20.228.95.227,20.237.175.247,20.66.45.207,20.66.42.149,20.66.44.155,20.66.56.187,20.237.171.11,20.66.58.18,20.66.58.57,20.66.58.64,20.245.177.80,20.66.58.66,20.66.45.209,20.66.58.181,20.66.59.64,20.66.59.71,20.66.46.96,20.66.59.224,20.66.60.135,20.66.60.232,20.66.61.53,20.237.242.142,20.245.177.92,20.66.61.170,20.66.61.223,20.66.62.19,20.237.171.198,40.112.243.108","containerSize":0,"dailyMemoryTimeQuota":0,"suspendedTill":null,"siteDisabledReason":0,"functionExecutionUnitsCache":null,"maxNumberOfWorkers":null,"homeStamp":"waws-prod-bay-231","cloningInfo":null,"hostingEnvironmentId":null,"tags":null,"resourceGroup":"cli_test_authV2000001","defaultHostName":"webapp-authentication-test000002.azurewebsites.net","slotSwapStatus":null,"httpsOnly":false,"redundancyMode":"None","inProgressOperationId":null,"geoDistributions":null,"privateEndpointConnections":null,"publicNetworkAccess":null,"buildVersion":null,"targetBuildVersion":null,"migrationState":null,"eligibleLogCategories":"AppServiceAppLogs,AppServiceAuditLogs,AppServiceConsoleLogs,AppServiceHTTPLogs,AppServiceIPSecAuditLogs,AppServicePlatformLogs,ScanLogs","storageAccountRequired":false,"virtualNetworkSubnetId":null,"keyVaultReferenceIdentity":"SystemAssigned","defaultHostNameScope":"Global","privateLinkIdentifiers":null}}' + all","description":"Allow all access"}],"scmIpSecurityRestrictionsDefaultAction":null,"scmIpSecurityRestrictionsUseMain":null,"http20Enabled":false,"minTlsVersion":null,"minTlsCipherSuite":null,"supportedTlsCipherSuites":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},"deploymentId":"webapp-authentication-test000002","slotName":null,"trafficManagerHostNames":null,"sku":"Standard","scmSiteAlsoStopped":false,"targetSwapSlot":null,"hostingEnvironment":null,"hostingEnvironmentProfile":null,"clientAffinityEnabled":true,"clientCertEnabled":false,"clientCertMode":"Required","clientCertExclusionPaths":null,"hostNamesDisabled":false,"domainVerificationIdentifiers":null,"customDomainVerificationId":"253001F2FCF5A7B1CD759EB861E9BB1596370BE27E47A991F72184277B3D12F2","kind":"app","inboundIpAddress":"40.112.243.54","possibleInboundIpAddresses":"40.112.243.54","ftpUsername":"webapp-authentication-test000002\\$webapp-authentication-test000002","ftpsHostName":"ftps://waws-prod-bay-173.ftp.azurewebsites.windows.net/site/wwwroot","outboundIpAddresses":"104.45.231.244,23.99.66.110,137.117.16.198,104.40.59.38,23.100.34.88,104.40.81.14,40.112.243.54","possibleOutboundIpAddresses":"104.45.231.244,23.99.66.110,137.117.16.198,104.40.59.38,23.100.34.88,104.40.81.14,104.40.48.42,104.40.63.71,104.40.92.138,104.40.53.9,23.101.205.4,104.40.89.194,23.100.44.42,104.40.77.1,23.101.202.141,23.99.69.83,104.40.84.253,104.40.82.141,23.100.36.113,23.101.203.68,137.117.13.177,104.40.57.193,104.40.49.42,23.100.42.180,104.40.49.141,104.40.49.176,104.45.232.236,137.117.21.10,104.40.48.210,104.40.48.219,40.112.243.54","containerSize":0,"dailyMemoryTimeQuota":0,"suspendedTill":null,"siteDisabledReason":0,"functionExecutionUnitsCache":null,"maxNumberOfWorkers":null,"homeStamp":"waws-prod-bay-173","cloningInfo":null,"hostingEnvironmentId":null,"tags":null,"resourceGroup":"cli_test_authV2000001","defaultHostName":"webapp-authentication-test000002.azurewebsites.net","slotSwapStatus":null,"httpsOnly":false,"redundancyMode":"None","inProgressOperationId":null,"geoDistributions":null,"privateEndpointConnections":null,"publicNetworkAccess":null,"buildVersion":null,"targetBuildVersion":null,"migrationState":null,"eligibleLogCategories":"AppServiceAppLogs,AppServiceAuditLogs,AppServiceConsoleLogs,AppServiceHTTPLogs,AppServiceIPSecAuditLogs,AppServicePlatformLogs,ScanLogs","storageAccountRequired":false,"virtualNetworkSubnetId":null,"keyVaultReferenceIdentity":"SystemAssigned","defaultHostNameScope":"Global","privateLinkIdentifiers":null}}' headers: cache-control: - no-cache content-length: - - '6986' + - '7005' content-type: - application/json date: - - Thu, 12 Jan 2023 00:07:27 GMT + - Tue, 03 Jan 2023 03:32:22 GMT etag: - - '"1D92619D11006EB"' + - '"1D91F23F419788B"' expires: - '-1' pragma: @@ -558,7 +570,8 @@ interactions: ParameterSetName: - -g -n --plan User-Agent: - - AZURECLI/2.43.0 azsdk-python-azure-mgmt-web/7.0.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.43.0 azsdk-python-azure-mgmt-web/7.0.0 Python/3.10.8 (Linux-5.15.0-1023-azure-x86_64-with-glibc2.31) + VSTS_7b238909-6802-4b65-b90d-184bca47f458_build_261_0 method: POST uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_authV2000001/providers/Microsoft.Web/sites/webapp-authentication-test000002/publishxml?api-version=2022-03-01 response: @@ -566,18 +579,18 @@ interactions: string: = 1.0.0b1', ] try: diff --git a/src/confcom/.gitignore b/src/confcom/.gitignore deleted file mode 100644 index d60f4d0f18a..00000000000 --- a/src/confcom/.gitignore +++ /dev/null @@ -1,32 +0,0 @@ -.vscode/settings.json -.vscode/*.log - -# python cache files and directories -**/*.egg-info/ -**/*.egg-info/* -**/dist/ -**/dist/* -**/build/ -**/build/* -**/__pycache__/ -**/__pycache__/* -**/*.pyc - -# virtual environments -env/* -accdevops_env/* -acclibpy_env/* -ext_env/* - -# memeory leak check footage -**/memleak-check.log - -# temporary shared libraries -tests/outputs/** -azext_confcom/bin/ -azext_confcom/bin/* -**/dmverity-vhd.exe -**/dmverity-vhd -# metadata file for coverage reports -**/.coverage -**/htmlcov \ No newline at end of file diff --git a/src/confcom/HISTORY.rst b/src/confcom/HISTORY.rst deleted file mode 100644 index 3146344bbd7..00000000000 --- a/src/confcom/HISTORY.rst +++ /dev/null @@ -1,67 +0,0 @@ -.. :changelog: - -Release History -=============== -0.2.10 -* dmverity-vhd tool fixes -* changing startup checks to errors rather than warnings -* can specify image name in arm template by its SHA256 hash -* disabling stdio in pause container -* adding another README.md with omre descriptive information - -0.2.9 -* adding support for exec_processes for non-arm template input -* adding --disable-stdio flag to disable stdio for containers -* changing print behavior by not needing both --print-policy in conjunction with --outraw or --outraw-pretty-print -* adding flag for --print-existing-policy that decodes and pretty prints the base64 encoded policy in the ARM template - -0.2.8 -* adding secureValue as a valid input for environment variables - -0.2.7 -* adding default mounts field for sidecars - -0.2.6 -* updating secretSource mount source to "plan9://" and adding vkMetrics and scKubeProxy to sidecar list - -0.2.5 -* removing default mounts and updating mount type to "bind" - -0.2.4 -* updating sidecar package name and svn - -0.2.3 -* added ability to use tarball as input for layer hashes and container manifests -* added initContainers as container source in ARM Template -* update dealing with liveness and readiness probes -* update - -0.2.2 -* added pause container to customer container groups -* added caching for dm-verity calculation when using the same image multiple times in a container group -* added new rego variables -* made injecting security policies into ARM template the default behavior - -0.2.1 -* update rego format -* allow users to update the infrastructure fragment minimum svn value from command line arguments -* add check for arm64 architecture -* add policy diff feature -* add ability to generate policy based on image name -* add debug mode for rego policy -* add ability to inject policy into ARM template - -0.2.0 -* update to remove hardcoded side-cars -* update to create CCE Policy with ARM Template -* update to make rego the default output format - -0.1.2 -* update for enable restart field - -0.1.1 -* update for private preview - -0.1.0 -++++++ -* Initial release. \ No newline at end of file diff --git a/src/confcom/README.md b/src/confcom/README.md deleted file mode 100644 index f1eda302014..00000000000 --- a/src/confcom/README.md +++ /dev/null @@ -1,80 +0,0 @@ -# Microsoft Azure CLI 'confcom' Extension - -- [Microsoft Azure CLI 'confcom' Extension](#microsoft-azure-cli-confcom-extension) - - [Repository](#repository) - - [Prerequisites](#prerequisites) - - [Installation Instructions (End User)](#installation-instructions-end-user) - - [Generating a confidential execution enforcement (cce) policy](#generating-a-confidential-execution-enforcement-cce-policy) - - [Setup and Instructions for Developers](#setup-and-instructions-for-developers) - - [Setup Development Environment](#setup-development-environment) - - [Build Extension Binary(Wheel) and Run Extension Tests](#build-extension-binarywheel-and-run-extension-tests) - - [Miscellaneous](#miscellaneous) - - [Azure Container Registration authentication](#azure-container-registration-authentication) - - [Authentication with service principals](#authentication-with-service-principals) - - [Authenticate with Azure managed identity](#authenticate-with-azure-managed-identity) - - [Trademarks](#trademarks) - -## Repository - -- - -## Prerequisites - -**MacOS** is **NOT** supported yet - -- **64-bit** `Python 3.6+` and `pip` - - **64-bit** **Windows 10** or later - - Install python3 version 3.6+ through [official download](https://www.python.org/downloads/) - - or chocolatey: `choco install python` - - Or **64-bit** Linux Distribution System, **Ubuntu 18.04** or later is recommended - - Ubuntu 18.04 or later comes with python 3.6+ by default -- Docker Daemon - - Linux(Ubuntu): - - ```bash - sudo apt install docker.io - ``` - - - Windows: [Docker Desktop](https://www.docker.com/products/docker-desktop) and [WSL2](https://docs.microsoft.com/en-us/windows/wsl/install) - -## Docker Standalone Instructions (End User) - -### TODO: change this image when it goes to a public registry - -1. Download the docker container: `fishersnpregistry.azurecr.io/confcom-cli:clean-room` -2. Run: - - ```bash - docker run -v "$(pwd):/temp" -v /var/run/docker.sock:/var/run/docker.sock fishersnpregistry.azurecr.io/confcom-cli:clean-room az confcom acipolicygen -a temp/template.json - ``` - -Notes: - -- The first `-v` flag can be changed to go wherever in the local machine that has the input files for generating policies. For example, the ARM Template that is going to be used. -- The second `-v` is for mounting the Docker socket into the container, so Docker must be running on the host machine in order to generate policies from images that are contained within the Docker daemon. This includes images that need to be pulled from a remote registry. -- The path to the input file in the `az confcom acipolicygen` snippet must line up with where the local folder is getting mounted in the first `-v` flag. For example, above we are mounting to `/temp` in the container so the CLI command will be `az confcom acipolicygen -a /temp/template.json` because `template.json` is in the current local directory. - -## Installation Instructions (End User) - -1. Install Azure CLI through following ways: - 1. Option 1: (Windows and Linux) use `PyPI/pip(comes with 64-bit python)` to install `azure-cli` - - ```bash - python3 -m pip install azure-cli - ``` - - - **Notes for Windows user ONLY**: even you have 64-bit python3 installed already, windows version **Azure CLI** installation package comes with a 32-bit python, which is not supported for now. So please use the `PyPI/pip` solution to install `azure-cli`. - - 2. Option 2:(Linux Only) [Install through Linux Package Tools](https://docs.microsoft.com/en-us/cli/azure/install-azure-cli-linux?pivots=apt). - -## Generating a confidential execution enforcement (cce) policy - -Please see [ACIConfidentialSecurityPolicySpec](https://microsoft-my.sharepoint.com/:w:/p/sewong/EV7PkPR5kWJMnmqm9TtWt0QBhmpYg1HqKwknw07DleugKQ?e=zLQZOl) - -## Trademarks - -This project may contain trademarks or logos for projects, products, or services. Authorized use of Microsoft -trademarks or logos is subject to and must follow -[Microsoft's Trademark & Brand Guidelines](https://www.microsoft.com/en-us/legal/intellectualproperty/trademarks/usage/general). -Use of Microsoft trademarks or logos in modified versions of this project must not cause confusion or imply Microsoft sponsorship. -Any use of third-party trademarks or logos are subject to those third-party's policies. diff --git a/src/confcom/azext_confcom/README.md b/src/confcom/azext_confcom/README.md deleted file mode 100644 index 2b201bc9264..00000000000 --- a/src/confcom/azext_confcom/README.md +++ /dev/null @@ -1,480 +0,0 @@ -# Microsoft Azure CLI 'confcom' Extension Examples and Security Policy Rules Documentation - -- [Microsoft Azure CLI 'confcom' Extension Examples and Security Policy Rules Documentation](#microsoft-azure-cli-confcom-Extension-examples-and-security-policy-rules-documentation) - - [Microsoft Azure CLI 'confcom' Extension Examples](#microsoft-azure-cli-confcom-extension-examples) - - [Security Policy Rules Documentation](#security-policy-rules-documentation) - - [mount_device](#mount_device) - - [unmount_device](#unmount_device) - - [mount_overlay](#mount_overlay) - - [unmount_overlay](#unmount_overlay) - - [create_container](#create_container) - - [exec_in_container](#exec_in_container) - - [exec_external](#exec_external) - - [shutdown_container](#shutdown_container) - - [signal_container_process](#signal_container_process) - - [plan9_mount](#plan9_mount) - - [plan9_unmount](#plan9_unmount) - - [scratch_mount](#scratch_mount) - - [scratch_unmount](#scratch_unmount) - - [load_fragment](#load_fragment) - - [fragments](#fragments) - - [reason](#reason) - - [A Sample Policy that Uses Framework](#a-sample-policy-that-uses-framework) - - [allow_properties_access](#a-sample-policy-that-uses-framework) - - [allow_dump_stack](#a-sample-policy-that-uses-framework) - - [allow_runtime_logging](#a-sample-policy-that-uses-framework) - - [allow_environment_variable_dropping](#allow_environment_variable_dropping) - - [allow_unencrypted_scratch](#allow_unencrypted_scratch) - - - - -## Microsoft Azure CLI 'confcom' Extension Examples - -Run `az confcom acipolicygen --help` to see a list of supported arguments along with explanations. The following commands demonstrate the usage of different arguments to generate confidential computing security policies. - -**Note:** The Azure Confidential Computing CLI extension is in public preview and is subject to change. Some arguments may be added or removed and the way `confcom acipolicygen` command is called to achieve specific functionality may change as well. This documentation will be updated as changes to the tooling are published. - -**Prerequisites:** -Install the Azure CLI and Confidential Computing extension. - -See the most recently released version of `confcom` extension. - - az extension list-available -o table | grep confcom - -To add the most recent confcom extension, run: - - az extension add --name confcom - -Use the `--version` argument to specify a version to add. - - -The `acipolicygen` command generates confidential computing security policies using an image, an input JSON file, or an ARM template. You can control the format of the generated policies using arguments. Note: It is recommended to use images with specific tags instead of the `latest` tag, as the `latest` tag can change at any time and images with different configurations may also have the latest tag. - -**Examples:** - -Example 1: The following command creates a CCE policy and outputs it to the command line:
- - az confcom acipolicygen -a .\template.json --print-policy - -This command combines the information of images from the ARM template with other information such as mount, environment variables and commands from the ARM template to create a CCE policy. -The `--print-policy` argument is included to display the policy on the command line rather than injecting it into the input ARM template. - -Example 2: This command injects a CCE policy into [ARM-template](arm.template.md) based on input from [parameters-file](template.parameters.md) so that there is no need to change the ARM template to pass variables into the CCE policy:
- - az confcom acipolicygen -a .\arm-template.json -p .\template.parameters.json - -This is mainly for decoupling purposes so that an ARM template can remain the same and evolving variables can go into a different file. - -Example 3: This command takes the input of an ARM template to create a human-readable CCE policy in pretty print JSON format and output the result to the console. -NOTE: Generating JSON policy is for use by the customer only, and is not used by ACI In most cases. The default REGO format security policy is required.
- - az confcom acipolicygen -a ".\arm_template" --outraw-pretty-print --json - -The default output of `acipolicygen` command is base64 encoded REGO format. -This example uses the `--json` argument to generate output in JSON format, use `--outraw-pretty-print` to indicate decoding policy in clear text and in pretty print format and print result to console. - -Example 4: The following command takes the input of an ARM template to create a human-readable CCE policy in clear text and print to console:
- - az confcom acipolicygen -a ".\arm-template.json" --outraw - -Use `--outraw` argument to output policy in clear text compact REGO format. - -Example 5: Input an ARM template to create a human-readable CCE policy in pretty print REGO format and save the result to a file named ".\output-file.rego":
- - az confcom acipolicygen -a ".\arm-template" --outraw-pretty-print --save-to-file ".\output-file.rego" - -Example 6: Validate the policy present in the ARM template under "ccepolicy" and the containers within the ARM template are compatible. If they are incompatible, a list of reasons is given and the exit status code will be 2:
- - az confcom acipolicygen -a ".\arm-template.json" --diff - -Example 7: Decode the existing CCE policy in ARM template and print to console in clear text. - - az confcom acipolicygen -a ".\arm-template.json" --print-existing-policy - -Example 8: Generate a CCE policy using `--disable-stdio` argument. -`--disable-stdio` argument disables container standard I/O access by setting `allow_stdio_access` to false. - - az confcom acipolicygen -a ".\arm-template.json" --disable-stdio - -Example 9: Inject a CCE policy into ARM template. -This command adds the `--debug-mode` argument to enable executing /bin/sh and /bin/bash in the container group:
- - az confcom acipolicygen -a .\sample-arm-input.json --debug-mode - -In the above example, The `--debug-mode` modifies the following to allow users to shell into the container via portal or the command line: - -1. Adds the following to container rule so that users can access bash process. - -``` - "exec_processes": [ - { - "command": [ - "/bin/sh" - ], - "signals": [] - }, - { - "command": [ - "/bin/bash" - ], - "signals": [] - } - ] -``` -2. Changes the values of these three rules to true on the policy. -This is also for the purpose of allowing users to access logging, container properties and dump stack, all of which are part of loggings as well. -See [A Sample Policy that Uses Framework](#a-sample-policy-that-uses-framework) for details for the following rules: - - - allow_properties_access - - allow_dump_stacks - - allow_runtime_logging - - -Example 10: The confidential computing extension CLI is designed in such a way that generating policy does not necessarily have to depend on network calls as long as users have the layers of the images they want to generate policies for saved in a tar file locally. See the following example:
- - docker save ImageTag -o file.tar - -Disconnect from network and delete the local image from the docker daemon. -Use the following command to generate CCE policy for the image. - - az confcom acipolicygen -a .\sample-template-input.json --tar .\file.tar - -Some users have unique scenarios such as cleanroom requirement. -In this case, users can still generate security policies witout relying on network calls. -Users just need to make a tar file by using the `docker save` command above, include the `--tar` argument when making the `acipolicygen` command and make sure the input JSON file contains the same image tag. - -When generating security policy without using `--tar` argument, the confcom extension CLI tool attemps to fetch the image remotely if it is not locally available. -However, the CLI tool does not attempt to fetch remotely if `--tar` argument is used. - -## Security Policy Rules Documentation - -Below is an example rego policy: - -``` -package policy - -import future.keywords.every -import future.keywords.in - -api_svn := "0.10.0" -framework_svn := "0.1.0" - -fragments := [...] - -containers := [...] - -allow_properties_access := false -allow_dump_stacks := false -allow_runtime_logging := false -allow_environment_variable_dropping := true -allow_unencrypted_scratch := false - - - -mount_device := data.framework.mount_device -unmount_device := data.framework.unmount_device -mount_overlay := data.framework.mount_overlay -unmount_overlay := data.framework.unmount_overlay -create_container := data.framework.create_container -exec_in_container := data.framework.exec_in_container -exec_external := data.framework.exec_external -shutdown_container := data.framework.shutdown_container -signal_container_process := data.framework.signal_container_process -plan9_mount := data.framework.plan9_mount -plan9_unmount := data.framework.plan9_unmount -get_properties := data.framework.get_properties -dump_stacks := data.framework.dump_stacks -runtime_logging := data.framework.runtime_logging -load_fragment := data.framework.load_fragment -scratch_mount := data.framework.scratch_mount -scratch_unmount := data.framework.scratch_unmount - -reason := {"errors": data.framework.errors} -``` - -Every valid policy contain rules with the following names in the policy namespace. -Each rule must return a Rego object with a member named allowed, which indicates whether the action is allowed by policy. -We document each rule as follow: - -## mount_device -Receives an input object with the following members: -``` -{ - "name": "mount_device", - "target": "", - "deviceHash": "" -} -``` - -## unmount_device -Receives an input object with the following members: -``` -{ - "name": "unmount_device", - "unmountTarget": "" -} -``` - -## mount_overlay -Describe the layers to mount: -``` -{ - "name": "mount_overlay", - "containerID": "", - "layerPaths": [ - "", - "", - "", - /*...*/ - ], - "target": "" -} -``` - -## unmount_overlay -Receives an input object with the following members: -``` -{ - "name": "unmount_overlay", - "unmountTarget": "" -} -``` - -## create_container -Indicates whether the UVM is allowed to create a specific container with the exact parameters provided to the method. -Provided in the following input object, the framework rule checks the exact parameters such as (command, environment variables, mounts etc.) -``` -{ - "name": "create_container", - "containerID": "", - "argList": [ - "", - "", - "", - /*...*/ - ], - "envList": [ - "=", - /*...*/ - ], - "workingDir": "", - "sandboxDir": "", - "hugePagesDir": "", - "mounts": [ - { - "destination": "", - "options": [ - "", - "", - /*...*/ - ], - "source": "", - "type": ""}, - ], - privileged: "" -} -``` - -## exec_in_container -Determines if a process should be executed in a container. -Receives an input object with the following elements: -``` -{ - "containerID": "", - "argList": [ - "", - "", - "", - /*...*/ - ], - "envList": [ - "=", - /*...*/ - ], - "workingDir": "" -} -``` - -## exec_external -Determines if a process should be executed in the UVM. -Receives an input object with the following elements: -``` -{ - "name": "exec_external", - "argList": [ - "", - "", - "", - /*...*/ - ], - "envList": [ - "=", - /*...*/ - ], - "workingDir": "" -} -``` - -## shutdown_container -Receives an input object with the following elements: -``` -{ - "name": "shutdown_container", - "containerID": "" -} -``` - -## signal_container_process -Describe the signal sent to the container. -Receives an input object with the following elements: -``` -{ - "name": "signal_container_process", - "containerID": "", - "signal": "", - "isInitProcess": "", - "argList": [ - "", - "", - "", - /*...*/ - ] -} -``` - -## plan9_mount -Controls what directories on the host are allowed to be mounted into the UVM so that they can later be used as mounts within containers. -Azure confidential computing evaluated the mount channel from host machine to guest machine and eventually to containers. -A serious attack consists of overwriting attested directories on the UVM and then subsequently gets loaded into containers. -This rule contains a target that designates destination mount so that the mentioned attack does not happen. -It receives an input with the following elements: -``` -{ - "name": "plan9_mount", - "target": "" -} -``` - -## plan9_unmount -Receives an input with the following elements: -``` -{ - "name": "plan9_unmount", - "unmountTarget": "" -} -``` - -## scratch_mount -Scratch is writable storage from the UVM to the container. -It receives an input with the following elements: -``` -{ - "name": "scratch_mount", - "target": "", - "encrypted": "true|false" -} -``` - -## scratch_unmount -Receives an input with the following elements: -``` -{ - "name": "scratch_unmount", - "unmountTarget": "", -} -``` - -## load_fragment -This rule is used to determine whether a fragment can be loaded. -See [fragments](#fragments) for detailed explanation. - -## fragments - -What is a fragment? - -Confidential Container provides the core primitives for allowing customers to build container based application solutions that leave Microsoft and Microsoft operators outside of TCB(Trusted Computing Base). -In order to achieve this, our environment has to implement enforcement policies that not only dictates which containers are allowed to run, but also the explicit versions of each container that are allowed to run. -The implication of this is that in the case of Confidential ACI, if the customer is allowing ACI provided sidecars into their TCB, the customer environment won't be able to be start if ACI updates any of their sidecars for regular maintenance. -Given that some customers will want to allow ACI sidecars into their trusted environment, we need to provide a way for customers to indicate a level of trust in ACI so that sidecars that ACI has indicated are theirs and that the customer has agreed to accept can be run. -In order to achieve this, We will allow additional constraints to be provided to a container environment. -And we call these additionally defined constraints "fragments". -Fragments can serve a number of use-cases. -For now, we will focus on the ACI sidecar use case. -See the following example and how it defines a fragment. -The following fragment states that my confidential computing environment should trust containers published by the DID `did:web:accdemo.github.io` on the feed named `accdemo/utilities`. - -``` -fragments := [ - { - "feed": "accdemo/utilities", - "iss": "did:web:accdemo.github.io", - "includes": [<"containers"|"fragments"|"external_processes"|"namespace">] - } -] - -default load_fragment := [] -load_fragment := includes { - some fragment in fragments - input.iss == fragment.iss - input.feed == fragment.feed - includes := fragment.includes -} -``` - -Every time a fragment is presented to the enclosing system (e.g. GCS), the enclosing system is provided with a COSE_Sign1 signed envelope. -The header in the envelope contains the feed and the issuer and these information are included in the `input` context. -The logic of load_fragment rule selects a fragment from the list of fragments which matches the issuer and feed. -The enclosing system loads the fragment and queries it for the `includes` e.g. `container` and inserts them into the data context for later use. - -## reason -A policy can optionally define this rule, which will be called when a policy issues a denial. -This is used to populate an informative error message. - -## A Sample Policy that Uses Framework - -A more detailed explanation is provided for the following rules that seem to appear more than once on the CCE policy: -`allow_properties_access`, `get_properties`, `allow_dump_stack`, `dump_stack`, `allow_runtime_logging` and `runtime_logging` - -Rego framework supports policy authors by both describing the form that user policies should take, and consequently the form that Microsoft-provided Rego modules will follow. -It also provides some pre-built policy components that can make policy authoring easier. -Microsoft provides a [Rego Framework](https://github.com/microsoft/hcsshim/blob/main/pkg/securitypolicy/framework.rego) to make writing policies easier. -It contains a collection of helper functions, which in turn provide default implementations of the required rules. -These functions operate on Rego data with expected formats. -We include a [sample policy](sample_policy.md) which uses this framework. - -The difference between `allow_properties_access` vs `get_properties`: - -There is an API that defines a rule called `get_properties`. -A custom user policy can implement this however it wants. -However, a policy that uses the framework indicates their desired behavior to the framework with a flag called `allow_get_properties`. If you look at the framework implementation for get_properties you will see that it returns data.policy.allow_get_properties. -The same logic applies to both dump_stack and runtime_logging. - -`allow_properties_access` VS `get_properties` -When set to true, this indicates that `get_properties` should be allowed. -It indicates whether the host can fetch properties from a container. - -`allow_dump_stack` VS `dump_stack` -When set to true, this indicates that `dump_stacks` should be allowed. - -`allow_runtime_logging` VS `runtime_logging` -When `allow_runtime_logging` is set to true, this indicates that `runtime_logging` should be allowed. -Runtime logging is logging done by the UVM, i.e. outside of containers and their processes. - -## allow_environment_variable_dropping -The allow_environment_variable_dropping flag allows the framework, if set, to try to drop environment variables if there are no matching containers/processes. -This is an important aspect of serviceability, as it allows customer policies to be robust to the addition of extraneous environment variables which are unused by their containers. -Note throughout this that the existing logic of required environment variables holds. -The logic of dropping env vars is a bit complex but in general the framework looks at the intersection of the set of provided variables and the environment variable rules of each container/process and finds the largest set, which happens to be the one that requires dropping the least number of env vars. -It then tests to see if that set satisfies any containers. - -## allow_unencrypted_scratch -This rule determines whether unencrypted writable storage from the UVM to the container is allowed. - - - - - - - - diff --git a/src/confcom/azext_confcom/__init__.py b/src/confcom/azext_confcom/__init__.py deleted file mode 100644 index 3c6d0b5420c..00000000000 --- a/src/confcom/azext_confcom/__init__.py +++ /dev/null @@ -1,30 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -------------------------------------------------------------------------------------------- - -from azure.cli.core import AzCommandsLoader - -from azext_confcom._help import helps # pylint: disable=unused-import - - -class ConfcomCommandsLoader(AzCommandsLoader): - def __init__(self, cli_ctx=None): - from azure.cli.core.commands import CliCommandType - - confcom_custom = CliCommandType(operations_tmpl="azext_confcom.custom#{}") - super().__init__(cli_ctx=cli_ctx, custom_command_type=confcom_custom) - - def load_command_table(self, args): - from azext_confcom.commands import load_command_table - - load_command_table(self, args) - return self.command_table - - def load_arguments(self, command): - from azext_confcom._params import load_arguments - - load_arguments(self, command) - - -COMMAND_LOADER_CLS = ConfcomCommandsLoader diff --git a/src/confcom/azext_confcom/_help.py b/src/confcom/azext_confcom/_help.py deleted file mode 100644 index 5bf3035af01..00000000000 --- a/src/confcom/azext_confcom/_help.py +++ /dev/null @@ -1,91 +0,0 @@ -# coding=utf-8 -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -------------------------------------------------------------------------------------------- - -from knack.help_files import helps # pylint: disable=unused-import - - -helps[ - "confcom" -] = """ - type: group - short-summary: Commands to generate security policies for confidential containers in Azure. -""" - -helps[ - "confcom acipolicygen" -] = """ - type: command - short-summary: Create a Confidential Container Security Policy. - - parameters: - - name: --input -i - type: string - short-summary: 'Input JSON config file' - - - name: --template-file -a - type: string - short-summary: 'Input ARM Template file' - - - name: --parameters -p - type: string - short-summary: 'Input parameters file to optionally accompany an ARM Template' - - - name: --image - type: string - short-summary: 'Input image name' - - - name: --tar - type: string - short-summary: 'Path to either a tarball containing image layers or a JSON file containing paths to tarballs of image layers' - - - name: --infrastructure-svn - type: string - short-summary: 'Minimum Allowed Software Version Number for Infrastructure Fragment' - - - name: --debug-mode - type: boolean - short-summary: 'When enabled, the generated security policy adds the ability to use /bin/sh or /bin/bash to debug the container. It also enabled stdio access, ability to dump stack traces, and enables runtime logging. It is recommended to only use this option for debugging purposes.' - - - name: --disable-stdio - type: boolean - short-summary: 'When enabled, the containers in the container group do not have access to stdio.' - - - name: --print-existing-policy - type: boolean - short-summary: 'When enabled, the existing security policy that is present in the ARM Template is printed to the command line, and no new security policy is generated.' - - - name: --diff -d - type: boolean - short-summary: 'When combined with an input ARM Template, verifies the policy present in the ARM Template under "ccePolicy" and the containers within the ARM Template are compatible. If they are incompatible, a list of reasons is given and the exit status code will be 2.' - - - name: --json -j - type: string - short-summary: 'Outputs in JSON format instead of Rego' - - - name: --outraw - type: boolean - short-summary: 'Output policy in clear text compact JSON instead of default base64 format' - - - name: --outraw-pretty-print - type: boolean - short-summary: 'Output policy in clear text and pretty print format' - - - name: --save-to-file -s - type: string - short-summary: 'Save output policy to given file path.' - - - name: --print-policy - type: boolean - short-summary: 'When enabled, the generated security policy is printed to the command line instead of injected into the input ARM Template' - - examples: - - name: Input a policy.json file to create a base64 encoded Confidential Container Security Policy - text: az confcom acipolicygen --input "./policy.json" - - name: Input a policy.json file to create a human-readable Confidential Container Security Policy - text: az confcom acipolicygen --input "./policy.json" --outraw-pretty-print - - name: Input a policy.json file to save a Confidential Container Security Policy to a file - text: az confcom acipolicygen --input "./policy.json" -s "./output-file.txt" -""" diff --git a/src/confcom/azext_confcom/_params.py b/src/confcom/azext_confcom/_params.py deleted file mode 100644 index 3b9b9bc1c1e..00000000000 --- a/src/confcom/azext_confcom/_params.py +++ /dev/null @@ -1,123 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -------------------------------------------------------------------------------------------- -# pylint: disable=line-too-long - -from knack.arguments import CLIArgumentType - - -def load_arguments(self, _): - - from azure.cli.core.commands.parameters import tags_type - - confcom_name_type = CLIArgumentType( - options_list="--confcom-name-name", - help="Name of the Confidential Container Security Policy Generator.", - id_part="name", - ) - - with self.argument_context("confcom") as c: - c.argument("tags", tags_type) - c.argument("confcom_name", confcom_name_type, options_list=["--name", "-n"]) - - with self.argument_context("confcom acipolicygen") as c: - c.argument( - "input_path", - options_list=("--input", "-i"), - required=False, - help="Input JSON config file", - ) - c.argument( - "arm_template", - options_list=("--template-file", "-a"), - required=False, - help="ARM template file", - ) - c.argument( - "arm_template_parameters", - options_list=("--parameters", "-p"), - required=False, - help="ARM template parameters", - ) - c.argument( - "image_name", - options_list=("--image",), - required=False, - help="Image Name", - ) - c.argument( - "tar_mapping_location", - options_list=("--tar",), - required=False, - help="Tar File locations in JSON format where the key is the name and tag of the image and the value is the path to the tar file", - ) - c.argument( - "infrastructure_svn", - options_list=("--infrastructure-svn",), - required=False, - help="Minimum Allowed Software Version Number for Infrastructure Fragment", - ) - c.argument( - "debug_mode", - options_list=("--debug-mode",), - required=False, - help="Debug mode will enable processes in a container group that are helpful for debugging", - ) - c.argument( - "disable_stdio", - options_list=("--disable-stdio",), - required=False, - help="Disabling container stdio will disable the ability to see the output of the container in the terminal for Confidential ACI", - ) - c.argument( - "use_json", - options_list=("--json", "-j"), - required=False, - help="Output in JSON format", - ) - c.argument( - "diff", - options_list=("--diff", "-d"), - required=False, - help="Compare the CCE Policy field in the ARM Template to the containers in the ARM Template and make sure they are compatible", - ) - c.argument( - "validate_sidecar", - options_list=("--validate-sidecar", "-v"), - required=False, - help="Validate that the image used to generate the CCE Policy for a sidecar container will be allowed by its generated policy", - ) - c.argument( - "print-existing-policy", - options_list=("--print-existing-policy"), - required=False, - action="store_true", - help="Pretty print the existing policy in the ARM Template", - ) - c.argument( - "outraw", - options_list=("--outraw"), - required=False, - action="store_true", - help="Output policy in clear text compact JSON instead of default base64 format", - ) - c.argument( - "outraw_pretty_print", - options_list=("--outraw-pretty-print"), - required=False, - action="store_true", - help="Output policy in clear text and pretty print format", - ) - c.argument( - "save_to_file", - options_list=("--save-to-file", "-s"), - required=False, - help="Save output policy to given file path", - ) - c.argument( - "print_policy_to_terminal", - options_list=("--print-policy"), - required=False, - help="Print the generated policy in the terminal", - ) diff --git a/src/confcom/azext_confcom/_validators.py b/src/confcom/azext_confcom/_validators.py deleted file mode 100644 index 15d5f2ce4a8..00000000000 --- a/src/confcom/azext_confcom/_validators.py +++ /dev/null @@ -1,22 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -------------------------------------------------------------------------------------------- - - -def example_name_or_id_validator(cmd, namespace): - # Example of a storage account name or ID validator. - # pylint: disable=line-too-long - # See: https://github.com/Azure/azure-cli/blob/dev/doc/authoring_command_modules/authoring_commands.md#supporting-name-or-id-parameters - from azure.cli.core.commands.client_factory import get_subscription_id - from msrestazure.tools import is_valid_resource_id, resource_id - - if namespace.storage_account: - if not is_valid_resource_id(namespace.RESOURCE): - namespace.storage_account = resource_id( - subscription=get_subscription_id(cmd.cli_ctx), - resource_group=namespace.resource_group_name, - namespace="Microsoft.Storage", - type="storageAccounts", - name=namespace.storage_account, - ) diff --git a/src/confcom/azext_confcom/arm.template.md b/src/confcom/azext_confcom/arm.template.md deleted file mode 100644 index f467dc3e614..00000000000 --- a/src/confcom/azext_confcom/arm.template.md +++ /dev/null @@ -1,111 +0,0 @@ -This file is a reference page for the [README](README.md) file. - -arm-template.json -``` -{ - "$schema": "https://schema.management.azure.com/schemas/2015-01-01/deploymentTemplate.json#", - "contentVersion": "1.0.0.0", - "variables": { - "container1name": "examplecontainer", - "containergroupname": "examplecontainergroup" - }, - "parameters": { - "share-name": { - "type": "string", - "metadata": { - "description": "Name for the container group" - } - }, - "storage-account-name": { - "type": "string", - "metadata": { - "description": "Name for the container" - } - }, - "image": { - "type": "string", - "metadata": { - "description": "Image for the container" - } - }, - "storage-account-key": { - "type": "string", - "metadata": { - "description": "Name for the gitRepo volume" - } - } - }, - "resources": [ - { - "name": "[variables('containergroupname')]", - "type": "Microsoft.ContainerInstance/containerGroups", - "apiVersion": "2022-10-01-preview", - "location": "[resourceGroup().location]", - "properties": { - "confidentialComputeProperties": { - "ccePolicy": "" - }, - "containers": [ - { - "name": "[variables('container1name')]", - "properties": { - "environmentVariables": [ - { - "name": "PORT", - "value": "80" - } - ], - "image": "[parameters('image')]", - "resources": { - "requests": { - "cpu": 1, - "memoryInGb": 1.5 - } - }, - "ports": [ - { - "port": 80 - } - ], - "volumeMounts": [ - { - "name": "filesharevolume", - "mountPath": "/aci/logs" - } - ] - } - } - ], - "sku": "Confidential", - "osType": "Linux", - "ipAddress": { - "type": "Public", - "ports": [ - { - "protocol": "tcp", - "port": "80" - } - ], - "dnsNameLabel": "dns-label-name" - }, - "volumes": [ - { - "name": "filesharevolume", - "azureFile": { - "shareName": "[parameters('share-name')]", - "storageAccountName": "[parameters('storage-account-name')]", - "storageAccountKey": "[parameters('storage-account-key')]" - } - } - ] - } - } - ], - "outputs": { - "containerIPv4Address": { - "type": "string", - "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', variables('containergroupname'))).ipAddress.ip]" - } - } -} -``` \ No newline at end of file diff --git a/src/confcom/azext_confcom/azext_metadata.json b/src/confcom/azext_confcom/azext_metadata.json deleted file mode 100644 index b44aea150b4..00000000000 --- a/src/confcom/azext_confcom/azext_metadata.json +++ /dev/null @@ -1,4 +0,0 @@ -{ - "azext.isPreview": true, - "azext.minCliCoreVersion": "2.26.2" -} \ No newline at end of file diff --git a/src/confcom/azext_confcom/commands.py b/src/confcom/azext_confcom/commands.py deleted file mode 100644 index 96e87d8526b..00000000000 --- a/src/confcom/azext_confcom/commands.py +++ /dev/null @@ -1,13 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -------------------------------------------------------------------------------------------- - - -def load_command_table(self, _): - - with self.command_group("confcom") as g: - g.custom_command("acipolicygen", "acipolicygen_confcom") - - with self.command_group("confcom", is_preview=True): - pass diff --git a/src/confcom/azext_confcom/config.py b/src/confcom/azext_confcom/config.py deleted file mode 100644 index d9012f77c2c..00000000000 --- a/src/confcom/azext_confcom/config.py +++ /dev/null @@ -1,134 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -------------------------------------------------------------------------------------------- - -import os -from azext_confcom import os_util - -# input json values -ACI_FIELD_VERSION = "version" -ACI_FIELD_RESOURCES = "resources" -ACI_FIELD_RESOURCES_NAME = "name" -ACI_FIELD_CONTAINERS = "containers" -ACI_FIELD_CONTAINERS_CONTAINERIMAGE = "containerImage" -ACI_FIELD_CONTAINERS_ENVS = "environmentVariables" -ACI_FIELD_CONTAINERS_ENVS_NAME = "name" -ACI_FIELD_CONTAINERS_ENVS_VALUE = "value" -ACI_FIELD_CONTAINERS_ENVS_STRATEGY = "strategy" -ACI_FIELD_CONTAINERS_ENVS_REQUIRED = "required" -ACI_FIELD_CONTAINERS_COMMAND = "command" -ACI_FIELD_CONTAINERS_WORKINGDIR = "workingDir" -ACI_FIELD_CONTAINERS_MOUNTS = "mounts" -ACI_FIELD_CONTAINERS_MOUNTS_TYPE = "mountType" -ACI_FIELD_CONTAINERS_MOUNTS_PATH = "mountPath" -ACI_FIELD_CONTAINERS_MOUNTS_READONLY = "readonly" -ACI_FIELD_CONTAINERS_WAIT_MOUNT_POINTS = "wait_mount_points" -ACI_FIELD_CONTAINERS_ALLOW_ELEVATED = "allow_elevated" -ACI_FIELD_CONTAINERS_REGO_FRAGMENTS = "fragments" -ACI_FIELD_CONTAINERS_REGO_FRAGMENTS_FEED = "feed" -ACI_FIELD_CONTAINERS_REGO_FRAGMENTS_ISS = "iss" -ACI_FIELD_CONTAINERS_REGO_FRAGMENTS_MINIMUM_SVN = "minimumSvn" -ACI_FIELD_CONTAINERS_REGO_FRAGMENTS_INCLUDES = "includes" -ACI_FIELD_CONTAINERS_ID = "id" - -ACI_FIELD_CONTAINERS_ARCHITECTURE_KEY = "Architecture" -ACI_FIELD_CONTAINERS_ARCHITECTURE_VALUE = "amd64" - - -ACI_FIELD_CONTAINERS_EXEC_PROCESSES = "execProcesses" -ACI_FIELD_CONTAINERS_ALLOW_STDIO_ACCESS = "allowStdioAccess" -ACI_FIELD_CONTAINERS_LIVENESS_PROBE = "livenessProbe" -ACI_FIELD_CONTAINERS_READINESS_PROBE = "readinessProbe" -ACI_FIELD_CONTAINERS_PROBE_ACTION = "exec" -ACI_FIELD_CONTAINERS_PROBE_COMMAND = "command" -ACI_FIELD_CONTAINERS_SIGNAL_CONTAINER_PROCESSES = "signals" - -ACI_FIELD_TEMPLATE_PROPERTIES = "properties" -ACI_FIELD_TEMPLATE_PARAMETERS = "parameters" -ACI_FIELD_TEMPLATE_CONTAINERS = "containers" -ACI_FIELD_TEMPLATE_INIT_CONTAINERS = "initContainers" -ACI_FIELD_TEMPLATE_VARIABLES = "variables" -ACI_FIELD_TEMPLATE_VOLUMES = "volumes" -ACI_FIELD_TEMPLATE_IMAGE = "image" -ACI_FIELD_TEMPLATE_RESOURCE_LABEL = "Microsoft.ContainerInstance/containerGroups" -ACI_FIELD_TEMPLATE_COMMAND = "command" -ACI_FIELD_TEMPLATE_ENVS = "environmentVariables" -ACI_FIELD_TEMPLATE_VOLUME_MOUNTS = "volumeMounts" -ACI_FIELD_TEMPLATE_MOUNTS_TYPE = "mountType" -ACI_FIELD_TEMPLATE_MOUNTS_PATH = "mountPath" -ACI_FIELD_TEMPLATE_MOUNTS_READONLY = "readOnly" -ACI_FIELD_TEMPLATE_CONFCOM_PROPERTIES = "confidentialComputeProperties" -ACI_FIELD_TEMPLATE_CCE_POLICY = "ccePolicy" - - -# output json values -POLICY_FIELD_CONTAINERS = "containers" -POLICY_FIELD_CONTAINERS_ID = "id" -POLICY_FIELD_CONTAINERS_ELEMENTS = "elements" -POLICY_FIELD_CONTAINERS_LENGTH = "length" -POLICY_FIELD_CONTAINERS_ELEMENTS_COMMANDS = "command" -POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS = "env_rules" -POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_STRATEGY = "strategy" -POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_RULE = "pattern" -POLICY_FIELD_CONTAINERS_ELEMENTS_REQUIRED = "required" -POLICY_FIELD_CONTAINERS_ELEMENTS_LAYERS = "layers" -POLICY_FIELD_CONTAINERS_ELEMENTS_WORKINGDIR = "working_dir" -POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS = "mounts" -POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS_SOURCE = "source" -POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS_DESTINATION = "destination" -POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS_TYPE = "type" -POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS_TYPE_BIND = "bind" -POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS_OPTIONS = "options" -POLICY_FIELD_CONTAINERS_ELEMENTS_WAIT_MOUNT_POINTS = "wait_mount_points" -POLICY_FIELD_CONTAINERS_ELEMENTS_ALLOW_ELEVATED = "allow_elevated" -POLICY_FIELD_CONTAINER_EXEC_PROCESSES = "exec_processes" -POLICY_FIELD_CONTAINER_SIGNAL_CONTAINER_PROCESSES = "signals" -POLICY_FIELD_CONTAINERS_ALLOW_STDIO_ACCESS = "allow_stdio_access" -POLICY_FIELD_CONTAINERS_ELEMENTS_REGO_FRAGMENTS = "fragments" -POLICY_FIELD_CONTAINERS_ELEMENTS_REGO_FRAGMENTS_FEED = "feed" -POLICY_FIELD_CONTAINERS_ELEMENTS_REGO_FRAGMENTS_ISS = "iss" -POLICY_FIELD_CONTAINERS_ELEMENTS_REGO_FRAGMENTS_MINIMUM_SVN = "minimum_svn" -POLICY_FIELD_CONTAINERS_ELEMENTS_REGO_FRAGMENTS_INCLUDES = "includes" - -CONFIG_FILE = "./data/internal_config.json" - -script_directory = os.path.dirname(os.path.realpath(__file__)) -CONFIG_FILE_PATH = f"{script_directory}/{CONFIG_FILE}" - -_config = os_util.load_json_from_file(CONFIG_FILE_PATH) -DEFAULT_WORKING_DIR = _config["containerd"]["defaultWorkingDir"] - -MOUNT_SOURCE_TABLE = {} -for entry in _config["mount"]["source_table"]: - mount_type, mount_source = entry.get("mountType"), entry.get("source") - MOUNT_SOURCE_TABLE[mount_type] = mount_source - -BASELINE_SIDECAR_CONTAINERS = _config["sidecar_base_names"] -# OPENGCS environment variables for customer containers -OPENGCS_ENV_RULES = _config["openGCS"]["environmentVariables"] -# Fabric environment variables for customer containers -FABRIC_ENV_RULES = _config["fabric"]["environmentVariables"] -# Managed Identity environment variables for customer containers -MANAGED_IDENTITY_ENV_RULES = _config["managedIdentity"]["environmentVariables"] -# Enable container restart environment variable for all containers -ENABLE_RESTART_ENV_RULE = _config["enableRestart"]["environmentVariables"] -# default mounts image for customer containers -DEFAULT_MOUNTS_USER = _config["mount"]["default_mounts_user"] -# default mounts policy options for all containers -DEFAULT_MOUNT_POLICY = _config["mount"]["default_policy"] -# default rego policy to be added to all user containers -DEFAULT_REGO_FRAGMENTS = _config["default_rego_fragments"] -# things that need to be set for debug mode -DEBUG_MODE_SETTINGS = _config["debugMode"] -# customer rego file for data to be injected -REGO_FILE = "./data/customer_rego_policy.txt" -script_directory = os.path.dirname(os.path.realpath(__file__)) -REGO_FILE_PATH = f"{script_directory}/{REGO_FILE}" -CUSTOMER_REGO_POLICY = os_util.load_str_from_file(REGO_FILE_PATH) -# sidecar rego file -SIDECAR_REGO_FILE = "./data/sidecar_rego_policy.txt" -SIDECAR_REGO_FILE_PATH = f"{script_directory}/{SIDECAR_REGO_FILE}" -SIDECAR_REGO_POLICY = os_util.load_str_from_file(SIDECAR_REGO_FILE_PATH) -# default containers to be added to all container groups -DEFAULT_CONTAINERS = _config["default_containers"] diff --git a/src/confcom/azext_confcom/container.py b/src/confcom/azext_confcom/container.py deleted file mode 100644 index 8819ff65d6d..00000000000 --- a/src/confcom/azext_confcom/container.py +++ /dev/null @@ -1,499 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -------------------------------------------------------------------------------------------- - -import copy -import json -import os -from typing import Any, List, Dict -from azext_confcom.template_util import case_insensitive_dict_get -from azext_confcom import config -from azext_confcom.errors import eprint - - -_DEFAULT_MOUNTS = config.DEFAULT_MOUNTS_USER - -_INJECTED_CUSTOMER_ENV_RULES = ( - config.OPENGCS_ENV_RULES - + config.FABRIC_ENV_RULES - + config.MANAGED_IDENTITY_ENV_RULES - + config.ENABLE_RESTART_ENV_RULE -) - - -def extract_container_image(container_json: Any) -> str: - containerImage = case_insensitive_dict_get( - container_json, config.ACI_FIELD_CONTAINERS_CONTAINERIMAGE - ) - if not containerImage: - eprint( - f'Field ["{config.ACI_FIELD_CONTAINERS}"]' - + f'["{config.ACI_FIELD_CONTAINERS_CONTAINERIMAGE}"] is empty or can not be found.' - ) - return containerImage - - -def extract_env_rules(container_json: Any) -> List[Dict]: - environmentRules = [] - env_rules = case_insensitive_dict_get( - container_json, config.ACI_FIELD_CONTAINERS_ENVS - ) - if env_rules is None: # empty(no envs) is acceptable - eprint( - f'Field ["{config.ACI_FIELD_CONTAINERS}"]' - + f'["{config.ACI_FIELD_CONTAINERS_ENVS}"] is null or can not be found.' - ) - - # parse each environment variable pair and add it to list - for rule in env_rules: - name, value, strategy, required = ( - case_insensitive_dict_get(rule, config.ACI_FIELD_CONTAINERS_ENVS_NAME), - case_insensitive_dict_get(rule, config.ACI_FIELD_CONTAINERS_ENVS_VALUE), - case_insensitive_dict_get(rule, config.ACI_FIELD_CONTAINERS_ENVS_STRATEGY), - case_insensitive_dict_get(rule, config.ACI_FIELD_CONTAINERS_ENVS_REQUIRED), - ) - if name is None or value is None or strategy is None: - eprint( - f'Field ["{config.ACI_FIELD_CONTAINERS}"]["{config.ACI_FIELD_CONTAINERS_ENVS}"] is incorrect.' - ) - - environmentRules.append( - { - config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_RULE: f"{name}={value}", - config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_STRATEGY: strategy, - # default value for "required" is False - config.POLICY_FIELD_CONTAINERS_ELEMENTS_REQUIRED: required - if required is not None - else False, - } - ) - return environmentRules - - -def extract_id(container_json: Any) -> str: - return case_insensitive_dict_get(container_json, config.ACI_FIELD_CONTAINERS_ID) - - -def extract_working_dir(container_json: Any) -> str: - # parse working directory - workingDir = case_insensitive_dict_get( - container_json, config.ACI_FIELD_CONTAINERS_WORKINGDIR - ) - # check workingDir is an absolute path if user specified - if workingDir: - if not isinstance(workingDir, str): - eprint( - f'Field ["{config.ACI_FIELD_CONTAINERS}"]' - + f'["{config.ACI_FIELD_CONTAINERS_WORKINGDIR}"] must be a String.' - ) - if not os.path.isabs(workingDir): - eprint( - f'Field ["{config.ACI_FIELD_CONTAINERS}"]' - + f'["{config.ACI_FIELD_CONTAINERS_WORKINGDIR}"] with value: {workingDir} is not absolute path.' - ) - return workingDir - - -def extract_command(container_json: Any) -> List[str]: - # parse command - command = case_insensitive_dict_get( - container_json, config.ACI_FIELD_CONTAINERS_COMMAND - ) - if not isinstance(command, list): - eprint( - f'Field ["{config.ACI_FIELD_CONTAINERS}"]' - + f'["{config.ACI_FIELD_CONTAINERS_COMMAND}"] must be list of Strings.' - ) - return command - - -def extract_mounts(container_json: Any) -> List: - # parse mounts - mounts = case_insensitive_dict_get( - container_json, config.ACI_FIELD_CONTAINERS_MOUNTS - ) - _mounts = [] - if mounts: - if not isinstance(mounts, list): - eprint( - f'Field ["{config.ACI_FIELD_CONTAINERS}"]' - + f'["{config.ACI_FIELD_CONTAINERS_MOUNTS}"] must be list of Mount configuration.' - ) - - for m in mounts: - mount_type = case_insensitive_dict_get( - m, config.ACI_FIELD_CONTAINERS_MOUNTS_TYPE - ) - if mount_type not in config.MOUNT_SOURCE_TABLE: - eprint( - f'Field ["{config.ACI_FIELD_CONTAINERS}"]' - + f'["{config.ACI_FIELD_CONTAINERS_MOUNTS}"]' - + f'["{config.ACI_FIELD_CONTAINERS_MOUNTS_TYPE}"]' - + "can only be following values:" - + f'{",".join(list(config.MOUNT_SOURCE_TABLE.keys()))} .' - ) - - mount_path = case_insensitive_dict_get( - m, config.ACI_FIELD_CONTAINERS_MOUNTS_PATH - ) - if not mount_path: - eprint( - f'Field ["{config.ACI_FIELD_CONTAINERS}"]' - + f'["{config.ACI_FIELD_CONTAINERS_MOUNTS}"]' - + f'["{config.ACI_FIELD_CONTAINERS_MOUNTS_PATH}"] is empty or can not be found.' - ) - - mount_readonly = case_insensitive_dict_get( - m, config.ACI_FIELD_CONTAINERS_MOUNTS_READONLY - ) - if mount_readonly is not None and not isinstance(mount_readonly, bool): - eprint( - f'Field ["{config.ACI_FIELD_CONTAINERS}"]' - + f'["{config.ACI_FIELD_CONTAINERS_MOUNTS}"]' - + f'["{config.ACI_FIELD_CONTAINERS_MOUNTS_READONLY}"] can only be boolean value.' - ) - - # readonly default to False if not specified - if mount_readonly is None: - mount_readonly = False - - _mounts.append(m) - return _mounts - - -def extract_exec_process(container_json: Any) -> List: - # get the exec_processes info used as a liveness probe - exec_processes = case_insensitive_dict_get( - container_json, config.ACI_FIELD_CONTAINERS_EXEC_PROCESSES - ) - exec_processes_output = [] - if exec_processes: - if not isinstance(exec_processes, list): - eprint( - f'Field ["{config.ACI_FIELD_CONTAINERS}"]' - + f'["{config.ACI_FIELD_CONTAINERS_EXEC_PROCESSES}"] can only be a list.' - ) - - for exec_processes_item in exec_processes: - - exec_command = case_insensitive_dict_get( - exec_processes_item, config.ACI_FIELD_CONTAINERS_COMMAND - ) - if not isinstance(exec_command, list) and all( - map(lambda x: isinstance(x, str), exec_command) - ): - eprint( - f'Field ["{config.ACI_FIELD_CONTAINERS}"]' - + f'["{config.ACI_FIELD_CONTAINERS_EXEC_PROCESSES}"]' - + f'["{config.ACI_FIELD_CONTAINERS_COMMAND}"]' - + "can only be a list of strings." - ) - - exec_signals = case_insensitive_dict_get( - exec_processes_item, - config.ACI_FIELD_CONTAINERS_SIGNAL_CONTAINER_PROCESSES, - ) - if not isinstance(exec_signals, list) and all( - map(lambda x: isinstance(x, int), exec_signals) - ): - eprint( - f'Field ["{config.ACI_FIELD_CONTAINERS}"]' - + f'["{config.ACI_FIELD_CONTAINERS_EXEC_PROCESSES}"]' - + f'["{config.ACI_FIELD_CONTAINERS_COMMAND}"]' - + "can only be a list of integers." - ) - - exec_processes_output.append( - { - config.POLICY_FIELD_CONTAINERS_ELEMENTS_COMMANDS: exec_command, - config.POLICY_FIELD_CONTAINER_SIGNAL_CONTAINER_PROCESSES: exec_signals, - } - ) - return exec_processes_output - - -def extract_allow_elevated(container_json: Any) -> bool: - _allow_elevated = case_insensitive_dict_get( - container_json, config.ACI_FIELD_CONTAINERS_ALLOW_ELEVATED - ) - if _allow_elevated: - if not isinstance(_allow_elevated, bool): - eprint( - f'Field ["{config.ACI_FIELD_CONTAINERS}"]' - + f'["{config.ACI_FIELD_CONTAINERS_ALLOW_ELEVATED}"] can only be boolean value.' - ) - else: - # default is allow_elevated should be true - _allow_elevated = True - return _allow_elevated - - -def extract_allow_stdio_access(container_json: Any) -> bool: - # get the field for Standard IO access, default to true - allow_stdio_value = case_insensitive_dict_get( - container_json, config.ACI_FIELD_CONTAINERS_ALLOW_STDIO_ACCESS - ) - allow_stdio_access = allow_stdio_value if allow_stdio_value is not None else True - return allow_stdio_access - - -def extract_get_signals(container_json: Any) -> List: - # get the signals info used as a liveness probe - signals = ( - case_insensitive_dict_get( - container_json, config.ACI_FIELD_CONTAINERS_SIGNAL_CONTAINER_PROCESSES - ) - or [] - ) - if signals: - if not isinstance(signals, list): - eprint( - f'Field ["{config.ACI_FIELD_CONTAINERS}"]' - + f'["{config.ACI_FIELD_CONTAINERS_SIGNAL_CONTAINER_PROCESSES}"]' - + "can only be a list." - ) - - for signals_item in signals: - if not isinstance(signals_item, int): - eprint( - f'Field ["{config.ACI_FIELD_CONTAINERS}"]' - + f'["{config.ACI_FIELD_CONTAINERS_SIGNAL_CONTAINER_PROCESSES}"]' - + "can only be an integer." - ) - return signals - - -class ContainerImage: - # pylint: disable=too-many-instance-attributes - - @classmethod - def from_json( - cls, container_json: Any - ) -> "ContainerImage": - - container_image = extract_container_image(container_json) - id_val = extract_id(container_json) - environment_rules = extract_env_rules(container_json=container_json) - command = extract_command(container_json) - working_dir = extract_working_dir(container_json) - mounts = extract_mounts(container_json) - allow_elevated = extract_allow_elevated(container_json) - exec_processes = extract_exec_process( - container_json - ) - signals = extract_get_signals(container_json) - allow_stdio_access = extract_allow_stdio_access(container_json) - return ContainerImage( - containerImage=container_image, - environmentRules=environment_rules, - command=command, - workingDir=working_dir, - mounts=mounts, - allow_elevated=allow_elevated, - extraEnvironmentRules=[], - execProcesses=exec_processes, - signals=signals, - allowStdioAccess=allow_stdio_access, - id_val=id_val, - ) - - def __init__( - self, - containerImage: str, - environmentRules: Dict, - command: List[str], - workingDir: str, - mounts: List, - allow_elevated: bool, - id_val: str, - extraEnvironmentRules: Dict, - allowStdioAccess: bool = False, - execProcesses: List = None, - signals: List = None, - ) -> None: - self.containerImage = containerImage - if ":" in containerImage: - self.base, self.tag = containerImage.split(":", 1) - else: - self.base, self.tag = containerImage, "latest" - self._environmentRules = environmentRules - self._command = command - self._workingDir = workingDir - self._layers = [] - self._mounts = mounts - self._allow_elevated = allow_elevated - self._allow_stdio_access = allowStdioAccess - self._policy_json = None - self._policy_json_str = None - self._policy_json_str_pp = None - self._identifier = id_val - self._exec_processes = execProcesses or [] - self._signals = signals or [] - self._extraEnvironmentRules = extraEnvironmentRules - - def get_policy_json(self) -> str: - if not self._policy_json: - self._policy_json_serialization() - - return self._policy_json - - def get_id(self) -> str: - return self._identifier - - def get_working_dir(self) -> str: - return self._workingDir - - def set_working_dir(self, workingDir: str) -> None: - self._workingDir = workingDir - - def get_command(self) -> List[str]: - return self._command - - def set_command(self, command: List[str]) -> None: - self._command = command - - def get_environment_rules(self) -> Dict: - return self._environmentRules - - def get_layers(self) -> List[str]: - return self._layers - - def set_layers(self, layers: List[str]) -> None: - self._layers = layers - - def get_mounts(self) -> List: - return self._mounts - - def set_extra_environment_rules(self, rules: Dict) -> None: - self._extraEnvironmentRules = rules - - def _get_environment_rules(self) -> List[Dict[str, Any]]: - out_rules = copy.deepcopy(self._environmentRules) - env_var_names = [ - var[config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_RULE].split("=")[0] - for var in out_rules - ] - for rule in self._extraEnvironmentRules: - if rule[config.ACI_FIELD_CONTAINERS_ENVS_NAME] not in env_var_names: - out_rules.append( - { - config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_RULE: - f"{rule[config.ACI_FIELD_CONTAINERS_ENVS_NAME]}=" - + f"{rule[config.ACI_FIELD_CONTAINERS_ENVS_VALUE]}", - config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_STRATEGY: rule[ - config.ACI_FIELD_CONTAINERS_ENVS_STRATEGY - ], - config.POLICY_FIELD_CONTAINERS_ELEMENTS_REQUIRED: rule[ - config.ACI_FIELD_CONTAINERS_ENVS_REQUIRED - ], - } - ) - - return out_rules - - def _get_mounts_json(self) -> Dict[str, Any]: - # if mount is empty, return [] - if not self._mounts: - return [] - - mounts = [] - - for m in self._mounts: - mount = copy.deepcopy(config.DEFAULT_MOUNT_POLICY) - mount[ - config.POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS_SOURCE - ] = config.MOUNT_SOURCE_TABLE[ - case_insensitive_dict_get(m, config.ACI_FIELD_TEMPLATE_MOUNTS_TYPE) - ] - mount[ - config.POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS_DESTINATION - ] = case_insensitive_dict_get(m, config.ACI_FIELD_TEMPLATE_MOUNTS_PATH) - if case_insensitive_dict_get( - m, "readonly" - ) is not None and case_insensitive_dict_get(m, "readonly"): - mount[config.POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS_OPTIONS][2] = "ro" - # specified options will overwrite default options in default mount policy - if case_insensitive_dict_get(m, "options"): - mount[ - config.POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS_OPTIONS - ] = case_insensitive_dict_get(m, "options") - # TODO: figure out what type of mount it is for secretsSource. For now, assume it is a bind mount - mount[ - config.POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS_TYPE - ] = config.POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS_TYPE_BIND - mounts.append(mount) - - return mounts - - def _populate_policy_json_elements(self) -> Dict[str, Any]: - elements = { - config.POLICY_FIELD_CONTAINERS_ID: self._identifier, - config.POLICY_FIELD_CONTAINERS_ELEMENTS_LAYERS: self._layers, - config.POLICY_FIELD_CONTAINERS_ELEMENTS_COMMANDS: self._command, - config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS: self._get_environment_rules(), - config.POLICY_FIELD_CONTAINERS_ELEMENTS_WORKINGDIR: self._workingDir, - config.POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS: self._get_mounts_json(), - config.POLICY_FIELD_CONTAINERS_ELEMENTS_ALLOW_ELEVATED: self._allow_elevated, - config.POLICY_FIELD_CONTAINER_EXEC_PROCESSES: self._exec_processes, - config.POLICY_FIELD_CONTAINER_SIGNAL_CONTAINER_PROCESSES: self._signals, - config.POLICY_FIELD_CONTAINERS_ALLOW_STDIO_ACCESS: self._allow_stdio_access, - } - - self._policy_json = elements - return self._policy_json - - def _policy_json_serialization(self): - policy = self._populate_policy_json_elements() - # serialize json policy to object, compact string and pretty print string - self._policy_json_str, self._policy_json_str_pp = ( - json.dumps(policy, separators=(",", ":"), sort_keys=True), - json.dumps(policy, indent=2, sort_keys=True), - ) - - -class UserContainerImage(ContainerImage): - @classmethod - def from_json( - cls, container_json: Any - ) -> "UserContainerImage": - image = super().from_json(container_json) - image.__class__ = UserContainerImage - # inject default mounts for user container - if image.base not in config.BASELINE_SIDECAR_CONTAINERS: - image.get_mounts().extend(_DEFAULT_MOUNTS) - - image.set_extra_environment_rules(_INJECTED_CUSTOMER_ENV_RULES) - return image - - def __init__( - self, - containerImage: str, - environmentRules: Dict, - command: List[str], - mounts: List[Dict], - workingDir: str, - allowElevated: bool, - id_val: str, - execProcesses: List = None, - signals: List = None, - extraEnvironmentRules: Dict = _INJECTED_CUSTOMER_ENV_RULES, - ) -> None: - super().__init__( - containerImage=containerImage, - environmentRules=environmentRules, - command=command, - mounts=mounts, - workingDir=workingDir, - allow_elevated=allowElevated, - id_val=id_val, - signals=signals or [], - extraEnvironmentRules=extraEnvironmentRules, - execProcesses=execProcesses or [], - ) - - def _populate_policy_json_elements(self) -> Dict[str, Any]: - elements = super()._populate_policy_json_elements() - self._policy_json = elements - - return self._policy_json diff --git a/src/confcom/azext_confcom/custom.py b/src/confcom/azext_confcom/custom.py deleted file mode 100644 index 768a0cff405..00000000000 --- a/src/confcom/azext_confcom/custom.py +++ /dev/null @@ -1,220 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -------------------------------------------------------------------------------------------- - -import os -import sys - -from pkg_resources import parse_version -from knack.log import get_logger -from azext_confcom.config import DEFAULT_REGO_FRAGMENTS -from azext_confcom import os_util -from azext_confcom.template_util import pretty_print_func, print_func -from azext_confcom.init_checks import run_initial_docker_checks -from azext_confcom.template_util import inject_policy_into_template, print_existing_policy_from_arm_template -from azext_confcom import security_policy - - -logger = get_logger(__name__) - - -def acipolicygen_confcom( - input_path: str, - arm_template: str, - arm_template_parameters: str, - image_name: str, - infrastructure_svn: str, - tar_mapping_location: str, - use_json: bool = False, - outraw: bool = False, - outraw_pretty_print: bool = False, - diff: bool = False, - validate_sidecar: bool = False, - save_to_file: str = None, - debug_mode: bool = False, - print_policy_to_terminal: bool = False, - disable_stdio: bool = False, - print_existing_policy: bool = False, -): - - if sum(map(bool, [input_path, arm_template, image_name])) != 1: - logger.error("Can only generate CCE policy from one source at a time") - sys.exit(1) - if sum(map(bool, [print_policy_to_terminal, outraw, outraw_pretty_print])) > 1: - logger.error("Can only print in one format at a time") - sys.exit(1) - elif (diff and input_path) or (diff and image_name): - logger.error("Can only diff CCE policy from ARM Template") - sys.exit(1) - elif arm_template_parameters and not arm_template: - logger.error( - "Can only use ARM Template Parameters if ARM Template is also present" - ) - sys.exit(1) - - if print_existing_policy: - if not arm_template: - logger.error("Can only print existing policy from ARM Template") - sys.exit(1) - else: - print_existing_policy_from_arm_template(arm_template, arm_template_parameters) - sys.exit(0) - - tar_mapping = tar_mapping_validation(tar_mapping_location) - - output_type = get_output_type(outraw, outraw_pretty_print) - - container_group_policies = None - - # warn user that input infrastructure_svn is less than the configured default value - if infrastructure_svn and parse_version(infrastructure_svn) < parse_version( - DEFAULT_REGO_FRAGMENTS[0]["minimum_svn"] - ): - logger.warning( - "Input Infrastructure Fragment Software Version Number is less than the default Infrastructure SVN: %s", - DEFAULT_REGO_FRAGMENTS[0]["minimum_svn"], - ) - - # telling the user what operation we're doing - logger.warning( - "Generating security policy for %s: %s in %s", - "ARM Template" if arm_template else "Image" if image_name else "Input File", - input_path or arm_template or image_name, - "base64" - if output_type == security_policy.OutputType.DEFAULT - else "clear text", - ) - # error checking for making sure an input is provided is above - if input_path: - container_group_policies = security_policy.load_policy_from_file( - input_path, debug_mode=debug_mode, - ) - elif arm_template: - container_group_policies = security_policy.load_policy_from_arm_template_file( - infrastructure_svn, - arm_template, - arm_template_parameters, - debug_mode=debug_mode, - disable_stdio=disable_stdio, - ) - elif image_name: - container_group_policies = security_policy.load_policy_from_image_name( - image_name, debug_mode=debug_mode, disable_stdio=disable_stdio - ) - - exit_code = 0 - - # standardize the output so we're only operating on arrays - # this makes more sense than making the "from_file" and "from_image" outputting arrays - # since they can only ever output a single image's policy - if not isinstance(container_group_policies, list): - container_group_policies = [container_group_policies] - - for count, policy in enumerate(container_group_policies): - policy.populate_policy_content_for_all_images( - individual_image=bool(image_name), tar_mapping=tar_mapping - ) - - if validate_sidecar: - exit_code = validate_sidecar_in_policy(policy, output_type == security_policy.OutputType.PRETTY_PRINT) - elif diff: - exit_code = get_diff_outputs(policy, output_type == security_policy.OutputType.PRETTY_PRINT) - elif arm_template and (not print_policy_to_terminal and not outraw and not outraw_pretty_print): - result = inject_policy_into_template(arm_template, arm_template_parameters, - policy.get_serialized_output(output_type, use_json), count) - if result: - print("CCE Policy successfully injected into ARM Template") - else: - # output to terminal - print(f"{policy.get_serialized_output(output_type, use_json)}\n\n") - # output to file - if save_to_file: - policy.save_to_file(save_to_file, output_type, use_json) - - sys.exit(exit_code) - - -def update_confcom(cmd, instance, tags=None): - with cmd.update_context(instance) as c: - c.set_param("tags", tags) - return instance - - -def validate_sidecar_in_policy(policy: security_policy.AciPolicy, outraw_pretty_print: bool): - is_valid, output = policy.validate_sidecars() - - if outraw_pretty_print: - formatted_output = pretty_print_func(output) - else: - formatted_output = print_func(output) - - if is_valid: - print("Sidecar containers will pass with its generated policy") - return 0 - - print( - f"Sidecar containers will not pass with its generated policy: {formatted_output}" - ) - return 2 - - -def get_diff_outputs(policy: security_policy.AciPolicy, outraw_pretty_print: bool): - exit_code = 0 - is_valid, output = policy.validate_cce_policy() - - if outraw_pretty_print: - formatted_output = pretty_print_func(output) - else: - formatted_output = print_func(output) - - print( - "Existing policy and ARM Template match" - if is_valid - else formatted_output - ) - fragment_diff = policy.compare_fragments() - - if fragment_diff != {}: - logger.warning( - "Fragments in the existing policy are not the defaults. If this is expected, ignore this warning." - ) - if not is_valid: - logger.warning( - "Existing Policy and ARM Template differ. Consider recreating the base64-encoded policy." - ) - exit_code = 2 - return exit_code - - -def tar_mapping_validation(tar_mapping_location: str): - tar_mapping = None - if tar_mapping_location: - if not os.path.isfile(tar_mapping_location): - print( - "--tar input must either be a path to a json file with " - + "image to tar location mappings or the location to a single tar file." - ) - sys.exit(2) - # file is mapping images to tar file locations - elif tar_mapping_location.endswith(".json"): - tar_mapping = os_util.load_tar_mapping_from_file(tar_mapping_location) - # passing in a single tar location for a single image policy - else: - tar_mapping = tar_mapping_location - else: - # only need to do the docker checks if we're not grabbing image info from tar files - error_msg = run_initial_docker_checks() - if error_msg: - logger.warning(error_msg) - sys.exit(1) - return tar_mapping - - -def get_output_type(outraw, outraw_pretty_print): - output_type = security_policy.OutputType.DEFAULT - if outraw: - output_type = security_policy.OutputType.RAW - elif outraw_pretty_print: - output_type = security_policy.OutputType.PRETTY_PRINT - return output_type diff --git a/src/confcom/azext_confcom/data/customer_rego_policy.txt b/src/confcom/azext_confcom/data/customer_rego_policy.txt deleted file mode 100644 index 0268a8ea999..00000000000 --- a/src/confcom/azext_confcom/data/customer_rego_policy.txt +++ /dev/null @@ -1,39 +0,0 @@ -package policy - -import future.keywords.every -import future.keywords.in - -api_svn := "0.10.0" -framework_svn := "0.1.0" - -fragments := %s - -containers := %s - -allow_properties_access := %s -allow_dump_stacks := %s -allow_runtime_logging := %s -allow_environment_variable_dropping := %s -allow_unencrypted_scratch := %s - - - -mount_device := data.framework.mount_device -unmount_device := data.framework.unmount_device -mount_overlay := data.framework.mount_overlay -unmount_overlay := data.framework.unmount_overlay -create_container := data.framework.create_container -exec_in_container := data.framework.exec_in_container -exec_external := data.framework.exec_external -shutdown_container := data.framework.shutdown_container -signal_container_process := data.framework.signal_container_process -plan9_mount := data.framework.plan9_mount -plan9_unmount := data.framework.plan9_unmount -get_properties := data.framework.get_properties -dump_stacks := data.framework.dump_stacks -runtime_logging := data.framework.runtime_logging -load_fragment := data.framework.load_fragment -scratch_mount := data.framework.scratch_mount -scratch_unmount := data.framework.scratch_unmount - -reason := {"errors": data.framework.errors} \ No newline at end of file diff --git a/src/confcom/azext_confcom/data/internal_config.json b/src/confcom/azext_confcom/data/internal_config.json deleted file mode 100644 index 51ea730f898..00000000000 --- a/src/confcom/azext_confcom/data/internal_config.json +++ /dev/null @@ -1,210 +0,0 @@ -{ - "version": "0.2.10", - "hcsshim_config": { - "maxVersion": "1.0.0", - "minVersion": "0.0.1" - }, - "openGCS": { - "environmentVariables": [ - { - "name": "TERM", - "value": "xterm", - "strategy": "string", - "required": false - } - ] - }, - "fabric": { - "environmentVariables": [ - { - "name": "((?i)FABRIC)_.+", - "value": ".+", - "strategy": "re2", - "required": false - }, - { - "name": "HOSTNAME", - "value": ".+", - "strategy": "re2", - "required": false - }, - { - "name": "T(E)?MP", - "value": ".+", - "strategy": "re2", - "required": false - }, - { - "name": "FabricPackageFileName", - "value": ".+", - "strategy": "re2", - "required": false - }, - { - "name": "HostedServiceName", - "value": ".+", - "strategy": "re2", - "required": false - } - ] - }, - "managedIdentity": { - "environmentVariables": [ - { - "name": "IDENTITY_API_VERSION", - "value": ".+", - "strategy": "re2", - "required": false - }, - { - "name": "IDENTITY_HEADER", - "value": ".+", - "strategy": "re2", - "required": false - }, - { - "name": "IDENTITY_SERVER_THUMBPRINT", - "value": ".+", - "strategy": "re2", - "required": false - } - ] - }, - "enableRestart": { - "environmentVariables": [ - { - "name": "azurecontainerinstance_restarted_by", - "value": ".+", - "strategy": "re2", - "required": false - } - ] - }, - "debugMode": { - "environmentVariables": [ - { - "name": ".+", - "value": ".+", - "strategy": "re2", - "required": false - } - ], - "execProcesses": [ - { - "command": [ - "/bin/sh" - ], - "signals": [], - "allow_stdio_access": true - }, - { - "command": [ - "/bin/bash" - ], - "signals": [], - "allow_stdio_access": true - } - ], - "allowPropertiesAccess": true, - "allowDumpStacks": true, - "allowRuntimeLogging": true, - "allowEnvironmentVariableDropping": true, - "allowUnencryptedScratch": false - }, - "containerd": { - "defaultWorkingDir": "/" - }, - "mount": { - "source_table": [ - { - "mountType": "azureFile", - "source": "sandbox:///tmp/atlas/azureFileVolume/.+" - }, - { - "mountType": "secret", - "source": "sandbox:///tmp/atlas/secretsVolume/.+" - }, - { - "mountType": "secretsSource", - "source": "plan9://" - }, - { - "mountType": "emptyDir", - "source": "sandbox:///tmp/atlas/emptydir/.+" - }, - { - "mountType": "resolvconf", - "source": "sandbox:///tmp/atlas/resolvconf/.+" - }, - { - "mountType": "gitRepo", - "source": "sandbox:///tmp/atlas/gitRepoVolume/.+" - } - ], - "default_policy": { - "type": "bind", - "options": [ - "rbind", - "rshared", - "rw" - ] - }, - "default_mounts_user": [ - { - "name": "dns_resolve", - "mountType": "resolvconf", - "mountPath": "/etc/resolv.conf", - "readonly": false - } - ] - }, - "sidecar_base_names": [ - "mcr.microsoft.com/aci/msi-atlas-adapter", - "mcr.microsoft.com/aci/atlas-mount-azure-file-volume", - "mcr.microsoft.com/aci/atlas-mount-secrets-volume", - "mcr.microsoft.com/aci/atlas-netstats", - "mcr.microsoft.com/aci/atlas-mount-resolv-conf", - "mcr.microsoft.com/aci/atlas-mount-gitrepo-volume", - "k8s.gcr.io/pause", - "mcr.microsoft.com/aci/sc-proxy", - "mcr.microsoft.com/aci/vk-metrics-sidecar" - ], - "default_rego_fragments": [ - { - "issuer": "did:x509:0:sha256:I__iuL25oXEVFdTP_aBLx_eT1RPHbCQ_ECBQfYZpt9s::eku:1.3.6.1.4.1.311.76.59.1.3", - "feed": "mcr.microsoft.com/aci/aci-cc-infra-fragment", - "minimum_svn": "1.0.0", - "includes": [ - "containers" - ] - } - ], - "default_containers": [ - { - "command": [ - "/pause" - ], - "env_rules": [ - { - "pattern": "PATH=/usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin", - "strategy": "string", - "required": true - }, - { - "pattern": "TERM=xterm", - "strategy": "string", - "required": false - } - ], - "layers": [ - "16b514057a06ad665f92c02863aca074fd5976c755d26bff16365299169e8415" - ], - "mounts": [], - "exec_processes": [], - "signals": [], - "allow_elevated": false, - "allow_stdio_access": true, - "working_dir": "/" - } - ] -} \ No newline at end of file diff --git a/src/confcom/azext_confcom/data/sidecar_rego_policy.txt b/src/confcom/azext_confcom/data/sidecar_rego_policy.txt deleted file mode 100644 index fe79034b5da..00000000000 --- a/src/confcom/azext_confcom/data/sidecar_rego_policy.txt +++ /dev/null @@ -1,7 +0,0 @@ -package microsoftcontainerinstance - -svn := "1.0.0" -api_svn := "0.10.0" -framework_svn := "0.1.0" - -containers := %s \ No newline at end of file diff --git a/src/confcom/azext_confcom/errors.py b/src/confcom/azext_confcom/errors.py deleted file mode 100644 index a3f8cec89e1..00000000000 --- a/src/confcom/azext_confcom/errors.py +++ /dev/null @@ -1,18 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -------------------------------------------------------------------------------------------- -import sys -from knack.log import get_logger - -logger = get_logger(__name__) - - -class AccContainerError(Exception): - """Generic ACC Container errors""" - - -def eprint(*args, **kwargs): - # print to stderr with formatting to be noticeable in the terminal - logger.error(*args, **kwargs) - sys.exit(1) diff --git a/src/confcom/azext_confcom/init_checks.py b/src/confcom/azext_confcom/init_checks.py deleted file mode 100644 index 24fae3a04a6..00000000000 --- a/src/confcom/azext_confcom/init_checks.py +++ /dev/null @@ -1,75 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -------------------------------------------------------------------------------------------- - -import ctypes -import os -import sys -import getpass - -import docker -from knack.log import get_logger - -logger = get_logger(__name__) - - -def is_linux(): - return sys.platform in ("linux", "linux2") - - -if is_linux(): - import grp # pylint: disable=import-error - - -def is_admin() -> bool: - admin = False - try: - admin = os.getuid() == 0 - except AttributeError: - admin = ctypes.windll.shell32.IsUserAnAdmin() != 0 - return admin - - -def is_docker_running() -> bool: - # check to see if docker is running - client = None - out = True - try: - client = docker.from_env() - # need any command that will show the docker daemon is not running - client.containers.list() - except docker.errors.DockerException: - out = False - finally: - if client: - client.close() - return out - - -def docker_permissions() -> str: - docker_group = None - # check if the user is in the docker group and if not an admin - if is_linux() and not is_admin(): - try: - docker_group = grp.getgrnam("docker") - except KeyError: - return "The docker group was not found" - - if getpass.getuser() not in docker_group.gr_mem: - return """The current user does not have permission to run Docker. - Run 'sudo usermod -aG docker' to add them to the docker group.""" - return "" - - -def run_initial_docker_checks() -> str: - """Utility function: call the rest of the checks to make sure the environment has prerequisites i.e. - docker is running and the user is allowed to use it""" - result = is_docker_running() - if not result: - return "The docker process was not found. Please start Docker." - - error_msg = docker_permissions() - if error_msg: - return error_msg - return "" diff --git a/src/confcom/azext_confcom/os_util.py b/src/confcom/azext_confcom/os_util.py deleted file mode 100644 index 325af174d99..00000000000 --- a/src/confcom/azext_confcom/os_util.py +++ /dev/null @@ -1,135 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -------------------------------------------------------------------------------------------- - -import base64 -import binascii -import json -import os -from tarfile import TarFile -from azext_confcom.errors import ( - eprint, -) - - -def bytes_to_base64(data: bytes) -> str: - return base64.b64encode(data).decode("ascii") - - -def str_to_base64(data: str) -> str: - data_bytes = data.encode("ascii") - return bytes_to_base64(data_bytes) - - -def base64_to_str(data: str) -> str: - try: - data_bytes = base64.b64decode(data) - data_str = data_bytes.decode("ascii") - except binascii.Error: - eprint(f"Invalid base64 string: {data}") - return data_str - - -def load_json_from_str(data: str) -> dict: - if data: - try: - return json.loads(data) - except json.decoder.JSONDecodeError: - eprint(f"Invalid json formatting for data: {data}") - return {} - - -def load_json_from_file(path: str) -> dict: - raw_data = load_str_from_file(path) - return load_json_from_str(raw_data) - - -def load_str_from_file(path: str) -> str: - if path: - try: - with open(path, "r", encoding="utf-8") as file: - return file.read() - except (FileNotFoundError, IsADirectoryError, PermissionError, OSError): - eprint(f"File not found at path: {path}") - return "" - - -def write_json_to_file(path: str, content: dict) -> None: - write_str_to_file( - path, - json.dumps( - content, - indent=2, - ), - ) - - -def write_str_to_file(path: str, content: str) -> None: - with open(path, "w", encoding="utf-8") as f: - f.write(content) - - -def load_tar_mapping_from_file(path: str) -> dict: - raw_json = load_json_from_file(path) - json_path = os.path.dirname(path) - - # we want relative paths to be relative to where the mapping file is, not where the executing terminal is - # so check if we have an absolute path and if not, append the relative path to the path of the mapping file - for key, value in raw_json.items(): - if value != os.path.abspath(value): - path = os.path.join(json_path, value) - # error check that wherever the path leads, there is a tarball - if not os.path.isfile(path): - eprint(f"Tarball does not exist at path: {path}") - raw_json[key] = path - - return raw_json - - -def map_image_from_tar(image_name: str, tar: TarFile, tar_location: str): - tar_dir = os.path.dirname(tar_location) - # grab all files in the folder and only take the one that's named with hex values and a json extension - members = tar.getmembers() - info_file_name = [ - file - for file in members - if file.name.endswith(".json") and not file.name.startswith("manifest") - ] - info_file = None - # if there's more than one image in the tarball, we need to do some more logic - if len(info_file_name) > 1: - # extract just the manifest file and see if any of the RepoTags match the image_name we're searching for - # the manifest.json should have a list of all the image tags - # and what json files they map to to get env vars, startup cmd, etc. - tar.extract("manifest.json", path=tar_dir) - manifest_path = os.path.join(tar_dir, "manifest.json") - manifest = load_json_from_file(manifest_path) - # if we match a RepoTag to the image, stop searching - for image in manifest: - if image_name in image.get("RepoTags"): - info_file = [ - item for item in info_file_name if item.name == image.get("Config") - ][0] - break - # remove the extracted manifest file to clean up - os.remove(manifest_path) - elif len(info_file_name) == 0: - eprint(f"Tarball at {tar_location} contains no images") - else: - info_file = info_file_name[0] - - if not info_file: - eprint(f"Image {image_name} is not found in tarball at {tar_location}") - tar.extract(info_file.name, path=tar_dir) - - # get the path of the json file and read it in - image_info_file_path = os.path.join(tar_dir, info_file.name) - image_info_raw = load_json_from_file(image_info_file_path) - # delete the extracted json file to clean up - os.remove(image_info_file_path) - image_info = image_info_raw.get("config") - # importing the constant from config.py gives a circular dependency error - image_info["Architecture"] = image_info_raw.get("architecture") - - return image_info diff --git a/src/confcom/azext_confcom/rootfs_proxy.py b/src/confcom/azext_confcom/rootfs_proxy.py deleted file mode 100644 index 5033368d41b..00000000000 --- a/src/confcom/azext_confcom/rootfs_proxy.py +++ /dev/null @@ -1,90 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -------------------------------------------------------------------------------------------- - -import subprocess -from typing import List -import os -from pathlib import Path -import platform -from azext_confcom.errors import eprint - - -host_os = platform.system() -arch = platform.architecture()[0] - - -class SecurityPolicyProxy: # pylint: disable=too-few-public-methods - def __init__(self): - script_directory = os.path.dirname(os.path.realpath(__file__)) - DEFAULT_LIB = "./bin/dmverity-vhd" - - if host_os == "Linux": - pass - elif host_os == "Windows": - if arch == "64bit": - DEFAULT_LIB += ".exe" - else: - raise NotImplementedError( - f"The current architecture {arch} for windows is not supported." - ) - elif host_os == "Darwin": - eprint("The extension for MacOS has not been implemented.") - else: - eprint( - "Unknown target platform. The extension only works with Windows, Linux and MacOS" - ) - - self.policy_bin = Path(os.path.join(f"{script_directory}", f"{DEFAULT_LIB}")) - - if not os.path.exists(self.policy_bin): - raise RuntimeError("The extension binary file cannot be located.") - - def get_policy_image_layers( - self, image: str, tag: str, tar_location: str = "" - ) -> List[str]: - policy_bin_str = str(self.policy_bin) - - img = image + ":" + tag - - arg_list = [ - f"{policy_bin_str}", - ] - - # decide if we're reading from a tarball or not - if tar_location: - arg_list += ["--tarball", tar_location] - else: - arg_list += ["-d"] - - # add the image to the end of the parameter list - arg_list += ["roothash", "-i", f"{img}"] - - outputlines = None - err = None - - with subprocess.Popen( - arg_list, - executable=policy_bin_str, - stdout=subprocess.PIPE, - stderr=subprocess.PIPE, - ) as layers: - outputlines, err = layers.communicate() - - output = [] - if outputlines is None: - eprint("Null pointer detected.") - elif len(outputlines) > 0: - output = outputlines.decode("utf8").rstrip("\n").split("\n") - output = [output[j * 2 + 1] for j in range(len(output) // 2)] - output = [i.rstrip("\n").split(": ", 1)[1] for i in output] - else: - eprint( - "Cannot get layer hashes. Please check whether the image exists in local repository/daemon." - ) - - if err.decode("utf8") != "": - eprint(err.decode("utf8")) - - return output diff --git a/src/confcom/azext_confcom/sample_policy.md b/src/confcom/azext_confcom/sample_policy.md deleted file mode 100644 index 9f8ab74f655..00000000000 --- a/src/confcom/azext_confcom/sample_policy.md +++ /dev/null @@ -1,89 +0,0 @@ -This file is a reference page for the [README](README.md) file. - -Sample Policy Rego - -``` -package policy - -import future.keywords.every -import future.keywords.in - -api_svn := "0.10.0" -framework_svn := "0.1.0" - -fragments := [ - { - "iss": "", - "feed": "", - "minimum_svn": "", - "includes": [] - } -] - -containers := [ - { - "command": ["", "", "", /*...*/], - "allow_stdio_access": true, - "signals": [/*...*/], - "env_rules": [ - { - "pattern": "", - "strategy": "", - "required": - }, - /*...*/ - ], - "layers": [ - "", - /*...*/ - ], - "mounts": [ - { - "destination": "", - "options": ["", "", /*...*/], - "source": "", - "type": "" - }, - /*...*/ - ], - "allow_elevated": , - "working_dir": "", - "exec_processes": [ - { - "command": ["", "", "", /*...*/], - "signals": [/*...*/] - }, - /*...*/ - ], - } -] - -allow_properties_access := false -allow_dump_stacks := false -allow_runtime_logging := false -allow_environment_variable_dropping := true -allow_unencrypted_scratch := false - - - -mount_device := data.framework.mount_device -unmount_device := data.framework.unmount_device -mount_overlay := data.framework.mount_overlay -unmount_overlay := data.framework.unmount_overlay -create_container := data.framework.create_container -exec_in_container := data.framework.exec_in_container -exec_external := data.framework.exec_external -shutdown_container := data.framework.shutdown_container -signal_container_process := data.framework.signal_container_process -plan9_mount := data.framework.plan9_mount -plan9_unmount := data.framework.plan9_unmount -get_properties := data.framework.get_properties -dump_stacks := data.framework.dump_stacks -runtime_logging := data.framework.runtime_logging -load_fragment := data.framework.load_fragment -scratch_mount := data.framework.scratch_mount -scratch_unmount := data.framework.scratch_unmount - -reason := {"errors": data.framework.errors} - -``` \ No newline at end of file diff --git a/src/confcom/azext_confcom/security_policy.py b/src/confcom/azext_confcom/security_policy.py deleted file mode 100644 index 98c2687410d..00000000000 --- a/src/confcom/azext_confcom/security_policy.py +++ /dev/null @@ -1,802 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -------------------------------------------------------------------------------------------- - -import json -import warnings -import copy -from typing import Any, List, Dict, Tuple -from enum import Enum, auto -import docker -import deepdiff -from knack.log import get_logger -from tqdm import tqdm -from azext_confcom import os_util -from azext_confcom import config -from azext_confcom.container import UserContainerImage, ContainerImage - -from azext_confcom.errors import eprint -from azext_confcom.template_util import ( - extract_confidential_properties, - is_sidecar, - parse_template, - pretty_print_func, - print_func, - readable_diff, - case_insensitive_dict_get, - compare_env_vars, - compare_containers, - get_values_for_params, - process_mounts, - extract_probe, - process_env_vars_from_template, - get_image_info -) -from azext_confcom.rootfs_proxy import SecurityPolicyProxy - -logger = get_logger() - - -class OutputType(Enum): - DEFAULT = auto() - RAW = auto() - PRETTY_PRINT = auto() - - -class AciPolicy: # pylint: disable=too-many-instance-attributes - def __init__( - self, - deserialized_config: Any, - rego_fragments: Any = config.DEFAULT_REGO_FRAGMENTS, - existing_rego_fragments: Any = None, - debug_mode: bool = False, - disable_stdio: bool = False, - ) -> None: - self._docker_client = None - self._rootfs_proxy = None - self._policy_str = None - self._policy_str_pp = None - self._disable_stdio = disable_stdio - self._fragments = rego_fragments - self._existing_fragments = existing_rego_fragments - if debug_mode: - self._allow_properties_access = config.DEBUG_MODE_SETTINGS.get( - "allowPropertiesAccess" - ) - self._allow_dump_stacks = config.DEBUG_MODE_SETTINGS.get( - "allowDumpStacks" - ) - self._allow_runtime_logging = config.DEBUG_MODE_SETTINGS.get( - "allowRuntimeLogging" - ) - self._allow_environment_variable_dropping = config.DEBUG_MODE_SETTINGS.get( - "allowEnvironmentVariableDropping" - ) - self._allow_unencrypted_scratch = config.DEBUG_MODE_SETTINGS.get( - "allowUnencryptedScratch" - ) - else: - self._allow_properties_access = False - self._allow_dump_stacks = False - self._allow_runtime_logging = False - self._allow_environment_variable_dropping = True - self._allow_unencrypted_scratch = False - - self.version = case_insensitive_dict_get( - deserialized_config, config.ACI_FIELD_VERSION - ) - if not self.version: - eprint( - f'Field ["{config.ACI_FIELD_VERSION}"] is empty or can not be found.' - ) - - # parse cce policy if it exists - cce_policy = case_insensitive_dict_get( - deserialized_config, config.ACI_FIELD_TEMPLATE_CCE_POLICY - ) - - self._existing_cce_policy = cce_policy - - containers = case_insensitive_dict_get( - deserialized_config, config.ACI_FIELD_CONTAINERS - ) - if not containers: - eprint( - f'Field ["{config.ACI_FIELD_CONTAINERS}"] is empty or can not be found.' - ) - - container_results = [] - - # parse and generate each container, either user or sidecar - for c in containers: - if not is_sidecar(c[config.POLICY_FIELD_CONTAINERS_ID]): - container_image = UserContainerImage.from_json(c) - else: - container_image = ContainerImage.from_json(c) - container_results.append(container_image) - - self._images = container_results - - def __enter__(self) -> None: - return self - - def __exit__(self, exception_type, exception_value, exception_traceback) -> None: - self.close() - - def _get_docker_client(self) -> docker.client.DockerClient: - if not self._docker_client: - self._docker_client = docker.from_env() - - return self._docker_client - - def _get_rootfs_proxy(self) -> SecurityPolicyProxy: - if not self._rootfs_proxy: - self._rootfs_proxy = SecurityPolicyProxy() - - return self._rootfs_proxy - - def _close_docker_client(self) -> None: - if self._docker_client: - self._get_docker_client().close() - else: - docker.from_env().close() - - def close(self) -> None: - self._close_docker_client() - - def get_serialized_output( - self, - output_type: OutputType = OutputType.DEFAULT, - use_json=False, - rego_boilerplate=True, - ) -> str: - # error check the output type - if not isinstance(output_type, Enum) or output_type.value not in [item.value for item in OutputType]: - eprint("Unknown output type for serialization.") - - policy_str = self._policy_serialization( - use_json, output_type == OutputType.PRETTY_PRINT - ) - - if not use_json and rego_boilerplate: - policy_str = self._add_rego_boilerplate(policy_str) - elif use_json and output_type == OutputType.PRETTY_PRINT: - policy_str = json.dumps(json.loads(policy_str), indent=2, sort_keys=True) - - # if we're not outputting base64 - if output_type in (OutputType.RAW, OutputType.PRETTY_PRINT): - return policy_str - # encode to base64 - return os_util.str_to_base64(policy_str) - - def _add_rego_boilerplate(self, output: str) -> str: - - # determine if we're outputting for a sidecar or not - if self._images[0].get_id() and is_sidecar(self._images[0].get_id()): - return config.SIDECAR_REGO_POLICY % (output) - return config.CUSTOMER_REGO_POLICY % ( - pretty_print_func(self._fragments), - output, - pretty_print_func(self._allow_properties_access), - pretty_print_func(self._allow_dump_stacks), - pretty_print_func(self._allow_runtime_logging), - pretty_print_func(self._allow_environment_variable_dropping), - pretty_print_func(self._allow_unencrypted_scratch), - ) - - def _add_elements(self, dictionary) -> Dict: - """Recursive function to convert CCE policy rego into a json policy - - adds 'length' keys to dicts that were arrays - - expands 'elements' dicts from an array - """ - - if isinstance(dictionary, (str, int)): - return None - if isinstance(dictionary, list): - for item in dictionary: - self._add_elements(item) - if isinstance(dictionary, dict): - for key in dictionary.keys(): - if isinstance(dictionary[key], list): - elements_list = {} - for i, item in enumerate(dictionary[key]): - elements_list[str(i)] = item - dictionary[key] = { - "elements": elements_list, - "length": len(dictionary[key]), - } - - for i in range(len(dictionary[key]["elements"].keys())): - self._add_elements(dictionary[key]["elements"][str(i)]) - else: - self._add_elements(dictionary[key]) - - return dictionary - - def _convert_to_json(self, dictionary) -> Dict: - # need to make a deep copy so we can change the underlying config data - # dicts - editable = copy.deepcopy(dictionary) - out = {"length": len(editable), "elements": {}} - - for i, container in enumerate(editable): - out["elements"][str(i)] = container - - self._add_elements(out) - - return {config.POLICY_FIELD_CONTAINERS: out} - - def validate_cce_policy(self) -> Tuple[bool, Dict]: - """Utility method: check to see if the existing policy - that instantiates this function would allow the policy created by the input ARM Template""" - # this implying the "allow all" policy - if self._existing_cce_policy is None: - return True, {} - # we're comparing the CCE Policy so extract it and pass it in - policy = self._existing_cce_policy - return self.validate(policy) - - def validate_sidecars(self) -> Tuple[bool, Dict]: - """Utility method: check to see if the sidecar images present will pass the given the current ACI Policy""" - policy_str = self.get_serialized_output( - OutputType.PRETTY_PRINT, rego_boilerplate=False - ) - arm_containers = json.loads(policy_str) - # filter out None from the list of images in case one doesn't have an - # ID - policy_ids = list( - filter( - lambda item: item is not None, - [i.get(config.POLICY_FIELD_CONTAINERS_ID) for i in arm_containers], - ) - ) - - # filter out any non-sidecar images - for policy_id in policy_ids: - if not policy_id or not is_sidecar(policy_id): - policy_ids.remove(policy_id) - - # if there are no sidecars, then error out - if len(policy_ids) == 0: - eprint("No sidecar images found in the policy.") - - policy = load_policy_from_image_name(policy_ids) - - policy.populate_policy_content_for_all_images(individual_image=True) - policy_str = self.get_serialized_output( - OutputType.PRETTY_PRINT, rego_boilerplate=False - ) - policy_content = json.loads(policy_str) - # done this way instead of self.validate() because the input.json is - # the source of truth - return policy.validate(policy_content, sidecar_validation=True) - - def validate(self, policy, sidecar_validation=False) -> Tuple[bool, Dict]: - """Utility method: general method to compare two policies. - One being the current object and the other is passed in as a parameter""" - if not policy: - eprint("Policy is not in the expected form to validate against") - - policy_str = self.get_serialized_output( - OutputType.PRETTY_PRINT, rego_boilerplate=False - ) - arm_containers = json.loads(policy_str) - - reason_list = {} - - policy_ids = [ - case_insensitive_dict_get(i, config.POLICY_FIELD_CONTAINERS_ID) - for i in policy - ] - - for container in arm_containers: - # see if the IDs match with any container in the policy - - id_val = case_insensitive_dict_get(container, config.ACI_FIELD_CONTAINERS_ID) - - idx = policy_ids.index(id_val) if id_val in policy_ids else None - - if idx is None: - reason_list[id_val] = f"{id_val} not found in policy" - continue - matching_policy_container = policy[idx] - - # copy so we can delete fields and not affect the original data - # structure - container1 = copy.deepcopy(matching_policy_container) - container2 = copy.deepcopy(container) - - # the ID does not matter so delete them from comparison - container1.pop(config.POLICY_FIELD_CONTAINERS_ID, None) - container2.pop(config.POLICY_FIELD_CONTAINERS_ID, None) - # env vars will be compared later so delete them from this - # comparison - container1.pop(config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS, None) - container2.pop(config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS, None) - - container_diff = compare_containers(container1, container2) - - # for sidecar validation, it's fine if the policy has - # more things defined than the image, so we can take - # those out of the diff because it would not hinder deployment - if sidecar_validation: - for k in list(container_diff.keys()): - if "removed" in k: - container_diff.pop(k) - if container_diff != {}: - reason_list[id_val] = container_diff - - env_reason_list = compare_env_vars( - id_val, - case_insensitive_dict_get( - matching_policy_container, - config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS, - ), - case_insensitive_dict_get( - container, config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS - ), - ) - - # merge the output of checking env vars with the original reason - # list - for key, value in env_reason_list.items(): - if key not in reason_list: - reason_list[key] = {} - reason_list[key].update(value) - is_valid = not bool(reason_list) - return is_valid, reason_list - - def compare_fragments(self) -> Dict[str, Any]: - """Utility method: see if the fragments in the policy are the defaults""" - diff = deepdiff.DeepDiff( - self._existing_fragments, config.DEFAULT_REGO_FRAGMENTS, ignore_order=True - ) - return readable_diff(diff) - - def save_to_file( - self, - file_path: str, - output_type: OutputType = OutputType.DEFAULT, - use_json=False, - ) -> None: - output = self.get_serialized_output(output_type, use_json=use_json) - os_util.write_str_to_file(file_path, output) - - def _policy_serialization(self, use_json, pretty_print=False) -> str: - policy = [] - regular_container_images = self.get_images() - - is_sidecars = True - for image in regular_container_images: - is_sidecars = is_sidecars and is_sidecar(image.containerImage) - image_dict = image.get_policy_json() - policy.append(image_dict) - - if not is_sidecars: - # add in the default containers that have their hashes pre-computed - policy += config.DEFAULT_CONTAINERS - if self._disable_stdio: - for container in policy: - container[config.POLICY_FIELD_CONTAINERS_ALLOW_STDIO_ACCESS] = False - - # default output is rego policy - if use_json: - policy = self._convert_to_json(policy) - if pretty_print: - return pretty_print_func(policy) - return print_func(policy) - - def populate_policy_content_for_all_images( - self, individual_image=False, tar_mapping=None - ) -> None: - # suppress warning which will break the progress bar - warnings.filterwarnings( - action="ignore", message="unclosed", category=ResourceWarning - ) - - client = None - tar_location = "" - layer_cache = {} - if not tar_mapping: - client = self._get_docker_client() - elif isinstance(tar_mapping, str): - tar_location = tar_mapping - proxy = self._get_rootfs_proxy() - container_images = self.get_images() - - # total tasks to complete is number of images to pull and get layers - # (i.e. total images * 2 tasks) - _TOTAL = 2 * len(container_images) - - with tqdm( - total=_TOTAL, - desc="Pulling and hashing images...", - unit="percent", - colour="green", - leave=True, - ) as progress: - # make a message queue so we don't interrupt the printing of the - # progress bar - message_queue = [] - # populate regular container images(s) - for image in container_images: - - image_name = f"{image.base}:{image.tag}" - image_info = get_image_info(progress, message_queue, client, tar_mapping, image) - - # verify and populate the working directory property - if not image.get_working_dir() and image_info: - workingDir = image_info.get("WorkingDir") - image.set_working_dir( - workingDir if workingDir else config.DEFAULT_WORKING_DIR - ) - - if ( - isinstance(image, UserContainerImage) or individual_image - ) and image_info: - # verify and populate the startup command - if not image.get_command(): - # precondition: image_info exists. this is shown by the - # "and image_info" earlier - command = image_info.get("Cmd") - - # since we don't have an entrypoint field, - # it needs to be added to the front of the command - # array - entrypoint = image_info.get("Entrypoint") - if entrypoint and command: - command = entrypoint + command - elif entrypoint and not command: - command = entrypoint - image.set_command(command) - - # merge envs for user container image - envs = image_info.get("Env") - env_names = [ - env_var[ - config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_RULE - ].split("=")[0] - for env_var in image.get_environment_rules() - ] - - for env in envs: - name, value = env.split("=", 1) - # when user set environment variables conflict with the ones read from image, always - # keep user set environment variables - if name not in env_names: - image.get_environment_rules().append( - { - config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_RULE: f"{name}={value}", - config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_STRATEGY: "string", - config.POLICY_FIELD_CONTAINERS_ELEMENTS_REQUIRED: False, - } - ) - - # populate layer info - if layer_cache.get(image_name): - image.set_layers(layer_cache.get(image_name)) - else: - image.set_layers(proxy.get_policy_image_layers( - image.base, image.tag, tar_location=tar_location - )) - layer_cache[image_name] = image.get_layers() - progress.update() - progress.close() - self.close() - - # unload the message queue - for message in message_queue: - logger.warning(message) - - def get_images(self) -> List[Any]: - return self._images - - def pull_image(self, image: ContainerImage) -> Any: - client = self._get_docker_client() - return client.images.pull(image.base, image.tag) - - -def load_policy_from_arm_template_str( - template_data: str, - parameter_data: str, - infrastructure_svn: str = None, - debug_mode: bool = False, - disable_stdio: bool = False, -) -> List[AciPolicy]: - """Function that converts ARM template string to an ACI Policy""" - input_arm_json = os_util.load_json_from_str(template_data) - - input_parameter_json = {} - if parameter_data: - input_parameter_json = os_util.load_json_from_str(parameter_data) - - # find the image names and extract them from the template - arm_resources = case_insensitive_dict_get( - input_arm_json, config.ACI_FIELD_RESOURCES - ) - - if not arm_resources: - eprint(f"Field [{config.ACI_FIELD_RESOURCES}] is empty or cannot be found") - - aci_list = [ - item - for item in arm_resources - if item["type"] == config.ACI_FIELD_TEMPLATE_RESOURCE_LABEL - ] - - if not aci_list: - eprint( - f'Field ["type"] must contain value of ["{config.ACI_FIELD_TEMPLATE_RESOURCE_LABEL}"]' - ) - - # extract variables and parameters in case we need to do substitutions - # while searching for image names - all_params = ( - case_insensitive_dict_get(input_arm_json, config.ACI_FIELD_TEMPLATE_PARAMETERS) - or {} - ) - - get_values_for_params(input_parameter_json, all_params) - - input_arm_json = parse_template(all_params, - case_insensitive_dict_get(input_arm_json, config.ACI_FIELD_TEMPLATE_VARIABLES) - or {}, input_arm_json) - - container_groups = [] - - for resource in aci_list: - # initialize the list of containers we need to generate policies for - containers = [] - existing_containers = None - fragments = None - - container_group_properties = case_insensitive_dict_get( - resource, config.ACI_FIELD_TEMPLATE_PROPERTIES - ) - container_list = case_insensitive_dict_get( - container_group_properties, config.ACI_FIELD_TEMPLATE_CONTAINERS - ) - - if not container_list: - eprint( - f'Field ["{config.POLICY_FIELD_CONTAINERS}"] must be a list of {config.POLICY_FIELD_CONTAINERS}' - ) - - init_container_list = case_insensitive_dict_get( - container_group_properties, config.ACI_FIELD_TEMPLATE_INIT_CONTAINERS - ) - # add init containers to the list of other containers since they aren't treated differently - # in the security policy - if init_container_list: - container_list = container_list + init_container_list - - existing_containers, fragments = extract_confidential_properties( - container_group_properties - ) - - rego_fragments = copy.deepcopy(config.DEFAULT_REGO_FRAGMENTS) - if infrastructure_svn: - # assumes the first DEFAULT_REGO_FRAGMENT is always the - # infrastructure fragment - rego_fragments[0][ - config.POLICY_FIELD_CONTAINERS_ELEMENTS_REGO_FRAGMENTS_MINIMUM_SVN - ] = infrastructure_svn - - volumes = ( - case_insensitive_dict_get( - container_group_properties, config.ACI_FIELD_TEMPLATE_VOLUMES - ) - or [] - ) - if volumes and not isinstance(volumes, list): - # parameter definition is in parameter file but not arm template - eprint(f'Parameter ["{config.ACI_FIELD_TEMPLATE_VOLUMES}"] must be a list') - - for container in container_list: - image_properties = case_insensitive_dict_get( - container, config.ACI_FIELD_TEMPLATE_PROPERTIES - ) - image_name = case_insensitive_dict_get( - image_properties, config.ACI_FIELD_TEMPLATE_IMAGE - ) - - if not image_name: - eprint( - f'Field ["{config.ACI_FIELD_TEMPLATE_PARAMETERS}"] is empty or cannot be found' - ) - - exec_processes = [] - extract_probe(exec_processes, image_properties, config.ACI_FIELD_CONTAINERS_READINESS_PROBE) - extract_probe(exec_processes, image_properties, config.ACI_FIELD_CONTAINERS_LIVENESS_PROBE) - - containers.append( - { - config.ACI_FIELD_CONTAINERS_ID: image_name, - config.ACI_FIELD_CONTAINERS_CONTAINERIMAGE: image_name, - config.ACI_FIELD_CONTAINERS_ENVS: process_env_vars_from_template(image_properties), - config.ACI_FIELD_CONTAINERS_COMMAND: case_insensitive_dict_get( - image_properties, config.ACI_FIELD_TEMPLATE_COMMAND - ) - or [], - config.ACI_FIELD_CONTAINERS_MOUNTS: process_mounts(image_properties, volumes), - config.ACI_FIELD_CONTAINERS_ALLOW_ELEVATED: False, - config.ACI_FIELD_CONTAINERS_EXEC_PROCESSES: exec_processes - + config.DEBUG_MODE_SETTINGS.get("execProcesses") - if debug_mode - else exec_processes, - config.ACI_FIELD_CONTAINERS_SIGNAL_CONTAINER_PROCESSES: [], - config.ACI_FIELD_CONTAINERS_ALLOW_STDIO_ACCESS: not disable_stdio, - } - ) - - container_groups.append( - AciPolicy( - { - config.ACI_FIELD_VERSION: "1.0", - config.ACI_FIELD_CONTAINERS: containers, - config.ACI_FIELD_TEMPLATE_CCE_POLICY: existing_containers, - }, - disable_stdio=disable_stdio, - rego_fragments=rego_fragments, - # fallback to default fragments if the policy is not present - existing_rego_fragments=fragments, - debug_mode=debug_mode, - ) - ) - return container_groups - - -def load_policy_from_arm_template_file( - infrastructure_svn: str, - template_path: str, - parameter_path: str, - debug_mode: bool = False, - disable_stdio: bool = False, -) -> List[AciPolicy]: - """Utility function: generate policy object from given arm template and parameter file paths""" - input_arm_json = os_util.load_str_from_file(template_path) - input_parameter_json = None - if parameter_path: - input_parameter_json = os_util.load_str_from_file(parameter_path) - return load_policy_from_arm_template_str( - input_arm_json, input_parameter_json, infrastructure_svn, - debug_mode=debug_mode, disable_stdio=disable_stdio - ) - - -def load_policy_from_file(path: str, debug_mode: bool = False) -> AciPolicy: - """Utility function: generate policy object from given json file path""" - policy_input_json = os_util.load_str_from_file(path) - - return load_policy_from_str(policy_input_json, debug_mode=debug_mode, ) - - -def load_policy_from_image_name( - image_names: List[str] or str, debug_mode: bool = False, disable_stdio: bool = False -) -> AciPolicy: - # can either take a list of image names or a single image name - if isinstance(image_names, str): - image_names = [image_names] - - client = docker.from_env() - containers = [] - for image_name in image_names: - container = {} - # assign just the fields that are expected - # the values will come when calling - # populate_policy_content_for_all_images later on - container[config.ACI_FIELD_TEMPLATE_COMMAND] = [] - container[config.ACI_FIELD_CONTAINERS_ENVS] = [] - - # assign image name to ID field - container[config.ACI_FIELD_CONTAINERS_ID] = image_name - - container[config.ACI_FIELD_CONTAINERS_CONTAINERIMAGE] = image_name - container[config.ACI_FIELD_CONTAINERS_ALLOW_STDIO_ACCESS] = not disable_stdio - - containers.append(container) - client.close() - - return AciPolicy( - { - config.ACI_FIELD_VERSION: "1.0", - config.ACI_FIELD_CONTAINERS: containers, - # fallback to default fragments if the policy is not present - config.POLICY_FIELD_CONTAINERS_ELEMENTS_REGO_FRAGMENTS: config.DEFAULT_REGO_FRAGMENTS, - }, - debug_mode=debug_mode, - ) - - -def load_policy_from_str(data: str, debug_mode: bool = False) -> AciPolicy: - """Utility function: generate policy object from given json string""" - policy_input_json = os_util.load_json_from_str(data) - containers = case_insensitive_dict_get( - policy_input_json, config.ACI_FIELD_CONTAINERS - ) - - rego_fragments = case_insensitive_dict_get( - policy_input_json, config.ACI_FIELD_CONTAINERS_REGO_FRAGMENTS - ) - - if rego_fragments: - if not isinstance(rego_fragments, list): - eprint( - f'Field ["{config.ACI_FIELD_CONTAINERS}"]' - + f'["{config.POLICY_FIELD_CONTAINERS_ELEMENTS_REGO_FRAGMENTS}"]' - + "can only be a list." - ) - - for fragment in rego_fragments: - feed = case_insensitive_dict_get( - fragment, config.ACI_FIELD_CONTAINERS_REGO_FRAGMENTS_FEED - ) - if not isinstance(feed, str): - eprint( - f'Field ["{config.ACI_FIELD_CONTAINERS}"]' - + f'["{config.POLICY_FIELD_CONTAINERS_ELEMENTS_REGO_FRAGMENTS}"]' - + f'["{config.POLICY_FIELD_CONTAINERS_ELEMENTS_REGO_FRAGMENTS}"]' - + "can only be a string value." - ) - - iss = case_insensitive_dict_get( - fragment, config.ACI_FIELD_CONTAINERS_REGO_FRAGMENTS_ISS - ) - if not isinstance(iss, str): - eprint( - f'Field ["{config.ACI_FIELD_CONTAINERS}"]' - + f'["{config.POLICY_FIELD_CONTAINERS_ELEMENTS_REGO_FRAGMENTS}"]' - + f'["{config.ACI_FIELD_CONTAINERS_REGO_FRAGMENTS_ISS}"]' - + "can only be a string value." - ) - - minimum_svn = case_insensitive_dict_get( - fragment, config.ACI_FIELD_CONTAINERS_REGO_FRAGMENTS_MINIMUM_SVN - ) - if not isinstance(minimum_svn, str): - eprint( - f'Field ["{config.ACI_FIELD_CONTAINERS}"]' - + f'["{config.POLICY_FIELD_CONTAINERS_ELEMENTS_REGO_FRAGMENTS}"]' - + f'["{config.ACI_FIELD_CONTAINERS_REGO_FRAGMENTS_MINIMUM_SVN}"]' - + "can only be a string value." - ) - - includes = case_insensitive_dict_get( - fragment, config.ACI_FIELD_CONTAINERS_REGO_FRAGMENTS_INCLUDES - ) - if not isinstance(includes, list): - eprint( - f'Field ["{config.ACI_FIELD_CONTAINERS}"]' - + f'["{config.POLICY_FIELD_CONTAINERS_ELEMENTS_REGO_FRAGMENTS}"]' - + f'["{config.ACI_FIELD_CONTAINERS_REGO_FRAGMENTS_INCLUDES}"]' - + "can only be a list." - ) - - if not containers: - eprint(f'Field ["{config.ACI_FIELD_CONTAINERS}"] is empty or can not be found.') - - for container in containers: - image_name = case_insensitive_dict_get( - container, config.ACI_FIELD_CONTAINERS_CONTAINERIMAGE - ) - - if not image_name: - eprint( - f'Field ["{config.ACI_FIELD_CONTAINERS_CONTAINERIMAGE}"] is empty or can not be found.' - ) - container[config.ACI_FIELD_CONTAINERS_ID] = image_name - - # set the fields that are present in the container but not in the - # config - container[config.ACI_FIELD_CONTAINERS_EXEC_PROCESSES] = container.get( - config.ACI_FIELD_CONTAINERS_EXEC_PROCESSES, []) + ( - config.DEBUG_MODE_SETTINGS.get("execProcesses") if debug_mode else [] - ) - container[config.ACI_FIELD_CONTAINERS_SIGNAL_CONTAINER_PROCESSES] = [] - - return AciPolicy( - policy_input_json, - rego_fragments=rego_fragments or config.DEFAULT_REGO_FRAGMENTS, - debug_mode=debug_mode, - ) diff --git a/src/confcom/azext_confcom/template.parameters.md b/src/confcom/azext_confcom/template.parameters.md deleted file mode 100644 index 76f197b64a2..00000000000 --- a/src/confcom/azext_confcom/template.parameters.md +++ /dev/null @@ -1,24 +0,0 @@ -This file is a reference page for the [README](README.md) file. - -template.parameters.json - -``` -{ - "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentParameters.json#", - "contentVersion": "1.0.0.0", - "parameters": { - "share-name": { - "value": "" - }, - "storage-account-name": { - "value": "" - }, - "storage-account-key": { - "value": "" - }, - "image": { - "value": "acicc.azurecr.io/aci/cc-hello-world:latest" - } - } -} -``` \ No newline at end of file diff --git a/src/confcom/azext_confcom/template_util.py b/src/confcom/azext_confcom/template_util.py deleted file mode 100644 index 66ea51218b8..00000000000 --- a/src/confcom/azext_confcom/template_util.py +++ /dev/null @@ -1,738 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -------------------------------------------------------------------------------------------- - -import re -import json -import copy -import tarfile -from typing import Any, Tuple, Dict, List -import deepdiff -import yaml -import docker -from azext_confcom.errors import ( - eprint, -) -from azext_confcom import os_util -from azext_confcom import config - - -def case_insensitive_dict_get(dictionary, search_key) -> Any: - if not isinstance(dictionary, dict): - return None - # if the cases happen to match, immediately return .get() result - possible_match = dictionary.get(search_key) - if possible_match: - return possible_match - # case insensitive get and return reference instead of just value - for key in dictionary.keys(): - if key.lower() == search_key.lower(): - return dictionary[key] - return None - - -def get_image_info(progress, message_queue, client, tar_mapping, image): - image_info = None - raw_image = None - image_name = f"{image.base}:{image.tag}" - if len(image.tag.split(":")) > 1: - eprint( - f"The image name: {image.tag} cannot have the digest present to use a tarball as the image source" - ) - # only try to grab the info locally if that's absolutely what - # we want to do - if tar_mapping: - tar_location = get_tar_location_from_mapping(tar_mapping, image_name) - with tarfile.open(tar_location) as tar: - # get all the info out of the tarfile - image_info = os_util.map_image_from_tar( - image_name, tar, tar_location - ) - message_queue.append("read from local tar file") - else: - # see if we have the image locally so we can have a - # 'clean-room' - if not image_info: - try: - raw_image = client.images.get(image_name) - image_info = raw_image.attrs.get("Config") - message_queue.append( - f"Using local version of {image_name}. It may differ from the remote image" - ) - except docker.errors.ImageNotFound: - message_queue.append( - f"{image_name} is not found locally. Attempting to pull from remote..." - ) - - if not image_info: - try: - # pull image to local daemon (if not in local - # daemon) - if not raw_image: - raw_image = client.images.pull(image.base, image.tag) - image_info = raw_image.attrs.get("Config") - except (docker.errors.ImageNotFound, docker.errors.NotFound): - progress.close() - eprint( - f"{image_name} is not found remotely. " - + "Please check to make sure the image and repository exist" - ) - # warn if the image is the "latest" - if image.tag == "latest": - message_queue.append( - 'Using image tag "latest" is not recommended' - ) - - progress.update() - - # error out if we're attempting to build for an unsupported - # architecture - if ( - raw_image and - raw_image.attrs.get( - config.ACI_FIELD_CONTAINERS_ARCHITECTURE_KEY - ) != - config.ACI_FIELD_CONTAINERS_ARCHITECTURE_VALUE - ) or ( - not raw_image and image_info.get(config.ACI_FIELD_CONTAINERS_ARCHITECTURE_KEY) != - config.ACI_FIELD_CONTAINERS_ARCHITECTURE_VALUE - ): - progress.close() - eprint( - f"{image_name} is attempting to build for unsupported architecture: " + - f"{raw_image.attrs.get(config.ACI_FIELD_CONTAINERS_ARCHITECTURE_KEY)}. " - + f"Only {config.ACI_FIELD_CONTAINERS_ARCHITECTURE_VALUE} is supported by Confidential ACI" - ) - - return image_info - - -def get_tar_location_from_mapping(tar_mapping: Any, image_name: str) -> str: - # tar location can either be a dict mapping images to paths to tarfiles or a string to the tarfile - tar_location = None - if isinstance(tar_mapping, dict): - # make it so the user can either put "latest" or infer it - if image_name.endswith(":latest"): - alternate_key = image_name.split(":")[0] - else: - alternate_key = None - tar_location = tar_mapping.get(image_name) or tar_mapping.get( - alternate_key - ) - else: - tar_location = tar_mapping - # this needs to exist to continue - if not tar_location: - eprint( - f"The image {image_name} is not present in the tarball mapping file" - ) - return tar_location - - -def process_env_vars_from_template(image_properties: dict) -> List[Dict[str, str]]: - env_vars = [] - # add in the env vars from the template - template_env_vars = case_insensitive_dict_get( - image_properties, config.ACI_FIELD_TEMPLATE_ENVS - ) - - if template_env_vars: - env_vars = [ - { - config.ACI_FIELD_CONTAINERS_ENVS_NAME: case_insensitive_dict_get( - x, "name" - ), - config.ACI_FIELD_CONTAINERS_ENVS_VALUE: case_insensitive_dict_get( - x, "value" - ) or - case_insensitive_dict_get( - x, "secureValue" - ), - config.ACI_FIELD_CONTAINERS_ENVS_STRATEGY: "string", - } - for x in template_env_vars - ] - return env_vars - - -def process_mounts(image_properties: dict, volumes: List[dict]) -> List[Dict[str, str]]: - mount_source_table_keys = config.MOUNT_SOURCE_TABLE.keys() - # initialize empty array of mounts - mounts = [] - # get the mount types from the mounts section of the ARM template - volume_mounts = ( - case_insensitive_dict_get( - image_properties, config.ACI_FIELD_TEMPLATE_VOLUME_MOUNTS - ) - or [] - ) - - if volume_mounts and not isinstance(volume_mounts, list): - # parameter definition is in parameter file but not arm - # template - eprint( - f'Parameter ["{config.ACI_FIELD_TEMPLATE_VOLUME_MOUNTS}"] must be a list' - ) - - # get list of mount information based on mount name - for mount in volume_mounts: - mount_name = case_insensitive_dict_get(mount, "name") - - filtered_volume = [ - x - for x in volumes - if case_insensitive_dict_get(x, "name") == mount_name - ] - - if not filtered_volume: - eprint(f'Volume ["{mount_name}"] not found in volume declarations') - else: - filtered_volume = filtered_volume[0] - - # figure out mount type - mount_type_value = "" - for i in filtered_volume.keys(): - if i in mount_source_table_keys: - mount_type_value = i - - mounts.append( - { - config.ACI_FIELD_CONTAINERS_MOUNTS_TYPE: mount_type_value, - config.ACI_FIELD_CONTAINERS_MOUNTS_PATH: case_insensitive_dict_get( - mount, config.ACI_FIELD_TEMPLATE_MOUNTS_PATH - ), - config.ACI_FIELD_CONTAINERS_MOUNTS_READONLY: case_insensitive_dict_get( - mount, config.ACI_FIELD_TEMPLATE_MOUNTS_READONLY - ), - } - ) - return mounts - - -def get_values_for_params(input_parameter_json: dict, all_params: dict) -> Dict[str, Any]: - # combine the parameter file into a single dictionary with the template - # parameters - if not input_parameter_json: - return - - input_parameter_values_json = case_insensitive_dict_get( - input_parameter_json, config.ACI_FIELD_TEMPLATE_PARAMETERS - ) - - # parameter file is missing field "parameters" - if input_parameter_json and not input_parameter_values_json: - eprint( - f'Field ["{config.ACI_FIELD_TEMPLATE_PARAMETERS}"] is empty or cannot be found in Parameter file' - ) - - for key in input_parameter_values_json.keys(): - if case_insensitive_dict_get(all_params, key): - all_params[key]["value"] = case_insensitive_dict_get( - case_insensitive_dict_get(input_parameter_values_json, key), "value" - ) or case_insensitive_dict_get( - case_insensitive_dict_get(input_parameter_values_json, key), "secureValue" - ) - else: - # parameter definition is in parameter file but not arm - # template - eprint( - f'Parameter ["{key}"] is empty or cannot be found in ARM template' - ) - - -def extract_probe(exec_processes: List[dict], image_properties: dict, probe: str): - - # get the readiness probe if it exists and is an exec command - probe = case_insensitive_dict_get( - image_properties, probe - ) - - if probe: - probe_exec = case_insensitive_dict_get( - probe, config.ACI_FIELD_CONTAINERS_PROBE_ACTION - ) - if probe_exec: - probe_command = case_insensitive_dict_get( - probe_exec, - config.ACI_FIELD_CONTAINERS_PROBE_COMMAND, - ) - if not probe_command: - eprint("Probes must have a 'command' declaration") - exec_processes.append({ - config.ACI_FIELD_CONTAINERS_PROBE_COMMAND: probe_command, - config.ACI_FIELD_CONTAINERS_SIGNAL_CONTAINER_PROCESSES: [], - }) - - -def readable_diff(diff_dict) -> Dict[str, Any]: - # need to rename fields in the deep diff to be more accessible to customers - name_translation = { - "values_changed": "values_changed", - "iterable_item_removed": "values_removed", - "iterable_item_added": "values_added", - } - - human_readable_diff = {} - # iterate through the possible types of changes i.e. "iterable_item_removed" - for category in diff_dict: - new_name = case_insensitive_dict_get(name_translation, category) or category - if case_insensitive_dict_get(human_readable_diff, category) is None: - human_readable_diff[new_name] = {} - # sometimes the output will be an array, this next chunk doesn't work for that case in its current state - if isinstance(diff_dict[category], dict): - # search for the area of the ARM Template with the change i.e. "mounts" or "env_rules" - for key in diff_dict[category]: - key = str(key) - key_name = re.search(r"'(.*?)'", key).group(1) - human_readable_diff[new_name].setdefault(key_name, []).append( - diff_dict[category][key] - ) - - return change_key_names(human_readable_diff) - - -def compare_containers(container1, container2) -> Dict[str, Any]: - """Utility method: see if the container in test_policy - would be allowed to run under the rules of the 'self' policy""" - - diff = deepdiff.DeepDiff( - container1, - container2, - ) - # cast to json using built-in function in deepdiff so there's safe translation - # e.g. a type will successfully cast to string - return readable_diff(json.loads(diff.to_json())) - - -def change_key_names(dictionary) -> Dict: - """Recursive function to rename keys wherever they are in the output diff dictionary""" - # need to rename fields in the deep diff to be more accessible to customers - name_translation = { - "old_value": "policy_value", - "new_value": "tested_value", - } - - if isinstance(dictionary, (str, int)): - return None - if isinstance(dictionary, list): - for item in dictionary: - change_key_names(item) - if isinstance(dictionary, dict): - keys = list(dictionary.keys()) - for key in keys: - if key in name_translation: - dictionary[name_translation[key]] = dictionary.pop(key) - key = name_translation[key] - # go through the rest of the keys in case the objects are nested - change_key_names(dictionary[key]) - return dictionary - - -def find_value_in_params_and_vars(params: dict, vars_dict: dict, search: str) -> str: - """Utility function: either returns the input search value, - or replaces it with the defined value in either params or vars of the ARM template""" - # this pattern might need to be updated for more naming options in the future - # pattern = "(parameters|variables)\('([\w\-\_0-9]+)'\)" - pattern = r"(?:parameters|variables)\(\s*'([^\.\/]+?)'\s*\)" - param_name = re.findall(pattern, search) - - if not param_name: - return search - - # this could be updated in the future if more than one variable/parameter is used in one value - param_name = param_name[0] - - # figure out if we need to search in variables or parameters - - match = "" - if config.ACI_FIELD_TEMPLATE_PARAMETERS in search: - - param_value = case_insensitive_dict_get(params, param_name) - - if not param_value: - eprint( - f"""Field ["{param_name}"] not found in ["{config.ACI_FIELD_TEMPLATE_PARAMETERS}"] - or ["{config.ACI_FIELD_TEMPLATE_VARIABLES}"]""" - ) - # fallback to default value - match = case_insensitive_dict_get( - param_value, "value" - ) or case_insensitive_dict_get(param_value, "defaultValue") - else: - match = case_insensitive_dict_get(vars_dict, param_name) - - if not match: - eprint( - f"""Field ["{param_name}"] not found in ["{config.ACI_FIELD_TEMPLATE_PARAMETERS}"] - or ["{config.ACI_FIELD_TEMPLATE_VARIABLES}"]""" - ) - - return match - - -def parse_template(params: dict, vars_dict: dict, template) -> Any: - """Utility function: replace all instances of variable and parameter references in an ARM template - current limitations: - - object values for parameters and variables - - template functions - - complex values for parameters and variables - - parameter and variables names might not be recognized all the time - """ - if isinstance(template, dict): - for key, value in template.items(): - if isinstance(value, str): - template[key] = find_value_in_params_and_vars(params, vars_dict, value) - elif isinstance(value, dict): - parse_template(params, vars_dict, value) - elif isinstance(value, list): - for i, _ in enumerate(value): - template[key][i] = parse_template(params, vars_dict, value[i]) - return template - - -def extract_containers_from_text(text, start) -> str: - """Utility function: extract the container and fragment - information from the string version of a rego file. - The contained information is assumed to be an array between square brackets""" - start_index = text.find(start) - ending = text[start_index + len(start):] - - count = bracket_count = 0 - character = ending[count] - flag = True - # kind of an FSM to get everything between starting square bracket and end - while bracket_count > 0 or flag: - count += 1 - # make sure we're ending on the correct end bracket - if character == "[": - bracket_count += 1 - flag = False - elif character == "]": - bracket_count -= 1 - - if count == len(ending): - # throw error, invalid rego file - break - character = ending[count] - # get everything between the square brackets - return ending[:count] - - -def extract_confidential_properties( - container_group_properties, -) -> Tuple[List[Dict], List[Dict]]: - container_start = "containers := " - fragment_start = "fragments := " - # extract the existing cce policy if that's what was being asked - confidential_compute_properties = case_insensitive_dict_get( - container_group_properties, config.ACI_FIELD_TEMPLATE_CONFCOM_PROPERTIES - ) - - if confidential_compute_properties is None: - eprint( - f"""Field ["{config.ACI_FIELD_TEMPLATE_CONFCOM_PROPERTIES}"] - not found in ["{config.ACI_FIELD_TEMPLATE_PROPERTIES}"]""" - ) - - cce_policy = case_insensitive_dict_get( - confidential_compute_properties, config.ACI_FIELD_TEMPLATE_CCE_POLICY - ) - # special case when "ccePolicy" field is blank, indicating the use of the "allow all" policy - if not cce_policy: - return ([], config.DEFAULT_REGO_FRAGMENTS) - - cce_policy = os_util.base64_to_str(cce_policy) - # error check that the decoded policy existing in the template is not in JSON format - try: - json.loads(cce_policy) - eprint( - """The existing security policy within the ARM Template - is not in the expected Rego format when decoded from base64""" - ) - except json.decoder.JSONDecodeError: - # this is expected, we do not want json - pass - - try: - container_text = extract_containers_from_text(cce_policy, container_start) - # replace tabs with 4 spaces, YAML parser can take in JSON with trailing commas but not tabs - # so we need to get rid of the tabs - container_text = container_text.replace("\t", " ") - - containers = yaml.load(container_text, Loader=yaml.FullLoader) - - fragment_text = extract_containers_from_text( - cce_policy, fragment_start - ).replace("\t", " ") - - fragments = yaml.load( - fragment_text, - Loader=yaml.FullLoader, - ) - except yaml.YAMLError: - # reading the rego file failed, so we'll just return the default outputs - containers = [] - fragments = [] - - return (containers, fragments) - - -# making these lambda print functions looks cleaner than having "json.dumps" 6 times -def print_func(x: dict) -> str: - return json.dumps(x, separators=(",", ":"), sort_keys=True) - - -def pretty_print_func(x: dict) -> str: - return json.dumps(x, indent=2, sort_keys=True) - - -def is_sidecar(image_name: str) -> bool: - return image_name.split(":")[0] in config.BASELINE_SIDECAR_CONTAINERS - - -def compare_env_vars( - id_val, env_list1: List[Dict[str, Any]], env_list2: List[Dict[str, Any]] -) -> Dict[str, List[str]]: - reason_list = {} - policy_env_rules_regex = [ - case_insensitive_dict_get(i, config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_RULE) - for i in env_list1 - if case_insensitive_dict_get( - i, config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_STRATEGY - ) - == "re2" - ] - - policy_env_rules_str = [ - case_insensitive_dict_get(i, config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_RULE) - for i in env_list1 - if case_insensitive_dict_get( - i, config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_STRATEGY - ) - == "string" - ] - - # check that all env vars in the container match rules that are present in the policy - for env_rule in env_list2: - # case where rule with strategy string is not in the policy's list of string rules - # we need to check if it fits one of the patterns in the regex list - if ( - case_insensitive_dict_get( - env_rule, config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_STRATEGY - ) - == "string" - and case_insensitive_dict_get( - env_rule, config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_RULE - ) - not in policy_env_rules_str - ): - # check if the env var matches any of the regex rules - matching = False - for pattern in policy_env_rules_regex: - matching = matching or re.search( - pattern, - case_insensitive_dict_get( - env_rule, config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_RULE - ), - ) - if matching: - break - - if not matching: - # create the env_rules entry in the diff output if it doesn't exist - reason_list.setdefault(id_val, {}) - # add this to the list of rules violating policy - reason_list[id_val].setdefault( - config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS, [] - ).append( - "environment variable with rule " - + f"'{case_insensitive_dict_get(env_rule, config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_RULE)}' " - + "does not match strings or regex in policy rules" - ) - # make sure all the regex patterns are included in the policy too - elif ( - case_insensitive_dict_get( - env_rule, config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_STRATEGY - ) - == "re2" - and case_insensitive_dict_get( - env_rule, config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_RULE - ) - not in policy_env_rules_regex - ): - # create the env_rules entry in the diff output if it doesn't exist - reason_list.setdefault(id_val, {}) - # add this to the list of rules violating policy - reason_list[id_val].setdefault( - config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS, [] - ).append( - "environment variable with rule " - + f"'{case_insensitive_dict_get(env_rule, config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_RULE)}' " - + "is not in the policy" - ) - return reason_list - - -def inject_policy_into_template( - arm_template_path: str, parameter_data_path: str, policy: str, count: int -) -> bool: - write_flag = False - parameter_data = None - input_arm_json = os_util.load_json_from_file(arm_template_path) - if parameter_data_path: - parameter_data = os_util.load_json_from_file(arm_template_path) - # find the image names and extract them from the template - arm_resources = case_insensitive_dict_get( - input_arm_json, config.ACI_FIELD_RESOURCES - ) - - if not arm_resources: - eprint(f"Field [{config.ACI_FIELD_RESOURCES}] is empty or cannot be found") - - aci_list = [ - item - for item in arm_resources - if item["type"] == config.ACI_FIELD_TEMPLATE_RESOURCE_LABEL - ] - - if not aci_list: - eprint( - f'Field ["type"] must contain value of ["{config.ACI_FIELD_TEMPLATE_RESOURCE_LABEL}"]' - ) - - resource = aci_list[count] - - container_group_properties = case_insensitive_dict_get( - resource, config.ACI_FIELD_TEMPLATE_PROPERTIES - ) - - # extract the existing cce policy if that's what was being asked - confidential_compute_properties = case_insensitive_dict_get( - container_group_properties, config.ACI_FIELD_TEMPLATE_CONFCOM_PROPERTIES - ) - - if confidential_compute_properties is None: - eprint( - f'Field ["{config.ACI_FIELD_TEMPLATE_CONFCOM_PROPERTIES}"] ' + - f'not found in ["{config.ACI_FIELD_TEMPLATE_PROPERTIES}"]' - ) - - cce_policy = case_insensitive_dict_get( - confidential_compute_properties, config.ACI_FIELD_TEMPLATE_CCE_POLICY - ) - # special case when "ccePolicy" field is blank, indicating the use of the "allow all" policy - if not cce_policy: - confidential_compute_properties[config.ACI_FIELD_TEMPLATE_CCE_POLICY] = policy - write_flag = True - else: - container_group_name = get_container_group_name( - input_arm_json, parameter_data, count - ) - user_input = input( - "Do you want to overwrite the CCE Policy currently in container group " + - f'"{container_group_name}" in the ARM Template? (y/n) ' - ) - if user_input.lower() == "y": - confidential_compute_properties[ - config.ACI_FIELD_TEMPLATE_CCE_POLICY - ] = policy - write_flag = True - if write_flag: - os_util.write_json_to_file(arm_template_path, input_arm_json) - return True - return False - - -def get_container_group_name( - input_arm_json: dict, input_parameter_json: dict, count: int -) -> bool: - arm_json = copy.deepcopy(input_arm_json) - # extract variables and parameters in case we need to do substitutions - # while searching for image names - all_vars = case_insensitive_dict_get(arm_json, config.ACI_FIELD_TEMPLATE_VARIABLES) or {} - all_params = ( - case_insensitive_dict_get(arm_json, config.ACI_FIELD_TEMPLATE_PARAMETERS) or {} - ) - - if input_parameter_json: - # combine the parameter file into a single dictionary with the template parameters - input_parameter_values_json = case_insensitive_dict_get( - input_parameter_json, config.ACI_FIELD_TEMPLATE_PARAMETERS - ) - for key in input_parameter_values_json.keys(): - if case_insensitive_dict_get(all_params, key): - all_params[key]["value"] = case_insensitive_dict_get( - case_insensitive_dict_get(input_parameter_values_json, key), "value" - ) or case_insensitive_dict_get( - case_insensitive_dict_get(input_parameter_values_json, key), - "secureValue", - ) - else: - # parameter definition is in parameter file but not arm template - eprint( - f'Parameter ["{key}"] is empty or cannot be found in ARM template' - ) - # parameter file is missing field "parameters" - elif input_parameter_json and not input_parameter_values_json: - eprint( - f'Field ["{config.ACI_FIELD_TEMPLATE_PARAMETERS}"] is empty or cannot be found in Parameter file' - ) - - arm_json = parse_template(all_params, all_vars, arm_json) - # find the image names and extract them from the template - arm_resources = case_insensitive_dict_get(arm_json, config.ACI_FIELD_RESOURCES) - - if not arm_resources: - eprint(f"Field [{config.ACI_FIELD_RESOURCES}] is empty or cannot be found") - - aci_list = [ - item - for item in arm_resources - if item["type"] == config.ACI_FIELD_TEMPLATE_RESOURCE_LABEL - ] - - if not aci_list: - eprint( - f'Field ["type"] must contain value of ["{config.ACI_FIELD_TEMPLATE_RESOURCE_LABEL}"]' - ) - - resource = aci_list[count] - container_group_name = case_insensitive_dict_get(resource, config.ACI_FIELD_RESOURCES_NAME) - return container_group_name - - -def print_existing_policy_from_arm_template(arm_template_path, parameter_data_path): - input_arm_json = os_util.load_json_from_file(arm_template_path) - parameter_data = None - if parameter_data_path: - parameter_data = os_util.load_json_from_file(arm_template_path) - # find the image names and extract them from the template - arm_resources = case_insensitive_dict_get( - input_arm_json, config.ACI_FIELD_RESOURCES - ) - - if not arm_resources: - eprint(f"Field [{config.ACI_FIELD_RESOURCES}] is empty or cannot be found") - - aci_list = [ - item - for item in arm_resources - if item["type"] == config.ACI_FIELD_TEMPLATE_RESOURCE_LABEL - ] - - if not aci_list: - eprint( - f'Field ["type"] must contain value of ["{config.ACI_FIELD_TEMPLATE_RESOURCE_LABEL}"]' - ) - for i, resource in enumerate(aci_list): - container_group_properties = case_insensitive_dict_get( - resource, config.ACI_FIELD_TEMPLATE_PROPERTIES - ) - container_group_name = get_container_group_name(input_arm_json, parameter_data, i) - - (containers, _) = extract_confidential_properties(container_group_properties) - if not containers: - eprint("CCE Policy is either in an supported format or not present") - print(f"CCE Policy for Container Group: {container_group_name}\n") - print(pretty_print_func(containers)) diff --git a/src/confcom/azext_confcom/tests/__init__.py b/src/confcom/azext_confcom/tests/__init__.py deleted file mode 100644 index 99c0f28cd71..00000000000 --- a/src/confcom/azext_confcom/tests/__init__.py +++ /dev/null @@ -1,5 +0,0 @@ -# ----------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for -# license information. -# ----------------------------------------------------------------------------- diff --git a/src/confcom/azext_confcom/tests/latest/README.md b/src/confcom/azext_confcom/tests/latest/README.md deleted file mode 100644 index f82de30f465..00000000000 --- a/src/confcom/azext_confcom/tests/latest/README.md +++ /dev/null @@ -1,105 +0,0 @@ -# Testing - -This file is used to organize what test cases are present and what they are specifically testing. -It could be replaced by having more descriptions inside each testing file. -The tests are split up into separate files depending on their input type: - -## Coverage Report - -To get line coverage from the tests run the following commands after installing `coverage` with `pip install coverage`. -`coverage run -m pytest ` -then run -`coverage html` -to generate a report in html that can then be navigated using a browser by opening the file `htmlcov/index.html` in a browser tab. - -## ARM Template [test file](test_confcom_arm.py) - -This is arguably the easiest way to generate a CCE Policy. -It uses the ARM template used to deploy a ACI Container Group while taking into account environment variables and mounts that are present in the ARM template. - -Test Name | Image Used | Purpose ----|---|--- -test_arm_template_policy | python:3.6.14-slim-buster | Generate an ARM Template policy and policy.json policy and see if their outputs match -test_default_infrastructure_svn | python:3.6.14-slim-buster | See the default value of the minimum SVN for the infrastructure fragment -test_arm_template_missing_image_name | N/A | Error condition if an image isn't specified -test_arm_template_missing_resources | N/A | Error condition where no resources are specified to deploy -test_arm_template_missing_aci | N/A | Error condition where ACI is not specified in resources -test_arm_template_missing_containers | N/A | Error condition where there are no containers in the ACI resource -test_arm_template_missing_default_value | N/A | Error condition where there aren't default values or defined values for parameters in the ARM Template -test_arm_template_missing_definition | python:3.6.14-slim-buster | Error condition where image is specified in template.parameters.json but not in template.json -test_arm_template_with_parameter_file | mcr.microsoft.com/azure-functions/python:4-python3.8 | Condition where image in template.parameters.json overwrites image name in template.json -test_arm_template_with_parameter_file_injected_env_vars | mcr.microsoft.com/azure-functions/python:4-python3.8 | See if env vars from the image are injected into the policy. Also make sure the `concat` function in ARM template won't break the CLI if it's not in a required spot like image name -test_arm_template_with_parameter_file_arm_config | mcr.microsoft.com/azure-functions/python:4-python3.8 | Test valid case of using a parameter file with JSON output instead of Rego -test_arm_template_with_parameter_file_clean_room | mcr.microsoft.com/azure-functions/node:4 | Test clean room case where image specified does not exist remotely but does locally -test_policy_diff | rust:1.52.1 | See if the diff functionality outputs `True` when diffs match completely -test_incorrect_policy_diff | rust:1.52.1 | Check output formatting and functionality of diff command -test_update_infrastructure_svn | python:3.6.14-slim-buster | Change the minimum SVN for the insfrastructure fragment -test_multiple_policies | python:3.6.14-slim-buster & rust:1.52.1 | See if two unique policies are generated from a single ARM Template container multiple container groups. Also have an extra resource that is untouched. Also has a secureValue for an environment variable. -test_arm_template_with_init_container | python:3.6.14-slim-buster & rust:1.52.1 | See if having an initContainer is picked up and added to the list of valid containers -test_arm_template_without_stdio_access | rust:1.52.1 | See if disabling container stdio access gets passed down to individual containers - -## policy.json [test file](test_confcom_scenario.py) - -This was the initial way to input policy information into the confcom extension. -It is still used for generating sidecar CCE Policies. - -Test Name | Image Used | Purpose ----|---|--- -test_user_container_customized_mounts | rust:1.52.1 | See if mounts are translated correctly to the appropriate source and destination locations -test_user_container_mount_injected_dns | python:3.6.14-slim-buster | See if the resolvconf mount works properly -test_injected_sidecar_container_msi | mcr.microsoft.com/aci/msi-atlas-adapter:master_20201203.1 | Make sure User mounts and env vars aren't added to sidecar containers, using JSON output format -test_logging_enabled | python:3.6.14-slim-buster | Enable logging via debug_mode -test_sidecar | mcr.microsoft.com/aci/msi-atlas-adapter:master_20201210.1 | See if sidecar validation would pass policy created by given policy.json -test_sidecar_stdio_access_default | Check that sidecar containers have std I/O access by default -test_incorrect_sidecar | mcr.microsoft.com/aci/msi-atlas-adapter:master_20201210.1 | See what output format for failing sidecar validation would be -test_customized_workingdir | python:3.6.14-slim-buster | Using different working dir than specified in image metadata -test_allow_elevated | python:3.6.14-slim-buster | Using allow_elevated in container -test_image_layers_python | python:3.6.14-slim-buster | Make sure image layers are as expected -test_image_layers_rust | rust:1.52.1 | Make sure image layers are as expected with different image -test_docker_pull | rust:1.52.1 | Test pulling an image from docker client -test_stdio_access_default | python:3.6.14-slim-buster | Checking the default value for std I/O access -test_stdio_access_updated | python:3.6.14-slim-buster | Checking the value for std I/O when it's set -test_environment_variables_parsing | mcr.microsoft.com/azuredocs/aci-dataprocessing-cc:v1 | Make sure env vars are output in the right format -test_get_layers_from_not_exists_image | notexists:1.0.0 | Fail out grabbing layers if image doesn't exist -test_incorrect_allow_elevated_data_type | rust:1.52.1 | Making allow_elevated fail out if it's not a boolean -test_incorrect_workingdir_path | rust:1.52.1 | Fail if working dir isn't an absolute path string -test_incorrect_workingdir_data_type | rust:1.52.1 | Fail if working dir is an array -test_incorrect_command_data_type | rust:1.52.1 | Fail if command is not array of strings -test_json_missing_containers | N/A | Fail if containers are not specified -test_json_missing_version | mcr.microsoft.com/azuredocs/aci-dataprocessing-cc:v1 | Fail if version is not included in policy.json -test_json_missing_containerImage | N/A | Fail if container doesn't have an image specified -test_json_missing_environmentVariables | mcr.microsoft.com/azuredocs/aci-dataprocessing-cc:v1 | Fail if there are no env vars defined -test_json_missing_command | mcr.microsoft.com/azuredocs/aci-dataprocessing-cc:v1 | Fail if there is no command specified - -## Image [test file](test_confcom_image.py) - -This is a convenient way of generating a CCE Policy with no external files. -It accepts a string of the image name and tag and outputs a CCE Policy using the image's metadata. - -Test Name | Image Used | Purpose ----|---|--- -test_image_policy | python:3.6.14-slim-buster | Create a policy based on only an image name -test_sidecar_image_policy |mcr.microsoft.com/aci/atlas-mount-azure-file-volume:master_20201210.2| Create a policy based on a sidecar so no env vars are injected -test_invalid_image_policy | mcr.microsoft.com/aci/fake-image:master_20201210.2 | Fail out if the image doesn't exist locally or remotely -test_clean_room_policy | mcr.microsoft.com/aci/atlas-mount-azure-file-volume:master_20201210.2 | create a new tag of a sidecar locally and make sure it matches the original - -## Startup Checks [test file](test_confcom_startup.py) - -This does a series of checks to make sure the flag configuration that is attempted is valid - -Test Name | Purpose ----|--- -test_invalid_output_flags | Makes sure that the policy fails if we specify more than one output format at a time -test_invalid_many_input_types | Makes sure we're only getting input from one source i.e. ARM Template, policy.json, or image name -test_diff_wrong_input_type | Makes sure we're only doing the diff command if we're using a ARM Template as the input type -test_parameters_without_template | Makes sure we error out if a parameter file is getting passed in without an ARM Template - -## Tar File (test_confcom_tar.py) - -This is a way to generate a CCE policy without the use of the docker daemon. The tar file that gets passed in is either from the `docker save` command or doing `image.save(named=True)` with the Docker python SDK. It accepts either a path to a tar file or the path to a JSON file with keys being the name of the image and value being the path to that file relative to the JSON file. - -Test Name | Image Used | Purpose ----|---|--- -test_arm_template_with_parameter_file_clean_room_tar | nginx:1.23 | Create a policy from a tar file and compare it to a policy generated from an ARM template -test_arm_template_with_parameter_file_clean_room_tar_invalid | N/A | Fail out if searching for an image in a tar file that does not include it -test_clean_room_fake_tar_invalid | N/A | Fail out if the path to the tar file doesn't exist diff --git a/src/confcom/azext_confcom/tests/latest/__init__.py b/src/confcom/azext_confcom/tests/latest/__init__.py deleted file mode 100644 index 99c0f28cd71..00000000000 --- a/src/confcom/azext_confcom/tests/latest/__init__.py +++ /dev/null @@ -1,5 +0,0 @@ -# ----------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for -# license information. -# ----------------------------------------------------------------------------- diff --git a/src/confcom/azext_confcom/tests/latest/test_confcom_arm.py b/src/confcom/azext_confcom/tests/latest/test_confcom_arm.py deleted file mode 100644 index 5a10b004d3e..00000000000 --- a/src/confcom/azext_confcom/tests/latest/test_confcom_arm.py +++ /dev/null @@ -1,2761 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -------------------------------------------------------------------------------------------- - -import os -import unittest -import pytest -import json -import deepdiff -import docker - -from azext_confcom.security_policy import ( - OutputType, - load_policy_from_str, - load_policy_from_arm_template_str, -) -import azext_confcom.config as config -from azext_confcom.custom import acipolicygen_confcom -from azext_confcom.template_util import case_insensitive_dict_get - -TEST_DIR = os.path.abspath(os.path.join(os.path.abspath(__file__), "..")) - - -# @unittest.skip("not in use") -@pytest.mark.run(order=1) -class PolicyGeneratingArm(unittest.TestCase): - custom_json = """ - { - "version": "1.0", - "containers": [ - { - "containerImage": "python:3.6.14-slim-buster", - "environmentVariables": [ - { - "name":"PATH", - "value":"/usr/local/bin:/usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin", - "strategy":"string" - }, - { - "name":"LANG", - "value":"C.UTF-8", - "strategy":"string" - }, - { - "name":"GPG_KEY", - "value":"0D96DF4D4110E5C43FBFB17F2D347EA6AA65421D", - "strategy":"string" - }, - { - "name":"PYTHON_VERSION", - "value":"3.6.14", - "strategy":"string" - }, - { - "name":"PYTHON_PIP_VERSION", - "value":"21.2.4", - "strategy":"string" - }, - { - "name":"PYTHON_GET_PIP_URL", - "value":"https://github.com/pypa/get-pip/raw/c20b0cfd643cd4a19246ccf204e2997af70f6b21/public/get-pip.py", - "strategy":"string" - }, - { - "name":"PYTHON_GET_PIP_SHA256", - "value":"fa6f3fb93cce234cd4e8dd2beb54a51ab9c247653b52855a48dd44e6b21ff28b", - "strategy":"string" - } - ], - "command": ["python3"], - "workingDir": "", - "mounts": [ - { - "mountType": "azureFile", - "mountPath": "/aci/logs", - "readonly": false - }, - { - "mountType": "secret", - "mountPath": "/aci/secret", - "readonly": true - } - ] - } - ] - } - """ - - custom_arm_json = """ - { - "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", - "contentVersion": "1.0.0.0", - "variables": { - "image": "python:3.6.14-slim-buster" - }, - - - "parameters": { - "containergroupname": { - "type": "string", - "metadata": { - "description": "Name for the container group" - }, - "defaultValue":"simple-container-group" - }, - - "containername": { - "type": "string", - "metadata": { - "description": "Name for the container" - }, - "defaultValue":"simple-container" - }, - "port": { - "type": "string", - "metadata": { - "description": "Port to open on the container and the public IP address." - }, - "defaultValue": "8080" - }, - "cpuCores": { - "type": "string", - "metadata": { - "description": "The number of CPU cores to allocate to the container." - }, - "defaultValue": "1.0" - }, - "memoryInGb": { - "type": "string", - "metadata": { - "description": "The amount of memory to allocate to the container in gigabytes." - }, - "defaultValue": "1.5" - }, - "location": { - "type": "string", - "defaultValue": "[resourceGroup().location]", - "metadata": { - "description": "Location for all resources." - } - } - }, - "resources": [ - { - "name": "[parameters('containergroupname')]", - "type": "Microsoft.ContainerInstance/containerGroups", - "apiVersion": "2022-04-01-preview", - "location": "[parameters('location')]", - "properties": { - "containers": [ - { - "name": "[parameters('containername')]", - - "properties": { - "image": "[variables('image')]", - "command": [ - "python3" - ], - "ports": [ - { - "port": "[parameters('port')]" - } - ], - "resources": { - "requests": { - "cpu": "[parameters('cpuCores')]", - "memoryInGb": "[parameters('memoryInGb')]" - } - }, - "volumeMounts": [ - { - "name": "filesharevolume", - "mountPath": "/aci/logs", - "readOnly": false - }, - { - "name": "secretvolume", - "mountPath": "/aci/secret", - "readOnly": true - } - ] - } - } - ], - "volumes": [ - { - "name": "filesharevolume", - "azureFile": { - "shareName": "shareName1", - "storageAccountName": "storage-account-name", - "storageAccountKey": "storage-account-key" - } - }, - { - - "name": "secretvolume", - "secret": { - "mysecret1": "secret1", - "mysecret2": "secret2" - } - } - - ], - "osType": "Linux", - "restartPolicy": "OnFailure", - "confidentialComputeProperties": { - "IsolationType": "SevSnp" - }, - "ipAddress": { - "type": "Public", - "ports": [ - { - "protocol": "Tcp", - "port": "[parameters( 'port' )]" - } - ] - } - } - } - ], - "outputs": { - "containerIPv4Address": { - "type": "string", - "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', parameters('containergroupname'))).ipAddress.ip]" - } - } - } - """ - aci_policy = None - - @classmethod - def setUpClass(cls): - with load_policy_from_str(cls.custom_json) as aci_policy: - aci_policy.populate_policy_content_for_all_images() - cls.aci_policy = aci_policy - - cls.aci_arm_policy = load_policy_from_arm_template_str(cls.custom_arm_json, "")[ - 0 - ] - cls.aci_arm_policy.populate_policy_content_for_all_images() - - def test_arm_template_policy(self): - # deep diff the output policies from the regular policy.json and the ARM template - normalized_aci_policy = json.loads( - self.aci_policy.get_serialized_output(output_type=OutputType.RAW, use_json=True) - ) - - normalized_aci_arm_policy = json.loads( - self.aci_arm_policy.get_serialized_output( - output_type=OutputType.RAW, use_json=True - ) - ) - - normalized_aci_policy[config.POLICY_FIELD_CONTAINERS][ - config.POLICY_FIELD_CONTAINERS_ELEMENTS - ]["0"].pop(config.POLICY_FIELD_CONTAINERS_ID) - normalized_aci_arm_policy[config.POLICY_FIELD_CONTAINERS][ - config.POLICY_FIELD_CONTAINERS_ELEMENTS - ]["0"].pop(config.POLICY_FIELD_CONTAINERS_ID) - - self.assertEqual( - deepdiff.DeepDiff( - normalized_aci_policy, normalized_aci_arm_policy, ignore_order=True - ), - {}, - ) - - def test_default_infrastructure_svn(self): - self.assertEqual( - config.DEFAULT_REGO_FRAGMENTS[0][ - config.POLICY_FIELD_CONTAINERS_ELEMENTS_REGO_FRAGMENTS_MINIMUM_SVN - ], - self.aci_arm_policy._fragments[0][ - config.POLICY_FIELD_CONTAINERS_ELEMENTS_REGO_FRAGMENTS_MINIMUM_SVN - ], - ) - - -# @unittest.skip("not in use") -@pytest.mark.run(order=2) -class PolicyGeneratingArmIncorrect(unittest.TestCase): - def test_arm_template_missing_image_name(self): - custom_arm_json_missing_image_name = """ - { - "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", - "contentVersion": "1.0.0.0", - - - "parameters": { - "containergroupname": { - "type": "string", - "metadata": { - "description": "Name for the container group" - } - }, - - "containername": { - "type": "string", - "metadata": { - "description": "Name for the container" - } - }, - "port": { - "type": "string", - "metadata": { - "description": "Port to open on the container and the public IP address." - }, - "defaultValue": "8080" - }, - "cpuCores": { - "type": "string", - "metadata": { - "description": "The number of CPU cores to allocate to the container." - }, - "defaultValue": "1.0" - }, - "memoryInGb": { - "type": "string", - "metadata": { - "description": "The amount of memory to allocate to the container in gigabytes." - }, - "defaultValue": "1.5" - }, - "location": { - "type": "string", - "defaultValue": "[resourceGroup().location]", - "metadata": { - "description": "Location for all resources." - } - } - }, - "resources": [ - { - "name": "[parameters('containergroupname')]", - "type": "Microsoft.ContainerInstance/containerGroups", - "apiVersion": "2022-04-01-preview", - "location": "[parameters('location')]", - - "properties": { - "containers": [ - { - "name": "[parameters('containername')]", - "properties": { - "image": "[variables('image')]", - "ports": [ - { - "port": "[parameters('port')]" - } - ], - "resources": { - "requests": { - "cpu": "[parameters('cpuCores')]", - "memoryInGb": "[parameters('memoryInGb')]" - } - } - } - } - ], - - "osType": "Linux", - "restartPolicy": "OnFailure", - "confidentialComputeProperties": { - "IsolationType": "SevSnp" - }, - "ipAddress": { - "type": "Public", - "ports": [ - { - "protocol": "Tcp", - "port": "[parameters( 'port' )]" - } - ] - } - } - } - ], - "outputs": { - "containerIPv4Address": { - "type": "string", - "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', parameters('containergroupname'))).ipAddress.ip]" - } - } - } - """ - - with self.assertRaises(SystemExit) as exc_info: - load_policy_from_arm_template_str(custom_arm_json_missing_image_name, "") - self.assertEqual(exc_info.exception.code, 1) - - def test_arm_template_missing_resources(self): - custom_arm_json_missing_resources = """ - { - "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", - "contentVersion": "1.0.0.0", - - - "parameters": { - "containergroupname": { - "type": "string", - "metadata": { - "description": "Name for the container group" - } - }, - - "containername": { - "type": "string", - "metadata": { - "description": "Name for the container" - } - }, - "port": { - "type": "string", - "metadata": { - "description": "Port to open on the container and the public IP address." - }, - "defaultValue": "8080" - }, - "cpuCores": { - "type": "string", - "metadata": { - "description": "The number of CPU cores to allocate to the container." - }, - "defaultValue": "1.0" - }, - "memoryInGb": { - "type": "string", - "metadata": { - "description": "The amount of memory to allocate to the container in gigabytes." - }, - "defaultValue": "1.5" - }, - "location": { - "type": "string", - "defaultValue": "[resourceGroup().location]", - "metadata": { - "description": "Location for all resources." - } - } - }, - "outputs": { - "containerIPv4Address": { - "type": "string", - "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', parameters('containergroupname'))).ipAddress.ip]" - } - } - } - """ - with self.assertRaises(SystemExit) as exc_info: - load_policy_from_arm_template_str(custom_arm_json_missing_resources, "") - self.assertEqual(exc_info.exception.code, 1) - - def test_arm_template_missing_aci(self): - custom_arm_json_missing_aci = """ - { - "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", - "contentVersion": "1.0.0.0", - - - "parameters": { - "containergroupname": { - "type": "string", - "metadata": { - "description": "Name for the container group" - } - }, - - "containername": { - "type": "string", - "metadata": { - "description": "Name for the container" - } - }, - "port": { - "type": "string", - "metadata": { - "description": "Port to open on the container and the public IP address." - }, - "defaultValue": "8080" - }, - "cpuCores": { - "type": "string", - "metadata": { - "description": "The number of CPU cores to allocate to the container." - }, - "defaultValue": "1.0" - }, - "memoryInGb": { - "type": "string", - "metadata": { - "description": "The amount of memory to allocate to the container in gigabytes." - }, - "defaultValue": "1.5" - }, - "location": { - "type": "string", - "defaultValue": "[resourceGroup().location]", - "metadata": { - "description": "Location for all resources." - } - } - }, - "resources": [ - - ], - "outputs": { - "containerIPv4Address": { - "type": "string", - "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', parameters('containergroupname'))).ipAddress.ip]" - } - } - } - """ - with self.assertRaises(SystemExit) as exc_info: - load_policy_from_arm_template_str(custom_arm_json_missing_aci, "") - self.assertEqual(exc_info.exception.code, 1) - - def test_arm_template_missing_containers(self): - custom_arm_json_missing_containers = """ - { - "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", - "contentVersion": "1.0.0.0", - - - "parameters": { - "containergroupname": { - "type": "string", - "metadata": { - "description": "Name for the container group" - } - }, - - "containername": { - "type": "string", - "metadata": { - "description": "Name for the container" - } - }, - "port": { - "type": "string", - "metadata": { - "description": "Port to open on the container and the public IP address." - }, - "defaultValue": "8080" - }, - "cpuCores": { - "type": "string", - "metadata": { - "description": "The number of CPU cores to allocate to the container." - }, - "defaultValue": "1.0" - }, - "memoryInGb": { - "type": "string", - "metadata": { - "description": "The amount of memory to allocate to the container in gigabytes." - }, - "defaultValue": "1.5" - }, - "location": { - "type": "string", - "defaultValue": "[resourceGroup().location]", - "metadata": { - "description": "Location for all resources." - } - } - }, - "resources": [ - { - "name": "[parameters('containergroupname')]", - "type": "Microsoft.ContainerInstance/containerGroups", - "apiVersion": "2022-04-01-preview", - "location": "[parameters('location')]", - "properties": { - "containers": [ - - ], - - "osType": "Linux", - "restartPolicy": "OnFailure", - "confidentialComputeProperties": { - "IsolationType": "SevSnp" - }, - "ipAddress": { - "type": "Public", - "ports": [ - { - "protocol": "Tcp", - "port": "[parameters( 'port' )]" - } - ] - } - } - } - ], - "outputs": { - "containerIPv4Address": { - "type": "string", - "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', parameters('containergroupname'))).ipAddress.ip]" - } - } - } - """ - with self.assertRaises(SystemExit) as exc_info: - load_policy_from_arm_template_str(custom_arm_json_missing_containers, "") - self.assertEqual(exc_info.exception.code, 1) - - -# @unittest.skip("not in use") -@pytest.mark.run(order=3) -class PolicyGeneratingArmParametersIncorrect(unittest.TestCase): - def test_arm_template_missing_default_value(self): - custom_arm_json_missing_default_value = """ - { - "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", - "contentVersion": "1.0.0.0", - - - "parameters": { - "containergroupname": { - "type": "string", - "metadata": { - "description": "Name for the container group" - } - }, - - "containername": { - "type": "string", - "metadata": { - "description": "Name for the container" - } - }, - "image": { - "type": "string", - "metadata": { - "description": "Name for the image" - } - }, - - "port": { - "type": "string", - "metadata": { - "description": "Port to open on the container and the public IP address." - }, - "defaultValue": "8080" - }, - "cpuCores": { - "type": "string", - "metadata": { - "description": "The number of CPU cores to allocate to the container." - }, - "defaultValue": "1.0" - }, - "memoryInGb": { - "type": "string", - "metadata": { - "description": "The amount of memory to allocate to the container in gigabytes." - }, - "defaultValue": "1.5" - }, - "location": { - "type": "string", - "defaultValue": "[resourceGroup().location]", - "metadata": { - "description": "Location for all resources." - } - } - }, - "resources": [ - { - "name": "[parameters('containergroupname')]", - "type": "Microsoft.ContainerInstance/containerGroups", - "apiVersion": "2022-04-01-preview", - "location": "[parameters('location')]", - - "properties": { - "containers": [ - { - "name": "[parameters('containername')]", - "properties": { - "image": "[parameters('image')]", - "ports": [ - { - "port": "[parameters('port')]" - } - ], - "resources": { - "requests": { - "cpu": "[parameters('cpuCores')]", - "memoryInGb": "[parameters('memoryInGb')]" - } - } - } - } - ], - - "osType": "Linux", - "restartPolicy": "OnFailure", - "confidentialComputeProperties": { - "IsolationType": "SevSnp" - }, - "ipAddress": { - "type": "Public", - "ports": [ - { - "protocol": "Tcp", - "port": "[parameters( 'port' )]" - } - ] - } - } - } - ], - "outputs": { - "containerIPv4Address": { - "type": "string", - "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', parameters('containergroupname'))).ipAddress.ip]" - } - } - } - """ - - with self.assertRaises(SystemExit) as exc_info: - load_policy_from_arm_template_str(custom_arm_json_missing_default_value, "") - self.assertEqual(exc_info.exception.code, 1) - - def test_arm_template_missing_definition(self): - custom_arm_json_missing_definition = """ - { - "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", - "contentVersion": "1.0.0.0", - - - "parameters": { - "containergroupname": { - "type": "string", - "metadata": { - "description": "Name for the container group" - } - }, - - "containername": { - "type": "string", - "metadata": { - "description": "Name for the container" - } - }, - - "port": { - "type": "string", - "metadata": { - "description": "Port to open on the container and the public IP address." - }, - "defaultValue": "8080" - }, - "cpuCores": { - "type": "string", - "metadata": { - "description": "The number of CPU cores to allocate to the container." - }, - "defaultValue": "1.0" - }, - "memoryInGb": { - "type": "string", - "metadata": { - "description": "The amount of memory to allocate to the container in gigabytes." - }, - "defaultValue": "1.5" - }, - "location": { - "type": "string", - "defaultValue": "[resourceGroup().location]", - "metadata": { - "description": "Location for all resources." - } - } - }, - "resources": [ - { - "name": "[parameters('containergroupname')]", - "type": "Microsoft.ContainerInstance/containerGroups", - "apiVersion": "2022-04-01-preview", - "location": "[parameters('location')]", - - "properties": { - "containers": [ - { - "name": "[parameters('containername')]", - "properties": { - "image": "[parameters('image')]", - "ports": [ - { - "port": "[parameters('port')]" - } - ], - "resources": { - "requests": { - "cpu": "[parameters('cpuCores')]", - "memoryInGb": "[parameters('memoryInGb')]" - } - } - } - } - ], - - "osType": "Linux", - "restartPolicy": "OnFailure", - "confidentialComputeProperties": { - "IsolationType": "SevSnp" - }, - "ipAddress": { - "type": "Public", - "ports": [ - { - "protocol": "Tcp", - "port": "[parameters( 'port' )]" - } - ] - } - } - } - ], - "outputs": { - "containerIPv4Address": { - "type": "string", - "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', parameters('containergroupname'))).ipAddress.ip]" - } - } - } - """ - custom_arm_json_missing_definition_parameters = """ - { - "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentParameters.json#", - "contentVersion": "1.0.0.0", - "parameters": { - "image": { - "value": "python:3.6.14-slim-buster" - }, - "containername": { - "value": "simple-container" - } - } - }""" - - with self.assertRaises(SystemExit) as exc_info: - load_policy_from_arm_template_str( - custom_arm_json_missing_definition, - custom_arm_json_missing_definition_parameters, - ) - self.assertEqual(exc_info.exception.code, 1) - - -# @unittest.skip("not in use") -@pytest.mark.run(order=4) -class PolicyGeneratingArmParameters(unittest.TestCase): - - parameter_file = """ - { - "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentParameters.json#", - "contentVersion": "1.0.0.0", - "parameters": { - "image": { - "value": "mcr.microsoft.com/azure-functions/python:4-python3.8" - }, - "containername": { - "value": "simple-container" - }, - "containergroupname": { - "value": "simple-container-group" - } - } - }""" - - def test_arm_template_with_parameter_file(self): - custom_arm_json_default_value = """ - { - "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", - "contentVersion": "1.0.0.0", - - - "parameters": { - "containergroupname": { - "type": "string", - "metadata": { - "description": "Name for the container group" - } - }, - - "containername": { - "type": "string", - "metadata": { - "description": "Name for the container" - } - }, - "image": { - "type": "string", - "metadata": { - "description": "Name for the image" - }, - "defaultValue": "mcr.microsoft.com/azure-functions/node:4" - }, - - "port": { - "type": "string", - "metadata": { - "description": "Port to open on the container and the public IP address." - }, - "defaultValue": "8080" - }, - "cpuCores": { - "type": "string", - "metadata": { - "description": "The number of CPU cores to allocate to the container." - }, - "defaultValue": "1.0" - }, - "memoryInGb": { - "type": "string", - "metadata": { - "description": "The amount of memory to allocate to the container in gigabytes." - }, - "defaultValue": "1.5" - }, - "location": { - "type": "string", - "defaultValue": "[resourceGroup().location]", - "metadata": { - "description": "Location for all resources." - } - } - }, - "resources": [ - { - "name": "[parameters('containergroupname')]", - "type": "Microsoft.ContainerInstance/containerGroups", - "apiVersion": "2022-04-01-preview", - "location": "[parameters('location')]", - - "properties": { - "containers": [ - { - "name": "[parameters('containername')]", - "properties": { - "image": "[parameters('image')]", - "ports": [ - { - "port": "[parameters('port')]" - } - ], - "resources": { - "requests": { - "cpu": "[parameters('cpuCores')]", - "memoryInGb": "[parameters('memoryInGb')]" - } - } - } - } - ], - - "osType": "Linux", - "restartPolicy": "OnFailure", - "confidentialComputeProperties": { - "isolationType": "SevSnp" - }, - "ipAddress": { - "type": "Public", - "ports": [ - { - "protocol": "Tcp", - "port": "[parameters( 'port' )]" - } - ] - } - } - } - ], - "outputs": { - "containerIPv4Address": { - "type": "string", - "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', parameters('containergroupname'))).ipAddress.ip]" - } - } - } - """ - - output = load_policy_from_arm_template_str( - custom_arm_json_default_value, self.parameter_file - ) - output[0].populate_policy_content_for_all_images() - # use the rego output - output_json = json.loads( - output[0].get_serialized_output(output_type=OutputType.RAW, rego_boilerplate=False) - ) - # see if we have environment variables specific to the python image in the parameter file - python_flag = False - for rules in output_json[0][config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS]: - if "PYTHON" in rules[config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_RULE]: - python_flag = True - self.assertTrue(python_flag) - - -# @unittest.skip("not in use") -@pytest.mark.run(order=5) -class PolicyGeneratingArmParameters2(unittest.TestCase): - - parameter_file = """ - { - "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentParameters.json#", - "contentVersion": "1.0.0.0", - "parameters": { - "image": { - "value": "mcr.microsoft.com/azure-functions/python:4-python3.8" - }, - "containername": { - "value": "simple-container" - }, - "containergroupname": { - "value": "simple-container-group" - } - } - }""" - - def test_arm_template_with_parameter_file_injected_env_vars(self): - custom_arm_json_default_value = """ - { - "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", - "contentVersion": "1.0.0.0", - - - "parameters": { - "containergroupname": { - "type": "string", - "metadata": { - "description": "Name for the container group" - } - }, - "image": { - "type": "string", - "metadata": { - "description": "Name for the container group" - }, - "defaultValue":"mcr.microsoft.com/azure-functions/node:4" - }, - "imagebase": { - "type": "string", - "metadata": { - "description": "Name for the container group" - }, - "defaultValue":"mcr.microsoft.com" - }, - "imagespecific": { - "type": "string", - "metadata": { - "description": "Name for the container group" - }, - "defaultValue":"/azure-functions/node:4" - }, - "containername": { - "type": "string", - "metadata": { - "description": "Name for the container" - } - }, - "testvalue": { - "type": "string", - "metadata": { - "description": "value to see if concat function doesn't break inside template" - }, - "defaultValue": "[concat(parameters('imagebase'), parameters('imagespecific'))]" - }, - - "port": { - "type": "string", - "metadata": { - "description": "Port to open on the container and the public IP address." - }, - "defaultValue": "8080" - }, - "cpuCores": { - "type": "string", - "metadata": { - "description": "The number of CPU cores to allocate to the container." - }, - "defaultValue": "1.0" - }, - "memoryInGb": { - "type": "string", - "metadata": { - "description": "The amount of memory to allocate to the container in gigabytes." - }, - "defaultValue": "1.5" - }, - "location": { - "type": "string", - "defaultValue": "[resourceGroup().location]", - "metadata": { - "description": "Location for all resources." - } - } - }, - "resources": [ - { - "name": "[parameters('containergroupname')]", - "type": "Microsoft.ContainerInstance/containerGroups", - "apiVersion": "2022-04-01-preview", - "location": "[parameters('location')]", - - "properties": { - "containers": [ - { - "name": "[parameters('containername')]", - "properties": { - "image": "[parameters('image')]", - "ports": [ - { - "port": "[parameters('port')]" - } - ], - "resources": { - "requests": { - "cpu": "[parameters('cpuCores')]", - "memoryInGb": "[parameters('memoryInGb')]" - } - } - } - } - ], - - "osType": "Linux", - "restartPolicy": "OnFailure", - "confidentialComputeProperties": { - "IsolationType": "SevSnp" - }, - "ipAddress": { - "type": "Public", - "ports": [ - { - "protocol": "Tcp", - "port": "[parameters( 'port' )]" - } - ] - } - } - } - ], - "outputs": { - "containerIPv4Address": { - "type": "string", - "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', parameters('containergroupname'))).ipAddress.ip]" - } - } - } - """ - - # this test adds in a parameter that uses the concat function to make sure it doesn't break with partially parsing the template's json file - - output = load_policy_from_arm_template_str( - custom_arm_json_default_value, self.parameter_file - ) - output[0].populate_policy_content_for_all_images() - output_json = json.loads( - output[0].get_serialized_output(output_type=OutputType.RAW, use_json=True) - ) - - # see if we have environment variables specific to the python image in the parameter file - python_flag = False - for _, value in output_json[config.POLICY_FIELD_CONTAINERS][ - config.POLICY_FIELD_CONTAINERS_ELEMENTS - ]["0"][config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS][ - config.POLICY_FIELD_CONTAINERS_ELEMENTS - ].items(): - if "PYTHON" in value[config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_RULE]: - python_flag = True - self.assertTrue(python_flag) - - -# @unittest.skip("not in use") -@pytest.mark.run(order=6) -class PolicyGeneratingArmContainerConfig(unittest.TestCase): - - parameter_file = """ - { - "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentParameters.json#", - "contentVersion": "1.0.0.0", - "parameters": { - "image": { - "value": "mcr.microsoft.com/azure-functions/python:4-python3.8" - }, - "containername": { - "value": "simple-container" - }, - "containergroupname": { - "value": "simple-container-group" - } - } - }""" - - def test_arm_template_with_parameter_file_arm_config(self): - custom_arm_json_default_value = """ - { - "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", - "contentVersion": "1.0.0.0", - - - "parameters": { - "containergroupname": { - "type": "string", - "metadata": { - "description": "Name for the container group" - } - }, - "image": { - "type": "string", - "metadata": { - "description": "Name for the container group" - }, - "defaultValue":"mcr.microsoft.com/azure-functions/node:4" - }, - "imagebase": { - "type": "string", - "metadata": { - "description": "Name for the container group" - }, - "defaultValue":"mcr.microsoft.com" - }, - "imagespecific": { - "type": "string", - "metadata": { - "description": "Name for the container group" - }, - "defaultValue":"/azure-functions/node:4" - }, - "containername": { - "type": "string", - "metadata": { - "description": "Name for the container" - } - }, - "testvalue": { - "type": "string", - "metadata": { - "description": "value to see if concat function doesn't break inside template" - }, - "defaultValue": "[concat(parameters('imagebase'), parameters('imagespecific'))]" - }, - - "port": { - "type": "string", - "metadata": { - "description": "Port to open on the container and the public IP address." - }, - "defaultValue": "8080" - }, - "cpuCores": { - "type": "string", - "metadata": { - "description": "The number of CPU cores to allocate to the container." - }, - "defaultValue": "1.0" - }, - "memoryInGb": { - "type": "string", - "metadata": { - "description": "The amount of memory to allocate to the container in gigabytes." - }, - "defaultValue": "1.5" - }, - "location": { - "type": "string", - "defaultValue": "[resourceGroup().location]", - "metadata": { - "description": "Location for all resources." - } - } - }, - "resources": [ - { - "name": "[parameters('containergroupname')]", - "type": "Microsoft.ContainerInstance/containerGroups", - "apiVersion": "2022-04-01-preview", - "location": "[parameters('location')]", - - "properties": { - "containers": [ - { - "name": "[parameters('containername')]", - "properties": { - "image": "[parameters('image')]", - "environmentVariables": [ - { - "name": "PORT", - "value": "80" - } - ], - - "ports": [ - { - "port": "[parameters('port')]" - } - ], - "command": [ - "/bin/bash", - "-c", - "while sleep 5; do cat /mnt/input/access.log; done" - ], - "resources": { - "requests": { - "cpu": "[parameters('cpuCores')]", - "memoryInGb": "[parameters('memoryInGb')]" - } - } - } - } - ], - - "osType": "Linux", - "restartPolicy": "OnFailure", - "confidentialComputeProperties": { - "IsolationType": "SevSnp" - }, - "ipAddress": { - "type": "Public", - "ports": [ - { - "protocol": "Tcp", - "port": "[parameters( 'port' )]" - } - ] - } - } - } - ], - "outputs": { - "containerIPv4Address": { - "type": "string", - "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', parameters('containergroupname'))).ipAddress.ip]" - } - } - } - """ - - # this test adds in a parameter that uses the concat function to make sure it doesn't break with partially parsing the template's json file - - output = load_policy_from_arm_template_str( - custom_arm_json_default_value, self.parameter_file - ) - output[0].populate_policy_content_for_all_images() - # see if we have environment variables that are in the template - output_json = json.loads( - output[0].get_serialized_output(output_type=OutputType.RAW, use_json=True) - ) - - for _, value in output_json[config.POLICY_FIELD_CONTAINERS][ - config.POLICY_FIELD_CONTAINERS_ELEMENTS - ]["0"][config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS][ - config.POLICY_FIELD_CONTAINERS_ELEMENTS - ].items(): - if case_insensitive_dict_get( - value, config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_RULE - ).startswith("PORT"): - self.assertTrue( - case_insensitive_dict_get( - value, config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_RULE - ).endswith("80") - ) - - # check for custom startup command - expected = [ - "/bin/bash", - "-c", - "while sleep 5; do cat /mnt/input/access.log; done", - ] - for _, value in output_json[config.POLICY_FIELD_CONTAINERS][ - config.POLICY_FIELD_CONTAINERS_ELEMENTS - ]["0"][config.POLICY_FIELD_CONTAINERS_ELEMENTS_COMMANDS][ - config.POLICY_FIELD_CONTAINERS_ELEMENTS - ].items(): - self.assertTrue(value in expected) - - -# @unittest.skip("not in use") -@pytest.mark.run(order=7) -class PolicyGeneratingArmParametersCleanRoom(unittest.TestCase): - - parameter_file = """ - { - "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentParameters.json#", - "contentVersion": "1.0.0.0", - "parameters": { - "image": { - "value": "fakerepo.microsoft.com/azure-functions:fake-tag" - } - } - }""" - - def test_arm_template_with_parameter_file_clean_room(self): - custom_arm_json_default_value = """ - { - "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", - "contentVersion": "1.0.0.0", - - - "parameters": { - "containergroupname": { - "type": "string", - "metadata": { - "description": "Name for the container group" - }, - "defaultValue":"simple-container-group" - }, - "image": { - "type": "string", - "metadata": { - "description": "Name for the container group" - }, - "defaultValue":"mcr.microsoft.com/azure-functions/node:4" - }, - "containername": { - "type": "string", - "metadata": { - "description": "Name for the container" - }, - "defaultValue":"simple-container" - }, - - "port": { - "type": "string", - "metadata": { - "description": "Port to open on the container and the public IP address." - }, - "defaultValue": "8080" - }, - "cpuCores": { - "type": "string", - "metadata": { - "description": "The number of CPU cores to allocate to the container." - }, - "defaultValue": "1.0" - }, - "memoryInGb": { - "type": "string", - "metadata": { - "description": "The amount of memory to allocate to the container in gigabytes." - }, - "defaultValue": "1.5" - }, - "location": { - "type": "string", - "defaultValue": "[resourceGroup().location]", - "metadata": { - "description": "Location for all resources." - } - } - }, - "resources": [ - { - "name": "[parameters('containergroupname')]", - "type": "Microsoft.ContainerInstance/containerGroups", - "apiVersion": "2022-04-01-preview", - "location": "[parameters('location')]", - - "properties": { - "containers": [ - { - "name": "[parameters('containername')]", - "properties": { - "image": "[parameters('image')]", - "environmentVariables": [ - { - "name": "PORT", - "value": "80" - } - ], - - "ports": [ - { - "port": "[parameters('port')]" - } - ], - "command": [ - "/bin/bash", - "-c", - "while sleep 5; do cat /mnt/input/access.log; done" - ], - "resources": { - "requests": { - "cpu": "[parameters('cpuCores')]", - "memoryInGb": "[parameters('memoryInGb')]" - } - } - } - } - ], - - "osType": "Linux", - "restartPolicy": "OnFailure", - "confidentialComputeProperties": { - "IsolationType": "SevSnp" - }, - "ipAddress": { - "type": "Public", - "ports": [ - { - "protocol": "Tcp", - "port": "[parameters( 'port' )]" - } - ] - } - } - } - ], - "outputs": { - "containerIPv4Address": { - "type": "string", - "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', parameters('containergroupname'))).ipAddress.ip]" - } - } - } - """ - client = docker.from_env() - original_image = "mcr.microsoft.com/azure-functions/node:4" - try: - client.images.remove(original_image) - except: - # do nothing - pass - regular_image = load_policy_from_arm_template_str( - custom_arm_json_default_value, "" - ) - regular_image[0].populate_policy_content_for_all_images() - # create and tag same image to the new name to see if docker will error out that the image is not in a remote repo - new_repo = "fakerepo.microsoft.com" - new_image_name = "azure-functions" - new_tag = "fake-tag" - - image = client.images.get(original_image) - try: - client.images.remove(new_repo + "/" + new_image_name + ":" + new_tag) - except: - # do nothing - pass - image.tag(new_repo + "/" + new_image_name, tag=new_tag) - - client.close() - - clean_room = load_policy_from_arm_template_str( - custom_arm_json_default_value, self.parameter_file - ) - clean_room[0].populate_policy_content_for_all_images() - - regular_image_json = json.loads( - regular_image[0].get_serialized_output(output_type=OutputType.RAW, use_json=True) - ) - - clean_room_json = json.loads( - clean_room[0].get_serialized_output(output_type=OutputType.RAW, use_json=True) - ) - - regular_image_json[config.POLICY_FIELD_CONTAINERS][ - config.POLICY_FIELD_CONTAINERS_ELEMENTS - ]["0"].pop(config.POLICY_FIELD_CONTAINERS_ID) - clean_room_json[config.POLICY_FIELD_CONTAINERS][ - config.POLICY_FIELD_CONTAINERS_ELEMENTS - ]["0"].pop(config.POLICY_FIELD_CONTAINERS_ID) - - # see if the remote image and the local one produce the same output - self.assertEqual( - deepdiff.DeepDiff(regular_image_json, clean_room_json, ignore_order=True), - {}, - ) - - -# @unittest.skip("not in use") -@pytest.mark.run(order=8) -class PolicyDiff(unittest.TestCase): - custom_json = """ - { - "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", - "contentVersion": "1.0.0.0", - "variables": { - "container1name": "aci-test", - "container1image": "rust:1.52.1" - }, - "resources": [ - { - "type": "Microsoft.ContainerInstance/containerGroups", - "apiVersion": "2022-04-01-preview", - "name": "secret-volume-demo", - "location": "[resourceGroup().location]", - "properties": { - "confidentialComputeProperties": { - "isolationType": "SevSnp", - "ccePolicy": "cGFja2FnZSBwb2xpY3kKCmltcG9ydCBmdXR1cmUua2V5d29yZHMuZXZlcnkKaW1wb3J0IGZ1dHVyZS5rZXl3b3Jkcy5pbgoKYXBpX3N2biA6PSAiMC4xMC4wIgpmcmFtZXdvcmtfc3ZuIDo9ICIwLjEuMCIKCmZyYWdtZW50cyA6PSBbCiAgewogICAgImZlZWQiOiAibWNyLm1pY3Jvc29mdC5jb20vYWNpL2FjaS1jYy1pbmZyYS1mcmFnbWVudCIsCiAgICAiaW5jbHVkZXMiOiBbCiAgICAgICJjb250YWluZXJzIgogICAgXSwKICAgICJpc3N1ZXIiOiAiZGlkOng1MDk6MDpzaGEyNTY6SV9faXVMMjVvWEVWRmRUUF9hQkx4X2VUMVJQSGJDUV9FQ0JRZllacHQ5czo6ZWt1OjEuMy42LjEuNC4xLjMxMS43Ni41OS4xLjMiLAogICAgIm1pbmltdW1fc3ZuIjogIjEuMC4wIgogIH0KXQoKY29udGFpbmVycyA6PSBbeyJhbGxvd19lbGV2YXRlZCI6dHJ1ZSwiYWxsb3dfc3RkaW9fYWNjZXNzIjp0cnVlLCJjb21tYW5kIjpbImJhc2giXSwiZW52X3J1bGVzIjpbeyJwYXR0ZXJuIjoiUEFUSD0vY3VzdG9taXplZC9wYXRoL3ZhbHVlIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9LHsicGF0dGVybiI6IlRFU1RfUkVHRVhQX0VOVj10ZXN0X3JlZ2V4cF9lbnYiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiUlVTVFVQX0hPTUU9L3Vzci9sb2NhbC9ydXN0dXAiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiQ0FSR09fSE9NRT0vdXNyL2xvY2FsL2NhcmdvIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9LHsicGF0dGVybiI6IlJVU1RfVkVSU0lPTj0xLjUyLjEiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiVEVSTT14dGVybSIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiIoKD9pKUZBQlJJQylfLis9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiSE9TVE5BTUU9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiVChFKT9NUD0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJGYWJyaWNQYWNrYWdlRmlsZU5hbWU9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiSG9zdGVkU2VydmljZU5hbWU9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiSURFTlRJVFlfQVBJX1ZFUlNJT049LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiSURFTlRJVFlfSEVBREVSPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LHsicGF0dGVybiI6IklERU5USVRZX1NFUlZFUl9USFVNQlBSSU5UPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LHsicGF0dGVybiI6ImF6dXJlY29udGFpbmVyaW5zdGFuY2VfcmVzdGFydGVkX2J5PS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9XSwiZXhlY19wcm9jZXNzZXMiOltdLCJpZCI6InJ1c3Q6MS41Mi4xIiwibGF5ZXJzIjpbImZlODRjOWQ1YmZkZGQwN2EyNjI0ZDAwMzMzY2YxM2MxYTljOTQxZjNhMjYxZjEzZWFkNDRmYzZhOTNiYzBlN2EiLCI0ZGVkYWU0Mjg0N2M3MDRkYTg5MWEyOGMyNWQzMjIwMWExYWU0NDBiY2UyYWVjY2NmYThlNmYwM2I5N2E2YTZjIiwiNDFkNjRjZGViMzQ3YmYyMzZiNGMxM2I3NDAzYjYzM2ZmMTFmMWNmOTRkYmM3Y2Y4ODFhNDRkNmRhODhjNTE1NiIsImViMzY5MjFlMWY4MmFmNDZkZmUyNDhlZjhmMWIzYWZiNmE1MjMwYTY0MTgxZDk2MGQxMDIzN2EwOGNkNzNjNzkiLCJlNzY5ZDc0ODdjYzMxNGQzZWU3NDhhNDQ0MDgwNTMxN2MxOTI2MmM3YWNkMmZkYmRiMGQ0N2QyZTQ2MTNhMTVjIiwiMWI4MGYxMjBkYmQ4OGU0MzU1ZDYyNDFiNTE5YzNlMjUyOTAyMTVjNDY5NTE2YjQ5ZGVjZTljZjA3MTc1YTc2NiJdLCJtb3VudHMiOlt7ImRlc3RpbmF0aW9uIjoiL21vdW50L2F6dXJlZmlsZSIsIm9wdGlvbnMiOlsicmJpbmQiLCJyc2hhcmVkIiwicnciXSwic291cmNlIjoic2FuZGJveDovLy90bXAvYXRsYXMvYXp1cmVGaWxlVm9sdW1lLy4rIiwidHlwZSI6ImJpbmQifSx7ImRlc3RpbmF0aW9uIjoiL2V0Yy9yZXNvbHYuY29uZiIsIm9wdGlvbnMiOlsicmJpbmQiLCJyc2hhcmVkIiwicnciXSwic291cmNlIjoic2FuZGJveDovLy90bXAvYXRsYXMvcmVzb2x2Y29uZi8uKyIsInR5cGUiOiJiaW5kIn1dLCJzaWduYWxzIjpbXSwid29ya2luZ19kaXIiOiIvIn0seyJhbGxvd19lbGV2YXRlZCI6ZmFsc2UsImFsbG93X3N0ZGlvX2FjY2VzcyI6dHJ1ZSwiY29tbWFuZCI6WyIvcGF1c2UiXSwiZW52X3J1bGVzIjpbeyJwYXR0ZXJuIjoiUEFUSD0vdXNyL2xvY2FsL3NiaW46L3Vzci9sb2NhbC9iaW46L3Vzci9zYmluOi91c3IvYmluOi9zYmluOi9iaW4iLCJyZXF1aXJlZCI6dHJ1ZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiJURVJNPXh0ZXJtIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9XSwiZXhlY19wcm9jZXNzZXMiOltdLCJsYXllcnMiOlsiMTZiNTE0MDU3YTA2YWQ2NjVmOTJjMDI4NjNhY2EwNzRmZDU5NzZjNzU1ZDI2YmZmMTYzNjUyOTkxNjllODQxNSJdLCJtb3VudHMiOltdLCJzaWduYWxzIjpbXSwid29ya2luZ19kaXIiOiIvIn1dCgphbGxvd19wcm9wZXJ0aWVzX2FjY2VzcyA6PSBmYWxzZQphbGxvd19kdW1wX3N0YWNrcyA6PSBmYWxzZQphbGxvd19ydW50aW1lX2xvZ2dpbmcgOj0gZmFsc2UKYWxsb3dfZW52aXJvbm1lbnRfdmFyaWFibGVfZHJvcHBpbmcgOj0gdHJ1ZQphbGxvd191bmVuY3J5cHRlZF9zY3JhdGNoIDo9IGZhbHNlCgoKCm1vdW50X2RldmljZSA6PSBkYXRhLmZyYW1ld29yay5tb3VudF9kZXZpY2UKdW5tb3VudF9kZXZpY2UgOj0gZGF0YS5mcmFtZXdvcmsudW5tb3VudF9kZXZpY2UKbW91bnRfb3ZlcmxheSA6PSBkYXRhLmZyYW1ld29yay5tb3VudF9vdmVybGF5CnVubW91bnRfb3ZlcmxheSA6PSBkYXRhLmZyYW1ld29yay51bm1vdW50X292ZXJsYXkKY3JlYXRlX2NvbnRhaW5lciA6PSBkYXRhLmZyYW1ld29yay5jcmVhdGVfY29udGFpbmVyCmV4ZWNfaW5fY29udGFpbmVyIDo9IGRhdGEuZnJhbWV3b3JrLmV4ZWNfaW5fY29udGFpbmVyCmV4ZWNfZXh0ZXJuYWwgOj0gZGF0YS5mcmFtZXdvcmsuZXhlY19leHRlcm5hbApzaHV0ZG93bl9jb250YWluZXIgOj0gZGF0YS5mcmFtZXdvcmsuc2h1dGRvd25fY29udGFpbmVyCnNpZ25hbF9jb250YWluZXJfcHJvY2VzcyA6PSBkYXRhLmZyYW1ld29yay5zaWduYWxfY29udGFpbmVyX3Byb2Nlc3MKcGxhbjlfbW91bnQgOj0gZGF0YS5mcmFtZXdvcmsucGxhbjlfbW91bnQKcGxhbjlfdW5tb3VudCA6PSBkYXRhLmZyYW1ld29yay5wbGFuOV91bm1vdW50CmdldF9wcm9wZXJ0aWVzIDo9IGRhdGEuZnJhbWV3b3JrLmdldF9wcm9wZXJ0aWVzCmR1bXBfc3RhY2tzIDo9IGRhdGEuZnJhbWV3b3JrLmR1bXBfc3RhY2tzCnJ1bnRpbWVfbG9nZ2luZyA6PSBkYXRhLmZyYW1ld29yay5ydW50aW1lX2xvZ2dpbmcKbG9hZF9mcmFnbWVudCA6PSBkYXRhLmZyYW1ld29yay5sb2FkX2ZyYWdtZW50CnNjcmF0Y2hfbW91bnQgOj0gZGF0YS5mcmFtZXdvcmsuc2NyYXRjaF9tb3VudApzY3JhdGNoX3VubW91bnQgOj0gZGF0YS5mcmFtZXdvcmsuc2NyYXRjaF91bm1vdW50CgpyZWFzb24gOj0geyJlcnJvcnMiOiBkYXRhLmZyYW1ld29yay5lcnJvcnN9" - }, - "containers": [ - { - "name": "[variables('container1name')]", - "properties": { - "image": "[variables('container1image')]", - "resources": { - "requests": { - "cpu": 1, - "memoryInGb": 1.5 - } - }, - "ports": [ - { - "port": 80 - } - ], - "volumeMounts": [ - { - "name": "azurefile", - "mountPath": "/mount/azurefile" - } - ], - "environmentVariables": [ - { - "name": "PATH", - "value": "/customized/path/value" - }, - { - "name": "TEST_REGEXP_ENV", - "value": "test_regexp_env" - } - ] - } - } - ], - "osType": "Linux", - "ipAddress": { - "type": "Public", - "ports": [ - { - "protocol": "tcp", - "port": "80" - } - ] - }, - "volumes": [ - { - "name": "azurefile", - "azureFile": { - "key1": "key-1", - "key2": "key-2" - } - } - ] - } - } - ] -} - """ - - custom_json2 = """ - { - "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", - "contentVersion": "1.0.0.0", - "variables": { - "container1name": "aci-test", - "container1image": "rust:1.52.1" - }, - "resources": [ - { - "type": "Microsoft.ContainerInstance/containerGroups", - "apiVersion": "2022-04-01-preview", - "name": "secret-volume-demo", - "location": "[resourceGroup().location]", - "properties": { - "confidentialComputeProperties": { - "isolationType": "SevSnp", - "ccePolicy": "cGFja2FnZSBwb2xpY3kKCmltcG9ydCBmdXR1cmUua2V5d29yZHMuZXZlcnkKaW1wb3J0IGZ1dHVyZS5rZXl3b3Jkcy5pbgoKYXBpX3N2biA6PSAiMC4xMC4wIgpmcmFtZXdvcmtfc3ZuIDo9ICIwLjEuMCIKCmZyYWdtZW50cyA6PSBbCiAgewogICAgImZlZWQiOiAibWNyLm1pY3Jvc29mdC5jb20vYWNpL2FjaS1jYy1pbmZyYS1mcmFnbWVudCIsCiAgICAiaW5jbHVkZXMiOiBbCiAgICAgICJjb250YWluZXJzIgogICAgXSwKICAgICJpc3N1ZXIiOiAiZGlkOng1MDk6MDpzaGEyNTY6SV9faXVMMjVvWEVWRmRUUF9hQkx4X2VUMVJQSGJDUV9FQ0JRZllacHQ5czo6ZWt1OjEuMy42LjEuNC4xLjMxMS43Ni41OS4xLjMiLAogICAgIm1pbmltdW1fc3ZuIjogIjEuMC4wIgogIH0KXQoKY29udGFpbmVycyA6PSBbeyJhbGxvd19lbGV2YXRlZCI6dHJ1ZSwiYWxsb3dfc3RkaW9fYWNjZXNzIjp0cnVlLCJjb21tYW5kIjpbImJhc2giXSwiZW52X3J1bGVzIjpbeyJwYXR0ZXJuIjoiUEFUSD0vY3VzdG9taXplZC9wYXRoL3ZhbHVlIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9LHsicGF0dGVybiI6IlRFU1RfUkVHRVhQX0VOVj10ZXN0X3JlZ2V4cF9lbnYiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiUlVTVFVQX0hPTUU9L3Vzci9sb2NhbC9ydXN0dXAiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiQ0FSR09fSE9NRT0vdXNyL2xvY2FsL2NhcmdvIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9LHsicGF0dGVybiI6IlJVU1RfVkVSU0lPTj0xLjUyLjEiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiVEVSTT14dGVybSIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiIoKD9pKUZBQlJJQylfLis9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiSE9TVE5BTUU9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiVChFKT9NUD0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJGYWJyaWNQYWNrYWdlRmlsZU5hbWU9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiSG9zdGVkU2VydmljZU5hbWU9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiSURFTlRJVFlfQVBJX1ZFUlNJT049LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiSURFTlRJVFlfSEVBREVSPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LHsicGF0dGVybiI6IklERU5USVRZX1NFUlZFUl9USFVNQlBSSU5UPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LHsicGF0dGVybiI6ImF6dXJlY29udGFpbmVyaW5zdGFuY2VfcmVzdGFydGVkX2J5PS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9XSwiZXhlY19wcm9jZXNzZXMiOltdLCJpZCI6InJ1c3Q6MS41Mi4xIiwibGF5ZXJzIjpbImZlODRjOWQ1YmZkZGQwN2EyNjI0ZDAwMzMzY2YxM2MxYTljOTQxZjNhMjYxZjEzZWFkNDRmYzZhOTNiYzBlN2EiLCI0ZGVkYWU0Mjg0N2M3MDRkYTg5MWEyOGMyNWQzMjIwMWExYWU0NDBiY2UyYWVjY2NmYThlNmYwM2I5N2E2YTZjIiwiNDFkNjRjZGViMzQ3YmYyMzZiNGMxM2I3NDAzYjYzM2ZmMTFmMWNmOTRkYmM3Y2Y4ODFhNDRkNmRhODhjNTE1NiIsImViMzY5MjFlMWY4MmFmNDZkZmUyNDhlZjhmMWIzYWZiNmE1MjMwYTY0MTgxZDk2MGQxMDIzN2EwOGNkNzNjNzkiLCJlNzY5ZDc0ODdjYzMxNGQzZWU3NDhhNDQ0MDgwNTMxN2MxOTI2MmM3YWNkMmZkYmRiMGQ0N2QyZTQ2MTNhMTVjIiwiMWI4MGYxMjBkYmQ4OGU0MzU1ZDYyNDFiNTE5YzNlMjUyOTAyMTVjNDY5NTE2YjQ5ZGVjZTljZjA3MTc1YTc2NiJdLCJtb3VudHMiOlt7ImRlc3RpbmF0aW9uIjoiL21vdW50L2F6dXJlZmlsZSIsIm9wdGlvbnMiOlsicmJpbmQiLCJyc2hhcmVkIiwicnciXSwic291cmNlIjoic2FuZGJveDovLy90bXAvYXRsYXMvYXp1cmVGaWxlVm9sdW1lLy4rIiwidHlwZSI6ImJpbmQifSx7ImRlc3RpbmF0aW9uIjoiL2V0Yy9yZXNvbHYuY29uZiIsIm9wdGlvbnMiOlsicmJpbmQiLCJyc2hhcmVkIiwicnciXSwic291cmNlIjoic2FuZGJveDovLy90bXAvYXRsYXMvcmVzb2x2Y29uZi8uKyIsInR5cGUiOiJiaW5kIn1dLCJzaWduYWxzIjpbXSwid29ya2luZ19kaXIiOiIvIn0seyJhbGxvd19lbGV2YXRlZCI6ZmFsc2UsImFsbG93X3N0ZGlvX2FjY2VzcyI6dHJ1ZSwiY29tbWFuZCI6WyIvcGF1c2UiXSwiZW52X3J1bGVzIjpbeyJwYXR0ZXJuIjoiUEFUSD0vdXNyL2xvY2FsL3NiaW46L3Vzci9sb2NhbC9iaW46L3Vzci9zYmluOi91c3IvYmluOi9zYmluOi9iaW4iLCJyZXF1aXJlZCI6dHJ1ZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiJURVJNPXh0ZXJtIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9XSwiZXhlY19wcm9jZXNzZXMiOltdLCJsYXllcnMiOlsiMTZiNTE0MDU3YTA2YWQ2NjVmOTJjMDI4NjNhY2EwNzRmZDU5NzZjNzU1ZDI2YmZmMTYzNjUyOTkxNjllODQxNSJdLCJtb3VudHMiOltdLCJzaWduYWxzIjpbXSwid29ya2luZ19kaXIiOiIvIn1dCgphbGxvd19wcm9wZXJ0aWVzX2FjY2VzcyA6PSBmYWxzZQphbGxvd19kdW1wX3N0YWNrcyA6PSBmYWxzZQphbGxvd19ydW50aW1lX2xvZ2dpbmcgOj0gZmFsc2UKYWxsb3dfZW52aXJvbm1lbnRfdmFyaWFibGVfZHJvcHBpbmcgOj0gdHJ1ZQphbGxvd191bmVuY3J5cHRlZF9zY3JhdGNoIDo9IGZhbHNlCgoKCm1vdW50X2RldmljZSA6PSBkYXRhLmZyYW1ld29yay5tb3VudF9kZXZpY2UKdW5tb3VudF9kZXZpY2UgOj0gZGF0YS5mcmFtZXdvcmsudW5tb3VudF9kZXZpY2UKbW91bnRfb3ZlcmxheSA6PSBkYXRhLmZyYW1ld29yay5tb3VudF9vdmVybGF5CnVubW91bnRfb3ZlcmxheSA6PSBkYXRhLmZyYW1ld29yay51bm1vdW50X292ZXJsYXkKY3JlYXRlX2NvbnRhaW5lciA6PSBkYXRhLmZyYW1ld29yay5jcmVhdGVfY29udGFpbmVyCmV4ZWNfaW5fY29udGFpbmVyIDo9IGRhdGEuZnJhbWV3b3JrLmV4ZWNfaW5fY29udGFpbmVyCmV4ZWNfZXh0ZXJuYWwgOj0gZGF0YS5mcmFtZXdvcmsuZXhlY19leHRlcm5hbApzaHV0ZG93bl9jb250YWluZXIgOj0gZGF0YS5mcmFtZXdvcmsuc2h1dGRvd25fY29udGFpbmVyCnNpZ25hbF9jb250YWluZXJfcHJvY2VzcyA6PSBkYXRhLmZyYW1ld29yay5zaWduYWxfY29udGFpbmVyX3Byb2Nlc3MKcGxhbjlfbW91bnQgOj0gZGF0YS5mcmFtZXdvcmsucGxhbjlfbW91bnQKcGxhbjlfdW5tb3VudCA6PSBkYXRhLmZyYW1ld29yay5wbGFuOV91bm1vdW50CmdldF9wcm9wZXJ0aWVzIDo9IGRhdGEuZnJhbWV3b3JrLmdldF9wcm9wZXJ0aWVzCmR1bXBfc3RhY2tzIDo9IGRhdGEuZnJhbWV3b3JrLmR1bXBfc3RhY2tzCnJ1bnRpbWVfbG9nZ2luZyA6PSBkYXRhLmZyYW1ld29yay5ydW50aW1lX2xvZ2dpbmcKbG9hZF9mcmFnbWVudCA6PSBkYXRhLmZyYW1ld29yay5sb2FkX2ZyYWdtZW50CnNjcmF0Y2hfbW91bnQgOj0gZGF0YS5mcmFtZXdvcmsuc2NyYXRjaF9tb3VudApzY3JhdGNoX3VubW91bnQgOj0gZGF0YS5mcmFtZXdvcmsuc2NyYXRjaF91bm1vdW50CgpyZWFzb24gOj0geyJlcnJvcnMiOiBkYXRhLmZyYW1ld29yay5lcnJvcnN9" - }, - "containers": [ - { - "name": "[variables('container1name')]", - "properties": { - "image": "[variables('container1image')]", - "resources": { - "requests": { - "cpu": 1, - "memoryInGb": 1.5 - } - }, - "ports": [ - { - "port": 80 - } - ], - "volumeMounts": [ - { - "name": "azurefile", - "mountPath": "/mount/azure" - } - ], - "environmentVariables": [ - { - "name": "PATH", - "value": "/customized/path/value" - }, - { - "name": "TEST_REGEXP_ENV", - "value": "test_regexp_en" - }, - { - "name": "ENV_VALUE", - "value": "input_value" - } - ] - } - } - ], - "osType": "Linux", - "ipAddress": { - "type": "Public", - "ports": [ - { - "protocol": "tcp", - "port": "80" - } - ] - }, - "volumes": [ - { - "name": "azurefile", - "azureFile": { - "key1": "key-1", - "key2": "key-2" - } - } - ] - } - } - ] -} - """ - - aci_policy = None - existing_policy = None - aci_policy2 = None - existing_policy2 = None - - @classmethod - def setUpClass(cls): - cls.aci_policy = load_policy_from_arm_template_str(cls.custom_json, "")[0] - cls.aci_policy.populate_policy_content_for_all_images() - cls.aci_policy2 = load_policy_from_arm_template_str(cls.custom_json2, "")[0] - cls.aci_policy2.populate_policy_content_for_all_images() - - def test_policy_diff(self): - - is_valid, diff = self.aci_policy.validate_cce_policy() - self.assertTrue(is_valid) - self.assertTrue(not diff) - - def test_incorrect_policy_diff(self): - - is_valid, diff = self.aci_policy2.validate_cce_policy() - self.assertFalse(is_valid) - expected_diff = { - "rust:1.52.1": { - "values_changed": { - "mounts": [ - { - "tested_value": "/mount/azure", - "policy_value": "/mount/azurefile", - } - ] - }, - "env_rules": [ - "environment variable with rule 'TEST_REGEXP_ENV=test_regexp_en' does not match strings or regex in policy rules", - "environment variable with rule 'ENV_VALUE=input_value' does not match strings or regex in policy rules", - ], - } - } - - self.assertEqual(diff, expected_diff) - - -# @unittest.skip("not in use") -@pytest.mark.run(order=9) -class PolicyGeneratingArmInfrastructureSvn(unittest.TestCase): - custom_arm_json = """ - { - "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", - "contentVersion": "1.0.0.0", - "variables": { - "image": "python:3.6.14-slim-buster" - }, - - - "parameters": { - "containergroupname": { - "type": "string", - "metadata": { - "description": "Name for the container group" - }, - "defaultValue":"simple-container-group" - }, - - "containername": { - "type": "string", - "metadata": { - "description": "Name for the container" - }, - "defaultValue":"simple-container" - }, - "port": { - "type": "string", - "metadata": { - "description": "Port to open on the container and the public IP address." - }, - "defaultValue": "8080" - }, - "cpuCores": { - "type": "string", - "metadata": { - "description": "The number of CPU cores to allocate to the container." - }, - "defaultValue": "1.0" - }, - "memoryInGb": { - "type": "string", - "metadata": { - "description": "The amount of memory to allocate to the container in gigabytes." - }, - "defaultValue": "1.5" - }, - "location": { - "type": "string", - "defaultValue": "[resourceGroup().location]", - "metadata": { - "description": "Location for all resources." - } - } - }, - "resources": [ - { - "name": "[parameters('containergroupname')]", - "type": "Microsoft.ContainerInstance/containerGroups", - "apiVersion": "2022-04-01-preview", - "location": "[parameters('location')]", - "properties": { - "containers": [ - { - "name": "[parameters('containername')]", - - "properties": { - "image": "[variables('image')]", - "command": [ - "python3" - ], - "ports": [ - { - "port": "[parameters('port')]" - } - ], - "resources": { - "requests": { - "cpu": "[parameters('cpuCores')]", - "memoryInGb": "[parameters('memoryInGb')]" - } - }, - "volumeMounts": [ - { - "name": "filesharevolume", - "mountPath": "/aci/logs", - "readOnly": false - }, - { - "name": "secretvolume", - "mountPath": "/aci/secret", - "readOnly": true - } - ] - } - } - ], - "volumes": [ - { - "name": "filesharevolume", - "azureFile": { - "shareName": "shareName1", - "storageAccountName": "storage-account-name", - "storageAccountKey": "storage-account-key" - } - }, - { - - "name": "secretvolume", - "secret": { - "mysecret1": "secret1", - "mysecret2": "secret2" - } - } - - ], - "osType": "Linux", - "restartPolicy": "OnFailure", - "confidentialComputeProperties": { - "IsolationType": "SevSnp" - }, - "ipAddress": { - "type": "Public", - "ports": [ - { - "protocol": "Tcp", - "port": "[parameters( 'port' )]" - } - ] - } - } - } - ], - "outputs": { - "containerIPv4Address": { - "type": "string", - "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', parameters('containergroupname'))).ipAddress.ip]" - } - } - } - """ - aci_policy = None - - @classmethod - def setUpClass(cls): - cls.aci_arm_policy = load_policy_from_arm_template_str( - cls.custom_arm_json, "", infrastructure_svn="2.0.0" - )[0] - cls.aci_arm_policy.populate_policy_content_for_all_images() - - def test_update_infrastructure_svn(self): - expected_policy = "cGFja2FnZSBwb2xpY3kKCmltcG9ydCBmdXR1cmUua2V5d29yZHMuZXZlcnkKaW1wb3J0IGZ1dHVyZS5rZXl3b3Jkcy5pbgoKYXBpX3N2biA6PSAiMC4xMC4wIgpmcmFtZXdvcmtfc3ZuIDo9ICIwLjEuMCIKCmZyYWdtZW50cyA6PSBbCiAgewogICAgImZlZWQiOiAibWNyLm1pY3Jvc29mdC5jb20vYWNpL2FjaS1jYy1pbmZyYS1mcmFnbWVudCIsCiAgICAiaW5jbHVkZXMiOiBbCiAgICAgICJjb250YWluZXJzIgogICAgXSwKICAgICJpc3N1ZXIiOiAiZGlkOng1MDk6MDpzaGEyNTY6SV9faXVMMjVvWEVWRmRUUF9hQkx4X2VUMVJQSGJDUV9FQ0JRZllacHQ5czo6ZWt1OjEuMy42LjEuNC4xLjMxMS43Ni41OS4xLjMiLAogICAgIm1pbmltdW1fc3ZuIjogIjIuMC4wIgogIH0KXQoKY29udGFpbmVycyA6PSBbeyJhbGxvd19lbGV2YXRlZCI6dHJ1ZSwiYWxsb3dfc3RkaW9fYWNjZXNzIjp0cnVlLCJjb21tYW5kIjpbInB5dGhvbjMiXSwiZW52X3J1bGVzIjpbeyJwYXR0ZXJuIjoiUEFUSD0vdXNyL2xvY2FsL2JpbjovdXNyL2xvY2FsL3NiaW46L3Vzci9sb2NhbC9iaW46L3Vzci9zYmluOi91c3IvYmluOi9zYmluOi9iaW4iLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiTEFORz1DLlVURi04IiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9LHsicGF0dGVybiI6IkdQR19LRVk9MEQ5NkRGNEQ0MTEwRTVDNDNGQkZCMTdGMkQzNDdFQTZBQTY1NDIxRCIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiJQWVRIT05fVkVSU0lPTj0zLjYuMTQiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiUFlUSE9OX1BJUF9WRVJTSU9OPTIxLjIuNCIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiJQWVRIT05fR0VUX1BJUF9VUkw9aHR0cHM6Ly9naXRodWIuY29tL3B5cGEvZ2V0LXBpcC9yYXcvYzIwYjBjZmQ2NDNjZDRhMTkyNDZjY2YyMDRlMjk5N2FmNzBmNmIyMS9wdWJsaWMvZ2V0LXBpcC5weSIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiJQWVRIT05fR0VUX1BJUF9TSEEyNTY9ZmE2ZjNmYjkzY2NlMjM0Y2Q0ZThkZDJiZWI1NGE1MWFiOWMyNDc2NTNiNTI4NTVhNDhkZDQ0ZTZiMjFmZjI4YiIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiJURVJNPXh0ZXJtIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9LHsicGF0dGVybiI6IigoP2kpRkFCUklDKV8uKz0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJIT1NUTkFNRT0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJUKEUpP01QPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LHsicGF0dGVybiI6IkZhYnJpY1BhY2thZ2VGaWxlTmFtZT0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJIb3N0ZWRTZXJ2aWNlTmFtZT0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJJREVOVElUWV9BUElfVkVSU0lPTj0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJJREVOVElUWV9IRUFERVI9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiSURFTlRJVFlfU0VSVkVSX1RIVU1CUFJJTlQ9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiYXp1cmVjb250YWluZXJpbnN0YW5jZV9yZXN0YXJ0ZWRfYnk9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn1dLCJleGVjX3Byb2Nlc3NlcyI6W10sImlkIjoicHl0aG9uOjMuNi4xNC1zbGltLWJ1c3RlciIsImxheWVycyI6WyIyNTRjYzg1M2RhNjA4MTkwNWM5MTA5YzhiOWQ5OWM5ZmIwOTg3YmExZDg4ZjcyOTA4ODkwM2NmZmI4MGY1NWYxIiwiYTU2OGYxOTAwYmVkNjBhMDY0MWI3NmI5OTFhZDQzMTQ0NmQ5YzNhMzQ0ZDdiMjYxZjEwZGU4ZDhlNzM3NjNhYyIsImM3MGM1MzBlODQyZjY2MjE1YjBiZDk1NTg3NzE1N2JhMjRjMzc5OTMwMzU2N2MzZjU2NzNjNDU2NjNlYTRkMTUiLCIzZTg2YzNjY2YxNjQyYmY1ODRkZTMzYjQ5YzcyNDhmODdlZWNkMGY2ZDhjMDgzNTNkYWEzNmNjN2FkMGE3YjZhIiwiMWU0Njg0ZDhjN2NhYTc0YzY1MjQxNzJiNGQ1YTE1OWExMDg4NzYxM2VkNzBmMThkMGE1NWQwNWIyYWY2MWFjZCJdLCJtb3VudHMiOlt7ImRlc3RpbmF0aW9uIjoiL2FjaS9sb2dzIiwib3B0aW9ucyI6WyJyYmluZCIsInJzaGFyZWQiLCJydyJdLCJzb3VyY2UiOiJzYW5kYm94Oi8vL3RtcC9hdGxhcy9henVyZUZpbGVWb2x1bWUvLisiLCJ0eXBlIjoiYmluZCJ9LHsiZGVzdGluYXRpb24iOiIvYWNpL3NlY3JldCIsIm9wdGlvbnMiOlsicmJpbmQiLCJyc2hhcmVkIiwicm8iXSwic291cmNlIjoic2FuZGJveDovLy90bXAvYXRsYXMvc2VjcmV0c1ZvbHVtZS8uKyIsInR5cGUiOiJiaW5kIn0seyJkZXN0aW5hdGlvbiI6Ii9ldGMvcmVzb2x2LmNvbmYiLCJvcHRpb25zIjpbInJiaW5kIiwicnNoYXJlZCIsInJ3Il0sInNvdXJjZSI6InNhbmRib3g6Ly8vdG1wL2F0bGFzL3Jlc29sdmNvbmYvLisiLCJ0eXBlIjoiYmluZCJ9XSwic2lnbmFscyI6W10sIndvcmtpbmdfZGlyIjoiLyJ9LHsiYWxsb3dfZWxldmF0ZWQiOmZhbHNlLCJhbGxvd19zdGRpb19hY2Nlc3MiOnRydWUsImNvbW1hbmQiOlsiL3BhdXNlIl0sImVudl9ydWxlcyI6W3sicGF0dGVybiI6IlBBVEg9L3Vzci9sb2NhbC9zYmluOi91c3IvbG9jYWwvYmluOi91c3Ivc2JpbjovdXNyL2Jpbjovc2JpbjovYmluIiwicmVxdWlyZWQiOnRydWUsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiVEVSTT14dGVybSIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifV0sImV4ZWNfcHJvY2Vzc2VzIjpbXSwibGF5ZXJzIjpbIjE2YjUxNDA1N2EwNmFkNjY1ZjkyYzAyODYzYWNhMDc0ZmQ1OTc2Yzc1NWQyNmJmZjE2MzY1Mjk5MTY5ZTg0MTUiXSwibW91bnRzIjpbXSwic2lnbmFscyI6W10sIndvcmtpbmdfZGlyIjoiLyJ9XQoKYWxsb3dfcHJvcGVydGllc19hY2Nlc3MgOj0gZmFsc2UKYWxsb3dfZHVtcF9zdGFja3MgOj0gZmFsc2UKYWxsb3dfcnVudGltZV9sb2dnaW5nIDo9IGZhbHNlCmFsbG93X2Vudmlyb25tZW50X3ZhcmlhYmxlX2Ryb3BwaW5nIDo9IHRydWUKYWxsb3dfdW5lbmNyeXB0ZWRfc2NyYXRjaCA6PSBmYWxzZQoKCgptb3VudF9kZXZpY2UgOj0gZGF0YS5mcmFtZXdvcmsubW91bnRfZGV2aWNlCnVubW91bnRfZGV2aWNlIDo9IGRhdGEuZnJhbWV3b3JrLnVubW91bnRfZGV2aWNlCm1vdW50X292ZXJsYXkgOj0gZGF0YS5mcmFtZXdvcmsubW91bnRfb3ZlcmxheQp1bm1vdW50X292ZXJsYXkgOj0gZGF0YS5mcmFtZXdvcmsudW5tb3VudF9vdmVybGF5CmNyZWF0ZV9jb250YWluZXIgOj0gZGF0YS5mcmFtZXdvcmsuY3JlYXRlX2NvbnRhaW5lcgpleGVjX2luX2NvbnRhaW5lciA6PSBkYXRhLmZyYW1ld29yay5leGVjX2luX2NvbnRhaW5lcgpleGVjX2V4dGVybmFsIDo9IGRhdGEuZnJhbWV3b3JrLmV4ZWNfZXh0ZXJuYWwKc2h1dGRvd25fY29udGFpbmVyIDo9IGRhdGEuZnJhbWV3b3JrLnNodXRkb3duX2NvbnRhaW5lcgpzaWduYWxfY29udGFpbmVyX3Byb2Nlc3MgOj0gZGF0YS5mcmFtZXdvcmsuc2lnbmFsX2NvbnRhaW5lcl9wcm9jZXNzCnBsYW45X21vdW50IDo9IGRhdGEuZnJhbWV3b3JrLnBsYW45X21vdW50CnBsYW45X3VubW91bnQgOj0gZGF0YS5mcmFtZXdvcmsucGxhbjlfdW5tb3VudApnZXRfcHJvcGVydGllcyA6PSBkYXRhLmZyYW1ld29yay5nZXRfcHJvcGVydGllcwpkdW1wX3N0YWNrcyA6PSBkYXRhLmZyYW1ld29yay5kdW1wX3N0YWNrcwpydW50aW1lX2xvZ2dpbmcgOj0gZGF0YS5mcmFtZXdvcmsucnVudGltZV9sb2dnaW5nCmxvYWRfZnJhZ21lbnQgOj0gZGF0YS5mcmFtZXdvcmsubG9hZF9mcmFnbWVudApzY3JhdGNoX21vdW50IDo9IGRhdGEuZnJhbWV3b3JrLnNjcmF0Y2hfbW91bnQKc2NyYXRjaF91bm1vdW50IDo9IGRhdGEuZnJhbWV3b3JrLnNjcmF0Y2hfdW5tb3VudAoKcmVhc29uIDo9IHsiZXJyb3JzIjogZGF0YS5mcmFtZXdvcmsuZXJyb3JzfQ==" - - self.assertEqual(expected_policy, self.aci_arm_policy.get_serialized_output()) - - self.assertEqual( - "2.0.0", - self.aci_arm_policy._fragments[0][ - config.POLICY_FIELD_CONTAINERS_ELEMENTS_REGO_FRAGMENTS_MINIMUM_SVN - ], - ) - - -# @unittest.skip("not in use") -@pytest.mark.run(order=8) -class MultiplePolicyTemplate(unittest.TestCase): - custom_json = """ -{ - "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", - "contentVersion": "1.0.0.0", - "variables": { - "container1name": "aci-test", - "container1image": "rust:1.52.1", - "container2name": "aci-test2", - "container2image": "python:3.6.14-slim-buster" - }, - "resources": [ - { - "type": "Microsoft.ContainerInstance/containerGroups", - "apiVersion": "2022-04-01-preview", - "name": "secret-volume-demo", - "location": "[resourceGroup().location]", - "properties": { - "confidentialComputeProperties": { - "isolationType": "SevSnp", - "ccePolicy": "" - }, - "containers": [ - { - "name": "[variables('container1name')]", - "properties": { - "image": "[variables('container1image')]", - "resources": { - "requests": { - "cpu": 1, - "memoryInGb": 1.5 - } - }, - "ports": [ - { - "port": 80 - } - ], - "volumeMounts": [ - { - "name": "azurefile", - "mountPath": "/mount/azurefile" - } - ], - "environmentVariables": [ - { - "name": "PATH", - "value": "/customized/path/value" - }, - { - "name": "TEST_REGEXP_ENV", - "secureValue": "test_regexp_env" - } - ] - } - } - ], - "osType": "Linux", - "ipAddress": { - "type": "Public", - "ports": [ - { - "protocol": "tcp", - "port": "80" - } - ] - }, - "volumes": [ - { - "name": "azurefile", - "azureFile": { - "key1": "key-1", - "key2": "key-2" - } - } - ] - } - }, - { - "type": "Microsoft.ContainerInstance/containerGroups", - "apiVersion": "2022-04-01-preview", - "name": "secret-volume-demo", - "location": "[resourceGroup().location]", - "properties": { - "confidentialComputeProperties": { - "isolationType": "SevSnp", - "ccePolicy": "" - }, - "containers": [ - { - "name": "[variables('container2name')]", - "properties": { - "image": "[variables('container2image')]", - "resources": { - "requests": { - "cpu": 1, - "memoryInGb": 1.5 - } - }, - "volumeMounts": [ - { - "name": "azurefile", - "mountPath": "/mount/file" - } - ], - "environmentVariables": [ - { - "name": "PATH", - "secureValue": "/customized/different/path/value" - } - ] - } - } - ], - "osType": "Linux", - "ipAddress": { - "type": "Public", - "ports": [ - { - "protocol": "tcp", - "port": "80" - } - ] - }, - "volumes": [ - { - "name": "azurefile", - "azureFile": { - "key1": "key-3", - "key2": "key-4" - } - } - ] - } - }, - { - "type": "Microsoft.Compute/disks", - "apiVersion": "2018-06-01", - "name": "my-vm-datadisk1", - "location": "[resourceGroup().location]", - "sku": { - "name": "Standard_LRS" - }, - "properties": { - "creationData": { - "createOption": "Empty" - }, - "diskSizeGB": 1023 - } - } - - ] -} - """ - - aci_policy = None - aci_policy2 = None - - @classmethod - def setUpClass(cls): - temp_policies = load_policy_from_arm_template_str(cls.custom_json, "") - cls.aci_policy = temp_policies[0] - cls.aci_policy2 = temp_policies[1] - cls.aci_policy.populate_policy_content_for_all_images() - cls.aci_policy2.populate_policy_content_for_all_images() - - def test_multiple_policies(self): - output1 = self.aci_policy.get_serialized_output() - output2 = self.aci_policy2.get_serialized_output() - self.assertTrue(output1 != output2) - - expected_output1 = "cGFja2FnZSBwb2xpY3kKCmltcG9ydCBmdXR1cmUua2V5d29yZHMuZXZlcnkKaW1wb3J0IGZ1dHVyZS5rZXl3b3Jkcy5pbgoKYXBpX3N2biA6PSAiMC4xMC4wIgpmcmFtZXdvcmtfc3ZuIDo9ICIwLjEuMCIKCmZyYWdtZW50cyA6PSBbCiAgewogICAgImZlZWQiOiAibWNyLm1pY3Jvc29mdC5jb20vYWNpL2FjaS1jYy1pbmZyYS1mcmFnbWVudCIsCiAgICAiaW5jbHVkZXMiOiBbCiAgICAgICJjb250YWluZXJzIgogICAgXSwKICAgICJpc3N1ZXIiOiAiZGlkOng1MDk6MDpzaGEyNTY6SV9faXVMMjVvWEVWRmRUUF9hQkx4X2VUMVJQSGJDUV9FQ0JRZllacHQ5czo6ZWt1OjEuMy42LjEuNC4xLjMxMS43Ni41OS4xLjMiLAogICAgIm1pbmltdW1fc3ZuIjogIjEuMC4wIgogIH0KXQoKY29udGFpbmVycyA6PSBbeyJhbGxvd19lbGV2YXRlZCI6dHJ1ZSwiYWxsb3dfc3RkaW9fYWNjZXNzIjp0cnVlLCJjb21tYW5kIjpbImJhc2giXSwiZW52X3J1bGVzIjpbeyJwYXR0ZXJuIjoiUEFUSD0vY3VzdG9taXplZC9wYXRoL3ZhbHVlIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9LHsicGF0dGVybiI6IlRFU1RfUkVHRVhQX0VOVj10ZXN0X3JlZ2V4cF9lbnYiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiUlVTVFVQX0hPTUU9L3Vzci9sb2NhbC9ydXN0dXAiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiQ0FSR09fSE9NRT0vdXNyL2xvY2FsL2NhcmdvIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9LHsicGF0dGVybiI6IlJVU1RfVkVSU0lPTj0xLjUyLjEiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiVEVSTT14dGVybSIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiIoKD9pKUZBQlJJQylfLis9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiSE9TVE5BTUU9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiVChFKT9NUD0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJGYWJyaWNQYWNrYWdlRmlsZU5hbWU9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiSG9zdGVkU2VydmljZU5hbWU9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiSURFTlRJVFlfQVBJX1ZFUlNJT049LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiSURFTlRJVFlfSEVBREVSPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LHsicGF0dGVybiI6IklERU5USVRZX1NFUlZFUl9USFVNQlBSSU5UPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LHsicGF0dGVybiI6ImF6dXJlY29udGFpbmVyaW5zdGFuY2VfcmVzdGFydGVkX2J5PS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9XSwiZXhlY19wcm9jZXNzZXMiOltdLCJpZCI6InJ1c3Q6MS41Mi4xIiwibGF5ZXJzIjpbImZlODRjOWQ1YmZkZGQwN2EyNjI0ZDAwMzMzY2YxM2MxYTljOTQxZjNhMjYxZjEzZWFkNDRmYzZhOTNiYzBlN2EiLCI0ZGVkYWU0Mjg0N2M3MDRkYTg5MWEyOGMyNWQzMjIwMWExYWU0NDBiY2UyYWVjY2NmYThlNmYwM2I5N2E2YTZjIiwiNDFkNjRjZGViMzQ3YmYyMzZiNGMxM2I3NDAzYjYzM2ZmMTFmMWNmOTRkYmM3Y2Y4ODFhNDRkNmRhODhjNTE1NiIsImViMzY5MjFlMWY4MmFmNDZkZmUyNDhlZjhmMWIzYWZiNmE1MjMwYTY0MTgxZDk2MGQxMDIzN2EwOGNkNzNjNzkiLCJlNzY5ZDc0ODdjYzMxNGQzZWU3NDhhNDQ0MDgwNTMxN2MxOTI2MmM3YWNkMmZkYmRiMGQ0N2QyZTQ2MTNhMTVjIiwiMWI4MGYxMjBkYmQ4OGU0MzU1ZDYyNDFiNTE5YzNlMjUyOTAyMTVjNDY5NTE2YjQ5ZGVjZTljZjA3MTc1YTc2NiJdLCJtb3VudHMiOlt7ImRlc3RpbmF0aW9uIjoiL21vdW50L2F6dXJlZmlsZSIsIm9wdGlvbnMiOlsicmJpbmQiLCJyc2hhcmVkIiwicnciXSwic291cmNlIjoic2FuZGJveDovLy90bXAvYXRsYXMvYXp1cmVGaWxlVm9sdW1lLy4rIiwidHlwZSI6ImJpbmQifSx7ImRlc3RpbmF0aW9uIjoiL2V0Yy9yZXNvbHYuY29uZiIsIm9wdGlvbnMiOlsicmJpbmQiLCJyc2hhcmVkIiwicnciXSwic291cmNlIjoic2FuZGJveDovLy90bXAvYXRsYXMvcmVzb2x2Y29uZi8uKyIsInR5cGUiOiJiaW5kIn1dLCJzaWduYWxzIjpbXSwid29ya2luZ19kaXIiOiIvIn0seyJhbGxvd19lbGV2YXRlZCI6ZmFsc2UsImFsbG93X3N0ZGlvX2FjY2VzcyI6dHJ1ZSwiY29tbWFuZCI6WyIvcGF1c2UiXSwiZW52X3J1bGVzIjpbeyJwYXR0ZXJuIjoiUEFUSD0vdXNyL2xvY2FsL3NiaW46L3Vzci9sb2NhbC9iaW46L3Vzci9zYmluOi91c3IvYmluOi9zYmluOi9iaW4iLCJyZXF1aXJlZCI6dHJ1ZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiJURVJNPXh0ZXJtIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9XSwiZXhlY19wcm9jZXNzZXMiOltdLCJsYXllcnMiOlsiMTZiNTE0MDU3YTA2YWQ2NjVmOTJjMDI4NjNhY2EwNzRmZDU5NzZjNzU1ZDI2YmZmMTYzNjUyOTkxNjllODQxNSJdLCJtb3VudHMiOltdLCJzaWduYWxzIjpbXSwid29ya2luZ19kaXIiOiIvIn1dCgphbGxvd19wcm9wZXJ0aWVzX2FjY2VzcyA6PSBmYWxzZQphbGxvd19kdW1wX3N0YWNrcyA6PSBmYWxzZQphbGxvd19ydW50aW1lX2xvZ2dpbmcgOj0gZmFsc2UKYWxsb3dfZW52aXJvbm1lbnRfdmFyaWFibGVfZHJvcHBpbmcgOj0gdHJ1ZQphbGxvd191bmVuY3J5cHRlZF9zY3JhdGNoIDo9IGZhbHNlCgoKCm1vdW50X2RldmljZSA6PSBkYXRhLmZyYW1ld29yay5tb3VudF9kZXZpY2UKdW5tb3VudF9kZXZpY2UgOj0gZGF0YS5mcmFtZXdvcmsudW5tb3VudF9kZXZpY2UKbW91bnRfb3ZlcmxheSA6PSBkYXRhLmZyYW1ld29yay5tb3VudF9vdmVybGF5CnVubW91bnRfb3ZlcmxheSA6PSBkYXRhLmZyYW1ld29yay51bm1vdW50X292ZXJsYXkKY3JlYXRlX2NvbnRhaW5lciA6PSBkYXRhLmZyYW1ld29yay5jcmVhdGVfY29udGFpbmVyCmV4ZWNfaW5fY29udGFpbmVyIDo9IGRhdGEuZnJhbWV3b3JrLmV4ZWNfaW5fY29udGFpbmVyCmV4ZWNfZXh0ZXJuYWwgOj0gZGF0YS5mcmFtZXdvcmsuZXhlY19leHRlcm5hbApzaHV0ZG93bl9jb250YWluZXIgOj0gZGF0YS5mcmFtZXdvcmsuc2h1dGRvd25fY29udGFpbmVyCnNpZ25hbF9jb250YWluZXJfcHJvY2VzcyA6PSBkYXRhLmZyYW1ld29yay5zaWduYWxfY29udGFpbmVyX3Byb2Nlc3MKcGxhbjlfbW91bnQgOj0gZGF0YS5mcmFtZXdvcmsucGxhbjlfbW91bnQKcGxhbjlfdW5tb3VudCA6PSBkYXRhLmZyYW1ld29yay5wbGFuOV91bm1vdW50CmdldF9wcm9wZXJ0aWVzIDo9IGRhdGEuZnJhbWV3b3JrLmdldF9wcm9wZXJ0aWVzCmR1bXBfc3RhY2tzIDo9IGRhdGEuZnJhbWV3b3JrLmR1bXBfc3RhY2tzCnJ1bnRpbWVfbG9nZ2luZyA6PSBkYXRhLmZyYW1ld29yay5ydW50aW1lX2xvZ2dpbmcKbG9hZF9mcmFnbWVudCA6PSBkYXRhLmZyYW1ld29yay5sb2FkX2ZyYWdtZW50CnNjcmF0Y2hfbW91bnQgOj0gZGF0YS5mcmFtZXdvcmsuc2NyYXRjaF9tb3VudApzY3JhdGNoX3VubW91bnQgOj0gZGF0YS5mcmFtZXdvcmsuc2NyYXRjaF91bm1vdW50CgpyZWFzb24gOj0geyJlcnJvcnMiOiBkYXRhLmZyYW1ld29yay5lcnJvcnN9" - expected_output2 = "cGFja2FnZSBwb2xpY3kKCmltcG9ydCBmdXR1cmUua2V5d29yZHMuZXZlcnkKaW1wb3J0IGZ1dHVyZS5rZXl3b3Jkcy5pbgoKYXBpX3N2biA6PSAiMC4xMC4wIgpmcmFtZXdvcmtfc3ZuIDo9ICIwLjEuMCIKCmZyYWdtZW50cyA6PSBbCiAgewogICAgImZlZWQiOiAibWNyLm1pY3Jvc29mdC5jb20vYWNpL2FjaS1jYy1pbmZyYS1mcmFnbWVudCIsCiAgICAiaW5jbHVkZXMiOiBbCiAgICAgICJjb250YWluZXJzIgogICAgXSwKICAgICJpc3N1ZXIiOiAiZGlkOng1MDk6MDpzaGEyNTY6SV9faXVMMjVvWEVWRmRUUF9hQkx4X2VUMVJQSGJDUV9FQ0JRZllacHQ5czo6ZWt1OjEuMy42LjEuNC4xLjMxMS43Ni41OS4xLjMiLAogICAgIm1pbmltdW1fc3ZuIjogIjEuMC4wIgogIH0KXQoKY29udGFpbmVycyA6PSBbeyJhbGxvd19lbGV2YXRlZCI6dHJ1ZSwiYWxsb3dfc3RkaW9fYWNjZXNzIjp0cnVlLCJjb21tYW5kIjpbInB5dGhvbjMiXSwiZW52X3J1bGVzIjpbeyJwYXR0ZXJuIjoiUEFUSD0vY3VzdG9taXplZC9kaWZmZXJlbnQvcGF0aC92YWx1ZSIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiJMQU5HPUMuVVRGLTgiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiR1BHX0tFWT0wRDk2REY0RDQxMTBFNUM0M0ZCRkIxN0YyRDM0N0VBNkFBNjU0MjFEIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9LHsicGF0dGVybiI6IlBZVEhPTl9WRVJTSU9OPTMuNi4xNCIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiJQWVRIT05fUElQX1ZFUlNJT049MjEuMi40IiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9LHsicGF0dGVybiI6IlBZVEhPTl9HRVRfUElQX1VSTD1odHRwczovL2dpdGh1Yi5jb20vcHlwYS9nZXQtcGlwL3Jhdy9jMjBiMGNmZDY0M2NkNGExOTI0NmNjZjIwNGUyOTk3YWY3MGY2YjIxL3B1YmxpYy9nZXQtcGlwLnB5IiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9LHsicGF0dGVybiI6IlBZVEhPTl9HRVRfUElQX1NIQTI1Nj1mYTZmM2ZiOTNjY2UyMzRjZDRlOGRkMmJlYjU0YTUxYWI5YzI0NzY1M2I1Mjg1NWE0OGRkNDRlNmIyMWZmMjhiIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9LHsicGF0dGVybiI6IlRFUk09eHRlcm0iLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiKCg/aSlGQUJSSUMpXy4rPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LHsicGF0dGVybiI6IkhPU1ROQU1FPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LHsicGF0dGVybiI6IlQoRSk/TVA9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiRmFicmljUGFja2FnZUZpbGVOYW1lPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LHsicGF0dGVybiI6Ikhvc3RlZFNlcnZpY2VOYW1lPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LHsicGF0dGVybiI6IklERU5USVRZX0FQSV9WRVJTSU9OPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LHsicGF0dGVybiI6IklERU5USVRZX0hFQURFUj0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJJREVOVElUWV9TRVJWRVJfVEhVTUJQUklOVD0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJhenVyZWNvbnRhaW5lcmluc3RhbmNlX3Jlc3RhcnRlZF9ieT0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifV0sImV4ZWNfcHJvY2Vzc2VzIjpbXSwiaWQiOiJweXRob246My42LjE0LXNsaW0tYnVzdGVyIiwibGF5ZXJzIjpbIjI1NGNjODUzZGE2MDgxOTA1YzkxMDljOGI5ZDk5YzlmYjA5ODdiYTFkODhmNzI5MDg4OTAzY2ZmYjgwZjU1ZjEiLCJhNTY4ZjE5MDBiZWQ2MGEwNjQxYjc2Yjk5MWFkNDMxNDQ2ZDljM2EzNDRkN2IyNjFmMTBkZThkOGU3Mzc2M2FjIiwiYzcwYzUzMGU4NDJmNjYyMTViMGJkOTU1ODc3MTU3YmEyNGMzNzk5MzAzNTY3YzNmNTY3M2M0NTY2M2VhNGQxNSIsIjNlODZjM2NjZjE2NDJiZjU4NGRlMzNiNDljNzI0OGY4N2VlY2QwZjZkOGMwODM1M2RhYTM2Y2M3YWQwYTdiNmEiLCIxZTQ2ODRkOGM3Y2FhNzRjNjUyNDE3MmI0ZDVhMTU5YTEwODg3NjEzZWQ3MGYxOGQwYTU1ZDA1YjJhZjYxYWNkIl0sIm1vdW50cyI6W3siZGVzdGluYXRpb24iOiIvbW91bnQvZmlsZSIsIm9wdGlvbnMiOlsicmJpbmQiLCJyc2hhcmVkIiwicnciXSwic291cmNlIjoic2FuZGJveDovLy90bXAvYXRsYXMvYXp1cmVGaWxlVm9sdW1lLy4rIiwidHlwZSI6ImJpbmQifSx7ImRlc3RpbmF0aW9uIjoiL2V0Yy9yZXNvbHYuY29uZiIsIm9wdGlvbnMiOlsicmJpbmQiLCJyc2hhcmVkIiwicnciXSwic291cmNlIjoic2FuZGJveDovLy90bXAvYXRsYXMvcmVzb2x2Y29uZi8uKyIsInR5cGUiOiJiaW5kIn1dLCJzaWduYWxzIjpbXSwid29ya2luZ19kaXIiOiIvIn0seyJhbGxvd19lbGV2YXRlZCI6ZmFsc2UsImFsbG93X3N0ZGlvX2FjY2VzcyI6dHJ1ZSwiY29tbWFuZCI6WyIvcGF1c2UiXSwiZW52X3J1bGVzIjpbeyJwYXR0ZXJuIjoiUEFUSD0vdXNyL2xvY2FsL3NiaW46L3Vzci9sb2NhbC9iaW46L3Vzci9zYmluOi91c3IvYmluOi9zYmluOi9iaW4iLCJyZXF1aXJlZCI6dHJ1ZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiJURVJNPXh0ZXJtIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9XSwiZXhlY19wcm9jZXNzZXMiOltdLCJsYXllcnMiOlsiMTZiNTE0MDU3YTA2YWQ2NjVmOTJjMDI4NjNhY2EwNzRmZDU5NzZjNzU1ZDI2YmZmMTYzNjUyOTkxNjllODQxNSJdLCJtb3VudHMiOltdLCJzaWduYWxzIjpbXSwid29ya2luZ19kaXIiOiIvIn1dCgphbGxvd19wcm9wZXJ0aWVzX2FjY2VzcyA6PSBmYWxzZQphbGxvd19kdW1wX3N0YWNrcyA6PSBmYWxzZQphbGxvd19ydW50aW1lX2xvZ2dpbmcgOj0gZmFsc2UKYWxsb3dfZW52aXJvbm1lbnRfdmFyaWFibGVfZHJvcHBpbmcgOj0gdHJ1ZQphbGxvd191bmVuY3J5cHRlZF9zY3JhdGNoIDo9IGZhbHNlCgoKCm1vdW50X2RldmljZSA6PSBkYXRhLmZyYW1ld29yay5tb3VudF9kZXZpY2UKdW5tb3VudF9kZXZpY2UgOj0gZGF0YS5mcmFtZXdvcmsudW5tb3VudF9kZXZpY2UKbW91bnRfb3ZlcmxheSA6PSBkYXRhLmZyYW1ld29yay5tb3VudF9vdmVybGF5CnVubW91bnRfb3ZlcmxheSA6PSBkYXRhLmZyYW1ld29yay51bm1vdW50X292ZXJsYXkKY3JlYXRlX2NvbnRhaW5lciA6PSBkYXRhLmZyYW1ld29yay5jcmVhdGVfY29udGFpbmVyCmV4ZWNfaW5fY29udGFpbmVyIDo9IGRhdGEuZnJhbWV3b3JrLmV4ZWNfaW5fY29udGFpbmVyCmV4ZWNfZXh0ZXJuYWwgOj0gZGF0YS5mcmFtZXdvcmsuZXhlY19leHRlcm5hbApzaHV0ZG93bl9jb250YWluZXIgOj0gZGF0YS5mcmFtZXdvcmsuc2h1dGRvd25fY29udGFpbmVyCnNpZ25hbF9jb250YWluZXJfcHJvY2VzcyA6PSBkYXRhLmZyYW1ld29yay5zaWduYWxfY29udGFpbmVyX3Byb2Nlc3MKcGxhbjlfbW91bnQgOj0gZGF0YS5mcmFtZXdvcmsucGxhbjlfbW91bnQKcGxhbjlfdW5tb3VudCA6PSBkYXRhLmZyYW1ld29yay5wbGFuOV91bm1vdW50CmdldF9wcm9wZXJ0aWVzIDo9IGRhdGEuZnJhbWV3b3JrLmdldF9wcm9wZXJ0aWVzCmR1bXBfc3RhY2tzIDo9IGRhdGEuZnJhbWV3b3JrLmR1bXBfc3RhY2tzCnJ1bnRpbWVfbG9nZ2luZyA6PSBkYXRhLmZyYW1ld29yay5ydW50aW1lX2xvZ2dpbmcKbG9hZF9mcmFnbWVudCA6PSBkYXRhLmZyYW1ld29yay5sb2FkX2ZyYWdtZW50CnNjcmF0Y2hfbW91bnQgOj0gZGF0YS5mcmFtZXdvcmsuc2NyYXRjaF9tb3VudApzY3JhdGNoX3VubW91bnQgOj0gZGF0YS5mcmFtZXdvcmsuc2NyYXRjaF91bm1vdW50CgpyZWFzb24gOj0geyJlcnJvcnMiOiBkYXRhLmZyYW1ld29yay5lcnJvcnN9" - - self.assertEqual(output1, expected_output1) - self.assertEqual(output2, expected_output2) - - -# @unittest.skip("not in use") -@pytest.mark.run(order=10) -class PolicyGeneratingArmInitContainer(unittest.TestCase): - - custom_arm_json_default_value = """ - { - "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", - "contentVersion": "1.0.0.0", - - - "parameters": { - "containergroupname": { - "type": "string", - "metadata": { - "description": "Name for the container group" - }, - "defaultValue":"simple-container-group" - }, - "image": { - "type": "string", - "metadata": { - "description": "Name for the container group" - }, - "defaultValue":"rust:1.52.1" - }, - "containername": { - "type": "string", - "metadata": { - "description": "Name for the container" - }, - "defaultValue":"simple-container" - }, - - "port": { - "type": "string", - "metadata": { - "description": "Port to open on the container and the public IP address." - }, - "defaultValue": "8080" - }, - "cpuCores": { - "type": "string", - "metadata": { - "description": "The number of CPU cores to allocate to the container." - }, - "defaultValue": "1.0" - }, - "memoryInGb": { - "type": "string", - "metadata": { - "description": "The amount of memory to allocate to the container in gigabytes." - }, - "defaultValue": "1.5" - }, - "location": { - "type": "string", - "defaultValue": "[resourceGroup().location]", - "metadata": { - "description": "Location for all resources." - } - } - }, - "resources": [ - { - "name": "[parameters('containergroupname')]", - "type": "Microsoft.ContainerInstance/containerGroups", - "apiVersion": "2022-04-01-preview", - "location": "[parameters('location')]", - - "properties": { - "containers": [ - { - "name": "[parameters('containername')]", - "properties": { - "image": "[parameters('image')]", - "environmentVariables": [ - { - "name": "PORT", - "value": "80" - } - ], - - "ports": [ - { - "port": "[parameters('port')]" - } - ], - "command": [ - "/bin/bash", - "-c", - "while sleep 5; do cat /mnt/input/access.log; done" - ], - "resources": { - "requests": { - "cpu": "[parameters('cpuCores')]", - "memoryInGb": "[parameters('memoryInGb')]" - } - } - } - } - ], - "initContainers": [ - { - "name": "init-container", - "properties": { - "image": "python:3.6.14-slim-buster", - "environmentVariables": [ - { - "name":"PATH", - "value":"/usr/local/bin:/usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin" - }, - { - "name":"LANG", - "value":"C.UTF-8" - }, - { - "name":"GPG_KEY", - "value":"0D96DF4D4110E5C43FBFB17F2D347EA6AA65421D" - }, - { - "name":"PYTHON_VERSION", - "value":"3.6.14" - }, - { - "name":"PYTHON_PIP_VERSION", - "value":"21.2.4" - }, - { - "name":"PYTHON_GET_PIP_URL", - "value":"https://github.com/pypa/get-pip/raw/c20b0cfd643cd4a19246ccf204e2997af70f6b21/public/get-pip.py" - }, - { - "name":"PYTHON_GET_PIP_SHA256", - "value":"fa6f3fb93cce234cd4e8dd2beb54a51ab9c247653b52855a48dd44e6b21ff28b" - } - ], - "command": ["python3"] - } - } - ], - - "osType": "Linux", - "restartPolicy": "OnFailure", - "confidentialComputeProperties": { - "IsolationType": "SevSnp" - }, - "ipAddress": { - "type": "Public", - "ports": [ - { - "protocol": "Tcp", - "port": "[parameters( 'port' )]" - } - ] - } - } - } - ], - "outputs": { - "containerIPv4Address": { - "type": "string", - "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', parameters('containergroupname'))).ipAddress.ip]" - } - } - } - """ - - @classmethod - def setUpClass(cls): - cls.aci_arm_policy = load_policy_from_arm_template_str( - cls.custom_arm_json_default_value, "" - )[0] - cls.aci_arm_policy.populate_policy_content_for_all_images() - - def test_arm_template_with_init_container(self): - regular_image_json = json.loads( - self.aci_arm_policy.get_serialized_output( - output_type=OutputType.RAW, use_json=True - ) - ) - - python_image_name = regular_image_json[config.POLICY_FIELD_CONTAINERS][ - config.POLICY_FIELD_CONTAINERS_ELEMENTS - ]["1"].pop(config.POLICY_FIELD_CONTAINERS_ID) - - # see if the remote image and the local one produce the same output - self.assertTrue("python" in python_image_name) - - -# @unittest.skip("not in use") -@pytest.mark.run(order=11) -class PolicyGeneratingDisableStdioAccess(unittest.TestCase): - - custom_arm_json_default_value = """ - { - "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", - "contentVersion": "1.0.0.0", - - - "parameters": { - "containergroupname": { - "type": "string", - "metadata": { - "description": "Name for the container group" - }, - "defaultValue":"simple-container-group" - }, - "image": { - "type": "string", - "metadata": { - "description": "Name for the container group" - }, - "defaultValue":"rust:1.52.1" - }, - "containername": { - "type": "string", - "metadata": { - "description": "Name for the container" - }, - "defaultValue":"simple-container" - }, - - "port": { - "type": "string", - "metadata": { - "description": "Port to open on the container and the public IP address." - }, - "defaultValue": "8080" - }, - "cpuCores": { - "type": "string", - "metadata": { - "description": "The number of CPU cores to allocate to the container." - }, - "defaultValue": "1.0" - }, - "memoryInGb": { - "type": "string", - "metadata": { - "description": "The amount of memory to allocate to the container in gigabytes." - }, - "defaultValue": "1.5" - }, - "location": { - "type": "string", - "defaultValue": "[resourceGroup().location]", - "metadata": { - "description": "Location for all resources." - } - } - }, - "resources": [ - { - "name": "[parameters('containergroupname')]", - "type": "Microsoft.ContainerInstance/containerGroups", - "apiVersion": "2022-04-01-preview", - "location": "[parameters('location')]", - - "properties": { - "containers": [ - { - "name": "[parameters('containername')]", - "properties": { - "image": "[parameters('image')]", - "environmentVariables": [ - { - "name": "PORT", - "value": "80" - } - ], - - "ports": [ - { - "port": "[parameters('port')]" - } - ], - "command": [ - "/bin/bash", - "-c", - "while sleep 5; do cat /mnt/input/access.log; done" - ], - "resources": { - "requests": { - "cpu": "[parameters('cpuCores')]", - "memoryInGb": "[parameters('memoryInGb')]" - } - } - } - } - ], - - "osType": "Linux", - "restartPolicy": "OnFailure", - "confidentialComputeProperties": { - "IsolationType": "SevSnp" - }, - "ipAddress": { - "type": "Public", - "ports": [ - { - "protocol": "Tcp", - "port": "[parameters( 'port' )]" - } - ] - } - } - } - ], - "outputs": { - "containerIPv4Address": { - "type": "string", - "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', parameters('containergroupname'))).ipAddress.ip]" - } - } - } - """ - - @classmethod - def setUpClass(cls): - cls.aci_arm_policy = load_policy_from_arm_template_str( - cls.custom_arm_json_default_value, "", disable_stdio=True - )[0] - cls.aci_arm_policy.populate_policy_content_for_all_images() - - def test_arm_template_without_stdio_access(self): - regular_image_json = json.loads( - self.aci_arm_policy.get_serialized_output( - output_type=OutputType.RAW, rego_boilerplate=False - ) - ) - - stdio_access = regular_image_json[0][config.POLICY_FIELD_CONTAINERS_ALLOW_STDIO_ACCESS] - - # see if the remote image and the local one produce the same output - self.assertFalse(stdio_access) - - -# @unittest.skip("not in use") -@pytest.mark.run(order=11) -class PrintExistingPolicy(unittest.TestCase): - - def test_printing_existing_policy(self): - template = """ - { - "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", - "contentVersion": "1.0.0.0", - "variables": { - "image": "python:3.6.14-slim-buster" - }, - - - "parameters": { - "containergroupname": { - "type": "string", - "metadata": { - "description": "Name for the container group" - }, - "defaultValue":"simple-container-group" - }, - - "containername": { - "type": "string", - "metadata": { - "description": "Name for the container" - }, - "defaultValue":"simple-container" - }, - "port": { - "type": "string", - "metadata": { - "description": "Port to open on the container and the public IP address." - }, - "defaultValue": "8080" - }, - "cpuCores": { - "type": "string", - "metadata": { - "description": "The number of CPU cores to allocate to the container." - }, - "defaultValue": "1.0" - }, - "memoryInGb": { - "type": "string", - "metadata": { - "description": "The amount of memory to allocate to the container in gigabytes." - }, - "defaultValue": "1.5" - }, - "location": { - "type": "string", - "defaultValue": "[resourceGroup().location]", - "metadata": { - "description": "Location for all resources." - } - } - }, - "resources": [ - { - "name": "[parameters('containergroupname')]", - "type": "Microsoft.ContainerInstance/containerGroups", - "apiVersion": "2022-04-01-preview", - "location": "[parameters('location')]", - "properties": { - "containers": [ - { - "name": "[parameters('containername')]", - - "properties": { - "image": "[variables('image')]", - "command": [ - "python3" - ], - "ports": [ - { - "port": "[parameters('port')]" - } - ], - "resources": { - "requests": { - "cpu": "[parameters('cpuCores')]", - "memoryInGb": "[parameters('memoryInGb')]" - } - }, - "volumeMounts": [ - { - "name": "filesharevolume", - "mountPath": "/aci/logs", - "readOnly": false - }, - { - "name": "secretvolume", - "mountPath": "/aci/secret", - "readOnly": true - } - ] - } - } - ], - "volumes": [ - { - "name": "filesharevolume", - "azureFile": { - "shareName": "shareName1", - "storageAccountName": "storage-account-name", - "storageAccountKey": "storage-account-key" - } - }, - { - - "name": "secretvolume", - "secret": { - "mysecret1": "secret1", - "mysecret2": "secret2" - } - } - - ], - "osType": "Linux", - "restartPolicy": "OnFailure", - "confidentialComputeProperties": { - "IsolationType": "SevSnp" - }, - "ipAddress": { - "type": "Public", - "ports": [ - { - "protocol": "Tcp", - "port": "[parameters( 'port' )]" - } - ] - } - } - } - ], - "outputs": { - "containerIPv4Address": { - "type": "string", - "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', parameters('containergroupname'))).ipAddress.ip]" - } - } - } - """ - template2 = """ - { - "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", - "contentVersion": "1.0.0.0", - "variables": { - "image": "python:3.6.14-slim-buster" - }, - "parameters": { - "containergroupname": { - "type": "string", - "metadata": { - "description": "Name for the container group" - }, - "defaultValue": "simple-container-group" - }, - "containername": { - "type": "string", - "metadata": { - "description": "Name for the container" - }, - "defaultValue": "simple-container" - }, - "port": { - "type": "string", - "metadata": { - "description": "Port to open on the container and the public IP address." - }, - "defaultValue": "8080" - }, - "cpuCores": { - "type": "string", - "metadata": { - "description": "The number of CPU cores to allocate to the container." - }, - "defaultValue": "1.0" - }, - "memoryInGb": { - "type": "string", - "metadata": { - "description": "The amount of memory to allocate to the container in gigabytes." - }, - "defaultValue": "1.5" - }, - "location": { - "type": "string", - "defaultValue": "[resourceGroup().location]", - "metadata": { - "description": "Location for all resources." - } - } - }, - "resources": [ - { - "name": "[parameters('containergroupname')]", - "type": "Microsoft.ContainerInstance/containerGroups", - "apiVersion": "2022-04-01-preview", - "location": "[parameters('location')]", - "properties": { - "containers": [ - { - "name": "[parameters('containername')]", - "properties": { - "image": "[variables('image')]", - "command": [ - "python3" - ], - "ports": [ - { - "port": "[parameters('port')]" - } - ], - "resources": { - "requests": { - "cpu": "[parameters('cpuCores')]", - "memoryInGb": "[parameters('memoryInGb')]" - } - }, - "volumeMounts": [ - { - "name": "filesharevolume", - "mountPath": "/aci/logs", - "readOnly": false - }, - { - "name": "secretvolume", - "mountPath": "/aci/secret", - "readOnly": true - } - ] - } - } - ], - "volumes": [ - { - "name": "filesharevolume", - "azureFile": { - "shareName": "shareName1", - "storageAccountName": "storage-account-name", - "storageAccountKey": "storage-account-key" - } - }, - { - "name": "secretvolume", - "secret": { - "mysecret1": "secret1", - "mysecret2": "secret2" - } - } - ], - "osType": "Linux", - "restartPolicy": "OnFailure", - "confidentialComputeProperties": { - "IsolationType": "SevSnp", - "ccePolicy": "cGFja2FnZSBwb2xpY3kKCmltcG9ydCBmdXR1cmUua2V5d29yZHMuZXZlcnkKaW1wb3J0IGZ1dHVyZS5rZXl3b3Jkcy5pbgoKYXBpX3N2biA6PSAiMC4xMC4wIgpmcmFtZXdvcmtfc3ZuIDo9ICIwLjEuMCIKCmZyYWdtZW50cyA6PSBbCiAgewogICAgImZlZWQiOiAibWNyLm1pY3Jvc29mdC5jb20vYWNpL2FjaS1jYy1pbmZyYS1mcmFnbWVudCIsCiAgICAiaW5jbHVkZXMiOiBbCiAgICAgICJjb250YWluZXJzIgogICAgXSwKICAgICJpc3N1ZXIiOiAiZGlkOng1MDk6MDpzaGEyNTY6SV9faXVMMjVvWEVWRmRUUF9hQkx4X2VUMVJQSGJDUV9FQ0JRZllacHQ5czo6ZWt1OjEuMy42LjEuNC4xLjMxMS43Ni41OS4xLjMiLAogICAgIm1pbmltdW1fc3ZuIjogIjEuMC4wIgogIH0KXQoKY29udGFpbmVycyA6PSBbeyJhbGxvd19lbGV2YXRlZCI6dHJ1ZSwiYWxsb3dfc3RkaW9fYWNjZXNzIjp0cnVlLCJjb21tYW5kIjpbInB5dGhvbjMiXSwiZW52X3J1bGVzIjpbeyJwYXR0ZXJuIjoiUEFUSD0vdXNyL2xvY2FsL2JpbjovdXNyL2xvY2FsL3NiaW46L3Vzci9sb2NhbC9iaW46L3Vzci9zYmluOi91c3IvYmluOi9zYmluOi9iaW4iLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiTEFORz1DLlVURi04IiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9LHsicGF0dGVybiI6IkdQR19LRVk9MEQ5NkRGNEQ0MTEwRTVDNDNGQkZCMTdGMkQzNDdFQTZBQTY1NDIxRCIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiJQWVRIT05fVkVSU0lPTj0zLjYuMTQiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiUFlUSE9OX1BJUF9WRVJTSU9OPTIxLjIuNCIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiJQWVRIT05fR0VUX1BJUF9VUkw9aHR0cHM6Ly9naXRodWIuY29tL3B5cGEvZ2V0LXBpcC9yYXcvYzIwYjBjZmQ2NDNjZDRhMTkyNDZjY2YyMDRlMjk5N2FmNzBmNmIyMS9wdWJsaWMvZ2V0LXBpcC5weSIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiJQWVRIT05fR0VUX1BJUF9TSEEyNTY9ZmE2ZjNmYjkzY2NlMjM0Y2Q0ZThkZDJiZWI1NGE1MWFiOWMyNDc2NTNiNTI4NTVhNDhkZDQ0ZTZiMjFmZjI4YiIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiJURVJNPXh0ZXJtIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9LHsicGF0dGVybiI6IigoP2kpRkFCUklDKV8uKz0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJIT1NUTkFNRT0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJUKEUpP01QPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LHsicGF0dGVybiI6IkZhYnJpY1BhY2thZ2VGaWxlTmFtZT0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJIb3N0ZWRTZXJ2aWNlTmFtZT0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJJREVOVElUWV9BUElfVkVSU0lPTj0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJJREVOVElUWV9IRUFERVI9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiSURFTlRJVFlfU0VSVkVSX1RIVU1CUFJJTlQ9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiYXp1cmVjb250YWluZXJpbnN0YW5jZV9yZXN0YXJ0ZWRfYnk9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn1dLCJleGVjX3Byb2Nlc3NlcyI6W10sImlkIjoicHl0aG9uOjMuNi4xNC1zbGltLWJ1c3RlciIsImxheWVycyI6WyIyNTRjYzg1M2RhNjA4MTkwNWM5MTA5YzhiOWQ5OWM5ZmIwOTg3YmExZDg4ZjcyOTA4ODkwM2NmZmI4MGY1NWYxIiwiYTU2OGYxOTAwYmVkNjBhMDY0MWI3NmI5OTFhZDQzMTQ0NmQ5YzNhMzQ0ZDdiMjYxZjEwZGU4ZDhlNzM3NjNhYyIsImM3MGM1MzBlODQyZjY2MjE1YjBiZDk1NTg3NzE1N2JhMjRjMzc5OTMwMzU2N2MzZjU2NzNjNDU2NjNlYTRkMTUiLCIzZTg2YzNjY2YxNjQyYmY1ODRkZTMzYjQ5YzcyNDhmODdlZWNkMGY2ZDhjMDgzNTNkYWEzNmNjN2FkMGE3YjZhIiwiMWU0Njg0ZDhjN2NhYTc0YzY1MjQxNzJiNGQ1YTE1OWExMDg4NzYxM2VkNzBmMThkMGE1NWQwNWIyYWY2MWFjZCJdLCJtb3VudHMiOlt7ImRlc3RpbmF0aW9uIjoiL2FjaS9sb2dzIiwib3B0aW9ucyI6WyJyYmluZCIsInJzaGFyZWQiLCJydyJdLCJzb3VyY2UiOiJzYW5kYm94Oi8vL3RtcC9hdGxhcy9henVyZUZpbGVWb2x1bWUvLisiLCJ0eXBlIjoiYmluZCJ9LHsiZGVzdGluYXRpb24iOiIvYWNpL3NlY3JldCIsIm9wdGlvbnMiOlsicmJpbmQiLCJyc2hhcmVkIiwicm8iXSwic291cmNlIjoic2FuZGJveDovLy90bXAvYXRsYXMvc2VjcmV0c1ZvbHVtZS8uKyIsInR5cGUiOiJiaW5kIn0seyJkZXN0aW5hdGlvbiI6Ii9ldGMvcmVzb2x2LmNvbmYiLCJvcHRpb25zIjpbInJiaW5kIiwicnNoYXJlZCIsInJ3Il0sInNvdXJjZSI6InNhbmRib3g6Ly8vdG1wL2F0bGFzL3Jlc29sdmNvbmYvLisiLCJ0eXBlIjoiYmluZCJ9XSwic2lnbmFscyI6W10sIndvcmtpbmdfZGlyIjoiLyJ9LHsiYWxsb3dfZWxldmF0ZWQiOmZhbHNlLCJhbGxvd19zdGRpb19hY2Nlc3MiOnRydWUsImNvbW1hbmQiOlsiL3BhdXNlIl0sImVudl9ydWxlcyI6W3sicGF0dGVybiI6IlBBVEg9L3Vzci9sb2NhbC9zYmluOi91c3IvbG9jYWwvYmluOi91c3Ivc2JpbjovdXNyL2Jpbjovc2JpbjovYmluIiwicmVxdWlyZWQiOnRydWUsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiVEVSTT14dGVybSIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifV0sImV4ZWNfcHJvY2Vzc2VzIjpbXSwibGF5ZXJzIjpbIjE2YjUxNDA1N2EwNmFkNjY1ZjkyYzAyODYzYWNhMDc0ZmQ1OTc2Yzc1NWQyNmJmZjE2MzY1Mjk5MTY5ZTg0MTUiXSwibW91bnRzIjpbXSwic2lnbmFscyI6W10sIndvcmtpbmdfZGlyIjoiLyJ9XQoKYWxsb3dfcHJvcGVydGllc19hY2Nlc3MgOj0gZmFsc2UKYWxsb3dfZHVtcF9zdGFja3MgOj0gZmFsc2UKYWxsb3dfcnVudGltZV9sb2dnaW5nIDo9IGZhbHNlCmFsbG93X2Vudmlyb25tZW50X3ZhcmlhYmxlX2Ryb3BwaW5nIDo9IHRydWUKYWxsb3dfdW5lbmNyeXB0ZWRfc2NyYXRjaCA6PSBmYWxzZQoKCgptb3VudF9kZXZpY2UgOj0gZGF0YS5mcmFtZXdvcmsubW91bnRfZGV2aWNlCnVubW91bnRfZGV2aWNlIDo9IGRhdGEuZnJhbWV3b3JrLnVubW91bnRfZGV2aWNlCm1vdW50X292ZXJsYXkgOj0gZGF0YS5mcmFtZXdvcmsubW91bnRfb3ZlcmxheQp1bm1vdW50X292ZXJsYXkgOj0gZGF0YS5mcmFtZXdvcmsudW5tb3VudF9vdmVybGF5CmNyZWF0ZV9jb250YWluZXIgOj0gZGF0YS5mcmFtZXdvcmsuY3JlYXRlX2NvbnRhaW5lcgpleGVjX2luX2NvbnRhaW5lciA6PSBkYXRhLmZyYW1ld29yay5leGVjX2luX2NvbnRhaW5lcgpleGVjX2V4dGVybmFsIDo9IGRhdGEuZnJhbWV3b3JrLmV4ZWNfZXh0ZXJuYWwKc2h1dGRvd25fY29udGFpbmVyIDo9IGRhdGEuZnJhbWV3b3JrLnNodXRkb3duX2NvbnRhaW5lcgpzaWduYWxfY29udGFpbmVyX3Byb2Nlc3MgOj0gZGF0YS5mcmFtZXdvcmsuc2lnbmFsX2NvbnRhaW5lcl9wcm9jZXNzCnBsYW45X21vdW50IDo9IGRhdGEuZnJhbWV3b3JrLnBsYW45X21vdW50CnBsYW45X3VubW91bnQgOj0gZGF0YS5mcmFtZXdvcmsucGxhbjlfdW5tb3VudApnZXRfcHJvcGVydGllcyA6PSBkYXRhLmZyYW1ld29yay5nZXRfcHJvcGVydGllcwpkdW1wX3N0YWNrcyA6PSBkYXRhLmZyYW1ld29yay5kdW1wX3N0YWNrcwpydW50aW1lX2xvZ2dpbmcgOj0gZGF0YS5mcmFtZXdvcmsucnVudGltZV9sb2dnaW5nCmxvYWRfZnJhZ21lbnQgOj0gZGF0YS5mcmFtZXdvcmsubG9hZF9mcmFnbWVudApzY3JhdGNoX21vdW50IDo9IGRhdGEuZnJhbWV3b3JrLnNjcmF0Y2hfbW91bnQKc2NyYXRjaF91bm1vdW50IDo9IGRhdGEuZnJhbWV3b3JrLnNjcmF0Y2hfdW5tb3VudAoKcmVhc29uIDo9IHsiZXJyb3JzIjogZGF0YS5mcmFtZXdvcmsuZXJyb3JzfQ==" - }, - "ipAddress": { - "type": "Public", - "ports": [ - { - "protocol": "Tcp", - "port": "[parameters( 'port' )]" - } - ] - } - } - } - ], - "outputs": { - "containerIPv4Address": { - "type": "string", - "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', parameters('containergroupname'))).ipAddress.ip]" - } - } -} -""" - # write template to file for testing - with open("test_template.json", "w") as f: - f.write(template) - - with open("test_template2.json", "w") as f: - f.write(template2) - try: - with self.assertRaises(SystemExit) as exc_info: - acipolicygen_confcom(None, "test_template.json", None, None, None, None, print_existing_policy=True) - - self.assertEqual(exc_info.exception.code, 1) - - with self.assertRaises(SystemExit) as exc_info: - acipolicygen_confcom(None, "test_template2.json", None, None, None, None, print_existing_policy=True) - - self.assertEqual(exc_info.exception.code, 0) - finally: - # delete test file - os.remove("test_template.json") - os.remove("test_template2.json") diff --git a/src/confcom/azext_confcom/tests/latest/test_confcom_image.py b/src/confcom/azext_confcom/tests/latest/test_confcom_image.py deleted file mode 100644 index 700bc156827..00000000000 --- a/src/confcom/azext_confcom/tests/latest/test_confcom_image.py +++ /dev/null @@ -1,128 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -------------------------------------------------------------------------------------------- - -import os -import unittest -import pytest -import json -import deepdiff -import docker - -from azext_confcom.security_policy import ( - OutputType, - load_policy_from_image_name, -) -import azext_confcom.config as config - -TEST_DIR = os.path.abspath(os.path.join(os.path.abspath(__file__), "..")) - - -# @unittest.skip("not in use") -@pytest.mark.run(order=1) -class PolicyGeneratingImage(unittest.TestCase): - @classmethod - def setUpClass(cls): - with load_policy_from_image_name("python:3.6.14-slim-buster") as aci_policy: - aci_policy.populate_policy_content_for_all_images(individual_image=True) - cls.aci_policy = aci_policy - - def test_image_policy(self): - expected_policy = "cGFja2FnZSBwb2xpY3kKCmltcG9ydCBmdXR1cmUua2V5d29yZHMuZXZlcnkKaW1wb3J0IGZ1dHVyZS5rZXl3b3Jkcy5pbgoKYXBpX3N2biA6PSAiMC4xMC4wIgpmcmFtZXdvcmtfc3ZuIDo9ICIwLjEuMCIKCmZyYWdtZW50cyA6PSBbCiAgewogICAgImZlZWQiOiAibWNyLm1pY3Jvc29mdC5jb20vYWNpL2FjaS1jYy1pbmZyYS1mcmFnbWVudCIsCiAgICAiaW5jbHVkZXMiOiBbCiAgICAgICJjb250YWluZXJzIgogICAgXSwKICAgICJpc3N1ZXIiOiAiZGlkOng1MDk6MDpzaGEyNTY6SV9faXVMMjVvWEVWRmRUUF9hQkx4X2VUMVJQSGJDUV9FQ0JRZllacHQ5czo6ZWt1OjEuMy42LjEuNC4xLjMxMS43Ni41OS4xLjMiLAogICAgIm1pbmltdW1fc3ZuIjogIjEuMC4wIgogIH0KXQoKY29udGFpbmVycyA6PSBbeyJhbGxvd19lbGV2YXRlZCI6dHJ1ZSwiYWxsb3dfc3RkaW9fYWNjZXNzIjp0cnVlLCJjb21tYW5kIjpbInB5dGhvbjMiXSwiZW52X3J1bGVzIjpbeyJwYXR0ZXJuIjoiUEFUSD0vdXNyL2xvY2FsL2JpbjovdXNyL2xvY2FsL3NiaW46L3Vzci9sb2NhbC9iaW46L3Vzci9zYmluOi91c3IvYmluOi9zYmluOi9iaW4iLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiTEFORz1DLlVURi04IiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9LHsicGF0dGVybiI6IkdQR19LRVk9MEQ5NkRGNEQ0MTEwRTVDNDNGQkZCMTdGMkQzNDdFQTZBQTY1NDIxRCIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiJQWVRIT05fVkVSU0lPTj0zLjYuMTQiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiUFlUSE9OX1BJUF9WRVJTSU9OPTIxLjIuNCIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiJQWVRIT05fR0VUX1BJUF9VUkw9aHR0cHM6Ly9naXRodWIuY29tL3B5cGEvZ2V0LXBpcC9yYXcvYzIwYjBjZmQ2NDNjZDRhMTkyNDZjY2YyMDRlMjk5N2FmNzBmNmIyMS9wdWJsaWMvZ2V0LXBpcC5weSIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiJQWVRIT05fR0VUX1BJUF9TSEEyNTY9ZmE2ZjNmYjkzY2NlMjM0Y2Q0ZThkZDJiZWI1NGE1MWFiOWMyNDc2NTNiNTI4NTVhNDhkZDQ0ZTZiMjFmZjI4YiIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiJURVJNPXh0ZXJtIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9LHsicGF0dGVybiI6IigoP2kpRkFCUklDKV8uKz0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJIT1NUTkFNRT0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJUKEUpP01QPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LHsicGF0dGVybiI6IkZhYnJpY1BhY2thZ2VGaWxlTmFtZT0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJIb3N0ZWRTZXJ2aWNlTmFtZT0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJJREVOVElUWV9BUElfVkVSU0lPTj0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJJREVOVElUWV9IRUFERVI9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiSURFTlRJVFlfU0VSVkVSX1RIVU1CUFJJTlQ9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiYXp1cmVjb250YWluZXJpbnN0YW5jZV9yZXN0YXJ0ZWRfYnk9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn1dLCJleGVjX3Byb2Nlc3NlcyI6W10sImlkIjoicHl0aG9uOjMuNi4xNC1zbGltLWJ1c3RlciIsImxheWVycyI6WyIyNTRjYzg1M2RhNjA4MTkwNWM5MTA5YzhiOWQ5OWM5ZmIwOTg3YmExZDg4ZjcyOTA4ODkwM2NmZmI4MGY1NWYxIiwiYTU2OGYxOTAwYmVkNjBhMDY0MWI3NmI5OTFhZDQzMTQ0NmQ5YzNhMzQ0ZDdiMjYxZjEwZGU4ZDhlNzM3NjNhYyIsImM3MGM1MzBlODQyZjY2MjE1YjBiZDk1NTg3NzE1N2JhMjRjMzc5OTMwMzU2N2MzZjU2NzNjNDU2NjNlYTRkMTUiLCIzZTg2YzNjY2YxNjQyYmY1ODRkZTMzYjQ5YzcyNDhmODdlZWNkMGY2ZDhjMDgzNTNkYWEzNmNjN2FkMGE3YjZhIiwiMWU0Njg0ZDhjN2NhYTc0YzY1MjQxNzJiNGQ1YTE1OWExMDg4NzYxM2VkNzBmMThkMGE1NWQwNWIyYWY2MWFjZCJdLCJtb3VudHMiOlt7ImRlc3RpbmF0aW9uIjoiL2V0Yy9yZXNvbHYuY29uZiIsIm9wdGlvbnMiOlsicmJpbmQiLCJyc2hhcmVkIiwicnciXSwic291cmNlIjoic2FuZGJveDovLy90bXAvYXRsYXMvcmVzb2x2Y29uZi8uKyIsInR5cGUiOiJiaW5kIn1dLCJzaWduYWxzIjpbXSwid29ya2luZ19kaXIiOiIvIn0seyJhbGxvd19lbGV2YXRlZCI6ZmFsc2UsImFsbG93X3N0ZGlvX2FjY2VzcyI6ZmFsc2UsImNvbW1hbmQiOlsiL3BhdXNlIl0sImVudl9ydWxlcyI6W3sicGF0dGVybiI6IlBBVEg9L3Vzci9sb2NhbC9zYmluOi91c3IvbG9jYWwvYmluOi91c3Ivc2JpbjovdXNyL2Jpbjovc2JpbjovYmluIiwicmVxdWlyZWQiOnRydWUsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiVEVSTT14dGVybSIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifV0sImV4ZWNfcHJvY2Vzc2VzIjpbXSwibGF5ZXJzIjpbIjE2YjUxNDA1N2EwNmFkNjY1ZjkyYzAyODYzYWNhMDc0ZmQ1OTc2Yzc1NWQyNmJmZjE2MzY1Mjk5MTY5ZTg0MTUiXSwibW91bnRzIjpbXSwic2lnbmFscyI6W10sIndvcmtpbmdfZGlyIjoiLyJ9XQoKYWxsb3dfcHJvcGVydGllc19hY2Nlc3MgOj0gZmFsc2UKYWxsb3dfZHVtcF9zdGFja3MgOj0gZmFsc2UKYWxsb3dfcnVudGltZV9sb2dnaW5nIDo9IGZhbHNlCmFsbG93X2Vudmlyb25tZW50X3ZhcmlhYmxlX2Ryb3BwaW5nIDo9IHRydWUKYWxsb3dfdW5lbmNyeXB0ZWRfc2NyYXRjaCA6PSBmYWxzZQoKCgptb3VudF9kZXZpY2UgOj0gZGF0YS5mcmFtZXdvcmsubW91bnRfZGV2aWNlCnVubW91bnRfZGV2aWNlIDo9IGRhdGEuZnJhbWV3b3JrLnVubW91bnRfZGV2aWNlCm1vdW50X292ZXJsYXkgOj0gZGF0YS5mcmFtZXdvcmsubW91bnRfb3ZlcmxheQp1bm1vdW50X292ZXJsYXkgOj0gZGF0YS5mcmFtZXdvcmsudW5tb3VudF9vdmVybGF5CmNyZWF0ZV9jb250YWluZXIgOj0gZGF0YS5mcmFtZXdvcmsuY3JlYXRlX2NvbnRhaW5lcgpleGVjX2luX2NvbnRhaW5lciA6PSBkYXRhLmZyYW1ld29yay5leGVjX2luX2NvbnRhaW5lcgpleGVjX2V4dGVybmFsIDo9IGRhdGEuZnJhbWV3b3JrLmV4ZWNfZXh0ZXJuYWwKc2h1dGRvd25fY29udGFpbmVyIDo9IGRhdGEuZnJhbWV3b3JrLnNodXRkb3duX2NvbnRhaW5lcgpzaWduYWxfY29udGFpbmVyX3Byb2Nlc3MgOj0gZGF0YS5mcmFtZXdvcmsuc2lnbmFsX2NvbnRhaW5lcl9wcm9jZXNzCnBsYW45X21vdW50IDo9IGRhdGEuZnJhbWV3b3JrLnBsYW45X21vdW50CnBsYW45X3VubW91bnQgOj0gZGF0YS5mcmFtZXdvcmsucGxhbjlfdW5tb3VudApnZXRfcHJvcGVydGllcyA6PSBkYXRhLmZyYW1ld29yay5nZXRfcHJvcGVydGllcwpkdW1wX3N0YWNrcyA6PSBkYXRhLmZyYW1ld29yay5kdW1wX3N0YWNrcwpydW50aW1lX2xvZ2dpbmcgOj0gZGF0YS5mcmFtZXdvcmsucnVudGltZV9sb2dnaW5nCmxvYWRfZnJhZ21lbnQgOj0gZGF0YS5mcmFtZXdvcmsubG9hZF9mcmFnbWVudApzY3JhdGNoX21vdW50IDo9IGRhdGEuZnJhbWV3b3JrLnNjcmF0Y2hfbW91bnQKc2NyYXRjaF91bm1vdW50IDo9IGRhdGEuZnJhbWV3b3JrLnNjcmF0Y2hfdW5tb3VudAoKcmVhc29uIDo9IHsiZXJyb3JzIjogZGF0YS5mcmFtZXdvcmsuZXJyb3JzfQ==" - - # deep diff the output policies from the regular policy.json and the ARM template - aci_policy_str = self.aci_policy.get_serialized_output() - self.assertEqual(aci_policy_str, expected_policy) - - -# @unittest.skip("not in use") -@pytest.mark.run(order=2) -class PolicyGeneratingImageSidecar(unittest.TestCase): - @classmethod - def setUpClass(cls): - with load_policy_from_image_name( - "mcr.microsoft.com/aci/atlas-mount-azure-file-volume:master_20201210.2" - ) as aci_policy: - aci_policy.populate_policy_content_for_all_images(individual_image=True) - cls.aci_policy = aci_policy - - def test_sidecar_image_policy(self): - expected_policy = "cGFja2FnZSBtaWNyb3NvZnRjb250YWluZXJpbnN0YW5jZQoKc3ZuIDo9ICIxLjAuMCIKYXBpX3N2biA6PSAiMC4xMC4wIgpmcmFtZXdvcmtfc3ZuIDo9ICIwLjEuMCIKCmNvbnRhaW5lcnMgOj0gW3siYWxsb3dfZWxldmF0ZWQiOnRydWUsImFsbG93X3N0ZGlvX2FjY2VzcyI6dHJ1ZSwiY29tbWFuZCI6WyIvbW91bnRfYXp1cmVfZmlsZS5zaCJdLCJlbnZfcnVsZXMiOlt7InBhdHRlcm4iOiJQQVRIPS91c3IvbG9jYWwvc2JpbjovdXNyL2xvY2FsL2JpbjovdXNyL3NiaW46L3Vzci9iaW46L3NiaW46L2JpbiIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifV0sImV4ZWNfcHJvY2Vzc2VzIjpbXSwiaWQiOiJtY3IubWljcm9zb2Z0LmNvbS9hY2kvYXRsYXMtbW91bnQtYXp1cmUtZmlsZS12b2x1bWU6bWFzdGVyXzIwMjAxMjEwLjIiLCJsYXllcnMiOlsiNjA2ZmQ2YmFmNWViMWE3MWZkMjg2YWVhMjk2NzJhMDZiZmU1NWYwMDA3ZGVkOTJlZTczMTQyYTM3NTkwZWQxOSIsIjNhZDFhMmZmNGE0NGJjODYwYjNjZDAyN2NjODZjZTQ1YTM5OWM0Yzk5NWMzNmU5ODAwYzUzNjhjYjcyN2E3ZTEiLCJiMWNmYzMwZjM3ZjA4ZTYwNjY4ZGIzZjcxNjA2OTdiMTlkMmFkNDViMTJmMDc1MTg4NTI5OTM3MzYxNmE2ZTBhIiwiZWYzNjQ4NDZjOGYxZjQzZDE0ZDJlM2U3OTE5YTA2NGIwYzgyNTUzYzA4YjM1NDIyZjVkMWYwN2MzNDM1YjQ2MiIsIjU4MmZlMzliZDM1OTA5YmFmNmM0MDM2NzM0ZTIwZjc2NjM5MWJhODM3MjdmYjFkNjgzYmUwNDVmZTQ1M2I1YWYiLCJhYWM5ZmI0MDQyNThjMDY5YWU4NTM4MjM2NGY1ZDJiYTFkNDA1MThjNmIxZjU2YWRlNmJjMjJmMzAyOGVhZmYwIl0sIm1vdW50cyI6W10sInNpZ25hbHMiOltdLCJ3b3JraW5nX2RpciI6Ii8ifV0=" - aci_policy_str = self.aci_policy.get_serialized_output() - - self.assertEqual(aci_policy_str, expected_policy) - - -# @unittest.skip("not in use") -@pytest.mark.run(order=3) -class PolicyGeneratingImageInvalid(unittest.TestCase): - def test_invalid_image_policy(self): - - policy = load_policy_from_image_name( - "mcr.microsoft.com/aci/fake-image:master_20201210.2" - ) - with self.assertRaises(SystemExit) as exc_info: - policy.populate_policy_content_for_all_images(individual_image=True) - self.assertEqual(exc_info.exception.code, 1) - - -# @unittest.skip("not in use") -@pytest.mark.run(order=4) -class PolicyGeneratingImageCleanRoom(unittest.TestCase): - def test_clean_room_policy(self): - client = docker.from_env() - original_image = ( - "mcr.microsoft.com/aci/atlas-mount-azure-file-volume:master_20201210.2" - ) - try: - client.images.remove(original_image) - except: - # do nothing - pass - regular_image = load_policy_from_image_name(original_image) - regular_image.populate_policy_content_for_all_images(individual_image=True) - # create and tag same image to the new name to see if docker will error out that the image is not in a remote repo - new_repo = "mcr.microsoft.com" - new_image_name = "aci/atlas-mount-azure-file-volume" - new_tag = "fake-tag" - - image = client.images.get(original_image) - try: - client.images.remove(new_repo + "/" + new_image_name + ":" + new_tag) - except: - # do nothing - pass - image.tag(new_repo + "/" + new_image_name, tag=new_tag) - try: - client.images.remove(original_image) - except: - # do nothing - pass - client.close() - - policy = load_policy_from_image_name( - new_repo + "/" + new_image_name + ":" + new_tag - ) - policy.populate_policy_content_for_all_images(individual_image=True) - - regular_image_json = json.loads( - regular_image.get_serialized_output(output_type=OutputType.RAW, use_json=True) - ) - - clean_room_json = json.loads( - policy.get_serialized_output(output_type=OutputType.RAW, use_json=True) - ) - - regular_image_json[config.POLICY_FIELD_CONTAINERS][ - config.POLICY_FIELD_CONTAINERS_ELEMENTS - ]["0"].pop(config.POLICY_FIELD_CONTAINERS_ID) - clean_room_json[config.POLICY_FIELD_CONTAINERS][ - config.POLICY_FIELD_CONTAINERS_ELEMENTS - ]["0"].pop(config.POLICY_FIELD_CONTAINERS_ID) - - # see if the remote image and the local one produce the same output - self.assertEqual( - deepdiff.DeepDiff(regular_image_json, clean_room_json, ignore_order=True), - {}, - ) diff --git a/src/confcom/azext_confcom/tests/latest/test_confcom_scenario.py b/src/confcom/azext_confcom/tests/latest/test_confcom_scenario.py deleted file mode 100644 index 28b2462922c..00000000000 --- a/src/confcom/azext_confcom/tests/latest/test_confcom_scenario.py +++ /dev/null @@ -1,874 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -------------------------------------------------------------------------------------------- - -import os -import unittest -import pytest -import json - -from azext_confcom.security_policy import ( - UserContainerImage, - OutputType, - load_policy_from_str, -) - -import azext_confcom.config as config -from azext_confcom.template_util import case_insensitive_dict_get - -TEST_DIR = os.path.abspath(os.path.join(os.path.abspath(__file__), "..")) - - -# @unittest.skip("not in use") -@pytest.mark.run(order=1) -class MountEnforcement(unittest.TestCase): - custom_json = """ - { - "version": "1.0", - "containers": [ - { - "containerImage": "rust:1.52.1", - "environmentVariables": [ - { - "name": "PATH", - "value": "/customized/path/value", - "strategy": "string" - }, - { - "name": "TEST_REGEXP_ENV", - "value": "test_regexp_env_[[:alpha:]]*", - "strategy": "re2" - } - ], - "command": ["rustc", "--help"], - "mounts": [ - { - "mountType": "azureFile", - "mountPath": "/custom/azurefile/mount", - "readonly": true - } - ] - }, - { - "containerImage": "python:3.6.14-slim-buster", - "environmentVariables": [], - "command": ["echo", "hello"], - "workingDir": "/customized/absolute/path", - "wait_mount_points": [ - "/path/to/container/mount-1", - "/path/to/container/mount-2" - ] - } - ] - } - """ - aci_policy = None - - @classmethod - def setUpClass(cls): - with load_policy_from_str(cls.custom_json) as aci_policy: - aci_policy.populate_policy_content_for_all_images() - cls.aci_policy = aci_policy - - def test_user_container_customized_mounts(self): - image = next( - ( - img - for img in self.aci_policy.get_images() - if isinstance(img, UserContainerImage) and img.base == "rust" - ), - None, - ) - - self.assertIsNotNone(image) - data = image.get_policy_json() - - self.assertEqual( - len( - case_insensitive_dict_get( - data, config.POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS - ) - ), - 2, - ) - mount = case_insensitive_dict_get( - data, config.POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS - )[0] - self.assertIsNotNone(mount) - self.assertEqual( - case_insensitive_dict_get(mount, "source"), - "sandbox:///tmp/atlas/azureFileVolume/.+", - ) - self.assertEqual( - case_insensitive_dict_get( - mount, config.POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS_DESTINATION - ), - "/custom/azurefile/mount", - ) - self.assertEqual( - mount[config.POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS_OPTIONS][2], "ro" - ) - - def test_user_container_mount_injected_dns(self): - image = next( - ( - img - for img in self.aci_policy.get_images() - if isinstance(img, UserContainerImage) and img.base == "python" - ), - None, - ) - - self.assertIsNotNone(image) - data = image.get_policy_json() - self.assertEqual( - len( - case_insensitive_dict_get( - data, config.POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS - ) - ), - 1, - ) - mount = case_insensitive_dict_get( - data, config.POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS - )[0] - self.assertIsNotNone(mount) - self.assertEqual( - case_insensitive_dict_get( - mount, config.POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS_SOURCE - ), - "sandbox:///tmp/atlas/resolvconf/.+", - ) - self.assertEqual( - case_insensitive_dict_get( - mount, config.POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS_DESTINATION - ), - "/etc/resolv.conf", - ) - self.assertEqual( - mount[config.POLICY_FIELD_CONTAINERS_ELEMENTS_MOUNTS_OPTIONS][2], "rw" - ) - - -# @unittest.skip("not in use") -@pytest.mark.run(order=2) -class PolicyGenerating2(unittest.TestCase): - custom_json = """ - { - "version": "1.0", - "containers": [ - { - "containerImage": "mcr.microsoft.com/aci/msi-atlas-adapter:master_20201203.1", - "environmentVariables": [ - { - "name": "IDENTITY_API_VERSION", - "value": ".+", - "strategy": "re2" - }, - { - "name": "IDENTITY_HEADER", - "value": ".+", - "strategy": "re2" - }, - { - "name": "IDENTITY_SERVER_THUMBPRINT", - "value": ".+", - "strategy": "re2" - }, - { - "name": "ACI_MI_CLIENT_ID_.+", - "value": ".+", - "strategy": "re2" - }, - { - "name": "ACI_MI_RES_ID_.+", - "value": ".+", - "strategy": "re2" - }, - { - "name": "HOSTNAME", - "value": ".+", - "strategy": "re2" - }, - { - "name": "TERM", - "value": "xterm", - "strategy": "string" - }, - { - "name": "PATH", - "value": "/usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin", - "strategy": "string" - }, - { - "name": "((?i)FABRIC)_.+", - "value": ".+", - "strategy": "re2" - }, - { - "name": "Fabric_Id+", - "value": ".+", - "strategy": "re2" - }, - { - "name": "Fabric_ServiceName", - "value": ".+", - "strategy": "re2" - }, - { - "name": "Fabric_ApplicationName", - "value": ".+", - "strategy": "re2" - }, - { - "name": "Fabric_CodePackageName", - "value": ".+", - "strategy": "re2" - }, - { - "name": "Fabric_ServiceDnsName", - "value": ".+", - "strategy": "re2" - }, - { - "name": "ACI_MI_DEFAULT", - "value": ".+", - "strategy": "re2" - }, - { - "name": "TokenProxyIpAddressEnvKeyName", - "value": "[ContainerToHostAddress|Fabric_NodelPOrFQDN]", - "strategy": "re2" - }, - { - "name": "ContainerToHostAddress", - "value": "", - "strategy": "string" - }, - { - "name": "Fabric_NetworkingMode", - "value": ".+", - "strategy": "re2" - }, - { - "name": "azurecontainerinstance_restarted_by", - "value": ".+", - "strategy": "re2" - } - ], - "command": ["/bin/sh","-c","until ./msiAtlasAdapter; do echo $? restarting; done"], - "mounts": null - } - ] - } - """ - aci_policy = None - - @classmethod - def setUpClass(cls): - with load_policy_from_str(cls.custom_json) as aci_policy: - aci_policy.populate_policy_content_for_all_images() - cls.aci_policy = aci_policy - - def test_injected_sidecar_container_msi(self): - expected_sidecar_container_ser = "eyJjb250YWluZXJzIjp7ImVsZW1lbnRzIjp7IjAiOnsiYWxsb3dfZWxldmF0ZWQiOnRydWUsImFsbG93X3N0ZGlvX2FjY2VzcyI6dHJ1ZSwiY29tbWFuZCI6eyJlbGVtZW50cyI6eyIwIjoiL2Jpbi9zaCIsIjEiOiItYyIsIjIiOiJ1bnRpbCAuL21zaUF0bGFzQWRhcHRlcjsgZG8gZWNobyAkPyByZXN0YXJ0aW5nOyBkb25lIn0sImxlbmd0aCI6M30sImVudl9ydWxlcyI6eyJlbGVtZW50cyI6eyIwIjp7InBhdHRlcm4iOiJJREVOVElUWV9BUElfVkVSU0lPTj0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSwiMSI6eyJwYXR0ZXJuIjoiSURFTlRJVFlfSEVBREVSPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LCIxMCI6eyJwYXR0ZXJuIjoiRmFicmljX1NlcnZpY2VOYW1lPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LCIxMSI6eyJwYXR0ZXJuIjoiRmFicmljX0FwcGxpY2F0aW9uTmFtZT0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSwiMTIiOnsicGF0dGVybiI6IkZhYnJpY19Db2RlUGFja2FnZU5hbWU9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0sIjEzIjp7InBhdHRlcm4iOiJGYWJyaWNfU2VydmljZURuc05hbWU9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0sIjE0Ijp7InBhdHRlcm4iOiJBQ0lfTUlfREVGQVVMVD0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSwiMTUiOnsicGF0dGVybiI6IlRva2VuUHJveHlJcEFkZHJlc3NFbnZLZXlOYW1lPVtDb250YWluZXJUb0hvc3RBZGRyZXNzfEZhYnJpY19Ob2RlbFBPckZRRE5dIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LCIxNiI6eyJwYXR0ZXJuIjoiQ29udGFpbmVyVG9Ib3N0QWRkcmVzcz0iLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0sIjE3Ijp7InBhdHRlcm4iOiJGYWJyaWNfTmV0d29ya2luZ01vZGU9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0sIjE4Ijp7InBhdHRlcm4iOiJhenVyZWNvbnRhaW5lcmluc3RhbmNlX3Jlc3RhcnRlZF9ieT0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSwiMiI6eyJwYXR0ZXJuIjoiSURFTlRJVFlfU0VSVkVSX1RIVU1CUFJJTlQ9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0sIjMiOnsicGF0dGVybiI6IkFDSV9NSV9DTElFTlRfSURfLis9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0sIjQiOnsicGF0dGVybiI6IkFDSV9NSV9SRVNfSURfLis9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0sIjUiOnsicGF0dGVybiI6IkhPU1ROQU1FPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LCI2Ijp7InBhdHRlcm4iOiJURVJNPXh0ZXJtIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9LCI3Ijp7InBhdHRlcm4iOiJQQVRIPS91c3IvbG9jYWwvc2JpbjovdXNyL2xvY2FsL2JpbjovdXNyL3NiaW46L3Vzci9iaW46L3NiaW46L2JpbiIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifSwiOCI6eyJwYXR0ZXJuIjoiKCg/aSlGQUJSSUMpXy4rPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LCI5Ijp7InBhdHRlcm4iOiJGYWJyaWNfSWQrPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9fSwibGVuZ3RoIjoxOX0sImV4ZWNfcHJvY2Vzc2VzIjp7ImVsZW1lbnRzIjp7fSwibGVuZ3RoIjowfSwiaWQiOiJtY3IubWljcm9zb2Z0LmNvbS9hY2kvbXNpLWF0bGFzLWFkYXB0ZXI6bWFzdGVyXzIwMjAxMjAzLjEiLCJsYXllcnMiOnsiZWxlbWVudHMiOnsiMCI6IjYwNmZkNmJhZjVlYjFhNzFmZDI4NmFlYTI5NjcyYTA2YmZlNTVmMDAwN2RlZDkyZWU3MzE0MmEzNzU5MGVkMTkiLCIxIjoiOTBhZDJmNWIyYzQyNWE3YzQ1OGY5ZjVkMjFjZjA2NGMyMTVmMTRlNDA2ODAwOTY4ZjY0NGQyYWIwYjRkMDRkZiIsIjIiOiIxYzRiNjM2NWE3YjkzODM4N2RmZDgyMjg2MmNhNDFhZTU0OTBiNTQ5MGU0YzI2ZWI0YjVkYTk2YzY0MDk2MGNmIn0sImxlbmd0aCI6M30sIm1vdW50cyI6eyJlbGVtZW50cyI6e30sImxlbmd0aCI6MH0sInNpZ25hbHMiOnsiZWxlbWVudHMiOnt9LCJsZW5ndGgiOjB9LCJ3b3JraW5nX2RpciI6Ii9yb290LyJ9fSwibGVuZ3RoIjoxfX0=" - image = self.aci_policy.get_images()[0] - self.assertEqual(image.base, "mcr.microsoft.com/aci/msi-atlas-adapter") - self.assertIsNotNone(image) - - self.maxDiff = None - expected_workingdir = "/root/" - self.assertEqual(image._workingDir, expected_workingdir) - self.assertEqual( - self.aci_policy.get_serialized_output(use_json=True), - expected_sidecar_container_ser, - ) - - -# @unittest.skip("not in use") -@pytest.mark.run(order=12) -class PolicyGeneratingDebugMode(unittest.TestCase): - custom_json = """ - { - "version": "1.0", - "containers": [ - { - "containerImage": "python:3.6.14-slim-buster", - "environmentVariables": [ - - ], - "command": ["python3"], - "mounts": null - } - ] - } - """ - aci_policy = None - - @classmethod - def setUpClass(cls): - with load_policy_from_str(cls.custom_json, debug_mode=True) as aci_policy: - aci_policy.populate_policy_content_for_all_images() - cls.aci_policy = aci_policy - - def test_logging_enabled(self): - - policy = self.aci_policy.get_serialized_output( - output_type=OutputType.RAW, rego_boilerplate=True - ) - self.assertIsNotNone(policy) - - expected_logging_string = "allow_runtime_logging := true" - expected_properties_access = "allow_properties_access := true" - expected_dump_stacks = "allow_dump_stacks := true" - - # make sure all these are included in the policy - self.assertTrue(expected_logging_string in policy) - self.assertTrue(expected_properties_access in policy) - self.assertTrue(expected_dump_stacks in policy) - - -# @unittest.skip("not in use") -@pytest.mark.run(order=11) -class SidecarValidation(unittest.TestCase): - custom_json = """ - { - "version": "1.0", - "containers": [ - { - "containerImage": "mcr.microsoft.com/aci/msi-atlas-adapter:master_20201210.1", - "environmentVariables": [ - { - "name": "PATH", - "value": ".+", - "strategy": "re2" - } - ], - "command": [ - "/bin/sh", - "-c", - "until ./msiAtlasAdapter; do echo $? restarting; done" - ], - "workingDir": "/root/", - "mounts": null - } - ] -} - """ - custom_json2 = """ - { - "version": "1.0", - "containers": [ - { - "containerImage": "mcr.microsoft.com/aci/msi-atlas-adapter:master_20201210.1", - "environmentVariables": [ - {"name": "PATH", - "value":"/", - "strategy":"string"} - ], - "command": [ - "/bin/sh", - "-c", - "until ./msiAtlasAdapter; do echo $? restarting; done" - ], - "workingDir": "/root/", - "mounts": null - } - ] -} - """ - - aci_policy = None - existing_policy = None - - @classmethod - def setUpClass(cls): - with load_policy_from_str(cls.custom_json) as aci_policy: - aci_policy.populate_policy_content_for_all_images() - cls.aci_policy = aci_policy - with load_policy_from_str(cls.custom_json2) as aci_policy2: - aci_policy2.populate_policy_content_for_all_images() - cls.aci_policy2 = aci_policy2 - - def test_sidecar(self): - is_valid, diff = self.aci_policy.validate_sidecars() - self.assertTrue(is_valid) - self.assertTrue(not diff) - - def test_sidecar_stdio_access_default(self): - self.assertTrue( - json.loads( - self.aci_policy.get_serialized_output( - use_json=True, output_type=OutputType.RAW - ) - )[config.POLICY_FIELD_CONTAINERS][config.POLICY_FIELD_CONTAINERS_ELEMENTS][ - "0" - ][ - config.POLICY_FIELD_CONTAINERS_ALLOW_STDIO_ACCESS - ] - ) - - def test_incorrect_sidecar(self): - - is_valid, diff = self.aci_policy2.validate_sidecars() - - self.assertFalse(is_valid) - expected_diff = { - "mcr.microsoft.com/aci/msi-atlas-adapter:master_20201210.1": { - "env_rules": [ - "environment variable with rule " - + "'PATH=/usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin'" - + " does not match strings or regex in policy rules" - ] - } - } - - self.assertEqual(diff, expected_diff) - - -# @unittest.skip("not in use") -@pytest.mark.run(order=4) -class CustomJsonParsing(unittest.TestCase): - def test_customized_workingdir(self): - custom_json = """ - { - "version": "1.0", - "containers": [ - { - "containerImage": "python:3.6.14-slim-buster", - "environmentVariables": [], - "command": ["echo", "hello"], - "workingDir": "/customized/absolute/path" - } - ] - } - """ - with load_policy_from_str(custom_json) as aci_policy: - # pull actual image to local for next step - image = next( - ( - img - for img in aci_policy.get_images() - if isinstance(img, UserContainerImage) - ), - None, - ) - - expected_working_dir = "/customized/absolute/path" - self.assertEqual(image._workingDir, expected_working_dir) - - def test_allow_elevated(self): - custom_json = """ - { - "version": "1.0", - "containers": [ - { - "containerImage": "python:3.6.14-slim-buster", - "environmentVariables": [], - "command": ["echo", "hello"], - "workingDir": "/customized/absolute/path", - "allow_elevated": true - } - ] - } - """ - with load_policy_from_str(custom_json) as aci_policy: - # pull actual image to local for next step - image = next( - ( - img - for img in aci_policy.get_images() - if isinstance(img, UserContainerImage) - ), - None, - ) - - expected_allow_elevated = True - self.assertEqual(image._allow_elevated, expected_allow_elevated) - - def test_image_layers_python(self): - custom_json = """ - { - "version": "1.0", - "containers": [ - { - "containerImage": "python:3.6.14-slim-buster", - "environmentVariables": [], - "command": ["echo", "hello"] - } - ] - } - """ - with load_policy_from_str(custom_json) as aci_policy: - # pull actual image to local for next step - aci_policy.pull_image(aci_policy.get_images()[0]) - aci_policy.populate_policy_content_for_all_images() - layers = aci_policy.get_images()[0]._layers - expected_layers = [ - "254cc853da6081905c9109c8b9d99c9fb0987ba1d88f729088903cffb80f55f1", - "a568f1900bed60a0641b76b991ad431446d9c3a344d7b261f10de8d8e73763ac", - "c70c530e842f66215b0bd955877157ba24c3799303567c3f5673c45663ea4d15", - "3e86c3ccf1642bf584de33b49c7248f87eecd0f6d8c08353daa36cc7ad0a7b6a", - "1e4684d8c7caa74c6524172b4d5a159a10887613ed70f18d0a55d05b2af61acd", - ] - self.assertEqual(len(layers), len(expected_layers)) - for i in range(len(expected_layers)): - self.assertEqual(layers[i], expected_layers[i]) - - def test_image_layers_rust(self): - custom_json = """ - { - "version": "1.0", - "containers": [ - { - "containerImage": "rust:1.52.1", - "environmentVariables": [], - "command": ["echo", "hello"] - } - ] - } - """ - with load_policy_from_str(custom_json) as aci_policy: - # pull actual image to local for next step - aci_policy.pull_image(aci_policy.get_images()[0]) - aci_policy.populate_policy_content_for_all_images() - layers = aci_policy.get_images()[0]._layers - - expected_layers = [ - "fe84c9d5bfddd07a2624d00333cf13c1a9c941f3a261f13ead44fc6a93bc0e7a", - "4dedae42847c704da891a28c25d32201a1ae440bce2aecccfa8e6f03b97a6a6c", - "41d64cdeb347bf236b4c13b7403b633ff11f1cf94dbc7cf881a44d6da88c5156", - "eb36921e1f82af46dfe248ef8f1b3afb6a5230a64181d960d10237a08cd73c79", - "e769d7487cc314d3ee748a4440805317c19262c7acd2fdbdb0d47d2e4613a15c", - "1b80f120dbd88e4355d6241b519c3e25290215c469516b49dece9cf07175a766", - ] - self.assertEqual(len(layers), len(expected_layers)) - for i in range(len(expected_layers)): - self.assertEqual(layers[i], expected_layers[i]) - - def test_docker_pull(self): - custom_json = """ - { - "version": "1.0", - "containers": [ - { - "containerImage": "rust:1.52.1", - "environmentVariables": [], - "command": ["echo", "hello"] - } - ] - } - """ - with load_policy_from_str(custom_json) as aci_policy: - image = aci_policy.pull_image(aci_policy.get_images()[0]) - self.assertIsNotNone(image) - self.assertEqual( - image.id, - "sha256:83ac22b6cf50c51a1d11b3220316be73271e59d30a65f33f4391dc4cfabdc856", - ) - - def test_environment_variables_parsing(self): - custom_json = """ - { - "version": "1.0", - "containers": [ - { - "containerImage": "mcr.microsoft.com/azuredocs/aci-dataprocessing-cc:v1", - "environmentVariables": [ - { - "name": "env-name1", - "value": "env-val1", - "strategy": "string" - }, - { - "name": "env-name2", - "value": "env-val2", - "strategy": "string" - } - ], - "command": ["python", "app.py"] - } - ] - } - """ - containers = load_policy_from_str(custom_json).get_images() - self.assertEqual(len(containers), 1) - envs = containers[0]._environmentRules - self.assertIsNotNone(envs) - - self.assertEqual( - len( - [ - x - for x in envs - if case_insensitive_dict_get( - x, config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_RULE - ) - == "env-name1=env-val1" - ] - ), - 1, - ) - - self.assertEqual( - len( - [ - x - for x in envs - if case_insensitive_dict_get( - x, config.POLICY_FIELD_CONTAINERS_ELEMENTS_ENVS_RULE - ) - == "env-name2=env-val2" - ] - ), - 1, - ) - - def test_stdio_access_default(self): - custom_json = """ - { - "version": "1.0", - "containers": [ - { - "containerImage": "python:3.6.14-slim-buster", - "environmentVariables": [], - "command": ["echo", "hello"] - } - ] - } - """ - with load_policy_from_str(custom_json) as aci_policy: - aci_policy.populate_policy_content_for_all_images() - self.assertTrue( - json.loads( - aci_policy.get_serialized_output(use_json=True, output_type=OutputType.RAW) - )[config.POLICY_FIELD_CONTAINERS][ - config.POLICY_FIELD_CONTAINERS_ELEMENTS - ][ - "0" - ][ - config.POLICY_FIELD_CONTAINERS_ALLOW_STDIO_ACCESS - ] - ) - - def test_stdio_access_updated(self): - custom_json = """ - { - "version": "1.0", - "containers": [ - { - "containerImage": "python:3.6.14-slim-buster", - "environmentVariables": [], - "command": ["echo", "hello"], - "allowStdioAccess": false - } - ] - } - """ - with load_policy_from_str(custom_json) as aci_policy: - aci_policy.populate_policy_content_for_all_images() - - self.assertFalse( - json.loads( - aci_policy.get_serialized_output(use_json=True, output_type=OutputType.RAW) - )[config.POLICY_FIELD_CONTAINERS][ - config.POLICY_FIELD_CONTAINERS_ELEMENTS - ][ - "0" - ][ - config.POLICY_FIELD_CONTAINERS_ALLOW_STDIO_ACCESS - ] - ) - - -# @unittest.skip("not in use") -@pytest.mark.run(order=5) -class CustomJsonParsingIncorrect(unittest.TestCase): - def test_get_layers_from_not_exists_image(self): - # if an image does not exists in local container repo/daemon, an - # Exception will be raised - custom_json = """ - { - "version": "1.0", - "containers": [ - { - "containerImage": "notexists:1.0.0", - "environmentVariables": [], - "command": ["echo", "hello"] - } - ] - } - """ - with load_policy_from_str(custom_json) as aci_policy: - with self.assertRaises(SystemExit) as exc_info: - aci_policy.populate_policy_content_for_all_images() - self.assertEqual(exc_info.exception.code, 1) - - def test_incorrect_allow_elevated_data_type(self): - custom_json = """ - { - "version": "1.0", - "containers": [ - { - "containerImage": "rust:1.52.1", - "environmentVariables": [], - "command": "echo hello", - "workingDir": "relative/string/path", - "allow_elevated": "true" - } - ] - } - """ - # allow_elevated can only be a boolean - with self.assertRaises(SystemExit) as exc_info: - load_policy_from_str(custom_json) - self.assertEqual(exc_info.exception.code, 1) - - def test_incorrect_workingdir_path(self): - custom_json = """ - { - "version": "1.0", - "containers": [ - { - "containerImage": "rust:1.52.1", - "environmentVariables": [], - "command": "echo hello", - "workingDir": "relative/string/path" - } - ] - } - """ - # workingDir can only be absolute path string - with self.assertRaises(SystemExit) as exc_info: - load_policy_from_str(custom_json) - self.assertEqual(exc_info.exception.code, 1) - - def test_incorrect_workingdir_data_type(self): - custom_json = """ - { - "version": "1.0", - "containers": [ - { - "containerImage": "rust:1.52.1", - "environmentVariables": [], - "command": "echo hello", - "workingDir": ["hello"] - } - ] - } - """ - # workingDir can only be single string - with self.assertRaises(SystemExit) as exc_info: - load_policy_from_str(custom_json) - self.assertEqual(exc_info.exception.code, 1) - - def test_incorrect_command_data_type(self): - custom_json = """ - { - "version": "1.0", - "containers": [ - { - "containerImage": "rust:1.52.1", - "environmentVariables": [], - "command": "echo hello" - } - ] - } - """ - # command can only be list of strings - with self.assertRaises(SystemExit) as exc_info: - load_policy_from_str(custom_json) - self.assertEqual(exc_info.exception.code, 1) - - def test_json_missing_containers(self): - custom_json = """ - { - "version": "1.0" - } - """ - with self.assertRaises(SystemExit) as exc_info: - load_policy_from_str(custom_json) - self.assertEqual(exc_info.exception.code, 1) - - def test_json_missing_version(self): - custom_json = """ - { - "containers": [ - { - "containerImage": "mcr.microsoft.com/azuredocs/aci-dataprocessing-cc:v1", - "environmentVariables": [ - { - "name": "port", - "value": "80", - "strategy": "string" - } - ], - "command": ["python", "app.py"] - } - ] - } - """ - with self.assertRaises(SystemExit) as exc_info: - load_policy_from_str(custom_json) - self.assertEqual(exc_info.exception.code, 1) - - def test_json_missing_containerImage(self): - custom_json = """ - { - "version": "1.0", - "containers": [ - { - "environmentVariables": [ - { - "name": "port", - "value": "80", - "strategy": "string" - } - ], - "command": ["python", "app.py"] - } - ] - } - """ - with self.assertRaises(SystemExit) as exc_info: - load_policy_from_str(custom_json) - self.assertEqual(exc_info.exception.code, 1) - - def test_json_missing_environmentVariables(self): - custom_json = """ - { - "version": "1.0", - "containers": [ - { - "containerImage": "mcr.microsoft.com/azuredocs/aci-dataprocessing-cc:v1", - "command": ["python", "app.py"] - } - ] - } - """ - with self.assertRaises(SystemExit) as exc_info: - load_policy_from_str(custom_json) - self.assertEqual(exc_info.exception.code, 1) - - def test_json_missing_command(self): - custom_json = """ - { - "version": "1.0", - "containers": [ - { - "containerImage": "mcr.microsoft.com/azuredocs/aci-dataprocessing-cc:v1", - "environmentVariables": [ - { - "name": "port", - "value": "80", - "strategy": "string" - } - ] - } - ] - } - """ - with self.assertRaises(SystemExit) as exc_info: - load_policy_from_str(custom_json) - self.assertEqual(exc_info.exception.code, 1) diff --git a/src/confcom/azext_confcom/tests/latest/test_confcom_startup.py b/src/confcom/azext_confcom/tests/latest/test_confcom_startup.py deleted file mode 100644 index 2b131b5a74d..00000000000 --- a/src/confcom/azext_confcom/tests/latest/test_confcom_startup.py +++ /dev/null @@ -1,69 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -------------------------------------------------------------------------------------------- - -import os -import unittest -import pytest - -from azext_confcom.custom import acipolicygen_confcom - -import pytest - -TEST_DIR = os.path.abspath(os.path.join(os.path.abspath(__file__), "..")) - - -# @unittest.skip("not in use") -@pytest.mark.run(order=1) -class InitialErrors(unittest.TestCase): - def test_invalid_output_flags(self): - with self.assertRaises(SystemExit) as wrapped_exit: - acipolicygen_confcom( - "fakepath/input.json", - None, - None, - None, - None, - None, - outraw=True, - outraw_pretty_print=True, - ) - self.assertEqual(wrapped_exit.exception.code, 1) - - with self.assertRaises(SystemExit) as wrapped_exit: - acipolicygen_confcom( - "fakepath/input.json", None, None, None, None, None, outraw=True, print_policy_to_terminal=True - ) - self.assertEqual(wrapped_exit.exception.code, 1) - - with self.assertRaises(SystemExit) as wrapped_exit: - acipolicygen_confcom( - "fakepath/input.json", None, None, None, None, None, print_policy_to_terminal=True, outraw_pretty_print=True - ) - self.assertEqual(wrapped_exit.exception.code, 1) - - def test_invalid_many_input_types(self): - with self.assertRaises(SystemExit) as wrapped_exit: - acipolicygen_confcom( - "fakepath/input.json", "fakepath2/template.json", None, None, None, None - ) - self.assertEqual(wrapped_exit.exception.code, 1) - - def test_diff_wrong_input_type(self): - with self.assertRaises(SystemExit) as wrapped_exit: - acipolicygen_confcom( - "fakepath/input.json", None, None, None, None, None, diff=True - ) - self.assertEqual(wrapped_exit.exception.code, 1) - - with self.assertRaises(SystemExit) as wrapped_exit: - acipolicygen_confcom(None, None, None, "alpine", None, None, diff=True) - self.assertEqual(wrapped_exit.exception.code, 1) - - def test_parameters_without_template(self): - with self.assertRaises(SystemExit) as wrapped_exit: - acipolicygen_confcom( - None, None, "fakepath/parameters.json", None, None, None - ) - self.assertEqual(wrapped_exit.exception.code, 1) diff --git a/src/confcom/azext_confcom/tests/latest/test_confcom_tar.py b/src/confcom/azext_confcom/tests/latest/test_confcom_tar.py deleted file mode 100644 index 6aa7524a586..00000000000 --- a/src/confcom/azext_confcom/tests/latest/test_confcom_tar.py +++ /dev/null @@ -1,502 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -------------------------------------------------------------------------------------------- - -import os -import unittest -import pytest -import deepdiff -import json -import docker - -from azext_confcom.security_policy import ( - OutputType, - load_policy_from_arm_template_str, -) -from azext_confcom.errors import ( - AccContainerError, -) -import azext_confcom.config as config - - -# @unittest.skip("not in use") -@pytest.mark.run(order=11) -class PolicyGeneratingArmParametersCleanRoomTarFile(unittest.TestCase): - @classmethod - def setUpClass(cls) -> None: - # this is simulating the output of the "load_tar_mapping_from_file" output - path = os.path.dirname(__file__) - image_path = os.path.join(path, "./nginx.tar") - - tar_mapping_file = {"nginx:1.22": image_path} - - cls.path = path - cls.tar_mapping_file = tar_mapping_file - cls.image_path = image_path - - def test_arm_template_with_parameter_file_clean_room_tar(self): - custom_arm_json_default_value = """ - { - "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", - "contentVersion": "1.0.0.0", - - - "parameters": { - "containergroupname": { - "type": "string", - "metadata": { - "description": "Name for the container group" - }, - "defaultValue":"simple-container-group" - }, - "image": { - "type": "string", - "metadata": { - "description": "Name for the container group" - }, - "defaultValue":"nginx:1.22" - }, - "containername": { - "type": "string", - "metadata": { - "description": "Name for the container" - }, - "defaultValue":"simple-container" - }, - - "port": { - "type": "string", - "metadata": { - "description": "Port to open on the container and the public IP address." - }, - "defaultValue": "8080" - }, - "cpuCores": { - "type": "string", - "metadata": { - "description": "The number of CPU cores to allocate to the container." - }, - "defaultValue": "1.0" - }, - "memoryInGb": { - "type": "string", - "metadata": { - "description": "The amount of memory to allocate to the container in gigabytes." - }, - "defaultValue": "1.5" - }, - "location": { - "type": "string", - "defaultValue": "[resourceGroup().location]", - "metadata": { - "description": "Location for all resources." - } - } - }, - "resources": [ - { - "name": "[parameters('containergroupname')]", - "type": "Microsoft.ContainerInstance/containerGroups", - "apiVersion": "2022-04-01-preview", - "location": "[parameters('location')]", - - "properties": { - "containers": [ - { - "name": "[parameters('containername')]", - "properties": { - "image": "[parameters('image')]", - "environmentVariables": [ - { - "name": "PORT", - "value": "80" - } - ], - - "ports": [ - { - "port": "[parameters('port')]" - } - ], - "command": [ - "/bin/bash", - "-c", - "while sleep 5; do cat /mnt/input/access.log; done" - ], - "resources": { - "requests": { - "cpu": "[parameters('cpuCores')]", - "memoryInGb": "[parameters('memoryInGb')]" - } - } - } - } - ], - - "osType": "Linux", - "restartPolicy": "OnFailure", - "confidentialComputeProperties": { - "IsolationType": "SevSnp" - }, - "ipAddress": { - "type": "Public", - "ports": [ - { - "protocol": "Tcp", - "port": "[parameters( 'port' )]" - } - ] - } - } - } - ], - "outputs": { - "containerIPv4Address": { - "type": "string", - "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', parameters('containergroupname'))).ipAddress.ip]" - } - } - } - """ - - regular_image = load_policy_from_arm_template_str( - custom_arm_json_default_value, "" - )[0] - - regular_image.populate_policy_content_for_all_images() - - clean_room_image = load_policy_from_arm_template_str( - custom_arm_json_default_value, "" - )[0] - - # save the tar file for the image in the testing directory - client = docker.from_env() - image = client.images.get("nginx:1.22") - - # Note: Class setup and teardown shouldn't have side effects, and reading from the tar file fails when all the tests are running in parallel, so we want to save and delete this tar file as a part of the test. Not as a part of the testing class. - f = open(self.image_path, "wb") - for chunk in image.save(named=True): - f.write(chunk) - f.close() - client.close() - - try: - clean_room_image.populate_policy_content_for_all_images( - tar_mapping=self.tar_mapping_file - ) - except: - raise AccContainerError("Could not get image from tar file") - finally: - # delete the tar file - if os.path.isfile(self.image_path): - os.remove(self.image_path) - - regular_image_json = json.loads( - regular_image.get_serialized_output(output_type=OutputType.RAW, use_json=True) - ) - - clean_room_json = json.loads( - clean_room_image.get_serialized_output(output_type=OutputType.RAW, use_json=True) - ) - - regular_image_json[config.POLICY_FIELD_CONTAINERS][ - config.POLICY_FIELD_CONTAINERS_ELEMENTS - ]["0"].pop(config.POLICY_FIELD_CONTAINERS_ID) - clean_room_json[config.POLICY_FIELD_CONTAINERS][ - config.POLICY_FIELD_CONTAINERS_ELEMENTS - ]["0"].pop(config.POLICY_FIELD_CONTAINERS_ID) - - # see if the remote image and the local one produce the same output - self.assertEqual( - deepdiff.DeepDiff(regular_image_json, clean_room_json, ignore_order=True), - {}, - ) - - def test_arm_template_with_parameter_file_clean_room_tar_invalid(self): - custom_arm_json_default_value = """ - { - "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", - "contentVersion": "1.0.0.0", - - - "parameters": { - "containergroupname": { - "type": "string", - "metadata": { - "description": "Name for the container group" - }, - "defaultValue":"simple-container-group" - }, - "image": { - "type": "string", - "metadata": { - "description": "Name for the container group" - }, - "defaultValue":"rust:latest" - }, - "containername": { - "type": "string", - "metadata": { - "description": "Name for the container" - }, - "defaultValue":"simple-container" - }, - - "port": { - "type": "string", - "metadata": { - "description": "Port to open on the container and the public IP address." - }, - "defaultValue": "8080" - }, - "cpuCores": { - "type": "string", - "metadata": { - "description": "The number of CPU cores to allocate to the container." - }, - "defaultValue": "1.0" - }, - "memoryInGb": { - "type": "string", - "metadata": { - "description": "The amount of memory to allocate to the container in gigabytes." - }, - "defaultValue": "1.5" - }, - "location": { - "type": "string", - "defaultValue": "[resourceGroup().location]", - "metadata": { - "description": "Location for all resources." - } - } - }, - "resources": [ - { - "name": "[parameters('containergroupname')]", - "type": "Microsoft.ContainerInstance/containerGroups", - "apiVersion": "2022-04-01-preview", - "location": "[parameters('location')]", - - "properties": { - "containers": [ - { - "name": "[parameters('containername')]", - "properties": { - "image": "[parameters('image')]", - "environmentVariables": [ - { - "name": "PORT", - "value": "80" - } - ], - - "ports": [ - { - "port": "[parameters('port')]" - } - ], - "command": [ - "/bin/bash", - "-c", - "while sleep 5; do cat /mnt/input/access.log; done" - ], - "resources": { - "requests": { - "cpu": "[parameters('cpuCores')]", - "memoryInGb": "[parameters('memoryInGb')]" - } - } - } - } - ], - - "osType": "Linux", - "restartPolicy": "OnFailure", - "confidentialComputeProperties": { - "IsolationType": "SevSnp" - }, - "ipAddress": { - "type": "Public", - "ports": [ - { - "protocol": "Tcp", - "port": "[parameters( 'port' )]" - } - ] - } - } - } - ], - "outputs": { - "containerIPv4Address": { - "type": "string", - "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', parameters('containergroupname'))).ipAddress.ip]" - } - } - } - """ - - clean_room_image = load_policy_from_arm_template_str( - custom_arm_json_default_value, "" - )[0] - # save the tar file for the image in the testing directory - client = docker.from_env() - image = client.images.pull("nginx:1.23") - image = client.images.get("nginx:1.23") - - # Note: Class setup and teardown shouldn't have side effects, and reading from the tar file fails when all the tests are running in parallel, so we want to save and delete this tar file as a part of the test. Not as a part of the testing class. - f = open(self.image_path, "wb") - for chunk in image.save(named=True): - f.write(chunk) - f.close() - client.close() - - try: - clean_room_image.populate_policy_content_for_all_images( - tar_mapping=self.tar_mapping_file - ) - raise AccContainerError("getting image should fail") - except: - pass - finally: - # delete the tar file - if os.path.isfile(self.image_path): - os.remove(self.image_path) - - def test_clean_room_fake_tar_invalid(self): - custom_arm_json_default_value = """ - { - "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", - "contentVersion": "1.0.0.0", - - - "parameters": { - "containergroupname": { - "type": "string", - "metadata": { - "description": "Name for the container group" - }, - "defaultValue":"simple-container-group" - }, - "image": { - "type": "string", - "metadata": { - "description": "Name for the container group" - }, - "defaultValue":"rust:latest" - }, - "containername": { - "type": "string", - "metadata": { - "description": "Name for the container" - }, - "defaultValue":"simple-container" - }, - - "port": { - "type": "string", - "metadata": { - "description": "Port to open on the container and the public IP address." - }, - "defaultValue": "8080" - }, - "cpuCores": { - "type": "string", - "metadata": { - "description": "The number of CPU cores to allocate to the container." - }, - "defaultValue": "1.0" - }, - "memoryInGb": { - "type": "string", - "metadata": { - "description": "The amount of memory to allocate to the container in gigabytes." - }, - "defaultValue": "1.5" - }, - "location": { - "type": "string", - "defaultValue": "[resourceGroup().location]", - "metadata": { - "description": "Location for all resources." - } - } - }, - "resources": [ - { - "name": "[parameters('containergroupname')]", - "type": "Microsoft.ContainerInstance/containerGroups", - "apiVersion": "2022-04-01-preview", - "location": "[parameters('location')]", - - "properties": { - "containers": [ - { - "name": "[parameters('containername')]", - "properties": { - "image": "[parameters('image')]", - "environmentVariables": [ - { - "name": "PORT", - "value": "80" - } - ], - - "ports": [ - { - "port": "[parameters('port')]" - } - ], - "command": [ - "/bin/bash", - "-c", - "while sleep 5; do cat /mnt/input/access.log; done" - ], - "resources": { - "requests": { - "cpu": "[parameters('cpuCores')]", - "memoryInGb": "[parameters('memoryInGb')]" - } - } - } - } - ], - - "osType": "Linux", - "restartPolicy": "OnFailure", - "confidentialComputeProperties": { - "IsolationType": "SevSnp" - }, - "ipAddress": { - "type": "Public", - "ports": [ - { - "protocol": "Tcp", - "port": "[parameters( 'port' )]" - } - ] - } - } - } - ], - "outputs": { - "containerIPv4Address": { - "type": "string", - "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', parameters('containergroupname'))).ipAddress.ip]" - } - } - } - """ - - clean_room_image = load_policy_from_arm_template_str( - custom_arm_json_default_value, "" - )[0] - try: - clean_room_image.populate_policy_content_for_all_images( - tar_mapping=os.path.join(self.path, "fake-file.tar") - ) - raise AccContainerError("getting image should fail") - except FileNotFoundError: - pass diff --git a/src/confcom/azext_confcom/tests/latest/test_confcom_template_util.py b/src/confcom/azext_confcom/tests/latest/test_confcom_template_util.py deleted file mode 100644 index 18a93b9eb80..00000000000 --- a/src/confcom/azext_confcom/tests/latest/test_confcom_template_util.py +++ /dev/null @@ -1,531 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -------------------------------------------------------------------------------------------- - -import os -import unittest -import pytest -from azext_confcom.custom import acipolicygen_confcom -import azext_confcom.config as config -from azext_confcom.template_util import ( - case_insensitive_dict_get, - extract_confidential_properties, -) -from azext_confcom.os_util import load_json_from_str -import pytest - -TEST_DIR = os.path.abspath(os.path.join(os.path.abspath(__file__), "..")) - - -# @unittest.skip("not in use") -@pytest.mark.run(order=1) -class TemplateUtil(unittest.TestCase): - def test_case_insensitive_dict_get(self): - test_dict = {"key1": "value1", "key2": "value2", "KEY3": "value3"} - self.assertEqual(case_insensitive_dict_get(test_dict, "key1"), "value1") - self.assertEqual(case_insensitive_dict_get(test_dict, "key3"), "value3") - self.assertEqual(case_insensitive_dict_get(test_dict, "KEY1"), "value1") - self.assertEqual(case_insensitive_dict_get(test_dict, "KEY3"), "value3") - self.assertEqual(case_insensitive_dict_get(test_dict, "key4"), None) - self.assertEqual(case_insensitive_dict_get(test_dict, "KEY4"), None) - - def test_extract_confidential_properties(self): - """decoded policy: - package policy - - import future.keywords.every - import future.keywords.in - - fragments := [{ - "feed": "mcr.microsoft.com/aci/aci-cc-infra-fragment", - "includes": [], - "issuer": "did:x509:0:sha256:I__iuL25oXEVFdTP_aBLx_eT1RPHbCQ_ECBQfYZpt9s::eku:1.3.6.1.4.1.311.76.59.1.3", - "minimum_svn": "1.0.0", - }] - - containers := [ - { - "allow_elevated": true, - "allow_stdio_access": true, - "command": ["bash"], - "env_rules": [ - { - "pattern": "PATH=/customized/path/value", - "required": false, - "strategy": "string", - }, - { - "pattern": "TEST_REGEXP_ENV=test_regexp_env", - "required": false, - "strategy": "string", - }, - { - "pattern": "RUSTUP_HOME=/usr/local/rustup", - "required": false, - "strategy": "string", - }, - { - "pattern": "CARGO_HOME=/usr/local/cargo", - "required": false, - "strategy": "string", - }, - { - "pattern": "RUST_VERSION=1.52.1", - "required": false, - "strategy": "string", - }, - { - "pattern": "TERM=xterm", - "required": false, - "strategy": "string", - }, - { - "pattern": "((?i)FABRIC)_.+=.+", - "required": false, - "strategy": "re2", - }, - { - "pattern": "HOSTNAME=.+", - "required": false, - "strategy": "re2", - }, - { - "pattern": "T(E)?MP=.+", - "required": false, - "strategy": "re2", - }, - { - "pattern": "FabricPackageFileName=.+", - "required": false, - "strategy": "re2", - }, - { - "pattern": "HostedServiceName=.+", - "required": false, - "strategy": "re2", - }, - { - "pattern": "IDENTITY_API_VERSION=.+", - "required": false, - "strategy": "re2", - }, - { - "pattern": "IDENTITY_HEADER=.+", - "required": false, - "strategy": "re2", - }, - { - "pattern": "IDENTITY_SERVER_THUMBPRINT=.+", - "required": false, - "strategy": "re2", - }, - { - "pattern": "azurecontainerinstance_restarted_by=.+", - "required": false, - "strategy": "re2", - }, - ], - "exec_processes": [], - "id": "rust:1.52.1", - "layers": [ - "fe84c9d5bfddd07a2624d00333cf13c1a9c941f3a261f13ead44fc6a93bc0e7a", - "4dedae42847c704da891a28c25d32201a1ae440bce2aecccfa8e6f03b97a6a6c", - "41d64cdeb347bf236b4c13b7403b633ff11f1cf94dbc7cf881a44d6da88c5156", - "eb36921e1f82af46dfe248ef8f1b3afb6a5230a64181d960d10237a08cd73c79", - "e769d7487cc314d3ee748a4440805317c19262c7acd2fdbdb0d47d2e4613a15c", - "1b80f120dbd88e4355d6241b519c3e25290215c469516b49dece9cf07175a766", - ], - "mounts": [ - { - "destination": "/sys", - "options": [ - "nosuid", - "noexec", - "nodev", - "rw", - ], - "source": "sysfs", - "type": "sysfs", - }, - { - "destination": "/sys/fs/cgroup", - "options": [ - "nosuid", - "noexec", - "nodev", - "relatime", - "rw", - ], - "source": "cgroup", - "type": "cgroup", - }, - { - "destination": "/mount/azurefile", - "options": [ - "rbind", - "rshared", - "rw", - ], - "source": "sandbox:///tmp/atlas/azureFileVolume/.+", - "type": "azureFile", - }, - { - "destination": "/etc/resolv.conf", - "options": [ - "rbind", - "rshared", - "rw", - ], - "source": "sandbox:///tmp/atlas/resolvconf/.+", - "type": "resolvconf", - }, - ], - "signals": [], - "working_dir": "/", - }, - { - "allow_elevated": false, - "command": ["/pause"], - "env_rules": [ - { - "pattern": "PATH=/usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin", - "required": true, - "strategy": "string", - }, - { - "pattern": "TERM=xterm", - "required": false, - "strategy": "string", - }, - ], - "execProcesses": [], - "layers": ["16b514057a06ad665f92c02863aca074fd5976c755d26bff16365299169e8415"], - "mounts": [], - "signals": [], - "working_dir": "/", - } - ] - - allow_properties_access := false - - allow_dump_stacks := false - - allow_runtime_logging := false - - allow_environment_variable_dropping := true - - allow_unencrypted_scratch := false - - mount_device := data.framework.mount_device - - unmount_device := data.framework.unmount_device - - mount_overlay := data.framework.mount_overlay - - unmount_overlay := data.framework.unmount_overlay - - create_container := data.framework.create_container - - exec_in_container := data.framework.exec_in_container - - exec_external := data.framework.exec_external - - shutdown_container := data.framework.shutdown_container - - signal_container_process := data.framework.signal_container_process - - plan9_mount := data.framework.plan9_mount - - plan9_unmount := data.framework.plan9_unmount - - get_properties := data.framework.get_properties - - dump_stacks := data.framework.dump_stacks - - runtime_logging := data.framework.runtime_logging - - load_fragment := data.framework.load_fragment - - scratch_mount := data.framework.scratch_mount - - scratch_unmount := data.framework.scratch_unmount - - reason := {"errors": data.framework.errors}""" - policy = { - config.ACI_FIELD_TEMPLATE_CONFCOM_PROPERTIES: { - config.ACI_FIELD_TEMPLATE_CCE_POLICY: """cGFja2FnZSBwb2xpY3kKCmltcG9ydCBmdXR1cmUua2V5d29yZHMuZXZlcnkKaW1wb3J0IGZ1dHVy -ZS5rZXl3b3Jkcy5pbgoKZnJhZ21lbnRzIDo9IFt7CgkiZmVlZCI6ICJtY3IubWljcm9zb2Z0LmNv -bS9hY2kvYWNpLWNjLWluZnJhLWZyYWdtZW50IiwKCSJpbmNsdWRlcyI6IFtdLAoJImlzc3VlciI6 -ICJkaWQ6eDUwOTowOnNoYTI1NjpJX19pdUwyNW9YRVZGZFRQX2FCTHhfZVQxUlBIYkNRX0VDQlFm -WVpwdDlzOjpla3U6MS4zLjYuMS40LjEuMzExLjc2LjU5LjEuMyIsCgkibWluaW11bV9zdm4iOiAi -MS4wLjAiLAp9XQoKY29udGFpbmVycyA6PSBbCgl7CgkJImFsbG93X2VsZXZhdGVkIjogdHJ1ZSwK -CQkiYWxsb3dfc3RkaW9fYWNjZXNzIjogdHJ1ZSwKCQkiY29tbWFuZCI6IFsiYmFzaCJdLAoJCSJl -bnZfcnVsZXMiOiBbCgkJCXsKCQkJCSJwYXR0ZXJuIjogIlBBVEg9L2N1c3RvbWl6ZWQvcGF0aC92 -YWx1ZSIsCgkJCQkicmVxdWlyZWQiOiBmYWxzZSwKCQkJCSJzdHJhdGVneSI6ICJzdHJpbmciLAoJ -CQl9LAoJCQl7CgkJCQkicGF0dGVybiI6ICJURVNUX1JFR0VYUF9FTlY9dGVzdF9yZWdleHBfZW52 -IiwKCQkJCSJyZXF1aXJlZCI6IGZhbHNlLAoJCQkJInN0cmF0ZWd5IjogInN0cmluZyIsCgkJCX0s -CgkJCXsKCQkJCSJwYXR0ZXJuIjogIlJVU1RVUF9IT01FPS91c3IvbG9jYWwvcnVzdHVwIiwKCQkJ -CSJyZXF1aXJlZCI6IGZhbHNlLAoJCQkJInN0cmF0ZWd5IjogInN0cmluZyIsCgkJCX0sCgkJCXsK -CQkJCSJwYXR0ZXJuIjogIkNBUkdPX0hPTUU9L3Vzci9sb2NhbC9jYXJnbyIsCgkJCQkicmVxdWly -ZWQiOiBmYWxzZSwKCQkJCSJzdHJhdGVneSI6ICJzdHJpbmciLAoJCQl9LAoJCQl7CgkJCQkicGF0 -dGVybiI6ICJSVVNUX1ZFUlNJT049MS41Mi4xIiwKCQkJCSJyZXF1aXJlZCI6IGZhbHNlLAoJCQkJ -InN0cmF0ZWd5IjogInN0cmluZyIsCgkJCX0sCgkJCXsKCQkJCSJwYXR0ZXJuIjogIlRFUk09eHRl -cm0iLAoJCQkJInJlcXVpcmVkIjogZmFsc2UsCgkJCQkic3RyYXRlZ3kiOiAic3RyaW5nIiwKCQkJ -fSwKCQkJewoJCQkJInBhdHRlcm4iOiAiKCg/aSlGQUJSSUMpXy4rPS4rIiwKCQkJCSJyZXF1aXJl -ZCI6IGZhbHNlLAoJCQkJInN0cmF0ZWd5IjogInJlMiIsCgkJCX0sCgkJCXsKCQkJCSJwYXR0ZXJu -IjogIkhPU1ROQU1FPS4rIiwKCQkJCSJyZXF1aXJlZCI6IGZhbHNlLAoJCQkJInN0cmF0ZWd5Ijog -InJlMiIsCgkJCX0sCgkJCXsKCQkJCSJwYXR0ZXJuIjogIlQoRSk/TVA9LisiLAoJCQkJInJlcXVp -cmVkIjogZmFsc2UsCgkJCQkic3RyYXRlZ3kiOiAicmUyIiwKCQkJfSwKCQkJewoJCQkJInBhdHRl -cm4iOiAiRmFicmljUGFja2FnZUZpbGVOYW1lPS4rIiwKCQkJCSJyZXF1aXJlZCI6IGZhbHNlLAoJ -CQkJInN0cmF0ZWd5IjogInJlMiIsCgkJCX0sCgkJCXsKCQkJCSJwYXR0ZXJuIjogIkhvc3RlZFNl -cnZpY2VOYW1lPS4rIiwKCQkJCSJyZXF1aXJlZCI6IGZhbHNlLAoJCQkJInN0cmF0ZWd5IjogInJl -MiIsCgkJCX0sCgkJCXsKCQkJCSJwYXR0ZXJuIjogIklERU5USVRZX0FQSV9WRVJTSU9OPS4rIiwK -CQkJCSJyZXF1aXJlZCI6IGZhbHNlLAoJCQkJInN0cmF0ZWd5IjogInJlMiIsCgkJCX0sCgkJCXsK -CQkJCSJwYXR0ZXJuIjogIklERU5USVRZX0hFQURFUj0uKyIsCgkJCQkicmVxdWlyZWQiOiBmYWxz -ZSwKCQkJCSJzdHJhdGVneSI6ICJyZTIiLAoJCQl9LAoJCQl7CgkJCQkicGF0dGVybiI6ICJJREVO -VElUWV9TRVJWRVJfVEhVTUJQUklOVD0uKyIsCgkJCQkicmVxdWlyZWQiOiBmYWxzZSwKCQkJCSJz -dHJhdGVneSI6ICJyZTIiLAoJCQl9LAoJCQl7CgkJCQkicGF0dGVybiI6ICJhenVyZWNvbnRhaW5l -cmluc3RhbmNlX3Jlc3RhcnRlZF9ieT0uKyIsCgkJCQkicmVxdWlyZWQiOiBmYWxzZSwKCQkJCSJz -dHJhdGVneSI6ICJyZTIiLAoJCQl9LAoJCV0sCgkJImV4ZWNfcHJvY2Vzc2VzIjogW10sCgkJImlk -IjogInJ1c3Q6MS41Mi4xIiwKCQkibGF5ZXJzIjogWwoJCQkiZmU4NGM5ZDViZmRkZDA3YTI2MjRk -MDAzMzNjZjEzYzFhOWM5NDFmM2EyNjFmMTNlYWQ0NGZjNmE5M2JjMGU3YSIsCgkJCSI0ZGVkYWU0 -Mjg0N2M3MDRkYTg5MWEyOGMyNWQzMjIwMWExYWU0NDBiY2UyYWVjY2NmYThlNmYwM2I5N2E2YTZj -IiwKCQkJIjQxZDY0Y2RlYjM0N2JmMjM2YjRjMTNiNzQwM2I2MzNmZjExZjFjZjk0ZGJjN2NmODgx -YTQ0ZDZkYTg4YzUxNTYiLAoJCQkiZWIzNjkyMWUxZjgyYWY0NmRmZTI0OGVmOGYxYjNhZmI2YTUy -MzBhNjQxODFkOTYwZDEwMjM3YTA4Y2Q3M2M3OSIsCgkJCSJlNzY5ZDc0ODdjYzMxNGQzZWU3NDhh -NDQ0MDgwNTMxN2MxOTI2MmM3YWNkMmZkYmRiMGQ0N2QyZTQ2MTNhMTVjIiwKCQkJIjFiODBmMTIw -ZGJkODhlNDM1NWQ2MjQxYjUxOWMzZTI1MjkwMjE1YzQ2OTUxNmI0OWRlY2U5Y2YwNzE3NWE3NjYi -LAoJCV0sCgkJIm1vdW50cyI6IFsKCQkJewoJCQkJImRlc3RpbmF0aW9uIjogIi9zeXMiLAoJCQkJ -Im9wdGlvbnMiOiBbCgkJCQkJIm5vc3VpZCIsCgkJCQkJIm5vZXhlYyIsCgkJCQkJIm5vZGV2IiwK -CQkJCQkicnciLAoJCQkJXSwKCQkJCSJzb3VyY2UiOiAic3lzZnMiLAoJCQkJInR5cGUiOiAic3lz -ZnMiLAoJCQl9LAoJCQl7CgkJCQkiZGVzdGluYXRpb24iOiAiL3N5cy9mcy9jZ3JvdXAiLAoJCQkJ -Im9wdGlvbnMiOiBbCgkJCQkJIm5vc3VpZCIsCgkJCQkJIm5vZXhlYyIsCgkJCQkJIm5vZGV2IiwK -CQkJCQkicmVsYXRpbWUiLAoJCQkJCSJydyIsCgkJCQldLAoJCQkJInNvdXJjZSI6ICJjZ3JvdXAi -LAoJCQkJInR5cGUiOiAiY2dyb3VwIiwKCQkJfSwKCQkJewoJCQkJImRlc3RpbmF0aW9uIjogIi9t -b3VudC9henVyZWZpbGUiLAoJCQkJIm9wdGlvbnMiOiBbCgkJCQkJInJiaW5kIiwKCQkJCQkicnNo -YXJlZCIsCgkJCQkJInJ3IiwKCQkJCV0sCgkJCQkic291cmNlIjogInNhbmRib3g6Ly8vdG1wL2F0 -bGFzL2F6dXJlRmlsZVZvbHVtZS8uKyIsCgkJCQkidHlwZSI6ICJhenVyZUZpbGUiLAoJCQl9LAoJ -CQl7CgkJCQkiZGVzdGluYXRpb24iOiAiL2V0Yy9yZXNvbHYuY29uZiIsCgkJCQkib3B0aW9ucyI6 -IFsKCQkJCQkicmJpbmQiLAoJCQkJCSJyc2hhcmVkIiwKCQkJCQkicnciLAoJCQkJXSwKCQkJCSJz -b3VyY2UiOiAic2FuZGJveDovLy90bXAvYXRsYXMvcmVzb2x2Y29uZi8uKyIsCgkJCQkidHlwZSI6 -ICJyZXNvbHZjb25mIiwKCQkJfSwKCQldLAoJCSJzaWduYWxzIjogW10sCgkJIndvcmtpbmdfZGly -IjogIi8iLAoJfSwKCXsKCQkiYWxsb3dfZWxldmF0ZWQiOiBmYWxzZSwKCQkiY29tbWFuZCI6IFsi -L3BhdXNlIl0sCgkJImVudl9ydWxlcyI6IFsKCQkJewoJCQkJInBhdHRlcm4iOiAiUEFUSD0vdXNy -L2xvY2FsL3NiaW46L3Vzci9sb2NhbC9iaW46L3Vzci9zYmluOi91c3IvYmluOi9zYmluOi9iaW4i -LAoJCQkJInJlcXVpcmVkIjogdHJ1ZSwKCQkJCSJzdHJhdGVneSI6ICJzdHJpbmciLAoJCQl9LAoJ -CQl7CgkJCQkicGF0dGVybiI6ICJURVJNPXh0ZXJtIiwKCQkJCSJyZXF1aXJlZCI6IGZhbHNlLAoJ -CQkJInN0cmF0ZWd5IjogInN0cmluZyIsCgkJCX0sCgkJXSwKCQkiZXhlY1Byb2Nlc3NlcyI6IFtd -LAoJCSJsYXllcnMiOiBbIjE2YjUxNDA1N2EwNmFkNjY1ZjkyYzAyODYzYWNhMDc0ZmQ1OTc2Yzc1 -NWQyNmJmZjE2MzY1Mjk5MTY5ZTg0MTUiXSwKCQkibW91bnRzIjogW10sCgkJInNpZ25hbHMiOiBb -XSwKCQkid29ya2luZ19kaXIiOiAiLyIsCgl9LApdCgphbGxvd19wcm9wZXJ0aWVzX2FjY2VzcyA6 -PSBmYWxzZQoKYWxsb3dfZHVtcF9zdGFja3MgOj0gZmFsc2UKCmFsbG93X3J1bnRpbWVfbG9nZ2lu -ZyA6PSBmYWxzZQoKYWxsb3dfZW52aXJvbm1lbnRfdmFyaWFibGVfZHJvcHBpbmcgOj0gdHJ1ZQoK -YWxsb3dfdW5lbmNyeXB0ZWRfc2NyYXRjaCA6PSBmYWxzZQoKbW91bnRfZGV2aWNlIDo9IGRhdGEu -ZnJhbWV3b3JrLm1vdW50X2RldmljZQoKdW5tb3VudF9kZXZpY2UgOj0gZGF0YS5mcmFtZXdvcmsu -dW5tb3VudF9kZXZpY2UKCm1vdW50X292ZXJsYXkgOj0gZGF0YS5mcmFtZXdvcmsubW91bnRfb3Zl -cmxheQoKdW5tb3VudF9vdmVybGF5IDo9IGRhdGEuZnJhbWV3b3JrLnVubW91bnRfb3ZlcmxheQoK -Y3JlYXRlX2NvbnRhaW5lciA6PSBkYXRhLmZyYW1ld29yay5jcmVhdGVfY29udGFpbmVyCgpleGVj -X2luX2NvbnRhaW5lciA6PSBkYXRhLmZyYW1ld29yay5leGVjX2luX2NvbnRhaW5lcgoKZXhlY19l -eHRlcm5hbCA6PSBkYXRhLmZyYW1ld29yay5leGVjX2V4dGVybmFsCgpzaHV0ZG93bl9jb250YWlu -ZXIgOj0gZGF0YS5mcmFtZXdvcmsuc2h1dGRvd25fY29udGFpbmVyCgpzaWduYWxfY29udGFpbmVy -X3Byb2Nlc3MgOj0gZGF0YS5mcmFtZXdvcmsuc2lnbmFsX2NvbnRhaW5lcl9wcm9jZXNzCgpwbGFu -OV9tb3VudCA6PSBkYXRhLmZyYW1ld29yay5wbGFuOV9tb3VudAoKcGxhbjlfdW5tb3VudCA6PSBk -YXRhLmZyYW1ld29yay5wbGFuOV91bm1vdW50CgpnZXRfcHJvcGVydGllcyA6PSBkYXRhLmZyYW1l -d29yay5nZXRfcHJvcGVydGllcwoKZHVtcF9zdGFja3MgOj0gZGF0YS5mcmFtZXdvcmsuZHVtcF9z -dGFja3MKCnJ1bnRpbWVfbG9nZ2luZyA6PSBkYXRhLmZyYW1ld29yay5ydW50aW1lX2xvZ2dpbmcK -CmxvYWRfZnJhZ21lbnQgOj0gZGF0YS5mcmFtZXdvcmsubG9hZF9mcmFnbWVudAoKc2NyYXRjaF9t -b3VudCA6PSBkYXRhLmZyYW1ld29yay5zY3JhdGNoX21vdW50CgpzY3JhdGNoX3VubW91bnQgOj0g -ZGF0YS5mcmFtZXdvcmsuc2NyYXRjaF91bm1vdW50CgpyZWFzb24gOj0geyJlcnJvcnMiOiBkYXRh -LmZyYW1ld29yay5lcnJvcnN9Cg==""" - } - } - - (containers, fragments) = extract_confidential_properties(policy) - - self.assertEqual(containers[0]["id"], "rust:1.52.1") - self.assertEqual( - fragments[0]["feed"], "mcr.microsoft.com/aci/aci-cc-infra-fragment" - ) - - def test_inject_policy_into_template(self): - template = """ - { - "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", - "contentVersion": "1.0.0.0", - "variables": { - "image": "python:3.6.14-slim-buster" - }, - - - "parameters": { - "containergroupname": { - "type": "string", - "metadata": { - "description": "Name for the container group" - }, - "defaultValue":"simple-container-group" - }, - - "containername": { - "type": "string", - "metadata": { - "description": "Name for the container" - }, - "defaultValue":"simple-container" - }, - "port": { - "type": "string", - "metadata": { - "description": "Port to open on the container and the public IP address." - }, - "defaultValue": "8080" - }, - "cpuCores": { - "type": "string", - "metadata": { - "description": "The number of CPU cores to allocate to the container." - }, - "defaultValue": "1.0" - }, - "memoryInGb": { - "type": "string", - "metadata": { - "description": "The amount of memory to allocate to the container in gigabytes." - }, - "defaultValue": "1.5" - }, - "location": { - "type": "string", - "defaultValue": "[resourceGroup().location]", - "metadata": { - "description": "Location for all resources." - } - } - }, - "resources": [ - { - "name": "[parameters('containergroupname')]", - "type": "Microsoft.ContainerInstance/containerGroups", - "apiVersion": "2022-04-01-preview", - "location": "[parameters('location')]", - "properties": { - "containers": [ - { - "name": "[parameters('containername')]", - - "properties": { - "image": "[variables('image')]", - "command": [ - "python3" - ], - "ports": [ - { - "port": "[parameters('port')]" - } - ], - "resources": { - "requests": { - "cpu": "[parameters('cpuCores')]", - "memoryInGb": "[parameters('memoryInGb')]" - } - }, - "volumeMounts": [ - { - "name": "filesharevolume", - "mountPath": "/aci/logs", - "readOnly": false - }, - { - "name": "secretvolume", - "mountPath": "/aci/secret", - "readOnly": true - } - ] - } - } - ], - "volumes": [ - { - "name": "filesharevolume", - "azureFile": { - "shareName": "shareName1", - "storageAccountName": "storage-account-name", - "storageAccountKey": "storage-account-key" - } - }, - { - - "name": "secretvolume", - "secret": { - "mysecret1": "secret1", - "mysecret2": "secret2" - } - } - - ], - "osType": "Linux", - "restartPolicy": "OnFailure", - "confidentialComputeProperties": { - "IsolationType": "SevSnp" - }, - "ipAddress": { - "type": "Public", - "ports": [ - { - "protocol": "Tcp", - "port": "[parameters( 'port' )]" - } - ] - } - } - } - ], - "outputs": { - "containerIPv4Address": { - "type": "string", - "value": "[reference(resourceId('Microsoft.ContainerInstance/containerGroups/', parameters('containergroupname'))).ipAddress.ip]" - } - } - } - """ - # write template to file for testing - with open("test_template.json", "w") as f: - f.write(template) - - with self.assertRaises(SystemExit) as exc_info: - acipolicygen_confcom(None, "test_template.json", None, None, None, None) - - self.assertEqual(exc_info.exception.code, 0) - - with open("test_template.json", "r") as f: - template_with_policy = load_json_from_str(f.read()) - - # check if template contains confidential compute policy - - self.assertIn( - config.ACI_FIELD_TEMPLATE_CONFCOM_PROPERTIES, - template_with_policy[config.ACI_FIELD_RESOURCES][0][ - config.ACI_FIELD_TEMPLATE_PROPERTIES - ], - ) - self.assertTrue( - isinstance( - template_with_policy[config.ACI_FIELD_RESOURCES][0][ - config.ACI_FIELD_TEMPLATE_PROPERTIES - ][config.ACI_FIELD_TEMPLATE_CONFCOM_PROPERTIES][ - config.ACI_FIELD_TEMPLATE_CCE_POLICY - ], - str, - ) - ) - self.assertTrue( - len( - template_with_policy[config.ACI_FIELD_RESOURCES][0][ - config.ACI_FIELD_TEMPLATE_PROPERTIES - ][config.ACI_FIELD_TEMPLATE_CONFCOM_PROPERTIES] - ) - > 0 - ) - # delete test file - os.remove("test_template.json") diff --git a/src/confcom/requirements.txt b/src/confcom/requirements.txt deleted file mode 100644 index b7c00f45c15..00000000000 --- a/src/confcom/requirements.txt +++ /dev/null @@ -1,4 +0,0 @@ -docker -tqdm -azure-devtools -deepdiff \ No newline at end of file diff --git a/src/confcom/samples/README.md b/src/confcom/samples/README.md deleted file mode 100644 index a6048a1e386..00000000000 --- a/src/confcom/samples/README.md +++ /dev/null @@ -1,148 +0,0 @@ -# Microsoft Azure CLI 'confcom' Extension Samples - -## Example Input Configuration - -```json -{ - "version": "1.0", - "containers": [ - { - "containerImage": "rust:1.52.1", - "environmentVariables": [ - { - "name": "PATH", - "value": "/customized/path/value", - "strategy": "string" - }, - { - "name": "TEST_REGEXP_ENV", - "value": "test_regexp_env_[[:alpha:]]*", - "strategy": "re2" - } - ], - "command": ["rustc", "--help"], - "workingDir": ["/"], - "mounts": [ - { - "mountType": "azureFile", - "mountPath": "path/to/something/in/container", - "readonly": false - }, - { - "mountType": "secret", - "mountPath": "path/to/something/in/container", - "readonly": false - }, - { - "mountType": "emptyDir", - "mountPath": "path/to/something/in/container", - "readonly": false - } - ], - "wait_mount_points": [ - "path/to/something/in/container/blob0", - "path/to/something/in/container/blob1" - ], - "allow_elevated": true - } - ] -} -``` - -## version - -This specified the version of the input configuration file format. - -## containers - -This is a list of containers that will be deployed as part of a confidential container group. - -For each container the following items can be configured: - -### _containerImage_ - -The uri of the container image and container tag. - -### _environmentVariables_ - -The allowed environment variables for the container. There are 2 ways to specify the environment variables: - -1. Exact 'string' matching. With the _string_ strategy the value in the environment variable must exactly match the configured value. - -```json -{ - "name": "", - "value": "", - "strategy": "string" -}, -``` - -2. Regular expression "re2" matching. For more information see the [re2 guide.](https://github.com/google/re2/wiki/Syntax)
- -```json -{ - "name": "", - "value": "", - "strategy": "re2" -} -``` - -With re2 matching any value that matches the re2 expression will be allowed. - -```json - "=" -``` - -### _command_ - -The command item configures the allowed start-up command to launch inside the container. It is a list of strings that make up the final command to run. - -### **[Optional]** _workingDir_ - -The working directory item configures where the working directory where the command is executed. This is an optional field. If one is not specified the value is defaulted to the first value found in the following list: - -- The _working_dir_ field in the container image. -- Defaults to "/" - -### **[Optional]** _mounts_ - -Specifies the mounts that are allowed inside the container. - -```json - “mounts”: [ - { - "mountType": "azureFile | secret | emptyDir", - "mountPath": "path/to/something/in/container", - "readonly": "true | false" # Optional - } - ] -``` - -- _mountType_ - Specifies the type of the Azure mount. There are 3 types of Azure mounts that are supported. These mount should match with the mounts that are configured when deploying the container group. - 1. **azureFile** - This mount type corresponds to an [Azure file volume](https://docs.microsoft.com/en-us/azure/container-instances/container-instances-volume-azure-files) mount. - 2. **secret** - This mount type corresponds to an [Azure secret volume](https://docs.microsoft.com/en-us/azure/container-instances/container-instances-volume-secret). - 3. **emptyDir** - This mount type corresponds to an [Azure emptyDir volume](https://docs.microsoft.com/en-us/azure/container-instances/container-instances-volume-emptydir) - -- _mountPath_ - Specifies the container path for the corresponding mount. -- _readonly_ - Specifies whether the volume is read-only or writable. Defaults to false. - -### _wait_mount_points_ - -This configuration item list of container paths for different mounts that should exists before the command execution starts. If a mount does not exist, the container will not start to run. - -```json - "wait_mount_points": [ - "path/to/something/in/container/blob0", - "path/to/something/in/container/blob1" - ] -``` - -### **[Optional]** _allow_elevated_ - -By default, “/sys” and “/sys/fs/cgroup” mounts are added as “ro”, by setting "allow_elevated" to true, those mounts are added as “rw”. This is an optional field. If one is not specified the value is defaulted to false. - ---- - -## sample-template-output.json - -This file shows the changes that are made to an input ARM Template when the `--inject-policy` argument is supplied. diff --git a/src/confcom/samples/sample-policy-output.rego b/src/confcom/samples/sample-policy-output.rego deleted file mode 100644 index a4ab429abef..00000000000 --- a/src/confcom/samples/sample-policy-output.rego +++ /dev/null @@ -1,192 +0,0 @@ -package policy - -import future.keywords.every -import future.keywords.in - -api_svn := "0.10.0" -framework_svn := "0.1.0" - -fragments := [ - { - "feed": "mcr.microsoft.com/aci/aci-cc-infra-fragment", - "includes": [ - "containers" - ], - "issuer": "did:x509:0:sha256:I__iuL25oXEVFdTP_aBLx_eT1RPHbCQ_ECBQfYZpt9s::eku:1.3.6.1.4.1.311.76.59.1.3", - "minimum_svn": "1.0.0" - } -] - -containers := [ - { - "allow_elevated":true, - "allow_stdio_access":true, - "command":[ - "bash" - ], - "env_rules":[ - { - "pattern":"PATH=/customized/path/value", - "required":false, - "strategy":"string" - }, - { - "pattern":"TEST_REGEXP_ENV=test_regexp_env", - "required":false, - "strategy":"string" - }, - { - "pattern":"RUSTUP_HOME=/usr/local/rustup", - "required":false, - "strategy":"string" - }, - { - "pattern":"CARGO_HOME=/usr/local/cargo", - "required":false, - "strategy":"string" - }, - { - "pattern":"RUST_VERSION=1.52.1", - "required":false, - "strategy":"string" - }, - { - "pattern":"TERM=xterm", - "required":false, - "strategy":"string" - }, - { - "pattern":"((?i)FABRIC)_.+=.+", - "required":false, - "strategy":"re2" - }, - { - "pattern":"HOSTNAME=.+", - "required":false, - "strategy":"re2" - }, - { - "pattern":"T(E)?MP=.+", - "required":false, - "strategy":"re2" - }, - { - "pattern":"FabricPackageFileName=.+", - "required":false, - "strategy":"re2" - }, - { - "pattern":"HostedServiceName=.+", - "required":false, - "strategy":"re2" - }, - { - "pattern":"IDENTITY_API_VERSION=.+", - "required":false, - "strategy":"re2" - }, - { - "pattern":"IDENTITY_HEADER=.+", - "required":false, - "strategy":"re2" - }, - { - "pattern":"IDENTITY_SERVER_THUMBPRINT=.+", - "required":false, - "strategy":"re2" - }, - { - "pattern":"azurecontainerinstance_restarted_by=.+", - "required":false, - "strategy":"re2" - } - ], - "exec_processes":[], - "id":"rust:1.52.1", - "layers":[ - "fe84c9d5bfddd07a2624d00333cf13c1a9c941f3a261f13ead44fc6a93bc0e7a", - "4dedae42847c704da891a28c25d32201a1ae440bce2aecccfa8e6f03b97a6a6c", - "41d64cdeb347bf236b4c13b7403b633ff11f1cf94dbc7cf881a44d6da88c5156", - "eb36921e1f82af46dfe248ef8f1b3afb6a5230a64181d960d10237a08cd73c79", - "e769d7487cc314d3ee748a4440805317c19262c7acd2fdbdb0d47d2e4613a15c", - "1b80f120dbd88e4355d6241b519c3e25290215c469516b49dece9cf07175a766" - ], - "mounts":[ - { - "destination":"/mount/azurefile", - "options":[ - "rbind", - "rshared", - "rw" - ], - "source":"sandbox:///tmp/atlas/azureFileVolume/.+", - "type":"bind" - }, - { - "destination":"/etc/resolv.conf", - "options":[ - "rbind", - "rshared", - "rw" - ], - "source":"sandbox:///tmp/atlas/resolvconf/.+", - "type":"bind" - } - ], - "signals":[], - "working_dir":"/" - }, - { - "allow_elevated":false, - "allow_stdio_access":true, - "command":[ - "/pause" - ], - "env_rules":[ - { - "pattern":"PATH=/usr/local/sbin:/usr/local/bin:/usr/sbin:/usr/bin:/sbin:/bin", - "required":true, - "strategy":"string" - }, - { - "pattern":"TERM=xterm", - "required":false, - "strategy":"string" - } - ], - "exec_processes":[], - "layers":[ - "16b514057a06ad665f92c02863aca074fd5976c755d26bff16365299169e8415" - ], - "mounts":[], - "signals":[], - "working_dir":"/" - } -] - -allow_properties_access := false -allow_dump_stacks := false -allow_runtime_logging := false -allow_environment_variable_dropping := true -allow_unencrypted_scratch := false - - - -mount_device := data.framework.mount_device -unmount_device := data.framework.unmount_device -mount_overlay := data.framework.mount_overlay -unmount_overlay := data.framework.unmount_overlay -create_container := data.framework.create_container -exec_in_container := data.framework.exec_in_container -exec_external := data.framework.exec_external -shutdown_container := data.framework.shutdown_container -signal_container_process := data.framework.signal_container_process -plan9_mount := data.framework.plan9_mount -plan9_unmount := data.framework.plan9_unmount -get_properties := data.framework.get_properties -dump_stacks := data.framework.dump_stacks -runtime_logging := data.framework.runtime_logging -load_fragment := data.framework.load_fragment -scratch_mount := data.framework.scratch_mount -scratch_unmount := data.framework.scratch_unmount -reason := {"errors": data.framework.errors} diff --git a/src/confcom/samples/sample-template-input.json b/src/confcom/samples/sample-template-input.json deleted file mode 100644 index 130fdb19f20..00000000000 --- a/src/confcom/samples/sample-template-input.json +++ /dev/null @@ -1,76 +0,0 @@ -{ - "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", - "contentVersion": "1.0.0.0", - "variables": { - "container1name": "aci-test", - "container1image": "rust:1.52.1" - }, - "resources": [ - { - "type": "Microsoft.ContainerInstance/containerGroups", - "apiVersion": "2022-10-01-preview", - "name": "secret-volume-demo", - "location": "[resourceGroup().location]", - "properties": { - "confidentialComputeProperties": { - "ccePolicy": "" - }, - "containers": [ - { - "name": "[variables('container1name')]", - "properties": { - "image": "[variables('container1image')]", - "resources": { - "requests": { - "cpu": 1, - "memoryInGb": 1.5 - } - }, - "ports": [ - { - "port": 80 - } - ], - "volumeMounts": [ - { - "name": "azurefile", - "mountPath": "/mount/azurefile" - } - ], - "environmentVariables": [ - { - "name": "PATH", - "value": "/customized/path/value" - }, - { - "name": "TEST_REGEXP_ENV", - "value": "test_regexp_env" - } - ] - } - } - ], - "sku": "Confidential", - "osType": "Linux", - "ipAddress": { - "type": "Public", - "ports": [ - { - "protocol": "tcp", - "port": "80" - } - ] - }, - "volumes": [ - { - "name": "azurefile", - "azureFile": { - "key1": "key-1", - "key2": "key-2" - } - } - ] - } - } - ] -} \ No newline at end of file diff --git a/src/confcom/samples/sample-template-output.json b/src/confcom/samples/sample-template-output.json deleted file mode 100644 index 4473d563fef..00000000000 --- a/src/confcom/samples/sample-template-output.json +++ /dev/null @@ -1,76 +0,0 @@ -{ - "$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", - "contentVersion": "1.0.0.0", - "variables": { - "container1name": "aci-test", - "container1image": "rust:1.52.1" - }, - "resources": [ - { - "type": "Microsoft.ContainerInstance/containerGroups", - "apiVersion": "2022-10-01-preview", - "name": "secret-volume-demo", - "location": "[resourceGroup().location]", - "properties": { - "confidentialComputeProperties": { - "ccePolicy": "cGFja2FnZSBwb2xpY3kKCmltcG9ydCBmdXR1cmUua2V5d29yZHMuZXZlcnkKaW1wb3J0IGZ1dHVyZS5rZXl3b3Jkcy5pbgoKYXBpX3N2biA6PSAiMC4xMC4wIgpmcmFtZXdvcmtfc3ZuIDo9ICIwLjEuMCIKCmZyYWdtZW50cyA6PSBbCiAgewogICAgImZlZWQiOiAibWNyLm1pY3Jvc29mdC5jb20vYWNpL2FjaS1jYy1pbmZyYS1mcmFnbWVudCIsCiAgICAiaW5jbHVkZXMiOiBbCiAgICAgICJjb250YWluZXJzIgogICAgXSwKICAgICJpc3N1ZXIiOiAiZGlkOng1MDk6MDpzaGEyNTY6SV9faXVMMjVvWEVWRmRUUF9hQkx4X2VUMVJQSGJDUV9FQ0JRZllacHQ5czo6ZWt1OjEuMy42LjEuNC4xLjMxMS43Ni41OS4xLjMiLAogICAgIm1pbmltdW1fc3ZuIjogIjEuMC4wIgogIH0KXQoKY29udGFpbmVycyA6PSBbeyJhbGxvd19lbGV2YXRlZCI6dHJ1ZSwiYWxsb3dfc3RkaW9fYWNjZXNzIjp0cnVlLCJjb21tYW5kIjpbImJhc2giXSwiZW52X3J1bGVzIjpbeyJwYXR0ZXJuIjoiUEFUSD0vY3VzdG9taXplZC9wYXRoL3ZhbHVlIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9LHsicGF0dGVybiI6IlRFU1RfUkVHRVhQX0VOVj10ZXN0X3JlZ2V4cF9lbnYiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiUlVTVFVQX0hPTUU9L3Vzci9sb2NhbC9ydXN0dXAiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiQ0FSR09fSE9NRT0vdXNyL2xvY2FsL2NhcmdvIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9LHsicGF0dGVybiI6IlJVU1RfVkVSU0lPTj0xLjUyLjEiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5Ijoic3RyaW5nIn0seyJwYXR0ZXJuIjoiVEVSTT14dGVybSIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiIoKD9pKUZBQlJJQylfLis9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiSE9TVE5BTUU9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiVChFKT9NUD0uKyIsInJlcXVpcmVkIjpmYWxzZSwic3RyYXRlZ3kiOiJyZTIifSx7InBhdHRlcm4iOiJGYWJyaWNQYWNrYWdlRmlsZU5hbWU9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiSG9zdGVkU2VydmljZU5hbWU9LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiSURFTlRJVFlfQVBJX1ZFUlNJT049LisiLCJyZXF1aXJlZCI6ZmFsc2UsInN0cmF0ZWd5IjoicmUyIn0seyJwYXR0ZXJuIjoiSURFTlRJVFlfSEVBREVSPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LHsicGF0dGVybiI6IklERU5USVRZX1NFUlZFUl9USFVNQlBSSU5UPS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9LHsicGF0dGVybiI6ImF6dXJlY29udGFpbmVyaW5zdGFuY2VfcmVzdGFydGVkX2J5PS4rIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InJlMiJ9XSwiZXhlY19wcm9jZXNzZXMiOltdLCJpZCI6InJ1c3Q6MS41Mi4xIiwibGF5ZXJzIjpbImZlODRjOWQ1YmZkZGQwN2EyNjI0ZDAwMzMzY2YxM2MxYTljOTQxZjNhMjYxZjEzZWFkNDRmYzZhOTNiYzBlN2EiLCI0ZGVkYWU0Mjg0N2M3MDRkYTg5MWEyOGMyNWQzMjIwMWExYWU0NDBiY2UyYWVjY2NmYThlNmYwM2I5N2E2YTZjIiwiNDFkNjRjZGViMzQ3YmYyMzZiNGMxM2I3NDAzYjYzM2ZmMTFmMWNmOTRkYmM3Y2Y4ODFhNDRkNmRhODhjNTE1NiIsImViMzY5MjFlMWY4MmFmNDZkZmUyNDhlZjhmMWIzYWZiNmE1MjMwYTY0MTgxZDk2MGQxMDIzN2EwOGNkNzNjNzkiLCJlNzY5ZDc0ODdjYzMxNGQzZWU3NDhhNDQ0MDgwNTMxN2MxOTI2MmM3YWNkMmZkYmRiMGQ0N2QyZTQ2MTNhMTVjIiwiMWI4MGYxMjBkYmQ4OGU0MzU1ZDYyNDFiNTE5YzNlMjUyOTAyMTVjNDY5NTE2YjQ5ZGVjZTljZjA3MTc1YTc2NiJdLCJtb3VudHMiOlt7ImRlc3RpbmF0aW9uIjoiL21vdW50L2F6dXJlZmlsZSIsIm9wdGlvbnMiOlsicmJpbmQiLCJyc2hhcmVkIiwicnciXSwic291cmNlIjoic2FuZGJveDovLy90bXAvYXRsYXMvYXp1cmVGaWxlVm9sdW1lLy4rIiwidHlwZSI6ImJpbmQifSx7ImRlc3RpbmF0aW9uIjoiL2V0Yy9yZXNvbHYuY29uZiIsIm9wdGlvbnMiOlsicmJpbmQiLCJyc2hhcmVkIiwicnciXSwic291cmNlIjoic2FuZGJveDovLy90bXAvYXRsYXMvcmVzb2x2Y29uZi8uKyIsInR5cGUiOiJiaW5kIn1dLCJzaWduYWxzIjpbXSwid29ya2luZ19kaXIiOiIvIn0seyJhbGxvd19lbGV2YXRlZCI6ZmFsc2UsImFsbG93X3N0ZGlvX2FjY2VzcyI6dHJ1ZSwiY29tbWFuZCI6WyIvcGF1c2UiXSwiZW52X3J1bGVzIjpbeyJwYXR0ZXJuIjoiUEFUSD0vdXNyL2xvY2FsL3NiaW46L3Vzci9sb2NhbC9iaW46L3Vzci9zYmluOi91c3IvYmluOi9zYmluOi9iaW4iLCJyZXF1aXJlZCI6dHJ1ZSwic3RyYXRlZ3kiOiJzdHJpbmcifSx7InBhdHRlcm4iOiJURVJNPXh0ZXJtIiwicmVxdWlyZWQiOmZhbHNlLCJzdHJhdGVneSI6InN0cmluZyJ9XSwiZXhlY19wcm9jZXNzZXMiOltdLCJsYXllcnMiOlsiMTZiNTE0MDU3YTA2YWQ2NjVmOTJjMDI4NjNhY2EwNzRmZDU5NzZjNzU1ZDI2YmZmMTYzNjUyOTkxNjllODQxNSJdLCJtb3VudHMiOltdLCJzaWduYWxzIjpbXSwid29ya2luZ19kaXIiOiIvIn1dCgphbGxvd19wcm9wZXJ0aWVzX2FjY2VzcyA6PSBmYWxzZQphbGxvd19kdW1wX3N0YWNrcyA6PSBmYWxzZQphbGxvd19ydW50aW1lX2xvZ2dpbmcgOj0gZmFsc2UKYWxsb3dfZW52aXJvbm1lbnRfdmFyaWFibGVfZHJvcHBpbmcgOj0gdHJ1ZQphbGxvd191bmVuY3J5cHRlZF9zY3JhdGNoIDo9IGZhbHNlCgoKCm1vdW50X2RldmljZSA6PSBkYXRhLmZyYW1ld29yay5tb3VudF9kZXZpY2UKdW5tb3VudF9kZXZpY2UgOj0gZGF0YS5mcmFtZXdvcmsudW5tb3VudF9kZXZpY2UKbW91bnRfb3ZlcmxheSA6PSBkYXRhLmZyYW1ld29yay5tb3VudF9vdmVybGF5CnVubW91bnRfb3ZlcmxheSA6PSBkYXRhLmZyYW1ld29yay51bm1vdW50X292ZXJsYXkKY3JlYXRlX2NvbnRhaW5lciA6PSBkYXRhLmZyYW1ld29yay5jcmVhdGVfY29udGFpbmVyCmV4ZWNfaW5fY29udGFpbmVyIDo9IGRhdGEuZnJhbWV3b3JrLmV4ZWNfaW5fY29udGFpbmVyCmV4ZWNfZXh0ZXJuYWwgOj0gZGF0YS5mcmFtZXdvcmsuZXhlY19leHRlcm5hbApzaHV0ZG93bl9jb250YWluZXIgOj0gZGF0YS5mcmFtZXdvcmsuc2h1dGRvd25fY29udGFpbmVyCnNpZ25hbF9jb250YWluZXJfcHJvY2VzcyA6PSBkYXRhLmZyYW1ld29yay5zaWduYWxfY29udGFpbmVyX3Byb2Nlc3MKcGxhbjlfbW91bnQgOj0gZGF0YS5mcmFtZXdvcmsucGxhbjlfbW91bnQKcGxhbjlfdW5tb3VudCA6PSBkYXRhLmZyYW1ld29yay5wbGFuOV91bm1vdW50CmdldF9wcm9wZXJ0aWVzIDo9IGRhdGEuZnJhbWV3b3JrLmdldF9wcm9wZXJ0aWVzCmR1bXBfc3RhY2tzIDo9IGRhdGEuZnJhbWV3b3JrLmR1bXBfc3RhY2tzCnJ1bnRpbWVfbG9nZ2luZyA6PSBkYXRhLmZyYW1ld29yay5ydW50aW1lX2xvZ2dpbmcKbG9hZF9mcmFnbWVudCA6PSBkYXRhLmZyYW1ld29yay5sb2FkX2ZyYWdtZW50CnNjcmF0Y2hfbW91bnQgOj0gZGF0YS5mcmFtZXdvcmsuc2NyYXRjaF9tb3VudApzY3JhdGNoX3VubW91bnQgOj0gZGF0YS5mcmFtZXdvcmsuc2NyYXRjaF91bm1vdW50CgpyZWFzb24gOj0geyJlcnJvcnMiOiBkYXRhLmZyYW1ld29yay5lcnJvcnN9" - }, - "containers": [ - { - "name": "[variables('container1name')]", - "properties": { - "image": "[variables('container1image')]", - "resources": { - "requests": { - "cpu": 1, - "memoryInGb": 1.5 - } - }, - "ports": [ - { - "port": 80 - } - ], - "volumeMounts": [ - { - "name": "azurefile", - "mountPath": "/mount/azurefile" - } - ], - "environmentVariables": [ - { - "name": "PATH", - "value": "/customized/path/value" - }, - { - "name": "TEST_REGEXP_ENV", - "value": "test_regexp_env" - } - ] - } - } - ], - "sku": "Confidential", - "osType": "Linux", - "ipAddress": { - "type": "Public", - "ports": [ - { - "protocol": "tcp", - "port": "80" - } - ] - }, - "volumes": [ - { - "name": "azurefile", - "azureFile": { - "key1": "key-1", - "key2": "key-2" - } - } - ] - } - } - ] -} \ No newline at end of file diff --git a/src/confcom/setup.py b/src/confcom/setup.py deleted file mode 100644 index d8a6ff6cae8..00000000000 --- a/src/confcom/setup.py +++ /dev/null @@ -1,91 +0,0 @@ -#!/usr/bin/env python - -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -------------------------------------------------------------------------------------------- - - -from codecs import open -from setuptools import setup, find_packages -import stat -import requests -import os -# TODO: do we need this? -try: - from azure_bdist_wheel import cmdclass -except ImportError: - from distutils import log as logger - - logger.warn("Wheel is not available, disabling bdist_wheel hook") - -# TODO: Confirm this is the right version number you want and it matches your -# HISTORY.rst entry. -VERSION = "0.2.10" - -# The full list of classifiers is available at -# https://pypi.python.org/pypi?%3Aaction=list_classifiers -CLASSIFIERS = [ - "Development Status :: 4 - Beta", - "Intended Audience :: Developers", - "Intended Audience :: System Administrators", - "Programming Language :: Python", - "Programming Language :: Python :: 3", - "Programming Language :: Python :: 3.6", - "Programming Language :: Python :: 3.7", - "Programming Language :: Python :: 3.8", - "Programming Language :: Python :: 3.9", - "Programming Language :: Python :: 3.10", - "License :: OSI Approved :: MIT License", -] - -DEPENDENCIES = ["docker", "tqdm", "deepdiff"] - -dir_path = os.path.join(os.path.dirname(os.path.realpath(__file__)), "azext_confcom") - -bin_folder = dir_path + "/bin" -if not os.path.exists(bin_folder): - os.makedirs(bin_folder) - -exe_path = dir_path + "/bin/dmverity-vhd.exe" -if not os.path.exists(exe_path): - r = requests.get("https://github.com/microsoft/hcsshim/releases/download/v0.10.0-rc.6/dmverity-vhd.exe") - with open(exe_path, "wb") as f: - f.write(r.content) - -bin_path = dir_path + "/bin/dmverity-vhd" -if not os.path.exists(bin_path): - r = requests.get("https://github.com/microsoft/hcsshim/releases/download/v0.10.0-rc.6/dmverity-vhd") - with open(bin_path, "wb") as f: - f.write(r.content) - # add executable permissions for the current user - st = os.stat(bin_path) - os.chmod(bin_path, st.st_mode | stat.S_IEXEC) - -with open("README.md", "r", encoding="utf-8") as f: - README = f.read() -with open("HISTORY.rst", "r", encoding="utf-8") as f: - HISTORY = f.read() - -setup( - name="confcom", - version=VERSION, - description="Microsoft Azure Command-Line Tools Confidential Container Security Policy Generator Extension", - author="Microsoft Corporation", - author_email="acccli@microsoft.com", - url="https://github.com/Azure/azure-cli-extensions/tree/main/src/confcom", - long_description=README + "\n\n" + HISTORY, - license="MIT", - classifiers=CLASSIFIERS, - # TODO: should we be using the find_packages functionality or not? Most of the extensions do - packages=["azext_confcom"], - install_requires=DEPENDENCIES, - package_data={ - "azext_confcom": [ - "azext_metadata.json", - "bin/dmverity-vhd.exe", # windows - "bin/dmverity-vhd", # linux - "data/*", - ] - }, -) diff --git a/src/connectedk8s/HISTORY.rst b/src/connectedk8s/HISTORY.rst index c15b2af79b5..fbec032acd8 100644 --- a/src/connectedk8s/HISTORY.rst +++ b/src/connectedk8s/HISTORY.rst @@ -2,34 +2,6 @@ Release History =============== -1.3.13 -++++++ - -* Bumping up the cluster diagnostic checks helm chart version - Nodeselector addition - -1.3.12 -++++++ - -* Added retries for helm chart pull and config DP POST call -* Fix parameterizing for kid in csp method -* Bug fix in delete_arc_agents for arm64 parameter -* Added specific exception messages for pre-checks - -1.3.11 -++++++ - -* Added support for custom AAD token -* Removed ARM64 unsupported warning -* Increased helm delete timeout for ARM64 clusters -* Added multi-architectural images for troubleshoot* Delete azure-arc-release NS if exists as part of delete command - -1.3.10 -++++++ - -* Added CLI heuristics change -* Added AKS IOT infra support -* Bug Fix in precheckutils - 1.3.9 ++++++ diff --git a/src/connectedk8s/azext_connectedk8s/_client_factory.py b/src/connectedk8s/azext_connectedk8s/_client_factory.py index e18c5c73506..8dade95060b 100644 --- a/src/connectedk8s/azext_connectedk8s/_client_factory.py +++ b/src/connectedk8s/azext_connectedk8s/_client_factory.py @@ -2,30 +2,16 @@ # Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. See License.txt in the project root for license information. # -------------------------------------------------------------------------------------------- - from azure.cli.core.commands.client_factory import get_mgmt_service_client from azure.cli.core.profiles import ResourceType from azure.cli.core._profile import Profile -from azure.cli.core import telemetry -from azure.cli.core.azclierror import ValidationError from azure.cli.core.commands.client_factory import configure_common_settings from azure.cli.core.commands.client_factory import get_subscription_id from azure.graphrbac import GraphRbacManagementClient -import os -import requests -import azext_connectedk8s._constants as consts -from collections import namedtuple - -AccessToken = namedtuple("AccessToken", ["token", "expires_on"]) - def cf_connectedk8s(cli_ctx, *_): from azext_connectedk8s.vendored_sdks import ConnectedKubernetesClient - if os.getenv('AZURE_ACCESS_TOKEN'): - validate_custom_token() - credential = AccessTokenCredential(access_token=os.getenv('AZURE_ACCESS_TOKEN')) - return get_mgmt_service_client(cli_ctx, ConnectedKubernetesClient, subscription_id=os.getenv('AZURE_SUBSCRIPTION_ID'), credential=credential) return get_mgmt_service_client(cli_ctx, ConnectedKubernetesClient) @@ -35,10 +21,6 @@ def cf_connected_cluster(cli_ctx, _): def cf_connectedk8s_prev_2022_10_01(cli_ctx, *_): from azext_connectedk8s.vendored_sdks.preview_2022_10_01 import ConnectedKubernetesClient - if os.getenv('AZURE_ACCESS_TOKEN'): - validate_custom_token() - credential = AccessTokenCredential(access_token=os.getenv('AZURE_ACCESS_TOKEN')) - return get_mgmt_service_client(cli_ctx, ConnectedKubernetesClient, subscription_id=os.getenv('AZURE_SUBSCRIPTION_ID'), credential=credential) return get_mgmt_service_client(cli_ctx, ConnectedKubernetesClient) @@ -48,26 +30,21 @@ def cf_connected_cluster_prev_2022_10_01(cli_ctx, _): def cf_connectedmachine(cli_ctx, subscription_id): from azure.mgmt.hybridcompute import HybridComputeManagementClient - if os.getenv('AZURE_ACCESS_TOKEN'): - credential = AccessTokenCredential(access_token=os.getenv('AZURE_ACCESS_TOKEN')) - return get_mgmt_service_client(cli_ctx, HybridComputeManagementClient, subscription_id=subscription_id, credential=credential).private_link_scopes return get_mgmt_service_client(cli_ctx, HybridComputeManagementClient, subscription_id=subscription_id).private_link_scopes def cf_resource_groups(cli_ctx, subscription_id=None): - return _resource_client_factory(cli_ctx, subscription_id).resource_groups + return get_mgmt_service_client(cli_ctx, ResourceType.MGMT_RESOURCE_RESOURCES, + subscription_id=subscription_id).resource_groups def _resource_client_factory(cli_ctx, subscription_id=None): - from azure.mgmt.resource import ResourceManagementClient - if os.getenv('AZURE_ACCESS_TOKEN'): - credential = AccessTokenCredential(access_token=os.getenv('AZURE_ACCESS_TOKEN')) - return get_mgmt_service_client(cli_ctx, ResourceType.MGMT_RESOURCE_RESOURCES, subscription_id=subscription_id, credential=credential) return get_mgmt_service_client(cli_ctx, ResourceType.MGMT_RESOURCE_RESOURCES, subscription_id=subscription_id) -def resource_providers_client(cli_ctx, subscription_id=None): - return _resource_client_factory(cli_ctx, subscription_id).providers +def _resource_providers_client(cli_ctx): + from azure.mgmt.resource import ResourceManagementClient + return get_mgmt_service_client(cli_ctx, ResourceManagementClient).providers # Alternate: This should also work # subscription_id = get_subscription_id(cli_ctx) @@ -75,45 +52,14 @@ def resource_providers_client(cli_ctx, subscription_id=None): def _graph_client_factory(cli_ctx, **_): - if os.getenv('AZURE_ACCESS_TOKEN'): - credential = AccessTokenCredential(access_token=os.getenv('AZURE_ACCESS_TOKEN')) - client = GraphRbacManagementClient(credential, os.getenv('AZURE_TENANT_ID'), - base_url=cli_ctx.cloud.endpoints.active_directory_graph_resource_id) - else: - profile = Profile(cli_ctx=cli_ctx) - cred, _, tenant_id = profile.get_login_credentials( - resource=cli_ctx.cloud.endpoints.active_directory_graph_resource_id) - client = GraphRbacManagementClient(cred, tenant_id, - base_url=cli_ctx.cloud.endpoints.active_directory_graph_resource_id) + profile = Profile(cli_ctx=cli_ctx) + cred, _, tenant_id = profile.get_login_credentials( + resource=cli_ctx.cloud.endpoints.active_directory_graph_resource_id) + client = GraphRbacManagementClient(cred, tenant_id, + base_url=cli_ctx.cloud.endpoints.active_directory_graph_resource_id) configure_common_settings(cli_ctx, client) return client def get_graph_client_service_principals(cli_ctx): return _graph_client_factory(cli_ctx).service_principals - - -class AccessTokenCredential: - """Simple access token Authentication. Returns the access token as-is. - """ - - def __init__(self, access_token): - self.access_token = access_token - - def get_token(self, *arg, **kwargs): - import time - # Assume the access token expires in 60 minutes - return AccessToken(self.access_token, int(time.time()) + 3600) - - def signed_session(self, session=None): - session = session or requests.Session() - header = "{} {}".format('Bearer', self.access_token) - session.headers['Authorization'] = header - return session - - -def validate_custom_token(): - if os.getenv('AZURE_SUBSCRIPTION_ID') is None: - telemetry.set_exception(exception='Required environment variables and parameters are not set', fault_type=consts.Custom_Token_Environments_Fault_Type, - summary='Required environment variables and parameters are not set') - raise ValidationError("Environment variable 'AZURE_SUBSCRIPTION_ID' should be set when custom access token is enabled.") diff --git a/src/connectedk8s/azext_connectedk8s/_constants.py b/src/connectedk8s/azext_connectedk8s/_constants.py index 6318c5bc3b1..03f327f262d 100644 --- a/src/connectedk8s/azext_connectedk8s/_constants.py +++ b/src/connectedk8s/azext_connectedk8s/_constants.py @@ -6,8 +6,8 @@ # pylint: disable=line-too-long -Distribution_Enum_Values = ["generic", "openshift", "rancher_rke", "kind", "k3s", "minikube", "gke", "eks", "aks", "aks_management", "aks_workload", "capz", "aks_engine", "tkg", "canonical", "karbon", "aks_edge_k3s", "aks_edge_k8s"] -Infrastructure_Enum_Values = ["generic", "azure", "aws", "gcp", "azure_stack_hci", "azure_stack_hub", "azure_stack_edge", "vsphere", "windows_server", "Windows 11 Enterprise", "Windows 11 Enterprise N", "Windows 11 IoT Enterprise", "Windows 11 Pro", "Windows 10 Enterprise", "Windows 10 Enterprise N", "Windows 10 Enterprise LTSC 2021", "Windows 10 Enterprise N LTSC 2021", "Windows 10 IoT Enterprise", "Windows 10 IoT Enterprise LTSC 2021", "Windows 10 Pro", "Windows 10 Enterprise LTSC 2019", "Windows 10 Enterprise N LTSC 2019", "Windows 10 IoT Enterprise LTSC 2019", "Windows Server 2022", "Windows Server 2022 Datacenter", "Windows Server 2022 Standard", "Windows Server 2019", "Windows Server 2019 Datacenter", "Windows Server 2019 Standard"] +Distribution_Enum_Values = ["auto", "generic", "openshift", "rancher_rke", "kind", "k3s", "minikube", "gke", "eks", "aks", "aks_management", "aks_workload", "capz", "aks_engine", "tkg", "canonical", "karbon"] +Infrastructure_Enum_Values = ["auto", "generic", "azure", "aws", "gcp", "azure_stack_hci", "azure_stack_hub", "azure_stack_edge", "vsphere", "windows_server"] AHB_Enum_Values = ["True", "False", "NotApplicable"] Feature_Values = ["cluster-connect", "azure-rbac", "custom-locations"] CRD_FOR_FORCE_DELETE = ["arccertificates.clusterconfig.azure.com", "azureclusteridentityrequests.clusterconfig.azure.com", "azureextensionidentities.clusterconfig.azure.com", "connectedclusters.arc.azure.com", "customlocationsettings.clusterconfig.azure.com", "extensionconfigs.clusterconfig.azure.com", "gitconfigs.clusterconfig.azure.com"] @@ -26,13 +26,10 @@ Dogfood_RMEndpoint = 'https://api-dogfood.resources.windows-int.net/' Client_Request_Id_Header = 'x-ms-client-request-id' Default_Onboarding_Source_Tracking_Guid = "77ade16b-0f55-403b-b7d2-739554a897f2" -Custom_Token_Environments_Fault_Type = 'custom-token-environment-error' Release_Install_Namespace = "azure-arc-release" Helm_Environment_File_Fault_Type = 'helm-environment-file-error' Invalid_Location_Fault_Type = 'location-validation-error' -Location_Fetch_Fault_Type = 'location-fetch-error' Pls_Location_Mismatch_Fault_Type = 'pls-location-mismatch-error' -Pls_Resource_Not_Found = 'pls-resource-not-found' Invalid_Argument_Fault_Type = 'argument-validation-error' Load_Kubeconfig_Fault_Type = 'kubeconfig-load-error' Read_ConfigMap_Fault_Type = 'configmap-read-error' @@ -64,8 +61,6 @@ Export_HelmChart_Fault_Type = 'helm-chart-export-error' Get_Kubernetes_Distro_Fault_Type = 'kubernetes-get-distribution-error' Get_Kubernetes_Namespace_Fault_Type = 'kubernetes-get-namespace-error' -Get_Kubernetes_Helm_Release_Namespace_Fault_Type = 'kubernetes-get-helm-release-namespace-error' -Delete_Kubernetes_Helm_Release_Namespace_Fault_Type = 'kubernetes-delete-helm-release-namespace-error' Update_Agent_Success = 'Agents for Connected Cluster {} have been updated successfully' Update_Agent_Failure = 'Error while updating agents. Please run \"kubectl get pods -n azure-arc\" to check the pods in case of timeout error. Error: {}' Get_Credentials_Failed_Fault_Type = 'failed-to-get-list-cluster-user-credentials' @@ -111,9 +106,8 @@ Error_Flattening_User_Supplied_Value_Dict = 'Error while flattening the user supplied helm values dict' Upgrade_RG_Cluster_Name_Conflict = 'The provided cluster name and rg correspond to different cluster' Corresponding_CC_Resource_Deleted_Fault = 'CC resource corresponding to this cluster has been deleted by the customer' -Kubernetes_Node_Type_Fetch_Fault_OS = 'Error while trying to find a linux node for scheduling pods' -Kubernetes_Node_Type_Fetch_Fault_Arch = 'Error while trying to find an arm64 node for scheduling pods' -Linux_Node_Not_Exists = 'Kubernetes cluster doesnt have linux node' +Kubernetes_Node_Type_Fetch_Fault = 'Error while trying to find a linux/amd64 node for scheduling pods' +Linux_Amd64_Node_Not_Exists = 'Kubernetes cluster doesnt have amd64/linux node' Operate_RG_Cluster_Name_Conflict = 'The provided cluster name and rg correspond to different cluster being operated on' Custom_Locations_Registration_Check_Fault_Type = "Error while checking resource provider registration of custom locations." Custom_Locations_OID_Fetch_Fault_Type = "Error while fetching oid for custom locations." @@ -188,17 +182,13 @@ Outbound_Network_Connectivity_Check = "outbound_network_connectivity_check.txt" Events_of_Incomplete_Diagnoser_Job = "diagnoser_failure_events.txt" # Connect Precheck Diagnoser constants -Cluster_Diagnostic_Checks_Job_Registry_Path = "mcr.microsoft.com/azurearck8s/helmchart/stable/clusterdiagnosticchecks:0.1.1" +Cluster_Diagnostic_Checks_Job_Registry_Path = "mcr.microsoft.com/azurearck8s/helmchart/stable/clusterdiagnosticchecks:0.1.0" Cluster_Diagnostic_Checks_Helm_Install_Failed_Fault_Type = "Error while installing cluster diagnostic checks helm release" Cluster_Diagnostic_Checks_Execution_Failed_Fault_Type = "Error occured while executing cluster diagnostic checks" Cluster_Diagnostic_Checks_Release_Cleanup_Failed = "Error occured while cleaning up the cluster diagnostic checks helm release" Cluster_Diagnostic_Checks_Job_Not_Scheduled = 'Unable to schedule cluster-diagnostic-checks job' Cluster_Diagnostic_Checks_Job_Not_Complete = 'Unable to complete cluster-diagnostic-checks job after scheduling' Pre_Onboarding_Diagnostic_Checks_Execution_Failed = 'Exception occured while trying to execute pre-onboarding diagnostic checks' -Outbound_Connectivity_Check_Failed = "Outbound network connectivity check failed" -DNS_Check_Failed = "DNS Resolution failed" -Cluster_Diagnostic_Prechecks_Failed = "Cluster diagnostic prechecks failed" -Cluster_Diagnostic_Prechecks_Incomplete = "Cluster diagnostic prechecks failed to complete" # Diagnostic Results Name Outbound_Connectivity_Check_Result_String = "Outbound Network Connectivity Result:" DNS_Check_Result_String = "DNS Result:" diff --git a/src/connectedk8s/azext_connectedk8s/_params.py b/src/connectedk8s/azext_connectedk8s/_params.py index 042b4d2081b..c1dd552fa30 100644 --- a/src/connectedk8s/azext_connectedk8s/_params.py +++ b/src/connectedk8s/azext_connectedk8s/_params.py @@ -26,10 +26,7 @@ def load_arguments(self, _): with self.argument_context('connectedk8s connect') as c: c.argument('tags', tags_type) - if os.getenv('AZURE_ACCESS_TOKEN'): - c.argument('location', arg_type=get_location_type(self.cli_ctx)) - else: - c.argument('location', arg_type=get_location_type(self.cli_ctx), validator=get_default_location_from_resource_group) + c.argument('location', arg_type=get_location_type(self.cli_ctx), validator=get_default_location_from_resource_group) c.argument('cluster_name', options_list=['--name', '-n'], help='The name of the connected cluster.') c.argument('kube_config', options_list=['--kube-config'], help='Path to the kube config file.') c.argument('kube_context', options_list=['--kube-context'], help='Kubconfig context from current machine.') diff --git a/src/connectedk8s/azext_connectedk8s/_precheckutils.py b/src/connectedk8s/azext_connectedk8s/_precheckutils.py index 7552dc35ab9..a44a03fe836 100644 --- a/src/connectedk8s/azext_connectedk8s/_precheckutils.py +++ b/src/connectedk8s/azext_connectedk8s/_precheckutils.py @@ -23,9 +23,9 @@ from msrest.exceptions import AuthenticationError, HttpOperationError, TokenExpiredError from msrest.exceptions import ValidationError as MSRestValidationError from kubernetes.client.rest import ApiException +from azext_connectedk8s._client_factory import _resource_client_factory, _resource_providers_client import azext_connectedk8s._constants as consts import azext_connectedk8s._utils as azext_utils -import azext_connectedk8s.custom as custom from kubernetes import client as kube_client from azure.cli.core import get_default_cli from azure.cli.core.azclierror import CLIInternalError, ClientRequestError, ArgumentUsageError, ManualInterrupt, AzureResponseError, AzureInternalError, ValidationError @@ -96,8 +96,8 @@ def executing_cluster_diagnostic_checks_job(corev1_api_instance, batchv1_api_ins job_name = "cluster-diagnostic-checks-job" # Setting the log output as Empty cluster_diagnostic_checks_container_log = "" - release_namespace = azext_utils.get_release_namespace(kube_config, kube_context, helm_client_location, "cluster-diagnostic-checks") - cmd_helm_delete = [helm_client_location, "delete", "cluster-diagnostic-checks", "-n", "azure-arc-release"] + + cmd_helm_delete = [helm_client_location, "uninstall", "cluster-diagnostic-checks", "-n", "azure-arc-release"] if kube_config: cmd_helm_delete.extend(["--kubeconfig", kube_config]) if kube_context: @@ -107,30 +107,28 @@ def executing_cluster_diagnostic_checks_job(corev1_api_instance, batchv1_api_ins try: # Executing the cluster diagnostic checks job yaml config.load_kube_config(kube_config, kube_context) - # checking existence of the release and if present we delete the stale release - if release_namespace is not None: - # Attempting deletion of cluster diagnostic checks resources to handle the scenario if any stale resources are present - response_kubectl_delete_helm = Popen(cmd_helm_delete, stdout=PIPE, stderr=PIPE) - output_kubectl_delete_helm, error_kubectl_delete_helm = response_kubectl_delete_helm.communicate() - # If any error occured while execution of delete command - if (response_kubectl_delete_helm.returncode != 0): - # Converting the string of multiple errors to list - error_msg_list = error_kubectl_delete_helm.decode("ascii").split("\n") - error_msg_list.pop(-1) - valid_exception_list = [] - # Checking if any exception occured or not - exception_occured_counter = 0 - for ind_errors in error_msg_list: - if('not found' in ind_errors or 'deleted' in ind_errors): - pass - else: - valid_exception_list.append(ind_errors) - exception_occured_counter = 1 - # If any exception occured we will print the exception and return - if exception_occured_counter == 1: - logger.warning("Cleanup of previous diagnostic checks helm release failed and hence couldn't install the new helm release. Please cleanup older release using \"helm delete cluster-diagnostic-checks -n azure-arc-release\" and try onboarding again") - telemetry.set_exception(exception=error_kubectl_delete_helm.decode("ascii"), fault_type=consts.Cluster_Diagnostic_Checks_Release_Cleanup_Failed, summary="Error while executing cluster diagnostic checks Job") - return + # Attempting deletion of cluster diagnostic checks resources to handle the scenario if any stale resources are present + response_kubectl_delete_helm = Popen(cmd_helm_delete, stdout=PIPE, stderr=PIPE) + output_kubectl_delete_helm, error_kubectl_delete_helm = response_kubectl_delete_helm.communicate() + # If any error occured while execution of delete command + if (response_kubectl_delete_helm != 0): + # Converting the string of multiple errors to list + error_msg_list = error_kubectl_delete_helm.decode("ascii").split("\n") + error_msg_list.pop(-1) + valid_exception_list = [] + # Checking if any exception occured or not + exception_occured_counter = 0 + for ind_errors in error_msg_list: + if('not found' in ind_errors or 'deleted' in ind_errors): + pass + else: + valid_exception_list.append(ind_errors) + exception_occured_counter = 1 + # If any exception occured we will print the exception and return + if exception_occured_counter == 1: + logger.warning("Cleanup of previous diagnostic checks helm release failed and hence couldn't install the new helm release. Please cleanup older release using \"helm delete cluster-diagnostic-checks -n azuer-arc-release\" and try onboarding again") + telemetry.set_exception(exception=error_kubectl_delete_helm.decode("ascii"), fault_type=consts.Cluster_Diagnostic_Checks_Release_Cleanup_Failed, summary="Error while executing cluster diagnostic checks Job") + return chart_path = azext_utils.get_chart_path(consts.Cluster_Diagnostic_Checks_Job_Registry_Path, kube_config, kube_context, helm_client_location, consts.Pre_Onboarding_Helm_Charts_Folder_Name, consts.Pre_Onboarding_Helm_Charts_Release_Name) diff --git a/src/connectedk8s/azext_connectedk8s/_utils.py b/src/connectedk8s/azext_connectedk8s/_utils.py index 5ff4e5ebf07..6efe15b118c 100644 --- a/src/connectedk8s/azext_connectedk8s/_utils.py +++ b/src/connectedk8s/azext_connectedk8s/_utils.py @@ -23,7 +23,7 @@ from msrest.exceptions import AuthenticationError, HttpOperationError, TokenExpiredError from msrest.exceptions import ValidationError as MSRestValidationError from kubernetes.client.rest import ApiException -from azext_connectedk8s._client_factory import resource_providers_client, cf_resource_groups +from azext_connectedk8s._client_factory import _resource_client_factory, _resource_providers_client import azext_connectedk8s._constants as consts import azext_connectedk8s._precheckutils as precheckutils import azext_connectedk8s._troubleshootutils as troubleshootutils @@ -53,11 +53,11 @@ def send(self, request, **kwargs): def validate_location(cmd, location): - subscription_id = os.getenv('AZURE_SUBSCRIPTION_ID') if os.getenv('AZURE_ACCESS_TOKEN') else get_subscription_id(cmd.cli_ctx) + subscription_id = get_subscription_id(cmd.cli_ctx) rp_locations = [] - resourceClient = resource_providers_client(cmd.cli_ctx, subscription_id=subscription_id) + resourceClient = _resource_client_factory(cmd.cli_ctx, subscription_id=subscription_id) try: - providerDetails = resourceClient.get('Microsoft.Kubernetes') + providerDetails = resourceClient.providers.get('Microsoft.Kubernetes') except Exception as e: # pylint: disable=broad-except arm_exception_handler(e, consts.Get_ResourceProvider_Fault_Type, 'Failed to fetch resource provider details') for resourceTypes in providerDetails.resource_types: @@ -71,29 +71,6 @@ def validate_location(cmd, location): break -def validate_custom_token(cmd, resource_group_name, location): - if os.getenv('AZURE_ACCESS_TOKEN'): - if os.getenv('AZURE_SUBSCRIPTION_ID') is None: - telemetry.set_exception(exception='Required environment variables and parameters are not set', fault_type=consts.Custom_Token_Environments_Fault_Type, - summary='Required environment variables and parameters are not set') - raise ValidationError("Environment variable 'AZURE_SUBSCRIPTION_ID' should be set when custom access token is enabled.") - if os.getenv('AZURE_TENANT_ID') is None: - telemetry.set_exception(exception='Required environment variables and parameters are not set', fault_type=consts.Custom_Token_Environments_Fault_Type, - summary='Required environment variables and parameters are not set') - raise ValidationError("Environment variable 'AZURE_TENANT_ID' should be set when custom access token is enabled.") - if location is None: - try: - resource_client = cf_resource_groups(cmd.cli_ctx, os.getenv('AZURE_SUBSCRIPTION_ID')) - rg = resource_client.get(resource_group_name) - location = rg.location - except Exception as ex: - telemetry.set_exception(exception=ex, fault_type=consts.Location_Fetch_Fault_Type, - summary='Unable to fetch location from resource group') - raise ValidationError("Unable to fetch location from resource group: ".format(str(ex))) - return True, location - return False, location - - def get_chart_path(registry_path, kube_config, kube_context, helm_client_location, chart_folder_name='AzureArcCharts', chart_name='azure-arc-k8sagents'): # Pulling helm chart from registry os.environ['HELM_EXPERIMENTAL_OCI'] = '1' @@ -119,23 +96,18 @@ def get_chart_path(registry_path, kube_config, kube_context, helm_client_locatio return chart_path -def pull_helm_chart(registry_path, kube_config, kube_context, helm_client_location, chart_name='azure-arc-k8sagents', retry_count=5, retry_delay=3): +def pull_helm_chart(registry_path, kube_config, kube_context, helm_client_location, chart_name='azure-arc-k8sagents'): cmd_helm_chart_pull = [helm_client_location, "chart", "pull", registry_path] if kube_config: cmd_helm_chart_pull.extend(["--kubeconfig", kube_config]) if kube_context: cmd_helm_chart_pull.extend(["--kube-context", kube_context]) - for i in range(retry_count): - response_helm_chart_pull = subprocess.Popen(cmd_helm_chart_pull, stdout=PIPE, stderr=PIPE) - _, error_helm_chart_pull = response_helm_chart_pull.communicate() - if response_helm_chart_pull.returncode != 0: - if i == retry_count - 1: - telemetry.set_exception(exception=error_helm_chart_pull.decode("ascii"), fault_type=consts.Pull_HelmChart_Fault_Type, - summary="Unable to pull {} helm charts from the registry".format(chart_name)) - raise CLIInternalError("Unable to pull {} helm chart from the registry '{}': ".format(chart_name, registry_path) + error_helm_chart_pull.decode("ascii")) - time.sleep(retry_delay) - else: - break + response_helm_chart_pull = subprocess.Popen(cmd_helm_chart_pull, stdout=PIPE, stderr=PIPE) + _, error_helm_chart_pull = response_helm_chart_pull.communicate() + if response_helm_chart_pull.returncode != 0: + telemetry.set_exception(exception=error_helm_chart_pull.decode("ascii"), fault_type=consts.Pull_HelmChart_Fault_Type, + summary="Unable to pull {} helm charts from the registry".format(chart_name)) + raise CLIInternalError("Unable to pull {} helm chart from the registry '{}': ".format(chart_name, registry_path) + error_helm_chart_pull.decode("ascii")) def export_helm_chart(registry_path, chart_export_path, kube_config, kube_context, helm_client_location, chart_name='azure-arc-k8sagents'): @@ -166,7 +138,6 @@ def check_cluster_DNS(dns_check_log, filepath_with_timestamp, storage_space_avai dns_check_path = os.path.join(filepath_with_timestamp, consts.DNS_Check) with open(dns_check_path, 'w+') as dns: dns.write(formatted_dns_log + "\nWe found an issue with the DNS resolution on your cluster.") - telemetry.set_exception(exception='DNS resolution check failed in the cluster', fault_type=consts.DNS_Check_Failed, summary="DNS check failed in the cluster") return consts.Diagnostic_Check_Failed, storage_space_available else: if storage_space_available: @@ -210,13 +181,12 @@ def check_cluster_outbound_connectivity(outbound_connectivity_check_log, filepat outbound.write("Response code " + outbound_connectivity_response + "\nOutbound network connectivity check passed successfully.") return consts.Diagnostic_Check_Passed, storage_space_available else: - logger.warning("Error: We found an issue with outbound network connectivity from the cluster.\nPlease ensure to meet the following network requirements 'https://docs.microsoft.com/en-us/azure/azure-arc/kubernetes/quickstart-connect-cluster?tabs=azure-cli#meet-network-requirements' \nIf your cluster is behind an outbound proxy server, please ensure that you have passed proxy parameters during the onboarding of your cluster.\nFor more details visit 'https://docs.microsoft.com/en-us/azure/azure-arc/kubernetes/quickstart-connect-cluster?tabs=azure-cli#connect-using-an-outbound-proxy-server' \n") - diagnoser_output.append("Error: We found an issue with outbound network connectivity from the cluster.\nPlease ensure to meet the following network requirements 'https://docs.microsoft.com/en-us/azure/azure-arc/kubernetes/quickstart-connect-cluster?tabs=azure-cli#meet-network-requirements' \nIf your cluster is behind an outbound proxy server, please ensure that you have passed proxy parameters during the onboarding of your cluster.\nFor more details visit 'https://docs.microsoft.com/en-us/azure/azure-arc/kubernetes/quickstart-connect-cluster?tabs=azure-cli#connect-using-an-outbound-proxy-server' \n") + logger.warning("Error: We found an issue with outbound network connectivity from the cluster.\nIf your cluster is behind an outbound proxy server, please ensure that you have passed proxy parameters during the onboarding of your cluster.\nFor more details visit 'https://docs.microsoft.com/en-us/azure/azure-arc/kubernetes/quickstart-connect-cluster?tabs=azure-cli#connect-using-an-outbound-proxy-server'.\nPlease ensure to meet the following network requirements 'https://docs.microsoft.com/en-us/azure/azure-arc/kubernetes/quickstart-connect-cluster?tabs=azure-cli#meet-network-requirements' \n") + diagnoser_output.append("Error: We found an issue with outbound network connectivity from the cluster.\nIf your cluster is behind an outbound proxy server, please ensure that you have passed proxy parameters during the onboarding of your cluster.\nFor more details visit 'https://docs.microsoft.com/en-us/azure/azure-arc/kubernetes/quickstart-connect-cluster?tabs=azure-cli#connect-using-an-outbound-proxy-server'.\nPlease ensure to meet the following network requirements 'https://docs.microsoft.com/en-us/azure/azure-arc/kubernetes/quickstart-connect-cluster?tabs=azure-cli#meet-network-requirements' \n") if storage_space_available: outbound_connectivity_check_path = os.path.join(filepath_with_timestamp, consts.Outbound_Network_Connectivity_Check) with open(outbound_connectivity_check_path, 'w+') as outbound: outbound.write("Response code " + outbound_connectivity_response + "\nWe found an issue with Outbound network connectivity from the cluster.") - telemetry.set_exception(exception='Outbound network connectivity check failed', fault_type=consts.Outbound_Connectivity_Check_Failed, summary="Outbound network connectivity check failed in the cluster") return consts.Diagnostic_Check_Failed, storage_space_available # For handling storage or OS exception that may occur during the execution @@ -353,11 +323,13 @@ def get_helm_registry(cmd, config_dp_endpoint, dp_endpoint_dogfood=None, release release_train = release_train_dogfood uri_parameters = ["releaseTrain={}".format(release_train)] resource = cmd.cli_ctx.cloud.endpoints.active_directory_resource_id - headers = None - if os.getenv('AZURE_ACCESS_TOKEN'): - headers = ["Authorization=Bearer {}".format(os.getenv('AZURE_ACCESS_TOKEN'))] - # Sending request with retries - r = send_request_with_retries(cmd.cli_ctx, 'post', get_chart_location_url, headers=headers, fault_type=consts.Get_HelmRegistery_Path_Fault_Type, summary='Error while fetching helm chart registry path', uri_parameters=uri_parameters, resource=resource) + # Sending request + try: + r = send_raw_request(cmd.cli_ctx, 'post', get_chart_location_url, uri_parameters=uri_parameters, resource=resource) + except Exception as e: + telemetry.set_exception(exception=e, fault_type=consts.Get_HelmRegistery_Path_Fault_Type, + summary='Error while fetching helm chart registry path') + raise CLIInternalError("Error while fetching helm chart registry path: " + str(e)) if r.content: try: return r.json().get('repositoryPath') @@ -371,18 +343,6 @@ def get_helm_registry(cmd, config_dp_endpoint, dp_endpoint_dogfood=None, release raise CLIInternalError("No content was found in helm registry path response.") -def send_request_with_retries(cli_ctx, method, url, headers, fault_type, summary, uri_parameters=None, resource=None, retry_count=5, retry_delay=3): - for i in range(retry_count): - try: - response = send_raw_request(cli_ctx, method, url, headers=headers, uri_parameters=uri_parameters, resource=resource) - return response - except Exception as e: - if i == retry_count - 1: - telemetry.set_exception(exception=e, fault_type=fault_type, summary=summary) - raise CLIInternalError("Error while fetching helm chart registry path: " + str(e)) - time.sleep(retry_delay) - - def arm_exception_handler(ex, fault_type, summary, return_if_not_found=False): if isinstance(ex, AuthenticationError): telemetry.set_exception(exception=ex, fault_type=fault_type, summary=summary) @@ -489,13 +449,11 @@ def ensure_namespace_cleanup(): raise_error=False) -def delete_arc_agents(release_namespace, kube_config, kube_context, helm_client_location, is_arm64_cluster=False, no_hooks=False): +def delete_arc_agents(release_namespace, kube_config, kube_context, helm_client_location, no_hooks=False): if(no_hooks): cmd_helm_delete = [helm_client_location, "delete", "azure-arc", "--namespace", release_namespace, "--no-hooks"] else: cmd_helm_delete = [helm_client_location, "delete", "azure-arc", "--namespace", release_namespace] - if is_arm64_cluster: - cmd_helm_delete.extend(["--timeout", "15m"]) if kube_config: cmd_helm_delete.extend(["--kubeconfig", kube_config]) if kube_context: @@ -509,28 +467,8 @@ def delete_arc_agents(release_namespace, kube_config, kube_context, helm_client_ summary='Unable to delete helm release') raise CLIInternalError("Error occured while cleaning up arc agents. " + "Helm release deletion failed: " + error_helm_delete.decode("ascii") + - " Please run 'helm delete azure-arc --namespace {}' to ensure that the release is deleted.".format(release_namespace)) + " Please run 'helm delete azure-arc' to ensure that the release is deleted.") ensure_namespace_cleanup() - # Cleanup azure-arc-release NS if present (created during helm installation) - cleanup_release_install_namespace_if_exists() - - -def cleanup_release_install_namespace_if_exists(): - api_instance = kube_client.CoreV1Api() - try: - api_instance.read_namespace(consts.Release_Install_Namespace) - except Exception as ex: - if ex.status == 404: - # Nothing to delete, exiting here - return - else: - kubernetes_exception_handler(ex, consts.Get_Kubernetes_Helm_Release_Namespace_Fault_Type, error_message='Unable to fetch details about existense of kubernetes namespace: {}'.format(consts.Release_Install_Namespace), summary='Unable to fetch kubernetes namespace: {}'.format(consts.Release_Install_Namespace)) - - # If namespace exists, delete it - try: - api_instance.delete_namespace(consts.Release_Install_Namespace) - except Exception as ex: - kubernetes_exception_handler(ex, consts.Delete_Kubernetes_Helm_Release_Namespace_Fault_Type, error_message='Unable to clean-up kubernetes namespace: {}'.format(consts.Release_Install_Namespace), summary='Unable to delete kubernetes namespace: {}'.format(consts.Release_Install_Namespace)) # DO NOT use this method for re-put scenarios. This method involves new NS creation for helm release. For re-put scenarios, brownfield scenario needs to be handled where helm release still stays in default NS @@ -598,31 +536,6 @@ def helm_install_release(chart_path, subscription_id, kubernetes_distro, kuberne raise CLIInternalError("Unable to install helm release: " + error_helm_install.decode("ascii")) -def get_release_namespace(kube_config, kube_context, helm_client_location, release_name='azure-arc'): - cmd_helm_release = [helm_client_location, "list", "-a", "--all-namespaces", "--output", "json"] - if kube_config: - cmd_helm_release.extend(["--kubeconfig", kube_config]) - if kube_context: - cmd_helm_release.extend(["--kube-context", kube_context]) - response_helm_release = Popen(cmd_helm_release, stdout=PIPE, stderr=PIPE) - output_helm_release, error_helm_release = response_helm_release.communicate() - if response_helm_release.returncode != 0: - if 'forbidden' in error_helm_release.decode("ascii"): - telemetry.set_user_fault() - telemetry.set_exception(exception=error_helm_release.decode("ascii"), fault_type=consts.List_HelmRelease_Fault_Type, - summary='Unable to list helm release') - raise CLIInternalError("Helm list release failed: " + error_helm_release.decode("ascii")) - output_helm_release = output_helm_release.decode("ascii") - try: - output_helm_release = json.loads(output_helm_release) - except json.decoder.JSONDecodeError: - return None - for release in output_helm_release: - if release['name'] == release_name: - return release['namespace'] - return None - - def flatten(dd, separator='.', prefix=''): try: if isinstance(dd, dict): @@ -678,9 +591,9 @@ def names(self, names): logger.debug("Error while trying to monkey patch the fix for list_node(): {}".format(str(ex))) -def check_provider_registrations(cli_ctx, subscription_id): +def check_provider_registrations(cli_ctx): try: - rp_client = resource_providers_client(cli_ctx, subscription_id) + rp_client = _resource_providers_client(cli_ctx) cc_registration_state = rp_client.get(consts.Connected_Cluster_Provider_Namespace).registration_state if cc_registration_state != "Registered": telemetry.set_exception(exception="{} provider is not registered".format(consts.Connected_Cluster_Provider_Namespace), fault_type=consts.CC_Provider_Namespace_Not_Registered_Fault_Type, diff --git a/src/connectedk8s/azext_connectedk8s/custom.py b/src/connectedk8s/azext_connectedk8s/custom.py index e9856fc7ee5..69fffe4387a 100644 --- a/src/connectedk8s/azext_connectedk8s/custom.py +++ b/src/connectedk8s/azext_connectedk8s/custom.py @@ -33,14 +33,14 @@ from azure.cli.core.util import sdk_no_wait from azure.cli.core import telemetry from azure.cli.core.azclierror import ManualInterrupt, InvalidArgumentValueError, UnclassifiedUserFault, CLIInternalError, FileOperationError, ClientRequestError, DeploymentError, ValidationError, ArgumentUsageError, MutuallyExclusiveArgumentError, RequiredArgumentMissingError, ResourceNotFoundError -from azure.core.exceptions import HttpResponseError from kubernetes import client as kube_client, config from Crypto.IO import PEM from Crypto.PublicKey import RSA from Crypto.Util import asn1 from azext_connectedk8s._client_factory import _graph_client_factory from azext_connectedk8s._client_factory import cf_resource_groups -from azext_connectedk8s._client_factory import resource_providers_client +from azext_connectedk8s._client_factory import _resource_client_factory +from azext_connectedk8s._client_factory import _resource_providers_client from azext_connectedk8s._client_factory import get_graph_client_service_principals from azext_connectedk8s._client_factory import cf_connected_cluster_prev_2022_10_01 from azext_connectedk8s._client_factory import cf_connectedmachine @@ -66,14 +66,11 @@ def create_connectedk8s(cmd, client, resource_group_name, cluster_name, correlation_id=None, https_proxy="", http_proxy="", no_proxy="", proxy_cert="", location=None, - kube_config=None, kube_context=None, no_wait=False, tags=None, distribution='generic', infrastructure='generic', + kube_config=None, kube_context=None, no_wait=False, tags=None, distribution='auto', infrastructure='auto', disable_auto_upgrade=False, cl_oid=None, onboarding_timeout="600", enable_private_link=None, private_link_scope_resource_id=None, distribution_version=None, azure_hybrid_benefit=None, yes=False, container_log_path=None): logger.warning("This operation might take a while...\n") - # Validate custom token operation - custom_token_passed, location = utils.validate_custom_token(cmd, resource_group_name, location) - # Prompt for confirmation for few parameters if enable_private_link is True: confirmation_message = "The Cluster Connect and Custom Location features are not supported by Private Link at this time. Enabling Private Link will disable these features. Are you sure you want to continue?" @@ -85,18 +82,15 @@ def create_connectedk8s(cmd, client, resource_group_name, cluster_name, correlat utils.user_confirmation(confirmation_message, yes) # Setting subscription id and tenant Id - subscription_id = os.getenv('AZURE_SUBSCRIPTION_ID') if custom_token_passed is True else get_subscription_id(cmd.cli_ctx) - if custom_token_passed is True: - onboarding_tenant_id = os.getenv('AZURE_TENANT_ID') - else: - account = Profile().get_subscription(subscription_id) - onboarding_tenant_id = account['homeTenantId'] + subscription_id = get_subscription_id(cmd.cli_ctx) + account = Profile().get_subscription(subscription_id) + onboarding_tenant_id = account['homeTenantId'] # Send cloud information to telemetry azure_cloud = send_cloud_telemetry(cmd) # Checking provider registration status - utils.check_provider_registrations(cmd.cli_ctx, subscription_id) + utils.check_provider_registrations(cmd.cli_ctx) # Setting kubeconfig kube_config = set_kube_config(kube_config) @@ -143,9 +137,7 @@ def create_connectedk8s(cmd, client, resource_group_name, cluster_name, correlat utils.try_list_node_fix() api_instance = kube_client.CoreV1Api() node_api_response = utils.validate_node_api_response(api_instance, None) - is_arm64_cluster = check_arm64_node(node_api_response) - required_node_exists = check_linux_node(node_api_response) # Pre onboarding checks try: kubectl_client_location = install_kubectl_client() @@ -193,18 +185,14 @@ def create_connectedk8s(cmd, client, resource_group_name, cluster_name, correlat if diagnostic_checks != consts.Diagnostic_Check_Passed: if storage_space_available: logger.warning("The pre-check result logs logs have been saved at this path:" + filepath_with_timestamp + " .\nThese logs can be attached while filing a support ticket for further assistance.\n") - if(diagnostic_checks == consts.Diagnostic_Check_Incomplete): - telemetry.set_exception(exception='Cluster Diagnostic Prechecks Incomplete', fault_type=consts.Cluster_Diagnostic_Prechecks_Incomplete, summary="Cluster Diagnostic Prechecks didnt complete in the cluster") - raise ValidationError("Execution of pre-onboarding checks failed and hence not proceeding with cluster onboarding. Please meet the prerequisites - 'https://learn.microsoft.com/en-us/azure/azure-arc/kubernetes/quickstart-connect-cluster?tabs=azure-cli%2Cazure-cloud#prerequisites' and try onboarding again.") - else: - telemetry.set_exception(exception='Cluster Diagnostic Prechecks Failed', fault_type=consts.Cluster_Diagnostic_Prechecks_Failed, summary="Cluster Diagnostic Prechecks Failed in the cluster") - raise ValidationError("One or more pre-onboarding diagnostic checks failed and hence not proceeding with cluster onboarding. Please resolve them and try onboarding again.") + raise ValidationError("One or more pre-onboarding diagnostic checks failed and hence not proceeding with cluster onboarding. Please resolve them and try onboarding again.") + required_node_exists = check_linux_amd64_node(node_api_response) if not required_node_exists: telemetry.set_user_fault() - telemetry.set_exception(exception="Couldn't find any node on the kubernetes cluster with the OS 'linux'", fault_type=consts.Linux_Node_Not_Exists, - summary="Couldn't find any node on the kubernetes cluster with the OS 'linux'") - logger.warning("Please ensure that this Kubernetes cluster have any nodes with OS 'linux', for scheduling the Arc-Agents onto and connecting to Azure. Learn more at {}".format("https://aka.ms/ArcK8sSupportedOSArchitecture")) + telemetry.set_exception(exception="Couldn't find any node on the kubernetes cluster with the architecture type 'amd64' and OS 'linux'", fault_type=consts.Linux_Amd64_Node_Not_Exists, + summary="Couldn't find any node on the kubernetes cluster with the architecture type 'amd64' and OS 'linux'") + logger.warning("Please ensure that this Kubernetes cluster have any nodes with OS 'linux' and architecture 'amd64', for scheduling the Arc-Agents onto and connecting to Azure. Learn more at {}".format("https://aka.ms/ArcK8sSupportedOSArchitecture")) crb_permission = utils.can_create_clusterrolebindings() if not crb_permission: @@ -213,8 +201,14 @@ def create_connectedk8s(cmd, client, resource_group_name, cluster_name, correlat raise ValidationError("Your credentials doesn't have permission to create clusterrolebindings on this kubernetes cluster. Please check your permissions.") # Get kubernetes cluster info - kubernetes_distro = distribution - kubernetes_infra = infrastructure + if distribution == 'auto': + kubernetes_distro = get_kubernetes_distro(node_api_response) # (cluster heuristics) + else: + kubernetes_distro = distribution + if infrastructure == 'auto': + kubernetes_infra = get_kubernetes_infra(node_api_response) # (cluster heuristics) + else: + kubernetes_infra = infrastructure kubernetes_properties = { 'Context.Default.AzureCLI.KubernetesVersion': kubernetes_version, @@ -233,7 +227,7 @@ def create_connectedk8s(cmd, client, resource_group_name, cluster_name, correlat # Validate location utils.validate_location(cmd, location) - resourceClient = cf_resource_groups(cmd.cli_ctx, subscription_id=subscription_id) + resourceClient = _resource_client_factory(cmd.cli_ctx, subscription_id=subscription_id) # Validate location of private link scope resource. Throws error only if there is a location mismatch if enable_private_link is True: @@ -249,16 +243,10 @@ def create_connectedk8s(cmd, client, resource_group_name, cluster_name, correlat except ArgumentUsageError as argex: raise(argex) except Exception as ex: - if isinstance(ex, HttpResponseError): - status_code = ex.response.status_code - if status_code == 404: - telemetry.set_exception(exception='Private link scope resource does not exist', - fault_type=consts.Pls_Resource_Not_Found, summary='Pls resource does not exist') - raise ArgumentUsageError("The private link scope resource '{}' does not exist. Please ensure that you pass a valid ARM Resource Id.".format(private_link_scope_resource_id)) logger.warning("Error occured while checking the private link scope resource location: %s\n", ex) # Check Release Existance - release_namespace = utils.get_release_namespace(kube_config, kube_context, helm_client_location) + release_namespace = get_release_namespace(kube_config, kube_context, helm_client_location) if release_namespace: # Loading config map @@ -294,7 +282,7 @@ def create_connectedk8s(cmd, client, resource_group_name, cluster_name, correlat " '{}' with resource name '{}'.".format(configmap_rg_name, configmap_cluster_name)) else: # Cleanup agents and continue with put - utils.delete_arc_agents(release_namespace, kube_config, kube_context, helm_client_location, is_arm64_cluster) + utils.delete_arc_agents(release_namespace, kube_config, kube_context, helm_client_location) else: if connected_cluster_exists(client, resource_group_name, cluster_name): telemetry.set_exception(exception='The connected cluster resource already exists', fault_type=consts.Resource_Already_Exists_Fault_Type, @@ -310,7 +298,7 @@ def create_connectedk8s(cmd, client, resource_group_name, cluster_name, correlat ResourceGroup = cmd.get_models('ResourceGroup', resource_type=ResourceType.MGMT_RESOURCE_RESOURCES) parameters = ResourceGroup(location=location) try: - resourceClient.create_or_update(resource_group_name, parameters) + resourceClient.resource_groups.create_or_update(resource_group_name, parameters) except Exception as e: # pylint: disable=broad-except utils.arm_exception_handler(e, consts.Create_ResourceGroup_Fault_Type, 'Failed to create the resource group') @@ -357,7 +345,7 @@ def create_connectedk8s(cmd, client, resource_group_name, cluster_name, correlat put_cc_response = create_cc_resource(client, resource_group_name, cluster_name, cc, no_wait).result() # Checking if custom locations rp is registered and fetching oid if it is registered - enable_custom_locations, custom_locations_oid = check_cl_registration_and_get_oid(cmd, cl_oid, subscription_id) + enable_custom_locations, custom_locations_oid = check_cl_registration_and_get_oid(cmd, cl_oid) # Install azure-arc agents utils.helm_install_release(chart_path, subscription_id, kubernetes_distro, kubernetes_infra, resource_group_name, cluster_name, @@ -555,28 +543,74 @@ def get_private_key(key_pair): return PEM.encode(privKey_DER, "RSA PRIVATE KEY") -def check_linux_node(api_response): +def get_kubernetes_distro(api_response): # Heuristic + if api_response is None: + return "generic" try: - for item in api_response.items: - node_os = item.metadata.labels.get("kubernetes.io/os") - if node_os == "linux": - return True + for node in api_response.items: + labels = node.metadata.labels + provider_id = str(node.spec.provider_id) + annotations = node.metadata.annotations + if labels.get("node.openshift.io/os_id"): + return "openshift" + if labels.get("kubernetes.azure.com/node-image-version"): + return "aks" + if labels.get("cloud.google.com/gke-nodepool") or labels.get("cloud.google.com/gke-os-distribution"): + return "gke" + if labels.get("eks.amazonaws.com/nodegroup"): + return "eks" + if labels.get("minikube.k8s.io/version"): + return "minikube" + if provider_id.startswith("kind://"): + return "kind" + if provider_id.startswith("k3s://"): + return "k3s" + if annotations.get("rke.cattle.io/external-ip") or annotations.get("rke.cattle.io/internal-ip"): + return "rancher_rke" + return "generic" except Exception as e: # pylint: disable=broad-except - logger.debug("Error occured while trying to find a linux node: " + str(e)) - utils.kubernetes_exception_handler(e, consts.Kubernetes_Node_Type_Fetch_Fault_OS, 'Unable to find a linux node', + logger.debug("Error occured while trying to fetch kubernetes distribution: " + str(e)) + utils.kubernetes_exception_handler(e, consts.Get_Kubernetes_Distro_Fault_Type, 'Unable to fetch kubernetes distribution', raise_error=False) - return False + return "generic" + + +def get_kubernetes_infra(api_response): # Heuristic + if api_response is None: + return "generic" + try: + for node in api_response.items: + provider_id = str(node.spec.provider_id) + infra = provider_id.split(':')[0] + if infra == "k3s" or infra == "kind": + return "generic" + if infra == "azure": + return "azure" + if infra == "gce": + return "gcp" + if infra == "aws": + return "aws" + k8s_infra = utils.validate_infrastructure_type(infra) + if k8s_infra is not None: + return k8s_infra + return "generic" + except Exception as e: # pylint: disable=broad-except + logger.debug("Error occured while trying to fetch kubernetes infrastructure: " + str(e)) + utils.kubernetes_exception_handler(e, consts.Get_Kubernetes_Infra_Fault_Type, 'Unable to fetch kubernetes infrastructure', + raise_error=False) + return "generic" -def check_arm64_node(api_response): +def check_linux_amd64_node(api_response): try: for item in api_response.items: node_arch = item.metadata.labels.get("kubernetes.io/arch") - if node_arch == "arm64": + node_os = item.metadata.labels.get("kubernetes.io/os") + if node_arch == "amd64" and node_os == "linux": return True except Exception as e: # pylint: disable=broad-except - logger.debug("Error occured while trying to find an arm64 node: " + str(e)) - utils.kubernetes_exception_handler(e, consts.Kubernetes_Node_Type_Fetch_Fault_Arch, 'Unable to find an arm64 node', + logger.debug("Error occured while trying to find a linux/amd64 node: " + str(e)) + utils.kubernetes_exception_handler(e, consts.Kubernetes_Node_Type_Fetch_Fault, 'Unable to find a linux/amd64 node', raise_error=False) return False @@ -733,12 +767,7 @@ def delete_connectedk8s(cmd, client, resource_group_name, cluster_name, helm_client_location = install_helm_client() # Check Release Existance - release_namespace = utils.get_release_namespace(kube_config, kube_context, helm_client_location) - - utils.try_list_node_fix() - api_instance = kube_client.CoreV1Api() - node_api_response = utils.validate_node_api_response(api_instance, None) - is_arm64_cluster = check_arm64_node(node_api_response) + release_namespace = get_release_namespace(kube_config, kube_context, helm_client_location) # Check forced delete flag if(force_delete): @@ -792,7 +821,7 @@ def delete_connectedk8s(cmd, client, resource_group_name, cluster_name, _, error_helm_delete = output_patch_cmd.communicate() if(release_namespace): - utils.delete_arc_agents(release_namespace, kube_config, kube_context, helm_client_location, is_arm64_cluster, True) + utils.delete_arc_agents(release_namespace, kube_config, kube_context, helm_client_location, True) return @@ -801,6 +830,7 @@ def delete_connectedk8s(cmd, client, resource_group_name, cluster_name, return # Loading config map + api_instance = kube_client.CoreV1Api() try: configmap = api_instance.read_namespaced_config_map('azure-clusterconfig', 'azure-arc') except Exception as e: # pylint: disable=broad-except @@ -808,7 +838,7 @@ def delete_connectedk8s(cmd, client, resource_group_name, cluster_name, error_message="Unable to read ConfigMap 'azure-clusterconfig' in 'azure-arc' namespace: ", message_for_not_found="The helm release 'azure-arc' is present but the azure-arc namespace/configmap is missing. Please run 'helm delete azure-arc --namepace {} --no-hooks' to cleanup the release before onboarding the cluster again.".format(release_namespace)) - subscription_id = os.getenv('AZURE_SUBSCRIPTION_ID') if os.getenv('AZURE_ACCESS_TOKEN') else get_subscription_id(cmd.cli_ctx) + subscription_id = get_subscription_id(cmd.cli_ctx) if (configmap.data["AZURE_RESOURCE_GROUP"].lower() == resource_group_name.lower() and configmap.data["AZURE_RESOURCE_NAME"].lower() == cluster_name.lower() and configmap.data["AZURE_SUBSCRIPTION_ID"].lower() == subscription_id.lower()): @@ -831,7 +861,32 @@ def delete_connectedk8s(cmd, client, resource_group_name, cluster_name, "and resource name '{}'.".format(configmap.data["AZURE_RESOURCE_NAME"])) # Deleting the azure-arc agents - utils.delete_arc_agents(release_namespace, kube_config, kube_context, helm_client_location, is_arm64_cluster) + utils.delete_arc_agents(release_namespace, kube_config, kube_context, helm_client_location) + + +def get_release_namespace(kube_config, kube_context, helm_client_location): + cmd_helm_release = [helm_client_location, "list", "-a", "--all-namespaces", "--output", "json"] + if kube_config: + cmd_helm_release.extend(["--kubeconfig", kube_config]) + if kube_context: + cmd_helm_release.extend(["--kube-context", kube_context]) + response_helm_release = Popen(cmd_helm_release, stdout=PIPE, stderr=PIPE) + output_helm_release, error_helm_release = response_helm_release.communicate() + if response_helm_release.returncode != 0: + if 'forbidden' in error_helm_release.decode("ascii"): + telemetry.set_user_fault() + telemetry.set_exception(exception=error_helm_release.decode("ascii"), fault_type=consts.List_HelmRelease_Fault_Type, + summary='Unable to list helm release') + raise CLIInternalError("Helm list release failed: " + error_helm_release.decode("ascii")) + output_helm_release = output_helm_release.decode("ascii") + try: + output_helm_release = json.loads(output_helm_release) + except json.decoder.JSONDecodeError: + return None + for release in output_helm_release: + if release['name'] == 'azure-arc': + return release['namespace'] + return None def create_cc_resource(client, resource_group_name, cluster_name, cc, no_wait): @@ -950,17 +1005,26 @@ def update_connected_cluster(cmd, client, resource_group_name, cluster_name, htt # Fetch Connected Cluster for agent version connected_cluster = get_connectedk8s(cmd, client, resource_group_name, cluster_name) - - kubernetes_properties = {'Context.Default.AzureCLI.KubernetesVersion': kubernetes_version} + api_instance = kube_client.CoreV1Api() + node_api_response = None if hasattr(connected_cluster, 'distribution') and (connected_cluster.distribution is not None): kubernetes_distro = connected_cluster.distribution - kubernetes_properties['Context.Default.AzureCLI.KubernetesDistro'] = kubernetes_distro + else: + node_api_response = utils.validate_node_api_response(api_instance, node_api_response) + kubernetes_distro = get_kubernetes_distro(node_api_response) if hasattr(connected_cluster, 'infrastructure') and (connected_cluster.infrastructure is not None): kubernetes_infra = connected_cluster.infrastructure - kubernetes_properties['Context.Default.AzureCLI.KubernetesInfra'] = kubernetes_infra + else: + node_api_response = utils.validate_node_api_response(api_instance, node_api_response) + kubernetes_infra = get_kubernetes_infra(node_api_response) + kubernetes_properties = { + 'Context.Default.AzureCLI.KubernetesVersion': kubernetes_version, + 'Context.Default.AzureCLI.KubernetesDistro': kubernetes_distro, + 'Context.Default.AzureCLI.KubernetesInfra': kubernetes_infra + } telemetry.add_extension_event('connectedk8s', kubernetes_properties) # Adding helm repo @@ -1079,12 +1143,13 @@ def upgrade_agents(cmd, client, resource_group_name, cluster_name, kube_config=N utils.try_list_node_fix() api_instance = kube_client.CoreV1Api() + node_api_response = None # Install helm client helm_client_location = install_helm_client() # Check Release Existance - release_namespace = utils.get_release_namespace(kube_config, kube_context, helm_client_location) + release_namespace = get_release_namespace(kube_config, kube_context, helm_client_location) if release_namespace: # Loading config map api_instance = kube_client.CoreV1Api() @@ -1126,16 +1191,23 @@ def upgrade_agents(cmd, client, resource_group_name, cluster_name, kube_config=N # Fetch Connected Cluster for agent version connected_cluster = get_connectedk8s(cmd, client, resource_group_name, cluster_name) - kubernetes_properties = {'Context.Default.AzureCLI.KubernetesVersion': kubernetes_version} - if hasattr(connected_cluster, 'distribution') and (connected_cluster.distribution is not None): kubernetes_distro = connected_cluster.distribution - kubernetes_properties['Context.Default.AzureCLI.KubernetesDistro'] = kubernetes_distro + else: + node_api_response = utils.validate_node_api_response(api_instance, node_api_response) + kubernetes_distro = get_kubernetes_distro(node_api_response) if hasattr(connected_cluster, 'infrastructure') and (connected_cluster.infrastructure is not None): kubernetes_infra = connected_cluster.infrastructure - kubernetes_properties['Context.Default.AzureCLI.KubernetesInfra'] = kubernetes_infra + else: + node_api_response = utils.validate_node_api_response(api_instance, node_api_response) + kubernetes_infra = get_kubernetes_infra(node_api_response) + kubernetes_properties = { + 'Context.Default.AzureCLI.KubernetesVersion': kubernetes_version, + 'Context.Default.AzureCLI.KubernetesDistro': kubernetes_distro, + 'Context.Default.AzureCLI.KubernetesInfra': kubernetes_infra + } telemetry.add_extension_event('connectedk8s', kubernetes_properties) # Adding helm repo @@ -1233,7 +1305,7 @@ def upgrade_agents(cmd, client, resource_group_name, cluster_name, kube_config=N def validate_release_namespace(client, cluster_name, resource_group_name, kube_config, kube_context, helm_client_location): # Check Release Existance - release_namespace = utils.get_release_namespace(kube_config, kube_context, helm_client_location) + release_namespace = get_release_namespace(kube_config, kube_context, helm_client_location) if release_namespace: # Loading config map api_instance = kube_client.CoreV1Api() @@ -1298,9 +1370,6 @@ def enable_features(cmd, client, resource_group_name, cluster_name, features, ku azrbac_client_id=None, azrbac_client_secret=None, azrbac_skip_authz_check=None, cl_oid=None): logger.warning("This operation might take a while...\n") - # Validate custom token operation - custom_token_passed, _ = utils.validate_custom_token(cmd, resource_group_name, "dummyLocation") - features = [x.lower() for x in features] enable_cluster_connect, enable_azure_rbac, enable_cl = utils.check_features_to_update(features) @@ -1321,8 +1390,7 @@ def enable_features(cmd, client, resource_group_name, cluster_name, features, ku azrbac_skip_authz_check = escape_proxy_settings(azrbac_skip_authz_check) if enable_cl: - subscription_id = os.getenv('AZURE_SUBSCRIPTION_ID') if custom_token_passed is True else get_subscription_id(cmd.cli_ctx) - enable_cl, custom_locations_oid = check_cl_registration_and_get_oid(cmd, cl_oid, subscription_id) + enable_cl, custom_locations_oid = check_cl_registration_and_get_oid(cmd, cl_oid) if not enable_cluster_connect and enable_cl: enable_cluster_connect = True logger.warning("Enabling 'custom-locations' feature will enable 'cluster-connect' feature too.") @@ -1355,6 +1423,8 @@ def enable_features(cmd, client, resource_group_name, cluster_name, features, ku kubernetes_version = check_kube_connection() utils.try_list_node_fix() + api_instance = kube_client.CoreV1Api() + node_api_response = None # Install helm client helm_client_location = install_helm_client() @@ -1364,16 +1434,23 @@ def enable_features(cmd, client, resource_group_name, cluster_name, features, ku # Fetch Connected Cluster for agent version connected_cluster = get_connectedk8s(cmd, client, resource_group_name, cluster_name) - kubernetes_properties = {'Context.Default.AzureCLI.KubernetesVersion': kubernetes_version} - if hasattr(connected_cluster, 'distribution') and (connected_cluster.distribution is not None): kubernetes_distro = connected_cluster.distribution - kubernetes_properties['Context.Default.AzureCLI.KubernetesDistro'] = kubernetes_distro + else: + node_api_response = utils.validate_node_api_response(api_instance, node_api_response) + kubernetes_distro = get_kubernetes_distro(node_api_response) if hasattr(connected_cluster, 'infrastructure') and (connected_cluster.infrastructure is not None): kubernetes_infra = connected_cluster.infrastructure - kubernetes_properties['Context.Default.AzureCLI.KubernetesInfra'] = kubernetes_infra + else: + node_api_response = utils.validate_node_api_response(api_instance, node_api_response) + kubernetes_infra = get_kubernetes_infra(node_api_response) + kubernetes_properties = { + 'Context.Default.AzureCLI.KubernetesVersion': kubernetes_version, + 'Context.Default.AzureCLI.KubernetesDistro': kubernetes_distro, + 'Context.Default.AzureCLI.KubernetesInfra': kubernetes_infra + } telemetry.add_extension_event('connectedk8s', kubernetes_properties) # Adding helm repo @@ -1433,7 +1510,6 @@ def enable_features(cmd, client, resource_group_name, cluster_name, features, ku def disable_features(cmd, client, resource_group_name, cluster_name, features, kube_config=None, kube_context=None, yes=False): - features = [x.lower() for x in features] confirmation_message = "Disabling few of the features may adversely impact dependent resources. Learn more about this at https://aka.ms/ArcK8sDependentResources. \n" + "Are you sure you want to disable these features: {}".format(features) utils.user_confirmation(confirmation_message, yes) @@ -1466,6 +1542,8 @@ def disable_features(cmd, client, resource_group_name, cluster_name, features, k kubernetes_version = check_kube_connection() utils.try_list_node_fix() + api_instance = kube_client.CoreV1Api() + node_api_response = None # Install helm client helm_client_location = install_helm_client() @@ -1475,16 +1553,23 @@ def disable_features(cmd, client, resource_group_name, cluster_name, features, k # Fetch Connected Cluster for agent version connected_cluster = get_connectedk8s(cmd, client, resource_group_name, cluster_name) - kubernetes_properties = {'Context.Default.AzureCLI.KubernetesVersion': kubernetes_version} - if hasattr(connected_cluster, 'distribution') and (connected_cluster.distribution is not None): kubernetes_distro = connected_cluster.distribution - kubernetes_properties['Context.Default.AzureCLI.KubernetesDistro'] = kubernetes_distro + else: + node_api_response = utils.validate_node_api_response(api_instance, node_api_response) + kubernetes_distro = get_kubernetes_distro(node_api_response) if hasattr(connected_cluster, 'infrastructure') and (connected_cluster.infrastructure is not None): kubernetes_infra = connected_cluster.infrastructure - kubernetes_properties['Context.Default.AzureCLI.KubernetesInfra'] = kubernetes_infra + else: + node_api_response = utils.validate_node_api_response(api_instance, node_api_response) + kubernetes_infra = get_kubernetes_infra(node_api_response) + kubernetes_properties = { + 'Context.Default.AzureCLI.KubernetesVersion': kubernetes_version, + 'Context.Default.AzureCLI.KubernetesDistro': kubernetes_distro, + 'Context.Default.AzureCLI.KubernetesInfra': kubernetes_infra + } telemetry.add_extension_event('connectedk8s', kubernetes_properties) if disable_cluster_connect: @@ -2040,7 +2125,7 @@ def client_side_proxy(cmd, if token is None: if utils.is_cli_using_msal_auth(): # jwt token approach if cli is using MSAL. This is for cli >= 2.30.0 kid = clientproxyutils.fetch_pop_publickey_kid(api_server_port, clientproxy_process) - post_at_response = clientproxyutils.fetch_and_post_at_to_csp(cmd, api_server_port, tenantId, kid, clientproxy_process) + post_at_response = clientproxyutils.fetch_and_post_at_to_csp(cmd, api_server_port, tenantId, "gTYVsmkQfNwajR0w-v6A3ekPkiI7Wcz2T5ZCb7hwHTU", clientproxy_process) if post_at_response.status_code != 200: if post_at_response.status_code == 500 and "public key expired" in post_at_response.text: # pop public key must have been rotated @@ -2098,11 +2183,11 @@ def client_side_proxy(cmd, return expiry, clientproxy_process -def check_cl_registration_and_get_oid(cmd, cl_oid, subscription_id): +def check_cl_registration_and_get_oid(cmd, cl_oid): enable_custom_locations = True custom_locations_oid = "" try: - rp_client = resource_providers_client(cmd.cli_ctx, subscription_id) + rp_client = _resource_providers_client(cmd.cli_ctx) cl_registration_state = rp_client.get(consts.Custom_Locations_Provider_Namespace).registration_state if cl_registration_state != "Registered": enable_custom_locations = False diff --git a/src/connectedk8s/azext_connectedk8s/tests/latest/recordings/test_connectedk8s.yaml b/src/connectedk8s/azext_connectedk8s/tests/latest/recordings/test_connectedk8s.yaml new file mode 100644 index 00000000000..9df8582ddd3 --- /dev/null +++ b/src/connectedk8s/azext_connectedk8s/tests/latest/recordings/test_connectedk8s.yaml @@ -0,0 +1,5262 @@ +interactions: +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - aks create + Connection: + - keep-alive + ParameterSetName: + - -g -n -s -l -c --generate-ssh-keys + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/akkeshar?api-version=2021-04-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar","name":"akkeshar","type":"Microsoft.Resources/resourceGroups","location":"eastus","tags":{"Created":"20210721"},"properties":{"provisioningState":"Succeeded"}}' + headers: + cache-control: + - no-cache + content-length: + - '243' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 11:32:11 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: '{"location": "westeurope", "identity": {"type": "SystemAssigned"}, "properties": + {"kubernetesVersion": "", "dnsPrefix": "cli-test-a-akkeshar-1bfbb5", "agentPoolProfiles": + [{"count": 1, "vmSize": "Standard_B4ms", "osType": "Linux", "type": "VirtualMachineScaleSets", + "mode": "System", "enableNodePublicIP": false, "scaleSetPriority": "Regular", + "scaleSetEvictionPolicy": "Delete", "spotMaxPrice": -1.0, "enableEncryptionAtHost": + false, "enableUltraSSD": false, "enableFIPS": false, "name": "nodepool1"}], + "linuxProfile": {"adminUsername": "azureuser", "ssh": {"publicKeys": [{"keyData": + "ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABgQDknmXRBGa/GuPCkpyydwCNedhfwINfrO674LWcBih2UjjJc5yULl9cD9LsYMWOzHVqM7H7RFxaONyq46h9vgxB/1XAeJUGc2jS8GS+vsS83bXX6vVrwa8wVeD380SJcF87oH3xf7/v2hlKv3drXi7xPE2JBjTHIOJJ6OxX+bAFXBqd1dPvnX1X7kEyX6vvjvuQrp7rFDbLq/eRpmng7kykodASQkUFZlt5+gH/U/z/a/DRoTocgzNqGl9RmesNtslQJs17Vn/JIJMM55qcRCEKoJ3Fq/Osnx3tHNA3G/vTs/+sVgh0tZmM6oIMRfTKzJskSZkMZOd8KtK/7ROCZO72izRmzwTFwFvRe/I7iHQ4PrjeKAqKDvgHJ/0LlaHmIYysZI21OTo6HcoX4HmA4RsIybNAM5SWeMMGiGe94/LYPk9sgB3o8aMv/nI/hr6vA28c2nso7itOuNcH1GZalAnbCObNv7QqVZ23FPlCjV9GXWCDCnQeCoIispJCrf68N5s= + fareast\\akkeshar@AkashLaptop\n"}]}}, "addonProfiles": {}, "enableRBAC": true, + "enablePodSecurityPolicy": false, "networkProfile": {"networkPlugin": "kubenet", + "podCidr": "10.244.0.0/16", "serviceCidr": "10.0.0.0/16", "dnsServiceIP": "10.0.0.10", + "dockerBridgeCidr": "172.17.0.1/16", "outboundType": "loadBalancer", "loadBalancerSku": + "standard"}, "disableLocalAccounts": false}}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - aks create + Connection: + - keep-alive + Content-Length: + - '1519' + Content-Type: + - application/json + ParameterSetName: + - -g -n -s -l -c --generate-ssh-keys + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.ContainerService/managedClusters/cli-test-aks-000001?api-version=2021-08-01 + response: + body: + string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/akkeshar/providers/Microsoft.ContainerService/managedClusters/cli-test-aks-000001\",\n + \ \"location\": \"westeurope\",\n \"name\": \"cli-test-aks-000001\",\n \"type\": + \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": + \"Creating\",\n \"powerState\": {\n \"code\": \"Running\"\n },\n \"kubernetesVersion\": + \"1.23.12\",\n \"dnsPrefix\": \"cli-test-a-akkeshar-1bfbb5\",\n \"fqdn\": + \"cli-test-a-akkeshar-1bfbb5-52714f14.hcp.westeurope.azmk8s.io\",\n \"azurePortalFQDN\": + \"cli-test-a-akkeshar-1bfbb5-52714f14.portal.hcp.westeurope.azmk8s.io\",\n + \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \"count\": + 1,\n \"vmSize\": \"Standard_B4ms\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": + \"Managed\",\n \"kubeletDiskType\": \"OS\",\n \"maxPods\": 110,\n + \ \"type\": \"VirtualMachineScaleSets\",\n \"provisioningState\": \"Creating\",\n + \ \"powerState\": {\n \"code\": \"Running\"\n },\n \"orchestratorVersion\": + \"1.23.12\",\n \"enableNodePublicIP\": false,\n \"mode\": \"System\",\n + \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n + \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": + \"AKSUbuntu-1804gen2containerd-2022.10.24\",\n \"enableFIPS\": false\n + \ }\n ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n + \ \"ssh\": {\n \"publicKeys\": [\n {\n \"keyData\": \"ssh-rsa + AAAAB3NzaC1yc2EAAAADAQABAAABgQDknmXRBGa/GuPCkpyydwCNedhfwINfrO674LWcBih2UjjJc5yULl9cD9LsYMWOzHVqM7H7RFxaONyq46h9vgxB/1XAeJUGc2jS8GS+vsS83bXX6vVrwa8wVeD380SJcF87oH3xf7/v2hlKv3drXi7xPE2JBjTHIOJJ6OxX+bAFXBqd1dPvnX1X7kEyX6vvjvuQrp7rFDbLq/eRpmng7kykodASQkUFZlt5+gH/U/z/a/DRoTocgzNqGl9RmesNtslQJs17Vn/JIJMM55qcRCEKoJ3Fq/Osnx3tHNA3G/vTs/+sVgh0tZmM6oIMRfTKzJskSZkMZOd8KtK/7ROCZO72izRmzwTFwFvRe/I7iHQ4PrjeKAqKDvgHJ/0LlaHmIYysZI21OTo6HcoX4HmA4RsIybNAM5SWeMMGiGe94/LYPk9sgB3o8aMv/nI/hr6vA28c2nso7itOuNcH1GZalAnbCObNv7QqVZ23FPlCjV9GXWCDCnQeCoIispJCrf68N5s= + fareast\\\\akkeshar@AkashLaptop\\n\"\n }\n ]\n }\n },\n \"servicePrincipalProfile\": + {\n \"clientId\": \"msi\"\n },\n \"nodeResourceGroup\": \"MC_akkeshar_cli-test-aks-000001_westeurope\",\n + \ \"enableRBAC\": true,\n \"enablePodSecurityPolicy\": false,\n \"networkProfile\": + {\n \"networkPlugin\": \"kubenet\",\n \"loadBalancerSku\": \"standard\",\n + \ \"loadBalancerProfile\": {\n \"managedOutboundIPs\": {\n \"count\": + 1\n }\n },\n \"podCidr\": \"10.244.0.0/16\",\n \"serviceCidr\": + \"10.0.0.0/16\",\n \"dnsServiceIP\": \"10.0.0.10\",\n \"dockerBridgeCidr\": + \"172.17.0.1/16\",\n \"outboundType\": \"loadBalancer\"\n },\n \"maxAgentPools\": + 100,\n \"disableLocalAccounts\": false,\n \"securityProfile\": {}\n },\n + \ \"identity\": {\n \"type\": \"SystemAssigned\",\n \"principalId\": \"3be4dbdc-5fc8-4f92-b5cc-cdb57e4ff02a\",\n + \ \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\"\n },\n \"sku\": + {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n }" + headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/b3446a92-fad3-48fa-80d2-a907d7aa829f?api-version=2017-08-31 + cache-control: + - no-cache + content-length: + - '2876' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:32:27 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-writes: + - '1199' + status: + code: 201 + message: Created +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - aks create + Connection: + - keep-alive + ParameterSetName: + - -g -n -s -l -c --generate-ssh-keys + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/b3446a92-fad3-48fa-80d2-a907d7aa829f?api-version=2017-08-31 + response: + body: + string: "{\n \"name\": \"926a44b3-d3fa-fa48-80d2-a907d7aa829f\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:32:26.6836066Z\"\n }" + headers: + cache-control: + - no-cache + content-length: + - '126' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:32:28 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - aks create + Connection: + - keep-alive + ParameterSetName: + - -g -n -s -l -c --generate-ssh-keys + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/b3446a92-fad3-48fa-80d2-a907d7aa829f?api-version=2017-08-31 + response: + body: + string: "{\n \"name\": \"926a44b3-d3fa-fa48-80d2-a907d7aa829f\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:32:26.6836066Z\"\n }" + headers: + cache-control: + - no-cache + content-length: + - '126' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:32:59 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - aks create + Connection: + - keep-alive + ParameterSetName: + - -g -n -s -l -c --generate-ssh-keys + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/b3446a92-fad3-48fa-80d2-a907d7aa829f?api-version=2017-08-31 + response: + body: + string: "{\n \"name\": \"926a44b3-d3fa-fa48-80d2-a907d7aa829f\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:32:26.6836066Z\"\n }" + headers: + cache-control: + - no-cache + content-length: + - '126' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:33:29 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - aks create + Connection: + - keep-alive + ParameterSetName: + - -g -n -s -l -c --generate-ssh-keys + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/b3446a92-fad3-48fa-80d2-a907d7aa829f?api-version=2017-08-31 + response: + body: + string: "{\n \"name\": \"926a44b3-d3fa-fa48-80d2-a907d7aa829f\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:32:26.6836066Z\"\n }" + headers: + cache-control: + - no-cache + content-length: + - '126' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:33:59 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - aks create + Connection: + - keep-alive + ParameterSetName: + - -g -n -s -l -c --generate-ssh-keys + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/b3446a92-fad3-48fa-80d2-a907d7aa829f?api-version=2017-08-31 + response: + body: + string: "{\n \"name\": \"926a44b3-d3fa-fa48-80d2-a907d7aa829f\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:32:26.6836066Z\"\n }" + headers: + cache-control: + - no-cache + content-length: + - '126' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:34:29 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - aks create + Connection: + - keep-alive + ParameterSetName: + - -g -n -s -l -c --generate-ssh-keys + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/b3446a92-fad3-48fa-80d2-a907d7aa829f?api-version=2017-08-31 + response: + body: + string: "{\n \"name\": \"926a44b3-d3fa-fa48-80d2-a907d7aa829f\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:32:26.6836066Z\"\n }" + headers: + cache-control: + - no-cache + content-length: + - '126' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:35:00 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - aks create + Connection: + - keep-alive + ParameterSetName: + - -g -n -s -l -c --generate-ssh-keys + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/b3446a92-fad3-48fa-80d2-a907d7aa829f?api-version=2017-08-31 + response: + body: + string: "{\n \"name\": \"926a44b3-d3fa-fa48-80d2-a907d7aa829f\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:32:26.6836066Z\"\n }" + headers: + cache-control: + - no-cache + content-length: + - '126' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:35:31 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - aks create + Connection: + - keep-alive + ParameterSetName: + - -g -n -s -l -c --generate-ssh-keys + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/b3446a92-fad3-48fa-80d2-a907d7aa829f?api-version=2017-08-31 + response: + body: + string: "{\n \"name\": \"926a44b3-d3fa-fa48-80d2-a907d7aa829f\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:32:26.6836066Z\"\n }" + headers: + cache-control: + - no-cache + content-length: + - '126' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:36:01 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - aks create + Connection: + - keep-alive + ParameterSetName: + - -g -n -s -l -c --generate-ssh-keys + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/b3446a92-fad3-48fa-80d2-a907d7aa829f?api-version=2017-08-31 + response: + body: + string: "{\n \"name\": \"926a44b3-d3fa-fa48-80d2-a907d7aa829f\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:32:26.6836066Z\"\n }" + headers: + cache-control: + - no-cache + content-length: + - '126' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:36:31 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - aks create + Connection: + - keep-alive + ParameterSetName: + - -g -n -s -l -c --generate-ssh-keys + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/b3446a92-fad3-48fa-80d2-a907d7aa829f?api-version=2017-08-31 + response: + body: + string: "{\n \"name\": \"926a44b3-d3fa-fa48-80d2-a907d7aa829f\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:32:26.6836066Z\"\n }" + headers: + cache-control: + - no-cache + content-length: + - '126' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:37:02 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - aks create + Connection: + - keep-alive + ParameterSetName: + - -g -n -s -l -c --generate-ssh-keys + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/b3446a92-fad3-48fa-80d2-a907d7aa829f?api-version=2017-08-31 + response: + body: + string: "{\n \"name\": \"926a44b3-d3fa-fa48-80d2-a907d7aa829f\",\n \"status\": + \"Succeeded\",\n \"startTime\": \"2022-11-15T11:32:26.6836066Z\",\n \"endTime\": + \"2022-11-15T11:37:27.3166965Z\"\n }" + headers: + cache-control: + - no-cache + content-length: + - '170' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:37:32 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - aks create + Connection: + - keep-alive + ParameterSetName: + - -g -n -s -l -c --generate-ssh-keys + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.ContainerService/managedClusters/cli-test-aks-000001?api-version=2021-08-01 + response: + body: + string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/akkeshar/providers/Microsoft.ContainerService/managedClusters/cli-test-aks-000001\",\n + \ \"location\": \"westeurope\",\n \"name\": \"cli-test-aks-000001\",\n \"type\": + \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": + \"Succeeded\",\n \"powerState\": {\n \"code\": \"Running\"\n },\n \"kubernetesVersion\": + \"1.23.12\",\n \"dnsPrefix\": \"cli-test-a-akkeshar-1bfbb5\",\n \"fqdn\": + \"cli-test-a-akkeshar-1bfbb5-52714f14.hcp.westeurope.azmk8s.io\",\n \"azurePortalFQDN\": + \"cli-test-a-akkeshar-1bfbb5-52714f14.portal.hcp.westeurope.azmk8s.io\",\n + \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \"count\": + 1,\n \"vmSize\": \"Standard_B4ms\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": + \"Managed\",\n \"kubeletDiskType\": \"OS\",\n \"maxPods\": 110,\n + \ \"type\": \"VirtualMachineScaleSets\",\n \"provisioningState\": \"Succeeded\",\n + \ \"powerState\": {\n \"code\": \"Running\"\n },\n \"orchestratorVersion\": + \"1.23.12\",\n \"enableNodePublicIP\": false,\n \"mode\": \"System\",\n + \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n + \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": + \"AKSUbuntu-1804gen2containerd-2022.10.24\",\n \"enableFIPS\": false\n + \ }\n ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n + \ \"ssh\": {\n \"publicKeys\": [\n {\n \"keyData\": \"ssh-rsa + AAAAB3NzaC1yc2EAAAADAQABAAABgQDknmXRBGa/GuPCkpyydwCNedhfwINfrO674LWcBih2UjjJc5yULl9cD9LsYMWOzHVqM7H7RFxaONyq46h9vgxB/1XAeJUGc2jS8GS+vsS83bXX6vVrwa8wVeD380SJcF87oH3xf7/v2hlKv3drXi7xPE2JBjTHIOJJ6OxX+bAFXBqd1dPvnX1X7kEyX6vvjvuQrp7rFDbLq/eRpmng7kykodASQkUFZlt5+gH/U/z/a/DRoTocgzNqGl9RmesNtslQJs17Vn/JIJMM55qcRCEKoJ3Fq/Osnx3tHNA3G/vTs/+sVgh0tZmM6oIMRfTKzJskSZkMZOd8KtK/7ROCZO72izRmzwTFwFvRe/I7iHQ4PrjeKAqKDvgHJ/0LlaHmIYysZI21OTo6HcoX4HmA4RsIybNAM5SWeMMGiGe94/LYPk9sgB3o8aMv/nI/hr6vA28c2nso7itOuNcH1GZalAnbCObNv7QqVZ23FPlCjV9GXWCDCnQeCoIispJCrf68N5s= + fareast\\\\akkeshar@AkashLaptop\\n\"\n }\n ]\n }\n },\n \"servicePrincipalProfile\": + {\n \"clientId\": \"msi\"\n },\n \"nodeResourceGroup\": \"MC_akkeshar_cli-test-aks-000001_westeurope\",\n + \ \"enableRBAC\": true,\n \"enablePodSecurityPolicy\": false,\n \"networkProfile\": + {\n \"networkPlugin\": \"kubenet\",\n \"loadBalancerSku\": \"Standard\",\n + \ \"loadBalancerProfile\": {\n \"managedOutboundIPs\": {\n \"count\": + 1\n },\n \"effectiveOutboundIPs\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_akkeshar_cli-test-aks-000001_westeurope/providers/Microsoft.Network/publicIPAddresses/6e2f0794-e0b8-4616-8134-50c116471a1b\"\n + \ }\n ]\n },\n \"podCidr\": \"10.244.0.0/16\",\n \"serviceCidr\": + \"10.0.0.0/16\",\n \"dnsServiceIP\": \"10.0.0.10\",\n \"dockerBridgeCidr\": + \"172.17.0.1/16\",\n \"outboundType\": \"loadBalancer\"\n },\n \"maxAgentPools\": + 100,\n \"identityProfile\": {\n \"kubeletidentity\": {\n \"resourceId\": + \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/MC_akkeshar_cli-test-aks-000001_westeurope/providers/Microsoft.ManagedIdentity/userAssignedIdentities/cli-test-aks-000001-agentpool\",\n + \ \"clientId\": \"f7bc696b-0f88-445e-aed7-d11a045621ef\",\n \"objectId\": + \"07cfdbf8-ee7b-4a34-b5bf-64a7f2ff23f6\"\n }\n },\n \"disableLocalAccounts\": + false,\n \"securityProfile\": {}\n },\n \"identity\": {\n \"type\": + \"SystemAssigned\",\n \"principalId\": \"3be4dbdc-5fc8-4f92-b5cc-cdb57e4ff02a\",\n + \ \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\"\n },\n \"sku\": + {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n }" + headers: + cache-control: + - no-cache + content-length: + - '3536' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:37:34 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - aks get-credentials + Connection: + - keep-alive + Content-Length: + - '0' + ParameterSetName: + - -g -n -f + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.ContainerService/managedClusters/cli-test-aks-000001/listClusterUserCredential?api-version=2021-08-01 + response: + body: + string: "{\n \"kubeconfigs\": [\n {\n \"name\": \"clusterUser\",\n \"value\": + \"YXBpVmVyc2lvbjogdjEKY2x1c3RlcnM6Ci0gY2x1c3RlcjoKICAgIGNlcnRpZmljYXRlLWF1dGhvcml0eS1kYXRhOiBMUzB0TFMxQ1JVZEpUaUJEUlZKVVNVWkpRMEZVUlMwdExTMHRDazFKU1VVMlJFTkRRWFJEWjBGM1NVSkJaMGxSVEhoWEwybE1TV2RpYmtoM1FXazVjMUp0U1d3MWVrRk9RbWRyY1docmFVYzVkekJDUVZGelJrRkVRVTRLVFZGemQwTlJXVVJXVVZGRVJYZEthbGxVUVdkR2R6QjVUV3BGZUUxVVZYaE5WRWw2VFVST1lVZEJPSGxOUkZWNVRWUkZlRTVVUlhoTmVrMTNUVEZ2ZHdwRVZFVk1UVUZyUjBFeFZVVkJlRTFEV1RKRmQyZG5TV2xOUVRCSFExTnhSMU5KWWpORVVVVkNRVkZWUVVFMFNVTkVkMEYzWjJkSlMwRnZTVU5CVVVNeUNrWXpSVlF4YjJabGMySmhUbFZxY1dwQlRXVmxSbmhKZG1sNlQzRkhTVXhrVm5GRmFYSnlXa0ZTTnlzd2NHdHRhVGsxVFVwVEwxZ3ZVbTVNWWtaa09YVUtkRTlGYlcxaVNreDFWa0ZUU1hScFUzcHJkVnBvVUVneVVFdzBjVVJQVkVadGVuaElkM2xSZEdGb2FWaFRhSGx0T0ZCeE1IRTVaMFYzVGtzM2VHMTJMd3AwYW05QlVFWmxSVGRtTlVFMUwzQm1SMko1UVZCWFZucHBhMEkxYUVkTVlsWnBURFZ3Y1hkT1VqaFNialZCYnpOdFRUZGFUME5FWldrNWJETTVRMjVLQ205VE9YcERSeTh6WkhoSVozTm1SMDVJWVc5MVl6TmtkbEozZGpGaU9XTlJjR2xRWWxoTWJuVXJlSFp1VDNka1FqZzNTRVZoUmpKcGMxQlVTall5UW5nS2RqQk9OVkJoV0cxVWNEbGxjMDF6Ukc1eWEwVmpabWh3VkZSNFkycFZkbTk2VW5KamVuRnVkSE00YjJKYVdqZ3paelkxVEhwRlFuVmpMelozZGpjMGVBbzJVeTlJYm5WMGNtbHpZbEEyWVVwWGMzRk5Obm8yUjNWRmJETllibE5DV1hSNGFUZDRkV2MyVkhoMFRHOTZhRXhuVjBKNlVFVnplbVJFUmpWelRVWnRDa3MwTnpGSlNVeFhRMEpZYlZkWlNEVXdWeXRwTUVaaVUwaHNhREZQY25Ga2MyaGxjVWhVYVRGVFYydDJiblY2WXpWTFJGTm5lVE5EUkRVNE1XZGtSWFVLYWtsVGRHWjZTSGM1VUZWUkx6RlRXRTl0U0RKeVFrbzRhbVJKTkRCSGFVMUlVSE5IVmsxNGNHWllkRkZuU1ZGMlZFRldVVTFFYzBkU1RTczRSRXBOTWdwaWVpdGpXR3d4VHpWeFRuUmlURTVtVG1rek1rUm5kV2gyZUdobWJtODVibWxVVmtsVmRrY3JVMmx6VmxONmRrUnFRMFZzWTBOUWJWVmFUVUZNYW5weENqSnJSbUl4UWk5WE1rRnFWVlprUzFNdmEySTFWMGxJV2xWeFNtODRhbTlWTjBGYVZrRldVbFZ4UVVORk5WRklhbVJ3U0hwdFUxZHZMMFJEWVdNNGVESUtSMGR1VkVSb1RHbERUVUZ2Y2pGclJIQjZOekI2ZEZaTFdtdGxSRGRpWmtKUk0zRmhSR1o0Y3pSM1NVUkJVVUZDYnpCSmQxRkVRVTlDWjA1V1NGRTRRZ3BCWmpoRlFrRk5RMEZ4VVhkRWQxbEVWbEl3VkVGUlNDOUNRVlYzUVhkRlFpOTZRV1JDWjA1V1NGRTBSVVpuVVZWWWFXTTRORnBtWkRVMlJWTkpVbUUzQ201Q1JHSkNVVEVyYW13MGQwUlJXVXBMYjFwSmFIWmpUa0ZSUlV4Q1VVRkVaMmRKUWtGRGRucDVVRlpHVVU1QmRDdEliRzlDZGpnMU1ESmxZM1V2VEVrS2JWVkNWemhEVGk5S1FWSTNOMHhwYkhvMFltbHhRVFZVTm5JNGFYcFlhRk5pTjI5SGVYWk1SVnBVUW05cVVsaEhjbkZxWmxCaGIwTmphMkYzWWtsRk13cFlkVGt3Y1VweVdHZERXWEJPUzJ4aVpIa3dWMlZPWVd4VGNHMVhUVTlOWm05NWNGVnpOVFp0UTFwb1ZtUkdNSGswV0VoSFVtVnNTVXBCZUROelMzTTBDbmwxYVdKTUsyWkhUa1pJYTFWRmNrMU9UR1I0TkZOSWF5OXhOalJpVW5KU1VrRk1RbWxpVWk5RlpIVlFlR0ZwTUN0TlpXdzJkMlUxY0hwQ01YZ3hTRkFLVTJwRlEwczVXVXgwTkVOeWRqQkRLek5DUTFnd1RYRTBjVFIxVG5VclVWZGtSSGhITVVwTk9XMUNSbGhYWkdoNVUwcEZla0pZWVZweE1GRmpZbkJuTkFwNllsZ3pVa2hNYlZacFdsaFVlSGwxYkRFNVpHTkxjbGRRUjBoelJDOXhRUzlDVVU5aE9VNVFkelJOZDFGa1IyOUZWR0ZXUzNCMFkzZHFjVU5VVEhkS0NscHRhamc0VUdWc0syNU5jekJOZDFwRGMxWXJhMWt6VDJSTFdtMVVjemhOTDNWdGVGSlVlVTl2TXpOcVNWSXhLMEprVWtNNFIxSnBUbkZTT1hOU1J6WUtSbGxMU2xsWmJtSnhXVGxUUjJRNGQxSkllWEZWU25oeVpuSmtaMUl4Tm1SSFZEaDRVMHhQTkhwd1UxSklXWEZMYVdOR1NuZDRPVUpGTWxsa05sZ3ZTZ3BQY1RKSWFFOVJjbU5IVjA5UmVpODRjV0ZvWkVGQlowSTRjRmN6YWxKV1Jtc3dLMGxITlhKUVp6QTFURWg1UWt3MlUxUkZXVEpPUlhWRVlqZHljMXBUQ2xsVGNFSm9lakpMYjNSVE1Ya3pabkF4U1daMlVHZE5kR05qTkdwdVZrcFVXRUpWUm1WcVZEUjNjSHBXVjJnd1NWZGlZV2RDT0ZsWVpXb3JXa3hNTUZVS1RFOVJRVGhSWW01M2VtNDRWRTR3VHpsTk1rWTNRV2R0TlZSS2RVUlhWemc0ZDJoRU9FaFRTa1pRVkN0VFpWUm9WMU0xYUc1MlRrcEpVM2hvYkVwdFRBb3paeXRaYzNoamRqUjZSMkkxY1dkeENpMHRMUzB0UlU1RUlFTkZVbFJKUmtsRFFWUkZMUzB0TFMwSwogICAgc2VydmVyOiBodHRwczovL2NsaS10ZXN0LWEtYWtrZXNoYXItMWJmYmI1LTUyNzE0ZjE0LmhjcC53ZXN0ZXVyb3BlLmF6bWs4cy5pbzo0NDMKICBuYW1lOiBjbGktdGVzdC1ha3MtdXF0Mmszb2FvdWkKY29udGV4dHM6Ci0gY29udGV4dDoKICAgIGNsdXN0ZXI6IGNsaS10ZXN0LWFrcy11cXQyazNvYW91aQogICAgdXNlcjogY2x1c3RlclVzZXJfYWtrZXNoYXJfY2xpLXRlc3QtYWtzLXVxdDJrM29hb3VpCiAgbmFtZTogY2xpLXRlc3QtYWtzLXVxdDJrM29hb3VpCmN1cnJlbnQtY29udGV4dDogY2xpLXRlc3QtYWtzLXVxdDJrM29hb3VpCmtpbmQ6IENvbmZpZwpwcmVmZXJlbmNlczoge30KdXNlcnM6Ci0gbmFtZTogY2x1c3RlclVzZXJfYWtrZXNoYXJfY2xpLXRlc3QtYWtzLXVxdDJrM29hb3VpCiAgdXNlcjoKICAgIGNsaWVudC1jZXJ0aWZpY2F0ZS1kYXRhOiBMUzB0TFMxQ1JVZEpUaUJEUlZKVVNVWkpRMEZVUlMwdExTMHRDazFKU1VaSVZFTkRRWGRYWjBGM1NVSkJaMGxSUmtacFdtVm9ObHBRYjJZemIwcExZbGRZV2tNclJFRk9RbWRyY1docmFVYzVkekJDUVZGelJrRkVRVTRLVFZGemQwTlJXVVJXVVZGRVJYZEthbGxVUVdWR2R6QjVUV3BGZUUxVVZYaE5WRWw2VFVST1lVWjNNSGxPUkVWNFRWUlZlRTFVVFhwTlJFNWhUVVJCZUFwR2VrRldRbWRPVmtKQmIxUkViazQxWXpOU2JHSlVjSFJaV0U0d1dsaEtlazFTVlhkRmQxbEVWbEZSUkVWM2VIUlpXRTR3V2xoS2FtSkhiR3hpYmxGM0NtZG5TV2xOUVRCSFExTnhSMU5KWWpORVVVVkNRVkZWUVVFMFNVTkVkMEYzWjJkSlMwRnZTVU5CVVVSVlRITnZTbEJYV1c5SFJWSklOVkV5Y3pseEsyMEtPRUkwS3k5cGJ6bDRjbXA2S3pCb1UxTXJlSHBLUkhsNGNXdHBlSFZPTmxGNGJUUTBlR2RMTWpkRk5rUm5TRWRGVkVwSVNFaE9SVVpCWkhWdVpWWjFZZ3BVVUVaME5tVTJSM2RqVUhwck0ydFRhRkZaUW5SaWRVUm1LMGhIWkhkTmRqaDRieXMyYzFsUVNtTlBSa2xFVUZkTFdEVkViRmxVV1VaTmIwWlZjMGxoQ25NM1VsTmFValZDVmpGR1NuUkRMMDV1VkZaaFVXODViRWhMZVUwMFIyOWFZbmhvTVhwVVpGWlVNaXRoZVVWc2JtMTNSVFJ3YjFacFFsRlRSazVGTXk4S1JXSlVTM0phTmxKRU9YYzBjMWszT0hOdWFrbFlaWGhMUkRSdFlubGpWM0JTTkRSRFdYbExiM2M0UTFwVFJXUTNLME52TXk5cVNuVkNRbXB3TUdwWlNRcHFiVzFQVVZwUlJEQnBWRWRCU0cxWVRVNXJMemg0TmxFMlkzUlNSSGgwZVRGalFUUlBhV1o0UVhNNVdUVXJPRVpVV1VkYVdtVkRNMnRYZW5GWldtaDJDbVZ0TTBOTlkyeERWMFJ6VlhkcWIwa3ZZaTlQZWpOblVWQTRaWE5wVGprdk4waDNlWE5TYlhwblYxZDFZbUZTY1dvM1lYVTRhRTlCVlZwS1EweHlaME1LV0ZSb2VsTTVlR3hWZDFWdGJYQkdPUzlIUlRkSFpqWlNVSFpOTm1kNlRHZExNU3RMUVUxRVEwMUNNRTEzZFRNcmVWVmtTQ3RJVFZSalpWWmlhRTl1V2dvNU1UbHNOa0ZZYjBWYVRVaDViRFJsVlVWclVuZ3pXV2hCYWtjNGQxVjZiV2xpU1VWWGJXeDFiR3g1VlhVdlZEUXpNVkpPZFV4eVRXUlJaSEZsYzFST0NrZ3ZjMFk1VWtZclRVTTFaRXB3V0ZoM2JsbHphM0ZKVjBkdGRrRTVWR1ZpYTNaemNVNXBOMlEzTURkVVkwVllkVTlFY1ZoWE1FeFliVU40Y1hGelprUUtaa3h1ZFZad2NrSldSMnR4YTFseEszZDFWRVJsWTNKWFFVVTBhMHBSWjNGMU0zVkVlRkZHU2tSUU0xWmpVV1o2UVdOcVNHNU1OSEl6Um01TkszTlBkQXBqVVdWRGRFdEVMemQ1YTFCVVprTnhVVU12YWk5M1NVUkJVVUZDYnpGWmQxWkVRVTlDWjA1V1NGRTRRa0ZtT0VWQ1FVMURRbUZCZDBWM1dVUldVakJzQ2tKQmQzZERaMWxKUzNkWlFrSlJWVWhCZDBsM1JFRlpSRlpTTUZSQlVVZ3ZRa0ZKZDBGRVFXWkNaMDVXU0ZOTlJVZEVRVmRuUWxKbFNucDZhR3c1TTI0S2IxSkphRVp5ZFdORlRuTkdSRmcyVDFocVFVNUNaMnR4YUd0cFJ6bDNNRUpCVVhOR1FVRlBRMEZuUlVGb1duVkJjMWh4Unk5cmFuWkZlbEF6TDB0MGF3cHJjbWRFV1hkTFduWkxka1ZaUlU1b1FrNW5aVWhXSzBKbVpVMUxPWE5tZDBsYVJtWnVlbTFyTVZkQmFWUXlOMWRvTW1FMFVHNVdWV0ZEWkhoU1ZTOWlDbVExV2tFeVNTczRWbW95UzBneVkydzJXRE4zU25CVlNrUmxRelEyZFZONE9XVTVjMHRVYUVndk9HeGtaR3BUZDNsb2RXaExTRWRpY0ROMFNHOUxNQzhLYzBvd1YzRmxhSFJuZGpaMlZ6UkdNbmxPUVVWbloyaDFVVmhGV25acWJtb3ZWblZWVm1kcWNGVk5jQzlZUlVSa1VEbFhabTFtUTJWVmVVOVFUREYzVFFwNFlqaHhOMGhvVVdGSlEydzJVV05FUmtsYVZVdDRabVpoVG1aQ1NqTnhlbFZ2YmxkNmFEVnNTVEJ2UW01TVEySnBNVWQxUlZkMmVubFNWMjFVTW1GVkNreHZWMGRpYlVwd1VGQlNlVTVtZUZFNVdXeEdabG93Y2tKc2IzTXpZMnBJUlVwcVdtczVWMFJRYURsNVZtbENjalZIWVVwbFYySmpWR3RyTWtncmFFOEtWV2g2VUZCc2RYRjVhVXBNVkRBMmVGbElXWEpJWTNvd1NWQjFNVmRFTDFsU1QyMDRRbTB2S3psRGJuSmtlVkJ0WWxNNGFtMUdTbk0wVVZsWE1GbEJTQXBOV0VOS1dubExNMnBTZVdKRGNXcG9iWGN6TDBoMmEwZGpXVTF6T1Zvd2JraHRjVTl5UzJSMVUzaDJhM013YkZoNWJXOTNUbmRhWmpKT2IzVlNRVVF2Q25OTFpFTTJibXBFVDIxVlNuTjNVV1owTDAxcmR6YzRiQzlvUkhKTlVWSjRjazFHUzI0MFRsSllOMFZhTHpKdGR6WndNVzlSZWxoU1dHeFNNVzlzTkZjS1RscG1WRUUzTjBKSU4wMUNTSFZhVFVWUFF6ZFVkVzlXTVVWVldFRnBXWE5wYVhaMmFuVndMell6UmxCQ1MyY3llVWxwYUdsaVYxUkhOak5TVmt4dk13cGlWVEoyTnpGclUxSktXbkpRWkdVNGQwUlFUMGhyUlZadFRISlNiV3RUSzBoRGFrbHdia1p5TXpCcVduWldNRWsyU0VSNFUyaHlkRlZVYlhoRlluTkpDamxrWWtwVlVGZEhRMEpKVUdkd05XVXpLMEp3TDA5alBRb3RMUzB0TFVWT1JDQkRSVkpVU1VaSlEwRlVSUzB0TFMwdENnPT0KICAgIGNsaWVudC1rZXktZGF0YTogTFMwdExTMUNSVWRKVGlCU1UwRWdVRkpKVmtGVVJTQkxSVmt0TFMwdExRcE5TVWxLUzJkSlFrRkJTME5CWjBWQk1VTTNTME5VTVcxTFFtaEZVaXRWVG5KUVlYWndka0ZsVUhZMGNWQmpZVFE0TDNSSlZXdDJjMk41VVRoellYQkpDbk5pYW1WclRWcDFUMDFaUTNSMWVFOW5ORUo0YUVWNVVuaDRlbEpDVVVoaWNETnNZbTB3ZW5oaVpXNTFhSE5JUkRnMVRqVkZiMVZIUVdKWE4yY3pMMmdLZUc1alJFd3ZUV0ZRZFhKSFJIbFlSR2hUUVhveGFXd3JVVFZYUlRKQ1ZFdENWa3hEUjNKUE1GVnRWV1ZSVm1SU1UySlJkbnBhTURGWGEwdFFXbEo1Y3dwcVQwSnhSMWM0V1dSak1ETldWVGwyYlhOb1NsbzFjMEpQUzJGR1dXZFZSV2hVVWs0dmVFY3dlWEV5Wld0UkwyTlBURWRQTDB4S05IbEdNM05UWnl0S0NtMDRia1p4VldWUFFXMU5hWEZOVUVGdFZXaElaUzluY1U0dk5IbGlaMUZaTm1SSk1rTkpOWEJxYTBkVlFUbEphM2huUWpWc2VrUmFVQzlOWld0UGJrd0tWVkU0WW1OMFdFRlBSRzl1T0ZGTVVGZFBablpDVlRKQ2JWZFlaM1ExUm5NMmJVZFpZak53ZEhkcVNFcFJiR2MzUmsxSk5rTlFNaTk2Y3prMFJVUXZTQXB5U1dwbVppdDRPRTF5UlZwek5FWnNjbTB5YTJGdkt6Snlka2xVWjBaSFUxRnBOalJCYkRBMFl6QjJZMXBXVFVaS2NIRlNabVo0YUU5NGJpdHJWRGQ2Q2s5dlRYazBRM1JtYVdkRVFYZHFRV1JFVFV4MEwzTnNTRkl2YUhwRk0waHNWelJVY0RKbVpHWmFaV2RHTmtKSFZFSTRjR1ZJYkVKS1JXTmtNa2xSU1hnS2RrMUdUVFZ2YlhsQ1JuQndZbkJhWTJ4TWRqQXJUamxWVkdKcE5ucElWVWhoYm5KRmVsSXZOMEptVlZKbWFrRjFXRk5oVmpFNFNqSk1Ta3RwUm1od2NncDNVRlV6YlRWTU4wdHFXWFV6WlRsUE1ETkNSamRxWnpac01YUkRNVFZuYzJGeGNraDNNM2sxTjJ4aFlYZFdVbkJMY0VkTGRuTk1hM2N6YmtzeFowSlBDa3BEVlVsTGNuUTNaemhWUWxOUmVqa3hXRVZJT0hkSVNYZzFlU3RMT1hoYWVsQnlSSEpZUlVobmNsTm5MeXM0Y0VRd00zZHhhMEYyTkM4NFEwRjNSVUVLUVZGTFEwRm5RWFpLYWt0SksxSmlVbEpCYzNkUGNYSmxVek5pWlhweE5qVTJjbkY1VUZreGREQmxTRkpRT0ZCTlJtcHdVMlJJWkhjemNHRXJZbmR0YUFwSVoyTlBXazVhVW1wSFNYUk9kVXRTTnpCd1dFcFpSMDAxYmlzdmN6aHdWMVpWZUVkeU5XNHJZbm92VWt0TVVXSXZlV3R4TkVkcWIwNUNkMGRPUzNkYUNsaFJkMm8wTkRGa09FeHFNRVozV2xOMVJTOXlkMFJ5WjBWbVRFZEJhbUpKZEVkWFZIVllXamQyVld3clJrUm1PVEZhY1U1eGJVTkNZMWxFUTBwQ2FUUUtXRXRETWtkVkwwRm5hemhzWTJGR1JUSkhVRGxWZDFsa1NETkdVbWMzY1RjMmRtRTBXREpFWkZSRU9YTXdZUzlpVUd4MU5saFdaVVIzWTA1c2FWWjJOZ3BHWkU1dE1IaEVhVkIwYURkeFRIRm5PVXRDTmtvdmFuUlNSMUI2V2sxdU5UZFpTMXByYzBoUVMyUXpZa0psVkZGMlFrdElkWGgzVGpaRFFpdFdVbVJCQ25BeFQyMTZObmRLYjI5b1VHdHNhVUpKVFRGa2JsUm5jRzlSVWtKSldYQnhjRXRZYTNsYWFDdHhZVXRwTkZGeGJYZGpkRTFRYW5rM00xUkhXaXRKTjIwS1JXUjZTR2xhVEcxdU1GVnNkME12UzNaMVMzVlJMMUZEVVRNck5VaFdXblp0UzFaWWVtMDNNbWxpU1RGeFpYWklSVGd3YVhSb2VIQm9OMFU1YldsU1ZncE1XVFpXWTNVd2VuSlRkRFJXVlRWaFZYZDBRMUJWVjBGNGJrMXdkMjgwUjBZd01sQm5OWFEzTkhKVVNEQnlVV1ZEZVdkVloycE1aMlJ0SzA1cWNHa3lDbEpOV2s1RGFEZHhWME13VWxOaVJGSkdXR1l2WTFsM01XMHZRbmRoVEVFNWJTOXZTVEpIVWxGSGFqZ3dlRk0zTUcxdFV6bDBOemRLWjI1UFJqUklUWElLVkRncmMySldUVWt6VGtaYVZ5OTVOVGRwVGxWakwyOU5aV2N2WkdSb2RteHlaVVl6U0cxbGNuQjBja05PVms5eGVVWXlOWGszYlhoeFYyNDFUVU5QTXdwS00wTmhRVlJvUjNSS1JIaG9XbkJNYkcxQk1VZEdaRWhOVGxCcFNHSXhXVWxMTUhGeGMxSkZWaTlrWVhNNUwxZDFVVXREUVZGRlFUSlVOVmRETUVKd0NqZHRiR0o0YXlzMlowRkdWVGcwZVZsdllXcFhka1pEYldOUE5YaEpiekZ1YzNoRlZsSjJaRVpOTnpCcVVWSmtlSHBFZUU1b05FRklNRmg2UmtremJVWUtTV3Q1VEhkWmNHRTJSM1prTjFwd1ZIaGxjbVI1TTFSSGNHZGxTR3BEUXl0VVpVODJWazF1UWxkWWNUUTNjRUkwVHl0MGF6UXlXRFJOZEhBcmMxWmxWQXBzTm5wa1VWRjRORll6ZUhadWIxQnRXV0pqTmxVclRUSkRibXhXUlRGd1VGVXplSHAxZDI5Q2VHbFhlWE00WVRJNVdqZG1LMWhEV1ZwalpGVkJSbU56Q2xOaU1ERnhWMmhYZDBSWGJURXljRVpUTVdkS1EyVTJWMkZoYVZZclNVTnZSa1ptTDFCaGRYSnZjRmhLWWpOV2JYaE9kREZXWlc1cldWQlZkbGQyUkdVS1YwUktRbTVuUWxOaWIzVlBUelZRYlc1VU9HdHRjVkYyYjFGSFpXWXZkVXhuUWxoNFZYbFlNVzkyVUVOeU9EaG1iWEZUYlVoWFJVWnZNelZ5VkZGRk5RcFRjMHAwUkhSYVJqYzNjbk0wZDB0RFFWRkZRU3RuYkZSak5FTjFXRGRVWVdscGFGcDVSVE5TUzJ0U09GVmpTWGhqUldSaGFYaG9LMnhtWjAxRWVEVkRDbEJSTjIxMVJuZENaRkpaVG0xSWJHOW9hRU15TlhONVdHNXplRTlNTURCbk4xWTNOREJRVlRWTVpUbE5RbWhEZFRab1RXWm9jVFZSTWl0TldXZDVSRElLSzNCT2VuZHNXa2hESzFkQlpIUlNRbXBZVmpKeWNqUndNMlI1U0hkRFZHTmlhazVwZVROaU1XUm5Zbk14Wm1KTlMycHVNbXRFZFdvMlkwbHNNa2x5VEFwRk5uSk1XV3htV21JNFpFTmtSMUlyZDI5MVowMDJNVEZVYVdoTWVHNWhhRlZXYTNZeU4xUm9Wa0Z5UTFocU9WbE5jMk5UWVhCTlEyTldhRWc0WVZvMUNrVnRRaXRQVkdGRlRucEhRbkJLYlN0blJsWkNOakZ0YnpRdlMwSk5iR1pxUWtvMksxQnpUMDk1WmtOREswaG9RVEEwY2xkU2FIWkNhRE5zT1V4b1Uzb0tXa0l6UW1wemNGQmtlVkpUUzBkM05YZHdaMUJyTnpjd2FIcEVRMmQ1YTJKS2FuZERTV1puVkU1UlMwTkJVVVZCYlZkR1VXOU5jMDkyTlhjeGFISk9PUW8yY1dsSFJWSnhRVWhSY3pJMlYyaE1lVEJ2WlV0S1dVd3hSSEpKWldZeFZrbzJNWFpQWVV4VE0zRTNiekJxVmt4Nk9WVXlNM1JCUzJSdFpua3JSMlV4Q25aWmJVTXZRMGhOTm1SNmExVmhVMWRMUmpCRGFqWlpRMnh5TW14TVpqTjNaa1IxVVZoRFl6Sk1TMEZMT0VJMWNtVlpVVmxzVWpsUEwyNVRNMFpvYXpJS01HaFllVkJOYmtadE9VbG5OVlk1ZWtwVWRqZElRbTVWUkdjMk9VdDROWEZ0UkhFdmFTOTRUaloxWTAxSVdFbHZkSGgwWm5KSmJtWndRVkp3TkdKNlp3cEhkamhIVml0eldrWTFVVVprWWxNeFJEZzFUMkpHUW5neU1FMTRNalZ1WTB0WlRqRTBSRXhWY0RCTFJ5dHRlVlJ4VURCVVVGUk1OREpQTlV0ek9FcHZDbU5PU1hCVWRHdHBjRzR3VWxjdmJESkJNR2hCV0hZek4zaFRaelExVlhKVmRtZE5Oblp4VVZCSVZVVkpXVFFyTDNsdGIxVlhhRGN5UlRGc2IxcEhVbGNLY0cxaGEyNTNTME5CVVVWQmQzbGxhMU4yUzFaS016UjRWazFTU25veE1YUmtSMEZtTmtoQ05YaG1hbkpaYzFkeWFEaEpha295YlcxeFlVZElNSG94T0Fwd1ltRm5lR1pHT0RnMllqUkhkM2d4UTNsNlRHMVlMMHAzTTNaMFIwdDBUMEprZUZGeGFYTTNWM1JsZVUwMWVUWXpLMVpSY2tsb0sxQlFXRFV4UTFWcUNreDBXR2xtZERCTmFsTjVlR2hhU2tobGVrMHhaMWhPUkRKWUsybEVUWGs0Y1ZoTFpWTkRTbkJIUlhoR1pHazBWM05qTUc1WVQzZ3pkRTVKUzBSTFoyc0tkbTF1TkVwSlEweHlObnB5VkZkeFJuUkpjMlpIWW1obFJWQkNZblZzUW1wNmQxUlhNRVpyUVhKcFJsTTNibloyTTBObVltWXpSUzgzYldkRFNGRllRUXBFU2xKSVlrRklWQzl5WVUxNlVGVmxURlY1UzB0d1JVOVVMM3BYTkVsWmFWaE9kWE5ZWlV3clRtZzJXRkZCUmtvdlJVOUhkMUZFU0ZFNE1ERXhaekY1Q2tkTWRuZHdSSGhWYlU0eU1ubHpjWGRqVWxKT2RtSklTSHAyTDI1aGFuZEhVVkZMUTBGUlJVRXhWSG92TUdOMFdsZEVlbGhWYkd0UlJrTldiVkZDV1dzS1dHOTVSVzlZWkV4VFQwSjJlVVJzZFZsR01UVlRiblp1Ym1kTmJuZDZMMjUzWjA1aFpFWlVkR0ZVWkZkNFltOXlUbFZVTVdkSFptc3hNVFZYZUVSYU5RcDJSM0ZuY2pac1ltVTBkV1ZoYWpNMWFtRkpUemQ1UlhOTEt6ZG9aemcyYUc0d01uRm1ablpEVlhGVlZVRnpRbTFWZVZaQ1YzYzFTbFpCWTJVekwycHlDazF0U1ZnMVNVUldTbGRwYVN0U1pEUlpiVzVrWTB0VFRWZHVia2gyWlZvMlZFdEtkMnh4TVVwU01GcHpaRzFhYUhwVVNEbHNNbXQyWjA1d05YQndiRElLWjFwMlpYVm5Vbk5vWjFaaVZVeEhkVGxzVjNSM016Sm9RbWN6U1ZsTmFsVlFSR3d6TnpWd0wzSXlXVTFHZFVWRWJHNVJPR1l6YjBwbUwxZ3djRzQzT1FwWU0zbDFlRGgzYUdST1NVWm9NbXRGVWxGaVVGWnROWE5FTTFCcVJuQkpWMkZqZWxOQksxcHBSbUZ6YVdoQ2NtbHVOSFpuWVRjelRXRlNVM2R2UVQwOUNpMHRMUzB0UlU1RUlGSlRRU0JRVWtsV1FWUkZJRXRGV1MwdExTMHRDZz09CiAgICB0b2tlbjogYWZhMTEzNDc2MzkzYjYzNWM0Zjc1NDczZTQ5MjMyMGQ1MTgzMzJiYmIyYmE5Mzk2Y2ZmZjQzNGNiZWU3MmRjNjQwZjQ2YjhkYWEyNWQyZWFhZjg3NmFhNmVmMTRkNWE0Y2RjYjNjNTdlOTM2M2M3ODRkODgzM2MzNDU2YTQyYTEK\"\n + \ }\n ]\n }" + headers: + cache-control: + - no-cache + content-length: + - '13140' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:37:36 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-writes: + - '1198' + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s connect + Connection: + - keep-alive + ParameterSetName: + - -g -n -l --tags --kube-config + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Kubernetes?api-version=2021-04-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Kubernetes","namespace":"Microsoft.Kubernetes","authorizations":[{"applicationId":"64b12d6e-6549-484c-8cc6-6281839ba394","roleDefinitionId":"1d1d44cf-68a1-4def-a2b6-cd7efc3515af"},{"applicationId":"359431ad-ece5-496b-8768-be4bbfd82f36","roleDefinitionId":"1b5c71b7-9814-4b40-b62a-23018af874d8"},{"applicationId":"0000dab9-8b21-4ba2-807f-1743968cef00","roleDefinitionId":"1b5c71b7-9814-4b40-b62a-23018af874d8"},{"applicationId":"8edd93e1-2103-40b4-bd70-6e34e586362d","roleDefinitionId":"eb67887a-31e8-4e4e-bf5b-14ff79351a6f"}],"resourceTypes":[{"resourceType":"connectedClusters","locations":["West + Europe","East US","West Central US","South Central US","Southeast Asia","UK + South","East US 2","West US 2","Australia East","North Europe","France Central","Central + US","West US","North Central US","Korea Central","Japan East","West US 3","East + Asia","Canada Central","East US 2 EUAP","Canada East"],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"SystemAssignedResourceIdentity, + SupportsTags, SupportsLocation"},{"resourceType":"locations","locations":[],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/operationStatuses","locations":["East + US 2 EUAP","West Europe","East US","West Central US","South Central US","Southeast + Asia","UK South","East US 2","West US 2","Australia East","North Europe","France + Central","Central US","West US","North Central US","Korea Central","Japan + East","East Asia","West US 3","Canada East","Canada Central"],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"None"},{"resourceType":"registeredSubscriptions","locations":[],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"None"},{"resourceType":"Operations","locations":[],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview","2019-11-01-preview","2019-09-01-privatepreview"],"capabilities":"None"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' + headers: + cache-control: + - no-cache + content-length: + - '2416' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 11:37:39 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s connect + Connection: + - keep-alive + ParameterSetName: + - -g -n -l --tags --kube-config + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration?api-version=2021-04-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration","namespace":"Microsoft.KubernetesConfiguration","authorizations":[{"applicationId":"c699bf69-fb1d-4eaf-999b-99e6b2ae4d85","roleDefinitionId":"90155430-a360-410f-af5d-89dc284d85c6"},{"applicationId":"03db181c-e9d3-4868-9097-f0b728327182","roleDefinitionId":"DE2ADB97-42D8-49C8-8FCF-DBB53EF936AC"},{"applicationId":"a0f92522-89de-4c5e-9a75-0044ccf66efd","roleDefinitionId":"b3429810-7d5c-420e-8605-cf280f3099f2"},{"applicationId":"bd9b7cd5-dac1-495f-b013-ac871e98fa5f","roleDefinitionId":"0d44c8f0-08b9-44d4-9f59-e51c83f95200"},{"applicationId":"585fc3c3-9a59-4720-8319-53cce041a605","roleDefinitionId":"4a9ce2ee-6de2-43ba-a7bd-8f316de763a7"}],"resourceTypes":[{"resourceType":"sourceControlConfigurations","locations":["East + US","West Europe","West Central US","West US 2","West US 3","South Central + US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France + Central","Central US","North Central US","West US","Korea Central","East Asia","Japan + East","Canada East","Canada Central","Norway East","Germany West Central","Sweden + Central","Switzerland North","Australia Southeast","Central India","South + India","Japan West","Uk West","France South","Korea South","South Africa North","East + US 2 EUAP","Central US EUAP"],"apiVersions":["2022-07-01","2022-03-01","2021-03-01","2020-10-01-preview","2020-07-01-preview","2019-11-01-preview"],"defaultApiVersion":"2022-03-01","capabilities":"SupportsExtension"},{"resourceType":"extensions","locations":["East + US","West Europe","West Central US","West US 2","West US 3","South Central + US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France + Central","Central US","North Central US","West US","Korea Central","East Asia","Japan + East","Canada East","Canada Central","Norway East","Germany West Central","Sweden + Central","Switzerland North","Australia Southeast","Central India","South + India","Japan West","Uk West","France South","Korea South","South Africa North","East + US 2 EUAP","Central US EUAP"],"apiVersions":["2022-07-01","2022-04-02-preview","2022-03-01","2021-09-01","2021-05-01-preview","2020-07-01-preview"],"defaultApiVersion":"2022-07-01","capabilities":"SystemAssignedResourceIdentity, + SupportsExtension"},{"resourceType":"fluxConfigurations","locations":["East + US","West Europe","West Central US","West US 2","West US 3","South Central + US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France + Central","Central US","North Central US","West US","Korea Central","East Asia","Japan + East","Canada East","Canada Central","Norway East","Germany West Central","Sweden + Central","Switzerland North","Australia Southeast","Central India","South + India","Japan West","Uk West","Korea South","France South","South Africa North","East + US 2 EUAP","Central US EUAP"],"apiVersions":["2022-07-01","2022-03-01","2022-01-01-preview","2021-11-01-preview","2021-06-01-preview"],"defaultApiVersion":"2022-07-01","capabilities":"SupportsExtension"},{"resourceType":"operations","locations":[],"apiVersions":["2022-03-01","2022-01-01-preview","2021-12-01-preview","2021-11-01-preview","2021-09-01","2021-06-01-preview","2021-05-01-preview","2021-03-01","2020-10-01-preview","2020-07-01-preview","2019-11-01-preview"],"capabilities":"None"},{"resourceType":"privateLinkScopes","locations":["East + US","West Europe","West Central US","West US 2","West US 3","South Central + US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France + Central","Central US","North Central US","West US","Korea Central","East Asia","Japan + East","Canada East","Canada Central","Norway East","Germany West Central","Sweden + Central","Switzerland North","Australia Southeast","Central India","South + India","Japan West","Uk West","Korea South","France South","South Africa North","East + US 2 EUAP","Central US EUAP"],"apiVersions":["2022-04-02-preview"],"capabilities":"SupportsTags, + SupportsLocation"},{"resourceType":"privateLinkScopes/privateEndpointConnections","locations":["East + US","West Europe","West Central US","West US 2","West US 3","South Central + US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France + Central","Central US","North Central US","West US","Korea Central","East Asia","Japan + East","Canada East","Canada Central","Norway East","Germany West Central","Sweden + Central","Switzerland North","Australia Southeast","Central India","South + India","Japan West","Uk West","France South","Korea South","South Africa North","East + US 2 EUAP","Central US EUAP"],"apiVersions":["2022-04-02-preview"],"capabilities":"None"},{"resourceType":"privateLinkScopes/privateEndpointConnectionProxies","locations":["East + US","West Europe","West Central US","West US 2","West US 3","South Central + US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France + Central","Central US","North Central US","West US","Korea Central","East Asia","Japan + East","Canada East","Canada Central","Norway East","Germany West Central","Sweden + Central","Switzerland North","Australia Southeast","Central India","South + India","Japan West","Uk West","South Africa North","Korea South","France South","East + US 2 EUAP","Central US EUAP"],"apiVersions":["2022-04-02-preview"],"capabilities":"None"},{"resourceType":"namespaces","locations":["East + US 2 EUAP","West US 2","East US","West Europe","West Central US","West US + 3","South Central US","East US 2","North Europe","UK South","Southeast Asia","Australia + East","France Central","Central US","North Central US","West US","Korea Central","East + Asia","Japan East","Canada Central","Canada East","Norway East","Germany West + Central","Switzerland North","Sweden Central","Central India","South India","Australia + Southeast","Japan West","Uk West","France South","Korea South","South Africa + North"],"apiVersions":["2021-12-01-preview"],"defaultApiVersion":"2021-12-01-preview","capabilities":"SupportsExtension"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' + headers: + cache-control: + - no-cache + content-length: + - '6074' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 11:37:39 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Content-Type: + - application/json + User-Agent: + - OpenAPI-Generator/24.2.0/python + method: GET + uri: https://cli-test-a-akkeshar-1bfbb5-52714f14.hcp.westeurope.azmk8s.io/version/ + response: + body: + string: "{\n \"major\": \"1\",\n \"minor\": \"23\",\n \"gitVersion\": \"v1.23.12\",\n + \ \"gitCommit\": \"f941a31f4515c5ac03f5fc7ccf9a330e3510b80d\",\n \"gitTreeState\": + \"clean\",\n \"buildDate\": \"2022-11-09T17:12:33Z\",\n \"goVersion\": \"go1.17.13\",\n + \ \"compiler\": \"gc\",\n \"platform\": \"linux/amd64\"\n}" + headers: + audit-id: + - 56bdbb39-bcde-4d18-afe2-5870af4f026a + cache-control: + - no-cache, private + content-length: + - '265' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:37:40 GMT + x-kubernetes-pf-flowschema-uid: + - 2920afa3-e99e-4ce9-aad1-ae980c0c23f4 + x-kubernetes-pf-prioritylevel-uid: + - 9a1ba86f-7d0f-4aa9-baa2-6f999741c9e7 + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Content-Type: + - application/json + User-Agent: + - OpenAPI-Generator/24.2.0/python + method: GET + uri: https://cli-test-a-akkeshar-1bfbb5-52714f14.hcp.westeurope.azmk8s.io/api/v1/nodes + response: + body: + string: '{"kind":"NodeList","apiVersion":"v1","metadata":{"resourceVersion":"1557"},"items":[{"metadata":{"name":"aks-nodepool1-30157530-vmss000000","uid":"3afcee7e-70b5-4205-8c41-25c2da42116d","resourceVersion":"1235","creationTimestamp":"2022-11-15T11:35:31Z","labels":{"agentpool":"nodepool1","beta.kubernetes.io/arch":"amd64","beta.kubernetes.io/instance-type":"Standard_B4ms","beta.kubernetes.io/os":"linux","failure-domain.beta.kubernetes.io/region":"westeurope","failure-domain.beta.kubernetes.io/zone":"0","kubernetes.azure.com/agentpool":"nodepool1","kubernetes.azure.com/cluster":"MC_akkeshar_cli-test-aks-000001_westeurope","kubernetes.azure.com/kubelet-identity-client-id":"f7bc696b-0f88-445e-aed7-d11a045621ef","kubernetes.azure.com/mode":"system","kubernetes.azure.com/node-image-version":"AKSUbuntu-1804gen2containerd-2022.10.24","kubernetes.azure.com/os-sku":"Ubuntu","kubernetes.azure.com/role":"agent","kubernetes.azure.com/storageprofile":"managed","kubernetes.azure.com/storagetier":"Premium_LRS","kubernetes.io/arch":"amd64","kubernetes.io/hostname":"aks-nodepool1-30157530-vmss000000","kubernetes.io/os":"linux","kubernetes.io/role":"agent","node-role.kubernetes.io/agent":"","node.kubernetes.io/instance-type":"Standard_B4ms","storageprofile":"managed","storagetier":"Premium_LRS","topology.disk.csi.azure.com/zone":"","topology.kubernetes.io/region":"westeurope","topology.kubernetes.io/zone":"0"},"annotations":{"csi.volume.kubernetes.io/nodeid":"{\"disk.csi.azure.com\":\"aks-nodepool1-30157530-vmss000000\",\"file.csi.azure.com\":\"aks-nodepool1-30157530-vmss000000\"}","node.alpha.kubernetes.io/ttl":"0","volumes.kubernetes.io/controller-managed-attach-detach":"true"},"managedFields":[{"manager":"cloud-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:31Z","fieldsType":"FieldsV1","fieldsV1":{"f:spec":{"f:podCIDR":{},"f:podCIDRs":{".":{},"v:\"10.244.0.0/24\"":{}}}}},{"manager":"kubelet","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:31Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:volumes.kubernetes.io/controller-managed-attach-detach":{}},"f:labels":{".":{},"f:agentpool":{},"f:beta.kubernetes.io/arch":{},"f:beta.kubernetes.io/os":{},"f:kubernetes.azure.com/agentpool":{},"f:kubernetes.azure.com/kubelet-identity-client-id":{},"f:kubernetes.azure.com/mode":{},"f:kubernetes.azure.com/node-image-version":{},"f:kubernetes.io/arch":{},"f:kubernetes.io/hostname":{},"f:kubernetes.io/os":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:41Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{"f:node.alpha.kubernetes.io/ttl":{}}}}},{"manager":"cloud-node-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:47Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{"f:beta.kubernetes.io/instance-type":{},"f:failure-domain.beta.kubernetes.io/region":{},"f:failure-domain.beta.kubernetes.io/zone":{},"f:node.kubernetes.io/instance-type":{},"f:topology.kubernetes.io/region":{},"f:topology.kubernetes.io/zone":{}}},"f:spec":{"f:providerID":{}}}},{"manager":"cloud-node-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:47Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{"k:{\"type\":\"NetworkUnavailable\"}":{".":{},"f:type":{}}}}},"subresource":"status"},{"manager":"kubectl-label","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:54Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{"f:kubernetes.io/role":{},"f:node-role.kubernetes.io/agent":{}}}}},{"manager":"kubelet","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:54Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{"f:csi.volume.kubernetes.io/nodeid":{}},"f:labels":{"f:topology.disk.csi.azure.com/zone":{}}},"f:status":{"f:allocatable":{"f:ephemeral-storage":{}},"f:capacity":{"f:ephemeral-storage":{}},"f:conditions":{"k:{\"type\":\"DiskPressure\"}":{"f:lastHeartbeatTime":{}},"k:{\"type\":\"MemoryPressure\"}":{"f:lastHeartbeatTime":{}},"k:{\"type\":\"PIDPressure\"}":{"f:lastHeartbeatTime":{}},"k:{\"type\":\"Ready\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}}},"f:images":{}}},"subresource":"status"},{"manager":"cloud-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:36:38Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{"k:{\"type\":\"NetworkUnavailable\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}}}}},"subresource":"status"}]},"spec":{"podCIDR":"10.244.0.0/24","podCIDRs":["10.244.0.0/24"],"providerID":"azure:///subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/mc_akkeshar_cli-test-aks-000001_westeurope/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-30157530-vmss/virtualMachines/0"},"status":{"capacity":{"cpu":"4","ephemeral-storage":"129886128Ki","hugepages-1Gi":"0","hugepages-2Mi":"0","memory":"16393248Ki","pods":"110"},"allocatable":{"cpu":"3860m","ephemeral-storage":"119703055367","hugepages-1Gi":"0","hugepages-2Mi":"0","memory":"12899360Ki","pods":"110"},"conditions":[{"type":"NetworkUnavailable","status":"False","lastHeartbeatTime":"2022-11-15T11:36:37Z","lastTransitionTime":"2022-11-15T11:36:37Z","reason":"RouteCreated","message":"RouteController + created a route"},{"type":"MemoryPressure","status":"False","lastHeartbeatTime":"2022-11-15T11:35:41Z","lastTransitionTime":"2022-11-15T11:35:31Z","reason":"KubeletHasSufficientMemory","message":"kubelet + has sufficient memory available"},{"type":"DiskPressure","status":"False","lastHeartbeatTime":"2022-11-15T11:35:41Z","lastTransitionTime":"2022-11-15T11:35:31Z","reason":"KubeletHasNoDiskPressure","message":"kubelet + has no disk pressure"},{"type":"PIDPressure","status":"False","lastHeartbeatTime":"2022-11-15T11:35:41Z","lastTransitionTime":"2022-11-15T11:35:31Z","reason":"KubeletHasSufficientPID","message":"kubelet + has sufficient PID available"},{"type":"Ready","status":"True","lastHeartbeatTime":"2022-11-15T11:35:41Z","lastTransitionTime":"2022-11-15T11:35:41Z","reason":"KubeletReady","message":"kubelet + is posting ready status. AppArmor enabled"}],"addresses":[{"type":"InternalIP","address":"10.224.0.4"},{"type":"Hostname","address":"aks-nodepool1-30157530-vmss000000"}],"daemonEndpoints":{"kubeletEndpoint":{"Port":10250}},"nodeInfo":{"machineID":"c1cb98cda984494199e232aca1ead223","systemUUID":"d831d796-ee65-4822-8c76-3328b8985bfb","bootID":"58398ea8-03cb-40d8-b940-e9c458fa375a","kernelVersion":"5.4.0-1094-azure","osImage":"Ubuntu + 18.04.6 LTS","containerRuntimeVersion":"containerd://1.5.11+azure-2","kubeletVersion":"v1.23.12","kubeProxyVersion":"v1.23.12","operatingSystem":"linux","architecture":"amd64"},"images":[{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod:ciprod10042022-3c05dd1b"],"sizeBytes":398142568},{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod:ciprod08102022"],"sizeBytes":397844357},{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod/prometheus-collector/images:5.3.0-main-10-06-2022-c0c49872"],"sizeBytes":314952834},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:0.49.3"],"sizeBytes":287741913},{"names":["mcr.microsoft.com/oss/calico/cni:v3.23.1"],"sizeBytes":263014840},{"names":["mcr.microsoft.com/oss/calico/cni:v3.21.4"],"sizeBytes":236345866},{"names":["mcr.microsoft.com/oss/calico/cni:v3.21.6"],"sizeBytes":227829276},{"names":["mcr.microsoft.com/oss/calico/node:v3.23.1"],"sizeBytes":221560540},{"names":["mcr.microsoft.com/oss/calico/node:v3.21.4"],"sizeBytes":216363503},{"names":["mcr.microsoft.com/oss/calico/node:v3.21.6"],"sizeBytes":215379163},{"names":["mcr.microsoft.com/oss/cilium/cilium:1.12.2.2"],"sizeBytes":167729489},{"names":["mcr.microsoft.com/oss/cilium/cilium:1.12.2"],"sizeBytes":166611722},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:0.19.0"],"sizeBytes":166352383},{"names":["mcr.microsoft.com/aks/hcp/hcp-tunnel-front:master.220527.2"],"sizeBytes":146994488},{"names":null,"sizeBytes":138243950},{"names":["mcr.microsoft.com/oss/calico/kube-controllers:v3.23.1"],"sizeBytes":136078571},{"names":["mcr.microsoft.com/oss/calico/typha:v3.23.1"],"sizeBytes":131467121},{"names":["mcr.microsoft.com/oss/kubernetes/kube-proxy:v1.23.12-hotfix.20220922.1"],"sizeBytes":128992809},{"names":null,"sizeBytes":128984097},{"names":["mcr.microsoft.com/oss/tigera/operator:v1.24.2"],"sizeBytes":128711964},{"names":["mcr.microsoft.com/oss/calico/typha:v3.21.4"],"sizeBytes":128235133},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.2.2.5"],"sizeBytes":123925992},{"names":null,"sizeBytes":123550720},{"names":null,"sizeBytes":123549904},{"names":["mcr.microsoft.com/oss/calico/kube-controllers:v3.21.6"],"sizeBytes":123549280},{"names":null,"sizeBytes":123542588},{"names":null,"sizeBytes":123542274},{"names":["mcr.microsoft.com/oss/calico/typha:v3.21.6"],"sizeBytes":119713369},{"names":null,"sizeBytes":115909379},{"names":null,"sizeBytes":115897326},{"names":null,"sizeBytes":115893258},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:v1.2.1"],"sizeBytes":107169290},{"names":["mcr.microsoft.com/oss/calico/node:v3.8.9.5"],"sizeBytes":101794833},{"names":["mcr.microsoft.com/containernetworking/azure-cns:v1.4.35"],"sizeBytes":101298296},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.22.0.3"],"sizeBytes":99538753},{"names":["mcr.microsoft.com/aks/acc/sgx-attestation:3.1"],"sizeBytes":98058501},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.23.0"],"sizeBytes":95915873},{"names":["mcr.microsoft.com/oss/kubernetes/exechealthz:1.2_v0.0.5"],"sizeBytes":94348102},{"names":["mcr.microsoft.com/aks/hcp/tunnel-openvpn:master.220527.2"],"sizeBytes":92531564},{"names":["mcr.microsoft.com/containernetworking/azure-npm:v1.4.32"],"sizeBytes":90048618},{"names":["mcr.microsoft.com/containernetworking/azure-npm:v1.4.29"],"sizeBytes":89255513},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.2.2"],"sizeBytes":88551490},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.22.0"],"sizeBytes":83173887},{"names":["mcr.microsoft.com/aks/command/runtime:master.220211.1"],"sizeBytes":82792811},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.21.0"],"sizeBytes":75345915},{"names":["mcr.microsoft.com/oss/nvidia/k8s-device-plugin:v0.9.0"],"sizeBytes":67291599},{"names":["mcr.microsoft.com/containernetworking/cni-dropgz:v0.0.2"],"sizeBytes":67202663},{"names":["mcr.microsoft.com/oss/tigera/operator:v1.27.12"],"sizeBytes":64784076},{"names":["mcr.microsoft.com/oss/kubernetes-csi/secrets-store/driver:v1.2.2.3"],"sizeBytes":64781810},{"names":["mcr.microsoft.com/oss/calico/cni:v3.8.9.3"],"sizeBytes":63581323}]}}]} + + ' + headers: + audit-id: + - e6922f35-06da-4c33-8c2a-c40d5d8ddaaa + cache-control: + - no-cache, private + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:37:41 GMT + transfer-encoding: + - chunked + x-kubernetes-pf-flowschema-uid: + - 2920afa3-e99e-4ce9-aad1-ae980c0c23f4 + x-kubernetes-pf-prioritylevel-uid: + - 9a1ba86f-7d0f-4aa9-baa2-6f999741c9e7 + status: + code: 200 + message: OK +- request: + body: '{"spec": {"resourceAttributes": {"verb": "create", "resource": "clusterrolebindings", + "group": "rbac.authorization.k8s.io"}}}' + headers: + Accept: + - application/json + Content-Type: + - application/json + User-Agent: + - OpenAPI-Generator/24.2.0/python + method: POST + uri: https://cli-test-a-akkeshar-1bfbb5-52714f14.hcp.westeurope.azmk8s.io/apis/authorization.k8s.io/v1/selfsubjectaccessreviews + response: + body: + string: '{"kind":"SelfSubjectAccessReview","apiVersion":"authorization.k8s.io/v1","metadata":{"creationTimestamp":null,"managedFields":[{"manager":"OpenAPI-Generator","operation":"Update","apiVersion":"authorization.k8s.io/v1","time":"2022-11-15T11:37:42Z","fieldsType":"FieldsV1","fieldsV1":{"f:spec":{"f:resourceAttributes":{".":{},"f:group":{},"f:resource":{},"f:verb":{}}}}}]},"spec":{"resourceAttributes":{"verb":"create","group":"rbac.authorization.k8s.io","resource":"clusterrolebindings"}},"status":{"allowed":true}} + + ' + headers: + audit-id: + - 2104b4d0-1b42-4f26-9682-351b62ff65c6 + cache-control: + - no-cache, private + content-length: + - '516' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:37:42 GMT + x-kubernetes-pf-flowschema-uid: + - 2920afa3-e99e-4ce9-aad1-ae980c0c23f4 + x-kubernetes-pf-prioritylevel-uid: + - 9a1ba86f-7d0f-4aa9-baa2-6f999741c9e7 + status: + code: 201 + message: Created +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s connect + Connection: + - keep-alive + ParameterSetName: + - -g -n -l --tags --kube-config + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Kubernetes?api-version=2021-04-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Kubernetes","namespace":"Microsoft.Kubernetes","authorizations":[{"applicationId":"64b12d6e-6549-484c-8cc6-6281839ba394","roleDefinitionId":"1d1d44cf-68a1-4def-a2b6-cd7efc3515af"},{"applicationId":"359431ad-ece5-496b-8768-be4bbfd82f36","roleDefinitionId":"1b5c71b7-9814-4b40-b62a-23018af874d8"},{"applicationId":"0000dab9-8b21-4ba2-807f-1743968cef00","roleDefinitionId":"1b5c71b7-9814-4b40-b62a-23018af874d8"},{"applicationId":"8edd93e1-2103-40b4-bd70-6e34e586362d","roleDefinitionId":"eb67887a-31e8-4e4e-bf5b-14ff79351a6f"}],"resourceTypes":[{"resourceType":"connectedClusters","locations":["West + Europe","East US","West Central US","South Central US","Southeast Asia","UK + South","East US 2","West US 2","Australia East","North Europe","France Central","Central + US","West US","North Central US","Korea Central","Japan East","West US 3","East + Asia","Canada Central","East US 2 EUAP","Canada East"],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"SystemAssignedResourceIdentity, + SupportsTags, SupportsLocation"},{"resourceType":"locations","locations":[],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/operationStatuses","locations":["East + US 2 EUAP","West Europe","East US","West Central US","South Central US","Southeast + Asia","UK South","East US 2","West US 2","Australia East","North Europe","France + Central","Central US","West US","North Central US","Korea Central","Japan + East","East Asia","West US 3","Canada East","Canada Central"],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"None"},{"resourceType":"registeredSubscriptions","locations":[],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"None"},{"resourceType":"Operations","locations":[],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview","2019-11-01-preview","2019-09-01-privatepreview"],"capabilities":"None"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' + headers: + cache-control: + - no-cache + content-length: + - '2416' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 11:37:42 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s connect + Connection: + - keep-alive + ParameterSetName: + - -g -n -l --tags --kube-config + User-Agent: + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002?api-version=2021-10-01 + response: + body: + string: '{"error":{"code":"ResourceNotFound","message":"The Resource ''Microsoft.Kubernetes/connectedClusters/cc-000002'' + under resource group ''akkeshar'' was not found. For more details please go + to https://aka.ms/ARMResourceNotFoundFix"}}' + headers: + cache-control: + - no-cache + content-length: + - '228' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 11:37:43 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + x-ms-failure-cause: + - gateway + status: + code: 404 + message: Not Found +- request: + body: null + headers: + Accept: + - application/json + Content-Type: + - application/json + User-Agent: + - OpenAPI-Generator/24.2.0/python + method: GET + uri: https://cli-test-a-akkeshar-1bfbb5-52714f14.hcp.westeurope.azmk8s.io/api/v1/namespaces + response: + body: + string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"1573"},"items":[{"metadata":{"name":"default","uid":"cd58e606-5900-40ef-a998-71ad36530e9b","resourceVersion":"205","creationTimestamp":"2022-11-15T11:33:55Z","labels":{"kubernetes.io/metadata.name":"default"},"managedFields":[{"manager":"kube-apiserver","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:33:55Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{".":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Active"}},{"metadata":{"name":"kube-node-lease","uid":"6997ca5a-66e9-46b0-bf71-b2c228b4f8d3","resourceVersion":"47","creationTimestamp":"2022-11-15T11:33:53Z","labels":{"kubernetes.io/metadata.name":"kube-node-lease"},"managedFields":[{"manager":"kube-apiserver","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:33:53Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{".":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Active"}},{"metadata":{"name":"kube-public","uid":"96ce53d6-f62f-4ba8-aea5-19c0d37747bc","resourceVersion":"34","creationTimestamp":"2022-11-15T11:33:53Z","labels":{"kubernetes.io/metadata.name":"kube-public"},"managedFields":[{"manager":"kube-apiserver","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:33:53Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{".":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Active"}},{"metadata":{"name":"kube-system","uid":"9360d1b2-f574-4dc0-9dd7-527224f71af1","resourceVersion":"585","creationTimestamp":"2022-11-15T11:33:53Z","labels":{"addonmanager.kubernetes.io/mode":"Reconcile","control-plane":"true","kubernetes.io/cluster-service":"true","kubernetes.io/metadata.name":"kube-system"},"annotations":{"kubectl.kubernetes.io/last-applied-configuration":"{\"apiVersion\":\"v1\",\"kind\":\"Namespace\",\"metadata\":{\"annotations\":{},\"labels\":{\"addonmanager.kubernetes.io/mode\":\"Reconcile\",\"control-plane\":\"true\",\"kubernetes.io/cluster-service\":\"true\"},\"name\":\"kube-system\"}}\n"},"managedFields":[{"manager":"kube-apiserver","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:33:53Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{".":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kubectl-client-side-apply","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:34:14Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:kubectl.kubernetes.io/last-applied-configuration":{}},"f:labels":{"f:addonmanager.kubernetes.io/mode":{},"f:control-plane":{},"f:kubernetes.io/cluster-service":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Active"}}]} + + ' + headers: + audit-id: + - 31a8cf59-4696-40b2-b92f-f8477d415a55 + cache-control: + - no-cache, private + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:37:45 GMT + transfer-encoding: + - chunked + x-kubernetes-pf-flowschema-uid: + - 2920afa3-e99e-4ce9-aad1-ae980c0c23f4 + x-kubernetes-pf-prioritylevel-uid: + - 9a1ba86f-7d0f-4aa9-baa2-6f999741c9e7 + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s connect + Connection: + - keep-alive + ParameterSetName: + - -g -n -l --tags --kube-config + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/akkeshar?api-version=2021-04-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar","name":"akkeshar","type":"Microsoft.Resources/resourceGroups","location":"eastus","tags":{"Created":"20210721"},"properties":{"provisioningState":"Succeeded"}}' + headers: + cache-control: + - no-cache + content-length: + - '243' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 11:37:44 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s connect + Connection: + - keep-alive + Content-Length: + - '0' + ParameterSetName: + - -g -n -l --tags --kube-config + User-Agent: + - python/3.7.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.42.0 + method: POST + uri: https://eastus.dp.kubernetesconfiguration.azure.com/azure-arc-k8sagents/GetLatestHelmPackagePath?api-version=2019-11-01-preview&releaseTrain=stable + response: + body: + string: '{"repositoryPath":"mcr.microsoft.com/azurearck8s/batch1/stable/azure-arc-k8sagents:1.8.14"}' + headers: + api-supported-versions: + - 2019-11-01-Preview + connection: + - close + content-length: + - '91' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 11:37:46 GMT + strict-transport-security: + - max-age=15724800; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: '{"tags": {"foo": "doo"}, "location": "eastus", "identity": {"type": "SystemAssigned"}, + "properties": {"agentPublicKeyCertificate": "MIICCgKCAgEAjBo1OVNXOvebGiKczgWusikBojChNWAgVBQ+/TW1t8+cCFbtT9pOJWhX571G2thyHyHCLc5Du56ikMLhx9uUYOYpe3L73b0eDJRe+mECd4UmyYbbySWOALuv2c6gYpB+X2fOtImdrs7WTFMrKW9QQ6FR0n0j3SS7v8Y2oW72lZ02WbEEr1a1G3494ZIRjTdH7uAtf3GtqwXMV5RMFI8lLlkNaVb5qVdkjk6ie2bAv4dNAU+kJegfT4N8uKC6HxEuaKp/uDwJum8ab4pfyHqZzbG8g+FbRdb/DxkL1Qa59egVDaT4To8S1cit6Z3D8bP/IN1W4bA6Rb8WLfmj8N2lgit88zSncK3QVbNDt9Yih6gYbyDMYSMxOBmGNiFKi3P35C1NkBiH5sVz3DUQLcWkorkl9bxtYO26CNumcebL7lNd56hz1AEoC/u7SuoskgxE8Pnz26MOYh91gV8OnpfyTes/aGFk5HxWK6tW5mLh8Mb8I0+fe2xoxZSc/vUZ2xdcKrDiNLJWmGGrdD7AvCxEE+BDt46G52s6J/it5uyBJsNwF3eBHeA9zVPuTU2ShFNiLRKYdnveiH2JETa/MuZ/doZ28RrCD2KFVtYAsNmNsxreTfXSwFbki9CF2ULUd7bzn7u3JyrWMhlBx6/AJfKVTmww70rqYeKM6Kg6uqmkffUCAwEAAQ==", + "distribution": "aks", "infrastructure": "azure"}}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s connect + Connection: + - keep-alive + Content-Length: + - '889' + Content-Type: + - application/json + ParameterSetName: + - -g -n -l --tags --kube-config + User-Agent: + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002?api-version=2021-10-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","name":"cc-000002","type":"microsoft.kubernetes/connectedclusters","location":"eastus","tags":{"foo":"doo"},"systemData":{"createdBy":"akkeshar@microsoft.com","createdByType":"User","createdAt":"2022-11-15T11:38:18.8618915Z","lastModifiedBy":"akkeshar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-15T11:38:18.8618915Z"},"identity":{"principalId":"486fb978-d865-4c3d-bbd4-92dc998d3386","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned"},"properties":{"provisioningState":"Accepted","connectivityStatus":"Connecting","agentPublicKeyCertificate":"MIICCgKCAgEAjBo1OVNXOvebGiKczgWusikBojChNWAgVBQ+/TW1t8+cCFbtT9pOJWhX571G2thyHyHCLc5Du56ikMLhx9uUYOYpe3L73b0eDJRe+mECd4UmyYbbySWOALuv2c6gYpB+X2fOtImdrs7WTFMrKW9QQ6FR0n0j3SS7v8Y2oW72lZ02WbEEr1a1G3494ZIRjTdH7uAtf3GtqwXMV5RMFI8lLlkNaVb5qVdkjk6ie2bAv4dNAU+kJegfT4N8uKC6HxEuaKp/uDwJum8ab4pfyHqZzbG8g+FbRdb/DxkL1Qa59egVDaT4To8S1cit6Z3D8bP/IN1W4bA6Rb8WLfmj8N2lgit88zSncK3QVbNDt9Yih6gYbyDMYSMxOBmGNiFKi3P35C1NkBiH5sVz3DUQLcWkorkl9bxtYO26CNumcebL7lNd56hz1AEoC/u7SuoskgxE8Pnz26MOYh91gV8OnpfyTes/aGFk5HxWK6tW5mLh8Mb8I0+fe2xoxZSc/vUZ2xdcKrDiNLJWmGGrdD7AvCxEE+BDt46G52s6J/it5uyBJsNwF3eBHeA9zVPuTU2ShFNiLRKYdnveiH2JETa/MuZ/doZ28RrCD2KFVtYAsNmNsxreTfXSwFbki9CF2ULUd7bzn7u3JyrWMhlBx6/AJfKVTmww70rqYeKM6Kg6uqmkffUCAwEAAQ==","distribution":"aks","infrastructure":"azure"}}' + headers: + azure-asyncoperation: + - https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/f5219c92-8a50-40d1-bb6f-6f5a2f750873*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11?api-version=2021-10-01 + cache-control: + - no-cache + content-length: + - '1488' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 11:38:23 GMT + etag: + - '"7100e54d-0000-0100-0000-63737a2d0000"' + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + x-ms-providerhub-traffic: + - 'True' + x-ms-ratelimit-remaining-subscription-writes: + - '1199' + status: + code: 201 + message: Created +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s connect + Connection: + - keep-alive + ParameterSetName: + - -g -n -l --tags --kube-config + User-Agent: + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/f5219c92-8a50-40d1-bb6f-6f5a2f750873*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11?api-version=2021-10-01 + response: + body: + string: '{"id":"/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/f5219c92-8a50-40d1-bb6f-6f5a2f750873*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11","name":"f5219c92-8a50-40d1-bb6f-6f5a2f750873*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","status":"Accepted","startTime":"2022-11-15T11:38:20.81725Z"}' + headers: + cache-control: + - no-cache + content-length: + - '499' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 11:38:23 GMT + etag: + - '"1001835f-0000-0100-0000-63737a2c0000"' + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s connect + Connection: + - keep-alive + ParameterSetName: + - -g -n -l --tags --kube-config + User-Agent: + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/f5219c92-8a50-40d1-bb6f-6f5a2f750873*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11?api-version=2021-10-01 + response: + body: + string: '{"id":"/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/f5219c92-8a50-40d1-bb6f-6f5a2f750873*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11","name":"f5219c92-8a50-40d1-bb6f-6f5a2f750873*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","status":"Succeeded","startTime":"2022-11-15T11:38:20.81725Z","endTime":"2022-11-15T11:38:26.9628744Z","properties":null}' + headers: + cache-control: + - no-cache + content-length: + - '559' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 11:38:53 GMT + etag: + - '"10019c5f-0000-0100-0000-63737a320000"' + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s connect + Connection: + - keep-alive + ParameterSetName: + - -g -n -l --tags --kube-config + User-Agent: + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002?api-version=2021-10-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","name":"cc-000002","type":"microsoft.kubernetes/connectedclusters","location":"eastus","tags":{"foo":"doo"},"systemData":{"createdBy":"akkeshar@microsoft.com","createdByType":"User","createdAt":"2022-11-15T11:38:18.8618915Z","lastModifiedBy":"akkeshar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-15T11:38:18.8618915Z"},"identity":{"principalId":"486fb978-d865-4c3d-bbd4-92dc998d3386","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned"},"properties":{"provisioningState":"Succeeded","connectivityStatus":"Connecting","agentPublicKeyCertificate":"MIICCgKCAgEAjBo1OVNXOvebGiKczgWusikBojChNWAgVBQ+/TW1t8+cCFbtT9pOJWhX571G2thyHyHCLc5Du56ikMLhx9uUYOYpe3L73b0eDJRe+mECd4UmyYbbySWOALuv2c6gYpB+X2fOtImdrs7WTFMrKW9QQ6FR0n0j3SS7v8Y2oW72lZ02WbEEr1a1G3494ZIRjTdH7uAtf3GtqwXMV5RMFI8lLlkNaVb5qVdkjk6ie2bAv4dNAU+kJegfT4N8uKC6HxEuaKp/uDwJum8ab4pfyHqZzbG8g+FbRdb/DxkL1Qa59egVDaT4To8S1cit6Z3D8bP/IN1W4bA6Rb8WLfmj8N2lgit88zSncK3QVbNDt9Yih6gYbyDMYSMxOBmGNiFKi3P35C1NkBiH5sVz3DUQLcWkorkl9bxtYO26CNumcebL7lNd56hz1AEoC/u7SuoskgxE8Pnz26MOYh91gV8OnpfyTes/aGFk5HxWK6tW5mLh8Mb8I0+fe2xoxZSc/vUZ2xdcKrDiNLJWmGGrdD7AvCxEE+BDt46G52s6J/it5uyBJsNwF3eBHeA9zVPuTU2ShFNiLRKYdnveiH2JETa/MuZ/doZ28RrCD2KFVtYAsNmNsxreTfXSwFbki9CF2ULUd7bzn7u3JyrWMhlBx6/AJfKVTmww70rqYeKM6Kg6uqmkffUCAwEAAQ==","distribution":"AKS","infrastructure":"azure"}}' + headers: + cache-control: + - no-cache + content-length: + - '1489' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 11:38:54 GMT + etag: + - '"71003b4e-0000-0100-0000-63737a330000"' + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-providerhub-traffic: + - 'True' + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s connect + Connection: + - keep-alive + ParameterSetName: + - -g -n -l --tags --kube-config + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ExtendedLocation?api-version=2021-04-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ExtendedLocation","namespace":"Microsoft.ExtendedLocation","authorizations":[{"applicationId":"bc313c14-388c-4e7d-a58e-70017303ee3b","roleDefinitionId":"a775b938-2819-4dd0-8067-01f6e3b06392"},{"applicationId":"319f651f-7ddb-4fc6-9857-7aef9250bd05","roleDefinitionId":"0981f4e0-04a7-4e31-bd2b-b2ac2fc6ba4e"}],"resourceTypes":[{"resourceType":"locations","locations":[],"apiVersions":["2021-03-15-preview","2020-07-15-privatepreview"],"capabilities":"None"},{"resourceType":"customLocations","locations":["East + US","West Europe","North Europe","France Central","Southeast Asia","Australia + East","East US 2","West US 2","UK South","Central US","West Central US","West + US","North Central US","South Central US","Korea Central","Japan East","East + Asia","West US 3","Canada Central","Canada East","Switzerland North","Sweden + Central","East US 2 EUAP"],"apiVersions":["2021-08-31-preview","2021-08-15","2021-03-15-preview","2020-07-15-privatepreview"],"defaultApiVersion":"2021-08-15","capabilities":"SystemAssignedResourceIdentity, + SupportsTags, SupportsLocation"},{"resourceType":"customLocations/enabledResourceTypes","locations":["East + US","West Europe","North Europe","France Central","Southeast Asia","Australia + East","East US 2","West US 2","UK South","Central US","West Central US","West + US","North Central US","South Central US","Korea Central","Japan East","East + Asia","West US 3","Canada Central","Canada East","Switzerland North","Sweden + Central","East US 2 EUAP"],"apiVersions":["2021-08-31-preview","2021-08-15","2021-03-15-preview","2020-07-15-privatepreview"],"capabilities":"None"},{"resourceType":"customLocations/resourceSyncRules","locations":["East + US","West Europe","North Europe","France Central","Southeast Asia","Australia + East","East US 2","West US 2","UK South","Central US","West Central US","West + US","North Central US","South Central US","Korea Central","Japan East","East + Asia","West US 3","Canada Central","Canada East","Switzerland North","Sweden + Central","East US 2 EUAP"],"apiVersions":["2021-08-31-preview"],"defaultApiVersion":"2021-08-31-preview","capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"locations/operationsstatus","locations":["East + US","West Europe","North Europe","France Central","Southeast Asia","Australia + East","East US 2","West US 2","UK South","Central US","West Central US","West + US","North Central US","South Central US","Korea Central","Japan East","East + Asia","West US 3","Canada Central","Canada East","Switzerland North","Sweden + Central","East US 2 Euap"],"apiVersions":["2021-03-15-preview","2020-07-15-privatepreview"],"capabilities":"None"},{"resourceType":"locations/operationresults","locations":["East + US","West Europe","North Europe","France Central","Southeast Asia","Australia + East","East US 2","West US 2","UK South","Central US","West Central US","West + US","North Central US","South Central US","Korea Central","Japan East","East + Asia","West US 3","Canada Central","Canada East","Switzerland North","Sweden + Central","East US 2 Euap"],"apiVersions":["2021-03-15-preview","2020-07-15-privatepreview"],"capabilities":"None"},{"resourceType":"operations","locations":[],"apiVersions":["2021-08-31-preview","2021-08-15","2021-03-15-preview","2020-07-15-privatepreview"],"capabilities":"None"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' + headers: + cache-control: + - no-cache + content-length: + - '3491' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 11:38:55 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s connect + Connection: + - keep-alive + ParameterSetName: + - -g -n -l --tags --kube-config + User-Agent: + - python/3.7.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-graphrbac/0.60.0 + Azure-SDK-For-Python AZURECLI/2.42.0 + accept-language: + - en-US + method: GET + uri: https://graph.windows.net/00000000-0000-0000-0000-000000000000/servicePrincipals?$filter=displayName%20eq%20%27Custom%20Locations%20RP%27&api-version=1.6 + response: + body: + string: '{"odata.metadata":"https://graph.windows.net/00000000-0000-0000-0000-000000000000/$metadata#directoryObjects","value":[{"odata.type":"Microsoft.DirectoryServices.ServicePrincipal","objectType":"ServicePrincipal","objectId":"51dfe1e8-70c6-4de5-a08e-e18aff23d815","deletionTimestamp":null,"accountEnabled":true,"addIns":[],"alternativeNames":[],"appDisplayName":"Custom + Locations RP","appId":"bc313c14-388c-4e7d-a58e-70017303ee3b","applicationTemplateId":null,"appOwnerTenantId":"f8cdef31-a31e-4b4a-93e4-5f571e91255a","appRoleAssignmentRequired":false,"appRoles":[],"displayName":"Custom + Locations RP","errorUrl":null,"homepage":null,"informationalUrls":{"termsOfService":null,"support":null,"privacy":null,"marketing":null},"keyCredentials":[],"logoutUrl":null,"notificationEmailAddresses":[],"oauth2Permissions":[],"passwordCredentials":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyEndDateTime":null,"preferredTokenSigningKeyThumbprint":null,"publisherName":"Microsoft + Services","replyUrls":[],"samlMetadataUrl":null,"samlSingleSignOnSettings":null,"servicePrincipalNames":["bc313c14-388c-4e7d-a58e-70017303ee3b"],"servicePrincipalType":"Application","signInAudience":"AzureADMultipleOrgs","tags":[],"tokenEncryptionKeyId":null}]}' + headers: + access-control-allow-origin: + - '*' + cache-control: + - no-cache + content-length: + - '1246' + content-type: + - application/json; odata=minimalmetadata; streaming=true; charset=utf-8 + dataserviceversion: + - 3.0; + date: + - Tue, 15 Nov 2022 11:38:55 GMT + duration: + - '712978' + expires: + - '-1' + ocp-aad-diagnostics-server-name: + - OPelI7VrBtHnJkm7E0PsgwaZrjo2NsmSLt6qfy5nvUE= + ocp-aad-session-key: + - -LRuN2637PFTvLDTILUnYul8AoiysmIsdgoBW0aUGqjEJgkosJr2VnPrcSDHkCsGNImIvDhOZjMX48wUkQAXUNKAdwbtmwtHzI4szsrNgiXdEHjVIgsznxEaxLImlGHJ.1uwQgTnNzZLyxd3cnvKjvYXzY2Xzvk0H2s_CPyqgdgM + pragma: + - no-cache + request-id: + - 2dad9d41-f9c4-4a92-a39f-31140e19c41e + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-ms-dirapi-data-contract-version: + - '1.6' + x-ms-resource-unit: + - '1' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s show + Connection: + - keep-alive + ParameterSetName: + - -g -n + User-Agent: + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002?api-version=2022-10-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","name":"cc-000002","type":"microsoft.kubernetes/connectedclusters","location":"eastus","tags":{"foo":"doo"},"systemData":{"createdBy":"akkeshar@microsoft.com","createdByType":"User","createdAt":"2022-11-15T11:38:18.8618915Z","lastModifiedBy":"64b12d6e-6549-484c-8cc6-6281839ba394","lastModifiedByType":"Application","lastModifiedAt":"2022-11-15T11:44:43.2131765Z"},"identity":{"principalId":"486fb978-d865-4c3d-bbd4-92dc998d3386","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned"},"properties":{"provisioningState":"Succeeded","connectivityStatus":"Connected","privateLinkState":"Disabled","azureHybridBenefit":"NotApplicable","agentPublicKeyCertificate":"MIICCgKCAgEAjBo1OVNXOvebGiKczgWusikBojChNWAgVBQ+/TW1t8+cCFbtT9pOJWhX571G2thyHyHCLc5Du56ikMLhx9uUYOYpe3L73b0eDJRe+mECd4UmyYbbySWOALuv2c6gYpB+X2fOtImdrs7WTFMrKW9QQ6FR0n0j3SS7v8Y2oW72lZ02WbEEr1a1G3494ZIRjTdH7uAtf3GtqwXMV5RMFI8lLlkNaVb5qVdkjk6ie2bAv4dNAU+kJegfT4N8uKC6HxEuaKp/uDwJum8ab4pfyHqZzbG8g+FbRdb/DxkL1Qa59egVDaT4To8S1cit6Z3D8bP/IN1W4bA6Rb8WLfmj8N2lgit88zSncK3QVbNDt9Yih6gYbyDMYSMxOBmGNiFKi3P35C1NkBiH5sVz3DUQLcWkorkl9bxtYO26CNumcebL7lNd56hz1AEoC/u7SuoskgxE8Pnz26MOYh91gV8OnpfyTes/aGFk5HxWK6tW5mLh8Mb8I0+fe2xoxZSc/vUZ2xdcKrDiNLJWmGGrdD7AvCxEE+BDt46G52s6J/it5uyBJsNwF3eBHeA9zVPuTU2ShFNiLRKYdnveiH2JETa/MuZ/doZ28RrCD2KFVtYAsNmNsxreTfXSwFbki9CF2ULUd7bzn7u3JyrWMhlBx6/AJfKVTmww70rqYeKM6Kg6uqmkffUCAwEAAQ==","distribution":"AKS","infrastructure":"azure","kubernetesVersion":"1.23.12","totalNodeCount":1,"agentVersion":"1.8.14","totalCoreCount":4,"lastConnectivityTime":"2022-11-15T11:44:30.844Z","managedIdentityCertificateExpirationTime":"2023-02-13T11:33:00Z"}}' + headers: + cache-control: + - no-cache + content-length: + - '1784' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 11:45:48 GMT + etag: + - '"7100a861-0000-0100-0000-63737bab0000"' + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-providerhub-traffic: + - 'True' + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Content-Type: + - application/json + User-Agent: + - OpenAPI-Generator/24.2.0/python + method: GET + uri: https://cli-test-a-akkeshar-1bfbb5-52714f14.hcp.westeurope.azmk8s.io/version/ + response: + body: + string: "{\n \"major\": \"1\",\n \"minor\": \"23\",\n \"gitVersion\": \"v1.23.12\",\n + \ \"gitCommit\": \"f941a31f4515c5ac03f5fc7ccf9a330e3510b80d\",\n \"gitTreeState\": + \"clean\",\n \"buildDate\": \"2022-11-09T17:12:33Z\",\n \"goVersion\": \"go1.17.13\",\n + \ \"compiler\": \"gc\",\n \"platform\": \"linux/amd64\"\n}" + headers: + audit-id: + - ec9c16f2-9e10-4bde-92c5-6af4842c7c55 + cache-control: + - no-cache, private + content-length: + - '265' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:45:50 GMT + x-kubernetes-pf-flowschema-uid: + - 2920afa3-e99e-4ce9-aad1-ae980c0c23f4 + x-kubernetes-pf-prioritylevel-uid: + - 9a1ba86f-7d0f-4aa9-baa2-6f999741c9e7 + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Content-Type: + - application/json + User-Agent: + - OpenAPI-Generator/24.2.0/python + method: GET + uri: https://cli-test-a-akkeshar-1bfbb5-52714f14.hcp.westeurope.azmk8s.io/api/v1/namespaces/azure-arc/configmaps/azure-clusterconfig + response: + body: + string: '{"kind":"ConfigMap","apiVersion":"v1","metadata":{"name":"azure-clusterconfig","namespace":"azure-arc","uid":"b6d9338f-9b89-4200-a71d-1254a4562083","resourceVersion":"1904","creationTimestamp":"2022-11-15T11:39:10Z","labels":{"app.kubernetes.io/managed-by":"Helm"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:39:10Z","fieldsType":"FieldsV1","fieldsV1":{"f:data":{".":{},"f:ARC_AGENT_HELM_CHART_NAME":{},"f:ARC_AGENT_RELEASE_TRAIN":{},"f:AZURE_ARC_AGENT_VERSION":{},"f:AZURE_ARC_AUTOUPDATE":{},"f:AZURE_ARC_HELM_NAMESPACE":{},"f:AZURE_ARC_RELEASE_NAME":{},"f:AZURE_ENVIRONMENT":{},"f:AZURE_REGION":{},"f:AZURE_RESOURCE_GROUP":{},"f:AZURE_RESOURCE_MANAGER_ENDPOINT":{},"f:AZURE_RESOURCE_NAME":{},"f:AZURE_SUBSCRIPTION_ID":{},"f:AZURE_TENANT_ID":{},"f:CLUSTER_CONNECT_AGENT_ENABLED":{},"f:CLUSTER_TYPE":{},"f:CUSTOM_IDENTITY_PROVIDER_ENABLED":{},"f:DEBUG_LOGGING":{},"f:EXTENSION_OPERATOR_ENABLED":{},"f:FLUX_CLIENT_DEFAULT_LOCATION":{},"f:FLUX_UPSTREAM_SERVICE_ENABLED":{},"f:GITOPS_ENABLED":{},"f:GUARD_PKI_HOSTPATH":{},"f:HELM_AUTO_UPDATE_CHECK_FREQUENCY_IN_MINUTES":{},"f:IS_CLIENT_SECRET_A_TOKEN":{},"f:KUBERNETES_DISTRO":{},"f:KUBERNETES_INFRA":{},"f:MANAGED_IDENTITY_AUTH":{},"f:MAX_ENTRIES_PER_STORE":{},"f:MAX_STORES":{},"f:MSI_ADAPTER_ARTIFACT_PATH":{},"f:NO_AUTH_HEADER_DATA_PLANE":{},"f:ONBOARDING_SECRET_NAME":{},"f:ONBOARDING_SECRET_NAMESPACE":{},"f:RESOURCE_SYNC_ENABLE_CHUNKED_SYNC":{},"f:RESOURCE_SYNC_LIST_CHUNK_SIZE":{},"f:RP_NAMESPACE":{},"f:TAGS":{}},"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:app.kubernetes.io/managed-by":{}}}}}]},"data":{"ARC_AGENT_HELM_CHART_NAME":"azure-arc-k8sagents","ARC_AGENT_RELEASE_TRAIN":"stable","AZURE_ARC_AGENT_VERSION":"1.8.14","AZURE_ARC_AUTOUPDATE":"true","AZURE_ARC_HELM_NAMESPACE":"default","AZURE_ARC_RELEASE_NAME":"azure-arc","AZURE_ENVIRONMENT":"AZUREPUBLICCLOUD","AZURE_REGION":"eastus","AZURE_RESOURCE_GROUP":"akkeshar","AZURE_RESOURCE_MANAGER_ENDPOINT":"","AZURE_RESOURCE_NAME":"cc-000002","AZURE_SUBSCRIPTION_ID":"1bfbb5d0-917e-4346-9026-1d3b344417f5","AZURE_TENANT_ID":"72f988bf-86f1-41af-91ab-2d7cd011db47","CLUSTER_CONNECT_AGENT_ENABLED":"true","CLUSTER_TYPE":"ConnectedClusters","CUSTOM_IDENTITY_PROVIDER_ENABLED":"false","DEBUG_LOGGING":"false","EXTENSION_OPERATOR_ENABLED":"true","FLUX_CLIENT_DEFAULT_LOCATION":"mcr.microsoft.com/azurearck8s/arc-preview/fluxctl:0.2.0","FLUX_UPSTREAM_SERVICE_ENABLED":"true","GITOPS_ENABLED":"true","GUARD_PKI_HOSTPATH":"","HELM_AUTO_UPDATE_CHECK_FREQUENCY_IN_MINUTES":"60","IS_CLIENT_SECRET_A_TOKEN":"false","KUBERNETES_DISTRO":"aks","KUBERNETES_INFRA":"azure","MANAGED_IDENTITY_AUTH":"true","MAX_ENTRIES_PER_STORE":"680","MAX_STORES":"30","MSI_ADAPTER_ARTIFACT_PATH":"mcr.microsoft.com/azurearck8s/msi-adapter:1.0.2","NO_AUTH_HEADER_DATA_PLANE":"false","ONBOARDING_SECRET_NAME":"azure-arc-connect-privatekey","ONBOARDING_SECRET_NAMESPACE":"azure-arc","RESOURCE_SYNC_ENABLE_CHUNKED_SYNC":"false","RESOURCE_SYNC_LIST_CHUNK_SIZE":"200","RP_NAMESPACE":"Microsoft.Kubernetes","TAGS":"map[]"}} + + ' + headers: + audit-id: + - fd8cd7c0-b1bb-4dd6-906a-8cdc6dd1040b + cache-control: + - no-cache, private + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:45:53 GMT + transfer-encoding: + - chunked + x-kubernetes-pf-flowschema-uid: + - 2920afa3-e99e-4ce9-aad1-ae980c0c23f4 + x-kubernetes-pf-prioritylevel-uid: + - 9a1ba86f-7d0f-4aa9-baa2-6f999741c9e7 + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s delete + Connection: + - keep-alive + Content-Length: + - '0' + ParameterSetName: + - -g -n --kube-config -y + User-Agent: + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: DELETE + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002?api-version=2021-10-01 + response: + body: + string: 'null' + headers: + azure-asyncoperation: + - https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/c61b3b6c-d47d-4feb-b662-fa7f6d883b05*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11?api-version=2021-10-01 + cache-control: + - no-cache + content-length: + - '4' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 11:45:55 GMT + etag: + - '"71009d66-0000-0100-0000-63737bf30000"' + expires: + - '-1' + location: + - https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/c61b3b6c-d47d-4feb-b662-fa7f6d883b05*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11?api-version=2021-10-01 + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + x-ms-providerhub-traffic: + - 'True' + x-ms-ratelimit-remaining-subscription-deletes: + - '14999' + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s delete + Connection: + - keep-alive + ParameterSetName: + - -g -n --kube-config -y + User-Agent: + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/c61b3b6c-d47d-4feb-b662-fa7f6d883b05*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11?api-version=2021-10-01 + response: + body: + string: '{"id":"/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/c61b3b6c-d47d-4feb-b662-fa7f6d883b05*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11","name":"c61b3b6c-d47d-4feb-b662-fa7f6d883b05*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","status":"Deleting","startTime":"2022-11-15T11:45:54.7409117Z"}' + headers: + cache-control: + - no-cache + content-length: + - '501' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 11:45:56 GMT + etag: + - '"1001ee67-0000-0100-0000-63737bf20000"' + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s delete + Connection: + - keep-alive + ParameterSetName: + - -g -n --kube-config -y + User-Agent: + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/c61b3b6c-d47d-4feb-b662-fa7f6d883b05*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11?api-version=2021-10-01 + response: + body: + string: '{"id":"/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/c61b3b6c-d47d-4feb-b662-fa7f6d883b05*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11","name":"c61b3b6c-d47d-4feb-b662-fa7f6d883b05*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","status":"Succeeded","startTime":"2022-11-15T11:45:54.7409117Z","endTime":"2022-11-15T11:45:59.0515801Z","properties":null}' + headers: + cache-control: + - no-cache + content-length: + - '561' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 11:46:26 GMT + etag: + - '"1001f467-0000-0100-0000-63737bf70000"' + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s delete + Connection: + - keep-alive + ParameterSetName: + - -g -n --kube-config -y + User-Agent: + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/c61b3b6c-d47d-4feb-b662-fa7f6d883b05*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11?api-version=2021-10-01 + response: + body: + string: '{"id":"/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/c61b3b6c-d47d-4feb-b662-fa7f6d883b05*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11","name":"c61b3b6c-d47d-4feb-b662-fa7f6d883b05*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","status":"Succeeded","startTime":"2022-11-15T11:45:54.7409117Z","endTime":"2022-11-15T11:45:59.0515801Z","properties":null}' + headers: + cache-control: + - no-cache + content-length: + - '561' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 11:46:27 GMT + etag: + - '"1001f467-0000-0100-0000-63737bf70000"' + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Content-Type: + - application/json + User-Agent: + - OpenAPI-Generator/24.2.0/python + method: GET + uri: https://cli-test-a-akkeshar-1bfbb5-52714f14.hcp.westeurope.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc + response: + body: + string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"4318"},"items":[{"metadata":{"name":"azure-arc","uid":"0d7a44e2-3257-4f9b-b27a-7e8cb336d373","resourceVersion":"4309","creationTimestamp":"2022-11-15T11:39:09Z","deletionTimestamp":"2022-11-15T11:46:44Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:39:09Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating"}}]} + + ' + headers: + audit-id: + - caed4f08-f1c4-482b-a721-4dd86bd448a4 + cache-control: + - no-cache, private + content-length: + - '1014' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:46:47 GMT + x-kubernetes-pf-flowschema-uid: + - 2920afa3-e99e-4ce9-aad1-ae980c0c23f4 + x-kubernetes-pf-prioritylevel-uid: + - 9a1ba86f-7d0f-4aa9-baa2-6f999741c9e7 + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Content-Type: + - application/json + User-Agent: + - OpenAPI-Generator/24.2.0/python + method: GET + uri: https://cli-test-a-akkeshar-1bfbb5-52714f14.hcp.westeurope.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc + response: + body: + string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"4520"},"items":[{"metadata":{"name":"azure-arc","uid":"0d7a44e2-3257-4f9b-b27a-7e8cb336d373","resourceVersion":"4518","creationTimestamp":"2022-11-15T11:39:09Z","deletionTimestamp":"2022-11-15T11:46:44Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:39:09Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:46:52Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ResourcesDiscovered","message":"All + resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ParsedGroupVersions","message":"All + legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ContentDeleted","message":"All + content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"SomeResourcesRemain","message":"Some + resources are remaining: pods. has 10 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ContentHasNoFinalizers","message":"All + content-preserving finalizers finished"}]}}]} + + ' + headers: + audit-id: + - 301c7d66-12f0-4a2a-a6dd-ba2182326c2d + cache-control: + - no-cache, private + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:46:52 GMT + transfer-encoding: + - chunked + x-kubernetes-pf-flowschema-uid: + - 2920afa3-e99e-4ce9-aad1-ae980c0c23f4 + x-kubernetes-pf-prioritylevel-uid: + - 9a1ba86f-7d0f-4aa9-baa2-6f999741c9e7 + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Content-Type: + - application/json + User-Agent: + - OpenAPI-Generator/24.2.0/python + method: GET + uri: https://cli-test-a-akkeshar-1bfbb5-52714f14.hcp.westeurope.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc + response: + body: + string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"4549"},"items":[{"metadata":{"name":"azure-arc","uid":"0d7a44e2-3257-4f9b-b27a-7e8cb336d373","resourceVersion":"4548","creationTimestamp":"2022-11-15T11:39:09Z","deletionTimestamp":"2022-11-15T11:46:44Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:39:09Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:46:52Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ResourcesDiscovered","message":"All + resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ParsedGroupVersions","message":"All + legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ContentDeleted","message":"All + content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"SomeResourcesRemain","message":"Some + resources are remaining: pods. has 7 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ContentHasNoFinalizers","message":"All + content-preserving finalizers finished"}]}}]} + + ' + headers: + audit-id: + - 478d76a5-b876-4294-89fe-55b31e75d3f9 + cache-control: + - no-cache, private + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:46:57 GMT + transfer-encoding: + - chunked + x-kubernetes-pf-flowschema-uid: + - 2920afa3-e99e-4ce9-aad1-ae980c0c23f4 + x-kubernetes-pf-prioritylevel-uid: + - 9a1ba86f-7d0f-4aa9-baa2-6f999741c9e7 + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Content-Type: + - application/json + User-Agent: + - OpenAPI-Generator/24.2.0/python + method: GET + uri: https://cli-test-a-akkeshar-1bfbb5-52714f14.hcp.westeurope.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc + response: + body: + string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"4568"},"items":[{"metadata":{"name":"azure-arc","uid":"0d7a44e2-3257-4f9b-b27a-7e8cb336d373","resourceVersion":"4548","creationTimestamp":"2022-11-15T11:39:09Z","deletionTimestamp":"2022-11-15T11:46:44Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:39:09Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:46:52Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ResourcesDiscovered","message":"All + resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ParsedGroupVersions","message":"All + legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ContentDeleted","message":"All + content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"SomeResourcesRemain","message":"Some + resources are remaining: pods. has 7 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ContentHasNoFinalizers","message":"All + content-preserving finalizers finished"}]}}]} + + ' + headers: + audit-id: + - 1b9d3c00-ac1b-4b5e-988b-4246c26ca35e + cache-control: + - no-cache, private + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:47:02 GMT + transfer-encoding: + - chunked + x-kubernetes-pf-flowschema-uid: + - 2920afa3-e99e-4ce9-aad1-ae980c0c23f4 + x-kubernetes-pf-prioritylevel-uid: + - 9a1ba86f-7d0f-4aa9-baa2-6f999741c9e7 + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Content-Type: + - application/json + User-Agent: + - OpenAPI-Generator/24.2.0/python + method: GET + uri: https://cli-test-a-akkeshar-1bfbb5-52714f14.hcp.westeurope.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc + response: + body: + string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"4587"},"items":[{"metadata":{"name":"azure-arc","uid":"0d7a44e2-3257-4f9b-b27a-7e8cb336d373","resourceVersion":"4548","creationTimestamp":"2022-11-15T11:39:09Z","deletionTimestamp":"2022-11-15T11:46:44Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:39:09Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:46:52Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ResourcesDiscovered","message":"All + resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ParsedGroupVersions","message":"All + legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ContentDeleted","message":"All + content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"SomeResourcesRemain","message":"Some + resources are remaining: pods. has 7 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ContentHasNoFinalizers","message":"All + content-preserving finalizers finished"}]}}]} + + ' + headers: + audit-id: + - f36c82fe-4bba-4167-9a63-40333ee464e9 + cache-control: + - no-cache, private + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:47:08 GMT + transfer-encoding: + - chunked + x-kubernetes-pf-flowschema-uid: + - 2920afa3-e99e-4ce9-aad1-ae980c0c23f4 + x-kubernetes-pf-prioritylevel-uid: + - 9a1ba86f-7d0f-4aa9-baa2-6f999741c9e7 + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Content-Type: + - application/json + User-Agent: + - OpenAPI-Generator/24.2.0/python + method: GET + uri: https://cli-test-a-akkeshar-1bfbb5-52714f14.hcp.westeurope.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc + response: + body: + string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"4607"},"items":[{"metadata":{"name":"azure-arc","uid":"0d7a44e2-3257-4f9b-b27a-7e8cb336d373","resourceVersion":"4548","creationTimestamp":"2022-11-15T11:39:09Z","deletionTimestamp":"2022-11-15T11:46:44Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:39:09Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:46:52Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ResourcesDiscovered","message":"All + resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ParsedGroupVersions","message":"All + legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ContentDeleted","message":"All + content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"SomeResourcesRemain","message":"Some + resources are remaining: pods. has 7 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ContentHasNoFinalizers","message":"All + content-preserving finalizers finished"}]}}]} + + ' + headers: + audit-id: + - fba56f7e-ea9a-4baf-a873-bbbbae94a7da + cache-control: + - no-cache, private + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:47:13 GMT + transfer-encoding: + - chunked + x-kubernetes-pf-flowschema-uid: + - 2920afa3-e99e-4ce9-aad1-ae980c0c23f4 + x-kubernetes-pf-prioritylevel-uid: + - 9a1ba86f-7d0f-4aa9-baa2-6f999741c9e7 + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Content-Type: + - application/json + User-Agent: + - OpenAPI-Generator/24.2.0/python + method: GET + uri: https://cli-test-a-akkeshar-1bfbb5-52714f14.hcp.westeurope.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc + response: + body: + string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"4648"},"items":[{"metadata":{"name":"azure-arc","uid":"0d7a44e2-3257-4f9b-b27a-7e8cb336d373","resourceVersion":"4548","creationTimestamp":"2022-11-15T11:39:09Z","deletionTimestamp":"2022-11-15T11:46:44Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:39:09Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:46:52Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ResourcesDiscovered","message":"All + resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ParsedGroupVersions","message":"All + legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ContentDeleted","message":"All + content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"SomeResourcesRemain","message":"Some + resources are remaining: pods. has 7 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-15T11:46:52Z","reason":"ContentHasNoFinalizers","message":"All + content-preserving finalizers finished"}]}}]} + + ' + headers: + audit-id: + - e2476aca-918c-4a6c-bc6e-3dd1a8c823ae + cache-control: + - no-cache, private + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:47:18 GMT + transfer-encoding: + - chunked + x-kubernetes-pf-flowschema-uid: + - 2920afa3-e99e-4ce9-aad1-ae980c0c23f4 + x-kubernetes-pf-prioritylevel-uid: + - 9a1ba86f-7d0f-4aa9-baa2-6f999741c9e7 + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Content-Type: + - application/json + User-Agent: + - OpenAPI-Generator/24.2.0/python + method: GET + uri: https://cli-test-a-akkeshar-1bfbb5-52714f14.hcp.westeurope.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc + response: + body: + string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"4667"},"items":[]} + + ' + headers: + audit-id: + - 061000d1-b396-4184-86c3-a9c501d6c4dc + cache-control: + - no-cache, private + content-length: + - '92' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:47:23 GMT + x-kubernetes-pf-flowschema-uid: + - 2920afa3-e99e-4ce9-aad1-ae980c0c23f4 + x-kubernetes-pf-prioritylevel-uid: + - 9a1ba86f-7d0f-4aa9-baa2-6f999741c9e7 + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s connect + Connection: + - keep-alive + ParameterSetName: + - -g -n -l --distribution --infrastructure --distribution-version --tags --kube-config + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Kubernetes?api-version=2021-04-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Kubernetes","namespace":"Microsoft.Kubernetes","authorizations":[{"applicationId":"64b12d6e-6549-484c-8cc6-6281839ba394","roleDefinitionId":"1d1d44cf-68a1-4def-a2b6-cd7efc3515af"},{"applicationId":"359431ad-ece5-496b-8768-be4bbfd82f36","roleDefinitionId":"1b5c71b7-9814-4b40-b62a-23018af874d8"},{"applicationId":"0000dab9-8b21-4ba2-807f-1743968cef00","roleDefinitionId":"1b5c71b7-9814-4b40-b62a-23018af874d8"},{"applicationId":"8edd93e1-2103-40b4-bd70-6e34e586362d","roleDefinitionId":"eb67887a-31e8-4e4e-bf5b-14ff79351a6f"}],"resourceTypes":[{"resourceType":"connectedClusters","locations":["West + Europe","East US","West Central US","South Central US","Southeast Asia","UK + South","East US 2","West US 2","Australia East","North Europe","France Central","Central + US","West US","North Central US","Korea Central","Japan East","West US 3","East + Asia","Canada Central","East US 2 EUAP","Canada East"],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"SystemAssignedResourceIdentity, + SupportsTags, SupportsLocation"},{"resourceType":"locations","locations":[],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/operationStatuses","locations":["East + US 2 EUAP","West Europe","East US","West Central US","South Central US","Southeast + Asia","UK South","East US 2","West US 2","Australia East","North Europe","France + Central","Central US","West US","North Central US","Korea Central","Japan + East","East Asia","West US 3","Canada East","Canada Central"],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"None"},{"resourceType":"registeredSubscriptions","locations":[],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"None"},{"resourceType":"Operations","locations":[],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview","2019-11-01-preview","2019-09-01-privatepreview"],"capabilities":"None"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' + headers: + cache-control: + - no-cache + content-length: + - '2416' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 11:47:23 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s connect + Connection: + - keep-alive + ParameterSetName: + - -g -n -l --distribution --infrastructure --distribution-version --tags --kube-config + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration?api-version=2021-04-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration","namespace":"Microsoft.KubernetesConfiguration","authorizations":[{"applicationId":"c699bf69-fb1d-4eaf-999b-99e6b2ae4d85","roleDefinitionId":"90155430-a360-410f-af5d-89dc284d85c6"},{"applicationId":"03db181c-e9d3-4868-9097-f0b728327182","roleDefinitionId":"DE2ADB97-42D8-49C8-8FCF-DBB53EF936AC"},{"applicationId":"a0f92522-89de-4c5e-9a75-0044ccf66efd","roleDefinitionId":"b3429810-7d5c-420e-8605-cf280f3099f2"},{"applicationId":"bd9b7cd5-dac1-495f-b013-ac871e98fa5f","roleDefinitionId":"0d44c8f0-08b9-44d4-9f59-e51c83f95200"},{"applicationId":"585fc3c3-9a59-4720-8319-53cce041a605","roleDefinitionId":"4a9ce2ee-6de2-43ba-a7bd-8f316de763a7"}],"resourceTypes":[{"resourceType":"sourceControlConfigurations","locations":["East + US","West Europe","West Central US","West US 2","West US 3","South Central + US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France + Central","Central US","North Central US","West US","Korea Central","East Asia","Japan + East","Canada East","Canada Central","Norway East","Germany West Central","Sweden + Central","Switzerland North","Australia Southeast","Central India","South + India","Japan West","Uk West","France South","Korea South","South Africa North","East + US 2 EUAP","Central US EUAP"],"apiVersions":["2022-07-01","2022-03-01","2021-03-01","2020-10-01-preview","2020-07-01-preview","2019-11-01-preview"],"defaultApiVersion":"2022-03-01","capabilities":"SupportsExtension"},{"resourceType":"extensions","locations":["East + US","West Europe","West Central US","West US 2","West US 3","South Central + US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France + Central","Central US","North Central US","West US","Korea Central","East Asia","Japan + East","Canada East","Canada Central","Norway East","Germany West Central","Sweden + Central","Switzerland North","Australia Southeast","Central India","South + India","Japan West","Uk West","France South","Korea South","South Africa North","East + US 2 EUAP","Central US EUAP"],"apiVersions":["2022-07-01","2022-04-02-preview","2022-03-01","2021-09-01","2021-05-01-preview","2020-07-01-preview"],"defaultApiVersion":"2022-07-01","capabilities":"SystemAssignedResourceIdentity, + SupportsExtension"},{"resourceType":"fluxConfigurations","locations":["East + US","West Europe","West Central US","West US 2","West US 3","South Central + US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France + Central","Central US","North Central US","West US","Korea Central","East Asia","Japan + East","Canada East","Canada Central","Norway East","Germany West Central","Sweden + Central","Switzerland North","Australia Southeast","Central India","South + India","Japan West","Uk West","Korea South","France South","South Africa North","East + US 2 EUAP","Central US EUAP"],"apiVersions":["2022-07-01","2022-03-01","2022-01-01-preview","2021-11-01-preview","2021-06-01-preview"],"defaultApiVersion":"2022-07-01","capabilities":"SupportsExtension"},{"resourceType":"operations","locations":[],"apiVersions":["2022-03-01","2022-01-01-preview","2021-12-01-preview","2021-11-01-preview","2021-09-01","2021-06-01-preview","2021-05-01-preview","2021-03-01","2020-10-01-preview","2020-07-01-preview","2019-11-01-preview"],"capabilities":"None"},{"resourceType":"privateLinkScopes","locations":["East + US","West Europe","West Central US","West US 2","West US 3","South Central + US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France + Central","Central US","North Central US","West US","Korea Central","East Asia","Japan + East","Canada East","Canada Central","Norway East","Germany West Central","Sweden + Central","Switzerland North","Australia Southeast","Central India","South + India","Japan West","Uk West","Korea South","France South","South Africa North","East + US 2 EUAP","Central US EUAP"],"apiVersions":["2022-04-02-preview"],"capabilities":"SupportsTags, + SupportsLocation"},{"resourceType":"privateLinkScopes/privateEndpointConnections","locations":["East + US","West Europe","West Central US","West US 2","West US 3","South Central + US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France + Central","Central US","North Central US","West US","Korea Central","East Asia","Japan + East","Canada East","Canada Central","Norway East","Germany West Central","Sweden + Central","Switzerland North","Australia Southeast","Central India","South + India","Japan West","Uk West","France South","Korea South","South Africa North","East + US 2 EUAP","Central US EUAP"],"apiVersions":["2022-04-02-preview"],"capabilities":"None"},{"resourceType":"privateLinkScopes/privateEndpointConnectionProxies","locations":["East + US","West Europe","West Central US","West US 2","West US 3","South Central + US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France + Central","Central US","North Central US","West US","Korea Central","East Asia","Japan + East","Canada East","Canada Central","Norway East","Germany West Central","Sweden + Central","Switzerland North","Australia Southeast","Central India","South + India","Japan West","Uk West","South Africa North","Korea South","France South","East + US 2 EUAP","Central US EUAP"],"apiVersions":["2022-04-02-preview"],"capabilities":"None"},{"resourceType":"namespaces","locations":["East + US 2 EUAP","West US 2","East US","West Europe","West Central US","West US + 3","South Central US","East US 2","North Europe","UK South","Southeast Asia","Australia + East","France Central","Central US","North Central US","West US","Korea Central","East + Asia","Japan East","Canada Central","Canada East","Norway East","Germany West + Central","Switzerland North","Sweden Central","Central India","South India","Australia + Southeast","Japan West","Uk West","France South","Korea South","South Africa + North"],"apiVersions":["2021-12-01-preview"],"defaultApiVersion":"2021-12-01-preview","capabilities":"SupportsExtension"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' + headers: + cache-control: + - no-cache + content-length: + - '6074' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 11:47:23 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Content-Type: + - application/json + User-Agent: + - OpenAPI-Generator/24.2.0/python + method: GET + uri: https://cli-test-a-akkeshar-1bfbb5-52714f14.hcp.westeurope.azmk8s.io/version/ + response: + body: + string: "{\n \"major\": \"1\",\n \"minor\": \"23\",\n \"gitVersion\": \"v1.23.12\",\n + \ \"gitCommit\": \"f941a31f4515c5ac03f5fc7ccf9a330e3510b80d\",\n \"gitTreeState\": + \"clean\",\n \"buildDate\": \"2022-11-09T17:12:33Z\",\n \"goVersion\": \"go1.17.13\",\n + \ \"compiler\": \"gc\",\n \"platform\": \"linux/amd64\"\n}" + headers: + audit-id: + - 33a7f04f-35ed-45fe-a91e-48d7cb87d45d + cache-control: + - no-cache, private + content-length: + - '265' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:47:25 GMT + x-kubernetes-pf-flowschema-uid: + - 2920afa3-e99e-4ce9-aad1-ae980c0c23f4 + x-kubernetes-pf-prioritylevel-uid: + - 9a1ba86f-7d0f-4aa9-baa2-6f999741c9e7 + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Content-Type: + - application/json + User-Agent: + - OpenAPI-Generator/24.2.0/python + method: GET + uri: https://cli-test-a-akkeshar-1bfbb5-52714f14.hcp.westeurope.azmk8s.io/api/v1/nodes + response: + body: + string: '{"kind":"NodeList","apiVersion":"v1","metadata":{"resourceVersion":"4677"},"items":[{"metadata":{"name":"aks-nodepool1-30157530-vmss000000","uid":"3afcee7e-70b5-4205-8c41-25c2da42116d","resourceVersion":"4207","creationTimestamp":"2022-11-15T11:35:31Z","labels":{"agentpool":"nodepool1","beta.kubernetes.io/arch":"amd64","beta.kubernetes.io/instance-type":"Standard_B4ms","beta.kubernetes.io/os":"linux","failure-domain.beta.kubernetes.io/region":"westeurope","failure-domain.beta.kubernetes.io/zone":"0","kubernetes.azure.com/agentpool":"nodepool1","kubernetes.azure.com/cluster":"MC_akkeshar_cli-test-aks-000001_westeurope","kubernetes.azure.com/kubelet-identity-client-id":"f7bc696b-0f88-445e-aed7-d11a045621ef","kubernetes.azure.com/mode":"system","kubernetes.azure.com/node-image-version":"AKSUbuntu-1804gen2containerd-2022.10.24","kubernetes.azure.com/os-sku":"Ubuntu","kubernetes.azure.com/role":"agent","kubernetes.azure.com/storageprofile":"managed","kubernetes.azure.com/storagetier":"Premium_LRS","kubernetes.io/arch":"amd64","kubernetes.io/hostname":"aks-nodepool1-30157530-vmss000000","kubernetes.io/os":"linux","kubernetes.io/role":"agent","node-role.kubernetes.io/agent":"","node.kubernetes.io/instance-type":"Standard_B4ms","storageprofile":"managed","storagetier":"Premium_LRS","topology.disk.csi.azure.com/zone":"","topology.kubernetes.io/region":"westeurope","topology.kubernetes.io/zone":"0"},"annotations":{"csi.volume.kubernetes.io/nodeid":"{\"disk.csi.azure.com\":\"aks-nodepool1-30157530-vmss000000\",\"file.csi.azure.com\":\"aks-nodepool1-30157530-vmss000000\"}","node.alpha.kubernetes.io/ttl":"0","volumes.kubernetes.io/controller-managed-attach-detach":"true"},"managedFields":[{"manager":"cloud-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:31Z","fieldsType":"FieldsV1","fieldsV1":{"f:spec":{"f:podCIDR":{},"f:podCIDRs":{".":{},"v:\"10.244.0.0/24\"":{}}}}},{"manager":"kubelet","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:31Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:volumes.kubernetes.io/controller-managed-attach-detach":{}},"f:labels":{".":{},"f:agentpool":{},"f:beta.kubernetes.io/arch":{},"f:beta.kubernetes.io/os":{},"f:kubernetes.azure.com/agentpool":{},"f:kubernetes.azure.com/kubelet-identity-client-id":{},"f:kubernetes.azure.com/mode":{},"f:kubernetes.azure.com/node-image-version":{},"f:kubernetes.io/arch":{},"f:kubernetes.io/hostname":{},"f:kubernetes.io/os":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:41Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{"f:node.alpha.kubernetes.io/ttl":{}}}}},{"manager":"cloud-node-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:47Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{"f:beta.kubernetes.io/instance-type":{},"f:failure-domain.beta.kubernetes.io/region":{},"f:failure-domain.beta.kubernetes.io/zone":{},"f:node.kubernetes.io/instance-type":{},"f:topology.kubernetes.io/region":{},"f:topology.kubernetes.io/zone":{}}},"f:spec":{"f:providerID":{}}}},{"manager":"cloud-node-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:47Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{"k:{\"type\":\"NetworkUnavailable\"}":{".":{},"f:type":{}}}}},"subresource":"status"},{"manager":"kubectl-label","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:54Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{"f:kubernetes.io/role":{},"f:node-role.kubernetes.io/agent":{}}}}},{"manager":"kubelet","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:54Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{"f:csi.volume.kubernetes.io/nodeid":{}},"f:labels":{"f:topology.disk.csi.azure.com/zone":{}}},"f:status":{"f:allocatable":{"f:ephemeral-storage":{}},"f:capacity":{"f:ephemeral-storage":{}},"f:conditions":{"k:{\"type\":\"DiskPressure\"}":{"f:lastHeartbeatTime":{}},"k:{\"type\":\"MemoryPressure\"}":{"f:lastHeartbeatTime":{}},"k:{\"type\":\"PIDPressure\"}":{"f:lastHeartbeatTime":{}},"k:{\"type\":\"Ready\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}}},"f:images":{}}},"subresource":"status"},{"manager":"cloud-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:36:38Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{"k:{\"type\":\"NetworkUnavailable\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}}}}},"subresource":"status"},{"manager":"node-problem-detector","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:41:16Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{"k:{\"type\":\"ContainerRuntimeProblem\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"FilesystemCorruptionProblem\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"FreezeScheduled\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"FrequentContainerdRestart\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"FrequentDockerRestart\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"FrequentKubeletRestart\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"FrequentUnregisterNetDevice\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"KernelDeadlock\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"KubeletProblem\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"PreemptScheduled\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"ReadonlyFilesystem\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"RebootScheduled\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"RedeployScheduled\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"TerminateScheduled\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"VMEventScheduled\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"podCIDR":"10.244.0.0/24","podCIDRs":["10.244.0.0/24"],"providerID":"azure:///subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/mc_akkeshar_cli-test-aks-000001_westeurope/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-30157530-vmss/virtualMachines/0"},"status":{"capacity":{"cpu":"4","ephemeral-storage":"129886128Ki","hugepages-1Gi":"0","hugepages-2Mi":"0","memory":"16393248Ki","pods":"110"},"allocatable":{"cpu":"3860m","ephemeral-storage":"119703055367","hugepages-1Gi":"0","hugepages-2Mi":"0","memory":"12899360Ki","pods":"110"},"conditions":[{"type":"FrequentUnregisterNetDevice","status":"False","lastHeartbeatTime":"2022-11-15T11:46:42Z","lastTransitionTime":"2022-11-15T11:41:15Z","reason":"NoFrequentUnregisterNetDevice","message":"node + is functioning properly"},{"type":"FrequentContainerdRestart","status":"False","lastHeartbeatTime":"2022-11-15T11:46:42Z","lastTransitionTime":"2022-11-15T11:41:15Z","reason":"NoFrequentContainerdRestart","message":"containerd + is functioning properly"},{"type":"ReadonlyFilesystem","status":"False","lastHeartbeatTime":"2022-11-15T11:46:42Z","lastTransitionTime":"2022-11-15T11:41:15Z","reason":"FilesystemIsNotReadOnly","message":"Filesystem + is not read-only"},{"type":"FrequentKubeletRestart","status":"False","lastHeartbeatTime":"2022-11-15T11:46:42Z","lastTransitionTime":"2022-11-15T11:41:15Z","reason":"NoFrequentKubeletRestart","message":"kubelet + is functioning properly"},{"type":"PreemptScheduled","status":"False","lastHeartbeatTime":"2022-11-15T11:46:42Z","lastTransitionTime":"2022-11-15T11:41:40Z","reason":"NoPreemptScheduled","message":"VM + has no scheduled Preempt event"},{"type":"FreezeScheduled","status":"False","lastHeartbeatTime":"2022-11-15T11:46:42Z","lastTransitionTime":"2022-11-15T11:41:15Z","reason":"NoFreezeScheduled","message":"VM + has no scheduled Freeze event"},{"type":"VMEventScheduled","status":"False","lastHeartbeatTime":"2022-11-15T11:46:42Z","lastTransitionTime":"2022-11-15T11:41:40Z","reason":"NoVMEventScheduled","message":"VM + has no scheduled event"},{"type":"ContainerRuntimeProblem","status":"False","lastHeartbeatTime":"2022-11-15T11:46:42Z","lastTransitionTime":"2022-11-15T11:41:15Z","reason":"ContainerRuntimeIsUp","message":"container + runtime service is up"},{"type":"TerminateScheduled","status":"False","lastHeartbeatTime":"2022-11-15T11:46:42Z","lastTransitionTime":"2022-11-15T11:41:15Z","reason":"NoTerminateScheduled","message":"VM + has no scheduled Terminate event"},{"type":"FilesystemCorruptionProblem","status":"False","lastHeartbeatTime":"2022-11-15T11:46:42Z","lastTransitionTime":"2022-11-15T11:41:15Z","reason":"FilesystemIsOK","message":"Filesystem + is healthy"},{"type":"KubeletProblem","status":"False","lastHeartbeatTime":"2022-11-15T11:46:42Z","lastTransitionTime":"2022-11-15T11:41:15Z","reason":"KubeletIsUp","message":"kubelet + service is up"},{"type":"RedeployScheduled","status":"False","lastHeartbeatTime":"2022-11-15T11:46:42Z","lastTransitionTime":"2022-11-15T11:41:15Z","reason":"NoRedeployScheduled","message":"VM + has no scheduled Redeploy event"},{"type":"KernelDeadlock","status":"False","lastHeartbeatTime":"2022-11-15T11:46:42Z","lastTransitionTime":"2022-11-15T11:41:15Z","reason":"KernelHasNoDeadlock","message":"kernel + has no deadlock"},{"type":"FrequentDockerRestart","status":"False","lastHeartbeatTime":"2022-11-15T11:46:42Z","lastTransitionTime":"2022-11-15T11:41:15Z","reason":"NoFrequentDockerRestart","message":"docker + is functioning properly"},{"type":"RebootScheduled","status":"False","lastHeartbeatTime":"2022-11-15T11:46:42Z","lastTransitionTime":"2022-11-15T11:41:15Z","reason":"NoRebootScheduled","message":"VM + has no scheduled Reboot event"},{"type":"NetworkUnavailable","status":"False","lastHeartbeatTime":"2022-11-15T11:36:37Z","lastTransitionTime":"2022-11-15T11:36:37Z","reason":"RouteCreated","message":"RouteController + created a route"},{"type":"MemoryPressure","status":"False","lastHeartbeatTime":"2022-11-15T11:45:55Z","lastTransitionTime":"2022-11-15T11:35:31Z","reason":"KubeletHasSufficientMemory","message":"kubelet + has sufficient memory available"},{"type":"DiskPressure","status":"False","lastHeartbeatTime":"2022-11-15T11:45:55Z","lastTransitionTime":"2022-11-15T11:35:31Z","reason":"KubeletHasNoDiskPressure","message":"kubelet + has no disk pressure"},{"type":"PIDPressure","status":"False","lastHeartbeatTime":"2022-11-15T11:45:55Z","lastTransitionTime":"2022-11-15T11:35:31Z","reason":"KubeletHasSufficientPID","message":"kubelet + has sufficient PID available"},{"type":"Ready","status":"True","lastHeartbeatTime":"2022-11-15T11:45:55Z","lastTransitionTime":"2022-11-15T11:35:41Z","reason":"KubeletReady","message":"kubelet + is posting ready status. AppArmor enabled"}],"addresses":[{"type":"InternalIP","address":"10.224.0.4"},{"type":"Hostname","address":"aks-nodepool1-30157530-vmss000000"}],"daemonEndpoints":{"kubeletEndpoint":{"Port":10250}},"nodeInfo":{"machineID":"c1cb98cda984494199e232aca1ead223","systemUUID":"d831d796-ee65-4822-8c76-3328b8985bfb","bootID":"58398ea8-03cb-40d8-b940-e9c458fa375a","kernelVersion":"5.4.0-1094-azure","osImage":"Ubuntu + 18.04.6 LTS","containerRuntimeVersion":"containerd://1.5.11+azure-2","kubeletVersion":"v1.23.12","kubeProxyVersion":"v1.23.12","operatingSystem":"linux","architecture":"amd64"},"images":[{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod:ciprod10042022-3c05dd1b"],"sizeBytes":398142568},{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod:ciprod08102022"],"sizeBytes":397844357},{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod/prometheus-collector/images:5.3.0-main-10-06-2022-c0c49872"],"sizeBytes":314952834},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:0.49.3"],"sizeBytes":287741913},{"names":["mcr.microsoft.com/oss/calico/cni:v3.23.1"],"sizeBytes":263014840},{"names":["mcr.microsoft.com/oss/calico/cni:v3.21.4"],"sizeBytes":236345866},{"names":["mcr.microsoft.com/oss/calico/cni:v3.21.6"],"sizeBytes":227829276},{"names":["mcr.microsoft.com/oss/calico/node:v3.23.1"],"sizeBytes":221560540},{"names":["mcr.microsoft.com/oss/calico/node:v3.21.4"],"sizeBytes":216363503},{"names":["mcr.microsoft.com/oss/calico/node:v3.21.6"],"sizeBytes":215379163},{"names":["mcr.microsoft.com/oss/cilium/cilium:1.12.2.2"],"sizeBytes":167729489},{"names":["mcr.microsoft.com/oss/cilium/cilium:1.12.2"],"sizeBytes":166611722},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:0.19.0"],"sizeBytes":166352383},{"names":["mcr.microsoft.com/aks/hcp/hcp-tunnel-front:master.220527.2"],"sizeBytes":146994488},{"names":null,"sizeBytes":138243950},{"names":["mcr.microsoft.com/oss/calico/kube-controllers:v3.23.1"],"sizeBytes":136078571},{"names":["mcr.microsoft.com/oss/calico/typha:v3.23.1"],"sizeBytes":131467121},{"names":["mcr.microsoft.com/oss/kubernetes/kube-proxy:v1.23.12-hotfix.20220922.1"],"sizeBytes":128992809},{"names":null,"sizeBytes":128984097},{"names":["mcr.microsoft.com/oss/tigera/operator:v1.24.2"],"sizeBytes":128711964},{"names":["mcr.microsoft.com/oss/calico/typha:v3.21.4"],"sizeBytes":128235133},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.2.2.5"],"sizeBytes":123925992},{"names":null,"sizeBytes":123550720},{"names":null,"sizeBytes":123549904},{"names":["mcr.microsoft.com/oss/calico/kube-controllers:v3.21.6"],"sizeBytes":123549280},{"names":null,"sizeBytes":123542588},{"names":null,"sizeBytes":123542274},{"names":["mcr.microsoft.com/oss/calico/typha:v3.21.6"],"sizeBytes":119713369},{"names":null,"sizeBytes":115909379},{"names":null,"sizeBytes":115897326},{"names":null,"sizeBytes":115893258},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:v1.2.1"],"sizeBytes":107169290},{"names":["mcr.microsoft.com/oss/calico/node:v3.8.9.5"],"sizeBytes":101794833},{"names":["mcr.microsoft.com/containernetworking/azure-cns:v1.4.35"],"sizeBytes":101298296},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.22.0.3"],"sizeBytes":99538753},{"names":["mcr.microsoft.com/aks/acc/sgx-attestation:3.1"],"sizeBytes":98058501},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.23.0"],"sizeBytes":95915873},{"names":["mcr.microsoft.com/oss/kubernetes/exechealthz:1.2_v0.0.5"],"sizeBytes":94348102},{"names":["mcr.microsoft.com/aks/hcp/tunnel-openvpn:master.220527.2"],"sizeBytes":92531564},{"names":["mcr.microsoft.com/containernetworking/azure-npm:v1.4.32"],"sizeBytes":90048618},{"names":["mcr.microsoft.com/containernetworking/azure-npm:v1.4.29"],"sizeBytes":89255513},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.2.2"],"sizeBytes":88551490},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.22.0"],"sizeBytes":83173887},{"names":["mcr.microsoft.com/aks/command/runtime:master.220211.1"],"sizeBytes":82792811},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.21.0"],"sizeBytes":75345915},{"names":["mcr.microsoft.com/oss/nvidia/k8s-device-plugin:v0.9.0"],"sizeBytes":67291599},{"names":["mcr.microsoft.com/containernetworking/cni-dropgz:v0.0.2"],"sizeBytes":67202663},{"names":["mcr.microsoft.com/oss/tigera/operator:v1.27.12"],"sizeBytes":64784076},{"names":["mcr.microsoft.com/oss/kubernetes-csi/secrets-store/driver:v1.2.2.3"],"sizeBytes":64781810},{"names":["mcr.microsoft.com/oss/calico/cni:v3.8.9.3"],"sizeBytes":63581323}]}}]} + + ' + headers: + audit-id: + - 37e00e94-9fc0-4145-82c3-500099f5e6e9 + cache-control: + - no-cache, private + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:47:26 GMT + transfer-encoding: + - chunked + x-kubernetes-pf-flowschema-uid: + - 2920afa3-e99e-4ce9-aad1-ae980c0c23f4 + x-kubernetes-pf-prioritylevel-uid: + - 9a1ba86f-7d0f-4aa9-baa2-6f999741c9e7 + status: + code: 200 + message: OK +- request: + body: '{"spec": {"resourceAttributes": {"verb": "create", "resource": "clusterrolebindings", + "group": "rbac.authorization.k8s.io"}}}' + headers: + Accept: + - application/json + Content-Type: + - application/json + User-Agent: + - OpenAPI-Generator/24.2.0/python + method: POST + uri: https://cli-test-a-akkeshar-1bfbb5-52714f14.hcp.westeurope.azmk8s.io/apis/authorization.k8s.io/v1/selfsubjectaccessreviews + response: + body: + string: '{"kind":"SelfSubjectAccessReview","apiVersion":"authorization.k8s.io/v1","metadata":{"creationTimestamp":null,"managedFields":[{"manager":"OpenAPI-Generator","operation":"Update","apiVersion":"authorization.k8s.io/v1","time":"2022-11-15T11:47:27Z","fieldsType":"FieldsV1","fieldsV1":{"f:spec":{"f:resourceAttributes":{".":{},"f:group":{},"f:resource":{},"f:verb":{}}}}}]},"spec":{"resourceAttributes":{"verb":"create","group":"rbac.authorization.k8s.io","resource":"clusterrolebindings"}},"status":{"allowed":true}} + + ' + headers: + audit-id: + - 70ac07ca-0d0f-4637-aab0-05f60362c1e7 + cache-control: + - no-cache, private + content-length: + - '516' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:47:27 GMT + x-kubernetes-pf-flowschema-uid: + - 2920afa3-e99e-4ce9-aad1-ae980c0c23f4 + x-kubernetes-pf-prioritylevel-uid: + - 9a1ba86f-7d0f-4aa9-baa2-6f999741c9e7 + status: + code: 201 + message: Created +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s connect + Connection: + - keep-alive + ParameterSetName: + - -g -n -l --distribution --infrastructure --distribution-version --tags --kube-config + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Kubernetes?api-version=2021-04-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Kubernetes","namespace":"Microsoft.Kubernetes","authorizations":[{"applicationId":"64b12d6e-6549-484c-8cc6-6281839ba394","roleDefinitionId":"1d1d44cf-68a1-4def-a2b6-cd7efc3515af"},{"applicationId":"359431ad-ece5-496b-8768-be4bbfd82f36","roleDefinitionId":"1b5c71b7-9814-4b40-b62a-23018af874d8"},{"applicationId":"0000dab9-8b21-4ba2-807f-1743968cef00","roleDefinitionId":"1b5c71b7-9814-4b40-b62a-23018af874d8"},{"applicationId":"8edd93e1-2103-40b4-bd70-6e34e586362d","roleDefinitionId":"eb67887a-31e8-4e4e-bf5b-14ff79351a6f"}],"resourceTypes":[{"resourceType":"connectedClusters","locations":["West + Europe","East US","West Central US","South Central US","Southeast Asia","UK + South","East US 2","West US 2","Australia East","North Europe","France Central","Central + US","West US","North Central US","Korea Central","Japan East","West US 3","East + Asia","Canada Central","East US 2 EUAP","Canada East"],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"SystemAssignedResourceIdentity, + SupportsTags, SupportsLocation"},{"resourceType":"locations","locations":[],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/operationStatuses","locations":["East + US 2 EUAP","West Europe","East US","West Central US","South Central US","Southeast + Asia","UK South","East US 2","West US 2","Australia East","North Europe","France + Central","Central US","West US","North Central US","Korea Central","Japan + East","East Asia","West US 3","Canada East","Canada Central"],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"None"},{"resourceType":"registeredSubscriptions","locations":[],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"None"},{"resourceType":"Operations","locations":[],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview","2019-11-01-preview","2019-09-01-privatepreview"],"capabilities":"None"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' + headers: + cache-control: + - no-cache + content-length: + - '2416' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 11:47:27 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s connect + Connection: + - keep-alive + ParameterSetName: + - -g -n -l --distribution --infrastructure --distribution-version --tags --kube-config + User-Agent: + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002?api-version=2022-10-01-preview + response: + body: + string: '{"error":{"code":"ResourceNotFound","message":"The Resource ''Microsoft.Kubernetes/connectedClusters/cc-000002'' + under resource group ''akkeshar'' was not found. For more details please go + to https://aka.ms/ARMResourceNotFoundFix"}}' + headers: + cache-control: + - no-cache + content-length: + - '228' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 11:47:29 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + x-ms-failure-cause: + - gateway + status: + code: 404 + message: Not Found +- request: + body: null + headers: + Accept: + - application/json + Content-Type: + - application/json + User-Agent: + - OpenAPI-Generator/24.2.0/python + method: GET + uri: https://cli-test-a-akkeshar-1bfbb5-52714f14.hcp.westeurope.azmk8s.io/api/v1/namespaces + response: + body: + string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"4693"},"items":[{"metadata":{"name":"default","uid":"cd58e606-5900-40ef-a998-71ad36530e9b","resourceVersion":"205","creationTimestamp":"2022-11-15T11:33:55Z","labels":{"kubernetes.io/metadata.name":"default"},"managedFields":[{"manager":"kube-apiserver","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:33:55Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{".":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Active"}},{"metadata":{"name":"gatekeeper-system","uid":"a0b5ca64-ac7a-4bcb-8c1a-c9db64329268","resourceVersion":"3510","creationTimestamp":"2022-11-15T11:44:27Z","labels":{"addonmanager.kubernetes.io/mode":"Reconcile","admission.gatekeeper.sh/ignore":"no-self-managing","control-plane":"controller-manager","gatekeeper.sh/system":"yes","kubernetes.io/metadata.name":"gatekeeper-system"},"annotations":{"kubectl.kubernetes.io/last-applied-configuration":"{\"apiVersion\":\"v1\",\"kind\":\"Namespace\",\"metadata\":{\"annotations\":{},\"labels\":{\"addonmanager.kubernetes.io/mode\":\"Reconcile\",\"admission.gatekeeper.sh/ignore\":\"no-self-managing\",\"control-plane\":\"controller-manager\",\"gatekeeper.sh/system\":\"yes\"},\"name\":\"gatekeeper-system\"}}\n"},"managedFields":[{"manager":"kubectl-client-side-apply","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:44:27Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:kubectl.kubernetes.io/last-applied-configuration":{}},"f:labels":{".":{},"f:addonmanager.kubernetes.io/mode":{},"f:admission.gatekeeper.sh/ignore":{},"f:control-plane":{},"f:gatekeeper.sh/system":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Active"}},{"metadata":{"name":"kube-node-lease","uid":"6997ca5a-66e9-46b0-bf71-b2c228b4f8d3","resourceVersion":"47","creationTimestamp":"2022-11-15T11:33:53Z","labels":{"kubernetes.io/metadata.name":"kube-node-lease"},"managedFields":[{"manager":"kube-apiserver","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:33:53Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{".":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Active"}},{"metadata":{"name":"kube-public","uid":"96ce53d6-f62f-4ba8-aea5-19c0d37747bc","resourceVersion":"34","creationTimestamp":"2022-11-15T11:33:53Z","labels":{"kubernetes.io/metadata.name":"kube-public"},"managedFields":[{"manager":"kube-apiserver","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:33:53Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{".":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Active"}},{"metadata":{"name":"kube-system","uid":"9360d1b2-f574-4dc0-9dd7-527224f71af1","resourceVersion":"585","creationTimestamp":"2022-11-15T11:33:53Z","labels":{"addonmanager.kubernetes.io/mode":"Reconcile","control-plane":"true","kubernetes.io/cluster-service":"true","kubernetes.io/metadata.name":"kube-system"},"annotations":{"kubectl.kubernetes.io/last-applied-configuration":"{\"apiVersion\":\"v1\",\"kind\":\"Namespace\",\"metadata\":{\"annotations\":{},\"labels\":{\"addonmanager.kubernetes.io/mode\":\"Reconcile\",\"control-plane\":\"true\",\"kubernetes.io/cluster-service\":\"true\"},\"name\":\"kube-system\"}}\n"},"managedFields":[{"manager":"kube-apiserver","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:33:53Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{".":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kubectl-client-side-apply","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:34:14Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:kubectl.kubernetes.io/last-applied-configuration":{}},"f:labels":{"f:addonmanager.kubernetes.io/mode":{},"f:control-plane":{},"f:kubernetes.io/cluster-service":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Active"}}]} + + ' + headers: + audit-id: + - 1218c495-0671-4fa5-aaef-bc915bbb56a8 + cache-control: + - no-cache, private + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:47:30 GMT + transfer-encoding: + - chunked + x-kubernetes-pf-flowschema-uid: + - 2920afa3-e99e-4ce9-aad1-ae980c0c23f4 + x-kubernetes-pf-prioritylevel-uid: + - 9a1ba86f-7d0f-4aa9-baa2-6f999741c9e7 + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s connect + Connection: + - keep-alive + ParameterSetName: + - -g -n -l --distribution --infrastructure --distribution-version --tags --kube-config + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/akkeshar?api-version=2021-04-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar","name":"akkeshar","type":"Microsoft.Resources/resourceGroups","location":"eastus","tags":{"Created":"20210721"},"properties":{"provisioningState":"Succeeded"}}' + headers: + cache-control: + - no-cache + content-length: + - '243' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 11:47:31 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s connect + Connection: + - keep-alive + Content-Length: + - '0' + ParameterSetName: + - -g -n -l --distribution --infrastructure --distribution-version --tags --kube-config + User-Agent: + - python/3.7.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.42.0 + method: POST + uri: https://eastus.dp.kubernetesconfiguration.azure.com/azure-arc-k8sagents/GetLatestHelmPackagePath?api-version=2019-11-01-preview&releaseTrain=stable + response: + body: + string: '{"repositoryPath":"mcr.microsoft.com/azurearck8s/batch1/stable/azure-arc-k8sagents:1.8.14"}' + headers: + api-supported-versions: + - 2019-11-01-Preview + connection: + - close + content-length: + - '91' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 11:47:32 GMT + strict-transport-security: + - max-age=15724800; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: '{"tags": {"foo": "doo"}, "location": "eastus", "identity": {"type": "SystemAssigned"}, + "properties": {"agentPublicKeyCertificate": "MIICCgKCAgEAwOy8KVNGdmNk9F2HubjjobGYHNhdQTTM+sZD2vYcquf/VnBZ5MxpRZ/bKFaDUcQ8FV7f3AwmCjGpPnDrq6n2FkS2OuEaI+3WqLjnPy57Tjtq+nJLzci6s8dZOODAsyW1/diEAplBSkg9cK6x56vFGw7fr4HL29iBi4jtnIl8TtmHyeStwBj3wYmuXcn+A058A2F3hZPsRDRRPppuf5gMBpetE1wuzKr/VzjWI+PzwEhQiZmJ82OtFpgdJwLSrKY6MO776Kk6t/KaioAEkLJvaxuFHgopom+Cey0S9mtqSj3NN55PWGNypQ40NJvjEsAIAGBpksD3VdiXPU+YphhdwospHp5qVXPP5/7a3diYYUZjL9OJEjtRXkvDGPSDJpweW8EIsGt4r36kYbrUghZDhpeM1YScjEFn/uACzbJNE58jQ/5AfsiYg/qXGefh13F03ELHGpOnXIxkm0l5uZCttsWD6YtiE2v52h3rEB/P6ZiZfSwBvrNQ7FehAJti5PLf7jSNuZqq+Nx9UKdEAkNIklV2Fq21Ajd7UcW6BLyZJvjAhS/D2yX4BKyLG2HIM4JhkIjevKrrOSOjVZLDe1fk37wO8lYg4UJK080bZkPZNh01DzsN8r/YFKFCBEmMv+E0nMkJkQGP7YrWApqr0U08D50hksCrEMTt2XjKdBIc2AkCAwEAAQ==", + "distribution": "aks_management", "distributionVersion": "1.0", "infrastructure": + "azure_stack_hci"}}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s connect + Connection: + - keep-alive + Content-Length: + - '940' + Content-Type: + - application/json + ParameterSetName: + - -g -n -l --distribution --infrastructure --distribution-version --tags --kube-config + User-Agent: + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002?api-version=2022-10-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","name":"cc-000002","type":"microsoft.kubernetes/connectedclusters","location":"eastus","tags":{"foo":"doo"},"systemData":{"createdBy":"akkeshar@microsoft.com","createdByType":"User","createdAt":"2022-11-15T11:48:03.4465079Z","lastModifiedBy":"akkeshar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-15T11:48:03.4465079Z"},"identity":{"principalId":"4ed63c1a-5e9a-47c1-89bf-ea17f5dddb8e","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned"},"properties":{"provisioningState":"Accepted","connectivityStatus":"Connecting","privateLinkState":"Disabled","azureHybridBenefit":"NotApplicable","agentPublicKeyCertificate":"MIICCgKCAgEAwOy8KVNGdmNk9F2HubjjobGYHNhdQTTM+sZD2vYcquf/VnBZ5MxpRZ/bKFaDUcQ8FV7f3AwmCjGpPnDrq6n2FkS2OuEaI+3WqLjnPy57Tjtq+nJLzci6s8dZOODAsyW1/diEAplBSkg9cK6x56vFGw7fr4HL29iBi4jtnIl8TtmHyeStwBj3wYmuXcn+A058A2F3hZPsRDRRPppuf5gMBpetE1wuzKr/VzjWI+PzwEhQiZmJ82OtFpgdJwLSrKY6MO776Kk6t/KaioAEkLJvaxuFHgopom+Cey0S9mtqSj3NN55PWGNypQ40NJvjEsAIAGBpksD3VdiXPU+YphhdwospHp5qVXPP5/7a3diYYUZjL9OJEjtRXkvDGPSDJpweW8EIsGt4r36kYbrUghZDhpeM1YScjEFn/uACzbJNE58jQ/5AfsiYg/qXGefh13F03ELHGpOnXIxkm0l5uZCttsWD6YtiE2v52h3rEB/P6ZiZfSwBvrNQ7FehAJti5PLf7jSNuZqq+Nx9UKdEAkNIklV2Fq21Ajd7UcW6BLyZJvjAhS/D2yX4BKyLG2HIM4JhkIjevKrrOSOjVZLDe1fk37wO8lYg4UJK080bZkPZNh01DzsN8r/YFKFCBEmMv+E0nMkJkQGP7YrWApqr0U08D50hksCrEMTt2XjKdBIc2AkCAwEAAQ==","distribution":"aks_management","distributionVersion":"1.0","infrastructure":"azure_stack_hci"}}' + headers: + azure-asyncoperation: + - https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/fe4c5184-3696-426f-8b20-c228cdba8605*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11?api-version=2022-10-01-preview + cache-control: + - no-cache + content-length: + - '1604' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 11:48:08 GMT + etag: + - '"7100ed6e-0000-0100-0000-63737c760000"' + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + x-ms-providerhub-traffic: + - 'True' + x-ms-ratelimit-remaining-subscription-writes: + - '1199' + status: + code: 201 + message: Created +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s connect + Connection: + - keep-alive + ParameterSetName: + - -g -n -l --distribution --infrastructure --distribution-version --tags --kube-config + User-Agent: + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/fe4c5184-3696-426f-8b20-c228cdba8605*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11?api-version=2022-10-01-preview + response: + body: + string: '{"id":"/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/fe4c5184-3696-426f-8b20-c228cdba8605*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11","name":"fe4c5184-3696-426f-8b20-c228cdba8605*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","status":"Accepted","startTime":"2022-11-15T11:48:05.9009028Z"}' + headers: + cache-control: + - no-cache + content-length: + - '501' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 11:48:08 GMT + etag: + - '"1001b16a-0000-0100-0000-63737c750000"' + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s connect + Connection: + - keep-alive + ParameterSetName: + - -g -n -l --distribution --infrastructure --distribution-version --tags --kube-config + User-Agent: + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/fe4c5184-3696-426f-8b20-c228cdba8605*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11?api-version=2022-10-01-preview + response: + body: + string: '{"id":"/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/fe4c5184-3696-426f-8b20-c228cdba8605*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11","name":"fe4c5184-3696-426f-8b20-c228cdba8605*8ED7E1FECB8CA304829375DD00A125132107034D99198B1B022353172C06DD11","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","status":"Succeeded","startTime":"2022-11-15T11:48:05.9009028Z","endTime":"2022-11-15T11:48:14.7827283Z","properties":null}' + headers: + cache-control: + - no-cache + content-length: + - '561' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 11:48:38 GMT + etag: + - '"1001d26a-0000-0100-0000-63737c7e0000"' + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s connect + Connection: + - keep-alive + ParameterSetName: + - -g -n -l --distribution --infrastructure --distribution-version --tags --kube-config + User-Agent: + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002?api-version=2022-10-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","name":"cc-000002","type":"microsoft.kubernetes/connectedclusters","location":"eastus","tags":{"foo":"doo"},"systemData":{"createdBy":"akkeshar@microsoft.com","createdByType":"User","createdAt":"2022-11-15T11:48:03.4465079Z","lastModifiedBy":"akkeshar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-15T11:48:03.4465079Z"},"identity":{"principalId":"4ed63c1a-5e9a-47c1-89bf-ea17f5dddb8e","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned"},"properties":{"provisioningState":"Succeeded","connectivityStatus":"Connecting","privateLinkState":"Disabled","azureHybridBenefit":"NotApplicable","agentPublicKeyCertificate":"MIICCgKCAgEAwOy8KVNGdmNk9F2HubjjobGYHNhdQTTM+sZD2vYcquf/VnBZ5MxpRZ/bKFaDUcQ8FV7f3AwmCjGpPnDrq6n2FkS2OuEaI+3WqLjnPy57Tjtq+nJLzci6s8dZOODAsyW1/diEAplBSkg9cK6x56vFGw7fr4HL29iBi4jtnIl8TtmHyeStwBj3wYmuXcn+A058A2F3hZPsRDRRPppuf5gMBpetE1wuzKr/VzjWI+PzwEhQiZmJ82OtFpgdJwLSrKY6MO776Kk6t/KaioAEkLJvaxuFHgopom+Cey0S9mtqSj3NN55PWGNypQ40NJvjEsAIAGBpksD3VdiXPU+YphhdwospHp5qVXPP5/7a3diYYUZjL9OJEjtRXkvDGPSDJpweW8EIsGt4r36kYbrUghZDhpeM1YScjEFn/uACzbJNE58jQ/5AfsiYg/qXGefh13F03ELHGpOnXIxkm0l5uZCttsWD6YtiE2v52h3rEB/P6ZiZfSwBvrNQ7FehAJti5PLf7jSNuZqq+Nx9UKdEAkNIklV2Fq21Ajd7UcW6BLyZJvjAhS/D2yX4BKyLG2HIM4JhkIjevKrrOSOjVZLDe1fk37wO8lYg4UJK080bZkPZNh01DzsN8r/YFKFCBEmMv+E0nMkJkQGP7YrWApqr0U08D50hksCrEMTt2XjKdBIc2AkCAwEAAQ==","distribution":"AKS_Management","distributionVersion":"1.0","infrastructure":"azure_stack_hci"}}' + headers: + cache-control: + - no-cache + content-length: + - '1605' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 11:48:39 GMT + etag: + - '"71000f6f-0000-0100-0000-63737c7e0000"' + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-providerhub-traffic: + - 'True' + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s connect + Connection: + - keep-alive + ParameterSetName: + - -g -n -l --distribution --infrastructure --distribution-version --tags --kube-config + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ExtendedLocation?api-version=2021-04-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ExtendedLocation","namespace":"Microsoft.ExtendedLocation","authorizations":[{"applicationId":"bc313c14-388c-4e7d-a58e-70017303ee3b","roleDefinitionId":"a775b938-2819-4dd0-8067-01f6e3b06392"},{"applicationId":"319f651f-7ddb-4fc6-9857-7aef9250bd05","roleDefinitionId":"0981f4e0-04a7-4e31-bd2b-b2ac2fc6ba4e"}],"resourceTypes":[{"resourceType":"locations","locations":[],"apiVersions":["2021-03-15-preview","2020-07-15-privatepreview"],"capabilities":"None"},{"resourceType":"customLocations","locations":["East + US","West Europe","North Europe","France Central","Southeast Asia","Australia + East","East US 2","West US 2","UK South","Central US","West Central US","West + US","North Central US","South Central US","Korea Central","Japan East","East + Asia","West US 3","Canada Central","Canada East","Switzerland North","Sweden + Central","East US 2 EUAP"],"apiVersions":["2021-08-31-preview","2021-08-15","2021-03-15-preview","2020-07-15-privatepreview"],"defaultApiVersion":"2021-08-15","capabilities":"SystemAssignedResourceIdentity, + SupportsTags, SupportsLocation"},{"resourceType":"customLocations/enabledResourceTypes","locations":["East + US","West Europe","North Europe","France Central","Southeast Asia","Australia + East","East US 2","West US 2","UK South","Central US","West Central US","West + US","North Central US","South Central US","Korea Central","Japan East","East + Asia","West US 3","Canada Central","Canada East","Switzerland North","Sweden + Central","East US 2 EUAP"],"apiVersions":["2021-08-31-preview","2021-08-15","2021-03-15-preview","2020-07-15-privatepreview"],"capabilities":"None"},{"resourceType":"customLocations/resourceSyncRules","locations":["East + US","West Europe","North Europe","France Central","Southeast Asia","Australia + East","East US 2","West US 2","UK South","Central US","West Central US","West + US","North Central US","South Central US","Korea Central","Japan East","East + Asia","West US 3","Canada Central","Canada East","Switzerland North","Sweden + Central","East US 2 EUAP"],"apiVersions":["2021-08-31-preview"],"defaultApiVersion":"2021-08-31-preview","capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"locations/operationsstatus","locations":["East + US","West Europe","North Europe","France Central","Southeast Asia","Australia + East","East US 2","West US 2","UK South","Central US","West Central US","West + US","North Central US","South Central US","Korea Central","Japan East","East + Asia","West US 3","Canada Central","Canada East","Switzerland North","Sweden + Central","East US 2 Euap"],"apiVersions":["2021-03-15-preview","2020-07-15-privatepreview"],"capabilities":"None"},{"resourceType":"locations/operationresults","locations":["East + US","West Europe","North Europe","France Central","Southeast Asia","Australia + East","East US 2","West US 2","UK South","Central US","West Central US","West + US","North Central US","South Central US","Korea Central","Japan East","East + Asia","West US 3","Canada Central","Canada East","Switzerland North","Sweden + Central","East US 2 Euap"],"apiVersions":["2021-03-15-preview","2020-07-15-privatepreview"],"capabilities":"None"},{"resourceType":"operations","locations":[],"apiVersions":["2021-08-31-preview","2021-08-15","2021-03-15-preview","2020-07-15-privatepreview"],"capabilities":"None"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' + headers: + cache-control: + - no-cache + content-length: + - '3491' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 11:48:39 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s connect + Connection: + - keep-alive + ParameterSetName: + - -g -n -l --distribution --infrastructure --distribution-version --tags --kube-config + User-Agent: + - python/3.7.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-graphrbac/0.60.0 + Azure-SDK-For-Python AZURECLI/2.42.0 + accept-language: + - en-US + method: GET + uri: https://graph.windows.net/00000000-0000-0000-0000-000000000000/servicePrincipals?$filter=displayName%20eq%20%27Custom%20Locations%20RP%27&api-version=1.6 + response: + body: + string: '{"odata.metadata":"https://graph.windows.net/00000000-0000-0000-0000-000000000000/$metadata#directoryObjects","value":[{"odata.type":"Microsoft.DirectoryServices.ServicePrincipal","objectType":"ServicePrincipal","objectId":"51dfe1e8-70c6-4de5-a08e-e18aff23d815","deletionTimestamp":null,"accountEnabled":true,"addIns":[],"alternativeNames":[],"appDisplayName":"Custom + Locations RP","appId":"bc313c14-388c-4e7d-a58e-70017303ee3b","applicationTemplateId":null,"appOwnerTenantId":"f8cdef31-a31e-4b4a-93e4-5f571e91255a","appRoleAssignmentRequired":false,"appRoles":[],"displayName":"Custom + Locations RP","errorUrl":null,"homepage":null,"informationalUrls":{"termsOfService":null,"support":null,"privacy":null,"marketing":null},"keyCredentials":[],"logoutUrl":null,"notificationEmailAddresses":[],"oauth2Permissions":[],"passwordCredentials":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyEndDateTime":null,"preferredTokenSigningKeyThumbprint":null,"publisherName":"Microsoft + Services","replyUrls":[],"samlMetadataUrl":null,"samlSingleSignOnSettings":null,"servicePrincipalNames":["bc313c14-388c-4e7d-a58e-70017303ee3b"],"servicePrincipalType":"Application","signInAudience":"AzureADMultipleOrgs","tags":[],"tokenEncryptionKeyId":null}]}' + headers: + access-control-allow-origin: + - '*' + cache-control: + - no-cache + content-length: + - '1246' + content-type: + - application/json; odata=minimalmetadata; streaming=true; charset=utf-8 + dataserviceversion: + - 3.0; + date: + - Tue, 15 Nov 2022 11:48:40 GMT + duration: + - '1074044' + expires: + - '-1' + ocp-aad-diagnostics-server-name: + - +7VrCoU1I3Br6ISJtUGZOCgxwLZ8y/siL9twI3naElE= + ocp-aad-session-key: + - VBz2XNrunxX1vqYJLrgRRu_2Ey12svdLc7Ocx7n8tcwCelZrqXYI6uIkeBYfGt1ZVUCx18r5GLewDhG3xKuj0xWsNqhBmunJv1SvIQb7dxYToon8dUHCORHEMu_hDK0z.l_wp1UW0Fzq4Dhnln_58Csacv8SuRZDVUJfheeYxZOA + pragma: + - no-cache + request-id: + - 0e24af4d-d141-46f9-89b7-a8f95eae2e26 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-ms-dirapi-data-contract-version: + - '1.6' + x-ms-resource-unit: + - '1' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: '{"properties": {"azureHybridBenefit": "True"}}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s update + Connection: + - keep-alive + Content-Length: + - '46' + Content-Type: + - application/json + ParameterSetName: + - -g -n --azure-hybrid-benefit --kube-config --yes + User-Agent: + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: PATCH + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002?api-version=2022-10-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","name":"cc-000002","type":"microsoft.kubernetes/connectedclusters","location":"eastus","tags":{"foo":"doo"},"systemData":{"createdBy":"akkeshar@microsoft.com","createdByType":"User","createdAt":"2022-11-15T11:48:03.4465079Z","lastModifiedBy":"akkeshar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-15T11:55:33.9263468Z"},"identity":{"principalId":"4ed63c1a-5e9a-47c1-89bf-ea17f5dddb8e","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned"},"properties":{"connectivityStatus":"Connected","privateLinkState":"Disabled","azureHybridBenefit":"True","agentPublicKeyCertificate":"MIICCgKCAgEAwOy8KVNGdmNk9F2HubjjobGYHNhdQTTM+sZD2vYcquf/VnBZ5MxpRZ/bKFaDUcQ8FV7f3AwmCjGpPnDrq6n2FkS2OuEaI+3WqLjnPy57Tjtq+nJLzci6s8dZOODAsyW1/diEAplBSkg9cK6x56vFGw7fr4HL29iBi4jtnIl8TtmHyeStwBj3wYmuXcn+A058A2F3hZPsRDRRPppuf5gMBpetE1wuzKr/VzjWI+PzwEhQiZmJ82OtFpgdJwLSrKY6MO776Kk6t/KaioAEkLJvaxuFHgopom+Cey0S9mtqSj3NN55PWGNypQ40NJvjEsAIAGBpksD3VdiXPU+YphhdwospHp5qVXPP5/7a3diYYUZjL9OJEjtRXkvDGPSDJpweW8EIsGt4r36kYbrUghZDhpeM1YScjEFn/uACzbJNE58jQ/5AfsiYg/qXGefh13F03ELHGpOnXIxkm0l5uZCttsWD6YtiE2v52h3rEB/P6ZiZfSwBvrNQ7FehAJti5PLf7jSNuZqq+Nx9UKdEAkNIklV2Fq21Ajd7UcW6BLyZJvjAhS/D2yX4BKyLG2HIM4JhkIjevKrrOSOjVZLDe1fk37wO8lYg4UJK080bZkPZNh01DzsN8r/YFKFCBEmMv+E0nMkJkQGP7YrWApqr0U08D50hksCrEMTt2XjKdBIc2AkCAwEAAQ==","kubernetesVersion":"1.23.12","totalNodeCount":1,"totalCoreCount":4,"agentVersion":"1.8.14","distribution":"AKS_Management","distributionVersion":"1.0","infrastructure":"azure_stack_hci","managedIdentityCertificateExpirationTime":"2023-02-13T11:43:00Z","lastConnectivityTime":"2022-11-15T11:54:01.673Z","provisioningState":"Succeeded"}}' + headers: + cache-control: + - no-cache + content-length: + - '1803' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 11:55:34 GMT + etag: + - '"71006b79-0000-0100-0000-63737e360000"' + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-providerhub-traffic: + - 'True' + x-ms-ratelimit-remaining-subscription-writes: + - '1199' + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - aks delete + Connection: + - keep-alive + Content-Length: + - '0' + ParameterSetName: + - -g -n -y + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) + method: DELETE + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.ContainerService/managedClusters/cli-test-aks-000001?api-version=2022-09-01 + response: + body: + string: '' + headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/c6161de8-d463-4994-89b9-768bc001e9b1?api-version=2017-08-31 + cache-control: + - no-cache + content-length: + - '0' + date: + - Tue, 15 Nov 2022 11:55:40 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operationresults/c6161de8-d463-4994-89b9-768bc001e9b1?api-version=2017-08-31 + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-deletes: + - '14999' + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - aks delete + Connection: + - keep-alive + ParameterSetName: + - -g -n -y + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/c6161de8-d463-4994-89b9-768bc001e9b1?api-version=2017-08-31 + response: + body: + string: "{\n \"name\": \"e81d16c6-63d4-9449-89b9-768bc001e9b1\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:55:40.7956822Z\"\n }" + headers: + cache-control: + - no-cache + content-length: + - '126' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:55:40 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - aks delete + Connection: + - keep-alive + ParameterSetName: + - -g -n -y + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/c6161de8-d463-4994-89b9-768bc001e9b1?api-version=2017-08-31 + response: + body: + string: "{\n \"name\": \"e81d16c6-63d4-9449-89b9-768bc001e9b1\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:55:40.7956822Z\"\n }" + headers: + cache-control: + - no-cache + content-length: + - '126' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:56:10 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - aks delete + Connection: + - keep-alive + ParameterSetName: + - -g -n -y + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/c6161de8-d463-4994-89b9-768bc001e9b1?api-version=2017-08-31 + response: + body: + string: "{\n \"name\": \"e81d16c6-63d4-9449-89b9-768bc001e9b1\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:55:40.7956822Z\"\n }" + headers: + cache-control: + - no-cache + content-length: + - '126' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:56:41 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - aks delete + Connection: + - keep-alive + ParameterSetName: + - -g -n -y + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/c6161de8-d463-4994-89b9-768bc001e9b1?api-version=2017-08-31 + response: + body: + string: "{\n \"name\": \"e81d16c6-63d4-9449-89b9-768bc001e9b1\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:55:40.7956822Z\"\n }" + headers: + cache-control: + - no-cache + content-length: + - '126' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:57:12 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - aks delete + Connection: + - keep-alive + ParameterSetName: + - -g -n -y + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/c6161de8-d463-4994-89b9-768bc001e9b1?api-version=2017-08-31 + response: + body: + string: "{\n \"name\": \"e81d16c6-63d4-9449-89b9-768bc001e9b1\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:55:40.7956822Z\"\n }" + headers: + cache-control: + - no-cache + content-length: + - '126' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:57:42 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - aks delete + Connection: + - keep-alive + ParameterSetName: + - -g -n -y + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/c6161de8-d463-4994-89b9-768bc001e9b1?api-version=2017-08-31 + response: + body: + string: "{\n \"name\": \"e81d16c6-63d4-9449-89b9-768bc001e9b1\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:55:40.7956822Z\"\n }" + headers: + cache-control: + - no-cache + content-length: + - '126' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:58:13 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - aks delete + Connection: + - keep-alive + ParameterSetName: + - -g -n -y + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/c6161de8-d463-4994-89b9-768bc001e9b1?api-version=2017-08-31 + response: + body: + string: "{\n \"name\": \"e81d16c6-63d4-9449-89b9-768bc001e9b1\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:55:40.7956822Z\"\n }" + headers: + cache-control: + - no-cache + content-length: + - '126' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:58:43 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - aks delete + Connection: + - keep-alive + ParameterSetName: + - -g -n -y + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/c6161de8-d463-4994-89b9-768bc001e9b1?api-version=2017-08-31 + response: + body: + string: "{\n \"name\": \"e81d16c6-63d4-9449-89b9-768bc001e9b1\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:55:40.7956822Z\"\n }" + headers: + cache-control: + - no-cache + content-length: + - '126' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:59:13 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - aks delete + Connection: + - keep-alive + ParameterSetName: + - -g -n -y + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/c6161de8-d463-4994-89b9-768bc001e9b1?api-version=2017-08-31 + response: + body: + string: "{\n \"name\": \"e81d16c6-63d4-9449-89b9-768bc001e9b1\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:55:40.7956822Z\"\n }" + headers: + cache-control: + - no-cache + content-length: + - '126' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:59:44 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - aks delete + Connection: + - keep-alive + ParameterSetName: + - -g -n -y + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/c6161de8-d463-4994-89b9-768bc001e9b1?api-version=2017-08-31 + response: + body: + string: "{\n \"name\": \"e81d16c6-63d4-9449-89b9-768bc001e9b1\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:55:40.7956822Z\"\n }" + headers: + cache-control: + - no-cache + content-length: + - '126' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 12:00:14 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - aks delete + Connection: + - keep-alive + ParameterSetName: + - -g -n -y + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/c6161de8-d463-4994-89b9-768bc001e9b1?api-version=2017-08-31 + response: + body: + string: "{\n \"name\": \"e81d16c6-63d4-9449-89b9-768bc001e9b1\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:55:40.7956822Z\"\n }" + headers: + cache-control: + - no-cache + content-length: + - '126' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 12:00:44 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - aks delete + Connection: + - keep-alive + ParameterSetName: + - -g -n -y + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/c6161de8-d463-4994-89b9-768bc001e9b1?api-version=2017-08-31 + response: + body: + string: "{\n \"name\": \"e81d16c6-63d4-9449-89b9-768bc001e9b1\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:55:40.7956822Z\"\n }" + headers: + cache-control: + - no-cache + content-length: + - '126' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 12:01:14 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - aks delete + Connection: + - keep-alive + ParameterSetName: + - -g -n -y + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/c6161de8-d463-4994-89b9-768bc001e9b1?api-version=2017-08-31 + response: + body: + string: "{\n \"name\": \"e81d16c6-63d4-9449-89b9-768bc001e9b1\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:55:40.7956822Z\"\n }" + headers: + cache-control: + - no-cache + content-length: + - '126' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 12:01:46 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - aks delete + Connection: + - keep-alive + ParameterSetName: + - -g -n -y + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/c6161de8-d463-4994-89b9-768bc001e9b1?api-version=2017-08-31 + response: + body: + string: "{\n \"name\": \"e81d16c6-63d4-9449-89b9-768bc001e9b1\",\n \"status\": + \"Succeeded\",\n \"startTime\": \"2022-11-15T11:55:40.7956822Z\",\n \"endTime\": + \"2022-11-15T12:02:05.3446812Z\"\n }" + headers: + cache-control: + - no-cache + content-length: + - '170' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 12:02:15 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - aks get-credentials + Connection: + - keep-alive + Content-Length: + - '0' + ParameterSetName: + - -g -n -f + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.ContainerService/managedClusters/tempaks/listClusterUserCredential?api-version=2021-08-01 + response: + body: + string: "{\n \"kubeconfigs\": [\n {\n \"name\": \"clusterUser\",\n \"value\": + \"YXBpVmVyc2lvbjogdjEKY2x1c3RlcnM6Ci0gY2x1c3RlcjoKICAgIGNlcnRpZmljYXRlLWF1dGhvcml0eS1kYXRhOiBMUzB0TFMxQ1JVZEpUaUJEUlZKVVNVWkpRMEZVUlMwdExTMHRDazFKU1VVMWVrTkRRWE1yWjBGM1NVSkJaMGxRUWtsMmRFWkxPVGcxVld0MU4zaHRPRkZ4SzJSTlFUQkhRMU54UjFOSllqTkVVVVZDUTNkVlFVMUJNSGdLUTNwQlNrSm5UbFpDUVUxVVFXMU9hRTFEUVZoRVZFbDVUVlJCZUUxRVFYcE9SR2Q2VG14dldVUjZTWGRPVkVsNFRVUkZkMDFFVFRGUFJFMHlWMnBCVGdwTlVYTjNRMUZaUkZaUlVVUkZkMHBxV1ZSRFEwRnBTWGRFVVZsS1MyOWFTV2gyWTA1QlVVVkNRbEZCUkdkblNWQkJSRU5EUVdkdlEyZG5TVUpCVURGMENtNWhlSE5DUlVzM1dUbE1hR1o2WTNaMVNtOTNURzVoY2tabE5VdHhkVmhYTUc5aFp6QlBLMGh6Y1N0NFExWjRiRm9yT1RNdk1IUmhka2xKYnpGNFRuQUtUa2QxVkdKcWVqSXJUSFZCVVdkQ00ydGliVmRuY25aR05rOUhaMGwzTUZWSVYyWjRUbGxyT0ZoT1MyVXdlRzF3Vnprd2NFUldNMFJKTVZkalFVWnJTUXBoYjBONmJ5dHJSRlJoYUZOeGVsSk5VVmRsV2s5blVGZEROemRXWW5wdUswbDZRaTlNZFROc1VVSkdSREJuWjBwNVZGaDRkakE0YWtSMFMzZDBhak5MQ20xNVFsSTRSMm93V0hvcmVqVTJWMDVhTUVGVldrOXliV2hJVFZFclkwZGxaemhOUW5ocVdtMWpMeTl5VTFCS1VsVlhWMjhyYlUxWmJrWjJjRUppUmtjS1JFUk5PVWwwZURobk9Ib3hZalZ4ZDJsSU1IbHFSSE5SVmpORVoyVnhUR1l5Y1hkdGFrZHBPRzh3VFM5TFZ6aFlVbEZZWlZSVVMyazFRMVJhWnpGRWRBcFdRMUpoVEd4Q1pGbDZaa1pHVGt0dlUzaEJXWEIxTkhNM1QwOHZha05ETmxaaFNsUm9jREl3VEdGR1MwNDNaamN4Y2tkd1EwNDNRVlpKYVVZMFZsWnhDa0ZpUmxSaFRUSkxSak5yY214dlVEQmtaRE51YmxGRFREZHBSVzB3YXpVMWRXSk5WU3RwWm1jeFVsYzBWbE5VYlVVM1VubE5kVzlEUTJOcGJFVkRWRVlLUTFaQmNUSkRXSFJzTmpacE1VeGpXbWd2UjFVeWNrWnpaekpDVlRsRllXbDJSek5YUkV0Q2JFeFVNV1U0VTBWaFRGUkJSblp1VEd4dmJDdDNkRTFKTmdwTWNUSkJiVmxXYkUxeE5tZ3lOVTVqWW5wWlJuQk5jM1Z3UzFsYVEwOU1TVk5uUkNzeFNIUTBTMnhNZHpJNVRtcFRWbUpRV1VsTU0wbENSMHR3Y2pJMENrVTFaSHBsYWpGV2JEUkVhM1F2ZUhKMFoxQXhiRkZCVnk5M1ZVdzFPR1JoZEVZNWNrNWpSRkY1YlhOc0wxZFVWazQxU1dGRFlreDBkRWw0ZFdwSmVWY0tOa2MxVGpaVWQwcDJTR0kyUlZaVk1XOXFNSHBUWlZOeFFtNXlPVWQ1ZEZGbE0zZE1MeTg1ZUVGblRVSkJRVWRxVVdwQ1FVMUJORWRCTVZWa1JIZEZRZ292ZDFGRlFYZEpRM0JFUVZCQ1owNVdTRkpOUWtGbU9FVkNWRUZFUVZGSUwwMUNNRWRCTVZWa1JHZFJWMEpDVVZCYWJVWTFaMDFLZG1FNWIybFFTbU0yQ2xGSmQxTXlaelpqUzJwQlRrSm5hM0ZvYTJsSE9YY3dRa0ZSYzBaQlFVOURRV2RGUVdzdmFHUmFWbkZWVlhCNGFHNTVTMlZFV1RCa09GSTNWSEJRVFVnS09FbE1SQ3RLYlc5WGRHTllNbU5DUWtkVVNHUlBjWEJsTkdRd01ucHBOVVJpV1dodFJrcGxZV2MwYm1ObFlrRnRWMU15UkdKcmMzZG5PRGxMVDJsT2FBcFRkbkYzUkhsbEswdDRhamhITHl0MFRITTRXbkJwZWtwcVVWRXdVMDlZTVZoRGEzbzFPR1prZEZRNFFqTkNXbGxQZUdaMWNWaENRMGwxYmpoTlVEWlhDaXRHY1c1NE5FcEZOVmsyTW0wNU5HVlljSE5PVWxoRU1WZEhhRGxaU1M5NlZGUmxiMVJuVTNaNlpqYzFVbTFKVEU1eGQwNU9lV2t6YjFnMWVtTnZSVEVLT0ZwNVdVVktURkZ0VUV0eGJrdGlOazl4UWxCWEwwUlpjbXhNVTJ3MFEwTmFVSFpzU0ZGa1VrWnJWMkYyYWs5aGFuVnJiazVWY2twSU5rdHJUblU1VUFwclVXUXJha3hoVEhNdk5WY3hVVkUxZUdSUlZXUlNTbE5oYkhaR05XOVdUWFpIU1RCSVNIZFdLeXQyZDI1Tk5ESkllRFl3UjBrNVV6Rk9jMHhoZW1aMkNsbzJjVGR0WkcxalJIZEROalZ3ZFZrMVMxQXhiVGN4YVVsTVFtTk9iMU13THk5SlRHVlBNRE5GWnk5NksydEtNbFJ4TWtGdE16UldVbll4TmpsSVEyb0tOMjlRU1RGNE1WZHhXazlIUjA1eFVESmtiRlZYT1RaM2ExQnBXVkpuZFdRek4yMTJUMVYwYmtwTk1IVnNaR05yUmxKSlV5dE5iRGxZY1hVM1JYWkxiQXBHWld0b1oyVXlNMkpRY201dlNXVXJTMVFyTTFGc2MySm9abEJqU1RSMFdqSkZMMGRWUVVsdEwzUmhXRUZwWlVKRmIyNHJlbnBTVkRCTFNrRkhZbXhGQ21wUWNFTnZSbkY1V0dOc2RqUlllSE5qU3pselpHbHpkRFZXV2tGemNrUXpkbGx4VFdvMmNYaGxVQzluV0ZGeGJrTkVZVzQwSzJsWlEwbDFMMjlyU1c4S2EyRkplRlpQYTBvNEsyaFNiMDlHUkZacFIyRnJVRXd6ZVdNMlFXRXpjVTV5T0c5V0x6TTBRV1JhWjJkb1NtZFZVSGx2ZWxkVUwxaHJPWFJRVUZZNVZncFphM05YVkZkSFRVUjJUREJpZDJjOUNpMHRMUzB0UlU1RUlFTkZVbFJKUmtsRFFWUkZMUzB0TFMwSwogICAgc2VydmVyOiBodHRwczovL3RlbXBha3MtZG5zLTBmOGM5NTM2LmhjcC5zb3V0aGNlbnRyYWx1cy5hem1rOHMuaW86NDQzCiAgbmFtZTogdGVtcGFrcwpjb250ZXh0czoKLSBjb250ZXh0OgogICAgY2x1c3RlcjogdGVtcGFrcwogICAgdXNlcjogY2x1c3RlclVzZXJfYWtrZXNoYXJfdGVtcGFrcwogIG5hbWU6IHRlbXBha3MKY3VycmVudC1jb250ZXh0OiB0ZW1wYWtzCmtpbmQ6IENvbmZpZwpwcmVmZXJlbmNlczoge30KdXNlcnM6Ci0gbmFtZTogY2x1c3RlclVzZXJfYWtrZXNoYXJfdGVtcGFrcwogIHVzZXI6CiAgICBjbGllbnQtY2VydGlmaWNhdGUtZGF0YTogTFMwdExTMUNSVWRKVGlCRFJWSlVTVVpKUTBGVVJTMHRMUzB0Q2sxSlNVWklha05EUVhkaFowRjNTVUpCWjBsU1FVazNVa3BKUkZRNVJqWnFNelZwWjNwdWEyNDBLMFYzUkZGWlNrdHZXa2xvZG1OT1FWRkZURUpSUVhjS1JGUkZURTFCYTBkQk1WVkZRWGhOUTFreVJYZElhR05PVFdwSmVFMUVSWGROUkUwd1QwUk5NbGRvWTA1TmFsRjRUVVJGZDAxRVRURlBSRTB5VjJwQmR3cE5VbU4zUmxGWlJGWlJVVXRGZHpWNlpWaE9NRnBYTURaaVYwWjZaRWRXZVdONlJWWk5RazFIUVRGVlJVRjRUVTFpVjBaNlpFZFdlVmt5ZUhCYVZ6VXdDazFKU1VOSmFrRk9RbWRyY1docmFVYzVkekJDUVZGRlJrRkJUME5CWnpoQlRVbEpRME5uUzBOQlowVkJiREZJVkhobVZVNW5jazkzVWxCM1RsSndkR2tLUjFCTGVXcEVPVkZ4UVdjd1VUSm5VRnBCYmxaUFdYZFdVMlUyYm10QlNsbEZSMDFhTkZCSlJuUlRVQ3RsZHpaWFZuVkVaMjkwY1U5cVEybHRaelZWZHdvclpXZzBaa1I1ZWxwd2MyeExhM1JGY1daTlRUbElNWEZaUW1OeUwyUm5Ubk5YVWpCSlVHdFVSV1ZoWm1OYVpGbDRWaTlyTTJ0YWNrNXlPVTFPZVhOSENtMDBWWE54WjJsNlFuZG5Zbk00V0VoV05sQkZNRE5TYlZsSVJETkpUM1IxSzJsYUt6aEhZaTlHVUZGbFJVbG9WMXBVYUZCR1Vtb3ZkM1VyTVVaTFFsb0tNWEEzTjNGdlVqazFhV1EwVTJkWFpVVkxVbVJMTlhoMFIyNUxUMUpTZVRST2JXcDVlazVKYzNsQlZYWkliemhMUVZRMFZ6RXlMM1pyVXpKTlZYRlhLd3BaTW00MGJUWlpaRlV3ZVhkSUwyMW9VbEpJUTFKbloza3JRa2hSUWxKak5rZE1UVTFLY0hWYU5FRnZaa1ZhZWpWd05HeFJjSEI0UVhScVlYSjFjRUp1Q2twR1NWYzNTMjVFV0V0YVJYcG9TV0pwWm10TGQzWnJVR2s1UTJoc2VreDZObXh2TkROQmFIUXhhREV2U1dSaWVYaFNOMHBITTBwTVkwNW1NWHB3Ykc4S2FVSnVkbkJDWjNsQlRGbE5RVWhyTlZOVmREa3ZXbE5vTkdOMVZHbENSako1T0hNek4wMXVSMlpXTjBGWVRHNWxSRmRWTlM5NldVbFlhall4WW1aVFFRcExTa2hCTDJSbWJGSmhjbk0yV1dzelpVNUxSbEo1UWtaNE1tZEtablZOV2psa1kwUjJORkZNYUN0UlJUUmhSMUp6Ym10UFUwZDZjbTQwZFZCS2FVaDBDbVF6WkhOQ1dVczVRV3REWVdaVmNWWkRRV2xVV2taNGRXOWpha2wxT1dSclVtNVpSR0YwZFdkT01uWTNSM2x0YkcxbVdqZHlUMVZoVUhWa2VrcElhRTBLVGpsT2N6UnJRVGsxY2pSQ2IwdElNVFF6VW1KTlJTdGxXR05tVXpCd1VtNXRSMjB5VkVscGRWaDFkMjVTV1RSRloxUllNM04xYVZoeFJUUlpUVEJQVGdwaVNHeFJWbTUzUVd4TlpHSnNaVmg2Yml0TVZEaEZUVU5CZDBWQlFXRk9WMDFHVVhkRVoxbEVWbEl3VUVGUlNDOUNRVkZFUVdkWFowMUNUVWRCTVZWa0NrcFJVVTFOUVc5SFEwTnpSMEZSVlVaQ2QwMURUVUYzUjBFeFZXUkZkMFZDTDNkUlEwMUJRWGRJZDFsRVZsSXdha0pDWjNkR2IwRlZSREphYUdWWlJFTUtZakoyWVVscWVWaFBhME5OUlhSdlQyNURiM2RFVVZsS1MyOWFTV2gyWTA1QlVVVk1RbEZCUkdkblNVSkJUMmxYTkdkc09IQkhRbXRYVlN0bFZrNWFTUW95ZDJFeFJXbGlUazEwTVZkMmNXczVhbWs1VkZOaVExWlZSRkJqY1VGMVdUaDRkWGdyWVZNNVVWa3ZkMlpaYTBNd01ubzNTWEJHZVhoWGVXVXhTVGcyQ25NclVFSTBRbXREYkdFd015OTNPSHBGVEV0UlJGWllhV1oyYlZGV1IyNUtibXBtTlhsdmExQTBSVk5QUmxkRlpuQnhOVlJaVVVkMmVDdDRUbmh1Tm5nS1ZEaG9PVTFuZDNOdFZXTk5UR2xxZGl0MWJsa3hSMnRPVVRGaGJrZFhWM2xNVm5Rd1RVNVNZVkZ3YUU5TFZGUTVZME50U2xGeWQyRXdVRGhSV1VKdk1RcEliRmR0Ym5kSFJHdEZWRXM1TXpsRVlWZHJVVWw2T0dNdlJ5dEJTaTlTUkhkNU5tbzRRekpzUlhCSVZXeEdSVTVzVTFSelEwdG9OR0ZLYVZvclYyVk1DbXhMZFhORGRXRTBTVzgyUldjcllUazJkMlV5V2pOUGVtbHpUbTF1TVVaalIxVlROekJOVXpkak5IaDBaRGsyTkVoVmFVUldPWFV3ZUV0WmNqUTVaMlFLTmt4eVFYRnFPVWN6Y0dOU1ExVnRVbWgwTlRnNVlreHBWM0ZLVkU1VlZqUnpRV3Q2VUV0bk9HVnlVR05sTVRGdVJGUkdiSFJGUW01ME0xaFNZazVSWmdwQlZsbG1UV2R0ZUVkS1NFUm1MM2M1WVRoUU5VRXZVVVpoT0hwRFZFUXJTRU5KY1hwYWJFRm9lRUZFTUZwNFIwMTBjak5ITW5rMGNYQXhaM0pDYUZaSENuazBSemhsVDNKTkwxaGhlRlEyTkV0UUx5dFJRMGxuUWtkaFpVb3ZhazFXTkdSWFZTdGhUekUzYlU0clJFVnJkbEZKYzJWd0wzRnlPVU01Y0V0bGEzQUtjM280ZFdGRGNGcFJiR1pCU0ZsSll6ZDVXRkowVVVsM2NVdEhZM0oyY0c5U1kyUnpSRUZvTTBkMVpraDBOMnBKTWpBeU5EVmhZWEI0T1ZGYVZ6TnhUd3A1T0hGb2FIbzFSVGx1WlZKSFpsSnNWa013VGpocWJuaHJVV2xpVUd4dFEwZG5RWGRWWVU1ME1UUkNVVGRJY2tWUUx6SkZUSE5YZEZCT09UVmhNbFJNQ2l0NGRsa3pNREJCTTBoNlp6UlhXRU5LV2pWUlRYbFRSZ290TFMwdExVVk9SQ0JEUlZKVVNVWkpRMEZVUlMwdExTMHRDZz09CiAgICBjbGllbnQta2V5LWRhdGE6IExTMHRMUzFDUlVkSlRpQlNVMEVnVUZKSlZrRlVSU0JMUlZrdExTMHRMUXBOU1VsS1MxRkpRa0ZCUzBOQlowVkJiREZJVkhobVZVNW5jazkzVWxCM1RsSndkR2xIVUV0NWFrUTVVWEZCWnpCUk1tZFFXa0Z1Vms5WmQxWlRaVFp1Q210QlNsbEZSMDFhTkZCSlJuUlRVQ3RsZHpaWFZuVkVaMjkwY1U5cVEybHRaelZWZHl0bGFEUm1SSGw2V25CemJFdHJkRVZ4WmsxTk9VZ3hjVmxDWTNJS0wyUm5Ubk5YVWpCSlVHdFVSV1ZoWm1OYVpGbDRWaTlyTTJ0YWNrNXlPVTFPZVhOSGJUUlZjM0ZuYVhwQ2QyZGljemhZU0ZZMlVFVXdNMUp0V1VoRU13cEpUM1IxSzJsYUt6aEhZaTlHVUZGbFJVbG9WMXBVYUZCR1Vtb3ZkM1VyTVVaTFFsb3hjRGMzY1c5U09UVnBaRFJUWjFkbFJVdFNaRXMxZUhSSGJrdFBDbEpTZVRST2JXcDVlazVKYzNsQlZYWkliemhMUVZRMFZ6RXlMM1pyVXpKTlZYRlhLMWt5YmpSdE5sbGtWVEI1ZDBndmJXaFNVa2hEVW1kbmVTdENTRkVLUWxKak5rZE1UVTFLY0hWYU5FRnZaa1ZhZWpWd05HeFJjSEI0UVhScVlYSjFjRUp1U2taSlZ6ZExia1JZUzFwRmVtaEpZbWxtYTB0M2RtdFFhVGxEYUFwc2VreDZObXh2TkROQmFIUXhhREV2U1dSaWVYaFNOMHBITTBwTVkwNW1NWHB3Ykc5cFFtNTJjRUpuZVVGTVdVMUJTR3MxVTFWME9TOWFVMmcwWTNWVUNtbENSako1T0hNek4wMXVSMlpXTjBGWVRHNWxSRmRWTlM5NldVbFlhall4WW1aVFFVdEtTRUV2Wkdac1VtRnljelpaYXpObFRrdEdVbmxDUm5neVowb0tablZOV2psa1kwUjJORkZNYUN0UlJUUmhSMUp6Ym10UFUwZDZjbTQwZFZCS2FVaDBaRE5rYzBKWlN6bEJhME5oWmxWeFZrTkJhVlJhUm5oMWIyTnFTUXAxT1dSclVtNVpSR0YwZFdkT01uWTNSM2x0YkcxbVdqZHlUMVZoVUhWa2VrcElhRTFPT1U1ek5HdEJPVFZ5TkVKdlMwZ3hORE5TWWsxRksyVllZMlpUQ2pCd1VtNXRSMjB5VkVscGRWaDFkMjVTV1RSRloxUllNM04xYVZoeFJUUlpUVEJQVG1KSWJGRldibmRCYkUxa1lteGxXSHB1SzB4VU9FVk5RMEYzUlVFS1FWRkxRMEZuUW5WWWJDdG9abTVvY0ZGYWFYRTJSa1JwYkVGcU55c3lSV2hxUkdwUVNuQlVRVXRhUlRSUVZHWktjbkJSUldoak5uWTJhRmhFWkdoVU1RcEVia2c1VTJoRFpWQjFhVWN5TmxSa1FUVTFMMDlzVFdodVJuSktia3hpYzI1MlYxaFFSV1pwVkd3ek5YVXlOVk5yV0hSaFRrOTVRVlJQY2tnelYxbGhDbVZ5Um1aSFEwSndiMHROT1RaNFEzRXdlQzh5U1Zwa09HdGhVbFJKVGt0UUwzRktaREphYzJwQ00yMDNVVnBqV2xORlp6TjRXVEZ4T1VjelVXaFBNa2dLWlZGb1MyaDZaVFpvVldKSGN6Qm9lazFtVjNsblJscExaMmcyYTNaUVkwRjVNM2h6ZERWTk1FbHNOMFU0Y1RKSFZuRlVOV0ZzTmpoeFFreDNiRXRIY2dwd1VYcEhielJzV0hRMmNuSmtlR0l2T0dkUlFteDNRa2hqT1RadE9HazVSR29yYWtwNmFVTlZXV1ZaZGpBMlJXOXdWMmhRY1dWYVdrbEVWR1YxVWtZckNuY3pWamRvVFZwbFpWZHNZWFZ1ZDFveVpGRldWVEZFTUZaamFqQkNUV0ZNY2xvNVRVMUpTbmRoV0VkNlpWRkdka1pHTTFwNlJFUkljMnQxZUdaSGVIVUtWR3BDWW10eU9UUXhhMmRLZG5GcE1HRk9ZWE5EUmtaVVltWnZiR3RFWTJ4d1VuSnBWblpaT1RrdlNIQmlaa3RGVTNKUFJrZDJUSHBLZUhaNmNIRTRhd293YlhCbk5sUTBWWEIwVlhOc1QyeHJLMVpCV25KV1dHMHdkVUl3YmtaQ1ZFcEpWRmN5ZFUwclNqVklUR0p2VjJGWU55OW1Oa1E1TDJkaE1rTk9VRE5aQ25oSFowUm1hVFUzZFdsNU5YTkdlVll6TVhSWE9GTlFZVE5vUVc5aldtcGhWRXRIVTBJM1JsZERWMHAyTjA5TU9IbHBkV0ZYVFhkaFlUSkJOakpKUTJRS2QxRlhVa2hRYTFOSGVIRnVZMEZaVjFnclpIRlRaRE5CZWxSblJDdDBWWE5FV0ZRMVJqRnlTVXA0Uml0dGNsZEhXa2M1ZG1rMFJGSk9RVlJ2Y1UxQmFncGliMlFyY2s1d1ZYQnBiWFZMUVZSNVdtZHlkM1JrTlZOTVVHZHVTVVJKU25wT1JVSkNUak5vVmtGWFdrTXlibEZoVVV0RFFWRkZRWGxIT1ZZM01sQmlDbFptYTBwcE4xZGtNbEYzTDFGdlVVNTZjVFpGWVZnNFdrbExWM1k0WWpBMFNqTndObXR1V0RaaVZHcGhlRzVSYVdOc1NHcG9lVVpLVkRSQk15OUlhMlFLYjJWVmJGaE9UMkptVkZCeVUyWkZjRlZ3TW5Wbk1ERllTVFpxV0hSMmJtMU9UMGx3V25CaGEzbEJhRFl6YUROUVNsTTNjREYyV1RkWlMwZGlOVFJ3Y3dwS01YTm5NMjFXTmpSRU5VMUZNWE5HTW0xcGNWaE1VRzloU2l0blNreDJXa0YxUkhnclkyTktObkUyUkU4dksyZFZMMjB3YzJvMVkyb3dla1pKWjJjckNtcENaR1JIU0RoQ1ZVUmtSWFUxVm0wM2VtbFBZV3h2U2xwSU5tUXJWamx6UlZRNVFuaEVRV3BFUmpCTFJqRllTVEZpYzJjNFRsaFpjemRDV2xSNFQzY0tNM0k1VVZGeWMwSlROWE16UmpGUlNTc3JWSEl5TjFWT2NqUldPV1JRTkRCM2QzaEJiVk52UzBaTFdtSldVa1V5Um5wWWRtbHNRalIxYzJkVldEY3JkQW81UzJaSGNXWklZeXMwVEdOcVVVdERRVkZGUVhkVlZGVnBPSFpOTm1Sa1dVWnFUREJTUm1VNGRuTm5NbGxKYTNkcWRGb3ZaMjAyWWtveE5YUlRURXBpQ21GaWVHcG1VbkZHWjAxbk0wUkJWRk50ZHpRNE9GQkJVVWwxVmxSTE9FZEJjeTg0TjBkbmFIaG9TRTV0YkhSV1VFaFZhR2hRVEM5TVNqQkJOMFk1ZERZS0wyeHZUamRoVDFvMlYyVkVjMHRyZWl0bVFtdE5kRU15WTBoeldEVlpNMGxrV25WcFNHMUdRM2h1WjA1cmR6QmtaR2R5ZURFMWFGRlNSbkJKVVhNNE1ncFRWSGsyUTNGQ1pVWk5NMlJrYzFwaE4xZHJVM2xtTjJaWFZrcFFXWGRoV1ZSUFpIVmpZMlZpUWs0NGRYUnJiMHRUVTA1eVUyTlFNbFExUjFCbE1sRlFDbXR0TkRVM1YzQXlabVowVmxBM01HSXdiVGtyWkhsT1ZWb3ZOVTgxUkZCMk0ySlFlRVpZTnpsTFFYSnRabTl2TUZFclNFTkVjVTVLYzFwWU5GQkJSbFVLTTI0NWFrc3ZTM0pvTlhRemVUYzRSUzh6ZDJrMFIwUmpObUpYUTA1YVQzSm1abWwxT0VOWlZVUjNTME5CVVVGbU5XZG5jRXA0TURkSE16QXpZazV2U1FwT2RtcERXSG96VEZST04zQTBlalZsWjJJdk1HMTNZV0V3WkZVNFFtVmhja0l3WkdGSGFGWTFWME55TnpCSlNsbFZja2RYVkhKbk1tdGlPVmRtU2pkakNsZERlakJCV25SMkswbFNWR2hVVmk5RFZtNDNWblEwWVZGSWQxTlNXblJJT0c5SFRGa3ZZMXBzWkZCR1ZVUTJNamRGUm1odmFHZEJWVE5LZUhOdWFsSUtkekZvWTBwRWNGVlFhVUZQZWs1elNpczBNa1JEZUhCSllWRkNXbTVwUjI0MVkyOW5MMFptU25oWk0wdGhSRFZYTWtGTWRtNWFlRWR6TVd0MmEzUmlhd3B4TUdOWVF6TnVjMVJJV0hReWVFcDJiV1U0VDFKMU9YUTVNRVpEVG1RM0swVnlhVTloYVhGcFUxUjFLekpIYlRabWVrSllZeko2VFhCdGJtaHNUakZ3Q2paUVVHeHNTWGQ0Wlc5a1J6Sm9UM0JuV0dOeU4xZEVPRkZpUkhWTU1VTllXa3h3V1ZkWWNtZFRjMk54Ym1jdk5IVmxjakJMWnpsSVVtOVNTbVUyUzA0S2Nra3ZjRUZ2U1VKQlVVTlVhWEZqZWk5aFdqSlZabGx0U2tWdlJISnVUV2gwYUdsR1FUbGFNVUpPTUdONGNrWmthMkZIWlVsTlRGZGhiMGxOTjBkV1JRcHNhRkZ1T0dKeFVuTnZTR3hqVnpkM1NrNHJhMmhNYkhKTlFYQXZZV3BwTWpRMU5VdDNXbUl2UWs1V2RXMW5RazRyTmxCb1NqWlhlV0pUT0RZemJURlBDa2RNT0ZrMk1rMUthVWhKUm5SUU0wSjVjMkpKWTB3ck5uZE9RVE51ZDNCeFJuaGFUbm96U2xKUWFrOHpOR05vVGtab2MyRklZbEZWYm5VMWNqRkdaR1VLVkVoaGIwTlBPRGRXVERaTFVrTTVabk5uTVRKNlNEaFRTRzg1WVM5M1YyZzFNM1I1Ymk4eFVVeHRSRzFXUm5CRFJHZzFZVVpXTkhBM1JXNHJja0Z4THdwVVJrdGtUVkpJTDFOVGVHcGhVelI2YjFwdE5tSnpaazFIVjFkUVoyNHhhWGd3WlVaRVNqWjJkamRZTUd4TlZtRmpLMGR2WkZZdlJEVTNNMlYyUVdkckNtOTRVVWRFT1V0U09EaE9kMUpoU1VGTVNtVXhjbEZFTjFSNFJFWjBiSGRVUVc5SlFrRlJRMWxUTVZkbVMxTXdhWFl4VkVOYWRITlFhM0p0U0hVdk1ETUtSalV2T0hGNWFGUm5WQ3MxU2sxa1UyaHpUSEpxYkZReFNXbFFUemRrVlRCWWRreFBjbTFPVGtWYVMyMW9VR2RuT1ZWdVVYVm5iME5PTUZWUk9WSnFZUW95VkRNeE5UQlBRa0ozVkc5ekwwUnhjbXN3V0Vzd2MzazBhRVJEYVRCQlJYUmhVVk5VYWxKQlkxVTRRV2wzU2xKQ1Z6Y3piMVJTYjB0SlJtVm5NbFl2Q2lzemIzcGFhVEF6ZFcxSVkxTkZVMkpKV0cxeE0yZG9aamR0TDBkNFNrRTBPR1ZOZFZGclpVcFdlakpNYzFka1JUUmxVV3hXTm5WQ1FrWk1aRTFVWjNvS016WkpSR1pLT1V4R1QxZEhPSGhCTlVobWVXcFVlUzh4YTJwdE0yODNlbmx0WWpGNmVuWnBWV3hDVkhSTGNFdHVRbEpHU1V0aFZEZFNhMFoxYkhFNWFBcHVWSEYxTnpoM1ZsUkJiV0p5WlZKNlRTdHdSWGhKVUU1TUszazBVSEp4VVVRNWEyZzBOMVJCU1ZCT1NGRlVhM2hRTm5jMlZrVnllRUZuWldRS0xTMHRMUzFGVGtRZ1VsTkJJRkJTU1ZaQlZFVWdTMFZaTFMwdExTMEsKICAgIHRva2VuOiBkNDFhNzBmMjQ2YWM3Y2U0NjAzOTk4MWVmYTdjZmNkZTYzZTQzMTk4YzcxYzkyN2I1ZjczZWRiOGNjNWYyNTBiYjg0ODk1ZjlkNTY3NDJmODljYTVkZmRhNTliYjAxODBmZTE2ODA5YTJiNWVlYjA3YTJmMWEyYzE3NTAwZjNlMgo=\"\n + \ }\n ]\n }" + headers: + cache-control: + - no-cache + content-length: + - '12980' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 12:02:18 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-writes: + - '1199' + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s connect + Connection: + - keep-alive + ParameterSetName: + - -g -n -l --tags --kube-config --enable-private-link --pls-arm-id --yes + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Kubernetes?api-version=2021-04-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Kubernetes","namespace":"Microsoft.Kubernetes","authorizations":[{"applicationId":"64b12d6e-6549-484c-8cc6-6281839ba394","roleDefinitionId":"1d1d44cf-68a1-4def-a2b6-cd7efc3515af"},{"applicationId":"359431ad-ece5-496b-8768-be4bbfd82f36","roleDefinitionId":"1b5c71b7-9814-4b40-b62a-23018af874d8"},{"applicationId":"0000dab9-8b21-4ba2-807f-1743968cef00","roleDefinitionId":"1b5c71b7-9814-4b40-b62a-23018af874d8"},{"applicationId":"8edd93e1-2103-40b4-bd70-6e34e586362d","roleDefinitionId":"eb67887a-31e8-4e4e-bf5b-14ff79351a6f"}],"resourceTypes":[{"resourceType":"connectedClusters","locations":["West + Europe","East US","West Central US","South Central US","Southeast Asia","UK + South","East US 2","West US 2","Australia East","North Europe","France Central","Central + US","West US","North Central US","Korea Central","Japan East","West US 3","East + Asia","Canada Central","East US 2 EUAP","Canada East"],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"SystemAssignedResourceIdentity, + SupportsTags, SupportsLocation"},{"resourceType":"locations","locations":[],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/operationStatuses","locations":["East + US 2 EUAP","West Europe","East US","West Central US","South Central US","Southeast + Asia","UK South","East US 2","West US 2","Australia East","North Europe","France + Central","Central US","West US","North Central US","Korea Central","Japan + East","East Asia","West US 3","Canada East","Canada Central"],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"None"},{"resourceType":"registeredSubscriptions","locations":[],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"None"},{"resourceType":"Operations","locations":[],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview","2019-11-01-preview","2019-09-01-privatepreview"],"capabilities":"None"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' + headers: + cache-control: + - no-cache + content-length: + - '2416' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 12:02:19 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s connect + Connection: + - keep-alive + ParameterSetName: + - -g -n -l --tags --kube-config --enable-private-link --pls-arm-id --yes + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration?api-version=2021-04-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration","namespace":"Microsoft.KubernetesConfiguration","authorizations":[{"applicationId":"c699bf69-fb1d-4eaf-999b-99e6b2ae4d85","roleDefinitionId":"90155430-a360-410f-af5d-89dc284d85c6"},{"applicationId":"03db181c-e9d3-4868-9097-f0b728327182","roleDefinitionId":"DE2ADB97-42D8-49C8-8FCF-DBB53EF936AC"},{"applicationId":"a0f92522-89de-4c5e-9a75-0044ccf66efd","roleDefinitionId":"b3429810-7d5c-420e-8605-cf280f3099f2"},{"applicationId":"bd9b7cd5-dac1-495f-b013-ac871e98fa5f","roleDefinitionId":"0d44c8f0-08b9-44d4-9f59-e51c83f95200"},{"applicationId":"585fc3c3-9a59-4720-8319-53cce041a605","roleDefinitionId":"4a9ce2ee-6de2-43ba-a7bd-8f316de763a7"}],"resourceTypes":[{"resourceType":"sourceControlConfigurations","locations":["East + US","West Europe","West Central US","West US 2","West US 3","South Central + US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France + Central","Central US","North Central US","West US","Korea Central","East Asia","Japan + East","Canada East","Canada Central","Norway East","Germany West Central","Sweden + Central","Switzerland North","Australia Southeast","Central India","South + India","Japan West","Uk West","France South","Korea South","South Africa North","East + US 2 EUAP","Central US EUAP"],"apiVersions":["2022-07-01","2022-03-01","2021-03-01","2020-10-01-preview","2020-07-01-preview","2019-11-01-preview"],"defaultApiVersion":"2022-03-01","capabilities":"SupportsExtension"},{"resourceType":"extensions","locations":["East + US","West Europe","West Central US","West US 2","West US 3","South Central + US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France + Central","Central US","North Central US","West US","Korea Central","East Asia","Japan + East","Canada East","Canada Central","Norway East","Germany West Central","Sweden + Central","Switzerland North","Australia Southeast","Central India","South + India","Japan West","Uk West","France South","Korea South","South Africa North","East + US 2 EUAP","Central US EUAP"],"apiVersions":["2022-07-01","2022-04-02-preview","2022-03-01","2021-09-01","2021-05-01-preview","2020-07-01-preview"],"defaultApiVersion":"2022-07-01","capabilities":"SystemAssignedResourceIdentity, + SupportsExtension"},{"resourceType":"fluxConfigurations","locations":["East + US","West Europe","West Central US","West US 2","West US 3","South Central + US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France + Central","Central US","North Central US","West US","Korea Central","East Asia","Japan + East","Canada East","Canada Central","Norway East","Germany West Central","Sweden + Central","Switzerland North","Australia Southeast","Central India","South + India","Japan West","Uk West","Korea South","France South","South Africa North","East + US 2 EUAP","Central US EUAP"],"apiVersions":["2022-07-01","2022-03-01","2022-01-01-preview","2021-11-01-preview","2021-06-01-preview"],"defaultApiVersion":"2022-07-01","capabilities":"SupportsExtension"},{"resourceType":"operations","locations":[],"apiVersions":["2022-03-01","2022-01-01-preview","2021-12-01-preview","2021-11-01-preview","2021-09-01","2021-06-01-preview","2021-05-01-preview","2021-03-01","2020-10-01-preview","2020-07-01-preview","2019-11-01-preview"],"capabilities":"None"},{"resourceType":"privateLinkScopes","locations":["East + US","West Europe","West Central US","West US 2","West US 3","South Central + US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France + Central","Central US","North Central US","West US","Korea Central","East Asia","Japan + East","Canada East","Canada Central","Norway East","Germany West Central","Sweden + Central","Switzerland North","Australia Southeast","Central India","South + India","Japan West","Uk West","Korea South","France South","South Africa North","East + US 2 EUAP","Central US EUAP"],"apiVersions":["2022-04-02-preview"],"capabilities":"SupportsTags, + SupportsLocation"},{"resourceType":"privateLinkScopes/privateEndpointConnections","locations":["East + US","West Europe","West Central US","West US 2","West US 3","South Central + US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France + Central","Central US","North Central US","West US","Korea Central","East Asia","Japan + East","Canada East","Canada Central","Norway East","Germany West Central","Sweden + Central","Switzerland North","Australia Southeast","Central India","South + India","Japan West","Uk West","France South","Korea South","South Africa North","East + US 2 EUAP","Central US EUAP"],"apiVersions":["2022-04-02-preview"],"capabilities":"None"},{"resourceType":"privateLinkScopes/privateEndpointConnectionProxies","locations":["East + US","West Europe","West Central US","West US 2","West US 3","South Central + US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France + Central","Central US","North Central US","West US","Korea Central","East Asia","Japan + East","Canada East","Canada Central","Norway East","Germany West Central","Sweden + Central","Switzerland North","Australia Southeast","Central India","South + India","Japan West","Uk West","South Africa North","Korea South","France South","East + US 2 EUAP","Central US EUAP"],"apiVersions":["2022-04-02-preview"],"capabilities":"None"},{"resourceType":"namespaces","locations":["East + US 2 EUAP","West US 2","East US","West Europe","West Central US","West US + 3","South Central US","East US 2","North Europe","UK South","Southeast Asia","Australia + East","France Central","Central US","North Central US","West US","Korea Central","East + Asia","Japan East","Canada Central","Canada East","Norway East","Germany West + Central","Switzerland North","Sweden Central","Central India","South India","Australia + Southeast","Japan West","Uk West","France South","Korea South","South Africa + North"],"apiVersions":["2021-12-01-preview"],"defaultApiVersion":"2021-12-01-preview","capabilities":"SupportsExtension"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' + headers: + cache-control: + - no-cache + content-length: + - '6074' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 12:02:19 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Content-Type: + - application/json + User-Agent: + - OpenAPI-Generator/24.2.0/python + method: GET + uri: https://tempaks-dns-0f8c9536.hcp.southcentralus.azmk8s.io/version/ + response: + body: + string: "{\n \"major\": \"1\",\n \"minor\": \"24\",\n \"gitVersion\": \"v1.24.6\",\n + \ \"gitCommit\": \"6c23b67c202a4cfa7c76c3e1b370bd5f0e654f30\",\n \"gitTreeState\": + \"clean\",\n \"buildDate\": \"2022-11-09T17:13:23Z\",\n \"goVersion\": \"go1.18.6\",\n + \ \"compiler\": \"gc\",\n \"platform\": \"linux/amd64\"\n}" + headers: + audit-id: + - 69436ef1-1e82-4464-9fad-7f4d386ca936 + cache-control: + - no-cache, private + content-length: + - '263' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 12:02:21 GMT + x-kubernetes-pf-flowschema-uid: + - 9c9284bf-ac50-497c-86a8-5f4f7d857b28 + x-kubernetes-pf-prioritylevel-uid: + - f041de6f-3328-46ec-b36d-f51c7cd89b61 + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Content-Type: + - application/json + User-Agent: + - OpenAPI-Generator/24.2.0/python + method: GET + uri: https://tempaks-dns-0f8c9536.hcp.southcentralus.azmk8s.io/api/v1/nodes + response: + body: + string: '{"kind":"NodeList","apiVersion":"v1","metadata":{"resourceVersion":"12008511"},"items":[{"metadata":{"name":"aks-agentpool-35222091-vmss000000","uid":"ead90674-ebc8-4237-8b11-cba2c3f902c1","resourceVersion":"12007568","creationTimestamp":"2022-10-10T04:01:39Z","labels":{"agentpool":"agentpool","beta.kubernetes.io/arch":"amd64","beta.kubernetes.io/instance-type":"Standard_B4ms","beta.kubernetes.io/os":"linux","failure-domain.beta.kubernetes.io/region":"southcentralus","failure-domain.beta.kubernetes.io/zone":"0","kubernetes.azure.com/agentpool":"agentpool","kubernetes.azure.com/cluster":"MC_akkeshar_tempaks_southcentralus","kubernetes.azure.com/kubelet-identity-client-id":"a7082775-1b69-4810-99a4-7ddaeac55b5b","kubernetes.azure.com/mode":"system","kubernetes.azure.com/node-image-version":"AKSUbuntu-1804gen2containerd-2022.09.22","kubernetes.azure.com/os-sku":"Ubuntu","kubernetes.azure.com/role":"agent","kubernetes.azure.com/storageprofile":"managed","kubernetes.azure.com/storagetier":"Premium_LRS","kubernetes.io/arch":"amd64","kubernetes.io/hostname":"aks-agentpool-35222091-vmss000000","kubernetes.io/os":"linux","kubernetes.io/role":"agent","node-role.kubernetes.io/agent":"","node.kubernetes.io/instance-type":"Standard_B4ms","storageprofile":"managed","storagetier":"Premium_LRS","topology.disk.csi.azure.com/zone":"","topology.kubernetes.io/region":"southcentralus","topology.kubernetes.io/zone":"0"},"annotations":{"csi.volume.kubernetes.io/nodeid":"{\"disk.csi.azure.com\":\"aks-agentpool-35222091-vmss000000\",\"file.csi.azure.com\":\"aks-agentpool-35222091-vmss000000\"}","node.alpha.kubernetes.io/ttl":"0","volumes.kubernetes.io/controller-managed-attach-detach":"true"},"managedFields":[{"manager":"cloud-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-10-10T04:01:39Z","fieldsType":"FieldsV1","fieldsV1":{"f:spec":{"f:podCIDR":{},"f:podCIDRs":{".":{},"v:\"10.244.0.0/24\"":{}}}}},{"manager":"kubelet","operation":"Update","apiVersion":"v1","time":"2022-10-10T04:01:39Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:volumes.kubernetes.io/controller-managed-attach-detach":{}},"f:labels":{".":{},"f:agentpool":{},"f:beta.kubernetes.io/arch":{},"f:beta.kubernetes.io/os":{},"f:kubernetes.azure.com/agentpool":{},"f:kubernetes.azure.com/cluster":{},"f:kubernetes.azure.com/kubelet-identity-client-id":{},"f:kubernetes.azure.com/mode":{},"f:kubernetes.azure.com/node-image-version":{},"f:kubernetes.azure.com/os-sku":{},"f:kubernetes.azure.com/role":{},"f:kubernetes.azure.com/storageprofile":{},"f:kubernetes.azure.com/storagetier":{},"f:kubernetes.io/arch":{},"f:kubernetes.io/hostname":{},"f:kubernetes.io/os":{},"f:storageprofile":{},"f:storagetier":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-10-10T04:01:40Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{"f:node.alpha.kubernetes.io/ttl":{}}}}},{"manager":"cloud-node-manager","operation":"Update","apiVersion":"v1","time":"2022-10-10T04:02:02Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{"f:beta.kubernetes.io/instance-type":{},"f:failure-domain.beta.kubernetes.io/region":{},"f:failure-domain.beta.kubernetes.io/zone":{},"f:node.kubernetes.io/instance-type":{},"f:topology.kubernetes.io/region":{},"f:topology.kubernetes.io/zone":{}}},"f:spec":{"f:providerID":{}}}},{"manager":"cloud-node-manager","operation":"Update","apiVersion":"v1","time":"2022-10-10T04:02:02Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{"k:{\"type\":\"NetworkUnavailable\"}":{".":{},"f:type":{}}}}},"subresource":"status"},{"manager":"kubectl-label","operation":"Update","apiVersion":"v1","time":"2022-10-10T04:02:22Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{"f:kubernetes.io/role":{},"f:node-role.kubernetes.io/agent":{}}}}},{"manager":"cloud-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-10-10T04:02:35Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{"k:{\"type\":\"NetworkUnavailable\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}}}}},"subresource":"status"},{"manager":"node-problem-detector","operation":"Update","apiVersion":"v1","time":"2022-10-11T14:42:13Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{"k:{\"type\":\"ContainerRuntimeProblem\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"FilesystemCorruptionProblem\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"FreezeScheduled\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"FrequentContainerdRestart\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"FrequentDockerRestart\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"FrequentKubeletRestart\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"FrequentUnregisterNetDevice\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"KernelDeadlock\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"KubeletProblem\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"PreemptScheduled\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"ReadonlyFilesystem\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"RebootScheduled\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"RedeployScheduled\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"TerminateScheduled\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"VMEventScheduled\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"},{"manager":"kubelet","operation":"Update","apiVersion":"v1","time":"2022-11-14T01:42:51Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{"f:csi.volume.kubernetes.io/nodeid":{}},"f:labels":{"f:topology.disk.csi.azure.com/zone":{}}},"f:status":{"f:conditions":{"k:{\"type\":\"DiskPressure\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}},"k:{\"type\":\"MemoryPressure\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}},"k:{\"type\":\"PIDPressure\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}},"k:{\"type\":\"Ready\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}}},"f:images":{}}},"subresource":"status"}]},"spec":{"podCIDR":"10.244.0.0/24","podCIDRs":["10.244.0.0/24"],"providerID":"azure:///subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/mc_akkeshar_tempaks_southcentralus/providers/Microsoft.Compute/virtualMachineScaleSets/aks-agentpool-35222091-vmss/virtualMachines/0"},"status":{"capacity":{"cpu":"4","ephemeral-storage":"129886128Ki","hugepages-1Gi":"0","hugepages-2Mi":"0","memory":"16009Mi","pods":"110"},"allocatable":{"cpu":"3860m","ephemeral-storage":"119703055367","hugepages-1Gi":"0","hugepages-2Mi":"0","memory":"12597Mi","pods":"110"},"conditions":[{"type":"VMEventScheduled","status":"False","lastHeartbeatTime":"2022-11-15T11:58:06Z","lastTransitionTime":"2022-11-12T18:29:22Z","reason":"NoVMEventScheduled","message":"VM + has no scheduled event"},{"type":"FrequentKubeletRestart","status":"False","lastHeartbeatTime":"2022-11-15T11:58:06Z","lastTransitionTime":"2022-10-22T18:45:12Z","reason":"NoFrequentKubeletRestart","message":"kubelet + is functioning properly"},{"type":"FilesystemCorruptionProblem","status":"False","lastHeartbeatTime":"2022-11-15T11:58:06Z","lastTransitionTime":"2022-10-22T18:45:12Z","reason":"FilesystemIsOK","message":"Filesystem + is healthy"},{"type":"FrequentDockerRestart","status":"False","lastHeartbeatTime":"2022-11-15T11:58:06Z","lastTransitionTime":"2022-10-22T18:45:12Z","reason":"NoFrequentDockerRestart","message":"docker + is functioning properly"},{"type":"RedeployScheduled","status":"False","lastHeartbeatTime":"2022-11-15T11:58:06Z","lastTransitionTime":"2022-10-22T18:45:12Z","reason":"NoRedeployScheduled","message":"VM + has no scheduled Redeploy event"},{"type":"FreezeScheduled","status":"False","lastHeartbeatTime":"2022-11-15T11:58:06Z","lastTransitionTime":"2022-11-12T18:30:15Z","reason":"NoFreezeScheduled","message":"VM + has no scheduled Freeze event"},{"type":"KubeletProblem","status":"False","lastHeartbeatTime":"2022-11-15T11:58:06Z","lastTransitionTime":"2022-10-22T18:45:12Z","reason":"KubeletIsUp","message":"kubelet + service is up"},{"type":"FrequentContainerdRestart","status":"False","lastHeartbeatTime":"2022-11-15T11:58:06Z","lastTransitionTime":"2022-10-22T18:45:12Z","reason":"NoFrequentContainerdRestart","message":"containerd + is functioning properly"},{"type":"RebootScheduled","status":"False","lastHeartbeatTime":"2022-11-15T11:58:06Z","lastTransitionTime":"2022-10-22T18:45:12Z","reason":"NoRebootScheduled","message":"VM + has no scheduled Reboot event"},{"type":"KernelDeadlock","status":"False","lastHeartbeatTime":"2022-11-15T11:58:06Z","lastTransitionTime":"2022-10-22T18:45:12Z","reason":"KernelHasNoDeadlock","message":"kernel + has no deadlock"},{"type":"PreemptScheduled","status":"False","lastHeartbeatTime":"2022-11-15T11:58:06Z","lastTransitionTime":"2022-10-22T18:45:12Z","reason":"NoPreemptScheduled","message":"VM + has no scheduled Preempt event"},{"type":"TerminateScheduled","status":"False","lastHeartbeatTime":"2022-11-15T11:58:06Z","lastTransitionTime":"2022-10-22T18:45:12Z","reason":"NoTerminateScheduled","message":"VM + has no scheduled Terminate event"},{"type":"FrequentUnregisterNetDevice","status":"False","lastHeartbeatTime":"2022-11-15T11:58:06Z","lastTransitionTime":"2022-10-22T18:45:12Z","reason":"NoFrequentUnregisterNetDevice","message":"node + is functioning properly"},{"type":"ReadonlyFilesystem","status":"False","lastHeartbeatTime":"2022-11-15T11:58:06Z","lastTransitionTime":"2022-10-22T18:45:12Z","reason":"FilesystemIsNotReadOnly","message":"Filesystem + is not read-only"},{"type":"ContainerRuntimeProblem","status":"False","lastHeartbeatTime":"2022-11-15T11:58:06Z","lastTransitionTime":"2022-10-22T18:45:12Z","reason":"ContainerRuntimeIsUp","message":"container + runtime service is up"},{"type":"NetworkUnavailable","status":"False","lastHeartbeatTime":"2022-10-10T04:02:35Z","lastTransitionTime":"2022-10-10T04:02:35Z","reason":"RouteCreated","message":"RouteController + created a route"},{"type":"MemoryPressure","status":"False","lastHeartbeatTime":"2022-11-15T11:57:23Z","lastTransitionTime":"2022-11-14T01:42:51Z","reason":"KubeletHasSufficientMemory","message":"kubelet + has sufficient memory available"},{"type":"DiskPressure","status":"False","lastHeartbeatTime":"2022-11-15T11:57:23Z","lastTransitionTime":"2022-11-14T01:42:51Z","reason":"KubeletHasNoDiskPressure","message":"kubelet + has no disk pressure"},{"type":"PIDPressure","status":"False","lastHeartbeatTime":"2022-11-15T11:57:23Z","lastTransitionTime":"2022-11-14T01:42:51Z","reason":"KubeletHasSufficientPID","message":"kubelet + has sufficient PID available"},{"type":"Ready","status":"True","lastHeartbeatTime":"2022-11-15T11:57:23Z","lastTransitionTime":"2022-11-14T01:42:51Z","reason":"KubeletReady","message":"kubelet + is posting ready status. AppArmor enabled"}],"addresses":[{"type":"InternalIP","address":"10.224.0.4"},{"type":"Hostname","address":"aks-agentpool-35222091-vmss000000"}],"daemonEndpoints":{"kubeletEndpoint":{"Port":10250}},"nodeInfo":{"machineID":"a3c0f9b3c4c74d83ae50f188e237de01","systemUUID":"caabd586-3531-4e2e-9111-e258f1790065","bootID":"51adf7b5-ed98-4322-80b9-c937431968b1","kernelVersion":"5.4.0-1091-azure","osImage":"Ubuntu + 18.04.6 LTS","containerRuntimeVersion":"containerd://1.6.4+azure-4","kubeletVersion":"v1.24.6","kubeProxyVersion":"v1.24.6","operatingSystem":"linux","architecture":"amd64"},"images":[{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod:ciprod08102022"],"sizeBytes":397844357},{"names":["mcr.microsoft.com/azuredefender/stable/low-level-init@sha256:65b99ab432f3a164e3bea2e5d0350039e597176eda3179f2a59ef4696e9d65df","mcr.microsoft.com/azuredefender/stable/low-level-init:1.3.57"],"sizeBytes":374449658},{"names":["mcr.microsoft.com/azuredefender/stable/low-level-init@sha256:239a04dd583cd552d7a37941c96422d6c8acf243dd88538ba013d337c2925426","mcr.microsoft.com/azuredefender/stable/low-level-init:1.3.49"],"sizeBytes":374180034},{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod:ciprod06272022-hotfix"],"sizeBytes":357023149},{"names":["arck8sconformance.azurecr.io/samples/demo@sha256:d3e4626750d487861d95121319c15506a6a16fde5ed8212001464d0cdfe9d507","arck8sconformance.azurecr.io/samples/demo:v0.1.0"],"sizeBytes":347305950},{"names":["mcr.microsoft.com/azuredefender/stable/low-level-collector@sha256:07e6640452537dfb75f4f30f25178a9be4151ddc7578436a6ee8843d79889fe1","mcr.microsoft.com/azuredefender/stable/low-level-collector:1.3.57"],"sizeBytes":315495474},{"names":["mcr.microsoft.com/azuredefender/stable/low-level-collector@sha256:ec066564034f34578c930bef6734ff19c92b33462165e62538842cfeb9dbc3fb","mcr.microsoft.com/azuredefender/stable/low-level-collector:1.3.49"],"sizeBytes":315042580},{"names":["devconformance.azurecr.io/platformdev@sha256:575345eb42057a05ce229f795486430341b384c81c1f86a03475aa3be1b7ecd7","devconformance.azurecr.io/platformdev:v3"],"sizeBytes":304882193},{"names":["arck8sconformance.azurecr.io/arck8sconformance/clusterconnect@sha256:958543f1a0acfc8f64f97f819f7a4b0183619fa15a961fbeaba202378c861460","arck8sconformance.azurecr.io/arck8sconformance/clusterconnect:0.1.9"],"sizeBytes":290664641},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:0.49.3"],"sizeBytes":287741913},{"names":["mcr.microsoft.com/oss/calico/cni:v3.23.1"],"sizeBytes":263014840},{"names":["mcr.microsoft.com/oss/calico/cni:v3.21.4"],"sizeBytes":236345866},{"names":["mcr.microsoft.com/oss/calico/cni:v3.21.6"],"sizeBytes":227829276},{"names":["mcr.microsoft.com/oss/calico/node:v3.23.1"],"sizeBytes":221560540},{"names":["mcr.microsoft.com/oss/calico/node:v3.21.4"],"sizeBytes":216363503},{"names":["mcr.microsoft.com/oss/calico/node:v3.21.6"],"sizeBytes":215379163},{"names":["mcr.microsoft.com/oss/tigera/operator:v1.23.8"],"sizeBytes":184105789},{"names":["mcr.microsoft.com/azuredefender/stable/security-publisher@sha256:d5de5c8fa8213dc5c178d7a5c9c5c5d8c7ba14c65c5fbd2d661f7670af6cbdf5","mcr.microsoft.com/azuredefender/stable/security-publisher:1.0.56"],"sizeBytes":172024457},{"names":["mcr.microsoft.com/oss/cilium/cilium:1.12.1.1"],"sizeBytes":167528909},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:0.19.0"],"sizeBytes":166352383},{"names":["mcr.microsoft.com/aks/hcp/hcp-tunnel-front:master.220527.2"],"sizeBytes":146994488},{"names":null,"sizeBytes":138243950},{"names":["mcr.microsoft.com/oss/calico/kube-controllers:v3.23.1"],"sizeBytes":136078571},{"names":["mcr.microsoft.com/oss/calico/typha:v3.23.1"],"sizeBytes":131467121},{"names":null,"sizeBytes":129890505},{"names":null,"sizeBytes":128992809},{"names":["mcr.microsoft.com/oss/tigera/operator:v1.24.2"],"sizeBytes":128711964},{"names":["mcr.microsoft.com/oss/calico/typha:v3.21.4"],"sizeBytes":128235133},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.2.2.5"],"sizeBytes":123925992},{"names":["mcr.microsoft.com/oss/kubernetes/kube-proxy@sha256:07265b4c767ef6fdfe78d862a08d6392dfeea707e63930a8ecb8eafef848cf14","mcr.microsoft.com/oss/kubernetes/kube-proxy:v1.24.6-hotfix.20221006.1"],"sizeBytes":123550720},{"names":["mcr.microsoft.com/oss/kubernetes/kube-proxy:v1.24.6.1"],"sizeBytes":123549904},{"names":["mcr.microsoft.com/oss/calico/kube-controllers:v3.21.6"],"sizeBytes":123549280},{"names":["mcr.microsoft.com/oss/calico/typha:v3.21.6"],"sizeBytes":119713369},{"names":null,"sizeBytes":115909379},{"names":null,"sizeBytes":115897326},{"names":null,"sizeBytes":115677896},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:v1.2.1"],"sizeBytes":107169290},{"names":["mcr.microsoft.com/oss/calico/node:v3.8.9.5"],"sizeBytes":101794833},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi@sha256:a9d68708393eb3fbe09aa32db020c805bab952709fe6df552959c26ab2f92336","mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.22.0.3"],"sizeBytes":99538753},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.22.0.2"],"sizeBytes":99335832},{"names":["mcr.microsoft.com/aks/acc/sgx-attestation:3.1"],"sizeBytes":98058501},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi@sha256:492de0426ff8299b043ba6845ff517cf477b985c927b522e6b01a65e9537aa1e","mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.23.0"],"sizeBytes":95915873},{"names":["mcr.microsoft.com/oss/kubernetes/exechealthz:1.2_v0.0.5"],"sizeBytes":94348102},{"names":["mcr.microsoft.com/aks/hcp/tunnel-openvpn:master.220527.2"],"sizeBytes":92531564},{"names":["mcr.microsoft.com/containernetworking/azure-npm:v1.4.29"],"sizeBytes":89255513},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.2.2"],"sizeBytes":88551490},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.22.0.1"],"sizeBytes":88352750},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.21.0"],"sizeBytes":87550430},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi@sha256:d8802d555a169c34ce1ebbfb8d0228777250ab8fdd4af084e0ea98476eb60f90","mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.22.0"],"sizeBytes":83173887},{"names":["mcr.microsoft.com/aks/command/runtime:master.220211.1"],"sizeBytes":82792811}]}},{"metadata":{"name":"aks-agentpool-35222091-vmss000001","uid":"336238a8-144e-4068-a997-7963fa960709","resourceVersion":"12008336","creationTimestamp":"2022-10-10T04:02:15Z","labels":{"agentpool":"agentpool","beta.kubernetes.io/arch":"amd64","beta.kubernetes.io/instance-type":"Standard_B4ms","beta.kubernetes.io/os":"linux","failure-domain.beta.kubernetes.io/region":"southcentralus","failure-domain.beta.kubernetes.io/zone":"0","kubernetes.azure.com/agentpool":"agentpool","kubernetes.azure.com/cluster":"MC_akkeshar_tempaks_southcentralus","kubernetes.azure.com/kubelet-identity-client-id":"a7082775-1b69-4810-99a4-7ddaeac55b5b","kubernetes.azure.com/mode":"system","kubernetes.azure.com/node-image-version":"AKSUbuntu-1804gen2containerd-2022.09.22","kubernetes.azure.com/os-sku":"Ubuntu","kubernetes.azure.com/role":"agent","kubernetes.azure.com/storageprofile":"managed","kubernetes.azure.com/storagetier":"Premium_LRS","kubernetes.io/arch":"amd64","kubernetes.io/hostname":"aks-agentpool-35222091-vmss000001","kubernetes.io/os":"linux","kubernetes.io/role":"agent","node-role.kubernetes.io/agent":"","node.kubernetes.io/instance-type":"Standard_B4ms","storageprofile":"managed","storagetier":"Premium_LRS","topology.disk.csi.azure.com/zone":"","topology.kubernetes.io/region":"southcentralus","topology.kubernetes.io/zone":"0"},"annotations":{"csi.volume.kubernetes.io/nodeid":"{\"disk.csi.azure.com\":\"aks-agentpool-35222091-vmss000001\",\"file.csi.azure.com\":\"aks-agentpool-35222091-vmss000001\"}","node.alpha.kubernetes.io/ttl":"0","volumes.kubernetes.io/controller-managed-attach-detach":"true"},"managedFields":[{"manager":"cloud-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-10-10T04:02:15Z","fieldsType":"FieldsV1","fieldsV1":{"f:spec":{"f:podCIDR":{},"f:podCIDRs":{".":{},"v:\"10.244.1.0/24\"":{}}}}},{"manager":"kubelet","operation":"Update","apiVersion":"v1","time":"2022-10-10T04:02:15Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:volumes.kubernetes.io/controller-managed-attach-detach":{}},"f:labels":{".":{},"f:agentpool":{},"f:beta.kubernetes.io/arch":{},"f:beta.kubernetes.io/os":{},"f:kubernetes.azure.com/agentpool":{},"f:kubernetes.azure.com/cluster":{},"f:kubernetes.azure.com/kubelet-identity-client-id":{},"f:kubernetes.azure.com/mode":{},"f:kubernetes.azure.com/node-image-version":{},"f:kubernetes.azure.com/os-sku":{},"f:kubernetes.azure.com/role":{},"f:kubernetes.azure.com/storageprofile":{},"f:kubernetes.azure.com/storagetier":{},"f:kubernetes.io/arch":{},"f:kubernetes.io/hostname":{},"f:kubernetes.io/os":{},"f:storageprofile":{},"f:storagetier":{}}}}},{"manager":"kubectl-label","operation":"Update","apiVersion":"v1","time":"2022-10-10T04:02:22Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{"f:kubernetes.io/role":{},"f:node-role.kubernetes.io/agent":{}}}}},{"manager":"cloud-node-manager","operation":"Update","apiVersion":"v1","time":"2022-10-10T04:02:24Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{"f:beta.kubernetes.io/instance-type":{},"f:failure-domain.beta.kubernetes.io/region":{},"f:failure-domain.beta.kubernetes.io/zone":{},"f:node.kubernetes.io/instance-type":{},"f:topology.kubernetes.io/region":{},"f:topology.kubernetes.io/zone":{}}},"f:spec":{"f:providerID":{}}}},{"manager":"cloud-node-manager","operation":"Update","apiVersion":"v1","time":"2022-10-10T04:02:24Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{"k:{\"type\":\"NetworkUnavailable\"}":{".":{},"f:type":{}}}}},"subresource":"status"},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-10-10T04:02:25Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{"f:node.alpha.kubernetes.io/ttl":{}}}}},{"manager":"cloud-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-10-10T04:03:35Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{"k:{\"type\":\"NetworkUnavailable\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}}}}},"subresource":"status"},{"manager":"node-problem-detector","operation":"Update","apiVersion":"v1","time":"2022-10-11T14:42:15Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{"k:{\"type\":\"ContainerRuntimeProblem\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"FilesystemCorruptionProblem\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"FreezeScheduled\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"FrequentContainerdRestart\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"FrequentDockerRestart\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"FrequentKubeletRestart\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"FrequentUnregisterNetDevice\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"KernelDeadlock\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"KubeletProblem\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"PreemptScheduled\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"ReadonlyFilesystem\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"RebootScheduled\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"RedeployScheduled\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"TerminateScheduled\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"VMEventScheduled\"}":{".":{},"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"},{"manager":"kubelet","operation":"Update","apiVersion":"v1","time":"2022-11-14T01:42:54Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{"f:csi.volume.kubernetes.io/nodeid":{}},"f:labels":{"f:topology.disk.csi.azure.com/zone":{}}},"f:status":{"f:allocatable":{"f:ephemeral-storage":{}},"f:capacity":{"f:ephemeral-storage":{}},"f:conditions":{"k:{\"type\":\"DiskPressure\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}},"k:{\"type\":\"MemoryPressure\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}},"k:{\"type\":\"PIDPressure\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}},"k:{\"type\":\"Ready\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}}},"f:images":{}}},"subresource":"status"}]},"spec":{"podCIDR":"10.244.1.0/24","podCIDRs":["10.244.1.0/24"],"providerID":"azure:///subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/mc_akkeshar_tempaks_southcentralus/providers/Microsoft.Compute/virtualMachineScaleSets/aks-agentpool-35222091-vmss/virtualMachines/1"},"status":{"capacity":{"cpu":"4","ephemeral-storage":"129886128Ki","hugepages-1Gi":"0","hugepages-2Mi":"0","memory":"16393220Ki","pods":"110"},"allocatable":{"cpu":"3860m","ephemeral-storage":"119703055367","hugepages-1Gi":"0","hugepages-2Mi":"0","memory":"12899332Ki","pods":"110"},"conditions":[{"type":"FrequentContainerdRestart","status":"False","lastHeartbeatTime":"2022-11-15T11:57:45Z","lastTransitionTime":"2022-10-22T18:45:17Z","reason":"NoFrequentContainerdRestart","message":"containerd + is functioning properly"},{"type":"FrequentUnregisterNetDevice","status":"False","lastHeartbeatTime":"2022-11-15T11:57:45Z","lastTransitionTime":"2022-10-22T18:45:17Z","reason":"NoFrequentUnregisterNetDevice","message":"node + is functioning properly"},{"type":"ContainerRuntimeProblem","status":"False","lastHeartbeatTime":"2022-11-15T11:57:45Z","lastTransitionTime":"2022-10-22T18:45:17Z","reason":"ContainerRuntimeIsUp","message":"container + runtime service is up"},{"type":"ReadonlyFilesystem","status":"False","lastHeartbeatTime":"2022-11-15T11:57:45Z","lastTransitionTime":"2022-10-22T18:45:17Z","reason":"FilesystemIsNotReadOnly","message":"Filesystem + is not read-only"},{"type":"FrequentDockerRestart","status":"False","lastHeartbeatTime":"2022-11-15T11:57:45Z","lastTransitionTime":"2022-10-22T18:45:17Z","reason":"NoFrequentDockerRestart","message":"docker + is functioning properly"},{"type":"RedeployScheduled","status":"False","lastHeartbeatTime":"2022-11-15T11:57:45Z","lastTransitionTime":"2022-10-22T18:45:17Z","reason":"NoRedeployScheduled","message":"VM + has no scheduled Redeploy event"},{"type":"KubeletProblem","status":"False","lastHeartbeatTime":"2022-11-15T11:57:45Z","lastTransitionTime":"2022-10-22T18:45:17Z","reason":"KubeletIsUp","message":"kubelet + service is up"},{"type":"FilesystemCorruptionProblem","status":"False","lastHeartbeatTime":"2022-11-15T11:57:45Z","lastTransitionTime":"2022-10-22T18:45:17Z","reason":"FilesystemIsOK","message":"Filesystem + is healthy"},{"type":"TerminateScheduled","status":"False","lastHeartbeatTime":"2022-11-15T11:57:45Z","lastTransitionTime":"2022-10-22T18:45:17Z","reason":"NoTerminateScheduled","message":"VM + has no scheduled Terminate event"},{"type":"KernelDeadlock","status":"False","lastHeartbeatTime":"2022-11-15T11:57:45Z","lastTransitionTime":"2022-10-22T18:45:17Z","reason":"KernelHasNoDeadlock","message":"kernel + has no deadlock"},{"type":"RebootScheduled","status":"False","lastHeartbeatTime":"2022-11-15T11:57:45Z","lastTransitionTime":"2022-10-22T18:45:17Z","reason":"NoRebootScheduled","message":"VM + has no scheduled Reboot event"},{"type":"FrequentKubeletRestart","status":"False","lastHeartbeatTime":"2022-11-15T11:57:45Z","lastTransitionTime":"2022-10-22T18:45:17Z","reason":"NoFrequentKubeletRestart","message":"kubelet + is functioning properly"},{"type":"VMEventScheduled","status":"False","lastHeartbeatTime":"2022-11-15T11:57:45Z","lastTransitionTime":"2022-11-12T17:50:15Z","reason":"NoVMEventScheduled","message":"VM + has no scheduled event"},{"type":"PreemptScheduled","status":"False","lastHeartbeatTime":"2022-11-15T11:57:45Z","lastTransitionTime":"2022-10-22T18:45:17Z","reason":"NoPreemptScheduled","message":"VM + has no scheduled Preempt event"},{"type":"FreezeScheduled","status":"False","lastHeartbeatTime":"2022-11-15T11:57:45Z","lastTransitionTime":"2022-11-12T17:50:21Z","reason":"NoFreezeScheduled","message":"VM + has no scheduled Freeze event"},{"type":"NetworkUnavailable","status":"False","lastHeartbeatTime":"2022-10-10T04:03:35Z","lastTransitionTime":"2022-10-10T04:03:35Z","reason":"RouteCreated","message":"RouteController + created a route"},{"type":"MemoryPressure","status":"False","lastHeartbeatTime":"2022-11-15T12:01:34Z","lastTransitionTime":"2022-11-14T01:42:54Z","reason":"KubeletHasSufficientMemory","message":"kubelet + has sufficient memory available"},{"type":"DiskPressure","status":"False","lastHeartbeatTime":"2022-11-15T12:01:34Z","lastTransitionTime":"2022-11-14T01:42:54Z","reason":"KubeletHasNoDiskPressure","message":"kubelet + has no disk pressure"},{"type":"PIDPressure","status":"False","lastHeartbeatTime":"2022-11-15T12:01:34Z","lastTransitionTime":"2022-11-14T01:42:54Z","reason":"KubeletHasSufficientPID","message":"kubelet + has sufficient PID available"},{"type":"Ready","status":"True","lastHeartbeatTime":"2022-11-15T12:01:34Z","lastTransitionTime":"2022-11-14T01:42:54Z","reason":"KubeletReady","message":"kubelet + is posting ready status. AppArmor enabled"}],"addresses":[{"type":"InternalIP","address":"10.224.0.5"},{"type":"Hostname","address":"aks-agentpool-35222091-vmss000001"}],"daemonEndpoints":{"kubeletEndpoint":{"Port":10250}},"nodeInfo":{"machineID":"51b2ad9a5c98406c914f404679bd58fa","systemUUID":"0ef5b1a0-7adb-4086-b8aa-0b11b5316e73","bootID":"4df3389b-ca13-43e7-b0d7-c304803b6e69","kernelVersion":"5.4.0-1091-azure","osImage":"Ubuntu + 18.04.6 LTS","containerRuntimeVersion":"containerd://1.6.4+azure-4","kubeletVersion":"v1.24.6","kubeProxyVersion":"v1.24.6","operatingSystem":"linux","architecture":"amd64"},"images":[{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod:ciprod08102022"],"sizeBytes":397844357},{"names":["mcr.microsoft.com/azuredefender/stable/low-level-init@sha256:65b99ab432f3a164e3bea2e5d0350039e597176eda3179f2a59ef4696e9d65df","mcr.microsoft.com/azuredefender/stable/low-level-init:1.3.57"],"sizeBytes":374449658},{"names":["mcr.microsoft.com/azuredefender/stable/low-level-init@sha256:239a04dd583cd552d7a37941c96422d6c8acf243dd88538ba013d337c2925426","mcr.microsoft.com/azuredefender/stable/low-level-init:1.3.49"],"sizeBytes":374180034},{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod:ciprod06272022-hotfix"],"sizeBytes":357023149},{"names":["devconformance.azurecr.io/ocdev@sha256:39d8d9ae4b6b1de87211b584b6374054e9c51c080cce825dd0b4ad56e8376a72","devconformance.azurecr.io/ocdev:v3"],"sizeBytes":330270905},{"names":["devconformance.azurecr.io/ocdev@sha256:db49de7ddae80473a3bfbf53c146f3df3908e1759e8cc44a6bf7d8e37d174e8e","devconformance.azurecr.io/ocdev:v2"],"sizeBytes":330270862},{"names":["devconformance.azurecr.io/cleanupdev@sha256:9265a7b663ce0260b1ff3528b5c2af0d0012cf941747ed40f8791b2fb5968e18","devconformance.azurecr.io/cleanupdev:v7"],"sizeBytes":328533417},{"names":["mcr.microsoft.com/azuredefender/stable/low-level-collector@sha256:07e6640452537dfb75f4f30f25178a9be4151ddc7578436a6ee8843d79889fe1","mcr.microsoft.com/azuredefender/stable/low-level-collector:1.3.57"],"sizeBytes":315495474},{"names":["mcr.microsoft.com/azuredefender/stable/low-level-collector@sha256:ec066564034f34578c930bef6734ff19c92b33462165e62538842cfeb9dbc3fb","mcr.microsoft.com/azuredefender/stable/low-level-collector:1.3.49"],"sizeBytes":315042580},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:0.49.3"],"sizeBytes":287741913},{"names":["mcr.microsoft.com/oss/calico/cni:v3.23.1"],"sizeBytes":263014840},{"names":["mcr.microsoft.com/oss/calico/cni:v3.21.4"],"sizeBytes":236345866},{"names":["mcr.microsoft.com/oss/calico/cni:v3.21.6"],"sizeBytes":227829276},{"names":["mcr.microsoft.com/oss/calico/node:v3.23.1"],"sizeBytes":221560540},{"names":["mcr.microsoft.com/oss/calico/node:v3.21.4"],"sizeBytes":216363503},{"names":["mcr.microsoft.com/oss/calico/node:v3.21.6"],"sizeBytes":215379163},{"names":["mcr.microsoft.com/oss/tigera/operator:v1.23.8"],"sizeBytes":184105789},{"names":["mcr.microsoft.com/azuredefender/stable/security-publisher@sha256:d5de5c8fa8213dc5c178d7a5c9c5c5d8c7ba14c65c5fbd2d661f7670af6cbdf5","mcr.microsoft.com/azuredefender/stable/security-publisher:1.0.56"],"sizeBytes":172024457},{"names":["mcr.microsoft.com/oss/cilium/cilium:1.12.1.1"],"sizeBytes":167528909},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:0.19.0"],"sizeBytes":166352383},{"names":["mcr.microsoft.com/aks/hcp/hcp-tunnel-front:master.220527.2"],"sizeBytes":146994488},{"names":null,"sizeBytes":138243950},{"names":["mcr.microsoft.com/oss/calico/kube-controllers:v3.23.1"],"sizeBytes":136078571},{"names":["mcr.microsoft.com/oss/calico/typha:v3.23.1"],"sizeBytes":131467121},{"names":null,"sizeBytes":129890505},{"names":null,"sizeBytes":128992809},{"names":["mcr.microsoft.com/oss/tigera/operator:v1.24.2"],"sizeBytes":128711964},{"names":["mcr.microsoft.com/oss/calico/typha:v3.21.4"],"sizeBytes":128235133},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.2.2.5"],"sizeBytes":123925992},{"names":["mcr.microsoft.com/oss/kubernetes/kube-proxy@sha256:07265b4c767ef6fdfe78d862a08d6392dfeea707e63930a8ecb8eafef848cf14","mcr.microsoft.com/oss/kubernetes/kube-proxy:v1.24.6-hotfix.20221006.1"],"sizeBytes":123550720},{"names":["mcr.microsoft.com/oss/kubernetes/kube-proxy:v1.24.6.1"],"sizeBytes":123549904},{"names":["mcr.microsoft.com/oss/calico/kube-controllers:v3.21.6"],"sizeBytes":123549280},{"names":["mcr.microsoft.com/oss/calico/typha:v3.21.6"],"sizeBytes":119713369},{"names":null,"sizeBytes":115909379},{"names":null,"sizeBytes":115897326},{"names":null,"sizeBytes":115677896},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:v1.2.1"],"sizeBytes":107169290},{"names":["mcr.microsoft.com/oss/calico/node:v3.8.9.5"],"sizeBytes":101794833},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi@sha256:a9d68708393eb3fbe09aa32db020c805bab952709fe6df552959c26ab2f92336","mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.22.0.3"],"sizeBytes":99538753},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.22.0.2"],"sizeBytes":99335832},{"names":["mcr.microsoft.com/oss/fluxcd/flux@sha256:eaeb1920dc666efb07cd2c7c046109dfa301760510992f61581500643820074b","mcr.microsoft.com/oss/fluxcd/flux:1.21.2"],"sizeBytes":98617286},{"names":["mcr.microsoft.com/aks/acc/sgx-attestation:3.1"],"sizeBytes":98058501},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi@sha256:492de0426ff8299b043ba6845ff517cf477b985c927b522e6b01a65e9537aa1e","mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.23.0"],"sizeBytes":95915873},{"names":["mcr.microsoft.com/oss/kubernetes/exechealthz:1.2_v0.0.5"],"sizeBytes":94348102},{"names":["mcr.microsoft.com/aks/hcp/tunnel-openvpn:master.220527.2"],"sizeBytes":92531564},{"names":["mcr.microsoft.com/containernetworking/azure-npm:v1.4.29"],"sizeBytes":89255513},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.2.2"],"sizeBytes":88551490},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.22.0.1"],"sizeBytes":88352750},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.21.0"],"sizeBytes":87550430},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi@sha256:d8802d555a169c34ce1ebbfb8d0228777250ab8fdd4af084e0ea98476eb60f90","mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.22.0"],"sizeBytes":83173887}]}}]} + + ' + headers: + audit-id: + - 17e58c22-f3c3-4114-8de2-baa6525926d3 + cache-control: + - no-cache, private + content-type: + - application/json + date: + - Tue, 15 Nov 2022 12:02:22 GMT + transfer-encoding: + - chunked + x-kubernetes-pf-flowschema-uid: + - 9c9284bf-ac50-497c-86a8-5f4f7d857b28 + x-kubernetes-pf-prioritylevel-uid: + - f041de6f-3328-46ec-b36d-f51c7cd89b61 + status: + code: 200 + message: OK +- request: + body: '{"spec": {"resourceAttributes": {"verb": "create", "resource": "clusterrolebindings", + "group": "rbac.authorization.k8s.io"}}}' + headers: + Accept: + - application/json + Content-Type: + - application/json + User-Agent: + - OpenAPI-Generator/24.2.0/python + method: POST + uri: https://tempaks-dns-0f8c9536.hcp.southcentralus.azmk8s.io/apis/authorization.k8s.io/v1/selfsubjectaccessreviews + response: + body: + string: '{"kind":"SelfSubjectAccessReview","apiVersion":"authorization.k8s.io/v1","metadata":{"creationTimestamp":null,"managedFields":[{"manager":"OpenAPI-Generator","operation":"Update","apiVersion":"authorization.k8s.io/v1","time":"2022-11-15T12:02:23Z","fieldsType":"FieldsV1","fieldsV1":{"f:spec":{"f:resourceAttributes":{".":{},"f:group":{},"f:resource":{},"f:verb":{}}}}}]},"spec":{"resourceAttributes":{"verb":"create","group":"rbac.authorization.k8s.io","resource":"clusterrolebindings"}},"status":{"allowed":true}} + + ' + headers: + audit-id: + - 4b8b2645-8963-4f36-9c49-c886662eae63 + cache-control: + - no-cache, private + content-length: + - '516' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 12:02:23 GMT + x-kubernetes-pf-flowschema-uid: + - 9c9284bf-ac50-497c-86a8-5f4f7d857b28 + x-kubernetes-pf-prioritylevel-uid: + - f041de6f-3328-46ec-b36d-f51c7cd89b61 + status: + code: 201 + message: Created +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s connect + Connection: + - keep-alive + ParameterSetName: + - -g -n -l --tags --kube-config --enable-private-link --pls-arm-id --yes + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Kubernetes?api-version=2021-04-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Kubernetes","namespace":"Microsoft.Kubernetes","authorizations":[{"applicationId":"64b12d6e-6549-484c-8cc6-6281839ba394","roleDefinitionId":"1d1d44cf-68a1-4def-a2b6-cd7efc3515af"},{"applicationId":"359431ad-ece5-496b-8768-be4bbfd82f36","roleDefinitionId":"1b5c71b7-9814-4b40-b62a-23018af874d8"},{"applicationId":"0000dab9-8b21-4ba2-807f-1743968cef00","roleDefinitionId":"1b5c71b7-9814-4b40-b62a-23018af874d8"},{"applicationId":"8edd93e1-2103-40b4-bd70-6e34e586362d","roleDefinitionId":"eb67887a-31e8-4e4e-bf5b-14ff79351a6f"}],"resourceTypes":[{"resourceType":"connectedClusters","locations":["West + Europe","East US","West Central US","South Central US","Southeast Asia","UK + South","East US 2","West US 2","Australia East","North Europe","France Central","Central + US","West US","North Central US","Korea Central","Japan East","West US 3","East + Asia","Canada Central","East US 2 EUAP","Canada East"],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"SystemAssignedResourceIdentity, + SupportsTags, SupportsLocation"},{"resourceType":"locations","locations":[],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/operationStatuses","locations":["East + US 2 EUAP","West Europe","East US","West Central US","South Central US","Southeast + Asia","UK South","East US 2","West US 2","Australia East","North Europe","France + Central","Central US","West US","North Central US","Korea Central","Japan + East","East Asia","West US 3","Canada East","Canada Central"],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"None"},{"resourceType":"registeredSubscriptions","locations":[],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview"],"capabilities":"None"},{"resourceType":"Operations","locations":[],"apiVersions":["2022-10-01-preview","2022-05-01-preview","2021-10-01","2021-04-01-preview","2021-03-01","2020-01-01-preview","2019-11-01-preview","2019-09-01-privatepreview"],"capabilities":"None"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' + headers: + cache-control: + - no-cache + content-length: + - '2416' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 12:02:23 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s connect + Connection: + - keep-alive + ParameterSetName: + - -g -n -l --tags --kube-config --enable-private-link --pls-arm-id --yes + User-Agent: + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridcompute/7.0.0 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.HybridCompute/privateLinkScopes/temppls?api-version=2021-03-25-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.HybridCompute/privateLinkScopes/temppls","name":"temppls","type":"Microsoft.HybridCompute/privateLinkScopes","location":"eastus2euap","properties":{"privateLinkScopeId":"22683d8c-0c2c-4516-b3fd-466e958437be","publicNetworkAccess":"Disabled","provisioningState":"Succeeded"},"tags":{}}' + headers: + cache-control: + - no-cache + content-length: + - '387' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 12:02:25 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Kestrel + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s connect + Connection: + - keep-alive + ParameterSetName: + - -g -n -l --tags --kube-config --enable-private-link --pls-arm-id --yes + User-Agent: + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cliplscc?api-version=2022-10-01-preview + response: + body: + string: '{"error":{"code":"ResourceNotFound","message":"The Resource ''Microsoft.Kubernetes/connectedClusters/cliplscc'' + under resource group ''akkeshar'' was not found. For more details please go + to https://aka.ms/ARMResourceNotFoundFix"}}' + headers: + cache-control: + - no-cache + content-length: + - '227' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 12:02:28 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + x-ms-failure-cause: + - gateway + status: + code: 404 + message: Not Found +- request: + body: null + headers: + Accept: + - application/json + Content-Type: + - application/json + User-Agent: + - OpenAPI-Generator/24.2.0/python + method: GET + uri: https://tempaks-dns-0f8c9536.hcp.southcentralus.azmk8s.io/api/v1/namespaces + response: + body: + string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"12008537"},"items":[{"metadata":{"name":"default","uid":"be0c79fc-159c-4921-8607-0f09c4b7eaca","resourceVersion":"197","creationTimestamp":"2022-10-10T03:59:23Z","labels":{"kubernetes.io/metadata.name":"default"},"managedFields":[{"manager":"kube-apiserver","operation":"Update","apiVersion":"v1","time":"2022-10-10T03:59:23Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{".":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Active"}},{"metadata":{"name":"gatekeeper-system","uid":"347409a6-22fe-40d7-9a84-519b89e0f4f3","resourceVersion":"3249","creationTimestamp":"2022-10-10T04:09:44Z","labels":{"addonmanager.kubernetes.io/mode":"Reconcile","admission.gatekeeper.sh/ignore":"no-self-managing","control-plane":"controller-manager","gatekeeper.sh/system":"yes","kubernetes.io/metadata.name":"gatekeeper-system"},"annotations":{"kubectl.kubernetes.io/last-applied-configuration":"{\"apiVersion\":\"v1\",\"kind\":\"Namespace\",\"metadata\":{\"annotations\":{},\"labels\":{\"addonmanager.kubernetes.io/mode\":\"Reconcile\",\"admission.gatekeeper.sh/ignore\":\"no-self-managing\",\"control-plane\":\"controller-manager\",\"gatekeeper.sh/system\":\"yes\"},\"name\":\"gatekeeper-system\"}}\n"},"managedFields":[{"manager":"kubectl-client-side-apply","operation":"Update","apiVersion":"v1","time":"2022-10-10T04:09:44Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:kubectl.kubernetes.io/last-applied-configuration":{}},"f:labels":{".":{},"f:addonmanager.kubernetes.io/mode":{},"f:admission.gatekeeper.sh/ignore":{},"f:control-plane":{},"f:gatekeeper.sh/system":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Active"}},{"metadata":{"name":"kube-node-lease","uid":"872cd4f1-0123-43c5-ba77-f497adca8a60","resourceVersion":"19","creationTimestamp":"2022-10-10T03:59:21Z","labels":{"kubernetes.io/metadata.name":"kube-node-lease"},"managedFields":[{"manager":"kube-apiserver","operation":"Update","apiVersion":"v1","time":"2022-10-10T03:59:21Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{".":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Active"}},{"metadata":{"name":"kube-public","uid":"2aa82866-8647-4b91-b72a-7bc969c090c7","resourceVersion":"5","creationTimestamp":"2022-10-10T03:59:21Z","labels":{"kubernetes.io/metadata.name":"kube-public"},"managedFields":[{"manager":"kube-apiserver","operation":"Update","apiVersion":"v1","time":"2022-10-10T03:59:21Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{".":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Active"}},{"metadata":{"name":"kube-system","uid":"853f3c4d-905a-480e-b679-2058626f72f2","resourceVersion":"481","creationTimestamp":"2022-10-10T03:59:21Z","labels":{"addonmanager.kubernetes.io/mode":"Reconcile","control-plane":"true","kubernetes.io/cluster-service":"true","kubernetes.io/metadata.name":"kube-system"},"annotations":{"kubectl.kubernetes.io/last-applied-configuration":"{\"apiVersion\":\"v1\",\"kind\":\"Namespace\",\"metadata\":{\"annotations\":{},\"labels\":{\"addonmanager.kubernetes.io/mode\":\"Reconcile\",\"control-plane\":\"true\",\"kubernetes.io/cluster-service\":\"true\"},\"name\":\"kube-system\"}}\n"},"managedFields":[{"manager":"kube-apiserver","operation":"Update","apiVersion":"v1","time":"2022-10-10T03:59:21Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{".":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kubectl-client-side-apply","operation":"Update","apiVersion":"v1","time":"2022-10-10T03:59:41Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:kubectl.kubernetes.io/last-applied-configuration":{}},"f:labels":{"f:addonmanager.kubernetes.io/mode":{},"f:control-plane":{},"f:kubernetes.io/cluster-service":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Active"}}]} + + ' + headers: + audit-id: + - 4657f356-da51-4ad6-8146-1ffa2ebc6f89 + cache-control: + - no-cache, private + content-type: + - application/json + date: + - Tue, 15 Nov 2022 12:02:29 GMT + transfer-encoding: + - chunked + x-kubernetes-pf-flowschema-uid: + - 9c9284bf-ac50-497c-86a8-5f4f7d857b28 + x-kubernetes-pf-prioritylevel-uid: + - f041de6f-3328-46ec-b36d-f51c7cd89b61 + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s connect + Connection: + - keep-alive + ParameterSetName: + - -g -n -l --tags --kube-config --enable-private-link --pls-arm-id --yes + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/akkeshar?api-version=2021-04-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar","name":"akkeshar","type":"Microsoft.Resources/resourceGroups","location":"eastus","tags":{"Created":"20210721"},"properties":{"provisioningState":"Succeeded"}}' + headers: + cache-control: + - no-cache + content-length: + - '243' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 12:02:29 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s connect + Connection: + - keep-alive + Content-Length: + - '0' + ParameterSetName: + - -g -n -l --tags --kube-config --enable-private-link --pls-arm-id --yes + User-Agent: + - python/3.7.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.42.0 + method: POST + uri: https://eastus2euap.dp.kubernetesconfiguration.azure.com/azure-arc-k8sagents/GetLatestHelmPackagePath?api-version=2019-11-01-preview&releaseTrain=stable + response: + body: + string: '{"repositoryPath":"mcr.microsoft.com/azurearck8s/canary/stable/azure-arc-k8sagents:1.8.14"}' + headers: + api-supported-versions: + - 2019-11-01-Preview + connection: + - close + content-length: + - '91' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 12:02:31 GMT + strict-transport-security: + - max-age=15724800; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: '{"tags": {"foo": "doo"}, "location": "eastus2euap", "identity": {"type": + "SystemAssigned"}, "properties": {"agentPublicKeyCertificate": "MIICCgKCAgEArIHsGUlPnOSKzZtxp+61Bn97SqLeievJ3QbPP9Yh0uE2WnaTrlfV32UTxfnKBmvV7Q0fUSfsUX4tIeSXcr8AkbpvEtAETE/L+fK53ndcklEbRrC1L8SBSRab9fsnVbAiOR4zwYolS4a+yk0LMIhduSyHklCdvihGgGEs/SeZHvWxiHoAChXsNarnkdc/N7EDhwn6ZjoAIIEiG9rFQ5ySVkEMPqxoWSqsw6pb9LLyF4anYHg2ZinjRQt0ICOQqk5ROmOH7os0Def5fdqJcjuG9BvsTCnBoTkcg25U75pHV9gTAsXc/MF4ALLbc2R1vB0r5id+ZxZo6jH0YA81nfNWIQc4/9+ZT+hTjb+e8iR4REYltuVGnpL+na7IcF38EVhatFdDm0GFoctrlnlW2X/TdRNYQu50bsc+kgTiZGTQAx6jlq1pvN+JbVSlJHK21G27p5cpjc00U0gTbXRERSx/8cPEceVrzf5FoNTnqZZi6eWtXvjUlqTDfCtR8ge0z1z0/sRxB3jr+Dn4dDk36TXmdEQ8vNzrGlQps2MOCjfgN5KswH99Os7f9n/cMMrGof3pnWGWvxX52iija0LcYJidjm2auUSxSHl5DKkAVX6dbZbXGGyTCjl4hYly3jOxK3anb7d7LI+yzciXO+xwgzH1xJzGfo+RzPF4RgqAtPuPdFkCAwEAAQ==", + "distribution": "aks", "infrastructure": "azure", "privateLinkState": "Enabled", + "privateLinkScopeResourceId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.HybridCompute/privateLinkScopes/temppls"}}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s connect + Connection: + - keep-alive + Content-Length: + - '1094' + Content-Type: + - application/json + ParameterSetName: + - -g -n -l --tags --kube-config --enable-private-link --pls-arm-id --yes + User-Agent: + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cliplscc?api-version=2022-10-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cliplscc","name":"cliplscc","type":"microsoft.kubernetes/connectedclusters","location":"eastus2euap","tags":{"foo":"doo"},"systemData":{"createdBy":"akkeshar@microsoft.com","createdByType":"User","createdAt":"2022-11-15T12:03:13.5939854Z","lastModifiedBy":"akkeshar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-15T12:03:13.5939854Z"},"identity":{"principalId":"bf59fccc-e752-4139-a4d0-132557e07c45","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned"},"properties":{"provisioningState":"Accepted","connectivityStatus":"Connecting","privateLinkState":"Enabled","azureHybridBenefit":"NotApplicable","agentPublicKeyCertificate":"MIICCgKCAgEArIHsGUlPnOSKzZtxp+61Bn97SqLeievJ3QbPP9Yh0uE2WnaTrlfV32UTxfnKBmvV7Q0fUSfsUX4tIeSXcr8AkbpvEtAETE/L+fK53ndcklEbRrC1L8SBSRab9fsnVbAiOR4zwYolS4a+yk0LMIhduSyHklCdvihGgGEs/SeZHvWxiHoAChXsNarnkdc/N7EDhwn6ZjoAIIEiG9rFQ5ySVkEMPqxoWSqsw6pb9LLyF4anYHg2ZinjRQt0ICOQqk5ROmOH7os0Def5fdqJcjuG9BvsTCnBoTkcg25U75pHV9gTAsXc/MF4ALLbc2R1vB0r5id+ZxZo6jH0YA81nfNWIQc4/9+ZT+hTjb+e8iR4REYltuVGnpL+na7IcF38EVhatFdDm0GFoctrlnlW2X/TdRNYQu50bsc+kgTiZGTQAx6jlq1pvN+JbVSlJHK21G27p5cpjc00U0gTbXRERSx/8cPEceVrzf5FoNTnqZZi6eWtXvjUlqTDfCtR8ge0z1z0/sRxB3jr+Dn4dDk36TXmdEQ8vNzrGlQps2MOCjfgN5KswH99Os7f9n/cMMrGof3pnWGWvxX52iija0LcYJidjm2auUSxSHl5DKkAVX6dbZbXGGyTCjl4hYly3jOxK3anb7d7LI+yzciXO+xwgzH1xJzGfo+RzPF4RgqAtPuPdFkCAwEAAQ==","distribution":"aks","infrastructure":"azure","privateLinkScopeResourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.HybridCompute/privateLinkScopes/temppls"}}' + headers: + azure-asyncoperation: + - https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS2EUAP/operationStatuses/ef816cdf-8b5a-4bab-9805-b8944ebf1321*8738D9B038F603442BFE6B89D055B1E438DA9BC8B386B2FE9015CECB2D2CC8DB?api-version=2022-10-01-preview + cache-control: + - no-cache + content-length: + - '1724' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 12:03:18 GMT + etag: + - '"27002b5c-0000-3400-0000-637380050000"' + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + x-ms-providerhub-traffic: + - 'True' + x-ms-ratelimit-remaining-subscription-writes: + - '1198' + status: + code: 201 + message: Created +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s connect + Connection: + - keep-alive + ParameterSetName: + - -g -n -l --tags --kube-config --enable-private-link --pls-arm-id --yes + User-Agent: + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS2EUAP/operationStatuses/ef816cdf-8b5a-4bab-9805-b8944ebf1321*8738D9B038F603442BFE6B89D055B1E438DA9BC8B386B2FE9015CECB2D2CC8DB?api-version=2022-10-01-preview + response: + body: + string: '{"id":"/providers/Microsoft.Kubernetes/locations/EASTUS2EUAP/operationStatuses/ef816cdf-8b5a-4bab-9805-b8944ebf1321*8738D9B038F603442BFE6B89D055B1E438DA9BC8B386B2FE9015CECB2D2CC8DB","name":"ef816cdf-8b5a-4bab-9805-b8944ebf1321*8738D9B038F603442BFE6B89D055B1E438DA9BC8B386B2FE9015CECB2D2CC8DB","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cliplscc","status":"Accepted","startTime":"2022-11-15T12:03:16.4071256Z"}' + headers: + cache-control: + - no-cache + content-length: + - '505' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 12:03:18 GMT + etag: + - '"2700265c-0000-3400-0000-637380040000"' + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s connect + Connection: + - keep-alive + ParameterSetName: + - -g -n -l --tags --kube-config --enable-private-link --pls-arm-id --yes + User-Agent: + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS2EUAP/operationStatuses/ef816cdf-8b5a-4bab-9805-b8944ebf1321*8738D9B038F603442BFE6B89D055B1E438DA9BC8B386B2FE9015CECB2D2CC8DB?api-version=2022-10-01-preview + response: + body: + string: '{"id":"/providers/Microsoft.Kubernetes/locations/EASTUS2EUAP/operationStatuses/ef816cdf-8b5a-4bab-9805-b8944ebf1321*8738D9B038F603442BFE6B89D055B1E438DA9BC8B386B2FE9015CECB2D2CC8DB","name":"ef816cdf-8b5a-4bab-9805-b8944ebf1321*8738D9B038F603442BFE6B89D055B1E438DA9BC8B386B2FE9015CECB2D2CC8DB","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cliplscc","status":"Succeeded","startTime":"2022-11-15T12:03:16.4071256Z","endTime":"2022-11-15T12:03:25.511902Z","properties":null}' + headers: + cache-control: + - no-cache + content-length: + - '564' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 12:03:49 GMT + etag: + - '"27003b5c-0000-3400-0000-6373800d0000"' + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s connect + Connection: + - keep-alive + ParameterSetName: + - -g -n -l --tags --kube-config --enable-private-link --pls-arm-id --yes + User-Agent: + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cliplscc?api-version=2022-10-01-preview + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cliplscc","name":"cliplscc","type":"microsoft.kubernetes/connectedclusters","location":"eastus2euap","tags":{"foo":"doo"},"systemData":{"createdBy":"akkeshar@microsoft.com","createdByType":"User","createdAt":"2022-11-15T12:03:13.5939854Z","lastModifiedBy":"akkeshar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-15T12:03:13.5939854Z"},"identity":{"principalId":"bf59fccc-e752-4139-a4d0-132557e07c45","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned"},"properties":{"provisioningState":"Succeeded","connectivityStatus":"Connecting","privateLinkState":"Enabled","azureHybridBenefit":"NotApplicable","agentPublicKeyCertificate":"MIICCgKCAgEArIHsGUlPnOSKzZtxp+61Bn97SqLeievJ3QbPP9Yh0uE2WnaTrlfV32UTxfnKBmvV7Q0fUSfsUX4tIeSXcr8AkbpvEtAETE/L+fK53ndcklEbRrC1L8SBSRab9fsnVbAiOR4zwYolS4a+yk0LMIhduSyHklCdvihGgGEs/SeZHvWxiHoAChXsNarnkdc/N7EDhwn6ZjoAIIEiG9rFQ5ySVkEMPqxoWSqsw6pb9LLyF4anYHg2ZinjRQt0ICOQqk5ROmOH7os0Def5fdqJcjuG9BvsTCnBoTkcg25U75pHV9gTAsXc/MF4ALLbc2R1vB0r5id+ZxZo6jH0YA81nfNWIQc4/9+ZT+hTjb+e8iR4REYltuVGnpL+na7IcF38EVhatFdDm0GFoctrlnlW2X/TdRNYQu50bsc+kgTiZGTQAx6jlq1pvN+JbVSlJHK21G27p5cpjc00U0gTbXRERSx/8cPEceVrzf5FoNTnqZZi6eWtXvjUlqTDfCtR8ge0z1z0/sRxB3jr+Dn4dDk36TXmdEQ8vNzrGlQps2MOCjfgN5KswH99Os7f9n/cMMrGof3pnWGWvxX52iija0LcYJidjm2auUSxSHl5DKkAVX6dbZbXGGyTCjl4hYly3jOxK3anb7d7LI+yzciXO+xwgzH1xJzGfo+RzPF4RgqAtPuPdFkCAwEAAQ==","distribution":"AKS","infrastructure":"azure","privateLinkScopeResourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.HybridCompute/privateLinkScopes/temppls"}}' + headers: + cache-control: + - no-cache + content-length: + - '1725' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 12:03:50 GMT + etag: + - '"27003c5c-0000-3400-0000-6373800d0000"' + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-providerhub-traffic: + - 'True' + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s connect + Connection: + - keep-alive + ParameterSetName: + - -g -n -l --tags --kube-config --enable-private-link --pls-arm-id --yes + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ExtendedLocation?api-version=2021-04-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ExtendedLocation","namespace":"Microsoft.ExtendedLocation","authorizations":[{"applicationId":"bc313c14-388c-4e7d-a58e-70017303ee3b","roleDefinitionId":"a775b938-2819-4dd0-8067-01f6e3b06392"},{"applicationId":"319f651f-7ddb-4fc6-9857-7aef9250bd05","roleDefinitionId":"0981f4e0-04a7-4e31-bd2b-b2ac2fc6ba4e"}],"resourceTypes":[{"resourceType":"locations","locations":[],"apiVersions":["2021-03-15-preview","2020-07-15-privatepreview"],"capabilities":"None"},{"resourceType":"customLocations","locations":["East + US","West Europe","North Europe","France Central","Southeast Asia","Australia + East","East US 2","West US 2","UK South","Central US","West Central US","West + US","North Central US","South Central US","Korea Central","Japan East","East + Asia","West US 3","Canada Central","Canada East","Switzerland North","Sweden + Central","East US 2 EUAP"],"apiVersions":["2021-08-31-preview","2021-08-15","2021-03-15-preview","2020-07-15-privatepreview"],"defaultApiVersion":"2021-08-15","capabilities":"SystemAssignedResourceIdentity, + SupportsTags, SupportsLocation"},{"resourceType":"customLocations/enabledResourceTypes","locations":["East + US","West Europe","North Europe","France Central","Southeast Asia","Australia + East","East US 2","West US 2","UK South","Central US","West Central US","West + US","North Central US","South Central US","Korea Central","Japan East","East + Asia","West US 3","Canada Central","Canada East","Switzerland North","Sweden + Central","East US 2 EUAP"],"apiVersions":["2021-08-31-preview","2021-08-15","2021-03-15-preview","2020-07-15-privatepreview"],"capabilities":"None"},{"resourceType":"customLocations/resourceSyncRules","locations":["East + US","West Europe","North Europe","France Central","Southeast Asia","Australia + East","East US 2","West US 2","UK South","Central US","West Central US","West + US","North Central US","South Central US","Korea Central","Japan East","East + Asia","West US 3","Canada Central","Canada East","Switzerland North","Sweden + Central","East US 2 EUAP"],"apiVersions":["2021-08-31-preview"],"defaultApiVersion":"2021-08-31-preview","capabilities":"CrossResourceGroupResourceMove, + CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"locations/operationsstatus","locations":["East + US","West Europe","North Europe","France Central","Southeast Asia","Australia + East","East US 2","West US 2","UK South","Central US","West Central US","West + US","North Central US","South Central US","Korea Central","Japan East","East + Asia","West US 3","Canada Central","Canada East","Switzerland North","Sweden + Central","East US 2 Euap"],"apiVersions":["2021-03-15-preview","2020-07-15-privatepreview"],"capabilities":"None"},{"resourceType":"locations/operationresults","locations":["East + US","West Europe","North Europe","France Central","Southeast Asia","Australia + East","East US 2","West US 2","UK South","Central US","West Central US","West + US","North Central US","South Central US","Korea Central","Japan East","East + Asia","West US 3","Canada Central","Canada East","Switzerland North","Sweden + Central","East US 2 Euap"],"apiVersions":["2021-03-15-preview","2020-07-15-privatepreview"],"capabilities":"None"},{"resourceType":"operations","locations":[],"apiVersions":["2021-08-31-preview","2021-08-15","2021-03-15-preview","2020-07-15-privatepreview"],"capabilities":"None"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' + headers: + cache-control: + - no-cache + content-length: + - '3491' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 12:03:50 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s connect + Connection: + - keep-alive + ParameterSetName: + - -g -n -l --tags --kube-config --enable-private-link --pls-arm-id --yes + User-Agent: + - python/3.7.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-graphrbac/0.60.0 + Azure-SDK-For-Python AZURECLI/2.42.0 + accept-language: + - en-US + method: GET + uri: https://graph.windows.net/00000000-0000-0000-0000-000000000000/servicePrincipals?$filter=displayName%20eq%20%27Custom%20Locations%20RP%27&api-version=1.6 + response: + body: + string: '{"odata.metadata":"https://graph.windows.net/00000000-0000-0000-0000-000000000000/$metadata#directoryObjects","value":[{"odata.type":"Microsoft.DirectoryServices.ServicePrincipal","objectType":"ServicePrincipal","objectId":"51dfe1e8-70c6-4de5-a08e-e18aff23d815","deletionTimestamp":null,"accountEnabled":true,"addIns":[],"alternativeNames":[],"appDisplayName":"Custom + Locations RP","appId":"bc313c14-388c-4e7d-a58e-70017303ee3b","applicationTemplateId":null,"appOwnerTenantId":"f8cdef31-a31e-4b4a-93e4-5f571e91255a","appRoleAssignmentRequired":false,"appRoles":[],"displayName":"Custom + Locations RP","errorUrl":null,"homepage":null,"informationalUrls":{"termsOfService":null,"support":null,"privacy":null,"marketing":null},"keyCredentials":[],"logoutUrl":null,"notificationEmailAddresses":[],"oauth2Permissions":[],"passwordCredentials":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyEndDateTime":null,"preferredTokenSigningKeyThumbprint":null,"publisherName":"Microsoft + Services","replyUrls":[],"samlMetadataUrl":null,"samlSingleSignOnSettings":null,"servicePrincipalNames":["bc313c14-388c-4e7d-a58e-70017303ee3b"],"servicePrincipalType":"Application","signInAudience":"AzureADMultipleOrgs","tags":[],"tokenEncryptionKeyId":null}]}' + headers: + access-control-allow-origin: + - '*' + cache-control: + - no-cache + content-length: + - '1246' + content-type: + - application/json; odata=minimalmetadata; streaming=true; charset=utf-8 + dataserviceversion: + - 3.0; + date: + - Tue, 15 Nov 2022 12:03:51 GMT + duration: + - '1470348' + expires: + - '-1' + ocp-aad-diagnostics-server-name: + - JyeM+5eFzeTHbJ5JOsOk4ZavbV40VH6ifhSb7d1ws28= + ocp-aad-session-key: + - -SkqV_3o7yHOkdWAyAIboQ3NoRZLrkZb_ctW0ZlY-umvFF7FVOUNLGC0WB8Mf4uXRvryFP0y9_Gl4qvBF9Qi2H3-m0oSRVp10yi9bsmIGm8qilYoutCgil3R_94TyRmf.scz-AhnvNAtyHSnxTAuM3FonRip9WMUB85zptJN6M_4 + pragma: + - no-cache + request-id: + - 186a36b3-058e-474d-9f6d-deb85b23d06b + strict-transport-security: + - max-age=31536000; includeSubDomains + x-aspnet-version: + - 4.0.30319 + x-ms-dirapi-data-contract-version: + - '1.6' + x-ms-resource-unit: + - '1' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Content-Type: + - application/json + User-Agent: + - OpenAPI-Generator/24.2.0/python + method: GET + uri: https://tempaks-dns-0f8c9536.hcp.southcentralus.azmk8s.io/version/ + response: + body: + string: "{\n \"major\": \"1\",\n \"minor\": \"24\",\n \"gitVersion\": \"v1.24.6\",\n + \ \"gitCommit\": \"6c23b67c202a4cfa7c76c3e1b370bd5f0e654f30\",\n \"gitTreeState\": + \"clean\",\n \"buildDate\": \"2022-11-09T17:13:23Z\",\n \"goVersion\": \"go1.18.6\",\n + \ \"compiler\": \"gc\",\n \"platform\": \"linux/amd64\"\n}" + headers: + audit-id: + - f58539ab-9542-4f58-9c64-814243612e04 + cache-control: + - no-cache, private + content-length: + - '263' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 12:05:00 GMT + x-kubernetes-pf-flowschema-uid: + - 9c9284bf-ac50-497c-86a8-5f4f7d857b28 + x-kubernetes-pf-prioritylevel-uid: + - f041de6f-3328-46ec-b36d-f51c7cd89b61 + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Content-Type: + - application/json + User-Agent: + - OpenAPI-Generator/24.2.0/python + method: GET + uri: https://tempaks-dns-0f8c9536.hcp.southcentralus.azmk8s.io/api/v1/namespaces/azure-arc/configmaps/azure-clusterconfig + response: + body: + string: '{"kind":"ConfigMap","apiVersion":"v1","metadata":{"name":"azure-clusterconfig","namespace":"azure-arc","uid":"5f730c08-1666-475a-bc64-cd0a44a3c859","resourceVersion":"12008912","creationTimestamp":"2022-11-15T12:04:07Z","labels":{"app.kubernetes.io/managed-by":"Helm"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T12:04:07Z","fieldsType":"FieldsV1","fieldsV1":{"f:data":{".":{},"f:ARC_AGENT_HELM_CHART_NAME":{},"f:ARC_AGENT_RELEASE_TRAIN":{},"f:AZURE_ARC_AGENT_VERSION":{},"f:AZURE_ARC_AUTOUPDATE":{},"f:AZURE_ARC_HELM_NAMESPACE":{},"f:AZURE_ARC_RELEASE_NAME":{},"f:AZURE_ENVIRONMENT":{},"f:AZURE_REGION":{},"f:AZURE_RESOURCE_GROUP":{},"f:AZURE_RESOURCE_MANAGER_ENDPOINT":{},"f:AZURE_RESOURCE_NAME":{},"f:AZURE_SUBSCRIPTION_ID":{},"f:AZURE_TENANT_ID":{},"f:CLUSTER_CONNECT_AGENT_ENABLED":{},"f:CLUSTER_TYPE":{},"f:CUSTOM_IDENTITY_PROVIDER_ENABLED":{},"f:DEBUG_LOGGING":{},"f:EXTENSION_OPERATOR_ENABLED":{},"f:FLUX_CLIENT_DEFAULT_LOCATION":{},"f:FLUX_UPSTREAM_SERVICE_ENABLED":{},"f:GITOPS_ENABLED":{},"f:GUARD_PKI_HOSTPATH":{},"f:HELM_AUTO_UPDATE_CHECK_FREQUENCY_IN_MINUTES":{},"f:IS_CLIENT_SECRET_A_TOKEN":{},"f:KUBERNETES_DISTRO":{},"f:KUBERNETES_INFRA":{},"f:MANAGED_IDENTITY_AUTH":{},"f:MAX_ENTRIES_PER_STORE":{},"f:MAX_STORES":{},"f:MSI_ADAPTER_ARTIFACT_PATH":{},"f:NO_AUTH_HEADER_DATA_PLANE":{},"f:ONBOARDING_SECRET_NAME":{},"f:ONBOARDING_SECRET_NAMESPACE":{},"f:RESOURCE_SYNC_ENABLE_CHUNKED_SYNC":{},"f:RESOURCE_SYNC_LIST_CHUNK_SIZE":{},"f:RP_NAMESPACE":{},"f:TAGS":{}},"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:app.kubernetes.io/managed-by":{}}}}}]},"data":{"ARC_AGENT_HELM_CHART_NAME":"azure-arc-k8sagents","ARC_AGENT_RELEASE_TRAIN":"stable","AZURE_ARC_AGENT_VERSION":"1.8.14","AZURE_ARC_AUTOUPDATE":"true","AZURE_ARC_HELM_NAMESPACE":"default","AZURE_ARC_RELEASE_NAME":"azure-arc","AZURE_ENVIRONMENT":"AZUREPUBLICCLOUD","AZURE_REGION":"eastus2euap","AZURE_RESOURCE_GROUP":"akkeshar","AZURE_RESOURCE_MANAGER_ENDPOINT":"","AZURE_RESOURCE_NAME":"cliplscc","AZURE_SUBSCRIPTION_ID":"1bfbb5d0-917e-4346-9026-1d3b344417f5","AZURE_TENANT_ID":"72f988bf-86f1-41af-91ab-2d7cd011db47","CLUSTER_CONNECT_AGENT_ENABLED":"false","CLUSTER_TYPE":"ConnectedClusters","CUSTOM_IDENTITY_PROVIDER_ENABLED":"false","DEBUG_LOGGING":"false","EXTENSION_OPERATOR_ENABLED":"true","FLUX_CLIENT_DEFAULT_LOCATION":"mcr.microsoft.com/azurearck8s/arc-preview/fluxctl:0.2.0","FLUX_UPSTREAM_SERVICE_ENABLED":"true","GITOPS_ENABLED":"true","GUARD_PKI_HOSTPATH":"","HELM_AUTO_UPDATE_CHECK_FREQUENCY_IN_MINUTES":"60","IS_CLIENT_SECRET_A_TOKEN":"false","KUBERNETES_DISTRO":"aks","KUBERNETES_INFRA":"azure","MANAGED_IDENTITY_AUTH":"true","MAX_ENTRIES_PER_STORE":"680","MAX_STORES":"30","MSI_ADAPTER_ARTIFACT_PATH":"mcr.microsoft.com/azurearck8s/msi-adapter:1.0.2","NO_AUTH_HEADER_DATA_PLANE":"false","ONBOARDING_SECRET_NAME":"azure-arc-connect-privatekey","ONBOARDING_SECRET_NAMESPACE":"azure-arc","RESOURCE_SYNC_ENABLE_CHUNKED_SYNC":"false","RESOURCE_SYNC_LIST_CHUNK_SIZE":"200","RP_NAMESPACE":"Microsoft.Kubernetes","TAGS":"map[]"}} + + ' + headers: + audit-id: + - 15bf6fed-b6ba-4a3e-8a04-864540bdf9f9 + cache-control: + - no-cache, private + content-type: + - application/json + date: + - Tue, 15 Nov 2022 12:05:03 GMT + transfer-encoding: + - chunked + x-kubernetes-pf-flowschema-uid: + - 9c9284bf-ac50-497c-86a8-5f4f7d857b28 + x-kubernetes-pf-prioritylevel-uid: + - f041de6f-3328-46ec-b36d-f51c7cd89b61 + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s delete + Connection: + - keep-alive + Content-Length: + - '0' + ParameterSetName: + - -g -n --kube-config -y + User-Agent: + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: DELETE + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cliplscc?api-version=2021-10-01 + response: + body: + string: 'null' + headers: + azure-asyncoperation: + - https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS2EUAP/operationStatuses/23912c14-a247-45c9-81f0-cba9dfb63909*8738D9B038F603442BFE6B89D055B1E438DA9BC8B386B2FE9015CECB2D2CC8DB?api-version=2021-10-01 + cache-control: + - no-cache + content-length: + - '4' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 12:05:10 GMT + etag: + - '"2700e25c-0000-3400-0000-637380760000"' + expires: + - '-1' + location: + - https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS2EUAP/operationStatuses/23912c14-a247-45c9-81f0-cba9dfb63909*8738D9B038F603442BFE6B89D055B1E438DA9BC8B386B2FE9015CECB2D2CC8DB?api-version=2021-10-01 + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + x-ms-providerhub-traffic: + - 'True' + x-ms-ratelimit-remaining-subscription-deletes: + - '14999' + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s delete + Connection: + - keep-alive + ParameterSetName: + - -g -n --kube-config -y + User-Agent: + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS2EUAP/operationStatuses/23912c14-a247-45c9-81f0-cba9dfb63909*8738D9B038F603442BFE6B89D055B1E438DA9BC8B386B2FE9015CECB2D2CC8DB?api-version=2021-10-01 + response: + body: + string: '{"id":"/providers/Microsoft.Kubernetes/locations/EASTUS2EUAP/operationStatuses/23912c14-a247-45c9-81f0-cba9dfb63909*8738D9B038F603442BFE6B89D055B1E438DA9BC8B386B2FE9015CECB2D2CC8DB","name":"23912c14-a247-45c9-81f0-cba9dfb63909*8738D9B038F603442BFE6B89D055B1E438DA9BC8B386B2FE9015CECB2D2CC8DB","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cliplscc","status":"Deleting","startTime":"2022-11-15T12:05:10.2636074Z"}' + headers: + cache-control: + - no-cache + content-length: + - '505' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 12:05:11 GMT + etag: + - '"2700e15c-0000-3400-0000-637380760000"' + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s delete + Connection: + - keep-alive + ParameterSetName: + - -g -n --kube-config -y + User-Agent: + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS2EUAP/operationStatuses/23912c14-a247-45c9-81f0-cba9dfb63909*8738D9B038F603442BFE6B89D055B1E438DA9BC8B386B2FE9015CECB2D2CC8DB?api-version=2021-10-01 + response: + body: + string: '{"id":"/providers/Microsoft.Kubernetes/locations/EASTUS2EUAP/operationStatuses/23912c14-a247-45c9-81f0-cba9dfb63909*8738D9B038F603442BFE6B89D055B1E438DA9BC8B386B2FE9015CECB2D2CC8DB","name":"23912c14-a247-45c9-81f0-cba9dfb63909*8738D9B038F603442BFE6B89D055B1E438DA9BC8B386B2FE9015CECB2D2CC8DB","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cliplscc","status":"Succeeded","startTime":"2022-11-15T12:05:10.2636074Z","endTime":"2022-11-15T12:05:15.2542996Z","properties":null}' + headers: + cache-control: + - no-cache + content-length: + - '565' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 12:05:42 GMT + etag: + - '"2700e45c-0000-3400-0000-6373807b0000"' + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s delete + Connection: + - keep-alive + ParameterSetName: + - -g -n --kube-config -y + User-Agent: + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS2EUAP/operationStatuses/23912c14-a247-45c9-81f0-cba9dfb63909*8738D9B038F603442BFE6B89D055B1E438DA9BC8B386B2FE9015CECB2D2CC8DB?api-version=2021-10-01 + response: + body: + string: '{"id":"/providers/Microsoft.Kubernetes/locations/EASTUS2EUAP/operationStatuses/23912c14-a247-45c9-81f0-cba9dfb63909*8738D9B038F603442BFE6B89D055B1E438DA9BC8B386B2FE9015CECB2D2CC8DB","name":"23912c14-a247-45c9-81f0-cba9dfb63909*8738D9B038F603442BFE6B89D055B1E438DA9BC8B386B2FE9015CECB2D2CC8DB","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/akkeshar/providers/Microsoft.Kubernetes/connectedClusters/cliplscc","status":"Succeeded","startTime":"2022-11-15T12:05:10.2636074Z","endTime":"2022-11-15T12:05:15.2542996Z","properties":null}' + headers: + cache-control: + - no-cache + content-length: + - '565' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 12:05:42 GMT + etag: + - '"2700e45c-0000-3400-0000-6373807b0000"' + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Content-Type: + - application/json + User-Agent: + - OpenAPI-Generator/24.2.0/python + method: GET + uri: https://tempaks-dns-0f8c9536.hcp.southcentralus.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc + response: + body: + string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"12009790"},"items":[{"metadata":{"name":"azure-arc","uid":"cb6e916b-b164-4450-bb5d-43482a8d677c","resourceVersion":"12009785","creationTimestamp":"2022-11-15T12:04:06Z","deletionTimestamp":"2022-11-15T12:05:57Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T12:04:06Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating"}}]} + + ' + headers: + audit-id: + - cb18a44c-405c-4a56-bfc7-8fab22859ef5 + cache-control: + - no-cache, private + content-length: + - '1022' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 12:05:59 GMT + x-kubernetes-pf-flowschema-uid: + - 9c9284bf-ac50-497c-86a8-5f4f7d857b28 + x-kubernetes-pf-prioritylevel-uid: + - f041de6f-3328-46ec-b36d-f51c7cd89b61 + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Content-Type: + - application/json + User-Agent: + - OpenAPI-Generator/24.2.0/python + method: GET + uri: https://tempaks-dns-0f8c9536.hcp.southcentralus.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc + response: + body: + string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"12009947"},"items":[{"metadata":{"name":"azure-arc","uid":"cb6e916b-b164-4450-bb5d-43482a8d677c","resourceVersion":"12009785","creationTimestamp":"2022-11-15T12:04:06Z","deletionTimestamp":"2022-11-15T12:05:57Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T12:04:06Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating"}}]} + + ' + headers: + audit-id: + - f8cbde3d-52b0-4bd2-b949-b5d47816f863 + cache-control: + - no-cache, private + content-length: + - '1022' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 12:06:04 GMT + x-kubernetes-pf-flowschema-uid: + - 9c9284bf-ac50-497c-86a8-5f4f7d857b28 + x-kubernetes-pf-prioritylevel-uid: + - f041de6f-3328-46ec-b36d-f51c7cd89b61 + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Content-Type: + - application/json + User-Agent: + - OpenAPI-Generator/24.2.0/python + method: GET + uri: https://tempaks-dns-0f8c9536.hcp.southcentralus.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc + response: + body: + string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"12009975"},"items":[{"metadata":{"name":"azure-arc","uid":"cb6e916b-b164-4450-bb5d-43482a8d677c","resourceVersion":"12009948","creationTimestamp":"2022-11-15T12:04:06Z","deletionTimestamp":"2022-11-15T12:05:57Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T12:04:06Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T12:06:04Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"ResourcesDiscovered","message":"All + resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"ParsedGroupVersions","message":"All + legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"ContentDeleted","message":"All + content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"SomeResourcesRemain","message":"Some + resources are remaining: pods. has 8 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"ContentHasNoFinalizers","message":"All + content-preserving finalizers finished"}]}}]} + + ' + headers: + audit-id: + - 4cf929b0-6457-4ec4-960e-e1f7b1290523 + cache-control: + - no-cache, private + content-type: + - application/json + date: + - Tue, 15 Nov 2022 12:06:10 GMT + transfer-encoding: + - chunked + x-kubernetes-pf-flowschema-uid: + - 9c9284bf-ac50-497c-86a8-5f4f7d857b28 + x-kubernetes-pf-prioritylevel-uid: + - f041de6f-3328-46ec-b36d-f51c7cd89b61 + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Content-Type: + - application/json + User-Agent: + - OpenAPI-Generator/24.2.0/python + method: GET + uri: https://tempaks-dns-0f8c9536.hcp.southcentralus.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc + response: + body: + string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"12009998"},"items":[{"metadata":{"name":"azure-arc","uid":"cb6e916b-b164-4450-bb5d-43482a8d677c","resourceVersion":"12009977","creationTimestamp":"2022-11-15T12:04:06Z","deletionTimestamp":"2022-11-15T12:05:57Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T12:04:06Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T12:06:04Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"ResourcesDiscovered","message":"All + resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"ParsedGroupVersions","message":"All + legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"ContentDeleted","message":"All + content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"SomeResourcesRemain","message":"Some + resources are remaining: pods. has 5 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"ContentHasNoFinalizers","message":"All + content-preserving finalizers finished"}]}}]} + + ' + headers: + audit-id: + - ac647207-dd49-432b-b0be-79598c6f5bdf + cache-control: + - no-cache, private + content-type: + - application/json + date: + - Tue, 15 Nov 2022 12:06:15 GMT + transfer-encoding: + - chunked + x-kubernetes-pf-flowschema-uid: + - 9c9284bf-ac50-497c-86a8-5f4f7d857b28 + x-kubernetes-pf-prioritylevel-uid: + - f041de6f-3328-46ec-b36d-f51c7cd89b61 + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Content-Type: + - application/json + User-Agent: + - OpenAPI-Generator/24.2.0/python + method: GET + uri: https://tempaks-dns-0f8c9536.hcp.southcentralus.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc + response: + body: + string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"12010022"},"items":[{"metadata":{"name":"azure-arc","uid":"cb6e916b-b164-4450-bb5d-43482a8d677c","resourceVersion":"12009977","creationTimestamp":"2022-11-15T12:04:06Z","deletionTimestamp":"2022-11-15T12:05:57Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T12:04:06Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T12:06:04Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"ResourcesDiscovered","message":"All + resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"ParsedGroupVersions","message":"All + legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"ContentDeleted","message":"All + content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"SomeResourcesRemain","message":"Some + resources are remaining: pods. has 5 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"ContentHasNoFinalizers","message":"All + content-preserving finalizers finished"}]}}]} + + ' + headers: + audit-id: + - c0b775ad-c7f9-4157-83d2-20291215832c + cache-control: + - no-cache, private + content-type: + - application/json + date: + - Tue, 15 Nov 2022 12:06:20 GMT + transfer-encoding: + - chunked + x-kubernetes-pf-flowschema-uid: + - 9c9284bf-ac50-497c-86a8-5f4f7d857b28 + x-kubernetes-pf-prioritylevel-uid: + - f041de6f-3328-46ec-b36d-f51c7cd89b61 + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Content-Type: + - application/json + User-Agent: + - OpenAPI-Generator/24.2.0/python + method: GET + uri: https://tempaks-dns-0f8c9536.hcp.southcentralus.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc + response: + body: + string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"12010039"},"items":[{"metadata":{"name":"azure-arc","uid":"cb6e916b-b164-4450-bb5d-43482a8d677c","resourceVersion":"12009977","creationTimestamp":"2022-11-15T12:04:06Z","deletionTimestamp":"2022-11-15T12:05:57Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T12:04:06Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T12:06:04Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"ResourcesDiscovered","message":"All + resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"ParsedGroupVersions","message":"All + legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"ContentDeleted","message":"All + content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"SomeResourcesRemain","message":"Some + resources are remaining: pods. has 5 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"ContentHasNoFinalizers","message":"All + content-preserving finalizers finished"}]}}]} + + ' + headers: + audit-id: + - 8c77694a-62a3-4fb0-8741-253f40ef09b8 + cache-control: + - no-cache, private + content-type: + - application/json + date: + - Tue, 15 Nov 2022 12:06:26 GMT + transfer-encoding: + - chunked + x-kubernetes-pf-flowschema-uid: + - 9c9284bf-ac50-497c-86a8-5f4f7d857b28 + x-kubernetes-pf-prioritylevel-uid: + - f041de6f-3328-46ec-b36d-f51c7cd89b61 + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Content-Type: + - application/json + User-Agent: + - OpenAPI-Generator/24.2.0/python + method: GET + uri: https://tempaks-dns-0f8c9536.hcp.southcentralus.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc + response: + body: + string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"12010074"},"items":[{"metadata":{"name":"azure-arc","uid":"cb6e916b-b164-4450-bb5d-43482a8d677c","resourceVersion":"12009977","creationTimestamp":"2022-11-15T12:04:06Z","deletionTimestamp":"2022-11-15T12:05:57Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T12:04:06Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T12:06:04Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"ResourcesDiscovered","message":"All + resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"ParsedGroupVersions","message":"All + legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"ContentDeleted","message":"All + content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"SomeResourcesRemain","message":"Some + resources are remaining: pods. has 5 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-15T12:06:04Z","reason":"ContentHasNoFinalizers","message":"All + content-preserving finalizers finished"}]}}]} + + ' + headers: + audit-id: + - 658de807-b883-4039-b0f3-99e2b76ecf5f + cache-control: + - no-cache, private + content-type: + - application/json + date: + - Tue, 15 Nov 2022 12:06:31 GMT + transfer-encoding: + - chunked + x-kubernetes-pf-flowschema-uid: + - 9c9284bf-ac50-497c-86a8-5f4f7d857b28 + x-kubernetes-pf-prioritylevel-uid: + - f041de6f-3328-46ec-b36d-f51c7cd89b61 + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Content-Type: + - application/json + User-Agent: + - OpenAPI-Generator/24.2.0/python + method: GET + uri: https://tempaks-dns-0f8c9536.hcp.southcentralus.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc + response: + body: + string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"12010098"},"items":[]} + + ' + headers: + audit-id: + - 1e57164c-bce6-4261-ae98-77d34bcc4945 + cache-control: + - no-cache, private + content-length: + - '96' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 12:06:37 GMT + x-kubernetes-pf-flowschema-uid: + - 9c9284bf-ac50-497c-86a8-5f4f7d857b28 + x-kubernetes-pf-prioritylevel-uid: + - f041de6f-3328-46ec-b36d-f51c7cd89b61 + status: + code: 200 + message: OK +version: 1 diff --git a/src/connectedk8s/azext_connectedk8s/tests/latest/recordings/test_forcedelete.yaml b/src/connectedk8s/azext_connectedk8s/tests/latest/recordings/test_forcedelete.yaml index 93db3885d09..f49feef93bc 100644 --- a/src/connectedk8s/azext_connectedk8s/tests/latest/recordings/test_forcedelete.yaml +++ b/src/connectedk8s/azext_connectedk8s/tests/latest/recordings/test_forcedelete.yaml @@ -11,23 +11,23 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n --generate-ssh-keys + - -g -n -s -l -c --generate-ssh-keys User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Windows-10-10.0.19045-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/conk8stest000001?api-version=2021-04-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rohanazuregroup?api-version=2021-04-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/conk8stest000001","name":"conk8stest000001","type":"Microsoft.Resources/resourceGroups","location":"eastus2euap","tags":{"product":"azurecli","cause":"automation","date":"2022-11-24T19:04:23Z","Created":"20221124"},"properties":{"provisioningState":"Succeeded"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rohanazuregroup","name":"rohanazuregroup","type":"Microsoft.Resources/resourceGroups","location":"eastus","tags":{"Created":"20220718"},"properties":{"provisioningState":"Succeeded"}}' headers: cache-control: - no-cache content-length: - - '336' + - '257' content-type: - application/json; charset=utf-8 date: - - Thu, 24 Nov 2022 19:04:32 GMT + - Tue, 15 Nov 2022 11:32:11 GMT expires: - '-1' pragma: @@ -42,20 +42,19 @@ interactions: code: 200 message: OK - request: - body: '{"location": "eastus2euap", "identity": {"type": "SystemAssigned"}, "properties": - {"kubernetesVersion": "", "dnsPrefix": "test-force-conk8stest000001-1bfbb5", - "agentPoolProfiles": [{"count": 3, "vmSize": "Standard_DS2_v2", "osDiskSizeGB": - 0, "osType": "Linux", "enableAutoScaling": false, "type": "VirtualMachineScaleSets", - "mode": "System", "orchestratorVersion": "", "upgradeSettings": {}, "enableNodePublicIP": - false, "scaleSetPriority": "Regular", "scaleSetEvictionPolicy": "Delete", "spotMaxPrice": - -1.0, "nodeTaints": [], "enableEncryptionAtHost": false, "enableUltraSSD": false, - "enableFIPS": false, "name": "nodepool1"}], "linuxProfile": {"adminUsername": - "azureuser", "ssh": {"publicKeys": [{"keyData": "ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCvp8/0L+JGBNPdl8292HKmvItwPYykyQQx9YDYu2b8YSoveRvXiHoxu4jGq+UykW0mhXVjoKh54DD7qkh+ryMrAarhtLSjTuF6CVk9X8zrcxjQm0mr1xDtjNpd7R/NIU+KxDhn7ITKfal+SpXEC4634eOzPc4YqsKULVUCrdXk9rA/0CpE4KWO2YWwYV1MmWD2uLEpiUzLwgefuHcEH8S6hOUC5veiPc7AuD4lX0efogvvObE+5tqhvNCYvO2NG7x51rBlMgmcLYehNTeCFQLpUdFm014yfk9l8JQv2hQ/cFbCRzA/zYEPSAOOb1VSMYxTVk51wt1mrcb+wMzpsBQv"}]}}, - "addonProfiles": {}, "enableRBAC": true, "networkProfile": {"networkPlugin": - "kubenet", "podCidr": "10.244.0.0/16", "serviceCidr": "10.0.0.0/16", "dnsServiceIP": - "10.0.0.10", "dockerBridgeCidr": "172.17.0.1/16", "outboundType": "loadBalancer", - "loadBalancerSku": "standard"}, "disableLocalAccounts": false, "storageProfile": - {}}}' + body: '{"location": "westeurope", "identity": {"type": "SystemAssigned"}, "properties": + {"kubernetesVersion": "", "dnsPrefix": "test-force-rohanazuregroup-1bfbb5", + "agentPoolProfiles": [{"count": 1, "vmSize": "Standard_B4ms", "osType": "Linux", + "type": "VirtualMachineScaleSets", "mode": "System", "enableNodePublicIP": false, + "scaleSetPriority": "Regular", "scaleSetEvictionPolicy": "Delete", "spotMaxPrice": + -1.0, "enableEncryptionAtHost": false, "enableUltraSSD": false, "enableFIPS": + false, "name": "nodepool1"}], "linuxProfile": {"adminUsername": "azureuser", + "ssh": {"publicKeys": [{"keyData": "ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABgQDknmXRBGa/GuPCkpyydwCNedhfwINfrO674LWcBih2UjjJc5yULl9cD9LsYMWOzHVqM7H7RFxaONyq46h9vgxB/1XAeJUGc2jS8GS+vsS83bXX6vVrwa8wVeD380SJcF87oH3xf7/v2hlKv3drXi7xPE2JBjTHIOJJ6OxX+bAFXBqd1dPvnX1X7kEyX6vvjvuQrp7rFDbLq/eRpmng7kykodASQkUFZlt5+gH/U/z/a/DRoTocgzNqGl9RmesNtslQJs17Vn/JIJMM55qcRCEKoJ3Fq/Osnx3tHNA3G/vTs/+sVgh0tZmM6oIMRfTKzJskSZkMZOd8KtK/7ROCZO72izRmzwTFwFvRe/I7iHQ4PrjeKAqKDvgHJ/0LlaHmIYysZI21OTo6HcoX4HmA4RsIybNAM5SWeMMGiGe94/LYPk9sgB3o8aMv/nI/hr6vA28c2nso7itOuNcH1GZalAnbCObNv7QqVZ23FPlCjV9GXWCDCnQeCoIispJCrf68N5s= + fareast\\akkeshar@AkashLaptop\n"}]}}, "addonProfiles": {}, "enableRBAC": true, + "enablePodSecurityPolicy": false, "networkProfile": {"networkPlugin": "kubenet", + "podCidr": "10.244.0.0/16", "serviceCidr": "10.0.0.0/16", "dnsServiceIP": "10.0.0.10", + "dockerBridgeCidr": "172.17.0.1/16", "outboundType": "loadBalancer", "loadBalancerSku": + "standard"}, "disableLocalAccounts": false}}' headers: Accept: - application/json @@ -66,67 +65,60 @@ interactions: Connection: - keep-alive Content-Length: - - '1429' + - '1526' Content-Type: - application/json ParameterSetName: - - -g -n --generate-ssh-keys + - -g -n -s -l -c --generate-ssh-keys User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 - (Windows-10-10.0.19045-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/conk8stest000001/providers/Microsoft.ContainerService/managedClusters/test-force-delete000002?api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rohanazuregroup/providers/Microsoft.ContainerService/managedClusters/test-force-delete000001?api-version=2021-08-01 response: body: - string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/conk8stest000001/providers/Microsoft.ContainerService/managedClusters/test-force-delete000002\",\n - \ \"location\": \"eastus2euap\",\n \"name\": \"test-force-delete000002\",\n + string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rohanazuregroup/providers/Microsoft.ContainerService/managedClusters/test-force-delete000001\",\n + \ \"location\": \"westeurope\",\n \"name\": \"test-force-delete000001\",\n \ \"type\": \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": \"Creating\",\n \"powerState\": {\n \"code\": - \"Running\"\n },\n \"kubernetesVersion\": \"1.23.12\",\n \"currentKubernetesVersion\": - \"1.23.12\",\n \"dnsPrefix\": \"test-force-conk8stest000001-1bfbb5\",\n - \ \"fqdn\": \"test-force-conk8stest000001-1bfbb5-1b3b01b5.hcp.eastus2euap.azmk8s.io\",\n - \ \"azurePortalFQDN\": \"test-force-conk8stest000001-1bfbb5-1b3b01b5.portal.hcp.eastus2euap.azmk8s.io\",\n + \"Running\"\n },\n \"kubernetesVersion\": \"1.23.12\",\n \"dnsPrefix\": + \"test-force-rohanazuregroup-1bfbb5\",\n \"fqdn\": \"test-force-rohanazuregroup-1bfbb5-6f1967ab.hcp.westeurope.azmk8s.io\",\n + \ \"azurePortalFQDN\": \"test-force-rohanazuregroup-1bfbb5-6f1967ab.portal.hcp.westeurope.azmk8s.io\",\n \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \"count\": - 3,\n \"vmSize\": \"Standard_DS2_v2\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": + 1,\n \"vmSize\": \"Standard_B4ms\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": \"Managed\",\n \"kubeletDiskType\": \"OS\",\n \"maxPods\": 110,\n - \ \"type\": \"VirtualMachineScaleSets\",\n \"enableAutoScaling\": false,\n - \ \"provisioningState\": \"Creating\",\n \"powerState\": {\n \"code\": - \"Running\"\n },\n \"orchestratorVersion\": \"1.23.12\",\n \"currentOrchestratorVersion\": + \ \"type\": \"VirtualMachineScaleSets\",\n \"provisioningState\": \"Creating\",\n + \ \"powerState\": {\n \"code\": \"Running\"\n },\n \"orchestratorVersion\": \"1.23.12\",\n \"enableNodePublicIP\": false,\n \"mode\": \"System\",\n \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": - \"AKSUbuntu-1804gen2containerd-2022.11.02\",\n \"upgradeSettings\": {},\n - \ \"enableFIPS\": false\n }\n ],\n \"linuxProfile\": {\n \"adminUsername\": - \"azureuser\",\n \"ssh\": {\n \"publicKeys\": [\n {\n \"keyData\": - \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCvp8/0L+JGBNPdl8292HKmvItwPYykyQQx9YDYu2b8YSoveRvXiHoxu4jGq+UykW0mhXVjoKh54DD7qkh+ryMrAarhtLSjTuF6CVk9X8zrcxjQm0mr1xDtjNpd7R/NIU+KxDhn7ITKfal+SpXEC4634eOzPc4YqsKULVUCrdXk9rA/0CpE4KWO2YWwYV1MmWD2uLEpiUzLwgefuHcEH8S6hOUC5veiPc7AuD4lX0efogvvObE+5tqhvNCYvO2NG7x51rBlMgmcLYehNTeCFQLpUdFm014yfk9l8JQv2hQ/cFbCRzA/zYEPSAOOb1VSMYxTVk51wt1mrcb+wMzpsBQv\"\n - \ }\n ]\n }\n },\n \"servicePrincipalProfile\": {\n \"clientId\": - \"msi\"\n },\n \"nodeResourceGroup\": \"MC_conk8stest000001_test-force-delete000002_eastus2euap\",\n - \ \"enableRBAC\": true,\n \"networkProfile\": {\n \"networkPlugin\": - \"kubenet\",\n \"loadBalancerSku\": \"standard\",\n \"loadBalancerProfile\": - {\n \"managedOutboundIPs\": {\n \"count\": 1\n }\n },\n \"podCidr\": - \"10.244.0.0/16\",\n \"serviceCidr\": \"10.0.0.0/16\",\n \"dnsServiceIP\": - \"10.0.0.10\",\n \"dockerBridgeCidr\": \"172.17.0.1/16\",\n \"outboundType\": - \"loadBalancer\",\n \"podCidrs\": [\n \"10.244.0.0/16\"\n ],\n \"serviceCidrs\": - [\n \"10.0.0.0/16\"\n ],\n \"ipFamilies\": [\n \"IPv4\"\n ]\n - \ },\n \"maxAgentPools\": 100,\n \"disableLocalAccounts\": false,\n \"securityProfile\": - {},\n \"storageProfile\": {\n \"diskCSIDriver\": {\n \"enabled\": - true\n },\n \"fileCSIDriver\": {\n \"enabled\": true\n },\n \"snapshotController\": - {\n \"enabled\": true\n }\n },\n \"oidcIssuerProfile\": {\n \"enabled\": - false\n }\n },\n \"identity\": {\n \"type\": \"SystemAssigned\",\n \"principalId\": - \"8a7e3ff1-bf77-4b4c-9f23-725dd403c5a6\",\n \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\"\n - \ },\n \"sku\": {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n - }" + \"AKSUbuntu-1804gen2containerd-2022.10.24\",\n \"enableFIPS\": false\n + \ }\n ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n + \ \"ssh\": {\n \"publicKeys\": [\n {\n \"keyData\": \"ssh-rsa + AAAAB3NzaC1yc2EAAAADAQABAAABgQDknmXRBGa/GuPCkpyydwCNedhfwINfrO674LWcBih2UjjJc5yULl9cD9LsYMWOzHVqM7H7RFxaONyq46h9vgxB/1XAeJUGc2jS8GS+vsS83bXX6vVrwa8wVeD380SJcF87oH3xf7/v2hlKv3drXi7xPE2JBjTHIOJJ6OxX+bAFXBqd1dPvnX1X7kEyX6vvjvuQrp7rFDbLq/eRpmng7kykodASQkUFZlt5+gH/U/z/a/DRoTocgzNqGl9RmesNtslQJs17Vn/JIJMM55qcRCEKoJ3Fq/Osnx3tHNA3G/vTs/+sVgh0tZmM6oIMRfTKzJskSZkMZOd8KtK/7ROCZO72izRmzwTFwFvRe/I7iHQ4PrjeKAqKDvgHJ/0LlaHmIYysZI21OTo6HcoX4HmA4RsIybNAM5SWeMMGiGe94/LYPk9sgB3o8aMv/nI/hr6vA28c2nso7itOuNcH1GZalAnbCObNv7QqVZ23FPlCjV9GXWCDCnQeCoIispJCrf68N5s= + fareast\\\\akkeshar@AkashLaptop\\n\"\n }\n ]\n }\n },\n \"servicePrincipalProfile\": + {\n \"clientId\": \"msi\"\n },\n \"nodeResourceGroup\": \"MC_rohanazuregroup_test-force-delete000001_westeurope\",\n + \ \"enableRBAC\": true,\n \"enablePodSecurityPolicy\": false,\n \"networkProfile\": + {\n \"networkPlugin\": \"kubenet\",\n \"loadBalancerSku\": \"standard\",\n + \ \"loadBalancerProfile\": {\n \"managedOutboundIPs\": {\n \"count\": + 1\n }\n },\n \"podCidr\": \"10.244.0.0/16\",\n \"serviceCidr\": + \"10.0.0.0/16\",\n \"dnsServiceIP\": \"10.0.0.10\",\n \"dockerBridgeCidr\": + \"172.17.0.1/16\",\n \"outboundType\": \"loadBalancer\"\n },\n \"maxAgentPools\": + 100,\n \"disableLocalAccounts\": false,\n \"securityProfile\": {}\n },\n + \ \"identity\": {\n \"type\": \"SystemAssigned\",\n \"principalId\": \"8a8f658d-a098-4ef3-8623-e2872bd2af28\",\n + \ \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\"\n },\n \"sku\": + {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n }" headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus2euap/operations/5fc7a00f-17f1-400b-8633-45f6d2a930ce?api-version=2016-03-30 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/1f695e8a-2d1c-43a5-bd84-5f6e3e78aa5a?api-version=2017-08-31 cache-control: - no-cache content-length: - - '3214' + - '2923' content-type: - application/json date: - - Thu, 24 Nov 2022 19:04:47 GMT + - Tue, 15 Nov 2022 11:32:27 GMT expires: - '-1' pragma: @@ -154,16 +146,16 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n --generate-ssh-keys + - -g -n -s -l -c --generate-ssh-keys User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 - (Windows-10-10.0.19045-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus2euap/operations/5fc7a00f-17f1-400b-8633-45f6d2a930ce?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/1f695e8a-2d1c-43a5-bd84-5f6e3e78aa5a?api-version=2017-08-31 response: body: - string: "{\n \"name\": \"0fa0c75f-f117-0b40-8633-45f6d2a930ce\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-24T19:04:45.0013916Z\"\n }" + string: "{\n \"name\": \"8a5e691f-1c2d-a543-bd84-5f6e3e78aa5a\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:32:26.7929876Z\"\n }" headers: cache-control: - no-cache @@ -172,7 +164,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 19:05:17 GMT + - Tue, 15 Nov 2022 11:32:27 GMT expires: - '-1' pragma: @@ -202,16 +194,16 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n --generate-ssh-keys + - -g -n -s -l -c --generate-ssh-keys User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 - (Windows-10-10.0.19045-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus2euap/operations/5fc7a00f-17f1-400b-8633-45f6d2a930ce?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/1f695e8a-2d1c-43a5-bd84-5f6e3e78aa5a?api-version=2017-08-31 response: body: - string: "{\n \"name\": \"0fa0c75f-f117-0b40-8633-45f6d2a930ce\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-24T19:04:45.0013916Z\"\n }" + string: "{\n \"name\": \"8a5e691f-1c2d-a543-bd84-5f6e3e78aa5a\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:32:26.7929876Z\"\n }" headers: cache-control: - no-cache @@ -220,7 +212,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 19:05:48 GMT + - Tue, 15 Nov 2022 11:32:58 GMT expires: - '-1' pragma: @@ -250,16 +242,16 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n --generate-ssh-keys + - -g -n -s -l -c --generate-ssh-keys User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 - (Windows-10-10.0.19045-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus2euap/operations/5fc7a00f-17f1-400b-8633-45f6d2a930ce?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/1f695e8a-2d1c-43a5-bd84-5f6e3e78aa5a?api-version=2017-08-31 response: body: - string: "{\n \"name\": \"0fa0c75f-f117-0b40-8633-45f6d2a930ce\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-24T19:04:45.0013916Z\"\n }" + string: "{\n \"name\": \"8a5e691f-1c2d-a543-bd84-5f6e3e78aa5a\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:32:26.7929876Z\"\n }" headers: cache-control: - no-cache @@ -268,7 +260,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 19:06:19 GMT + - Tue, 15 Nov 2022 11:33:28 GMT expires: - '-1' pragma: @@ -298,16 +290,16 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n --generate-ssh-keys + - -g -n -s -l -c --generate-ssh-keys User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 - (Windows-10-10.0.19045-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus2euap/operations/5fc7a00f-17f1-400b-8633-45f6d2a930ce?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/1f695e8a-2d1c-43a5-bd84-5f6e3e78aa5a?api-version=2017-08-31 response: body: - string: "{\n \"name\": \"0fa0c75f-f117-0b40-8633-45f6d2a930ce\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-24T19:04:45.0013916Z\"\n }" + string: "{\n \"name\": \"8a5e691f-1c2d-a543-bd84-5f6e3e78aa5a\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:32:26.7929876Z\"\n }" headers: cache-control: - no-cache @@ -316,7 +308,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 19:06:49 GMT + - Tue, 15 Nov 2022 11:33:58 GMT expires: - '-1' pragma: @@ -346,16 +338,16 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n --generate-ssh-keys + - -g -n -s -l -c --generate-ssh-keys User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 - (Windows-10-10.0.19045-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus2euap/operations/5fc7a00f-17f1-400b-8633-45f6d2a930ce?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/1f695e8a-2d1c-43a5-bd84-5f6e3e78aa5a?api-version=2017-08-31 response: body: - string: "{\n \"name\": \"0fa0c75f-f117-0b40-8633-45f6d2a930ce\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-24T19:04:45.0013916Z\"\n }" + string: "{\n \"name\": \"8a5e691f-1c2d-a543-bd84-5f6e3e78aa5a\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:32:26.7929876Z\"\n }" headers: cache-control: - no-cache @@ -364,7 +356,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 19:07:19 GMT + - Tue, 15 Nov 2022 11:34:28 GMT expires: - '-1' pragma: @@ -394,16 +386,16 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n --generate-ssh-keys + - -g -n -s -l -c --generate-ssh-keys User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 - (Windows-10-10.0.19045-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus2euap/operations/5fc7a00f-17f1-400b-8633-45f6d2a930ce?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/1f695e8a-2d1c-43a5-bd84-5f6e3e78aa5a?api-version=2017-08-31 response: body: - string: "{\n \"name\": \"0fa0c75f-f117-0b40-8633-45f6d2a930ce\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-24T19:04:45.0013916Z\"\n }" + string: "{\n \"name\": \"8a5e691f-1c2d-a543-bd84-5f6e3e78aa5a\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:32:26.7929876Z\"\n }" headers: cache-control: - no-cache @@ -412,7 +404,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 19:07:50 GMT + - Tue, 15 Nov 2022 11:34:59 GMT expires: - '-1' pragma: @@ -442,16 +434,16 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n --generate-ssh-keys + - -g -n -s -l -c --generate-ssh-keys User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 - (Windows-10-10.0.19045-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus2euap/operations/5fc7a00f-17f1-400b-8633-45f6d2a930ce?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/1f695e8a-2d1c-43a5-bd84-5f6e3e78aa5a?api-version=2017-08-31 response: body: - string: "{\n \"name\": \"0fa0c75f-f117-0b40-8633-45f6d2a930ce\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-24T19:04:45.0013916Z\"\n }" + string: "{\n \"name\": \"8a5e691f-1c2d-a543-bd84-5f6e3e78aa5a\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:32:26.7929876Z\"\n }" headers: cache-control: - no-cache @@ -460,7 +452,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 19:08:21 GMT + - Tue, 15 Nov 2022 11:35:30 GMT expires: - '-1' pragma: @@ -490,16 +482,16 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n --generate-ssh-keys + - -g -n -s -l -c --generate-ssh-keys User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 - (Windows-10-10.0.19045-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus2euap/operations/5fc7a00f-17f1-400b-8633-45f6d2a930ce?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/1f695e8a-2d1c-43a5-bd84-5f6e3e78aa5a?api-version=2017-08-31 response: body: - string: "{\n \"name\": \"0fa0c75f-f117-0b40-8633-45f6d2a930ce\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-24T19:04:45.0013916Z\"\n }" + string: "{\n \"name\": \"8a5e691f-1c2d-a543-bd84-5f6e3e78aa5a\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:32:26.7929876Z\"\n }" headers: cache-control: - no-cache @@ -508,7 +500,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 19:08:51 GMT + - Tue, 15 Nov 2022 11:36:00 GMT expires: - '-1' pragma: @@ -538,16 +530,16 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n --generate-ssh-keys + - -g -n -s -l -c --generate-ssh-keys User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 - (Windows-10-10.0.19045-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus2euap/operations/5fc7a00f-17f1-400b-8633-45f6d2a930ce?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/1f695e8a-2d1c-43a5-bd84-5f6e3e78aa5a?api-version=2017-08-31 response: body: - string: "{\n \"name\": \"0fa0c75f-f117-0b40-8633-45f6d2a930ce\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-24T19:04:45.0013916Z\"\n }" + string: "{\n \"name\": \"8a5e691f-1c2d-a543-bd84-5f6e3e78aa5a\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:32:26.7929876Z\"\n }" headers: cache-control: - no-cache @@ -556,7 +548,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 19:09:22 GMT + - Tue, 15 Nov 2022 11:36:30 GMT expires: - '-1' pragma: @@ -586,16 +578,16 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n --generate-ssh-keys + - -g -n -s -l -c --generate-ssh-keys User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 - (Windows-10-10.0.19045-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus2euap/operations/5fc7a00f-17f1-400b-8633-45f6d2a930ce?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/1f695e8a-2d1c-43a5-bd84-5f6e3e78aa5a?api-version=2017-08-31 response: body: - string: "{\n \"name\": \"0fa0c75f-f117-0b40-8633-45f6d2a930ce\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-24T19:04:45.0013916Z\"\n }" + string: "{\n \"name\": \"8a5e691f-1c2d-a543-bd84-5f6e3e78aa5a\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:32:26.7929876Z\"\n }" headers: cache-control: - no-cache @@ -604,7 +596,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 19:09:52 GMT + - Tue, 15 Nov 2022 11:37:00 GMT expires: - '-1' pragma: @@ -634,17 +626,17 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n --generate-ssh-keys + - -g -n -s -l -c --generate-ssh-keys User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 - (Windows-10-10.0.19045-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus2euap/operations/5fc7a00f-17f1-400b-8633-45f6d2a930ce?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/1f695e8a-2d1c-43a5-bd84-5f6e3e78aa5a?api-version=2017-08-31 response: body: - string: "{\n \"name\": \"0fa0c75f-f117-0b40-8633-45f6d2a930ce\",\n \"status\": - \"Succeeded\",\n \"startTime\": \"2022-11-24T19:04:45.0013916Z\",\n \"endTime\": - \"2022-11-24T19:09:57.6579685Z\"\n }" + string: "{\n \"name\": \"8a5e691f-1c2d-a543-bd84-5f6e3e78aa5a\",\n \"status\": + \"Succeeded\",\n \"startTime\": \"2022-11-15T11:32:26.7929876Z\",\n \"endTime\": + \"2022-11-15T11:37:24.5276284Z\"\n }" headers: cache-control: - no-cache @@ -653,7 +645,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 19:10:23 GMT + - Tue, 15 Nov 2022 11:37:30 GMT expires: - '-1' pragma: @@ -683,66 +675,59 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n --generate-ssh-keys + - -g -n -s -l -c --generate-ssh-keys User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 - (Windows-10-10.0.19045-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/conk8stest000001/providers/Microsoft.ContainerService/managedClusters/test-force-delete000002?api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rohanazuregroup/providers/Microsoft.ContainerService/managedClusters/test-force-delete000001?api-version=2021-08-01 response: body: - string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/conk8stest000001/providers/Microsoft.ContainerService/managedClusters/test-force-delete000002\",\n - \ \"location\": \"eastus2euap\",\n \"name\": \"test-force-delete000002\",\n + string: "{\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rohanazuregroup/providers/Microsoft.ContainerService/managedClusters/test-force-delete000001\",\n + \ \"location\": \"westeurope\",\n \"name\": \"test-force-delete000001\",\n \ \"type\": \"Microsoft.ContainerService/ManagedClusters\",\n \"properties\": {\n \"provisioningState\": \"Succeeded\",\n \"powerState\": {\n \"code\": - \"Running\"\n },\n \"kubernetesVersion\": \"1.23.12\",\n \"currentKubernetesVersion\": - \"1.23.12\",\n \"dnsPrefix\": \"test-force-conk8stest000001-1bfbb5\",\n - \ \"fqdn\": \"test-force-conk8stest000001-1bfbb5-1b3b01b5.hcp.eastus2euap.azmk8s.io\",\n - \ \"azurePortalFQDN\": \"test-force-conk8stest000001-1bfbb5-1b3b01b5.portal.hcp.eastus2euap.azmk8s.io\",\n + \"Running\"\n },\n \"kubernetesVersion\": \"1.23.12\",\n \"dnsPrefix\": + \"test-force-rohanazuregroup-1bfbb5\",\n \"fqdn\": \"test-force-rohanazuregroup-1bfbb5-6f1967ab.hcp.westeurope.azmk8s.io\",\n + \ \"azurePortalFQDN\": \"test-force-rohanazuregroup-1bfbb5-6f1967ab.portal.hcp.westeurope.azmk8s.io\",\n \ \"agentPoolProfiles\": [\n {\n \"name\": \"nodepool1\",\n \"count\": - 3,\n \"vmSize\": \"Standard_DS2_v2\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": + 1,\n \"vmSize\": \"Standard_B4ms\",\n \"osDiskSizeGB\": 128,\n \"osDiskType\": \"Managed\",\n \"kubeletDiskType\": \"OS\",\n \"maxPods\": 110,\n - \ \"type\": \"VirtualMachineScaleSets\",\n \"enableAutoScaling\": false,\n - \ \"provisioningState\": \"Succeeded\",\n \"powerState\": {\n \"code\": - \"Running\"\n },\n \"orchestratorVersion\": \"1.23.12\",\n \"currentOrchestratorVersion\": + \ \"type\": \"VirtualMachineScaleSets\",\n \"provisioningState\": \"Succeeded\",\n + \ \"powerState\": {\n \"code\": \"Running\"\n },\n \"orchestratorVersion\": \"1.23.12\",\n \"enableNodePublicIP\": false,\n \"mode\": \"System\",\n \ \"enableEncryptionAtHost\": false,\n \"enableUltraSSD\": false,\n \ \"osType\": \"Linux\",\n \"osSKU\": \"Ubuntu\",\n \"nodeImageVersion\": - \"AKSUbuntu-1804gen2containerd-2022.11.02\",\n \"upgradeSettings\": {},\n - \ \"enableFIPS\": false\n }\n ],\n \"linuxProfile\": {\n \"adminUsername\": - \"azureuser\",\n \"ssh\": {\n \"publicKeys\": [\n {\n \"keyData\": - \"ssh-rsa AAAAB3NzaC1yc2EAAAADAQABAAABAQCvp8/0L+JGBNPdl8292HKmvItwPYykyQQx9YDYu2b8YSoveRvXiHoxu4jGq+UykW0mhXVjoKh54DD7qkh+ryMrAarhtLSjTuF6CVk9X8zrcxjQm0mr1xDtjNpd7R/NIU+KxDhn7ITKfal+SpXEC4634eOzPc4YqsKULVUCrdXk9rA/0CpE4KWO2YWwYV1MmWD2uLEpiUzLwgefuHcEH8S6hOUC5veiPc7AuD4lX0efogvvObE+5tqhvNCYvO2NG7x51rBlMgmcLYehNTeCFQLpUdFm014yfk9l8JQv2hQ/cFbCRzA/zYEPSAOOb1VSMYxTVk51wt1mrcb+wMzpsBQv\"\n - \ }\n ]\n }\n },\n \"servicePrincipalProfile\": {\n \"clientId\": - \"msi\"\n },\n \"nodeResourceGroup\": \"MC_conk8stest000001_test-force-delete000002_eastus2euap\",\n - \ \"enableRBAC\": true,\n \"networkProfile\": {\n \"networkPlugin\": - \"kubenet\",\n \"loadBalancerSku\": \"Standard\",\n \"loadBalancerProfile\": - {\n \"managedOutboundIPs\": {\n \"count\": 1\n },\n \"effectiveOutboundIPs\": - [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_conk8stest000001_test-force-delete000002_eastus2euap/providers/Microsoft.Network/publicIPAddresses/0d10a037-7999-4979-8ccc-508973ccad54\"\n + \"AKSUbuntu-1804gen2containerd-2022.10.24\",\n \"enableFIPS\": false\n + \ }\n ],\n \"linuxProfile\": {\n \"adminUsername\": \"azureuser\",\n + \ \"ssh\": {\n \"publicKeys\": [\n {\n \"keyData\": \"ssh-rsa + AAAAB3NzaC1yc2EAAAADAQABAAABgQDknmXRBGa/GuPCkpyydwCNedhfwINfrO674LWcBih2UjjJc5yULl9cD9LsYMWOzHVqM7H7RFxaONyq46h9vgxB/1XAeJUGc2jS8GS+vsS83bXX6vVrwa8wVeD380SJcF87oH3xf7/v2hlKv3drXi7xPE2JBjTHIOJJ6OxX+bAFXBqd1dPvnX1X7kEyX6vvjvuQrp7rFDbLq/eRpmng7kykodASQkUFZlt5+gH/U/z/a/DRoTocgzNqGl9RmesNtslQJs17Vn/JIJMM55qcRCEKoJ3Fq/Osnx3tHNA3G/vTs/+sVgh0tZmM6oIMRfTKzJskSZkMZOd8KtK/7ROCZO72izRmzwTFwFvRe/I7iHQ4PrjeKAqKDvgHJ/0LlaHmIYysZI21OTo6HcoX4HmA4RsIybNAM5SWeMMGiGe94/LYPk9sgB3o8aMv/nI/hr6vA28c2nso7itOuNcH1GZalAnbCObNv7QqVZ23FPlCjV9GXWCDCnQeCoIispJCrf68N5s= + fareast\\\\akkeshar@AkashLaptop\\n\"\n }\n ]\n }\n },\n \"servicePrincipalProfile\": + {\n \"clientId\": \"msi\"\n },\n \"nodeResourceGroup\": \"MC_rohanazuregroup_test-force-delete000001_westeurope\",\n + \ \"enableRBAC\": true,\n \"enablePodSecurityPolicy\": false,\n \"networkProfile\": + {\n \"networkPlugin\": \"kubenet\",\n \"loadBalancerSku\": \"Standard\",\n + \ \"loadBalancerProfile\": {\n \"managedOutboundIPs\": {\n \"count\": + 1\n },\n \"effectiveOutboundIPs\": [\n {\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/MC_rohanazuregroup_test-force-delete000001_westeurope/providers/Microsoft.Network/publicIPAddresses/31c5f52c-9dc4-4631-8016-856b1688debf\"\n \ }\n ]\n },\n \"podCidr\": \"10.244.0.0/16\",\n \"serviceCidr\": \"10.0.0.0/16\",\n \"dnsServiceIP\": \"10.0.0.10\",\n \"dockerBridgeCidr\": - \"172.17.0.1/16\",\n \"outboundType\": \"loadBalancer\",\n \"podCidrs\": - [\n \"10.244.0.0/16\"\n ],\n \"serviceCidrs\": [\n \"10.0.0.0/16\"\n - \ ],\n \"ipFamilies\": [\n \"IPv4\"\n ]\n },\n \"maxAgentPools\": + \"172.17.0.1/16\",\n \"outboundType\": \"loadBalancer\"\n },\n \"maxAgentPools\": 100,\n \"identityProfile\": {\n \"kubeletidentity\": {\n \"resourceId\": - \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/MC_conk8stest000001_test-force-delete000002_eastus2euap/providers/Microsoft.ManagedIdentity/userAssignedIdentities/test-force-delete000002-agentpool\",\n - \ \"clientId\": \"e72446c8-e53a-4520-9f8a-a04613d5a8c0\",\n \"objectId\": - \"f677f495-71f8-48f1-bced-bf6b688f9442\"\n }\n },\n \"disableLocalAccounts\": - false,\n \"securityProfile\": {},\n \"storageProfile\": {\n \"diskCSIDriver\": - {\n \"enabled\": true\n },\n \"fileCSIDriver\": {\n \"enabled\": - true\n },\n \"snapshotController\": {\n \"enabled\": true\n }\n - \ },\n \"oidcIssuerProfile\": {\n \"enabled\": false\n }\n },\n \"identity\": - {\n \"type\": \"SystemAssigned\",\n \"principalId\": \"8a7e3ff1-bf77-4b4c-9f23-725dd403c5a6\",\n + \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/MC_rohanazuregroup_test-force-delete000001_westeurope/providers/Microsoft.ManagedIdentity/userAssignedIdentities/test-force-delete000001-agentpool\",\n + \ \"clientId\": \"c27d58c7-a95c-4e20-8ed1-7a1748a68d3f\",\n \"objectId\": + \"1db736de-a31a-43ed-8940-3d870d4d29fb\"\n }\n },\n \"disableLocalAccounts\": + false,\n \"securityProfile\": {}\n },\n \"identity\": {\n \"type\": + \"SystemAssigned\",\n \"principalId\": \"8a8f658d-a098-4ef3-8623-e2872bd2af28\",\n \ \"tenantId\": \"72f988bf-86f1-41af-91ab-2d7cd011db47\"\n },\n \"sku\": {\n \"name\": \"Basic\",\n \"tier\": \"Free\"\n }\n }" headers: cache-control: - no-cache content-length: - - '3904' + - '3609' content-type: - application/json date: - - Thu, 24 Nov 2022 19:10:24 GMT + - Tue, 15 Nov 2022 11:37:31 GMT expires: - '-1' pragma: @@ -776,24 +761,24 @@ interactions: ParameterSetName: - -g -n -f User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 - (Windows-10-10.0.19045-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/16.2.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/conk8stest000001/providers/Microsoft.ContainerService/managedClusters/test-force-delete000002/listClusterUserCredential?api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rohanazuregroup/providers/Microsoft.ContainerService/managedClusters/test-force-delete000001/listClusterUserCredential?api-version=2021-08-01 response: body: string: "{\n \"kubeconfigs\": [\n {\n \"name\": \"clusterUser\",\n \"value\": - \"YXBpVmVyc2lvbjogdjEKY2x1c3RlcnM6Ci0gY2x1c3RlcjoKICAgIGNlcnRpZmljYXRlLWF1dGhvcml0eS1kYXRhOiBMUzB0TFMxQ1JVZEpUaUJEUlZKVVNVWkpRMEZVUlMwdExTMHRDazFKU1VVMlZFTkRRWFJIWjBGM1NVSkJaMGxTUVVzMFRtZEhjbGh1ZEdGelRWaFhWRTlQWWtoaGFFbDNSRkZaU2t0dldrbG9kbU5PUVZGRlRFSlJRWGNLUkZSRlRFMUJhMGRCTVZWRlFYaE5RMWt5UlhkSlFtTk9UV3BKZUUxVVNUQk5WR2N4VGxSTk1sZG9aMUJOYWtFeFRXcEZlRTFxVVhoUFZFRXhUWHBhWVFwTlFUQjRRM3BCU2tKblRsWkNRVTFVUVcxT2FFMUpTVU5KYWtGT1FtZHJjV2hyYVVjNWR6QkNRVkZGUmtGQlQwTkJaemhCVFVsSlEwTm5TME5CWjBWQkNuSnhZbVUxVG5CMlZuUnZXVmhyTTJSTk5rVmtNMUIyUTJsTE1HdzBSMjB3V2xSSFRWVjFNbFJOZDBrMU1VSkZlbkkxU0ZkMk1rZzBjVk0wZVVKSFowb0tkek13VTFaR1VsaElMek4yUTFoWVZ6RTFaMlV5UlVVNWNVUTNRbTFFUVdwdE1ITjBTWFEwWTJ0SGIzTkZjM3BDYVVWalVUWkRja1I1YTNKNGVXNXFRUW94UW1GRVdUQnVaRWhRUkZGYWNtMVhkVXQxZVVVdlVpdENSVkZ2YXpOelVXWnRkR3BMYTJKbFJrTnVjamMyZDB4Uk9FSjJXVVpOZFhacWJEZFJTMVJuQ2xCRlVISk9aVlY0Ynk5VGRWRm5NVnBsWm01V1NrbENZMnQyUW5CYVlqTkpaVk42Y2pWNVozSTVTRXQxZFVOeFRHNUROeTlzTVZGaWR6ZHFNa1pMWnprS1VpdHRlQ3RyTDBObGEyOVhaRzVoTnpKQ1pERkhWVFJ4WlRaUWNYRXhVV1ZpT1hGTGJUazFaMnB0WTFwT1R6SkhhelpsU0ZSbGVEbFFXR3BhTVdSV01BbzBjamxwYlhkRWEweG5VbTVGZG5oeVRISlJkMk01UlV3MWVrVlpUbEV4ZVZGNWRIQlRVbmxKVTBsSE5XbDNXR05OYjBjeksweDFjaXR1WlZOcVRrbEdDazg0U25admVYZFZZWEpKWkhsU05rTm9XRFZaUTFrNWVDdGhRVUpPWTFWaVZqTkhURVE1Y1dwalNrcHBNMnhUUkc0d2IzZExVbkU0YjJJdk56ZEpSVFVLUms4M2FXaFFZblJaVUVaMFowMW5TMms0UW5SRGVYWTNWSEF2WTBSUkx6QXdabFIwWVM5TVJUQkdXVlEwV0doU1FrZE5MMklyYTFrcmFIVlhXUzlJZWdwdFV6TllkMnhYTjFGMGIyMWhVM05UTkVrd1drUm9jSFp4TldsT1YyTTJhak42VVhaeFRYWmpPRVptUmxkck9WbEhaMmhHUW1wSmVFeGpSM3AyTUV0aUNuaHRWVk5SUVVWaVREQm9UV3haZUdodE9GUm1SR0pTUm5ZeVRVNXJiMGhOVjJsbWEwSXhOVzFtWnk5SWFGQmtaMU4wWmtWc1ZIaFhNalpuU1ZFM1dGb0tOa1pCUTFWaU5DOXdjREpqYWxodmMyTkhkbTAyUkdoU1pGZE1kWE16U1hGVlFuazVWVGQwZVN0MGEwTkJkMFZCUVdGT1EwMUZRWGRFWjFsRVZsSXdVQXBCVVVndlFrRlJSRUZuUzJ0TlFUaEhRVEZWWkVWM1JVSXZkMUZHVFVGTlFrRm1PSGRJVVZsRVZsSXdUMEpDV1VWR1RIZG1aMEpKUzI1S01Ua3ZSVlphQ2tKbGFWaDVialJRY205aVYwMUJNRWREVTNGSFUwbGlNMFJSUlVKRGQxVkJRVFJKUTBGUlFraENOelZuYVVkWk1rdERPVWQyVG5BNFZXZzBSaTltUm1JS1YwUm5abmszVUZOSE1qSktRMFZETW5jdk1tNWpWaTlNYTFWcFNqaFJPR2hpUVZGV1YxQjZhMmxTWWpZMlFYcEZkMVV4VVhaTlNGaG9jSGRXV2xRMWVncENaMWw0ZVVkVWRtdzNTbTl0Y3pOTGFYVkVkRGg1YkRaMVIwOUpabU5STmxCVlVuSk5OWE5DVlhGd1VuZE1kMFpDZVZSV2JGbDZlV2xPYnpkMWJtTjZDakpQV1VSUVFqRnliVWhTZG05VVZGcDZNMWhFTmtkUk9Ea3pObE5PTTJsNGRESXJhMGxPU1hsUVJpdFRXRU5GVXpCWU5IQk1PR1p5V0dsM1VuY3dNWFVLZW5sMFFUbExia1J6UjJSYU1tUnpkV054V1VWcFVWWXhVa1ozUVZwNUx6ZEJjMWh6Vm1VeUwwbDRUWEI1ZW1sVWJraFRaV3REVUVOeldGRkNTbUl5VlFwVU5rOWhWR2czVkRKMmJtOVBjUzlaYlRSeFlsazVNVm9yYlU1NVdtNVdjMEpHTkdOMGNIWlVUVmxhVm10Vk9ETnBLMEZWZWtGUFYyZDBVMHAwSzBwbENqRnJMMmhCUjFaMFVEazJOVWNyWm5wNlpqZENWWFU1UnpCQmNUVTFWVE5JTWs1RU5IQlNTR1U1TUhCRE5YRlVNaTg0WjJWdFpubFdWRTkxVGtKdmJYTUtkVTFzVFc1S0x6VnVTVmxzVVhVeU5VUnFOM2c0U0hadWFXcERhSEZOVml0bGNuZERWV1ZUWlc4d1pHMVBkbmd3VnpGSlRWTnhOMlF6VmtoSGFIVmxXUXBqVmxoa1dGRlNVMjFNVFdkamVXOW9XR2RwYTNGU1ZYRkVRalJVWWpkaFdIbG5RME5WU1VWeFRGWm9ORkoxSzI5dVVsaEVOUzlhWjFGUWQyaEhhamwxQ21Jd01HNUZZVFpIWkZCc2RXcGtXVFJPSzBoS1VHZ3pNalpzV2xkNmNrVkJUelZSUTNwTVREWnJUM0ZzUW10UVprTjZPR2hFVWtSWWVsRlJVRlZDTlRrS09IbHFlVlJKUkZnMmRHRnNSbVI0Tkd0b09IQjRTakZ2VW1kWmIzbE5NVEowYzBadU1EaG9jME0yWjNsMWJrNHliVkZoV1VKMFZFRlhkRU13V1NzNUx3cFhZVkUwU1hsMGQwWlVRMjl3TlZGaWFGRTlQUW90TFMwdExVVk9SQ0JEUlZKVVNVWkpRMEZVUlMwdExTMHRDZz09CiAgICBzZXJ2ZXI6IGh0dHBzOi8vdGVzdC1mb3JjZS1jb25rOHN0ZXN0M2w0dGllLTFiZmJiNS0xYjNiMDFiNS5oY3AuZWFzdHVzMmV1YXAuYXptazhzLmlvOjQ0MwogIG5hbWU6IHRlc3QtZm9yY2UtZGVsZXRleHk1dmZragpjb250ZXh0czoKLSBjb250ZXh0OgogICAgY2x1c3RlcjogdGVzdC1mb3JjZS1kZWxldGV4eTV2ZmtqCiAgICB1c2VyOiBjbHVzdGVyVXNlcl9jb25rOHN0ZXN0M2w0dGllX3Rlc3QtZm9yY2UtZGVsZXRleHk1dmZragogIG5hbWU6IHRlc3QtZm9yY2UtZGVsZXRleHk1dmZragpjdXJyZW50LWNvbnRleHQ6IHRlc3QtZm9yY2UtZGVsZXRleHk1dmZragpraW5kOiBDb25maWcKcHJlZmVyZW5jZXM6IHt9CnVzZXJzOgotIG5hbWU6IGNsdXN0ZXJVc2VyX2Nvbms4c3Rlc3QzbDR0aWVfdGVzdC1mb3JjZS1kZWxldGV4eTV2ZmtqCiAgdXNlcjoKICAgIGNsaWVudC1jZXJ0aWZpY2F0ZS1kYXRhOiBMUzB0TFMxQ1JVZEpUaUJEUlZKVVNVWkpRMEZVUlMwdExTMHRDazFKU1VaSVZFTkRRWGRYWjBGM1NVSkJaMGxSWVZZMk5VTklNM2t2ZUN0bkszbDRVVkJVU2pRdmFrRk9RbWRyY1docmFVYzVkekJDUVZGelJrRkVRVTRLVFZGemQwTlJXVVJXVVZGRVJYZEthbGxVUVdWR2R6QjVUV3BGZUUxcVVYaFBSRlV4VFhwYVlVWjNNSGxPUkVWNFRXcFJlRTlVUVRGTmVscGhUVVJCZUFwR2VrRldRbWRPVmtKQmIxUkViazQxWXpOU2JHSlVjSFJaV0U0d1dsaEtlazFTVlhkRmQxbEVWbEZSUkVWM2VIUlpXRTR3V2xoS2FtSkhiR3hpYmxGM0NtZG5TV2xOUVRCSFExTnhSMU5KWWpORVVVVkNRVkZWUVVFMFNVTkVkMEYzWjJkSlMwRnZTVU5CVVVSQ0swaHZVRGc1U205M1ZqSjBjSFoyZVdFNEwzUUtVV1ZKVUcxcGVtNWhZMmRFWlZGNlNGcGpWbE5SWkdVcmVFdERTbWRKV1dOM1QyY3ZSMDlzT1hwb1FqTlJWRlIxTm5abVlubEZOR2xOUTBSVE1EWklhUW8wSzNOWWRsbENURFp1VDBac1NraHdZMHg2Tlc1SWJHRkdZbmMzU0V4cVRpdHFURVZxYlVSVWNFWlVhM1F3Y0Vwb1dVMUViMFk0T1VkNFVVSk1ZbGcwQ25sbVJYTjNPVVJZU3podFdXY3JXVEZZYlZOa2FISlpiR3hDVTNadVJHRldWVnB5U0hCNVVTdFRObWMzTDI1eFlWZHVVVmxVWVdsNWFqUm1SRFE0VUdJS1RraGFhV1JpWVRCWlNDdHFSVzFaTUU1eWQwTTBVRGxDUldsRmRsZEtUazV1V21keVFXbHhWREpaUWtjeWJrMWtRMmxZWkdkVVJEWmhha3d3Y0ZRd1JBcGFOWEZ6WnlzeEwwRkVRM1p2U1hrck1UQnJia0ZwVkZndmFrNVpZVkZOTXpZMmJuVkdNbG8zV1c4emJXRmxlbWx1UjFrMlpHSkJOV1p4ZG5aS1ZqSm5DbnBOVjNFelZIQm9iRzg0YWs1dVRFVkRNUzltYkVWM2FuQjJjMnBEUnpaaWVrSnJTSHBSY0RWblpWZ3dlbEo1ZVhkU1ZXMUVOWGxUVlZKbE1taFpOa2NLVDB4M1oyNXFNMDQxVFRKbmFrWlRURFZ5UzNGdk5qaEpkVFJOYmk5UVZYUnRjWGRrUVRadFZUazNlbUZ2ZHpsUVNUQTVhVVJDZEN0dVJXVlhWMUF6Y0FwWlVqQlBNR2hCWm1neldqQkJTbHAyYUVwRlZFdEJXbm9yWms1Uk5tVlZOV3hZYjB4Q05EaGtaSFpEVjBoQ1FWRkljVlk1T1ZOMVJDOHhiRGxHYWxoQ0Nsb3ZTVE5YVmpaTmMyUnBiamxETlhCTmEzQm1VWFpPYmpKUVUySjFiRTlZTDNBd1ptOVdXbHBZYlRaaWRWcHlhMmhzVVhoSlJYSm1haTlOUmt3NGNIa0tjRUpPYjBWNmRWTkJhR3huU1VsSllubzVkbEp6YWxWMFdEUlZja0p3V25Wb05FUk9LMXBqV1N0eGQxa3phV1V6UVhsalNUWnZUSEJTWlhCeGVHYzVXZ3ByVEVsWk1YQk1NVXMwWTI5VlFpOUdiVzV4TmxGUlNVUkJVVUZDYnpGWmQxWkVRVTlDWjA1V1NGRTRRa0ZtT0VWQ1FVMURRbUZCZDBWM1dVUldVakJzQ2tKQmQzZERaMWxKUzNkWlFrSlJWVWhCZDBsM1JFRlpSRlpTTUZSQlVVZ3ZRa0ZKZDBGRVFXWkNaMDVXU0ZOTlJVZEVRVmRuUWxNNFNEUkJVME53ZVdRS1ptWjRSbGRSV0c5c09IQXJSRFkyUnpGcVFVNUNaMnR4YUd0cFJ6bDNNRUpCVVhOR1FVRlBRMEZuUlVGU2QxVktkSE5UTkdSa1NrWm5lV0p3VlRCbFlRcHZXQzkyY0RsR1RFMWpiRnA0Y2tKRlJWRlBUbHBKVGxwWlYxcFlMMDVEYlZCU1VFbzBhbWxTZFdaSE5TOVVhakZTUjIwMlRVOTRWWHBoYVhnM2JXVlhDbkpVTjB0TlRWQnlNMk5yVkV0c1NIWlBja2wyU3pCNFJESkNTbmd6TjBKYUsxQm1jRWxoWjNKWlNUYzJVRzVEV1daNmRXYzVTMUlyYXpSQ0szbERObWdLV1RCb05VaEdNMWxEYkZOMGJuWjFjMUJIZW5sWllXdEtRakF6VTI1MFZHZGhXbEozY1ZKM2FUVmlialY2TjBORFJreDFNM1l2VTBaeGFFTkpOMlkzVFFwUmNtRmFaa0l6V0VaSlowZE1WV1pPZW1KdmJEY3hRa0pUVUhCa1ptRlVlRUUwVWpKek1VWm9SVTR6YTJsUk5UYzFjVXQzZDAxNllpc3llbTF1T1VONkNqTmlUa1pNZEc5bE1XaHZNekIwVWxJcmJESm5TbnBNWjBSTFZtVTFWeTlJWmtoM1RVMXVWVW96YkVGaEt6SnNVVFIyT0dsck0wVm5NMlpvVjFwWFpFVUtZVzgyVUZkbWIxSmlhVTVqY1ZwWFFURmpia2xCWTBzdloxUXlVVlppY1VaUFVWUk5WMDVrWjJKYU0xbEtUbmxZV205TU1FRjBWQ3RoTmt4UmRuUnJlQXBUY2s0elNEVlBVMFZoTlhBcmRrdHdjWFZpYjFVdlUxQkxiek5hV0NzMFFtZ3dWV2R5ZFM5NllVMXhOa2xZS3pKcVVGRTNPR1JHVjJOMVNqZ3dNVk5CQ2taRE4xcG1NMlpQTkc5aFJ6TkxkVVk1VFRSb1dITkZWV0ZSWlVkM2VITjNjbVZIVUhCbWVqZHZTVGRSWkROTVpqQjJVbFZEZDJWa0wycFBOa2hxVERJS1lqbFhUR0UyTWpoWmNXcHZaalYwYTFwb2FXSXlUVXRqY204dldqWjVTVmxvT0dRM1ZIRXdZMGx4VVhoUVpuVkpWRzFUWlROeVdUUjRRVWQ1TUROQ2JBcGhOalJIWlVKcmFFNDJSSGMzTjBScVlYcEpkV3hzTkRGekwwTlZVMmt6Ukc0eU15OVVlbmw1VVVZM1RUZ3JMelJKTURneFNrWnlWVXczSzFaT1pYRmFDblkwYVdSVFZ6QklZVUUwZWtjdkwzSk9jRVkzZEZoSlBRb3RMUzB0TFVWT1JDQkRSVkpVU1VaSlEwRlVSUzB0TFMwdENnPT0KICAgIGNsaWVudC1rZXktZGF0YTogTFMwdExTMUNSVWRKVGlCU1UwRWdVRkpKVmtGVVJTQkxSVmt0TFMwdExRcE5TVWxLU25kSlFrRkJTME5CWjBWQmQyWm9Oa1F2VUZOaFRVWmtjbUZpTnpodGRsQTNWVWhwUkRWdmN6VXlia2xCTTJ0TmVESllSbFZyU0ZoMmMxTm5DbWxaUTBkSVRVUnZVSGhxY0daak5GRmtNRVV3TjNWeU16STRhRTlKYWtGbk1IUlBhRFIxVUhKR056SkJVeXR3ZW1oYVUxSTJXRU00SzFwNE5WZG9WemdLVDNoNU5IcG1iM2w0U1RWbk1EWlNWVFZNWkV0VFdWZEVRVFpDWmxCU2MxVkJVekl4SzAxdWVFeE5VRkV4ZVhaS2JVbFFiVTVXTld0dVdXRXlTbHBSVlFweU5YY3liRlpIWVhnMlkydFFhM1Z2VHk4MU5tMXNjREJIUlRKdmMyOHJTSGNyVUVReWVsSXlXVzVYTW5SSFFpOXZlRXB0VGtSaE9FRjFSQzlSVWtsb0Nrd3hhVlJVV2pKWlMzZEpjV3M1YlVGU2RIQjZTRkZ2YkROWlJYY3JiVzk1T1V0Vk9VRXlaV0Z5U1ZCMFpuZEJkM0kyUTAxMmRHUktTbmRKYXpFdk5Ib0tWMGRyUkU0cmRYQTNhR1J0WlRKTFRqVnRibk0wY0hodFQyNVhkMDlZTm5JM2VWWmtiMDE2Um5GME1EWlpXbUZRU1hwYWVYaEJkR1l6TlZKTlNUWmlOd3BKZDJoMWJUaDNXa0k0TUV0bFdVaHNPVTB3WTNOelJWWktaeXRqYTJ4RldIUnZWMDlvYW1rNFNVbzBPWHBsVkU1dlNYaFZhU3RoZVhGeFQzWkRUSFZFQ2tvdmVqRk1XbkZ6U0ZGUGNHeFFaVGd5Y1UxUVZIbE9VRmxuZDJKbWNIaEliR3hxT1RaWFJXUkVkRWxSU0RSa01tUkJRMWRpTkZOU1JYbG5SMk12Ym5vS1ZVOXViRTlhVmpaRGQyVlFTRmhpZDJ4b2QxRkZRalpzWm1aVmNtY3ZPVnBtVWxreGQxZG1lVTR4YkdWcVRFaFpjQzlSZFdGVVNrdFlNRXg2V2pscU1BcHROM0JVYkM4MlpFZzJSbGRYVmpWMWJUZHRZVFZKV2xWTlUwSkxNelF2ZWtKVEwwdGpjVkZVWVVKTk4ydG5TVnBaUTBORFJ6Z3ZZakJpU1RGTVZpdEdDa3QzWVZkaWIyVkJlbVp0V0VkUWNYTkhUalJ1ZEhkTmJrTlBjVU0yVlZoeFlYTlpVRmRhUTNsSFRtRlRPVk4xU0V0R1FXWjRXbkEyZFd0RlEwRjNSVUVLUVZGTFEwRm5RbmN2YVRoVk1XVk5VRTVRTUN0TFJsVkRVR1l5Y3pVd1JYQTVOVlZMTlZaemJtTnlLMWc1Um1kRE9TdHZWemRtU0dGNE5ucFpWMU5QZUFwb1prTlhXVnBFUkRrME9DOVZhemcyYWpZck9GTkxPRWRSVmxFdmJVdGxaR1EzTW1nck5YZzJRbnBqVFdSeGEwOHJla1JTTkc1R05VOWtNRW95UTB3d0NucDZMMjFoWjJOMVExQjJWVmxzYzFWd1RIQXlTRk13UmtaeWVUTm9aVkJvVVU1NVMxTTJOblpGY2pkeEwyVmhPSGRRYldkWlIyWkJaVTAxZGtrd09UTUtNa2w2VEZsVlZrdFdXVGRWUm1KamJGcFRMMDVtVFVWSmQzTnBXVVJFUzJWWWNGbHJPREJZU0VZdlVFUnVUa3htUm01U04xVnVWbFZaUmxCSE1XWlJUQXB6WTBwa2VVVnFjV1pXZVhKWlVISXpNSE5rVjFOTlJWRk9TMWRpVFhsSmRVNTBaMFp6U0ZkelExZHRWSHBzVDBaNmMwUndkR1ZJZUUxYVRUTlplV1pzQ2xVeWNGZHRLekoyWlV0elQzZDVOMjFDVTBzMFF6SjBZVGQ2YUdaaVQzRXdTMVpQUWtKSFF6WnJNRFpQUkN0b09URjVjVzQyVkVndlNtNDVVRk16UjA4S2RsVjJlVFpNWVRaWlJUQldiMHRsUkRFMmEyOWtZa1JEYmpaV2RYRjRMMmRLVEZkc1dWaGljbmhJV0dkME9XSlNWVEk0T1VwYVEzTnBiVzVKTURKQllncFZhbVJhZEVVNFNGWlZRWFV3Ykdac1ZVNVdPRUppY0ZwMGNDczFPVWh0U2pWMlNVdFJTV3hGWm1sclNHTjZSamwxUzJwcFJqUmxlRVZaT1hJeVVXSjNDbk5xV21kMFlWcEtaMUZRUkRkTk9EUkdha3hvY1dWVWJYUndSMG93Tm1Wd01ESldjVmw0TW5ORU5VZDVkVXg0VFZKemRVTm9VM3BRWVRrMmFESlhOVzRLVHpJMFF6bGxWVXhoVURCSFYxbHhhSEUyVEU1UWRuRkdWSGRZVm1oTWNISTNTbWg1Y2xZMWNXeHZOMkpFZUVOUWFrTjFTRGh3YzBoemJISnFlbUZzVUFwRlFtWm1SV1ZNYkc1bFlrTllORnBFVGpNMVJuWTFkRTVWVFRnMWNpdFpZbE4wTkRCcVVUaG9SMm9yVEVGVmNYY3hVVXREUVZGRlFUTTBNRGszVWpSV0NsWmpTbUUzVjBGNFJubDFUbk00VW0xNE5UVjJjWHBpYkVWbGRYbERZVTlEUlUxd09UbEVhbXc0UVZwVWJVTjVlSEYwY1hwMllYTlNaamxZY1VsdWIxQUtNRGRWVG13d1NUWkJaa1pNWVZZeVJuQjBMMUJTUmtaak1XZHhhVGhYY0RGUGVtUkNibnBoVDI1TVNYaDBObFptT0VoRmNqVm9RMU5JTlhwNFpHeHZVZ3BGTm1nM2NFWjBZMGhRYkVWek5HaGFSSEYzTTIwNVVFOXhVMjgyVDJOM1lWazBkbTVoTmpaTWJ6QjFXV2x0YXpSWVpXUk1Ua3gwVjFOaGIxQm5TV050Q2pZMk9VUjNNRXhaYW1Oc1pVWjVaVlp0UW5WaFVVVnZZME5HUkhWQ1FTOTRNaTlXTHpSdk1HRXpiMFJQVDFCaFdWUlpTVkJKYWtOS2JreFZablJSWTFNS1JVUkxWSEpIU1hFeE1UZEZlVk5UVXpsMlYyNDFkVVpNZDJWTVYxcG1WVzFFVDNSTmFUQmlTekJ2TWpkWU0yTm5PVnB6ZDFoTVdVOVNha3hFVFZndmRBcFlRV3RWU0c5TU9YbFFSa1IxZDB0RFFWRkZRVE5wUVU5cVRFbEpTVEp5Y25sUFJuUkhVVUpGUlU1cU1sZFBZbWhsTWxCSk1FWXpkbTQ1ZFdSeWN6QnBDbkVyYlVseFdqaE1RVFJaWTNwdEwyUk9UMGRQV0RoeFpubE5Oa2dyYjFoalUxbDBhbU5oTVVWbFNVcFhialkwV1ZSdWVuRktORzQwUlZWaVIycGtjRVlLYkhKUWJtWlNVMlZOYTJwR1ZEVlpSVEZ6Y0hjME9YQjZUMmd6VUc1bVFuRnhkbmRSTWxONFNWZFVlVzhyZWxsNVYzWjVTVzV2VmpsUGVFaEVXVkZaZEFvMFVVbFpNMEpSWlZOT1VYTmhkVkpyTTBWRE5rOVNibUpZYjBwdFJXNDVORloyT0VwUlQwdG9jR2xzWWtWRVEwaHpjMUZvVTBJdlpHYzBVbXBoTTNnMUNrVlhTVTlEVW5GdE9GcEtPSE5RYVhFeFUzQXhibGRNTVdSaVJUaFdWMFIwYms4MlpuaGxTa0pEY1dOWmNWTlNNemg1UjIwd1MydFRla2gxZVRsWVlqZ0tZelJVWTBKM1ZWTkRaM0JQVUZOdmJHcE1VWFppTWtWMlZXOTFTMlEyT1Vsc2MwWnVjR1JVTUUxM1MwTkJVVUkzWkVOVFpYSmtOV0ZZWkhGWkwwZFpaZ3A0V1RKaWJWQnhjR2R1Vm05MVFXZEpkbGxETUd0bVpHbEVia1pCVkdGMWRIZGtRMjlYVVZwRmRFVktUMjVCYjNRM2NGRXJUbVZ3U0c0NVZFSnJNMFV4Q2xsWGRXbzFSMGhMY0djMWQxTXZOVmwwWTJOSFUzbFJlV0l6Um5ReU1VMXRaR05ITDBOVVZGTk5OakZ4Wmk5M2VVOVNiV1p2YkRKTU0xbzVjVkpKYlRVS09XMDFZVTU0U0ROaFIxQk9VMnR5TWxsTWRVYzNOVUZxUzFRdlJERTRRMFpxVm01UlJtZDBjVEJFUWxsRWNIazBWVnBJSzBOTFZWWjNkRkpLU1UxRk1ncHBPVE5MU3pkSlVreHBNR2hGT0hkdVV6UnZiRGxEWnpoelNHSlFVbVF4ZDNkMlJXWjRRVFpZZG5oMFkxcHFSMWwxVHpKd2NYZ3pkV3N2S3pWVmRqQldDbk4xUVRWMFJtb3dlVkJVVVVzNWMwdFdOWEpQT0ROTWRqYzBSakUyVFVwYVVrdDNWa3hHVTI1VVpYbElVbTlNWW1kWE1FdERVSFZ5ZERsbVJXZGtTbXdLUW1SbVFrRnZTVUpCUm05dFNFbEhVbWcyWjBsTWRWWTJVaTlNVEc1MFVsQnRZblF2UTB0bmVGZFZSRzUyZFdKalJrOVVjWE5HVjJoR1EzWjZUbXc0V2dwM1VITjJaakZIUlRoWGJVUk1Ua2x6YzBKa1J6SktObTlwV2xkTVVYRjVLME5VV1VwVVEyZGxibXhIY0hSNGIySTFWakpSTlc5c1FsQnZVVkJMUWpBd0NsWTBMM3BVVFdRemNHUldlbmhUZDJwRFV6UkxZM1ZCZFV0U1FtRXpiMjlLUTI1UVlVUlNiazFSUVRWSFJYZHpNRXhHTVcxVGNIZ3hXVEl4SzFwTlVXVUtRMGRFYUdwUFYzWkNNbFpDVkhwNlQwa3ljME5tVHpab01YcHRWVkZTVEZVeVpsbzJSemRwTjNwT05HVjNTMGwwZVhOUVJ6UnpVR2hVWkhvMFEybFZhd294UzBwdFlXSTNWakp4U1dwc1dXUk5hRlJaU21aeFdXZFhiM1pRVW1GS2VrdHdhMHhEWm5WTkwzTjZWWE5oU2pNeVlYVjRkazFsVG1Sc1kweEJZMVU1Q2xwWUswSmhXR1oyWTFGcU9VbHNNbGc0U0hsbGExSkdUMDFUYVcxbmRUQkRaMmRGUVZWdlJYWm1XVWxwWkcwMVEwNXJabXd2VW14VVZsTnRiVWxVV2xNS2JTOTBOemhsZHpJeUsxSkxPRk5FVFhOWlVVUlNNalJDY1ZneWF6Vm5PVU5VTDNKTFUybEdPRGRZVkRsNFFWa3hPRWhVTWt4WGVETnpXRGREV0dweWNnbzRkbU5tYnpCT1VITnZjekZ3Y1hsdFRUUlhjMnBSVDAwdmRFOW9lVUprU3pnemJ6ZG9kbmxMYUhWUVkxY3ZVV0Z2U1hCd1Z6TjFaV05pYm5jNVVsRnVDa2hQWldWd05IWjJUM1ZrUmpkRk1uZG1WVUpEYkhFMVNFdGxibFJFS3pnMFRYUXdhamhYYmtsVVdGZzVkV0V4TldJNVRIQnpMMDB3WWtsS1VVNXlUVkFLTmxOV1JEbEZaVU5wYlZSS01IVlVNamhFUW5Ob1QwaHBTVVJCYm5oeldraERjVUZUVXpNeU5FOU1NbVV4WTIxbGFUVjBUMW95YzNwYWRrNTRjRWxxYVFwTlZVWTNLMnROVnpkek5DOVdiSEJNZVVOdWNVczJUblI1UVRRM2FXNXhiSFZHYVV4dk4zRnNRVVJCZWxWdlRrSk5VRmQxVGt4eWN6SjNQVDBLTFMwdExTMUZUa1FnVWxOQklGQlNTVlpCVkVVZ1MwVlpMUzB0TFMwSwogICAgdG9rZW46IGQ0OGRhNDgzZjczOTBlYWU3YmQxYWEzNjlhYTQyYTUwMDk1NmZiYzg5MGIxMGI0MjBkODcwMjEyNTZiOTlkYTc1OTBlN2FhOTFkMTQ1MzA2MzlhYTlkNzZhODc1OWM0YmEwNWYwNTM2N2I4ZjIyMDk0NDE4ZDE0ZmY2MmUzY2IwCg==\"\n + \"YXBpVmVyc2lvbjogdjEKY2x1c3RlcnM6Ci0gY2x1c3RlcjoKICAgIGNlcnRpZmljYXRlLWF1dGhvcml0eS1kYXRhOiBMUzB0TFMxQ1JVZEpUaUJEUlZKVVNVWkpRMEZVUlMwdExTMHRDazFKU1VVMlJFTkRRWFJEWjBGM1NVSkJaMGxSWVdkb1pETjRTbloyVDBKc2QwY3ZWMDF3Y1ZkblJFRk9RbWRyY1docmFVYzVkekJDUVZGelJrRkVRVTRLVFZGemQwTlJXVVJXVVZGRVJYZEthbGxVUVdkR2R6QjVUV3BGZUUxVVZYaE5WRWw1VGxSYVlVZEJPSGxOUkZWNVRWUkZlRTVVUlhoTmVra3hUbXh2ZHdwRVZFVk1UVUZyUjBFeFZVVkJlRTFEV1RKRmQyZG5TV2xOUVRCSFExTnhSMU5KWWpORVVVVkNRVkZWUVVFMFNVTkVkMEYzWjJkSlMwRnZTVU5CVVVSUENqRjZkVWRGU1dSM1ZFOVJObVZTU2pGRWF6RmhTREo1WkU1S01tMU5Xa2R0TDNOdWF6aG1kREFyVGpacGIxWnlhRzlLUVV0U1NUQm5kVTE1YUZsQ1JWVUtOVU5MYkhCVGRHZFRlVTVyZVRoRUwxUmlUWHB2VVRscVNWWk5OR3hFUTJWd1IxVnNXVE15UTJjMlFYaEpaRnB2VUZGRGF6Sk5jM1ZVV0RrclVYVXlTQXBLUlVsS1JHSmphazlOWm5sNlZFRkNPWGgyZWpGcFRYRlFia04yZDFoeGFsVnBjV1E1TldoalVWYzVRalJNWlVadmFWTXZWbGRaZDA5VVVHbFJOekZ6Q2t0bWIwSkJNVmszVTBFMlNuUkNPVFptVjFabk5sQmlSVmxXVlZNeFowdGhTVzlaUjNwQ1RqUmFOVnByVjFaTWNYTTFSM1V2ZFdaQk0wY3Zaamc0Wm1rS2NTOVNhMEZoT1c1elNFWkNURTFHZDBnd05VWXlSME5QVkZNNVVtSk1SMGd5YkdodWRFb3dlR2N3UjA0NFVHMVZOV2xVVGtWRGVXMDVlVFpJTnpsMWFBb3pVRlZuV25kWGFsUmpORkpNTW5WUlRscENiM1UzYVVSTFRIWklSelIwSzNGWU5sZ3JaMUo2YmpoUE1UUkJZMkppV0N0SWFXdHFXVFk1UkdKU1VFeFZDaXRsYUhwYVpXOXFURFJYWlRobVkxZE1NRGs0WW13eU1GaFNPREYwUlVoNE5UaDROQ3RhZG04NFVtZERkMmxWYVdrdmRWSnlSM0JKWkVwb05YVk5UVlFLV1VKWlRVWTBjRUZhY1ZkUFFVZFJRV1ZKYzBWRWNFRXpjR2xIWWtadmJIazFPRm8xYzNsa1IzTnVaMGQxUTIxbWFqRkhVRTlOU0RoUlIwdHBXREJITlFwMk1sTmlka0k0TUdseWIwRnBZM0pEVjJ0WGJtSTNXR3h5WXpoc2JVeEhTV3RXYXpSSWVHRk1ZVmRJVmpaeFpFNU5RMXAxTWpoQlZWTkxVamxrWTBFMkNtZEdkekYyYzJKRk5rVndZM2w0VTBGVVYwazRha0pMYldRNFNGUnFVMDR6VGtSWVlsaFlVbFJFUjJob2R6azFjR0l2YzBWd1NYUXdZMXBPTVZBM1NYa0taMHN4ZDNGVGRVTkRiRlZoZURsNVJ6QkZZVm96ZVM5WGFERm1lV3RLY2pGemNrZEthVGhXVFZWUlNVUkJVVUZDYnpCSmQxRkVRVTlDWjA1V1NGRTRRZ3BCWmpoRlFrRk5RMEZ4VVhkRWQxbEVWbEl3VkVGUlNDOUNRVlYzUVhkRlFpOTZRV1JDWjA1V1NGRTBSVVpuVVZWVWFXTklUMlpMWnpGVE1FZHJUV1JTQ2xCbVNtVnphbms1U0hKbmQwUlJXVXBMYjFwSmFIWmpUa0ZSUlV4Q1VVRkVaMmRKUWtGRFVFbFFaRkZLV0V4aVRVbHFkMDlsYzJwbVVtTlhOMlJTTVZnS1dIVjVabVE1WjNKeFR6SlNaMjlMVFdwdmN6ZFRVME5wUzBJclNtMXBhaloyVkd4Uk1WbzVOREZtYkZGNmQxRnJiMkpJVm5NNVRWYzRXSEJITnpGSldnbzFjR0k0Y0V4emNEbFZjVGQwTldjMWNEWlBNWEZVV0ZseGF6UlZhWFV2U2pob09Ua3lVazVOTVcwNVNTOW1TRlZFTmpCb1lYaEZVMkZQZDIxNGMwMXBDalZyT1dSRlVrcFRjbGhDWmxZM1RqUklPVzlhZDA1UloyZERVa2RrVTBWRFExZDFWR0p5YW1SNlNYSlFjR1IyUVhsUWJURm5aREUwYWtsM2RUVTNVbkFLYjJWTlZWb3JkR3RwTW1WUVRtRkxNSGhUVVZOTFFUVjJOMlJFTmtVNVdEZzBNa1ZvVEhFMlRHVkJNekp4TmtsRE9UWkJWaXQwUlVkYVlXUkxlRzFWUndwRWEyWmlRVnBCY1RacGVFaFNNM2Q0SzNoWE5EVnViVWs0VEhaVU5UbE5ORFJVYWt3MGExVkdLekE1ZG10V1NTc3hRbGRpTkVWUGIwbExSSEU0ZEVwaENsTlZTRkJLWjBSYVNYZFhSMVZsWmk4d1lVczBVRWxNUjFGcU4wcERiVlJGZGxRNE5ucDFkemhUU1cwclpXbGxRV1JrT0hsdmFYSkVaUzgxYVVsUmQzb0tlREppVkc1M1FqbE1NVmhOZDFFMk1XVlZZVkZETW1Ga2RIaHhkMGg0YVZNMVppOUNaMUpCVmxsVVJHUkpUak5WTUUxRmVXTm9WRFF3T0dKNE9VVldaUXB3U2xrd1kwZzBTRVkzZW1KRmFIZExkMGgyVG5CTFNHNUVla2xCTURKclIwMXVaakJVY1dkR1dWUkdUM0JHT0ZWdGNWbEljRVZHT0RKTE1GbDFOSGR0Q2pCNFFWaGpWVk01WTFwSU9XeG5XWGcwT0VwdlUyVnhWRkZWT1VOMFkybzRlbnAxTkRGV0swTk1jRTVSYmtKQlJqVk1SRnBqTkZWSFowNDRha0pGTkdvS1MwOTRjVEJNTUUxWFVEaG5XRTlPZFVkcGRIYzFRV3BITW1ReVVtTTRXa1ZSWkRkdVkyWkRkV1IzTjAxRU5tdHZZbTFuWXpWV2FGVmtkVmxKU21oaFpncFBORnBtWWt0R2NHMXZWbTE2T0dSbENpMHRMUzB0UlU1RUlFTkZVbFJKUmtsRFFWUkZMUzB0TFMwSwogICAgc2VydmVyOiBodHRwczovL3Rlc3QtZm9yY2Utcm9oYW5henVyZWdyb3VwLTFiZmJiNS02ZjE5NjdhYi5oY3Aud2VzdGV1cm9wZS5hem1rOHMuaW86NDQzCiAgbmFtZTogdGVzdC1mb3JjZS1kZWxldGVwemZ2am9kCmNvbnRleHRzOgotIGNvbnRleHQ6CiAgICBjbHVzdGVyOiB0ZXN0LWZvcmNlLWRlbGV0ZXB6ZnZqb2QKICAgIHVzZXI6IGNsdXN0ZXJVc2VyX3JvaGFuYXp1cmVncm91cF90ZXN0LWZvcmNlLWRlbGV0ZXB6ZnZqb2QKICBuYW1lOiB0ZXN0LWZvcmNlLWRlbGV0ZXB6ZnZqb2QKY3VycmVudC1jb250ZXh0OiB0ZXN0LWZvcmNlLWRlbGV0ZXB6ZnZqb2QKa2luZDogQ29uZmlnCnByZWZlcmVuY2VzOiB7fQp1c2VyczoKLSBuYW1lOiBjbHVzdGVyVXNlcl9yb2hhbmF6dXJlZ3JvdXBfdGVzdC1mb3JjZS1kZWxldGVwemZ2am9kCiAgdXNlcjoKICAgIGNsaWVudC1jZXJ0aWZpY2F0ZS1kYXRhOiBMUzB0TFMxQ1JVZEpUaUJEUlZKVVNVWkpRMEZVUlMwdExTMHRDazFKU1VaSWFrTkRRWGRoWjBGM1NVSkJaMGxTUVVsQlF6WnJZMEUzWlZkMFJXRnlVMngzU1djeE9FbDNSRkZaU2t0dldrbG9kbU5PUVZGRlRFSlJRWGNLUkZSRlRFMUJhMGRCTVZWRlFYaE5RMWt5UlhkSWFHTk9UV3BKZUUxVVJURk5WRVY1VFdwVk1sZG9ZMDVOYWxGNFRWUkZNVTFVUlhwTmFsVXlWMnBCZHdwTlVtTjNSbEZaUkZaUlVVdEZkelY2WlZoT01GcFhNRFppVjBaNlpFZFdlV042UlZaTlFrMUhRVEZWUlVGNFRVMWlWMFo2WkVkV2VWa3llSEJhVnpVd0NrMUpTVU5KYWtGT1FtZHJjV2hyYVVjNWR6QkNRVkZGUmtGQlQwTkJaemhCVFVsSlEwTm5TME5CWjBWQmNtNVZZMjFYWTFCNWJFZEpURFJpWm10MmRYWUtVR0ZNYjBZMllpdEdPV3R1VEVWNFlrMXFhVWxaTld4U2IwVnFSMjlWU0ZkRGRrMVhMMVo1UnpVNWMyUlFaV2xzYTNrM1JtTTNZa0p5Wm5SbFVsTmxlQW8zWlhoTFVUWnVOMmhOWlU1UFRpOXJlbGRaVWtNclNrVjRlbFZEUWtJelUzY3dNMjVPU0ZkbGNFWXhWSE4wYkRSWVpIRTBiMk5RYzJOeFJXNVBPWGx1Q2pKTmR6ZG9kelJtZVd0TWNqaHdiM1pVYVhwNFpVOHhNM0JNVFcwelkwZHZOR1owTUZNd1YwZHhTbEpJV1V0WU0yWjNObGMzTVU1RVRuZGpUVGhIYzBRS1QxTlhVVkpPYlRoMVRTdE1aRXhzUjJzM05rVjNZVUVyVXpOV09ISm5WMDV4YmtoUmJtZDNhV2xpSzNSek9XbFBTMnN5WkZsalIwazFWWE5PYUVaWmNRb3ZSRTFqYjAxS1NWUjFkR00wVldkWVV6TjNjbXBzTm1reFZrY3JkRk5DZG5CS2RFa3dLMU0xUzNVeVYzYzJNMmcxYUdwWFNtUk9RV2xRZEdoM05ESkZDa2hOY0RCaVVXaGFUalpvUWpOb1lWRXdiSEpzZVdOemJGaEpZVkJ2VURCelRHSmxRWFpJVXpsdGFuSnNaemhDZWtnNVlrUkNXVGR4VkRORWRqSk5ReThLV0d0d1dsTlhkemwzVDNOdU1IcHJSV0ZSU1hVeGFXRkhObGxWVFVacGNVNUdabmx0V0ZaMVVtVTFiV3cyYTFrMGNtdFdhbUpVT1c1bVYwbHRWbWg1VWdvclNHbDJWSE14WW1WTFRHVlhOVlpGYjFsbVZYTkRNRnBYU2xVeFQweHlaMFpWVXpsWWFYTlZaRU5JZHpsWFF6bEhPV2RJVmpVeVVpdFBNa2szWnpOM0NsVlFUMHhPYkZwbVpITk9WVllyZDJoaU1EVlFhVU5DVjFOclVVZFpaazFYT0dWM1pVNVhSRGRIU0hwbFowcG5PVUl3ZVVGdk5FY3JOMWRSY2l0Q1lsWUthMlptT1d4UlNqSTNLMEp3VVdoYVZYcENlamQyTnpWVFZUZERUMVJqTDNsYVQzRk9PVkp1T1VWb1lXRlhVWGwwWmtSNk1rUTBhR1JZZVhncmVVbENZZ3BXTldrNVFXaG5ja0ZaVDA1SllWa3ZWbFpLVTBSWU1FTkJkMFZCUVdGT1YwMUdVWGRFWjFsRVZsSXdVRUZSU0M5Q1FWRkVRV2RYWjAxQ1RVZEJNVlZrQ2twUlVVMU5RVzlIUTBOelIwRlJWVVpDZDAxRFRVRjNSMEV4VldSRmQwVkNMM2RSUTAxQlFYZElkMWxFVmxJd2FrSkNaM2RHYjBGVlZHbGpTRTltUzJjS01WTXdSMnROWkZKUVprcGxjMnA1T1VoeVozZEVVVmxLUzI5YVNXaDJZMDVCVVVWTVFsRkJSR2RuU1VKQlNERlVORnBvUkZCT2VFcHlVMEZZWm5oa2R3cEJkRU41WkVzMlluSndUV1pPTWpOUloybGlPVWh0V1RjNE9VRkJZMWh2U0doUFRsZFBRMmwyYkRWWFFsUTViVWxzYWpoSk1YWlBjeXMyVEVSRFIwRndDbHBFVkZoUlJsaExNa05TU21WbGRtWkRiRkZUV0VJeWIySmliMkpoZGl0MmRrVkJNVzlLVVhaMlUzaHpkalZYVms1cVdESmpjMlpIUkhWdWJtTjJURkFLY1ROVE4yVktTV292VUhka1lUQk5VMDlxUjFObVUyTXlVbXRSTDBGT2VIcHZkRFF5VUVOdmNtSktkMnhxYkhoQk5rRnVRUzlHU1dsbE1DOXBVM0kyWWdwU1ZuUkJVRGc0YjFSVGVVVkROVEZXT1dKTVZURjNhVFpJYmt0dVp5dHVWRzA1UzNSdE0wOUVTM1pHWm5CUVZHVjRVRTA1Y0daNGJGaHlXbU5xYVRsSENtaGhhR0owT0dZeFFuWm5NVVZTWmtaV01rRnpkVEIwUVU1Nk1DOW5TRGxZZDNwUWFYWjJlbVpxWjA1YU5ITm9LMWRHZDFwcFRYSllTV2haVWpCUFdrTUtjakZYY0ZKWWEyUTBUbWhWU0hsQlRqTjJaMWRvYm10RWVXRjBNbFZhVkRWcVRXcDZXWEZwVTBOUVVsQk9Sa2xMT1RrMGRVSTNlbkJ3ZWlzM2IwTkpNUXB3VFd0eWNXeG1XVFV3T1RoUFdIQlZMelZuYUcweVJFNTVZbWhaWW1WUksyMHdjbVJGUVU1WmVVMWtjelprTVVaSE0yVkpSbTRyYldaVWR6RkNka1pTQ21ad1ExRlhjSEZaTkhsTVFqZEpZVGcxZW1aak16bExNV0pGTlZCSVNWcFdTRWxwTm1Kckx6UkdlVGQ2Y0RsVE4xSkRLMVJLTm01TFoydG5lR1poUXk4S1dWVklVR1owWm5wQlJqUlhZMjlMZUVwUFlqSkdhREExZVU5dFNuRm1Wa3BxWW05WldqWmlRWFV4VTBWeWVVMVRNa0pST0VoQlEyMXFia1ZFVjA5cFl3cFZVbk5ZZVV4VFFscG5ORGN3VVRoaGEyOUhjWEZHY0RGYVVHZ3lUMG95VERKaFZXWnBNa2h0WkZRcmVIb3ZaM1pITWtseWQwSjBUazF1WlVGNU5VRjFDblZGZDNRNWNXSjJSRlpoWlhObU56UnhSVzVsVmtKSVlnb3RMUzB0TFVWT1JDQkRSVkpVU1VaSlEwRlVSUzB0TFMwdENnPT0KICAgIGNsaWVudC1rZXktZGF0YTogTFMwdExTMUNSVWRKVGlCU1UwRWdVRkpKVmtGVVJTQkxSVmt0TFMwdExRcE5TVWxLU25kSlFrRkJTME5CWjBWQmNtNVZZMjFYWTFCNWJFZEpURFJpWm10MmRYWlFZVXh2UmpaaUswWTVhMjVNUlhoaVRXcHBTVmsxYkZKdlJXcEhDbTlWU0ZkRGRrMVhMMVo1UnpVNWMyUlFaV2xzYTNrM1JtTTNZa0p5Wm5SbFVsTmxlRGRsZUV0Uk5tNDNhRTFsVGs5T0wydDZWMWxTUXl0S1JYaDZWVU1LUWtJelUzY3dNMjVPU0ZkbGNFWXhWSE4wYkRSWVpIRTBiMk5RYzJOeFJXNVBPWGx1TWsxM04yaDNOR1o1YTB4eU9IQnZkbFJwZW5obFR6RXpjRXhOYlFvelkwZHZOR1owTUZNd1YwZHhTbEpJV1V0WU0yWjNObGMzTVU1RVRuZGpUVGhIYzBSUFUxZFJVazV0T0hWTksweGtUR3hIYXpjMlJYZGhRU3RUTTFZNENuSm5WMDV4YmtoUmJtZDNhV2xpSzNSek9XbFBTMnN5WkZsalIwazFWWE5PYUVaWmNTOUVUV052VFVwSlZIVjBZelJWWjFoVE0zZHlhbXcyYVRGV1J5c0tkRk5DZG5CS2RFa3dLMU0xUzNVeVYzYzJNMmcxYUdwWFNtUk9RV2xRZEdoM05ESkZTRTF3TUdKUmFGcE9ObWhDTTJoaFVUQnNjbXg1WTNOc1dFbGhVQXB2VURCelRHSmxRWFpJVXpsdGFuSnNaemhDZWtnNVlrUkNXVGR4VkRORWRqSk5ReTlZYTNCYVUxZDNPWGRQYzI0d2VtdEZZVkZKZFRGcFlVYzJXVlZOQ2tacGNVNUdabmx0V0ZaMVVtVTFiV3cyYTFrMGNtdFdhbUpVT1c1bVYwbHRWbWg1VWl0SWFYWlVjekZpWlV0TVpWYzFWa1Z2V1daVmMwTXdXbGRLVlRFS1QweHlaMFpWVXpsWWFYTlZaRU5JZHpsWFF6bEhPV2RJVmpVeVVpdFBNa2szWnpOM1ZWQlBURTVzV21aa2MwNVZWaXQzYUdJd05WQnBRMEpYVTJ0UlJ3cFpaazFYT0dWM1pVNVhSRGRIU0hwbFowcG5PVUl3ZVVGdk5FY3JOMWRSY2l0Q1lsWnJabVk1YkZGS01qY3JRbkJSYUZwVmVrSjZOM1kzTlZOVk4wTlBDbFJqTDNsYVQzRk9PVkp1T1VWb1lXRlhVWGwwWmtSNk1rUTBhR1JZZVhncmVVbENZbFkxYVRsQmFHZHlRVmxQVGtsaFdTOVdWa3BUUkZnd1EwRjNSVUVLUVZGTFEwRm5RV1JMVFVoM0syZE1kbkJDVlVwTVNtWjBOekZrY0VNdlQxUkZTSGhxTjBFellVZzJSVmRyWkVKeFNsWlJOVmxFUTJrdk1tZFNVMGhTVGdwUlRYWnFjMUZKUVU5UlUwUjRNSFZHWm1OU09XMW5aekZ6ZERkUmFqZEJVMEY2Vm1oRGFVZFhiMmRYVTA1Nk9HVktNa2R5YTJwaFYwUlpORTk1ZEZOakNrNW9VMmRGUjBaUVFWZzFWelJhYml0dU9ISkViR2xCUTNBeWVpdHNXbEpXYWtsNlVIUTRVRTFPZFRBeFQyUnVZV2h2V2pZMWREZFhUR1Z3VjJGNmMxTUtOR0p2VTB3d1lVYzFkbUZ3U3k4d1lWZ3lXbUZ4YW10R1ltb3lTbkppWldoaGJYUmhNRWxZVlhGeGMySlJjbkphZVdwcVpsUXZTRmt2UjBOcVdHOWhjUXBDUVdzMU1FOXVkSEEwUzB4dE5VWXdjREkyUlU1TWF6ZHdNVTVxT1M4NFR6azJiM2xXY2tOa2FuWnJiSGx6YkZVNFNXaDVPREJxVnpaWFlpOXpiSHBJQ2pObVJEbE9aSG92VFNzNFVVVktTM0Z0T1dGeWFuRnFWMnRMTjBkQmIwaHpkVEpuZUU5YVFXUjNMMWMyZVVsQmF6RkVlR1ZMYVRKbWMxbGxLMU5LVGlzS1RrOXFURkpxV0U1c01FVlFVMnRhZURoSWEwOWFOR2t5UTFoUlN6ZHpUVTVwY1VKVGQwdG5OWEo1TTBRMmQxaFFUbU5CV0dKT2VWSXplVTh6WW5OTE13cHpTbGt4UXpSQmFqTlZlbUZLWWs4Mk1DdDJRbHBvVFVKamMzRkdUelZJVURrMVJFeFBabU5HVEhoU2R6bElVVk4zZVM5SlYyVXZWaTlPYkVkcFNqWnNDbk14Tmprd1NqVjRaM1J0ZFRBMlFXa3ZaMmRuYjJSbWRGbEVObEpMTkZOU1pVaG5TRTFqZHpWU1MxUXJSemQwTUhaVWJ6RkpUVFV4TlVWU00xUXJkSGNLSzBSRlRVaENZMkkxTmxGbVJHOU9UbVF2V0RKbFdVVnlTemh2WldRd2MzazNPREoxVmpScGVVRllkeXRhUXpOcEt6aDBPRkZ2VERjMlUzTXdjbFZLV1FwbUszTTRhbnBrZG5oRlFqSllUalYxY1ZSMVQwazNLMmhhY0VaSFdHcG1TWEYyZFhNdmRIRkVjRkpSV214eVVqQm5VVXREUVZGRlFURm9kWGhDUldsNkNsQTNUR0Z3U0RWblRHWk1UalJqVVM5cWMwTnlTME01Y0VkV2FYTXJjMmhOUkdsNGVuTjFOVWhpYzB4NGVsY3dWbWhuY201dk5XOW1TbGQ0Wm5jd2VVMEtTQ3RMUjBoaWNFOUhSVVp3Vm5WQ09VRlhhakZWVEVZNGFHcGhTblU0VGpoVGNXY3dZa05DZFVoeVowVlNhMk53YkhBMlUyVmxSblZSV1dKU01qbFpMd3BDVTBaT01IZGlRa2g1VTNOM1V6TlVjWGswVVVkcVZWWmxhalUwT1N0dGRGaFlOVVZ2VjJRelFUVlljVmN5Y1habmJFTk5ZVzQwVlN0MFZWUTBkMnN5Q25sTVVtdFFLMEo1TXpSS1pWWXZNVlF5TW1ZMlNrWXJRbmxUZEVVMWNsRlhXSEkxYkhFNVIzSkRVVmhVV2pNeVoxQnNaazV5Wm1FMGJsbDBXV1kwVm1ZS2NGSmpOak4xTlUxV1JIRXlhM0p5VURBd2FIRjZMMDVIVGtScmVEUnZTVTlKY21WU1FVMDBXa3BLVlZOMFJXNVROazF0TUhkcFVqRnBRMWhQUW5NdmFBcHplbWx2UlVOTGQxaDNOM2Q2VVV0RFFWRkZRVEJLWkdsclkweHdiVGRXYmxORmQyNVdiMkpxVlZOdE0xQjZka2R6U3pkUEwwdEJSM0puUlZWaVVuUlNDa1l5YlhSR09IbFJWRWxWYlRGV05FOTJiVnBhUWxKb1pqZEJWRU5MV2tsMWJWVlVhMHRYYUhoRmVXdEthWEJ2VEVnME4ybFlaMnBaYWtaNmEyeEdLMndLZGxWcllteHFTU3Q0YWxremVsSjNkR2RwYVdRMVEzTndkMnhrVDJ4amJIQjVaelZxUlRGNVFtTTROVEZDTWtJM1pUZGhVRUZtVFZZNE1FMU9NVUp0YkFwWEt6azFla1JITUZkUEwxZExRWEJqU0c1bk4wWk9jMHBoTXpoRlJEWjJPR05LY3pWd1dDdGlOa2NyTTJ0TE9YcEhaek16U0ZsS2NIZ3lXa1pYWlhwbkNtdHpWVXRPS3pCclVVOUNXblU0WjNaS05rMUVkM1JQV0c5blRVdG9hbXBOWjFjMmFXcExPVGRHWkdseWMwRjFhbEJsWWpGWlpWTnFRVmwzTUdSWmRWY0tUR3g1ZGxwR2VISkJVekJvVUc1d1RVRTNVRTEwTUM5aVNtY3pZM0p1VWt4UGNHeG9WMEpVVUdOUlMwTkJVVUpwVEZKS2RsWXpTM2dyTmpSalJGVk1Sd28zZGxsUE1YWkZXalJUYW1GYVZuSTBNekYwTmtwM2QxRXhOM00xZVdRNFFsZ3JlVWRsVFZkTk1FVldSa1pITDBKMGFqY3pRelIxV2s0d1MzVk5VR0ZOQ2xWeWIyUjBlRkUyTmtWcVRXUnZXVllyVERSU1ZtVk5VbFJMTWpGQmRUTmljMmc1Y25CclptZHZPV1ZuWjFsclVVUlBWQzkxS3pkeWVVVnBjVkZuWldRS05IcEJMelpIWVU1elRFbzNaMlZ1VjFGMk1IWkhTSGxDVTFaMmJ6aHpkREF6YmtreU9YVlhRbWxNVUV0U1VWRlVka1UzUWtwVlJqQnhTbkp5VnpGNmVBcE9hRTVUYmpOMWNrOU1UbEJ4UjJWWWRXWndMMGQzWWtNM1QxVnlPSGhzVGt0MGJUQk5OM1ZrZFhBNE5tSk5OV05zZWlzclVWbGpTVFpYZWpaUGFWUlFDak53YUVoRlpHZHZSbkZYTjNOME5UTktaRGRGT0ZWUVVVVlpTWGMzTVVKRFNWRlZVbTVIVWxWcUswVk9kMHhCVUM5T00wczJPVzFtVmpWU1ozbGlZemNLTnpGeWJFRnZTVUpCUWpKaFltOVlURk5OV1hSaU5WRkhTWE56V0RVMmFqaEtOa3RWZUVSVlRrTm9hekpUVG5odVJVNVJVRkJYYmpaUFNFOWFUalV4TUFwb1JHUm9NblYyVVhOTEsxWmlkaXRpUTFWa1NFWk5MM2g0UVZCUllUaFFVbGhwV2t0cFIzVmFTbkV3TjNscFpscG5lVTB2YXpsRlUxVkNWRE15YjNKakNqVlFlRFpHUldSV2NHeHlZMlZXWlRSa2JFZDRkbEUzVGtSbGFWRm9NWEU1U1ZWVVJIWTJTMjFJVWs5cmQxTmxLME16WkdaclIxWkZlbXc1V21GdlVEUUtkbU5pS3l0WFdHeHZSbFJ6V2xORVdtSlBWV2RtYm05dmRsaDVjMkZLT0V4Uk9UQklNbGRyU1U1R2NpdDVRelZvWVVaU1JERjJaR1JsV0RkSllrRXlPUXBEVmpoeFNVODRZVXB2TVNzMVFsVTVTVEJCTjFSWFRFNUtZM0ZpYlZCa1dIZGlORUpYVGtOUVRqWkpSMEprUWxKaGNIbEpReXM1VjJab2JtSk9LMEkxQ2pORE56SjNiRlZCVEc1NVVtMDRUMEl3YVVRNFNtcFZVakJaZG1wdlJFVkRaMmRGUVZaMGRFaDJiMUF5UnpSTlNFdGxNMmRIV0VkWFRqY3hVVzlUYUhnS05WbDBSMDAwUVRka1NscFpVemgxWnpkdWNrZERRV2hUTkdsV1NFWTNXVWRXUWpFd1VUTllXRUZQZW5Kc2FsTTVkMWh0ZDBSRFFYSnVXbTlrV0hsNWRRcFBiVUZPYkdweFpqUmlla0pMVUc5MllrSmpkVGR5UVhFclQwMVhORkZsWkRCaVFVTnJkbXgwVm1odVlXNXplV3B3V0UxYWFHeFhja2g1VTFGc2NFUkZDalp0VHpaSVluQnZWUzlrVWxGa1Zrd3JibmgzY2toS1VUWm5OVU0yYW5Fck0xY3ZhMlJPYVdsWU1FWnRlWFJhVTNKc1NFTlZkekpMWTBodk4xSlZSRUVLYUZJeE9YVjFlRGRUTW14R1dteHdhall3VGxaTmNtbE1TRmh0Y0ZkdVEwSjBhek5tWkVsMldsaGFURGRpU1hwWFNGTmpUVEpsWkN0SVpIUjFOVUpYY2dwQlRFeDRha2hNSzBKcVdFNVBOR1IzZDJKSFNYQjFjblpXWm5WYWNGbFVXbEpHYURZMlNsZHFUMmx6Y1RBM1FXa3lPRTVVTUVOdGJWZG5QVDBLTFMwdExTMUZUa1FnVWxOQklGQlNTVlpCVkVVZ1MwVlpMUzB0TFMwSwogICAgdG9rZW46IDg0YmI4NzA2ZDkyNmVjMGY4NzkyYmE2MmYxZGE3NGQyY2YzZTI2OWQ0Nzg5ZTNhYTk4ZDBmMTI2ZmU3MzY2ZTkyZGMwNGUzNTE2NDYyZjVlZTJiYWVhMWQwYzFmOTRhNGZiMzAxNWI3YzhkNThmNDMwYThlZWJkZDUwZjAzNjk4Cg==\"\n \ }\n ]\n }" headers: cache-control: - no-cache content-length: - - '13176' + - '13160' content-type: - application/json date: - - Thu, 24 Nov 2022 19:10:28 GMT + - Tue, 15 Nov 2022 11:37:34 GMT expires: - '-1' pragma: @@ -825,9 +810,9 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n -l --tags --kube-config --kube-context + - -g -n -l --tags --kube-config User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Windows-10-10.0.19045-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Kubernetes?api-version=2021-04-01 response: @@ -850,7 +835,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Thu, 24 Nov 2022 19:10:42 GMT + - Tue, 15 Nov 2022 11:37:37 GMT expires: - '-1' pragma: @@ -876,9 +861,9 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n -l --tags --kube-config --kube-context + - -g -n -l --tags --kube-config User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Windows-10-10.0.19045-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.KubernetesConfiguration?api-version=2021-04-01 response: @@ -889,61 +874,61 @@ interactions: Central","Central US","North Central US","West US","Korea Central","East Asia","Japan East","Canada East","Canada Central","Norway East","Germany West Central","Sweden Central","Switzerland North","Australia Southeast","Central India","South - India","Japan West","Uk West","France South","Korea South","South Africa North","Brazil - South","Uae North","East US 2 EUAP","Central US EUAP"],"apiVersions":["2022-07-01","2022-03-01","2021-03-01","2020-10-01-preview","2020-07-01-preview","2019-11-01-preview"],"defaultApiVersion":"2022-03-01","capabilities":"SupportsExtension"},{"resourceType":"extensions","locations":["East + India","Japan West","Uk West","France South","Korea South","South Africa North","East + US 2 EUAP","Central US EUAP"],"apiVersions":["2022-07-01","2022-03-01","2021-03-01","2020-10-01-preview","2020-07-01-preview","2019-11-01-preview"],"defaultApiVersion":"2022-03-01","capabilities":"SupportsExtension"},{"resourceType":"extensions","locations":["East US","West Europe","West Central US","West US 2","West US 3","South Central US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France Central","Central US","North Central US","West US","Korea Central","East Asia","Japan East","Canada East","Canada Central","Norway East","Germany West Central","Sweden Central","Switzerland North","Australia Southeast","Central India","South - India","Japan West","Uk West","France South","Korea South","South Africa North","Brazil - South","Uae North","East US 2 EUAP","Central US EUAP"],"apiVersions":["2022-07-01","2022-04-02-preview","2022-03-01","2021-09-01","2021-05-01-preview","2020-07-01-preview"],"defaultApiVersion":"2022-07-01","capabilities":"SystemAssignedResourceIdentity, + India","Japan West","Uk West","France South","Korea South","South Africa North","East + US 2 EUAP","Central US EUAP"],"apiVersions":["2022-07-01","2022-04-02-preview","2022-03-01","2021-09-01","2021-05-01-preview","2020-07-01-preview"],"defaultApiVersion":"2022-07-01","capabilities":"SystemAssignedResourceIdentity, SupportsExtension"},{"resourceType":"fluxConfigurations","locations":["East US","West Europe","West Central US","West US 2","West US 3","South Central US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France Central","Central US","North Central US","West US","Korea Central","East Asia","Japan East","Canada East","Canada Central","Norway East","Germany West Central","Sweden Central","Switzerland North","Australia Southeast","Central India","South - India","Japan West","Uk West","Korea South","France South","South Africa North","Brazil - South","Uae North","East US 2 EUAP","Central US EUAP"],"apiVersions":["2022-07-01","2022-03-01","2022-01-01-preview","2021-11-01-preview","2021-06-01-preview"],"defaultApiVersion":"2022-07-01","capabilities":"SupportsExtension"},{"resourceType":"operations","locations":[],"apiVersions":["2022-03-01","2022-01-01-preview","2021-12-01-preview","2021-11-01-preview","2021-09-01","2021-06-01-preview","2021-05-01-preview","2021-03-01","2020-10-01-preview","2020-07-01-preview","2019-11-01-preview"],"capabilities":"None"},{"resourceType":"privateLinkScopes","locations":["East + India","Japan West","Uk West","Korea South","France South","South Africa North","East + US 2 EUAP","Central US EUAP"],"apiVersions":["2022-07-01","2022-03-01","2022-01-01-preview","2021-11-01-preview","2021-06-01-preview"],"defaultApiVersion":"2022-07-01","capabilities":"SupportsExtension"},{"resourceType":"operations","locations":[],"apiVersions":["2022-03-01","2022-01-01-preview","2021-12-01-preview","2021-11-01-preview","2021-09-01","2021-06-01-preview","2021-05-01-preview","2021-03-01","2020-10-01-preview","2020-07-01-preview","2019-11-01-preview"],"capabilities":"None"},{"resourceType":"privateLinkScopes","locations":["East US","West Europe","West Central US","West US 2","West US 3","South Central US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France Central","Central US","North Central US","West US","Korea Central","East Asia","Japan East","Canada East","Canada Central","Norway East","Germany West Central","Sweden Central","Switzerland North","Australia Southeast","Central India","South - India","Japan West","Uk West","Korea South","France South","South Africa North","Brazil - South","Uae North","East US 2 EUAP","Central US EUAP"],"apiVersions":["2022-04-02-preview"],"capabilities":"SupportsTags, + India","Japan West","Uk West","Korea South","France South","South Africa North","East + US 2 EUAP","Central US EUAP"],"apiVersions":["2022-04-02-preview"],"capabilities":"SupportsTags, SupportsLocation"},{"resourceType":"privateLinkScopes/privateEndpointConnections","locations":["East US","West Europe","West Central US","West US 2","West US 3","South Central US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France Central","Central US","North Central US","West US","Korea Central","East Asia","Japan East","Canada East","Canada Central","Norway East","Germany West Central","Sweden Central","Switzerland North","Australia Southeast","Central India","South - India","Japan West","Uk West","France South","Korea South","South Africa North","Brazil - South","Uae North","East US 2 EUAP","Central US EUAP"],"apiVersions":["2022-04-02-preview"],"capabilities":"None"},{"resourceType":"privateLinkScopes/privateEndpointConnectionProxies","locations":["East + India","Japan West","Uk West","France South","Korea South","South Africa North","East + US 2 EUAP","Central US EUAP"],"apiVersions":["2022-04-02-preview"],"capabilities":"None"},{"resourceType":"privateLinkScopes/privateEndpointConnectionProxies","locations":["East US","West Europe","West Central US","West US 2","West US 3","South Central US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France Central","Central US","North Central US","West US","Korea Central","East Asia","Japan East","Canada East","Canada Central","Norway East","Germany West Central","Sweden Central","Switzerland North","Australia Southeast","Central India","South - India","Japan West","Uk West","South Africa North","Korea South","France South","Brazil - South","Uae North","East US 2 EUAP","Central US EUAP"],"apiVersions":["2022-04-02-preview"],"capabilities":"None"},{"resourceType":"namespaces","locations":["East + India","Japan West","Uk West","South Africa North","Korea South","France South","East + US 2 EUAP","Central US EUAP"],"apiVersions":["2022-04-02-preview"],"capabilities":"None"},{"resourceType":"namespaces","locations":["East US 2 EUAP","West US 2","East US","West Europe","West Central US","West US 3","South Central US","East US 2","North Europe","UK South","Southeast Asia","Australia East","France Central","Central US","North Central US","West US","Korea Central","East Asia","Japan East","Canada Central","Canada East","Norway East","Germany West Central","Switzerland North","Sweden Central","Central India","South India","Australia Southeast","Japan West","Uk West","France South","Korea South","South Africa - North","Brazil South","Uae North"],"apiVersions":["2021-12-01-preview"],"defaultApiVersion":"2021-12-01-preview","capabilities":"SupportsExtension"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' + North"],"apiVersions":["2021-12-01-preview"],"defaultApiVersion":"2021-12-01-preview","capabilities":"SupportsExtension"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' headers: cache-control: - no-cache content-length: - - '6263' + - '6074' content-type: - application/json; charset=utf-8 date: - - Thu, 24 Nov 2022 19:10:42 GMT + - Tue, 15 Nov 2022 11:37:37 GMT expires: - '-1' pragma: @@ -967,7 +952,7 @@ interactions: User-Agent: - OpenAPI-Generator/24.2.0/python method: GET - uri: https://test-force-conk8stest000001-1bfbb5-1b3b01b5.hcp.eastus2euap.azmk8s.io/version/ + uri: https://test-force-rohanazuregroup-1bfbb5-6f1967ab.hcp.westeurope.azmk8s.io/version/ response: body: string: "{\n \"major\": \"1\",\n \"minor\": \"23\",\n \"gitVersion\": \"v1.23.12\",\n @@ -976,7 +961,7 @@ interactions: \ \"compiler\": \"gc\",\n \"platform\": \"linux/amd64\"\n}" headers: audit-id: - - ebeba8f4-f9cc-4983-9d43-ab88e5778852 + - 06550239-f165-416e-bf9b-ffc84a96f5fc cache-control: - no-cache, private content-length: @@ -984,11 +969,11 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 19:10:44 GMT + - Tue, 15 Nov 2022 11:37:39 GMT x-kubernetes-pf-flowschema-uid: - - 82d00372-72d6-4c5b-9ff3-709e42c5c214 + - 41f5db60-86cb-4eda-ae03-4e5d3b32ee1c x-kubernetes-pf-prioritylevel-uid: - - 08eb1bb5-9f77-4611-93e9-f1a16beacaed + - 10e00fa7-faea-45c7-90e4-414371b6c667 status: code: 200 message: OK @@ -1002,45 +987,33 @@ interactions: User-Agent: - OpenAPI-Generator/24.2.0/python method: GET - uri: https://test-force-conk8stest000001-1bfbb5-1b3b01b5.hcp.eastus2euap.azmk8s.io/api/v1/nodes + uri: https://test-force-rohanazuregroup-1bfbb5-6f1967ab.hcp.westeurope.azmk8s.io/api/v1/nodes response: body: - string: '{"kind":"NodeList","apiVersion":"v1","metadata":{"resourceVersion":"1907"},"items":[{"metadata":{"name":"aks-nodepool1-78026764-vmss000000","uid":"186ad862-1563-40a5-9605-0b05b8a829f6","resourceVersion":"1532","creationTimestamp":"2022-11-24T19:07:27Z","labels":{"agentpool":"nodepool1","beta.kubernetes.io/arch":"amd64","beta.kubernetes.io/instance-type":"Standard_DS2_v2","beta.kubernetes.io/os":"linux","failure-domain.beta.kubernetes.io/region":"eastus2euap","failure-domain.beta.kubernetes.io/zone":"0","kubernetes.azure.com/agentpool":"nodepool1","kubernetes.azure.com/cluster":"MC_conk8stest000001_test-force-delete000002_eastus2euap","kubernetes.azure.com/kubelet-identity-client-id":"e72446c8-e53a-4520-9f8a-a04613d5a8c0","kubernetes.azure.com/mode":"system","kubernetes.azure.com/node-image-version":"AKSUbuntu-1804gen2containerd-2022.11.02","kubernetes.azure.com/os-sku":"Ubuntu","kubernetes.azure.com/role":"agent","kubernetes.azure.com/storageprofile":"managed","kubernetes.azure.com/storagetier":"Premium_LRS","kubernetes.io/arch":"amd64","kubernetes.io/hostname":"aks-nodepool1-78026764-vmss000000","kubernetes.io/os":"linux","kubernetes.io/role":"agent","node-role.kubernetes.io/agent":"","node.kubernetes.io/instance-type":"Standard_DS2_v2","storageprofile":"managed","storagetier":"Premium_LRS","topology.disk.csi.azure.com/zone":"","topology.kubernetes.io/region":"eastus2euap","topology.kubernetes.io/zone":"0"},"annotations":{"csi.volume.kubernetes.io/nodeid":"{\"disk.csi.azure.com\":\"aks-nodepool1-78026764-vmss000000\",\"file.csi.azure.com\":\"aks-nodepool1-78026764-vmss000000\"}","node.alpha.kubernetes.io/ttl":"0","volumes.kubernetes.io/controller-managed-attach-detach":"true"},"managedFields":[{"manager":"cloud-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:07:27Z","fieldsType":"FieldsV1","fieldsV1":{"f:spec":{"f:podCIDR":{},"f:podCIDRs":{".":{},"v:\"10.244.2.0/24\"":{}}}}},{"manager":"kubelet","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:07:27Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:volumes.kubernetes.io/controller-managed-attach-detach":{}},"f:labels":{".":{},"f:agentpool":{},"f:beta.kubernetes.io/arch":{},"f:beta.kubernetes.io/os":{},"f:kubernetes.azure.com/agentpool":{},"f:kubernetes.azure.com/kubelet-identity-client-id":{},"f:kubernetes.azure.com/mode":{},"f:kubernetes.azure.com/node-image-version":{},"f:kubernetes.io/arch":{},"f:kubernetes.io/hostname":{},"f:kubernetes.io/os":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:07:29Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{"f:node.alpha.kubernetes.io/ttl":{}}}}},{"manager":"cloud-node-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:07:44Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{"f:beta.kubernetes.io/instance-type":{},"f:failure-domain.beta.kubernetes.io/region":{},"f:failure-domain.beta.kubernetes.io/zone":{},"f:node.kubernetes.io/instance-type":{},"f:topology.kubernetes.io/region":{},"f:topology.kubernetes.io/zone":{}}},"f:spec":{"f:providerID":{}}}},{"manager":"cloud-node-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:07:44Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{"k:{\"type\":\"NetworkUnavailable\"}":{".":{},"f:type":{}}}}},"subresource":"status"},{"manager":"kubelet","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:07:48Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{"f:csi.volume.kubernetes.io/nodeid":{}},"f:labels":{"f:topology.disk.csi.azure.com/zone":{}}},"f:status":{"f:allocatable":{"f:ephemeral-storage":{}},"f:capacity":{"f:ephemeral-storage":{}},"f:conditions":{"k:{\"type\":\"DiskPressure\"}":{"f:lastHeartbeatTime":{}},"k:{\"type\":\"MemoryPressure\"}":{"f:lastHeartbeatTime":{}},"k:{\"type\":\"PIDPressure\"}":{"f:lastHeartbeatTime":{}},"k:{\"type\":\"Ready\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}}},"f:images":{}}},"subresource":"status"},{"manager":"kubectl-label","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:08:26Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{"f:kubernetes.io/role":{},"f:node-role.kubernetes.io/agent":{}}}}},{"manager":"cloud-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:09:09Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{"k:{\"type\":\"NetworkUnavailable\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}}}}},"subresource":"status"}]},"spec":{"podCIDR":"10.244.2.0/24","podCIDRs":["10.244.2.0/24"],"providerID":"azure:///subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/mc_conk8stest000001_test-force-delete000002_eastus2euap/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-78026764-vmss/virtualMachines/0"},"status":{"capacity":{"cpu":"2","ephemeral-storage":"129886128Ki","hugepages-1Gi":"0","hugepages-2Mi":"0","memory":"7116276Ki","pods":"110"},"allocatable":{"cpu":"1900m","ephemeral-storage":"119703055367","hugepages-1Gi":"0","hugepages-2Mi":"0","memory":"4670964Ki","pods":"110"},"conditions":[{"type":"NetworkUnavailable","status":"False","lastHeartbeatTime":"2022-11-24T19:09:09Z","lastTransitionTime":"2022-11-24T19:09:09Z","reason":"RouteCreated","message":"RouteController - created a route"},{"type":"MemoryPressure","status":"False","lastHeartbeatTime":"2022-11-24T19:07:29Z","lastTransitionTime":"2022-11-24T19:07:27Z","reason":"KubeletHasSufficientMemory","message":"kubelet - has sufficient memory available"},{"type":"DiskPressure","status":"False","lastHeartbeatTime":"2022-11-24T19:07:29Z","lastTransitionTime":"2022-11-24T19:07:27Z","reason":"KubeletHasNoDiskPressure","message":"kubelet - has no disk pressure"},{"type":"PIDPressure","status":"False","lastHeartbeatTime":"2022-11-24T19:07:29Z","lastTransitionTime":"2022-11-24T19:07:27Z","reason":"KubeletHasSufficientPID","message":"kubelet - has sufficient PID available"},{"type":"Ready","status":"True","lastHeartbeatTime":"2022-11-24T19:07:29Z","lastTransitionTime":"2022-11-24T19:07:29Z","reason":"KubeletReady","message":"kubelet - is posting ready status. AppArmor enabled"}],"addresses":[{"type":"InternalIP","address":"10.224.4.0"},{"type":"Hostname","address":"aks-nodepool1-78026764-vmss000000"}],"daemonEndpoints":{"kubeletEndpoint":{"Port":10250}},"nodeInfo":{"machineID":"810bd94bdf1c466bb776b94b92392e40","systemUUID":"f4d1b2a6-5213-4033-a766-27f86f3e07e1","bootID":"fcd7beaf-cb3c-4c72-a390-1e99a106a493","kernelVersion":"5.4.0-1094-azure","osImage":"Ubuntu - 18.04.6 LTS","containerRuntimeVersion":"containerd://1.6.4+azure-4","kubeletVersion":"v1.23.12","kubeProxyVersion":"v1.23.12","operatingSystem":"linux","architecture":"amd64"},"images":[{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod:ciprod10042022-3c05dd1b"],"sizeBytes":398142568},{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod:ciprod08102022"],"sizeBytes":397844357},{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod/prometheus-collector/images:5.4.0-main-10-26-2022-16f02b39"],"sizeBytes":317373885},{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod/prometheus-collector/images:5.3.0-main-10-06-2022-c0c49872"],"sizeBytes":314952834},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:0.49.3"],"sizeBytes":287741913},{"names":["mcr.microsoft.com/oss/calico/cni:v3.23.3"],"sizeBytes":254912666},{"names":["mcr.microsoft.com/oss/calico/cni:v3.21.6"],"sizeBytes":227829276},{"names":["mcr.microsoft.com/oss/calico/node:v3.21.6"],"sizeBytes":215379163},{"names":["mcr.microsoft.com/oss/calico/node:v3.23.3"],"sizeBytes":210001116},{"names":["mcr.microsoft.com/oss/tigera/operator:v1.23.8"],"sizeBytes":184105789},{"names":["mcr.microsoft.com/oss/cilium/cilium:1.12.2.3"],"sizeBytes":170029890},{"names":["mcr.microsoft.com/oss/cilium/cilium:1.12.2.2"],"sizeBytes":167729489},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:0.19.0"],"sizeBytes":166352383},{"names":["mcr.microsoft.com/aks/hcp/hcp-tunnel-front:master.220527.2"],"sizeBytes":146994488},{"names":null,"sizeBytes":138243950},{"names":["mcr.microsoft.com/oss/kubernetes/kube-proxy:v1.23.12-hotfix.20220922.1"],"sizeBytes":128992809},{"names":null,"sizeBytes":128984097},{"names":["mcr.microsoft.com/oss/calico/kube-controllers:v3.23.3"],"sizeBytes":127665612},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.2.2.5"],"sizeBytes":123925992},{"names":null,"sizeBytes":123550720},{"names":null,"sizeBytes":123549904},{"names":["mcr.microsoft.com/oss/calico/kube-controllers:v3.21.6"],"sizeBytes":123549280},{"names":null,"sizeBytes":123542588},{"names":null,"sizeBytes":123542274},{"names":["mcr.microsoft.com/oss/calico/typha:v3.23.3"],"sizeBytes":123064920},{"names":null,"sizeBytes":122387306},{"names":null,"sizeBytes":122382675},{"names":["mcr.microsoft.com/oss/calico/typha:v3.21.6"],"sizeBytes":119713369},{"names":null,"sizeBytes":115897326},{"names":null,"sizeBytes":115893258},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:v1.2.1"],"sizeBytes":107169290},{"names":["mcr.microsoft.com/oss/calico/node:v3.8.9.5"],"sizeBytes":101794833},{"names":["mcr.microsoft.com/containernetworking/azure-cns:v1.4.35"],"sizeBytes":101298296},{"names":["mcr.microsoft.com/aks/acc/sgx-attestation:3.1"],"sizeBytes":98058501},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.23.0"],"sizeBytes":95915873},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.24.0"],"sizeBytes":94685945},{"names":["mcr.microsoft.com/oss/kubernetes/exechealthz:1.2_v0.0.5"],"sizeBytes":94348102},{"names":["mcr.microsoft.com/aks/hcp/tunnel-openvpn:master.220527.2"],"sizeBytes":92531564},{"names":["mcr.microsoft.com/containernetworking/azure-npm:v1.4.32"],"sizeBytes":90048618},{"names":["mcr.microsoft.com/containernetworking/azure-npm:v1.4.29"],"sizeBytes":89255513},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.2.2"],"sizeBytes":88551490},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.22.0"],"sizeBytes":83173887},{"names":["mcr.microsoft.com/aks/command/runtime:master.220211.1"],"sizeBytes":82792811},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.23.0"],"sizeBytes":81885892},{"names":["mcr.microsoft.com/oss/nvidia/k8s-device-plugin:v0.9.0"],"sizeBytes":67291599},{"names":["mcr.microsoft.com/containernetworking/cni-dropgz:v0.0.2"],"sizeBytes":67202663},{"names":["mcr.microsoft.com/oss/tigera/operator:v1.27.12"],"sizeBytes":64784076},{"names":["mcr.microsoft.com/oss/kubernetes-csi/secrets-store/driver:v1.2.2.3"],"sizeBytes":64781810},{"names":["mcr.microsoft.com/oss/calico/cni:v3.8.9.3"],"sizeBytes":63581323},{"names":null,"sizeBytes":63271677}]}},{"metadata":{"name":"aks-nodepool1-78026764-vmss000001","uid":"288fd529-6ff3-4e6a-b320-525efd08e84e","resourceVersion":"1533","creationTimestamp":"2022-11-24T19:07:27Z","labels":{"agentpool":"nodepool1","beta.kubernetes.io/arch":"amd64","beta.kubernetes.io/instance-type":"Standard_DS2_v2","beta.kubernetes.io/os":"linux","failure-domain.beta.kubernetes.io/region":"eastus2euap","failure-domain.beta.kubernetes.io/zone":"0","kubernetes.azure.com/agentpool":"nodepool1","kubernetes.azure.com/cluster":"MC_conk8stest000001_test-force-delete000002_eastus2euap","kubernetes.azure.com/kubelet-identity-client-id":"e72446c8-e53a-4520-9f8a-a04613d5a8c0","kubernetes.azure.com/mode":"system","kubernetes.azure.com/node-image-version":"AKSUbuntu-1804gen2containerd-2022.11.02","kubernetes.azure.com/os-sku":"Ubuntu","kubernetes.azure.com/role":"agent","kubernetes.azure.com/storageprofile":"managed","kubernetes.azure.com/storagetier":"Premium_LRS","kubernetes.io/arch":"amd64","kubernetes.io/hostname":"aks-nodepool1-78026764-vmss000001","kubernetes.io/os":"linux","kubernetes.io/role":"agent","node-role.kubernetes.io/agent":"","node.kubernetes.io/instance-type":"Standard_DS2_v2","storageprofile":"managed","storagetier":"Premium_LRS","topology.disk.csi.azure.com/zone":"","topology.kubernetes.io/region":"eastus2euap","topology.kubernetes.io/zone":"0"},"annotations":{"csi.volume.kubernetes.io/nodeid":"{\"disk.csi.azure.com\":\"aks-nodepool1-78026764-vmss000001\",\"file.csi.azure.com\":\"aks-nodepool1-78026764-vmss000001\"}","node.alpha.kubernetes.io/ttl":"0","volumes.kubernetes.io/controller-managed-attach-detach":"true"},"managedFields":[{"manager":"cloud-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:07:27Z","fieldsType":"FieldsV1","fieldsV1":{"f:spec":{"f:podCIDR":{},"f:podCIDRs":{".":{},"v:\"10.244.1.0/24\"":{}}}}},{"manager":"kubelet","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:07:27Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:volumes.kubernetes.io/controller-managed-attach-detach":{}},"f:labels":{".":{},"f:agentpool":{},"f:beta.kubernetes.io/arch":{},"f:beta.kubernetes.io/os":{},"f:kubernetes.azure.com/agentpool":{},"f:kubernetes.azure.com/kubelet-identity-client-id":{},"f:kubernetes.azure.com/mode":{},"f:kubernetes.azure.com/node-image-version":{},"f:kubernetes.io/arch":{},"f:kubernetes.io/hostname":{},"f:kubernetes.io/os":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:07:29Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{"f:node.alpha.kubernetes.io/ttl":{}}}}},{"manager":"cloud-node-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:07:48Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{"f:beta.kubernetes.io/instance-type":{},"f:failure-domain.beta.kubernetes.io/region":{},"f:failure-domain.beta.kubernetes.io/zone":{},"f:node.kubernetes.io/instance-type":{},"f:topology.kubernetes.io/region":{},"f:topology.kubernetes.io/zone":{}}},"f:spec":{"f:providerID":{}}}},{"manager":"cloud-node-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:07:48Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{"k:{\"type\":\"NetworkUnavailable\"}":{".":{},"f:type":{}}}}},"subresource":"status"},{"manager":"kubelet","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:07:50Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{"f:csi.volume.kubernetes.io/nodeid":{}},"f:labels":{"f:topology.disk.csi.azure.com/zone":{}}},"f:status":{"f:allocatable":{"f:ephemeral-storage":{}},"f:capacity":{"f:ephemeral-storage":{}},"f:conditions":{"k:{\"type\":\"DiskPressure\"}":{"f:lastHeartbeatTime":{}},"k:{\"type\":\"MemoryPressure\"}":{"f:lastHeartbeatTime":{}},"k:{\"type\":\"PIDPressure\"}":{"f:lastHeartbeatTime":{}},"k:{\"type\":\"Ready\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}}},"f:images":{}}},"subresource":"status"},{"manager":"kubectl-label","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:08:26Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{"f:kubernetes.io/role":{},"f:node-role.kubernetes.io/agent":{}}}}},{"manager":"cloud-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:09:09Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{"k:{\"type\":\"NetworkUnavailable\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}}}}},"subresource":"status"}]},"spec":{"podCIDR":"10.244.1.0/24","podCIDRs":["10.244.1.0/24"],"providerID":"azure:///subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/mc_conk8stest000001_test-force-delete000002_eastus2euap/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-78026764-vmss/virtualMachines/1"},"status":{"capacity":{"cpu":"2","ephemeral-storage":"129886128Ki","hugepages-1Gi":"0","hugepages-2Mi":"0","memory":"7116276Ki","pods":"110"},"allocatable":{"cpu":"1900m","ephemeral-storage":"119703055367","hugepages-1Gi":"0","hugepages-2Mi":"0","memory":"4670964Ki","pods":"110"},"conditions":[{"type":"NetworkUnavailable","status":"False","lastHeartbeatTime":"2022-11-24T19:09:09Z","lastTransitionTime":"2022-11-24T19:09:09Z","reason":"RouteCreated","message":"RouteController - created a route"},{"type":"MemoryPressure","status":"False","lastHeartbeatTime":"2022-11-24T19:07:37Z","lastTransitionTime":"2022-11-24T19:07:27Z","reason":"KubeletHasSufficientMemory","message":"kubelet - has sufficient memory available"},{"type":"DiskPressure","status":"False","lastHeartbeatTime":"2022-11-24T19:07:37Z","lastTransitionTime":"2022-11-24T19:07:27Z","reason":"KubeletHasNoDiskPressure","message":"kubelet - has no disk pressure"},{"type":"PIDPressure","status":"False","lastHeartbeatTime":"2022-11-24T19:07:37Z","lastTransitionTime":"2022-11-24T19:07:27Z","reason":"KubeletHasSufficientPID","message":"kubelet - has sufficient PID available"},{"type":"Ready","status":"True","lastHeartbeatTime":"2022-11-24T19:07:37Z","lastTransitionTime":"2022-11-24T19:07:37Z","reason":"KubeletReady","message":"kubelet - is posting ready status. AppArmor enabled"}],"addresses":[{"type":"InternalIP","address":"10.224.140.0"},{"type":"Hostname","address":"aks-nodepool1-78026764-vmss000001"}],"daemonEndpoints":{"kubeletEndpoint":{"Port":10250}},"nodeInfo":{"machineID":"504dbccfd7014115949a1fac1d1b7247","systemUUID":"44b7dd37-cef3-41c8-bdde-08730d5accf5","bootID":"30bc9693-58b3-4bd4-a295-4db561ed2e3f","kernelVersion":"5.4.0-1094-azure","osImage":"Ubuntu - 18.04.6 LTS","containerRuntimeVersion":"containerd://1.6.4+azure-4","kubeletVersion":"v1.23.12","kubeProxyVersion":"v1.23.12","operatingSystem":"linux","architecture":"amd64"},"images":[{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod:ciprod10042022-3c05dd1b"],"sizeBytes":398142568},{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod:ciprod08102022"],"sizeBytes":397844357},{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod/prometheus-collector/images:5.4.0-main-10-26-2022-16f02b39"],"sizeBytes":317373885},{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod/prometheus-collector/images:5.3.0-main-10-06-2022-c0c49872"],"sizeBytes":314952834},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:0.49.3"],"sizeBytes":287741913},{"names":["mcr.microsoft.com/oss/calico/cni:v3.23.3"],"sizeBytes":254912666},{"names":["mcr.microsoft.com/oss/calico/cni:v3.21.6"],"sizeBytes":227829276},{"names":["mcr.microsoft.com/oss/calico/node:v3.21.6"],"sizeBytes":215379163},{"names":["mcr.microsoft.com/oss/calico/node:v3.23.3"],"sizeBytes":210001116},{"names":["mcr.microsoft.com/oss/tigera/operator:v1.23.8"],"sizeBytes":184105789},{"names":["mcr.microsoft.com/oss/cilium/cilium:1.12.2.3"],"sizeBytes":170029890},{"names":["mcr.microsoft.com/oss/cilium/cilium:1.12.2.2"],"sizeBytes":167729489},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:0.19.0"],"sizeBytes":166352383},{"names":["mcr.microsoft.com/aks/hcp/hcp-tunnel-front:master.220527.2"],"sizeBytes":146994488},{"names":null,"sizeBytes":138243950},{"names":["mcr.microsoft.com/oss/kubernetes/kube-proxy:v1.23.12-hotfix.20220922.1"],"sizeBytes":128992809},{"names":null,"sizeBytes":128984097},{"names":["mcr.microsoft.com/oss/calico/kube-controllers:v3.23.3"],"sizeBytes":127665612},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.2.2.5"],"sizeBytes":123925992},{"names":null,"sizeBytes":123550720},{"names":null,"sizeBytes":123549904},{"names":["mcr.microsoft.com/oss/calico/kube-controllers:v3.21.6"],"sizeBytes":123549280},{"names":null,"sizeBytes":123542588},{"names":null,"sizeBytes":123542274},{"names":["mcr.microsoft.com/oss/calico/typha:v3.23.3"],"sizeBytes":123064920},{"names":null,"sizeBytes":122387306},{"names":null,"sizeBytes":122382675},{"names":["mcr.microsoft.com/oss/calico/typha:v3.21.6"],"sizeBytes":119713369},{"names":null,"sizeBytes":115897326},{"names":null,"sizeBytes":115893258},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:v1.2.1"],"sizeBytes":107169290},{"names":["mcr.microsoft.com/oss/calico/node:v3.8.9.5"],"sizeBytes":101794833},{"names":["mcr.microsoft.com/containernetworking/azure-cns:v1.4.35"],"sizeBytes":101298296},{"names":["mcr.microsoft.com/aks/acc/sgx-attestation:3.1"],"sizeBytes":98058501},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.23.0"],"sizeBytes":95915873},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.24.0"],"sizeBytes":94685945},{"names":["mcr.microsoft.com/oss/kubernetes/exechealthz:1.2_v0.0.5"],"sizeBytes":94348102},{"names":["mcr.microsoft.com/aks/hcp/tunnel-openvpn:master.220527.2"],"sizeBytes":92531564},{"names":["mcr.microsoft.com/containernetworking/azure-npm:v1.4.32"],"sizeBytes":90048618},{"names":["mcr.microsoft.com/containernetworking/azure-npm:v1.4.29"],"sizeBytes":89255513},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.2.2"],"sizeBytes":88551490},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.22.0"],"sizeBytes":83173887},{"names":["mcr.microsoft.com/aks/command/runtime:master.220211.1"],"sizeBytes":82792811},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.23.0"],"sizeBytes":81885892},{"names":["mcr.microsoft.com/oss/nvidia/k8s-device-plugin:v0.9.0"],"sizeBytes":67291599},{"names":["mcr.microsoft.com/containernetworking/cni-dropgz:v0.0.2"],"sizeBytes":67202663},{"names":["mcr.microsoft.com/oss/tigera/operator:v1.27.12"],"sizeBytes":64784076},{"names":["mcr.microsoft.com/oss/kubernetes-csi/secrets-store/driver:v1.2.2.3"],"sizeBytes":64781810},{"names":["mcr.microsoft.com/oss/calico/cni:v3.8.9.3"],"sizeBytes":63581323},{"names":null,"sizeBytes":63271677}]}},{"metadata":{"name":"aks-nodepool1-78026764-vmss000002","uid":"df4863f2-74dc-4be6-ad0e-a787384798ce","resourceVersion":"1208","creationTimestamp":"2022-11-24T19:07:21Z","labels":{"agentpool":"nodepool1","beta.kubernetes.io/arch":"amd64","beta.kubernetes.io/instance-type":"Standard_DS2_v2","beta.kubernetes.io/os":"linux","failure-domain.beta.kubernetes.io/region":"eastus2euap","failure-domain.beta.kubernetes.io/zone":"0","kubernetes.azure.com/agentpool":"nodepool1","kubernetes.azure.com/cluster":"MC_conk8stest000001_test-force-delete000002_eastus2euap","kubernetes.azure.com/kubelet-identity-client-id":"e72446c8-e53a-4520-9f8a-a04613d5a8c0","kubernetes.azure.com/mode":"system","kubernetes.azure.com/node-image-version":"AKSUbuntu-1804gen2containerd-2022.11.02","kubernetes.azure.com/os-sku":"Ubuntu","kubernetes.azure.com/role":"agent","kubernetes.azure.com/storageprofile":"managed","kubernetes.azure.com/storagetier":"Premium_LRS","kubernetes.io/arch":"amd64","kubernetes.io/hostname":"aks-nodepool1-78026764-vmss000002","kubernetes.io/os":"linux","kubernetes.io/role":"agent","node-role.kubernetes.io/agent":"","node.kubernetes.io/instance-type":"Standard_DS2_v2","storageprofile":"managed","storagetier":"Premium_LRS","topology.disk.csi.azure.com/zone":"","topology.kubernetes.io/region":"eastus2euap","topology.kubernetes.io/zone":"0"},"annotations":{"csi.volume.kubernetes.io/nodeid":"{\"disk.csi.azure.com\":\"aks-nodepool1-78026764-vmss000002\",\"file.csi.azure.com\":\"aks-nodepool1-78026764-vmss000002\"}","node.alpha.kubernetes.io/ttl":"0","volumes.kubernetes.io/controller-managed-attach-detach":"true"},"managedFields":[{"manager":"cloud-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:07:21Z","fieldsType":"FieldsV1","fieldsV1":{"f:spec":{"f:podCIDR":{},"f:podCIDRs":{".":{},"v:\"10.244.0.0/24\"":{}}}}},{"manager":"kubelet","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:07:21Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:volumes.kubernetes.io/controller-managed-attach-detach":{}},"f:labels":{".":{},"f:agentpool":{},"f:beta.kubernetes.io/arch":{},"f:beta.kubernetes.io/os":{},"f:kubernetes.azure.com/agentpool":{},"f:kubernetes.azure.com/kubelet-identity-client-id":{},"f:kubernetes.azure.com/mode":{},"f:kubernetes.azure.com/node-image-version":{},"f:kubernetes.io/arch":{},"f:kubernetes.io/hostname":{},"f:kubernetes.io/os":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:07:23Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{"f:node.alpha.kubernetes.io/ttl":{}}}}},{"manager":"kubectl-label","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:07:26Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{"f:kubernetes.io/role":{},"f:node-role.kubernetes.io/agent":{}}}}},{"manager":"cloud-node-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:07:32Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{"f:beta.kubernetes.io/instance-type":{},"f:failure-domain.beta.kubernetes.io/region":{},"f:failure-domain.beta.kubernetes.io/zone":{},"f:node.kubernetes.io/instance-type":{},"f:topology.kubernetes.io/region":{},"f:topology.kubernetes.io/zone":{}}},"f:spec":{"f:providerID":{}}}},{"manager":"cloud-node-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:07:32Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{"k:{\"type\":\"NetworkUnavailable\"}":{".":{},"f:type":{}}}}},"subresource":"status"},{"manager":"kubelet","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:07:35Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{"f:csi.volume.kubernetes.io/nodeid":{}},"f:labels":{"f:topology.disk.csi.azure.com/zone":{}}},"f:status":{"f:allocatable":{"f:ephemeral-storage":{}},"f:capacity":{"f:ephemeral-storage":{}},"f:conditions":{"k:{\"type\":\"DiskPressure\"}":{"f:lastHeartbeatTime":{}},"k:{\"type\":\"MemoryPressure\"}":{"f:lastHeartbeatTime":{}},"k:{\"type\":\"PIDPressure\"}":{"f:lastHeartbeatTime":{}},"k:{\"type\":\"Ready\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}}},"f:images":{}}},"subresource":"status"},{"manager":"cloud-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:08:09Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{"k:{\"type\":\"NetworkUnavailable\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}}}}},"subresource":"status"}]},"spec":{"podCIDR":"10.244.0.0/24","podCIDRs":["10.244.0.0/24"],"providerID":"azure:///subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/mc_conk8stest000001_test-force-delete000002_eastus2euap/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-78026764-vmss/virtualMachines/2"},"status":{"capacity":{"cpu":"2","ephemeral-storage":"129886128Ki","hugepages-1Gi":"0","hugepages-2Mi":"0","memory":"7116276Ki","pods":"110"},"allocatable":{"cpu":"1900m","ephemeral-storage":"119703055367","hugepages-1Gi":"0","hugepages-2Mi":"0","memory":"4670964Ki","pods":"110"},"conditions":[{"type":"NetworkUnavailable","status":"False","lastHeartbeatTime":"2022-11-24T19:08:09Z","lastTransitionTime":"2022-11-24T19:08:09Z","reason":"RouteCreated","message":"RouteController - created a route"},{"type":"MemoryPressure","status":"False","lastHeartbeatTime":"2022-11-24T19:07:23Z","lastTransitionTime":"2022-11-24T19:07:21Z","reason":"KubeletHasSufficientMemory","message":"kubelet - has sufficient memory available"},{"type":"DiskPressure","status":"False","lastHeartbeatTime":"2022-11-24T19:07:23Z","lastTransitionTime":"2022-11-24T19:07:21Z","reason":"KubeletHasNoDiskPressure","message":"kubelet - has no disk pressure"},{"type":"PIDPressure","status":"False","lastHeartbeatTime":"2022-11-24T19:07:23Z","lastTransitionTime":"2022-11-24T19:07:21Z","reason":"KubeletHasSufficientPID","message":"kubelet - has sufficient PID available"},{"type":"Ready","status":"True","lastHeartbeatTime":"2022-11-24T19:07:23Z","lastTransitionTime":"2022-11-24T19:07:23Z","reason":"KubeletReady","message":"kubelet - is posting ready status. AppArmor enabled"}],"addresses":[{"type":"InternalIP","address":"10.224.140.1"},{"type":"Hostname","address":"aks-nodepool1-78026764-vmss000002"}],"daemonEndpoints":{"kubeletEndpoint":{"Port":10250}},"nodeInfo":{"machineID":"f438abdfcbfb4517bb4cbcdfa96b4a8c","systemUUID":"3e58c994-de14-4350-8de9-695011a6e79d","bootID":"a9d89c07-f09b-4c10-87d8-015850c99aee","kernelVersion":"5.4.0-1094-azure","osImage":"Ubuntu - 18.04.6 LTS","containerRuntimeVersion":"containerd://1.6.4+azure-4","kubeletVersion":"v1.23.12","kubeProxyVersion":"v1.23.12","operatingSystem":"linux","architecture":"amd64"},"images":[{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod:ciprod10042022-3c05dd1b"],"sizeBytes":398142568},{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod:ciprod08102022"],"sizeBytes":397844357},{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod/prometheus-collector/images:5.4.0-main-10-26-2022-16f02b39"],"sizeBytes":317373885},{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod/prometheus-collector/images:5.3.0-main-10-06-2022-c0c49872"],"sizeBytes":314952834},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:0.49.3"],"sizeBytes":287741913},{"names":["mcr.microsoft.com/oss/calico/cni:v3.23.3"],"sizeBytes":254912666},{"names":["mcr.microsoft.com/oss/calico/cni:v3.21.6"],"sizeBytes":227829276},{"names":["mcr.microsoft.com/oss/calico/node:v3.21.6"],"sizeBytes":215379163},{"names":["mcr.microsoft.com/oss/calico/node:v3.23.3"],"sizeBytes":210001116},{"names":["mcr.microsoft.com/oss/tigera/operator:v1.23.8"],"sizeBytes":184105789},{"names":["mcr.microsoft.com/oss/cilium/cilium:1.12.2.3"],"sizeBytes":170029890},{"names":["mcr.microsoft.com/oss/cilium/cilium:1.12.2.2"],"sizeBytes":167729489},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:0.19.0"],"sizeBytes":166352383},{"names":["mcr.microsoft.com/aks/hcp/hcp-tunnel-front:master.220527.2"],"sizeBytes":146994488},{"names":null,"sizeBytes":138243950},{"names":["mcr.microsoft.com/oss/kubernetes/kube-proxy:v1.23.12-hotfix.20220922.1"],"sizeBytes":128992809},{"names":null,"sizeBytes":128984097},{"names":["mcr.microsoft.com/oss/calico/kube-controllers:v3.23.3"],"sizeBytes":127665612},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.2.2.5"],"sizeBytes":123925992},{"names":null,"sizeBytes":123550720},{"names":null,"sizeBytes":123549904},{"names":["mcr.microsoft.com/oss/calico/kube-controllers:v3.21.6"],"sizeBytes":123549280},{"names":null,"sizeBytes":123542588},{"names":null,"sizeBytes":123542274},{"names":["mcr.microsoft.com/oss/calico/typha:v3.23.3"],"sizeBytes":123064920},{"names":null,"sizeBytes":122387306},{"names":null,"sizeBytes":122382675},{"names":["mcr.microsoft.com/oss/calico/typha:v3.21.6"],"sizeBytes":119713369},{"names":null,"sizeBytes":115897326},{"names":null,"sizeBytes":115893258},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:v1.2.1"],"sizeBytes":107169290},{"names":["mcr.microsoft.com/oss/calico/node:v3.8.9.5"],"sizeBytes":101794833},{"names":["mcr.microsoft.com/containernetworking/azure-cns:v1.4.35"],"sizeBytes":101298296},{"names":["mcr.microsoft.com/aks/acc/sgx-attestation:3.1"],"sizeBytes":98058501},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.23.0"],"sizeBytes":95915873},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.24.0"],"sizeBytes":94685945},{"names":["mcr.microsoft.com/oss/kubernetes/exechealthz:1.2_v0.0.5"],"sizeBytes":94348102},{"names":["mcr.microsoft.com/aks/hcp/tunnel-openvpn:master.220527.2"],"sizeBytes":92531564},{"names":["mcr.microsoft.com/containernetworking/azure-npm:v1.4.32"],"sizeBytes":90048618},{"names":["mcr.microsoft.com/containernetworking/azure-npm:v1.4.29"],"sizeBytes":89255513},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.2.2"],"sizeBytes":88551490},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.22.0"],"sizeBytes":83173887},{"names":["mcr.microsoft.com/aks/command/runtime:master.220211.1"],"sizeBytes":82792811},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.23.0"],"sizeBytes":81885892},{"names":["mcr.microsoft.com/oss/nvidia/k8s-device-plugin:v0.9.0"],"sizeBytes":67291599},{"names":["mcr.microsoft.com/containernetworking/cni-dropgz:v0.0.2"],"sizeBytes":67202663},{"names":["mcr.microsoft.com/oss/tigera/operator:v1.27.12"],"sizeBytes":64784076},{"names":["mcr.microsoft.com/oss/kubernetes-csi/secrets-store/driver:v1.2.2.3"],"sizeBytes":64781810},{"names":["mcr.microsoft.com/oss/calico/cni:v3.8.9.3"],"sizeBytes":63581323},{"names":null,"sizeBytes":63271677}]}}]} + string: '{"kind":"NodeList","apiVersion":"v1","metadata":{"resourceVersion":"1501"},"items":[{"metadata":{"name":"aks-nodepool1-67049894-vmss000000","uid":"c51f8592-b109-4946-a303-a53d917c9871","resourceVersion":"1022","creationTimestamp":"2022-11-15T11:35:10Z","labels":{"agentpool":"nodepool1","beta.kubernetes.io/arch":"amd64","beta.kubernetes.io/instance-type":"Standard_B4ms","beta.kubernetes.io/os":"linux","failure-domain.beta.kubernetes.io/region":"westeurope","failure-domain.beta.kubernetes.io/zone":"0","kubernetes.azure.com/agentpool":"nodepool1","kubernetes.azure.com/cluster":"MC_rohanazuregroup_test-force-delete000001_westeurope","kubernetes.azure.com/kubelet-identity-client-id":"c27d58c7-a95c-4e20-8ed1-7a1748a68d3f","kubernetes.azure.com/mode":"system","kubernetes.azure.com/node-image-version":"AKSUbuntu-1804gen2containerd-2022.10.24","kubernetes.azure.com/os-sku":"Ubuntu","kubernetes.azure.com/role":"agent","kubernetes.azure.com/storageprofile":"managed","kubernetes.azure.com/storagetier":"Premium_LRS","kubernetes.io/arch":"amd64","kubernetes.io/hostname":"aks-nodepool1-67049894-vmss000000","kubernetes.io/os":"linux","kubernetes.io/role":"agent","node-role.kubernetes.io/agent":"","node.kubernetes.io/instance-type":"Standard_B4ms","storageprofile":"managed","storagetier":"Premium_LRS","topology.disk.csi.azure.com/zone":"","topology.kubernetes.io/region":"westeurope","topology.kubernetes.io/zone":"0"},"annotations":{"csi.volume.kubernetes.io/nodeid":"{\"disk.csi.azure.com\":\"aks-nodepool1-67049894-vmss000000\",\"file.csi.azure.com\":\"aks-nodepool1-67049894-vmss000000\"}","node.alpha.kubernetes.io/ttl":"0","volumes.kubernetes.io/controller-managed-attach-detach":"true"},"managedFields":[{"manager":"cloud-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:10Z","fieldsType":"FieldsV1","fieldsV1":{"f:spec":{"f:podCIDR":{},"f:podCIDRs":{".":{},"v:\"10.244.0.0/24\"":{}}}}},{"manager":"kubelet","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:10Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:volumes.kubernetes.io/controller-managed-attach-detach":{}},"f:labels":{".":{},"f:agentpool":{},"f:beta.kubernetes.io/arch":{},"f:beta.kubernetes.io/os":{},"f:kubernetes.azure.com/agentpool":{},"f:kubernetes.azure.com/kubelet-identity-client-id":{},"f:kubernetes.azure.com/mode":{},"f:kubernetes.azure.com/node-image-version":{},"f:kubernetes.io/arch":{},"f:kubernetes.io/hostname":{},"f:kubernetes.io/os":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:20Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{"f:node.alpha.kubernetes.io/ttl":{}}}}},{"manager":"cloud-node-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:22Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{"f:beta.kubernetes.io/instance-type":{},"f:failure-domain.beta.kubernetes.io/region":{},"f:failure-domain.beta.kubernetes.io/zone":{},"f:node.kubernetes.io/instance-type":{},"f:topology.kubernetes.io/region":{},"f:topology.kubernetes.io/zone":{}}},"f:spec":{"f:providerID":{}}}},{"manager":"cloud-node-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:22Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{"k:{\"type\":\"NetworkUnavailable\"}":{".":{},"f:type":{}}}}},"subresource":"status"},{"manager":"kubectl-label","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:25Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{"f:kubernetes.io/role":{},"f:node-role.kubernetes.io/agent":{}}}}},{"manager":"kubelet","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:26Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{"f:csi.volume.kubernetes.io/nodeid":{}},"f:labels":{"f:topology.disk.csi.azure.com/zone":{}}},"f:status":{"f:allocatable":{"f:ephemeral-storage":{}},"f:capacity":{"f:ephemeral-storage":{}},"f:conditions":{"k:{\"type\":\"DiskPressure\"}":{"f:lastHeartbeatTime":{}},"k:{\"type\":\"MemoryPressure\"}":{"f:lastHeartbeatTime":{}},"k:{\"type\":\"PIDPressure\"}":{"f:lastHeartbeatTime":{}},"k:{\"type\":\"Ready\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}}},"f:images":{}}},"subresource":"status"},{"manager":"cloud-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:35:57Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{"k:{\"type\":\"NetworkUnavailable\"}":{"f:lastHeartbeatTime":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{}}}}},"subresource":"status"}]},"spec":{"podCIDR":"10.244.0.0/24","podCIDRs":["10.244.0.0/24"],"providerID":"azure:///subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/mc_rohanazuregroup_test-force-delete000001_westeurope/providers/Microsoft.Compute/virtualMachineScaleSets/aks-nodepool1-67049894-vmss/virtualMachines/0"},"status":{"capacity":{"cpu":"4","ephemeral-storage":"129886128Ki","hugepages-1Gi":"0","hugepages-2Mi":"0","memory":"16393244Ki","pods":"110"},"allocatable":{"cpu":"3860m","ephemeral-storage":"119703055367","hugepages-1Gi":"0","hugepages-2Mi":"0","memory":"12899356Ki","pods":"110"},"conditions":[{"type":"NetworkUnavailable","status":"False","lastHeartbeatTime":"2022-11-15T11:35:57Z","lastTransitionTime":"2022-11-15T11:35:57Z","reason":"RouteCreated","message":"RouteController + created a route"},{"type":"MemoryPressure","status":"False","lastHeartbeatTime":"2022-11-15T11:35:20Z","lastTransitionTime":"2022-11-15T11:35:10Z","reason":"KubeletHasSufficientMemory","message":"kubelet + has sufficient memory available"},{"type":"DiskPressure","status":"False","lastHeartbeatTime":"2022-11-15T11:35:20Z","lastTransitionTime":"2022-11-15T11:35:10Z","reason":"KubeletHasNoDiskPressure","message":"kubelet + has no disk pressure"},{"type":"PIDPressure","status":"False","lastHeartbeatTime":"2022-11-15T11:35:20Z","lastTransitionTime":"2022-11-15T11:35:10Z","reason":"KubeletHasSufficientPID","message":"kubelet + has sufficient PID available"},{"type":"Ready","status":"True","lastHeartbeatTime":"2022-11-15T11:35:20Z","lastTransitionTime":"2022-11-15T11:35:20Z","reason":"KubeletReady","message":"kubelet + is posting ready status. AppArmor enabled"}],"addresses":[{"type":"InternalIP","address":"10.224.0.4"},{"type":"Hostname","address":"aks-nodepool1-67049894-vmss000000"}],"daemonEndpoints":{"kubeletEndpoint":{"Port":10250}},"nodeInfo":{"machineID":"121293ffb7ad4053ba3789c4735012a7","systemUUID":"73e4898a-5d1b-4151-97f4-b460f983e7e7","bootID":"478f2f98-e9b6-424f-bd9c-8ebfd8a9e7c5","kernelVersion":"5.4.0-1094-azure","osImage":"Ubuntu + 18.04.6 LTS","containerRuntimeVersion":"containerd://1.5.11+azure-2","kubeletVersion":"v1.23.12","kubeProxyVersion":"v1.23.12","operatingSystem":"linux","architecture":"amd64"},"images":[{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod:ciprod10042022-3c05dd1b"],"sizeBytes":398142568},{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod:ciprod08102022"],"sizeBytes":397844357},{"names":["mcr.microsoft.com/azuremonitor/containerinsights/ciprod/prometheus-collector/images:5.3.0-main-10-06-2022-c0c49872"],"sizeBytes":314952834},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:0.49.3"],"sizeBytes":287741913},{"names":["mcr.microsoft.com/oss/calico/cni:v3.23.1"],"sizeBytes":263014840},{"names":["mcr.microsoft.com/oss/calico/cni:v3.21.4"],"sizeBytes":236345866},{"names":["mcr.microsoft.com/oss/calico/cni:v3.21.6"],"sizeBytes":227829276},{"names":["mcr.microsoft.com/oss/calico/node:v3.23.1"],"sizeBytes":221560540},{"names":["mcr.microsoft.com/oss/calico/node:v3.21.4"],"sizeBytes":216363503},{"names":["mcr.microsoft.com/oss/calico/node:v3.21.6"],"sizeBytes":215379163},{"names":["mcr.microsoft.com/oss/cilium/cilium:1.12.2.2"],"sizeBytes":167729489},{"names":["mcr.microsoft.com/oss/cilium/cilium:1.12.2"],"sizeBytes":166611722},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:0.19.0"],"sizeBytes":166352383},{"names":["mcr.microsoft.com/aks/hcp/hcp-tunnel-front:master.220527.2"],"sizeBytes":146994488},{"names":null,"sizeBytes":138243950},{"names":["mcr.microsoft.com/oss/calico/kube-controllers:v3.23.1"],"sizeBytes":136078571},{"names":["mcr.microsoft.com/oss/calico/typha:v3.23.1"],"sizeBytes":131467121},{"names":["mcr.microsoft.com/oss/kubernetes/kube-proxy:v1.23.12-hotfix.20220922.1"],"sizeBytes":128992809},{"names":null,"sizeBytes":128984097},{"names":["mcr.microsoft.com/oss/tigera/operator:v1.24.2"],"sizeBytes":128711964},{"names":["mcr.microsoft.com/oss/calico/typha:v3.21.4"],"sizeBytes":128235133},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.2.2.5"],"sizeBytes":123925992},{"names":null,"sizeBytes":123550720},{"names":null,"sizeBytes":123549904},{"names":["mcr.microsoft.com/oss/calico/kube-controllers:v3.21.6"],"sizeBytes":123549280},{"names":null,"sizeBytes":123542588},{"names":null,"sizeBytes":123542274},{"names":["mcr.microsoft.com/oss/calico/typha:v3.21.6"],"sizeBytes":119713369},{"names":null,"sizeBytes":115909379},{"names":null,"sizeBytes":115897326},{"names":null,"sizeBytes":115893258},{"names":["mcr.microsoft.com/oss/kubernetes/ingress/nginx-ingress-controller:v1.2.1"],"sizeBytes":107169290},{"names":["mcr.microsoft.com/oss/calico/node:v3.8.9.5"],"sizeBytes":101794833},{"names":["mcr.microsoft.com/containernetworking/azure-cns:v1.4.35"],"sizeBytes":101298296},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.22.0.3"],"sizeBytes":99538753},{"names":["mcr.microsoft.com/aks/acc/sgx-attestation:3.1"],"sizeBytes":98058501},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azuredisk-csi:v1.23.0"],"sizeBytes":95915873},{"names":["mcr.microsoft.com/oss/kubernetes/exechealthz:1.2_v0.0.5"],"sizeBytes":94348102},{"names":["mcr.microsoft.com/aks/hcp/tunnel-openvpn:master.220527.2"],"sizeBytes":92531564},{"names":["mcr.microsoft.com/containernetworking/azure-npm:v1.4.32"],"sizeBytes":90048618},{"names":["mcr.microsoft.com/containernetworking/azure-npm:v1.4.29"],"sizeBytes":89255513},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.2.2"],"sizeBytes":88551490},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.22.0"],"sizeBytes":83173887},{"names":["mcr.microsoft.com/aks/command/runtime:master.220211.1"],"sizeBytes":82792811},{"names":["mcr.microsoft.com/oss/kubernetes-csi/azurefile-csi:v1.21.0"],"sizeBytes":75345915},{"names":["mcr.microsoft.com/oss/nvidia/k8s-device-plugin:v0.9.0"],"sizeBytes":67291599},{"names":["mcr.microsoft.com/containernetworking/cni-dropgz:v0.0.2"],"sizeBytes":67202663},{"names":["mcr.microsoft.com/oss/tigera/operator:v1.27.12"],"sizeBytes":64784076},{"names":["mcr.microsoft.com/oss/kubernetes-csi/secrets-store/driver:v1.2.2.3"],"sizeBytes":64781810},{"names":["mcr.microsoft.com/oss/calico/cni:v3.8.9.3"],"sizeBytes":63581323}]}}]} ' headers: audit-id: - - 0d65463a-9e07-4f69-8160-e25bd7b716bb + - 942c5a03-90ff-42ee-98dd-6684454a4818 cache-control: - no-cache, private content-type: - application/json date: - - Thu, 24 Nov 2022 19:10:44 GMT + - Tue, 15 Nov 2022 11:37:40 GMT transfer-encoding: - chunked x-kubernetes-pf-flowschema-uid: - - 82d00372-72d6-4c5b-9ff3-709e42c5c214 + - 41f5db60-86cb-4eda-ae03-4e5d3b32ee1c x-kubernetes-pf-prioritylevel-uid: - - 08eb1bb5-9f77-4611-93e9-f1a16beacaed + - 10e00fa7-faea-45c7-90e4-414371b6c667 status: code: 200 message: OK @@ -1055,15 +1028,15 @@ interactions: User-Agent: - OpenAPI-Generator/24.2.0/python method: POST - uri: https://test-force-conk8stest000001-1bfbb5-1b3b01b5.hcp.eastus2euap.azmk8s.io/apis/authorization.k8s.io/v1/selfsubjectaccessreviews + uri: https://test-force-rohanazuregroup-1bfbb5-6f1967ab.hcp.westeurope.azmk8s.io/apis/authorization.k8s.io/v1/selfsubjectaccessreviews response: body: - string: '{"kind":"SelfSubjectAccessReview","apiVersion":"authorization.k8s.io/v1","metadata":{"creationTimestamp":null,"managedFields":[{"manager":"OpenAPI-Generator","operation":"Update","apiVersion":"authorization.k8s.io/v1","time":"2022-11-24T19:10:45Z","fieldsType":"FieldsV1","fieldsV1":{"f:spec":{"f:resourceAttributes":{".":{},"f:group":{},"f:resource":{},"f:verb":{}}}}}]},"spec":{"resourceAttributes":{"verb":"create","group":"rbac.authorization.k8s.io","resource":"clusterrolebindings"}},"status":{"allowed":true}} + string: '{"kind":"SelfSubjectAccessReview","apiVersion":"authorization.k8s.io/v1","metadata":{"creationTimestamp":null,"managedFields":[{"manager":"OpenAPI-Generator","operation":"Update","apiVersion":"authorization.k8s.io/v1","time":"2022-11-15T11:37:40Z","fieldsType":"FieldsV1","fieldsV1":{"f:spec":{"f:resourceAttributes":{".":{},"f:group":{},"f:resource":{},"f:verb":{}}}}}]},"spec":{"resourceAttributes":{"verb":"create","group":"rbac.authorization.k8s.io","resource":"clusterrolebindings"}},"status":{"allowed":true}} ' headers: audit-id: - - ab9e1547-4ade-4a65-ab61-99a6573db478 + - a538d9f2-620c-4cfc-b8ec-8476d69709c2 cache-control: - no-cache, private content-length: @@ -1071,11 +1044,11 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 19:10:45 GMT + - Tue, 15 Nov 2022 11:37:40 GMT x-kubernetes-pf-flowschema-uid: - - 82d00372-72d6-4c5b-9ff3-709e42c5c214 + - 41f5db60-86cb-4eda-ae03-4e5d3b32ee1c x-kubernetes-pf-prioritylevel-uid: - - 08eb1bb5-9f77-4611-93e9-f1a16beacaed + - 10e00fa7-faea-45c7-90e4-414371b6c667 status: code: 201 message: Created @@ -1091,9 +1064,9 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n -l --tags --kube-config --kube-context + - -g -n -l --tags --kube-config User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Windows-10-10.0.19045-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Kubernetes?api-version=2021-04-01 response: @@ -1116,7 +1089,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Thu, 24 Nov 2022 19:10:45 GMT + - Tue, 15 Nov 2022 11:37:40 GMT expires: - '-1' pragma: @@ -1142,25 +1115,25 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n -l --tags --kube-config --kube-context + - -g -n -l --tags --kube-config User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.8.10 (Windows-10-10.0.19045-SP0) + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/conk8stest000001/providers/Microsoft.Kubernetes/connectedClusters/cc-000003?api-version=2021-10-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rohanazuregroup/providers/Microsoft.Kubernetes/connectedClusters/cc-000002?api-version=2021-10-01 response: body: - string: '{"error":{"code":"ResourceNotFound","message":"The Resource ''Microsoft.Kubernetes/connectedClusters/cc-000003'' - under resource group ''conk8stest000001'' was not found. For more details - please go to https://aka.ms/ARMResourceNotFoundFix"}}' + string: '{"error":{"code":"ResourceNotFound","message":"The Resource ''Microsoft.Kubernetes/connectedClusters/cc-000002'' + under resource group ''rohanazuregroup'' was not found. For more details please + go to https://aka.ms/ARMResourceNotFoundFix"}}' headers: cache-control: - no-cache content-length: - - '236' + - '235' content-type: - application/json; charset=utf-8 date: - - Thu, 24 Nov 2022 19:10:46 GMT + - Tue, 15 Nov 2022 11:37:42 GMT expires: - '-1' pragma: @@ -1174,6 +1147,40 @@ interactions: status: code: 404 message: Not Found +- request: + body: null + headers: + Accept: + - application/json + Content-Type: + - application/json + User-Agent: + - OpenAPI-Generator/24.2.0/python + method: GET + uri: https://test-force-rohanazuregroup-1bfbb5-6f1967ab.hcp.westeurope.azmk8s.io/api/v1/namespaces + response: + body: + string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"1516"},"items":[{"metadata":{"name":"default","uid":"a8f45c46-eebc-4fe8-861a-4fd13ce5eee2","resourceVersion":"202","creationTimestamp":"2022-11-15T11:34:09Z","labels":{"kubernetes.io/metadata.name":"default"},"managedFields":[{"manager":"kube-apiserver","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:34:09Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{".":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Active"}},{"metadata":{"name":"kube-node-lease","uid":"d1ac31c7-7376-49bc-a80d-acdc81679c17","resourceVersion":"12","creationTimestamp":"2022-11-15T11:34:08Z","labels":{"kubernetes.io/metadata.name":"kube-node-lease"},"managedFields":[{"manager":"kube-apiserver","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:34:08Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{".":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Active"}},{"metadata":{"name":"kube-public","uid":"b41f61d0-d70c-4a2d-8394-33fb1107460c","resourceVersion":"10","creationTimestamp":"2022-11-15T11:34:08Z","labels":{"kubernetes.io/metadata.name":"kube-public"},"managedFields":[{"manager":"kube-apiserver","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:34:08Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{".":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Active"}},{"metadata":{"name":"kube-system","uid":"652863d3-90f8-4e1a-bb66-17bf710b5b7d","resourceVersion":"597","creationTimestamp":"2022-11-15T11:34:08Z","labels":{"addonmanager.kubernetes.io/mode":"Reconcile","control-plane":"true","kubernetes.io/cluster-service":"true","kubernetes.io/metadata.name":"kube-system"},"annotations":{"kubectl.kubernetes.io/last-applied-configuration":"{\"apiVersion\":\"v1\",\"kind\":\"Namespace\",\"metadata\":{\"annotations\":{},\"labels\":{\"addonmanager.kubernetes.io/mode\":\"Reconcile\",\"control-plane\":\"true\",\"kubernetes.io/cluster-service\":\"true\"},\"name\":\"kube-system\"}}\n"},"managedFields":[{"manager":"kube-apiserver","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:34:08Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:labels":{".":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kubectl-client-side-apply","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:34:35Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:kubectl.kubernetes.io/last-applied-configuration":{}},"f:labels":{"f:addonmanager.kubernetes.io/mode":{},"f:control-plane":{},"f:kubernetes.io/cluster-service":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Active"}}]} + + ' + headers: + audit-id: + - 54e64ffd-0d34-4c11-89a0-8e6abd1e19e1 + cache-control: + - no-cache, private + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:37:44 GMT + transfer-encoding: + - chunked + x-kubernetes-pf-flowschema-uid: + - 41f5db60-86cb-4eda-ae03-4e5d3b32ee1c + x-kubernetes-pf-prioritylevel-uid: + - 10e00fa7-faea-45c7-90e4-414371b6c667 + status: + code: 200 + message: OK - request: body: null headers: @@ -1186,23 +1193,23 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n -l --tags --kube-config --kube-context + - -g -n -l --tags --kube-config User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Windows-10-10.0.19045-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/conk8stest000001?api-version=2021-04-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rohanazuregroup?api-version=2021-04-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/conk8stest000001","name":"conk8stest000001","type":"Microsoft.Resources/resourceGroups","location":"eastus2euap","tags":{"product":"azurecli","cause":"automation","date":"2022-11-24T19:04:23Z","Created":"20221124"},"properties":{"provisioningState":"Succeeded"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rohanazuregroup","name":"rohanazuregroup","type":"Microsoft.Resources/resourceGroups","location":"eastus","tags":{"Created":"20220718"},"properties":{"provisioningState":"Succeeded"}}' headers: cache-control: - no-cache content-length: - - '336' + - '257' content-type: - application/json; charset=utf-8 date: - - Thu, 24 Nov 2022 19:10:47 GMT + - Tue, 15 Nov 2022 11:37:44 GMT expires: - '-1' pragma: @@ -1230,9 +1237,9 @@ interactions: Content-Length: - '0' ParameterSetName: - - -g -n -l --tags --kube-config --kube-context + - -g -n -l --tags --kube-config User-Agent: - - python/3.8.10 (Windows-10-10.0.19045-SP0) AZURECLI/2.42.0 + - python/3.7.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.42.0 method: POST uri: https://eastus.dp.kubernetesconfiguration.azure.com/azure-arc-k8sagents/GetLatestHelmPackagePath?api-version=2019-11-01-preview&releaseTrain=stable response: @@ -1248,7 +1255,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Thu, 24 Nov 2022 19:10:48 GMT + - Tue, 15 Nov 2022 11:37:45 GMT strict-transport-security: - max-age=15724800; includeSubDomains x-content-type-options: @@ -1258,7 +1265,7 @@ interactions: message: OK - request: body: '{"tags": {"foo": "doo"}, "location": "eastus", "identity": {"type": "SystemAssigned"}, - "properties": {"agentPublicKeyCertificate": "MIICCgKCAgEA5UcF/5ukYAj7MlUSCaotlYpuWNTVOQEsEacplO14riwYxxlrLZ1k4lBlk570V/gV4fT7uLgyMNqNRbxhXHf7WCOluusT0NUkn3htB/clhkYxnah6kcoc6bUsA2IYOlfqE7wKlHRLMuz4KcB8Q8oQP/Hp7hf7hJKUbs+DFMRCTYsG9xb1B18X7yaaP1oVqrQQXrFQ4I0LOD1YEkwpgyM5GNzvLe6kNluE8mNeuEf1LiY4sY19nu/Oapvf+wLxwcWdnyoTh/cFEup2VT9e0GgyXWow09PCVBMzpFpml9/N228fpZfyMs6RUu5HrujbYRqw4gwKlTsbVWppoNMtQbUs5CX5ryM5fjwLH3v0iWbqzKnuRUOU1U0sdxa9zT2RDlb8bUTV1hGebLqsZfEFD0ZBGjd5KNS6lwy+0KdFsIEA47unthp2965CsdHWBUDqJtDLN7aXitFJytD0H8QLWoi/FqlF5jJ5AcOvhJCseg7ifpGeAXt1kziK+/UTIqDNiCIFi6grgiVpLSKOXYW4QpPlkr/hk3fPbzPbCwieJRU4ocV7YWp4IeTomxftGCFMEV7j00hqbhwY1Mc3yZVinw6KUOy0dKi69JpUZtPRUfIU9hrB5PbwfbJoRTsuHTVFuNff9ZXVzrU+JLKVfjY3zsyldTZn+D2x3oNReeMtdS71cJUCAwEAAQ==", + "properties": {"agentPublicKeyCertificate": "MIICCgKCAgEAs2vNDhE4kT8Y+yVeMb3LBq7WKIq1/0Kk3FWB4j74tNUG4YS7fBqIOOqJM0izS8O6d0VCdNV8RLKQX1s+rK1sfITpU5Q+rzuzkzLvlHzHUpIJ2PjTFekMtIrQXNPpi6GnS/yEz1aVd5S1q6kDbvdof9bZ49qvidP3qdapzeltja2r0oZmXvp7OtQfAZRcYLVs9SqWBxR8Nl2NX8xR93ws5QXYNX7Fqk5WizbMqJDQL81v4HQKOlf3nT/ql3BBxLRfLtGsNCm/fkBBB+zqjUiyoqIYU3wj1DCt8BSJhU8uMU5HsJTm/vDAfnF6oD3svDPggxAoDDbrsF4o97RL2SDDatZna6nezNGl0dY8TFciMpET4FRXlD5kZi6O+hxNyHfrEsYw3bAcroN/djIJv8gTh//K6l/zZoVRdnGZFnuESqPjnr7VajNDqnwWjy59jkYmooFXT6hjXKVNSBeO5VWQHt2wcA44fD627/Ai2uvYYurgq0Bz4lCSoJJ1ho/mdZZDNfI/TsPoYyLT2PY2MGC/pTX+fexTed+LFVuJFEGTYyyoxZ0slI+7du60ZQoPAwvKxjGG6tyrXXBWYRRT+7bl2GeaLQ4R32N1k5ee/BijO9bDNTjiFnQ+N/C9HWndZmvhwIrAiJovwOgdXKS42mM/MaHH4pHw/PDsgE6XE69YBJkCAwEAAQ==", "distribution": "aks", "infrastructure": "azure"}}' headers: Accept: @@ -1274,27 +1281,27 @@ interactions: Content-Type: - application/json ParameterSetName: - - -g -n -l --tags --kube-config --kube-context + - -g -n -l --tags --kube-config User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.8.10 (Windows-10-10.0.19045-SP0) + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/conk8stest000001/providers/Microsoft.Kubernetes/connectedClusters/cc-000003?api-version=2021-10-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rohanazuregroup/providers/Microsoft.Kubernetes/connectedClusters/cc-000002?api-version=2021-10-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/conk8stest000001/providers/Microsoft.Kubernetes/connectedClusters/cc-000003","name":"cc-000003","type":"microsoft.kubernetes/connectedclusters","location":"eastus","tags":{"foo":"doo"},"systemData":{"createdBy":"rohandassani@microsoft.com","createdByType":"User","createdAt":"2022-11-24T19:11:36.9343388Z","lastModifiedBy":"rohandassani@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-24T19:11:36.9343388Z"},"identity":{"principalId":"2be07cf9-db72-4d5a-9b89-b9a71b0289b8","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned"},"properties":{"provisioningState":"Accepted","connectivityStatus":"Connecting","agentPublicKeyCertificate":"MIICCgKCAgEA5UcF/5ukYAj7MlUSCaotlYpuWNTVOQEsEacplO14riwYxxlrLZ1k4lBlk570V/gV4fT7uLgyMNqNRbxhXHf7WCOluusT0NUkn3htB/clhkYxnah6kcoc6bUsA2IYOlfqE7wKlHRLMuz4KcB8Q8oQP/Hp7hf7hJKUbs+DFMRCTYsG9xb1B18X7yaaP1oVqrQQXrFQ4I0LOD1YEkwpgyM5GNzvLe6kNluE8mNeuEf1LiY4sY19nu/Oapvf+wLxwcWdnyoTh/cFEup2VT9e0GgyXWow09PCVBMzpFpml9/N228fpZfyMs6RUu5HrujbYRqw4gwKlTsbVWppoNMtQbUs5CX5ryM5fjwLH3v0iWbqzKnuRUOU1U0sdxa9zT2RDlb8bUTV1hGebLqsZfEFD0ZBGjd5KNS6lwy+0KdFsIEA47unthp2965CsdHWBUDqJtDLN7aXitFJytD0H8QLWoi/FqlF5jJ5AcOvhJCseg7ifpGeAXt1kziK+/UTIqDNiCIFi6grgiVpLSKOXYW4QpPlkr/hk3fPbzPbCwieJRU4ocV7YWp4IeTomxftGCFMEV7j00hqbhwY1Mc3yZVinw6KUOy0dKi69JpUZtPRUfIU9hrB5PbwfbJoRTsuHTVFuNff9ZXVzrU+JLKVfjY3zsyldTZn+D2x3oNReeMtdS71cJUCAwEAAQ==","distribution":"aks","infrastructure":"azure"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rohanazuregroup/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","name":"cc-000002","type":"microsoft.kubernetes/connectedclusters","location":"eastus","tags":{"foo":"doo"},"systemData":{"createdBy":"akkeshar@microsoft.com","createdByType":"User","createdAt":"2022-11-15T11:38:02.9767221Z","lastModifiedBy":"akkeshar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-15T11:38:02.9767221Z"},"identity":{"principalId":"4acfe3c2-3ed8-4b15-a152-19a32341eef3","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned"},"properties":{"provisioningState":"Accepted","connectivityStatus":"Connecting","agentPublicKeyCertificate":"MIICCgKCAgEAs2vNDhE4kT8Y+yVeMb3LBq7WKIq1/0Kk3FWB4j74tNUG4YS7fBqIOOqJM0izS8O6d0VCdNV8RLKQX1s+rK1sfITpU5Q+rzuzkzLvlHzHUpIJ2PjTFekMtIrQXNPpi6GnS/yEz1aVd5S1q6kDbvdof9bZ49qvidP3qdapzeltja2r0oZmXvp7OtQfAZRcYLVs9SqWBxR8Nl2NX8xR93ws5QXYNX7Fqk5WizbMqJDQL81v4HQKOlf3nT/ql3BBxLRfLtGsNCm/fkBBB+zqjUiyoqIYU3wj1DCt8BSJhU8uMU5HsJTm/vDAfnF6oD3svDPggxAoDDbrsF4o97RL2SDDatZna6nezNGl0dY8TFciMpET4FRXlD5kZi6O+hxNyHfrEsYw3bAcroN/djIJv8gTh//K6l/zZoVRdnGZFnuESqPjnr7VajNDqnwWjy59jkYmooFXT6hjXKVNSBeO5VWQHt2wcA44fD627/Ai2uvYYurgq0Bz4lCSoJJ1ho/mdZZDNfI/TsPoYyLT2PY2MGC/pTX+fexTed+LFVuJFEGTYyyoxZ0slI+7du60ZQoPAwvKxjGG6tyrXXBWYRRT+7bl2GeaLQ4R32N1k5ee/BijO9bDNTjiFnQ+N/C9HWndZmvhwIrAiJovwOgdXKS42mM/MaHH4pHw/PDsgE6XE69YBJkCAwEAAQ==","distribution":"aks","infrastructure":"azure"}}' headers: azure-asyncoperation: - - https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/7bd8b435-640d-43a3-a64e-057548f9cc91*4616F045A9F557647CE3ACA0FC7A2FAD648994B1ABDCFC96F96E18197F4BC692?api-version=2021-10-01 + - https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/f6012057-4af4-4179-95cd-f95b189cc547*6B91F8906561019D361BC05718C963234CC9E37EF8839FC4720ADD5A8D2E05F7?api-version=2021-10-01 cache-control: - no-cache content-length: - - '1504' + - '1495' content-type: - application/json; charset=utf-8 date: - - Thu, 24 Nov 2022 19:11:42 GMT + - Tue, 15 Nov 2022 11:38:06 GMT etag: - - '"e300503e-0000-0100-0000-637fc1ec0000"' + - '"7100014d-0000-0100-0000-63737a1d0000"' expires: - '-1' pragma: @@ -1322,25 +1329,71 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n -l --tags --kube-config --kube-context + - -g -n -l --tags --kube-config + User-Agent: + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/f6012057-4af4-4179-95cd-f95b189cc547*6B91F8906561019D361BC05718C963234CC9E37EF8839FC4720ADD5A8D2E05F7?api-version=2021-10-01 + response: + body: + string: '{"id":"/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/f6012057-4af4-4179-95cd-f95b189cc547*6B91F8906561019D361BC05718C963234CC9E37EF8839FC4720ADD5A8D2E05F7","name":"f6012057-4af4-4179-95cd-f95b189cc547*6B91F8906561019D361BC05718C963234CC9E37EF8839FC4720ADD5A8D2E05F7","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rohanazuregroup/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","status":"Accepted","startTime":"2022-11-15T11:38:04.4595994Z"}' + headers: + cache-control: + - no-cache + content-length: + - '508' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 11:38:07 GMT + etag: + - '"1001535f-0000-0100-0000-63737a1c0000"' + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s connect + Connection: + - keep-alive + ParameterSetName: + - -g -n -l --tags --kube-config User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.8.10 (Windows-10-10.0.19045-SP0) + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/7bd8b435-640d-43a3-a64e-057548f9cc91*4616F045A9F557647CE3ACA0FC7A2FAD648994B1ABDCFC96F96E18197F4BC692?api-version=2021-10-01 + uri: https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/f6012057-4af4-4179-95cd-f95b189cc547*6B91F8906561019D361BC05718C963234CC9E37EF8839FC4720ADD5A8D2E05F7?api-version=2021-10-01 response: body: - string: '{"id":"/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/7bd8b435-640d-43a3-a64e-057548f9cc91*4616F045A9F557647CE3ACA0FC7A2FAD648994B1ABDCFC96F96E18197F4BC692","name":"7bd8b435-640d-43a3-a64e-057548f9cc91*4616F045A9F557647CE3ACA0FC7A2FAD648994B1ABDCFC96F96E18197F4BC692","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/conk8stest000001/providers/Microsoft.Kubernetes/connectedClusters/cc-000003","status":"Succeeded","startTime":"2022-11-24T19:11:39.7154302Z","endTime":"2022-11-24T19:11:46.3773614Z","properties":null}' + string: '{"id":"/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/f6012057-4af4-4179-95cd-f95b189cc547*6B91F8906561019D361BC05718C963234CC9E37EF8839FC4720ADD5A8D2E05F7","name":"f6012057-4af4-4179-95cd-f95b189cc547*6B91F8906561019D361BC05718C963234CC9E37EF8839FC4720ADD5A8D2E05F7","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rohanazuregroup/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","status":"Succeeded","startTime":"2022-11-15T11:38:04.4595994Z","endTime":"2022-11-15T11:38:11.0691961Z","properties":null}' headers: cache-control: - no-cache content-length: - - '569' + - '568' content-type: - application/json; charset=utf-8 date: - - Thu, 24 Nov 2022 19:12:12 GMT + - Tue, 15 Nov 2022 11:38:38 GMT etag: - - '"4901eac5-0000-0100-0000-637fc1f20000"' + - '"1001685f-0000-0100-0000-63737a230000"' expires: - '-1' pragma: @@ -1368,25 +1421,25 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n -l --tags --kube-config --kube-context + - -g -n -l --tags --kube-config User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.8.10 (Windows-10-10.0.19045-SP0) + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/conk8stest000001/providers/Microsoft.Kubernetes/connectedClusters/cc-000003?api-version=2021-10-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rohanazuregroup/providers/Microsoft.Kubernetes/connectedClusters/cc-000002?api-version=2021-10-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/conk8stest000001/providers/Microsoft.Kubernetes/connectedClusters/cc-000003","name":"cc-000003","type":"microsoft.kubernetes/connectedclusters","location":"eastus","tags":{"foo":"doo"},"systemData":{"createdBy":"rohandassani@microsoft.com","createdByType":"User","createdAt":"2022-11-24T19:11:36.9343388Z","lastModifiedBy":"rohandassani@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-24T19:11:36.9343388Z"},"identity":{"principalId":"2be07cf9-db72-4d5a-9b89-b9a71b0289b8","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned"},"properties":{"provisioningState":"Succeeded","connectivityStatus":"Connecting","agentPublicKeyCertificate":"MIICCgKCAgEA5UcF/5ukYAj7MlUSCaotlYpuWNTVOQEsEacplO14riwYxxlrLZ1k4lBlk570V/gV4fT7uLgyMNqNRbxhXHf7WCOluusT0NUkn3htB/clhkYxnah6kcoc6bUsA2IYOlfqE7wKlHRLMuz4KcB8Q8oQP/Hp7hf7hJKUbs+DFMRCTYsG9xb1B18X7yaaP1oVqrQQXrFQ4I0LOD1YEkwpgyM5GNzvLe6kNluE8mNeuEf1LiY4sY19nu/Oapvf+wLxwcWdnyoTh/cFEup2VT9e0GgyXWow09PCVBMzpFpml9/N228fpZfyMs6RUu5HrujbYRqw4gwKlTsbVWppoNMtQbUs5CX5ryM5fjwLH3v0iWbqzKnuRUOU1U0sdxa9zT2RDlb8bUTV1hGebLqsZfEFD0ZBGjd5KNS6lwy+0KdFsIEA47unthp2965CsdHWBUDqJtDLN7aXitFJytD0H8QLWoi/FqlF5jJ5AcOvhJCseg7ifpGeAXt1kziK+/UTIqDNiCIFi6grgiVpLSKOXYW4QpPlkr/hk3fPbzPbCwieJRU4ocV7YWp4IeTomxftGCFMEV7j00hqbhwY1Mc3yZVinw6KUOy0dKi69JpUZtPRUfIU9hrB5PbwfbJoRTsuHTVFuNff9ZXVzrU+JLKVfjY3zsyldTZn+D2x3oNReeMtdS71cJUCAwEAAQ==","distribution":"AKS","infrastructure":"azure"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rohanazuregroup/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","name":"cc-000002","type":"microsoft.kubernetes/connectedclusters","location":"eastus","tags":{"foo":"doo"},"systemData":{"createdBy":"akkeshar@microsoft.com","createdByType":"User","createdAt":"2022-11-15T11:38:02.9767221Z","lastModifiedBy":"akkeshar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-15T11:38:02.9767221Z"},"identity":{"principalId":"4acfe3c2-3ed8-4b15-a152-19a32341eef3","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned"},"properties":{"provisioningState":"Succeeded","connectivityStatus":"Connecting","agentPublicKeyCertificate":"MIICCgKCAgEAs2vNDhE4kT8Y+yVeMb3LBq7WKIq1/0Kk3FWB4j74tNUG4YS7fBqIOOqJM0izS8O6d0VCdNV8RLKQX1s+rK1sfITpU5Q+rzuzkzLvlHzHUpIJ2PjTFekMtIrQXNPpi6GnS/yEz1aVd5S1q6kDbvdof9bZ49qvidP3qdapzeltja2r0oZmXvp7OtQfAZRcYLVs9SqWBxR8Nl2NX8xR93ws5QXYNX7Fqk5WizbMqJDQL81v4HQKOlf3nT/ql3BBxLRfLtGsNCm/fkBBB+zqjUiyoqIYU3wj1DCt8BSJhU8uMU5HsJTm/vDAfnF6oD3svDPggxAoDDbrsF4o97RL2SDDatZna6nezNGl0dY8TFciMpET4FRXlD5kZi6O+hxNyHfrEsYw3bAcroN/djIJv8gTh//K6l/zZoVRdnGZFnuESqPjnr7VajNDqnwWjy59jkYmooFXT6hjXKVNSBeO5VWQHt2wcA44fD627/Ai2uvYYurgq0Bz4lCSoJJ1ho/mdZZDNfI/TsPoYyLT2PY2MGC/pTX+fexTed+LFVuJFEGTYyyoxZ0slI+7du60ZQoPAwvKxjGG6tyrXXBWYRRT+7bl2GeaLQ4R32N1k5ee/BijO9bDNTjiFnQ+N/C9HWndZmvhwIrAiJovwOgdXKS42mM/MaHH4pHw/PDsgE6XE69YBJkCAwEAAQ==","distribution":"AKS","infrastructure":"azure"}}' headers: cache-control: - no-cache content-length: - - '1505' + - '1496' content-type: - application/json; charset=utf-8 date: - - Thu, 24 Nov 2022 19:12:13 GMT + - Tue, 15 Nov 2022 11:38:38 GMT etag: - - '"e3006a3e-0000-0100-0000-637fc1f20000"' + - '"71003e4d-0000-0100-0000-63737a230000"' expires: - '-1' pragma: @@ -1416,9 +1469,9 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n -l --tags --kube-config --kube-context + - -g -n -l --tags --kube-config User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.10 (Windows-10-10.0.19045-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ExtendedLocation?api-version=2021-04-01 response: @@ -1459,7 +1512,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Thu, 24 Nov 2022 19:12:13 GMT + - Tue, 15 Nov 2022 11:38:39 GMT expires: - '-1' pragma: @@ -1485,10 +1538,10 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n -l --tags --kube-config --kube-context + - -g -n -l --tags --kube-config User-Agent: - - python/3.8.10 (Windows-10-10.0.19045-SP0) msrest/0.7.1 msrest_azure/0.6.4 - azure-graphrbac/0.60.0 Azure-SDK-For-Python AZURECLI/2.42.0 + - python/3.7.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-graphrbac/0.60.0 + Azure-SDK-For-Python AZURECLI/2.42.0 accept-language: - en-US method: GET @@ -1511,19 +1564,19 @@ interactions: dataserviceversion: - 3.0; date: - - Thu, 24 Nov 2022 19:12:15 GMT + - Tue, 15 Nov 2022 11:38:39 GMT duration: - - '1171273' + - '1452070' expires: - '-1' ocp-aad-diagnostics-server-name: - - FUKs82EipXhAx2L9InJ3TjbqyUSBXw185qI+tiwRanY= + - k0WOg1aus+ZrdPo95G8LSW5qqrlAqo9fxRmKhM5lw2M= ocp-aad-session-key: - - EVw9R2lhBkOfV3F4deGnZaK4RgjNKc251O1UBEHxmOhdHLc3fm7QgdH3PxPN9kGCjyINtMH3N549SkPhwqdfGs2zuvSQq7hjFXyK0PVIYIMP9CLMgMs0813_mTy-53nD.XPTF5nT3T7eKsSekkPTCwv_4NFL_D2ENmQRZisT1VBM + - KljhJDQJNL9MGHd8zovFj77cE80VcOs_g6soKN4Y2M6MHOOGCDgk_YBkRIFXx-huxlKBYVziLopjv9TdGojZJ_mNw9prWz7WC198FRgau0d2wmTwdT0lt09rxFGaNtQa.YuzcIYgdFkm7f2Ri-K2DSd41t6RxewWIKFv39b8Jc8o pragma: - no-cache request-id: - - 9b1fba07-7710-4be8-ab02-36ba92fea5a2 + - b0098778-1a06-48fd-a637-34687f3020e2 strict-transport-security: - max-age=31536000; includeSubDomains x-aspnet-version: @@ -1551,23 +1604,23 @@ interactions: ParameterSetName: - -g -n User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.8.10 (Windows-10-10.0.19045-SP0) + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/conk8stest000001/providers/Microsoft.Kubernetes/connectedClusters/cc-000003?api-version=2022-10-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rohanazuregroup/providers/Microsoft.Kubernetes/connectedClusters/cc-000002?api-version=2022-10-01-preview response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/conk8stest000001/providers/Microsoft.Kubernetes/connectedClusters/cc-000003","name":"cc-000003","type":"microsoft.kubernetes/connectedclusters","location":"eastus","tags":{"foo":"doo"},"systemData":{"createdBy":"rohandassani@microsoft.com","createdByType":"User","createdAt":"2022-11-24T19:11:36.9343388Z","lastModifiedBy":"64b12d6e-6549-484c-8cc6-6281839ba394","lastModifiedByType":"Application","lastModifiedAt":"2022-11-24T19:12:53.3705773Z"},"identity":{"principalId":"2be07cf9-db72-4d5a-9b89-b9a71b0289b8","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned"},"properties":{"provisioningState":"Succeeded","connectivityStatus":"Connected","privateLinkState":"Disabled","azureHybridBenefit":"NotApplicable","agentPublicKeyCertificate":"MIICCgKCAgEA5UcF/5ukYAj7MlUSCaotlYpuWNTVOQEsEacplO14riwYxxlrLZ1k4lBlk570V/gV4fT7uLgyMNqNRbxhXHf7WCOluusT0NUkn3htB/clhkYxnah6kcoc6bUsA2IYOlfqE7wKlHRLMuz4KcB8Q8oQP/Hp7hf7hJKUbs+DFMRCTYsG9xb1B18X7yaaP1oVqrQQXrFQ4I0LOD1YEkwpgyM5GNzvLe6kNluE8mNeuEf1LiY4sY19nu/Oapvf+wLxwcWdnyoTh/cFEup2VT9e0GgyXWow09PCVBMzpFpml9/N228fpZfyMs6RUu5HrujbYRqw4gwKlTsbVWppoNMtQbUs5CX5ryM5fjwLH3v0iWbqzKnuRUOU1U0sdxa9zT2RDlb8bUTV1hGebLqsZfEFD0ZBGjd5KNS6lwy+0KdFsIEA47unthp2965CsdHWBUDqJtDLN7aXitFJytD0H8QLWoi/FqlF5jJ5AcOvhJCseg7ifpGeAXt1kziK+/UTIqDNiCIFi6grgiVpLSKOXYW4QpPlkr/hk3fPbzPbCwieJRU4ocV7YWp4IeTomxftGCFMEV7j00hqbhwY1Mc3yZVinw6KUOy0dKi69JpUZtPRUfIU9hrB5PbwfbJoRTsuHTVFuNff9ZXVzrU+JLKVfjY3zsyldTZn+D2x3oNReeMtdS71cJUCAwEAAQ==","distribution":"AKS","infrastructure":"azure","kubernetesVersion":"1.23.12","totalNodeCount":3,"agentVersion":"1.8.14","totalCoreCount":6,"lastConnectivityTime":"2022-11-24T19:12:50.931Z","managedIdentityCertificateExpirationTime":"2023-02-22T19:06:00Z"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rohanazuregroup/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","name":"cc-000002","type":"microsoft.kubernetes/connectedclusters","location":"eastus","tags":{"foo":"doo"},"systemData":{"createdBy":"akkeshar@microsoft.com","createdByType":"User","createdAt":"2022-11-15T11:38:02.9767221Z","lastModifiedBy":"64b12d6e-6549-484c-8cc6-6281839ba394","lastModifiedByType":"Application","lastModifiedAt":"2022-11-15T11:39:26.1171724Z"},"identity":{"principalId":"4acfe3c2-3ed8-4b15-a152-19a32341eef3","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned"},"properties":{"provisioningState":"Succeeded","connectivityStatus":"Connected","privateLinkState":"Disabled","azureHybridBenefit":"NotApplicable","agentPublicKeyCertificate":"MIICCgKCAgEAs2vNDhE4kT8Y+yVeMb3LBq7WKIq1/0Kk3FWB4j74tNUG4YS7fBqIOOqJM0izS8O6d0VCdNV8RLKQX1s+rK1sfITpU5Q+rzuzkzLvlHzHUpIJ2PjTFekMtIrQXNPpi6GnS/yEz1aVd5S1q6kDbvdof9bZ49qvidP3qdapzeltja2r0oZmXvp7OtQfAZRcYLVs9SqWBxR8Nl2NX8xR93ws5QXYNX7Fqk5WizbMqJDQL81v4HQKOlf3nT/ql3BBxLRfLtGsNCm/fkBBB+zqjUiyoqIYU3wj1DCt8BSJhU8uMU5HsJTm/vDAfnF6oD3svDPggxAoDDbrsF4o97RL2SDDatZna6nezNGl0dY8TFciMpET4FRXlD5kZi6O+hxNyHfrEsYw3bAcroN/djIJv8gTh//K6l/zZoVRdnGZFnuESqPjnr7VajNDqnwWjy59jkYmooFXT6hjXKVNSBeO5VWQHt2wcA44fD627/Ai2uvYYurgq0Bz4lCSoJJ1ho/mdZZDNfI/TsPoYyLT2PY2MGC/pTX+fexTed+LFVuJFEGTYyyoxZ0slI+7du60ZQoPAwvKxjGG6tyrXXBWYRRT+7bl2GeaLQ4R32N1k5ee/BijO9bDNTjiFnQ+N/C9HWndZmvhwIrAiJovwOgdXKS42mM/MaHH4pHw/PDsgE6XE69YBJkCAwEAAQ==","distribution":"AKS","infrastructure":"azure","kubernetesVersion":"1.23.12","totalNodeCount":1,"agentVersion":"1.8.14","totalCoreCount":4,"lastConnectivityTime":"2022-11-15T11:39:18.979Z"}}' headers: cache-control: - no-cache content-length: - - '1796' + - '1725' content-type: - application/json; charset=utf-8 date: - - Thu, 24 Nov 2022 19:17:11 GMT + - Tue, 15 Nov 2022 11:43:29 GMT etag: - - '"e300c33f-0000-0100-0000-637fc2350000"' + - '"71004451-0000-0100-0000-63737a6e0000"' expires: - '-1' pragma: @@ -1595,7 +1648,7 @@ interactions: User-Agent: - OpenAPI-Generator/24.2.0/python method: GET - uri: https://test-force-conk8stest000001-1bfbb5-1b3b01b5.hcp.eastus2euap.azmk8s.io/version/ + uri: https://test-force-rohanazuregroup-1bfbb5-6f1967ab.hcp.westeurope.azmk8s.io/version/ response: body: string: "{\n \"major\": \"1\",\n \"minor\": \"23\",\n \"gitVersion\": \"v1.23.12\",\n @@ -1604,7 +1657,7 @@ interactions: \ \"compiler\": \"gc\",\n \"platform\": \"linux/amd64\"\n}" headers: audit-id: - - c1370aef-a939-42ef-ba95-9edf158bb3d7 + - 22eb7b47-048c-4b54-8c35-3e7e1c9fe001 cache-control: - no-cache, private content-length: @@ -1612,11 +1665,11 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 19:17:12 GMT + - Tue, 15 Nov 2022 11:43:31 GMT x-kubernetes-pf-flowschema-uid: - - 82d00372-72d6-4c5b-9ff3-709e42c5c214 + - 41f5db60-86cb-4eda-ae03-4e5d3b32ee1c x-kubernetes-pf-prioritylevel-uid: - - 08eb1bb5-9f77-4611-93e9-f1a16beacaed + - 10e00fa7-faea-45c7-90e4-414371b6c667 status: code: 200 message: OK @@ -1634,17 +1687,17 @@ interactions: Content-Length: - '0' ParameterSetName: - - -g -n --kube-config --kube-context --force -y + - -g -n --kube-config --force -y User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.8.10 (Windows-10-10.0.19045-SP0) + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/conk8stest000001/providers/Microsoft.Kubernetes/connectedClusters/cc-000003?api-version=2021-10-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rohanazuregroup/providers/Microsoft.Kubernetes/connectedClusters/cc-000002?api-version=2021-10-01 response: body: string: 'null' headers: azure-asyncoperation: - - https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/dabbb486-daab-48c0-adef-9ae37aee36ca*4616F045A9F557647CE3ACA0FC7A2FAD648994B1ABDCFC96F96E18197F4BC692?api-version=2021-10-01 + - https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/9f63d6e3-391e-4900-bdc5-e52c9c88cbbd*6B91F8906561019D361BC05718C963234CC9E37EF8839FC4720ADD5A8D2E05F7?api-version=2021-10-01 cache-control: - no-cache content-length: @@ -1652,13 +1705,13 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Thu, 24 Nov 2022 19:17:17 GMT + - Tue, 15 Nov 2022 11:43:36 GMT etag: - - '"e300bc47-0000-0100-0000-637fc33e0000"' + - '"7100385e-0000-0100-0000-63737b680000"' expires: - '-1' location: - - https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/dabbb486-daab-48c0-adef-9ae37aee36ca*4616F045A9F557647CE3ACA0FC7A2FAD648994B1ABDCFC96F96E18197F4BC692?api-version=2021-10-01 + - https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/9f63d6e3-391e-4900-bdc5-e52c9c88cbbd*6B91F8906561019D361BC05718C963234CC9E37EF8839FC4720ADD5A8D2E05F7?api-version=2021-10-01 pragma: - no-cache strict-transport-security: @@ -1684,14 +1737,56 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n --kube-config --kube-context --force -y + - -g -n --kube-config --force -y + User-Agent: + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/9f63d6e3-391e-4900-bdc5-e52c9c88cbbd*6B91F8906561019D361BC05718C963234CC9E37EF8839FC4720ADD5A8D2E05F7?api-version=2021-10-01 + response: + body: + string: '{"id":"/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/9f63d6e3-391e-4900-bdc5-e52c9c88cbbd*6B91F8906561019D361BC05718C963234CC9E37EF8839FC4720ADD5A8D2E05F7","name":"9f63d6e3-391e-4900-bdc5-e52c9c88cbbd*6B91F8906561019D361BC05718C963234CC9E37EF8839FC4720ADD5A8D2E05F7","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rohanazuregroup/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","status":"Deleting","startTime":"2022-11-15T11:43:35.5820131Z"}' + headers: + cache-control: + - no-cache + content-length: + - '508' + content-type: + - application/json; charset=utf-8 + date: + - Tue, 15 Nov 2022 11:43:36 GMT + etag: + - '"10016d65-0000-0100-0000-63737b670000"' + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - connectedk8s delete + Connection: + - keep-alive + ParameterSetName: + - -g -n --kube-config --force -y User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.8.10 (Windows-10-10.0.19045-SP0) + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/dabbb486-daab-48c0-adef-9ae37aee36ca*4616F045A9F557647CE3ACA0FC7A2FAD648994B1ABDCFC96F96E18197F4BC692?api-version=2021-10-01 + uri: https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/9f63d6e3-391e-4900-bdc5-e52c9c88cbbd*6B91F8906561019D361BC05718C963234CC9E37EF8839FC4720ADD5A8D2E05F7?api-version=2021-10-01 response: body: - string: '{"id":"/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/dabbb486-daab-48c0-adef-9ae37aee36ca*4616F045A9F557647CE3ACA0FC7A2FAD648994B1ABDCFC96F96E18197F4BC692","name":"dabbb486-daab-48c0-adef-9ae37aee36ca*4616F045A9F557647CE3ACA0FC7A2FAD648994B1ABDCFC96F96E18197F4BC692","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/conk8stest000001/providers/Microsoft.Kubernetes/connectedClusters/cc-000003","status":"Succeeded","startTime":"2022-11-24T19:17:17.8959669Z","endTime":"2022-11-24T19:17:24.858503Z","properties":null}' + string: '{"id":"/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/9f63d6e3-391e-4900-bdc5-e52c9c88cbbd*6B91F8906561019D361BC05718C963234CC9E37EF8839FC4720ADD5A8D2E05F7","name":"9f63d6e3-391e-4900-bdc5-e52c9c88cbbd*6B91F8906561019D361BC05718C963234CC9E37EF8839FC4720ADD5A8D2E05F7","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rohanazuregroup/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","status":"Succeeded","startTime":"2022-11-15T11:43:35.5820131Z","endTime":"2022-11-15T11:43:40.3867995Z","properties":null}' headers: cache-control: - no-cache @@ -1700,9 +1795,9 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Thu, 24 Nov 2022 19:17:49 GMT + - Tue, 15 Nov 2022 11:44:06 GMT etag: - - '"490198c8-0000-0100-0000-637fc3440000"' + - '"10018b65-0000-0100-0000-63737b6c0000"' expires: - '-1' pragma: @@ -1730,14 +1825,14 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g -n --kube-config --kube-context --force -y + - -g -n --kube-config --force -y User-Agent: - - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.8.10 (Windows-10-10.0.19045-SP0) + - AZURECLI/2.42.0 azsdk-python-mgmt-hybridkubernetes/1.0.0b1 Python/3.7.7 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/dabbb486-daab-48c0-adef-9ae37aee36ca*4616F045A9F557647CE3ACA0FC7A2FAD648994B1ABDCFC96F96E18197F4BC692?api-version=2021-10-01 + uri: https://management.azure.com/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/9f63d6e3-391e-4900-bdc5-e52c9c88cbbd*6B91F8906561019D361BC05718C963234CC9E37EF8839FC4720ADD5A8D2E05F7?api-version=2021-10-01 response: body: - string: '{"id":"/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/dabbb486-daab-48c0-adef-9ae37aee36ca*4616F045A9F557647CE3ACA0FC7A2FAD648994B1ABDCFC96F96E18197F4BC692","name":"dabbb486-daab-48c0-adef-9ae37aee36ca*4616F045A9F557647CE3ACA0FC7A2FAD648994B1ABDCFC96F96E18197F4BC692","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/conk8stest000001/providers/Microsoft.Kubernetes/connectedClusters/cc-000003","status":"Succeeded","startTime":"2022-11-24T19:17:17.8959669Z","endTime":"2022-11-24T19:17:24.858503Z","properties":null}' + string: '{"id":"/providers/Microsoft.Kubernetes/locations/EASTUS/operationStatuses/9f63d6e3-391e-4900-bdc5-e52c9c88cbbd*6B91F8906561019D361BC05718C963234CC9E37EF8839FC4720ADD5A8D2E05F7","name":"9f63d6e3-391e-4900-bdc5-e52c9c88cbbd*6B91F8906561019D361BC05718C963234CC9E37EF8839FC4720ADD5A8D2E05F7","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rohanazuregroup/providers/Microsoft.Kubernetes/connectedClusters/cc-000002","status":"Succeeded","startTime":"2022-11-15T11:43:35.5820131Z","endTime":"2022-11-15T11:43:40.3867995Z","properties":null}' headers: cache-control: - no-cache @@ -1746,9 +1841,9 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Thu, 24 Nov 2022 19:17:49 GMT + - Tue, 15 Nov 2022 11:44:06 GMT etag: - - '"490198c8-0000-0100-0000-637fc3440000"' + - '"10018b65-0000-0100-0000-63737b6c0000"' expires: - '-1' pragma: @@ -1774,15 +1869,83 @@ interactions: User-Agent: - OpenAPI-Generator/24.2.0/python method: GET - uri: https://test-force-conk8stest000001-1bfbb5-1b3b01b5.hcp.eastus2euap.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc + uri: https://test-force-rohanazuregroup-1bfbb5-6f1967ab.hcp.westeurope.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc + response: + body: + string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"3469"},"items":[{"metadata":{"name":"azure-arc","uid":"47539461-cf19-44f5-9a62-376e5513e21e","resourceVersion":"3461","creationTimestamp":"2022-11-15T11:38:53Z","deletionTimestamp":"2022-11-15T11:44:32Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:38:53Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating"}}]} + + ' + headers: + audit-id: + - dd23d05e-4f9a-48d2-8b77-6805aad83778 + cache-control: + - no-cache, private + content-length: + - '1014' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:44:34 GMT + x-kubernetes-pf-flowschema-uid: + - 41f5db60-86cb-4eda-ae03-4e5d3b32ee1c + x-kubernetes-pf-prioritylevel-uid: + - 10e00fa7-faea-45c7-90e4-414371b6c667 + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Content-Type: + - application/json + User-Agent: + - OpenAPI-Generator/24.2.0/python + method: GET + uri: https://test-force-rohanazuregroup-1bfbb5-6f1967ab.hcp.westeurope.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc + response: + body: + string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"3486"},"items":[{"metadata":{"name":"azure-arc","uid":"47539461-cf19-44f5-9a62-376e5513e21e","resourceVersion":"3461","creationTimestamp":"2022-11-15T11:38:53Z","deletionTimestamp":"2022-11-15T11:44:32Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:38:53Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating"}}]} + + ' + headers: + audit-id: + - 11b18757-8a12-483f-aa11-1db961851ccf + cache-control: + - no-cache, private + content-length: + - '1014' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:44:39 GMT + x-kubernetes-pf-flowschema-uid: + - 41f5db60-86cb-4eda-ae03-4e5d3b32ee1c + x-kubernetes-pf-prioritylevel-uid: + - 10e00fa7-faea-45c7-90e4-414371b6c667 + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Content-Type: + - application/json + User-Agent: + - OpenAPI-Generator/24.2.0/python + method: GET + uri: https://test-force-rohanazuregroup-1bfbb5-6f1967ab.hcp.westeurope.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc response: body: - string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"4301"},"items":[{"metadata":{"name":"azure-arc","uid":"71a6e499-85e8-4e3a-9e95-4803f166bfa6","resourceVersion":"4294","creationTimestamp":"2022-11-24T19:12:28Z","deletionTimestamp":"2022-11-24T19:18:12Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:12:28Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating"}}]} + string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"3604"},"items":[{"metadata":{"name":"azure-arc","uid":"47539461-cf19-44f5-9a62-376e5513e21e","resourceVersion":"3461","creationTimestamp":"2022-11-15T11:38:53Z","deletionTimestamp":"2022-11-15T11:44:32Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:38:53Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating"}}]} ' headers: audit-id: - - 3ec10ab3-ef89-4311-be9a-efcc372d8e92 + - 4436ae5c-d07c-45f3-92d8-12724a3c62c2 cache-control: - no-cache, private content-length: @@ -1790,11 +1953,11 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 19:18:13 GMT + - Tue, 15 Nov 2022 11:44:44 GMT x-kubernetes-pf-flowschema-uid: - - 82d00372-72d6-4c5b-9ff3-709e42c5c214 + - 41f5db60-86cb-4eda-ae03-4e5d3b32ee1c x-kubernetes-pf-prioritylevel-uid: - - 08eb1bb5-9f77-4611-93e9-f1a16beacaed + - 10e00fa7-faea-45c7-90e4-414371b6c667 status: code: 200 message: OK @@ -1808,32 +1971,32 @@ interactions: User-Agent: - OpenAPI-Generator/24.2.0/python method: GET - uri: https://test-force-conk8stest000001-1bfbb5-1b3b01b5.hcp.eastus2euap.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc + uri: https://test-force-rohanazuregroup-1bfbb5-6f1967ab.hcp.westeurope.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc response: body: - string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"4500"},"items":[{"metadata":{"name":"azure-arc","uid":"71a6e499-85e8-4e3a-9e95-4803f166bfa6","resourceVersion":"4496","creationTimestamp":"2022-11-24T19:12:28Z","deletionTimestamp":"2022-11-24T19:18:12Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:12:28Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:18:19Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ResourcesDiscovered","message":"All - resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ParsedGroupVersions","message":"All - legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ContentDeleted","message":"All - content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"SomeResourcesRemain","message":"Some - resources are remaining: pods. has 10 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ContentHasNoFinalizers","message":"All + string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"3805"},"items":[{"metadata":{"name":"azure-arc","uid":"47539461-cf19-44f5-9a62-376e5513e21e","resourceVersion":"3794","creationTimestamp":"2022-11-15T11:38:53Z","deletionTimestamp":"2022-11-15T11:44:32Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:38:53Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:44:48Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ResourcesDiscovered","message":"All + resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ParsedGroupVersions","message":"All + legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ContentDeleted","message":"All + content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"SomeResourcesRemain","message":"Some + resources are remaining: pods. has 10 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ContentHasNoFinalizers","message":"All content-preserving finalizers finished"}]}}]} ' headers: audit-id: - - 609cd137-cbc9-4a0c-b6eb-548726c5b239 + - 72f35a6d-f996-4b41-a542-7c5df961d2b7 cache-control: - no-cache, private content-type: - application/json date: - - Thu, 24 Nov 2022 19:18:19 GMT + - Tue, 15 Nov 2022 11:44:49 GMT transfer-encoding: - chunked x-kubernetes-pf-flowschema-uid: - - 82d00372-72d6-4c5b-9ff3-709e42c5c214 + - 41f5db60-86cb-4eda-ae03-4e5d3b32ee1c x-kubernetes-pf-prioritylevel-uid: - - 08eb1bb5-9f77-4611-93e9-f1a16beacaed + - 10e00fa7-faea-45c7-90e4-414371b6c667 status: code: 200 message: OK @@ -1847,32 +2010,32 @@ interactions: User-Agent: - OpenAPI-Generator/24.2.0/python method: GET - uri: https://test-force-conk8stest000001-1bfbb5-1b3b01b5.hcp.eastus2euap.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc + uri: https://test-force-rohanazuregroup-1bfbb5-6f1967ab.hcp.westeurope.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc response: body: - string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"4530"},"items":[{"metadata":{"name":"azure-arc","uid":"71a6e499-85e8-4e3a-9e95-4803f166bfa6","resourceVersion":"4530","creationTimestamp":"2022-11-24T19:12:28Z","deletionTimestamp":"2022-11-24T19:18:12Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:12:28Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:18:19Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ResourcesDiscovered","message":"All - resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ParsedGroupVersions","message":"All - legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ContentDeleted","message":"All - content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"SomeResourcesRemain","message":"Some - resources are remaining: pods. has 7 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ContentHasNoFinalizers","message":"All + string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"3856"},"items":[{"metadata":{"name":"azure-arc","uid":"47539461-cf19-44f5-9a62-376e5513e21e","resourceVersion":"3794","creationTimestamp":"2022-11-15T11:38:53Z","deletionTimestamp":"2022-11-15T11:44:32Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:38:53Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:44:48Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ResourcesDiscovered","message":"All + resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ParsedGroupVersions","message":"All + legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ContentDeleted","message":"All + content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"SomeResourcesRemain","message":"Some + resources are remaining: pods. has 10 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ContentHasNoFinalizers","message":"All content-preserving finalizers finished"}]}}]} ' headers: audit-id: - - 8314f3e9-962c-4c6e-bf5e-4aafe7b4d21c + - 41ae924f-84e5-4238-86d4-25e5fc89ff27 cache-control: - no-cache, private content-type: - application/json date: - - Thu, 24 Nov 2022 19:18:24 GMT + - Tue, 15 Nov 2022 11:44:55 GMT transfer-encoding: - chunked x-kubernetes-pf-flowschema-uid: - - 82d00372-72d6-4c5b-9ff3-709e42c5c214 + - 41f5db60-86cb-4eda-ae03-4e5d3b32ee1c x-kubernetes-pf-prioritylevel-uid: - - 08eb1bb5-9f77-4611-93e9-f1a16beacaed + - 10e00fa7-faea-45c7-90e4-414371b6c667 status: code: 200 message: OK @@ -1886,32 +2049,32 @@ interactions: User-Agent: - OpenAPI-Generator/24.2.0/python method: GET - uri: https://test-force-conk8stest000001-1bfbb5-1b3b01b5.hcp.eastus2euap.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc + uri: https://test-force-rohanazuregroup-1bfbb5-6f1967ab.hcp.westeurope.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc response: body: - string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"4551"},"items":[{"metadata":{"name":"azure-arc","uid":"71a6e499-85e8-4e3a-9e95-4803f166bfa6","resourceVersion":"4530","creationTimestamp":"2022-11-24T19:12:28Z","deletionTimestamp":"2022-11-24T19:18:12Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:12:28Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:18:19Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ResourcesDiscovered","message":"All - resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ParsedGroupVersions","message":"All - legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ContentDeleted","message":"All - content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"SomeResourcesRemain","message":"Some - resources are remaining: pods. has 7 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ContentHasNoFinalizers","message":"All + string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"3879"},"items":[{"metadata":{"name":"azure-arc","uid":"47539461-cf19-44f5-9a62-376e5513e21e","resourceVersion":"3794","creationTimestamp":"2022-11-15T11:38:53Z","deletionTimestamp":"2022-11-15T11:44:32Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:38:53Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:44:48Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ResourcesDiscovered","message":"All + resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ParsedGroupVersions","message":"All + legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ContentDeleted","message":"All + content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"SomeResourcesRemain","message":"Some + resources are remaining: pods. has 10 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ContentHasNoFinalizers","message":"All content-preserving finalizers finished"}]}}]} ' headers: audit-id: - - c3b393e3-2685-4852-a03f-9299844ac020 + - 548edc1b-d07b-4be6-a754-487732e7bc43 cache-control: - no-cache, private content-type: - application/json date: - - Thu, 24 Nov 2022 19:18:29 GMT + - Tue, 15 Nov 2022 11:45:00 GMT transfer-encoding: - chunked x-kubernetes-pf-flowschema-uid: - - 82d00372-72d6-4c5b-9ff3-709e42c5c214 + - 41f5db60-86cb-4eda-ae03-4e5d3b32ee1c x-kubernetes-pf-prioritylevel-uid: - - 08eb1bb5-9f77-4611-93e9-f1a16beacaed + - 10e00fa7-faea-45c7-90e4-414371b6c667 status: code: 200 message: OK @@ -1925,32 +2088,32 @@ interactions: User-Agent: - OpenAPI-Generator/24.2.0/python method: GET - uri: https://test-force-conk8stest000001-1bfbb5-1b3b01b5.hcp.eastus2euap.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc + uri: https://test-force-rohanazuregroup-1bfbb5-6f1967ab.hcp.westeurope.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc response: body: - string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"4570"},"items":[{"metadata":{"name":"azure-arc","uid":"71a6e499-85e8-4e3a-9e95-4803f166bfa6","resourceVersion":"4530","creationTimestamp":"2022-11-24T19:12:28Z","deletionTimestamp":"2022-11-24T19:18:12Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:12:28Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:18:19Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ResourcesDiscovered","message":"All - resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ParsedGroupVersions","message":"All - legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ContentDeleted","message":"All - content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"SomeResourcesRemain","message":"Some - resources are remaining: pods. has 7 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ContentHasNoFinalizers","message":"All + string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"3898"},"items":[{"metadata":{"name":"azure-arc","uid":"47539461-cf19-44f5-9a62-376e5513e21e","resourceVersion":"3794","creationTimestamp":"2022-11-15T11:38:53Z","deletionTimestamp":"2022-11-15T11:44:32Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:38:53Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:44:48Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ResourcesDiscovered","message":"All + resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ParsedGroupVersions","message":"All + legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ContentDeleted","message":"All + content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"SomeResourcesRemain","message":"Some + resources are remaining: pods. has 10 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ContentHasNoFinalizers","message":"All content-preserving finalizers finished"}]}}]} ' headers: audit-id: - - fe299849-39da-4d9c-87b7-ee78c8d21e3e + - 0839fd77-a0ba-45b0-b9cc-e276371aaed1 cache-control: - no-cache, private content-type: - application/json date: - - Thu, 24 Nov 2022 19:18:35 GMT + - Tue, 15 Nov 2022 11:45:05 GMT transfer-encoding: - chunked x-kubernetes-pf-flowschema-uid: - - 82d00372-72d6-4c5b-9ff3-709e42c5c214 + - 41f5db60-86cb-4eda-ae03-4e5d3b32ee1c x-kubernetes-pf-prioritylevel-uid: - - 08eb1bb5-9f77-4611-93e9-f1a16beacaed + - 10e00fa7-faea-45c7-90e4-414371b6c667 status: code: 200 message: OK @@ -1964,32 +2127,33 @@ interactions: User-Agent: - OpenAPI-Generator/24.2.0/python method: GET - uri: https://test-force-conk8stest000001-1bfbb5-1b3b01b5.hcp.eastus2euap.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc + uri: https://test-force-rohanazuregroup-1bfbb5-6f1967ab.hcp.westeurope.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc response: body: - string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"4589"},"items":[{"metadata":{"name":"azure-arc","uid":"71a6e499-85e8-4e3a-9e95-4803f166bfa6","resourceVersion":"4530","creationTimestamp":"2022-11-24T19:12:28Z","deletionTimestamp":"2022-11-24T19:18:12Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:12:28Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:18:19Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ResourcesDiscovered","message":"All - resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ParsedGroupVersions","message":"All - legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ContentDeleted","message":"All - content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"SomeResourcesRemain","message":"Some - resources are remaining: pods. has 7 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ContentHasNoFinalizers","message":"All + string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"3919"},"items":[{"metadata":{"name":"azure-arc","uid":"47539461-cf19-44f5-9a62-376e5513e21e","resourceVersion":"3916","creationTimestamp":"2022-11-15T11:38:53Z","deletionTimestamp":"2022-11-15T11:44:32Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:38:53Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:44:48Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ResourcesDiscovered","message":"All + resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ParsedGroupVersions","message":"All + legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"True","lastTransitionTime":"2022-11-15T11:45:10Z","reason":"ContentDeletionFailed","message":"Failed + to delete all resource types, 1 remaining: unexpected items still remain in + namespace: azure-arc for gvr: /v1, Resource=pods"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"SomeResourcesRemain","message":"Some + resources are remaining: pods. has 7 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ContentHasNoFinalizers","message":"All content-preserving finalizers finished"}]}}]} ' headers: audit-id: - - bc0326a2-7efa-4180-ab6c-493b888e5ca2 + - 590c1675-d0e0-4023-9e2c-fe582701fbf5 cache-control: - no-cache, private content-type: - application/json date: - - Thu, 24 Nov 2022 19:18:40 GMT + - Tue, 15 Nov 2022 11:45:10 GMT transfer-encoding: - chunked x-kubernetes-pf-flowschema-uid: - - 82d00372-72d6-4c5b-9ff3-709e42c5c214 + - 41f5db60-86cb-4eda-ae03-4e5d3b32ee1c x-kubernetes-pf-prioritylevel-uid: - - 08eb1bb5-9f77-4611-93e9-f1a16beacaed + - 10e00fa7-faea-45c7-90e4-414371b6c667 status: code: 200 message: OK @@ -2003,32 +2167,33 @@ interactions: User-Agent: - OpenAPI-Generator/24.2.0/python method: GET - uri: https://test-force-conk8stest000001-1bfbb5-1b3b01b5.hcp.eastus2euap.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc + uri: https://test-force-rohanazuregroup-1bfbb5-6f1967ab.hcp.westeurope.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc response: body: - string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"4629"},"items":[{"metadata":{"name":"azure-arc","uid":"71a6e499-85e8-4e3a-9e95-4803f166bfa6","resourceVersion":"4530","creationTimestamp":"2022-11-24T19:12:28Z","deletionTimestamp":"2022-11-24T19:18:12Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:12:28Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-24T19:18:19Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ResourcesDiscovered","message":"All - resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ParsedGroupVersions","message":"All - legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ContentDeleted","message":"All - content successfully deleted, may be waiting on finalization"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"SomeResourcesRemain","message":"Some - resources are remaining: pods. has 7 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-24T19:18:19Z","reason":"ContentHasNoFinalizers","message":"All + string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"3948"},"items":[{"metadata":{"name":"azure-arc","uid":"47539461-cf19-44f5-9a62-376e5513e21e","resourceVersion":"3948","creationTimestamp":"2022-11-15T11:38:53Z","deletionTimestamp":"2022-11-15T11:44:32Z","labels":{"admission.policy.azure.com/ignore":"true","app.kubernetes.io/managed-by":"Helm","control-plane":"true","kubernetes.io/metadata.name":"azure-arc"},"annotations":{"meta.helm.sh/release-name":"azure-arc","meta.helm.sh/release-namespace":"default"},"managedFields":[{"manager":"helm","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:38:53Z","fieldsType":"FieldsV1","fieldsV1":{"f:metadata":{"f:annotations":{".":{},"f:meta.helm.sh/release-name":{},"f:meta.helm.sh/release-namespace":{}},"f:labels":{".":{},"f:admission.policy.azure.com/ignore":{},"f:app.kubernetes.io/managed-by":{},"f:control-plane":{},"f:kubernetes.io/metadata.name":{}}}}},{"manager":"kube-controller-manager","operation":"Update","apiVersion":"v1","time":"2022-11-15T11:44:48Z","fieldsType":"FieldsV1","fieldsV1":{"f:status":{"f:conditions":{".":{},"k:{\"type\":\"NamespaceContentRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionContentFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionDiscoveryFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceDeletionGroupVersionParsingFailure\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}},"k:{\"type\":\"NamespaceFinalizersRemaining\"}":{".":{},"f:lastTransitionTime":{},"f:message":{},"f:reason":{},"f:status":{},"f:type":{}}}}},"subresource":"status"}]},"spec":{"finalizers":["kubernetes"]},"status":{"phase":"Terminating","conditions":[{"type":"NamespaceDeletionDiscoveryFailure","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ResourcesDiscovered","message":"All + resources successfully discovered"},{"type":"NamespaceDeletionGroupVersionParsingFailure","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ParsedGroupVersions","message":"All + legacy kube types successfully parsed"},{"type":"NamespaceDeletionContentFailure","status":"True","lastTransitionTime":"2022-11-15T11:45:10Z","reason":"ContentDeletionFailed","message":"Failed + to delete all resource types, 1 remaining: unexpected items still remain in + namespace: azure-arc for gvr: /v1, Resource=pods"},{"type":"NamespaceContentRemaining","status":"True","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"SomeResourcesRemain","message":"Some + resources are remaining: pods. has 4 resource instances"},{"type":"NamespaceFinalizersRemaining","status":"False","lastTransitionTime":"2022-11-15T11:44:48Z","reason":"ContentHasNoFinalizers","message":"All content-preserving finalizers finished"}]}}]} ' headers: audit-id: - - 8b6eacfd-c39d-456d-a7e4-1ec5647cdf1d + - 614abefc-3052-4b16-98c5-0e9eead44fbf cache-control: - no-cache, private content-type: - application/json date: - - Thu, 24 Nov 2022 19:18:45 GMT + - Tue, 15 Nov 2022 11:45:15 GMT transfer-encoding: - chunked x-kubernetes-pf-flowschema-uid: - - 82d00372-72d6-4c5b-9ff3-709e42c5c214 + - 41f5db60-86cb-4eda-ae03-4e5d3b32ee1c x-kubernetes-pf-prioritylevel-uid: - - 08eb1bb5-9f77-4611-93e9-f1a16beacaed + - 10e00fa7-faea-45c7-90e4-414371b6c667 status: code: 200 message: OK @@ -2042,15 +2207,15 @@ interactions: User-Agent: - OpenAPI-Generator/24.2.0/python method: GET - uri: https://test-force-conk8stest000001-1bfbb5-1b3b01b5.hcp.eastus2euap.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc + uri: https://test-force-rohanazuregroup-1bfbb5-6f1967ab.hcp.westeurope.azmk8s.io/api/v1/namespaces?fieldSelector=metadata.name%3Dazure-arc response: body: - string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"4650"},"items":[]} + string: '{"kind":"NamespaceList","apiVersion":"v1","metadata":{"resourceVersion":"3980"},"items":[]} ' headers: audit-id: - - 33e78078-14c5-4d7f-98bb-077f7791e2bc + - 6aa4588f-abf6-4775-9130-ab5aa2885da2 cache-control: - no-cache, private content-length: @@ -2058,11 +2223,11 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 19:18:50 GMT + - Tue, 15 Nov 2022 11:45:21 GMT x-kubernetes-pf-flowschema-uid: - - 82d00372-72d6-4c5b-9ff3-709e42c5c214 + - 41f5db60-86cb-4eda-ae03-4e5d3b32ee1c x-kubernetes-pf-prioritylevel-uid: - - 08eb1bb5-9f77-4611-93e9-f1a16beacaed + - 10e00fa7-faea-45c7-90e4-414371b6c667 status: code: 200 message: OK @@ -2082,26 +2247,26 @@ interactions: ParameterSetName: - -g -n -y User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 - (Windows-10-10.0.19045-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/conk8stest000001/providers/Microsoft.ContainerService/managedClusters/test-force-delete000002?api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rohanazuregroup/providers/Microsoft.ContainerService/managedClusters/test-force-delete000001?api-version=2022-09-01 response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus2euap/operations/d7078ba7-428b-4bb6-a850-0f6a1744d17a?api-version=2016-03-30 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/605d2bdb-609e-4c4f-a44b-bde1a4dd1226?api-version=2017-08-31 cache-control: - no-cache content-length: - '0' date: - - Thu, 24 Nov 2022 19:18:57 GMT + - Tue, 15 Nov 2022 11:45:26 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus2euap/operationresults/d7078ba7-428b-4bb6-a850-0f6a1744d17a?api-version=2016-03-30 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operationresults/605d2bdb-609e-4c4f-a44b-bde1a4dd1226?api-version=2017-08-31 pragma: - no-cache server: @@ -2129,14 +2294,446 @@ interactions: ParameterSetName: - -g -n -y User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 - (Windows-10-10.0.19045-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/605d2bdb-609e-4c4f-a44b-bde1a4dd1226?api-version=2017-08-31 + response: + body: + string: "{\n \"name\": \"db2b5d60-9e60-4f4c-a44b-bde1a4dd1226\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:45:26.9575477Z\"\n }" + headers: + cache-control: + - no-cache + content-length: + - '126' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:45:26 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - aks delete + Connection: + - keep-alive + ParameterSetName: + - -g -n -y + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/605d2bdb-609e-4c4f-a44b-bde1a4dd1226?api-version=2017-08-31 + response: + body: + string: "{\n \"name\": \"db2b5d60-9e60-4f4c-a44b-bde1a4dd1226\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:45:26.9575477Z\"\n }" + headers: + cache-control: + - no-cache + content-length: + - '126' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:45:57 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - aks delete + Connection: + - keep-alive + ParameterSetName: + - -g -n -y + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/605d2bdb-609e-4c4f-a44b-bde1a4dd1226?api-version=2017-08-31 + response: + body: + string: "{\n \"name\": \"db2b5d60-9e60-4f4c-a44b-bde1a4dd1226\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:45:26.9575477Z\"\n }" + headers: + cache-control: + - no-cache + content-length: + - '126' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:46:27 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - aks delete + Connection: + - keep-alive + ParameterSetName: + - -g -n -y + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/605d2bdb-609e-4c4f-a44b-bde1a4dd1226?api-version=2017-08-31 + response: + body: + string: "{\n \"name\": \"db2b5d60-9e60-4f4c-a44b-bde1a4dd1226\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:45:26.9575477Z\"\n }" + headers: + cache-control: + - no-cache + content-length: + - '126' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:46:58 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - aks delete + Connection: + - keep-alive + ParameterSetName: + - -g -n -y + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/605d2bdb-609e-4c4f-a44b-bde1a4dd1226?api-version=2017-08-31 + response: + body: + string: "{\n \"name\": \"db2b5d60-9e60-4f4c-a44b-bde1a4dd1226\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:45:26.9575477Z\"\n }" + headers: + cache-control: + - no-cache + content-length: + - '126' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:47:28 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - aks delete + Connection: + - keep-alive + ParameterSetName: + - -g -n -y + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/605d2bdb-609e-4c4f-a44b-bde1a4dd1226?api-version=2017-08-31 + response: + body: + string: "{\n \"name\": \"db2b5d60-9e60-4f4c-a44b-bde1a4dd1226\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:45:26.9575477Z\"\n }" + headers: + cache-control: + - no-cache + content-length: + - '126' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:47:58 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - aks delete + Connection: + - keep-alive + ParameterSetName: + - -g -n -y + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/605d2bdb-609e-4c4f-a44b-bde1a4dd1226?api-version=2017-08-31 + response: + body: + string: "{\n \"name\": \"db2b5d60-9e60-4f4c-a44b-bde1a4dd1226\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:45:26.9575477Z\"\n }" + headers: + cache-control: + - no-cache + content-length: + - '126' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:48:28 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - aks delete + Connection: + - keep-alive + ParameterSetName: + - -g -n -y + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/605d2bdb-609e-4c4f-a44b-bde1a4dd1226?api-version=2017-08-31 + response: + body: + string: "{\n \"name\": \"db2b5d60-9e60-4f4c-a44b-bde1a4dd1226\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:45:26.9575477Z\"\n }" + headers: + cache-control: + - no-cache + content-length: + - '126' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:48:59 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - aks delete + Connection: + - keep-alive + ParameterSetName: + - -g -n -y + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/605d2bdb-609e-4c4f-a44b-bde1a4dd1226?api-version=2017-08-31 + response: + body: + string: "{\n \"name\": \"db2b5d60-9e60-4f4c-a44b-bde1a4dd1226\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:45:26.9575477Z\"\n }" + headers: + cache-control: + - no-cache + content-length: + - '126' + content-type: + - application/json + date: + - Tue, 15 Nov 2022 11:49:29 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - nginx + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - aks delete + Connection: + - keep-alive + ParameterSetName: + - -g -n -y + User-Agent: + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus2euap/operations/d7078ba7-428b-4bb6-a850-0f6a1744d17a?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/605d2bdb-609e-4c4f-a44b-bde1a4dd1226?api-version=2017-08-31 response: body: - string: "{\n \"name\": \"a78b07d7-8b42-b64b-a850-0f6a1744d17a\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-24T19:18:57.1535147Z\"\n }" + string: "{\n \"name\": \"db2b5d60-9e60-4f4c-a44b-bde1a4dd1226\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:45:26.9575477Z\"\n }" headers: cache-control: - no-cache @@ -2145,7 +2742,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 19:19:28 GMT + - Tue, 15 Nov 2022 11:50:00 GMT expires: - '-1' pragma: @@ -2177,14 +2774,14 @@ interactions: ParameterSetName: - -g -n -y User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 - (Windows-10-10.0.19045-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus2euap/operations/d7078ba7-428b-4bb6-a850-0f6a1744d17a?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/605d2bdb-609e-4c4f-a44b-bde1a4dd1226?api-version=2017-08-31 response: body: - string: "{\n \"name\": \"a78b07d7-8b42-b64b-a850-0f6a1744d17a\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-24T19:18:57.1535147Z\"\n }" + string: "{\n \"name\": \"db2b5d60-9e60-4f4c-a44b-bde1a4dd1226\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:45:26.9575477Z\"\n }" headers: cache-control: - no-cache @@ -2193,7 +2790,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 19:19:59 GMT + - Tue, 15 Nov 2022 11:50:30 GMT expires: - '-1' pragma: @@ -2225,14 +2822,14 @@ interactions: ParameterSetName: - -g -n -y User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 - (Windows-10-10.0.19045-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus2euap/operations/d7078ba7-428b-4bb6-a850-0f6a1744d17a?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/605d2bdb-609e-4c4f-a44b-bde1a4dd1226?api-version=2017-08-31 response: body: - string: "{\n \"name\": \"a78b07d7-8b42-b64b-a850-0f6a1744d17a\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-24T19:18:57.1535147Z\"\n }" + string: "{\n \"name\": \"db2b5d60-9e60-4f4c-a44b-bde1a4dd1226\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:45:26.9575477Z\"\n }" headers: cache-control: - no-cache @@ -2241,7 +2838,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 19:20:29 GMT + - Tue, 15 Nov 2022 11:51:00 GMT expires: - '-1' pragma: @@ -2273,14 +2870,14 @@ interactions: ParameterSetName: - -g -n -y User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 - (Windows-10-10.0.19045-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus2euap/operations/d7078ba7-428b-4bb6-a850-0f6a1744d17a?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/605d2bdb-609e-4c4f-a44b-bde1a4dd1226?api-version=2017-08-31 response: body: - string: "{\n \"name\": \"a78b07d7-8b42-b64b-a850-0f6a1744d17a\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-24T19:18:57.1535147Z\"\n }" + string: "{\n \"name\": \"db2b5d60-9e60-4f4c-a44b-bde1a4dd1226\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:45:26.9575477Z\"\n }" headers: cache-control: - no-cache @@ -2289,7 +2886,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 19:20:59 GMT + - Tue, 15 Nov 2022 11:51:30 GMT expires: - '-1' pragma: @@ -2321,14 +2918,14 @@ interactions: ParameterSetName: - -g -n -y User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 - (Windows-10-10.0.19045-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus2euap/operations/d7078ba7-428b-4bb6-a850-0f6a1744d17a?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/605d2bdb-609e-4c4f-a44b-bde1a4dd1226?api-version=2017-08-31 response: body: - string: "{\n \"name\": \"a78b07d7-8b42-b64b-a850-0f6a1744d17a\",\n \"status\": - \"InProgress\",\n \"startTime\": \"2022-11-24T19:18:57.1535147Z\"\n }" + string: "{\n \"name\": \"db2b5d60-9e60-4f4c-a44b-bde1a4dd1226\",\n \"status\": + \"InProgress\",\n \"startTime\": \"2022-11-15T11:45:26.9575477Z\"\n }" headers: cache-control: - no-cache @@ -2337,7 +2934,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 19:21:30 GMT + - Tue, 15 Nov 2022 11:52:01 GMT expires: - '-1' pragma: @@ -2369,15 +2966,15 @@ interactions: ParameterSetName: - -g -n -y User-Agent: - - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.8.10 - (Windows-10-10.0.19045-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-containerservice/20.6.0 Python/3.7.7 + (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/eastus2euap/operations/d7078ba7-428b-4bb6-a850-0f6a1744d17a?api-version=2016-03-30 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.ContainerService/locations/westeurope/operations/605d2bdb-609e-4c4f-a44b-bde1a4dd1226?api-version=2017-08-31 response: body: - string: "{\n \"name\": \"a78b07d7-8b42-b64b-a850-0f6a1744d17a\",\n \"status\": - \"Succeeded\",\n \"startTime\": \"2022-11-24T19:18:57.1535147Z\",\n \"endTime\": - \"2022-11-24T19:21:57.318634Z\"\n }" + string: "{\n \"name\": \"db2b5d60-9e60-4f4c-a44b-bde1a4dd1226\",\n \"status\": + \"Succeeded\",\n \"startTime\": \"2022-11-15T11:45:26.9575477Z\",\n \"endTime\": + \"2022-11-15T11:52:10.129374Z\"\n }" headers: cache-control: - no-cache @@ -2386,7 +2983,7 @@ interactions: content-type: - application/json date: - - Thu, 24 Nov 2022 19:22:01 GMT + - Tue, 15 Nov 2022 11:52:31 GMT expires: - '-1' pragma: diff --git a/src/connectedk8s/azext_connectedk8s/tests/latest/test_connectedk8s_scenario.py b/src/connectedk8s/azext_connectedk8s/tests/latest/test_connectedk8s_scenario.py index 3f45c36a15c..3b19a318433 100644 --- a/src/connectedk8s/azext_connectedk8s/tests/latest/test_connectedk8s_scenario.py +++ b/src/connectedk8s/azext_connectedk8s/tests/latest/test_connectedk8s_scenario.py @@ -5,22 +5,12 @@ import os import unittest -import json -import requests -import platform -import stat -from knack.util import CLIError -import azext_connectedk8s._constants as consts -import urllib.request -import shutil -from knack.log import get_logger -from azure.cli.core import get_default_cli import subprocess -from subprocess import Popen, PIPE, run, STDOUT, call, DEVNULL -from azure.cli.testsdk import (LiveScenarioTest, ResourceGroupPreparer, live_only) # pylint: disable=import-error + +from azure.cli.testsdk import (LiveScenarioTest, ResourceGroupPreparer) # pylint: disable=import-error + TEST_DIR = os.path.abspath(os.path.join(os.path.abspath(__file__), '..')) -logger = get_logger(__name__) def _get_test_data_file(filename): @@ -28,489 +18,85 @@ def _get_test_data_file(filename): return os.path.join(curr_dir, 'data', filename).replace('\\', '\\\\') -def install_helm_client(): - - # Fetch system related info - operating_system = platform.system().lower() - machine_type = platform.machine() - - # Set helm binary download & install locations - if(operating_system == 'windows'): - download_location_string = f'.azure\\helm\\{consts.HELM_VERSION}\\helm-{consts.HELM_VERSION}-{operating_system}-amd64.zip' - install_location_string = f'.azure\\helm\\{consts.HELM_VERSION}\\{operating_system}-amd64\\helm.exe' - requestUri = f'{consts.HELM_STORAGE_URL}/helm/helm-{consts.HELM_VERSION}-{operating_system}-amd64.zip' - elif(operating_system == 'linux' or operating_system == 'darwin'): - download_location_string = f'.azure/helm/{consts.HELM_VERSION}/helm-{consts.HELM_VERSION}-{operating_system}-amd64.tar.gz' - install_location_string = f'.azure/helm/{consts.HELM_VERSION}/{operating_system}-amd64/helm' - requestUri = f'{consts.HELM_STORAGE_URL}/helm/helm-{consts.HELM_VERSION}-{operating_system}-amd64.tar.gz' - else: - logger.warning(f'The {operating_system} platform is not currently supported for installing helm client.') - return - - download_location = os.path.expanduser(os.path.join('~', download_location_string)) - download_dir = os.path.dirname(download_location) - install_location = os.path.expanduser(os.path.join('~', install_location_string)) - - # Download compressed helm binary if not already present - if not os.path.isfile(download_location): - # Creating the helm folder if it doesnt exist - if not os.path.exists(download_dir): - try: - os.makedirs(download_dir) - except Exception as e: - logger.warning("Failed to create helm directory." + str(e)) - return - - # Downloading compressed helm client executable - try: - response = urllib.request.urlopen(requestUri) - except Exception as e: - logger.warning("Failed to download helm client.") - return - - responseContent = response.read() - response.close() - - # Creating the compressed helm binaries - try: - with open(download_location, 'wb') as f: - f.write(responseContent) - except Exception as e: - logger.warning("Failed to extract helm executable" + str(e)) - return - - # Extract compressed helm binary - if not os.path.isfile(install_location): - try: - shutil.unpack_archive(download_location, download_dir) - os.chmod(install_location, os.stat(install_location).st_mode | stat.S_IXUSR) - except Exception as e: - logger.warning("Failed to extract helm executable" + str(e)) - return - - return install_location - - -def install_kubectl_client(): - # Return kubectl client path set by user - try: - - # Fetching the current directory where the cli installs the kubectl executable - home_dir = os.path.expanduser('~') - kubectl_filepath = os.path.join(home_dir, '.azure', 'kubectl-client') - - try: - os.mkdir(kubectl_filepath) - except FileExistsError: - pass - - operating_system = platform.system().lower() - # Setting path depending on the OS being used - if operating_system == 'windows': - kubectl_path = os.path.join(kubectl_filepath, 'kubectl.exe') - elif operating_system == 'linux' or operating_system == 'darwin': - kubectl_path = os.path.join(kubectl_filepath, 'kubectl') - else: - logger.warning(f'The {operating_system} platform is not currently supported for installing kubectl client.') - return - - if os.path.isfile(kubectl_path): - return kubectl_path - - # Downloading kubectl executable if its not present in the machine - get_default_cli().invoke(['aks', 'install-cli', '--install-location', kubectl_path]) - # Return the path of the kubectl executable - return kubectl_path - - except Exception as e: - logger.warning("Unable to install kubectl. Error: " + str(e)) - return - - class Connectedk8sScenarioTest(LiveScenarioTest): - @live_only() - @ResourceGroupPreparer(name_prefix='conk8stest', location='eastus2euap', random_name_length=16) - def test_connect(self,resource_group): - - managed_cluster_name = self.create_random_name(prefix='test-connect', length=24) - kubeconfig="%s" % (_get_test_data_file(managed_cluster_name + '-config.yaml')) - self.kwargs.update({ - 'rg': resource_group, - 'name': self.create_random_name(prefix='cc-', length=12), - 'kubeconfig': kubeconfig, - 'managed_cluster_name': managed_cluster_name - }) + def test_connectedk8s(self): - self.cmd('aks create -g {rg} -n {managed_cluster_name} --generate-ssh-keys') - self.cmd('aks get-credentials -g {rg} -n {managed_cluster_name} -f {kubeconfig} --admin') - self.cmd('connectedk8s connect -g {rg} -n {name} -l eastus --tags foo=doo --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin', checks=[ - self.check('tags.foo', 'doo'), - self.check('resourceGroup', '{rg}'), - self.check('name', '{name}') - ]) - - self.cmd('connectedk8s delete -g {rg} -n {name} --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin -y') - self.cmd('aks delete -g {rg} -n {managed_cluster_name} -y') - - # delete the kube config - os.remove("%s" % (_get_test_data_file(managed_cluster_name + '-config.yaml'))) - - - @live_only() - @ResourceGroupPreparer(name_prefix='conk8stest', location='eastus2euap', random_name_length=16) - def test_forcedelete(self,resource_group): - - managed_cluster_name = self.create_random_name(prefix='test-force-delete', length=24) - kubeconfig="%s" % (_get_test_data_file(managed_cluster_name + '-config.yaml')) + managed_cluster_name = self.create_random_name(prefix='cli-test-aks-', length=24) self.kwargs.update({ - 'rg': resource_group, 'name': self.create_random_name(prefix='cc-', length=12), - 'kubeconfig': kubeconfig, + 'kubeconfig': "%s" % (_get_test_data_file(managed_cluster_name + '-config.yaml')), + 'kubeconfigpls': "%s" % (_get_test_data_file('pls-config.yaml')), 'managed_cluster_name': managed_cluster_name }) - - self.cmd('aks create -g {rg} -n {managed_cluster_name} --generate-ssh-keys') - self.cmd('aks get-credentials -g {rg} -n {managed_cluster_name} -f {kubeconfig} --admin') - self.cmd('connectedk8s connect -g {rg} -n {name} -l eastus --tags foo=doo --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin', checks=[ + self.cmd('aks create -g akkeshar -n {} -s Standard_B4ms -l westeurope -c 1 --generate-ssh-keys'.format(managed_cluster_name)) + self.cmd('aks get-credentials -g akkeshar -n {managed_cluster_name} -f {kubeconfig}') + self.cmd('connectedk8s connect -g akkeshar -n {name} -l eastus --tags foo=doo --kube-config {kubeconfig}', checks=[ self.check('tags.foo', 'doo'), self.check('name', '{name}') ]) - self.cmd('connectedk8s show -g {rg} -n {name}', checks=[ + self.cmd('connectedk8s show -g akkeshar -n {name}', checks=[ self.check('name', '{name}'), - self.check('resourceGroup', '{rg}'), + self.check('resourceGroup', 'akkeshar'), self.check('tags.foo', 'doo') ]) + self.cmd('connectedk8s delete -g akkeshar -n {name} --kube-config {kubeconfig} -y') - # Simulating the condition in which the azure-arc namespace got deleted - # connectedk8s delete command fails in this case - kubectl_client_location = install_kubectl_client() - subprocess.run([kubectl_client_location, "delete", "namespace", "azure-arc","--kube-config", kubeconfig]) - - # Using the force delete command - # -y to supress the prompts - self.cmd('connectedk8s delete -g {rg} -n {name} --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin --force -y') - self.cmd('aks delete -g {rg} -n {managed_cluster_name} -y') - - # delete the kube config - os.remove("%s" % (_get_test_data_file(managed_cluster_name + '-config.yaml'))) - - - @live_only() - @ResourceGroupPreparer(name_prefix='conk8stest', location='eastus2euap', random_name_length=16) - def test_enable_disable_features(self,resource_group): - - managed_cluster_name = self.create_random_name(prefix='test-enable-disable', length=24) - kubeconfig="%s" % (_get_test_data_file(managed_cluster_name + '-config.yaml')) - self.kwargs.update({ - 'rg': resource_group, - 'name': self.create_random_name(prefix='cc-', length=12), - 'kubeconfig': kubeconfig, - 'managed_cluster_name': managed_cluster_name - }) - - self.cmd('aks create -g {rg} -n {managed_cluster_name} --generate-ssh-keys') - self.cmd('aks get-credentials -g {rg} -n {managed_cluster_name} -f {kubeconfig} --admin') - self.cmd('connectedk8s connect -g {rg} -n {name} -l eastus --tags foo=doo --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin', checks=[ - self.check('tags.foo', 'doo'), + # Test 2022-10-01-preview api properties + self.cmd('connectedk8s connect -g akkeshar -n {name} -l eastus --distribution aks_management --infrastructure azure_stack_hci --distribution-version 1.0 --tags foo=doo --kube-config {kubeconfig}', checks=[ + self.check('distributionVersion', '1.0'), self.check('name', '{name}') ]) - self.cmd('connectedk8s show -g {rg} -n {name}', checks=[ - self.check('name', '{name}'), - self.check('resourceGroup', '{rg}'), - self.check('tags.foo', 'doo') - ]) - - os.environ.setdefault('KUBECONFIG', kubeconfig) - helm_client_location = install_helm_client() - cmd = [helm_client_location, 'get', 'values', 'azure-arc', "--namespace", "azure-arc-release", "-ojson"] - - # scenario-1 : custom loc disabled and custom loc enabled (should be successfull as there is no dependency) - self.cmd('connectedk8s disable-features -n {name} -g {rg} --features custom-locations --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin -y') - cmd_output = subprocess.Popen(cmd, stdout=PIPE, stderr=PIPE) - _, error_helm_delete = cmd_output.communicate() - assert(cmd_output.returncode == 0) - changed_cmd = json.loads(cmd_output.communicate()[0].strip()) - assert(changed_cmd["systemDefaultValues"]['customLocations']['enabled'] == bool(0)) - - self.cmd('connectedk8s enable-features -n {name} -g {rg} --features custom-locations --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin') - cmd_output1 = subprocess.Popen(cmd, stdout=PIPE, stderr=PIPE) - _, error_helm_delete = cmd_output1.communicate() - assert(cmd_output1.returncode == 0) - enabled_cmd1 = json.loads(cmd_output1.communicate()[0].strip()) - assert(enabled_cmd1["systemDefaultValues"]['customLocations']['enabled'] == bool(1)) - - # scenario-2 : custom loc is enabled , check if disabling cluster connect results in an error - with self.assertRaisesRegexp(CLIError, "Disabling 'cluster-connect' feature is not allowed when 'custom-locations' feature is enabled."): - self.cmd('connectedk8s disable-features -n {name} -g {rg} --features cluster-connect --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin -y') - - # scenario-3 : disable custom location and cluster connect , then enable custom loc and check if cluster connect also gets on - self.cmd('connectedk8s disable-features -n {name} -g {rg} --features custom-locations --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin -y') - cmd_output1 = subprocess.Popen(cmd, stdout=PIPE, stderr=PIPE) - _, error_helm_delete = cmd_output1.communicate() - assert(cmd_output1.returncode == 0) - disabled_cmd1 = json.loads(cmd_output1.communicate()[0].strip()) - assert(disabled_cmd1["systemDefaultValues"]['customLocations']['enabled'] == bool(0)) - - self.cmd('connectedk8s disable-features -n {name} -g {rg} --features cluster-connect --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin -y') - cmd_output1 = subprocess.Popen(cmd, stdout=PIPE, stderr=PIPE) - _, error_helm_delete = cmd_output1.communicate() - assert(cmd_output1.returncode == 0) - disabled_cmd1 = json.loads(cmd_output1.communicate()[0].strip()) - assert(disabled_cmd1["systemDefaultValues"]['clusterconnect-agent']['enabled'] == bool(0)) - - self.cmd('connectedk8s enable-features -n {name} -g {rg} --features custom-locations --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin') - cmd_output1 = subprocess.Popen(cmd, stdout=PIPE, stderr=PIPE) - _, error_helm_delete = cmd_output1.communicate() - assert(cmd_output1.returncode == 0) - enabled_cmd1 = json.loads(cmd_output1.communicate()[0].strip()) - assert(enabled_cmd1["systemDefaultValues"]['customLocations']['enabled'] == bool(1)) - assert(enabled_cmd1["systemDefaultValues"]['clusterconnect-agent']['enabled'] == bool(1)) - - # scenario-4: azure rbac turned off and turning azure rbac on again using app id and app secret - self.cmd('connectedk8s disable-features -n {name} -g {rg} --features azure-rbac --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin -y') - cmd_output1 = subprocess.Popen(cmd, stdout=PIPE, stderr=PIPE) - _, error_helm_delete = cmd_output1.communicate() - assert(cmd_output1.returncode == 0) - disabled_cmd1 = json.loads(cmd_output1.communicate()[0].strip()) - assert(disabled_cmd1["systemDefaultValues"]['guard']['enabled'] == bool(0)) - - self.cmd('az connectedk8s enable-features -n {name} -g {rg} --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin --features azure-rbac --app-id ffba4043-836e-4dcc-906c-fbf60bf54eef --app-secret="6a6ae7a7-4260-40d3-ba00-af909f2ca8f0"') - - # deleting the cluster - self.cmd('connectedk8s delete -g {rg} -n {name} --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin -y') - self.cmd('aks delete -g {rg} -n {managed_cluster_name} -y') - - # delete the kube config - os.remove("%s" % (_get_test_data_file(managed_cluster_name + '-config.yaml'))) - - - @live_only() - @ResourceGroupPreparer(name_prefix='conk8stest', location='eastus2euap', random_name_length=16) - def test_connectedk8s_list(self,resource_group): - - managed_cluster_name = self.create_random_name(prefix='first', length=24) - managed_cluster_name_second = self.create_random_name(prefix='second', length=24) - kubeconfig="%s" % (_get_test_data_file(managed_cluster_name + '-config.yaml')) - kubeconfigpls="%s" % (_get_test_data_file('pls-config.yaml')) - name = self.create_random_name(prefix='cc-', length=12) - name_second = self.create_random_name(prefix='cc-', length=12) - managed_cluster_list=[] - managed_cluster_list.append(name) - managed_cluster_list.append(name_second) - managed_cluster_list.sort() - self.kwargs.update({ - 'rg': resource_group, - 'name': name, - 'name_second': name_second, - 'kubeconfig': kubeconfig, - 'kubeconfigpls': kubeconfigpls, - 'managed_cluster_name': managed_cluster_name, - 'managed_cluster_name_second': managed_cluster_name_second - }) - # create two clusters and then list the cluster names - self.cmd('aks create -g {rg} -n {managed_cluster_name} --generate-ssh-keys') - self.cmd('aks get-credentials -g {rg} -n {managed_cluster_name} -f {kubeconfig} --admin') - self.cmd('connectedk8s connect -g {rg} -n {name} -l eastus --tags foo=doo --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin', checks=[ - self.check('tags.foo', 'doo'), + self.cmd('connectedk8s update -g akkeshar -n {name} --azure-hybrid-benefit true --kube-config {kubeconfig} --yes', checks=[ + self.check('azureHybridBenefit', 'True'), self.check('name', '{name}') ]) - self.cmd('connectedk8s show -g {rg} -n {name}', checks=[ - self.check('name', '{name}'), - self.check('resourceGroup', '{rg}'), - self.check('tags.foo', 'doo') - ]) - self.cmd('aks create -g {rg} -n {managed_cluster_name_second} --generate-ssh-keys') - self.cmd('aks get-credentials -g {rg} -n {managed_cluster_name_second} -f {kubeconfigpls} --admin') - self.cmd('connectedk8s connect -g {rg} -n {name_second} -l eastus --tags foo=doo --kube-config {kubeconfigpls} --kube-context {managed_cluster_name_second}-admin', checks=[ - self.check('tags.foo', 'doo'), - self.check('name', '{name_second}') - ]) - self.cmd('connectedk8s show -g {rg} -n {name_second}', checks=[ - self.check('name', '{name_second}'), - self.check('resourceGroup', '{rg}'), - self.check('tags.foo', 'doo') - ]) - - clusters_list = self.cmd('az connectedk8s list -g {rg}').get_output_in_json() - # fetching names of all clusters - cluster_name_list=[] - for clusterdesc in clusters_list: - cluster_name_list.append(clusterdesc['name']) - - assert(len(cluster_name_list) == len(managed_cluster_list)) - - # checking if the output is correct with original list of cluster names - cluster_name_list.sort() - for i in range(0,len(cluster_name_list)): - assert(cluster_name_list[i] == managed_cluster_list[i]) - - # deleting the clusters - self.cmd('connectedk8s delete -g {rg} -n {name_second} --kube-config {kubeconfigpls} --kube-context {managed_cluster_name_second}-admin -y') - self.cmd('aks delete -g {rg} -n {managed_cluster_name_second} -y') - - self.cmd('connectedk8s delete -g {rg} -n {name} --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin -y') - self.cmd('aks delete -g {rg} -n {managed_cluster_name} -y') + self.cmd('aks delete -g akkeshar -n {} -y'.format(managed_cluster_name)) # delete the kube config os.remove("%s" % (_get_test_data_file(managed_cluster_name + '-config.yaml'))) - os.remove("%s" % (_get_test_data_file('pls-config.yaml'))) - - @live_only() - @ResourceGroupPreparer(name_prefix='conk8stest', location='eastus2euap', random_name_length=16) - def test_upgrade(self,resource_group): - - managed_cluster_name = self.create_random_name(prefix='test-upgrade', length=24) - kubeconfig="%s" % (_get_test_data_file(managed_cluster_name + '-config.yaml')) - self.kwargs.update({ - 'name': self.create_random_name(prefix='cc-', length=12), - 'rg': resource_group, - 'kubeconfig': kubeconfig, - 'managed_cluster_name': managed_cluster_name - }) - - self.cmd('aks create -g {rg} -n {managed_cluster_name} --generate-ssh-keys') - self.cmd('aks get-credentials -g {rg} -n {managed_cluster_name} -f {kubeconfig} --admin') - - self.cmd('connectedk8s connect -g {rg} -n {name} -l eastus --tags foo=doo --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin', checks=[ - self.check('tags.foo', 'doo'), - self.check('name', '{name}') - ]) - self.cmd('connectedk8s show -g {rg} -n {name}', checks=[ - self.check('name', '{name}'), - self.check('resourceGroup', '{rg}'), - self.check('tags.foo', 'doo') + # Private link test + self.cmd('aks get-credentials -g akkeshar -n tempaks -f {kubeconfigpls}') + self.cmd('connectedk8s connect -g akkeshar -n cliplscc -l eastus2euap --tags foo=doo --kube-config {kubeconfigpls} --enable-private-link true --pls-arm-id /subscriptions/1bfbb5d0-917e-4346-9026-1d3b344417f5/resourceGroups/akkeshar/providers/Microsoft.HybridCompute/privateLinkScopes/temppls --yes', checks=[ + self.check('name', 'cliplscc') ]) + self.cmd('connectedk8s delete -g akkeshar -n cliplscc --kube-config {kubeconfigpls} -y') - os.environ.setdefault('KUBECONFIG', kubeconfig) - helm_client_location = install_helm_client() - cmd = [helm_client_location, 'get', 'values', 'azure-arc', "--namespace", "azure-arc-release", "-ojson"] - - with self.assertRaisesRegexp(CLIError, "az connectedk8s upgrade to manually upgrade agents and extensions is only supported when auto-upgrade is set to false"): - self.cmd('connectedk8s upgrade -g {rg} -n {name} --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin') - - # scenario - Turning off auto upgrade ,then updating agnets to latest and check if the version of agents matches with latest version - self.cmd('connectedk8s update -n {name} -g {rg} --auto-upgrade false --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin') - cmd_output1 = subprocess.Popen(cmd, stdout=PIPE, stderr=PIPE) - _, error_helm_delete = cmd_output1.communicate() - assert(cmd_output1.returncode == 0) - updated_cmd1 = json.loads(cmd_output1.communicate()[0].strip()) - assert(updated_cmd1["systemDefaultValues"]['azureArcAgents']['autoUpdate'] == bool(0)) - - self.cmd('connectedk8s upgrade -g {rg} -n {name} --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin') - response= requests.post('https://eastus.dp.kubernetesconfiguration.azure.com/azure-arc-k8sagents/GetLatestHelmPackagePath?api-version=2019-11-01-preview&releaseTrain=stable') - jsonData = json.loads(response.text) - repo_path=jsonData['repositoryPath'] - index_value = 0 - for ind in range (0,len(repo_path)): - if repo_path[ind]==':': - break - index_value += 1 - - self.cmd('connectedk8s show -g {rg} -n {name}', checks=[ - self.check('agentVersion', jsonData['repositoryPath'][index_value+1:]), - ]) - - # scenario : changing the upgrade timeout - self.cmd('connectedk8s upgrade -g {rg} -n {name} --upgrade-timeout 650 --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin') - - self.cmd('connectedk8s delete -g {rg} -n {name} --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin -y') - self.cmd('aks delete -g {rg} -n {managed_cluster_name} -y') - - # delete the kube config - os.remove("%s" % (_get_test_data_file(managed_cluster_name + '-config.yaml'))) + os.remove("%s" % (_get_test_data_file('pls-config.yaml'))) + def test_forcedelete(self): - @live_only() - @ResourceGroupPreparer(name_prefix='conk8stest', location='eastus2euap', random_name_length=16) - def test_update(self,resource_group): - managed_cluster_name = self.create_random_name(prefix='test-update', length=24) + managed_cluster_name = self.create_random_name(prefix='test-force-delete', length=24) kubeconfig="%s" % (_get_test_data_file(managed_cluster_name + '-config.yaml')) self.kwargs.update({ 'name': self.create_random_name(prefix='cc-', length=12), 'kubeconfig': kubeconfig, - 'rg':resource_group, - 'managed_cluster_name': managed_cluster_name - }) - - self.cmd('aks create -g {rg} -n {managed_cluster_name} --generate-ssh-keys') - self.cmd('aks get-credentials -g {rg} -n {managed_cluster_name} -f {kubeconfig} --admin') - self.cmd('connectedk8s connect -g {rg} -n {name} -l eastus --tags foo=doo --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin', checks=[ - self.check('tags.foo', 'doo'), - self.check('name', '{name}') - ]) - self.cmd('connectedk8s show -g {rg} -n {name}', checks=[ - self.check('name', '{name}'), - self.check('resourceGroup', '{rg}'), - self.check('tags.foo', 'doo') - ]) - - os.environ.setdefault('KUBECONFIG', kubeconfig) - helm_client_location = install_helm_client() - cmd = [helm_client_location, 'get', 'values', 'azure-arc', "--namespace", "azure-arc-release", "-ojson"] - - # scenario - auto-upgrade is turned on - self.cmd('connectedk8s update -n {name} -g {rg} --auto-upgrade true --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin') - cmd_output1 = subprocess.Popen(cmd, stdout=PIPE, stderr=PIPE) - _, error_helm_delete = cmd_output1.communicate() - assert(cmd_output1.returncode == 0) - updated_cmd1 = json.loads(cmd_output1.communicate()[0].strip()) - assert(updated_cmd1["systemDefaultValues"]['azureArcAgents']['autoUpdate'] == bool(1)) - - # scenario - auto-upgrade is turned off - self.cmd('connectedk8s update -n {name} -g {rg} --auto-upgrade false --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin') - cmd_output1 = subprocess.Popen(cmd, stdout=PIPE, stderr=PIPE) - _, error_helm_delete = cmd_output1.communicate() - assert(cmd_output1.returncode == 0) - updated_cmd1 = json.loads(cmd_output1.communicate()[0].strip()) - assert(updated_cmd1["systemDefaultValues"]['azureArcAgents']['autoUpdate'] == bool(0)) - - #scenario - updating the tags - self.cmd('connectedk8s update -n {name} -g {rg} --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin --tags foo=moo') - self.cmd('connectedk8s show -g {rg} -n {name}', checks=[ - self.check('name', '{name}'), - self.check('resourceGroup', '{rg}'), - self.check('tags.foo', 'moo') - ]) - - self.cmd('connectedk8s delete -g {rg} -n {name} --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin -y') - self.cmd('aks delete -g {rg} -n {managed_cluster_name} -y') - - # delete the kube config - os.remove("%s" % (_get_test_data_file(managed_cluster_name + '-config.yaml'))) - - - @live_only() - @ResourceGroupPreparer(name_prefix='conk8stest', location='eastus2euap', random_name_length=16) - def test_troubleshoot(self,resource_group): - managed_cluster_name = self.create_random_name(prefix='test-troubleshoot', length=24) - kubeconfig="%s" % (_get_test_data_file(managed_cluster_name + '-config.yaml')) - self.kwargs.update({ - 'name': self.create_random_name(prefix='cc-', length=12), - 'kubeconfig': kubeconfig, - 'rg':resource_group, + # 'kubeconfig': "%s" % (_get_test_data_file(managed_cluster_name + '-config.yaml')), 'managed_cluster_name': managed_cluster_name }) - self.cmd('aks create -g {rg} -n {managed_cluster_name} --generate-ssh-keys') - self.cmd('aks get-credentials -g {rg} -n {managed_cluster_name} -f {kubeconfig} --admin') - self.cmd('connectedk8s connect -g {rg} -n {name} -l eastus --tags foo=doo --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin', checks=[ + self.cmd('aks create -g rohanazuregroup -n {} -s Standard_B4ms -l westeurope -c 1 --generate-ssh-keys'.format(managed_cluster_name)) + self.cmd('aks get-credentials -g rohanazuregroup -n {managed_cluster_name} -f {kubeconfig}') + self.cmd('connectedk8s connect -g rohanazuregroup -n {name} -l eastus --tags foo=doo --kube-config {kubeconfig}', checks=[ self.check('tags.foo', 'doo'), self.check('name', '{name}') ]) - self.cmd('connectedk8s show -g {rg} -n {name}', checks=[ + self.cmd('connectedk8s show -g rohanazuregroup -n {name}', checks=[ self.check('name', '{name}'), - self.check('resourceGroup', '{rg}'), + self.check('resourceGroup', 'rohanazuregroup'), self.check('tags.foo', 'doo') ]) - self.cmd('connectedk8s troubleshoot -g {rg} -n {name} --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin') + # Simulating the condition in which the azure-arc namespace got deleted + # connectedk8s delete command fails in this case + subprocess.run(["kubectl", "delete", "namespace", "azure-arc","--kube-config", kubeconfig]) - self.cmd('connectedk8s delete -g {rg} -n {name} --kube-config {kubeconfig} --kube-context {managed_cluster_name}-admin -y') - self.cmd('aks delete -g {rg} -n {managed_cluster_name} -y') + # Using the force delete command + # -y to supress the prompts + self.cmd('connectedk8s delete -g rohanazuregroup -n {name} --kube-config {kubeconfig} --force -y') + self.cmd('aks delete -g rohanazuregroup -n {} -y'.format(managed_cluster_name)) # delete the kube config - os.remove("%s" % (_get_test_data_file(managed_cluster_name + '-config.yaml'))) - + os.remove("%s" % (_get_test_data_file(managed_cluster_name + '-config.yaml'))) \ No newline at end of file diff --git a/src/connectedk8s/azext_connectedk8s/troubleshoot_diagnoser_job_with_proxycert_mount.yaml b/src/connectedk8s/azext_connectedk8s/troubleshoot_diagnoser_job_with_proxycert_mount.yaml index 486eac23818..002ba17178c 100644 --- a/src/connectedk8s/azext_connectedk8s/troubleshoot_diagnoser_job_with_proxycert_mount.yaml +++ b/src/connectedk8s/azext_connectedk8s/troubleshoot_diagnoser_job_with_proxycert_mount.yaml @@ -53,7 +53,7 @@ spec: command: - /bin/bash - /diagnoser_job_script.sh - image: mcr.microsoft.com/arck8sdiagnoser:v0.1.1 + image: mcr.microsoft.com/arck8sdiagnoser:v0.1.0 name: azure-arc-diagnoser-container volumeMounts: - mountPath: /etc/ssl/certs/ diff --git a/src/connectedk8s/azext_connectedk8s/troubleshoot_diagnoser_job_without_proxycert.yaml b/src/connectedk8s/azext_connectedk8s/troubleshoot_diagnoser_job_without_proxycert.yaml index 0071fbae219..46081a61aac 100644 --- a/src/connectedk8s/azext_connectedk8s/troubleshoot_diagnoser_job_without_proxycert.yaml +++ b/src/connectedk8s/azext_connectedk8s/troubleshoot_diagnoser_job_without_proxycert.yaml @@ -53,7 +53,7 @@ spec: command: - /bin/bash - /diagnoser_job_script.sh - image: mcr.microsoft.com/arck8sdiagnoser:v0.1.1 + image: mcr.microsoft.com/arck8sdiagnoser:v0.1.0 name: azure-arc-diagnoser-container restartPolicy: Never - serviceAccountName: azure-arc-troubleshoot-sa \ No newline at end of file + serviceAccountName: azure-arc-troubleshoot-sa diff --git a/src/connectedk8s/setup.py b/src/connectedk8s/setup.py index 2d770c338dd..ef5b845dcfe 100644 --- a/src/connectedk8s/setup.py +++ b/src/connectedk8s/setup.py @@ -17,7 +17,7 @@ # TODO: Confirm this is the right version number you want and it matches your # HISTORY.rst entry. -VERSION = '1.3.13' +VERSION = '1.3.9' # The full list of classifiers is available at # https://pypi.python.org/pypi?%3Aaction=list_classifiers diff --git a/src/containerapp/HISTORY.rst b/src/containerapp/HISTORY.rst index b58841c00cd..0ce871a675d 100644 --- a/src/containerapp/HISTORY.rst +++ b/src/containerapp/HISTORY.rst @@ -2,22 +2,9 @@ Release History =============== -0.3.22 -++++++ -* BREAKING CHANGE: 'az containerapp env certificate list' returns [] if certificate not found, instead of raising an error. -* Added 'az containerapp env certificate create' to create managed certificate in a container app environment -* Added 'az containerapp hostname add' to add hostname to a container app without binding -* 'az containerapp env certificate delete': add support for managed certificate deletion -* 'az containerapp env certificate list': add optional parameters --managed-certificates-only and --private-key-certificates-only to list certificates by type -* 'az containerapp hostname bind': change --thumbprint to an optional parameter and add optional parameter --validation-method to support managed certificate bindings -* 'az containerapp ssl upload': log messages to indicate which step is in progress -* Fix the 'TypeError: 'NoneType' object does not support item assignment' error obtained while running the CLI command 'az containerapp dapr enable' - 0.3.21 ++++++ * Fix the PermissionError caused for the Temporary files while running `az containerapp up` command on Windows -* Fix the empty IP Restrictions object caused running `az containerapp update` command on Windows with a pre existing .yaml file -* Added model mapping to support add/update of init Containers via `az containerapp create` & `az containerapp update` commands. 0.3.20 ++++++ diff --git a/src/containerapp/azext_containerapp/_client_factory.py b/src/containerapp/azext_containerapp/_client_factory.py index d0852ce7e62..4e8ad424138 100644 --- a/src/containerapp/azext_containerapp/_client_factory.py +++ b/src/containerapp/azext_containerapp/_client_factory.py @@ -54,33 +54,6 @@ def handle_raw_exception(e): raise e -def handle_non_404_exception(e): - import json - - stringErr = str(e) - - if "{" in stringErr and "}" in stringErr: - jsonError = stringErr[stringErr.index("{"):stringErr.rindex("}") + 1] - jsonError = json.loads(jsonError) - - if 'error' in jsonError: - jsonError = jsonError['error'] - - if 'code' in jsonError and 'message' in jsonError: - code = jsonError['code'] - message = jsonError['message'] - if code != "ResourceNotFound": - raise CLIInternalError('({}) {}'.format(code, message)) - return jsonError - elif "Message" in jsonError: - message = jsonError["Message"] - raise CLIInternalError(message) - elif "message" in jsonError: - message = jsonError["message"] - raise CLIInternalError(message) - raise e - - def providers_client_factory(cli_ctx, subscription_id=None): return get_mgmt_service_client(cli_ctx, ResourceType.MGMT_RESOURCE_RESOURCES, subscription_id=subscription_id).providers diff --git a/src/containerapp/azext_containerapp/_clients.py b/src/containerapp/azext_containerapp/_clients.py index b0b9f25540c..e40fa59ddb3 100644 --- a/src/containerapp/azext_containerapp/_clients.py +++ b/src/containerapp/azext_containerapp/_clients.py @@ -16,11 +16,8 @@ PREVIEW_API_VERSION = "2022-06-01-preview" CURRENT_API_VERSION = PREVIEW_API_VERSION -MANAGED_CERTS_API_VERSION = '2022-11-01-preview' POLLING_TIMEOUT = 600 # how many seconds before exiting POLLING_SECONDS = 2 # how many seconds between requests -POLLING_TIMEOUT_FOR_MANAGED_CERTIFICATE = 1500 # how many seconds before exiting -POLLING_INTERVAL_FOR_MANAGED_CERTIFICATE = 4 # how many seconds between requests class PollingAnimation(): @@ -620,23 +617,6 @@ def show_certificate(cls, cmd, resource_group_name, name, certificate_name): r = send_raw_request(cmd.cli_ctx, "GET", request_url, body=None) return r.json() - @classmethod - def show_managed_certificate(cls, cmd, resource_group_name, name, certificate_name): - management_hostname = cmd.cli_ctx.cloud.endpoints.resource_manager - api_version = MANAGED_CERTS_API_VERSION - sub_id = get_subscription_id(cmd.cli_ctx) - url_fmt = "{}/subscriptions/{}/resourceGroups/{}/providers/Microsoft.App/managedEnvironments/{}/managedCertificates/{}?api-version={}" - request_url = url_fmt.format( - management_hostname.strip('/'), - sub_id, - resource_group_name, - name, - certificate_name, - api_version) - - r = send_raw_request(cmd.cli_ctx, "GET", request_url, body=None) - return r.json() - @classmethod def list_certificates(cls, cmd, resource_group_name, name, formatter=lambda x: x): certs_list = [] @@ -659,28 +639,6 @@ def list_certificates(cls, cmd, resource_group_name, name, formatter=lambda x: x certs_list.append(formatted) return certs_list - @classmethod - def list_managed_certificates(cls, cmd, resource_group_name, name, formatter=lambda x: x): - certs_list = [] - - management_hostname = cmd.cli_ctx.cloud.endpoints.resource_manager - api_version = MANAGED_CERTS_API_VERSION - sub_id = get_subscription_id(cmd.cli_ctx) - url_fmt = "{}/subscriptions/{}/resourceGroups/{}/providers/Microsoft.App/managedEnvironments/{}/managedCertificates?api-version={}" - request_url = url_fmt.format( - management_hostname.strip('/'), - sub_id, - resource_group_name, - name, - api_version) - - r = send_raw_request(cmd.cli_ctx, "GET", request_url, body=None) - j = r.json() - for cert in j["value"]: - formatted = formatter(cert) - certs_list.append(formatted) - return certs_list - @classmethod def create_or_update_certificate(cls, cmd, resource_group_name, name, certificate_name, certificate): management_hostname = cmd.cli_ctx.cloud.endpoints.resource_manager @@ -698,51 +656,6 @@ def create_or_update_certificate(cls, cmd, resource_group_name, name, certificat r = send_raw_request(cmd.cli_ctx, "PUT", request_url, body=json.dumps(certificate)) return r.json() - @classmethod - def create_or_update_managed_certificate(cls, cmd, resource_group_name, name, certificate_name, certificate_envelop, no_wait=False, is_TXT=False): - management_hostname = cmd.cli_ctx.cloud.endpoints.resource_manager - api_version = MANAGED_CERTS_API_VERSION - sub_id = get_subscription_id(cmd.cli_ctx) - url_fmt = "{}/subscriptions/{}/resourceGroups/{}/providers/Microsoft.App/managedEnvironments/{}/managedCertificates/{}?api-version={}" - request_url = url_fmt.format( - management_hostname.strip('/'), - sub_id, - resource_group_name, - name, - certificate_name, - api_version) - r = send_raw_request(cmd.cli_ctx, "PUT", request_url, body=json.dumps(certificate_envelop)) - - if no_wait and not is_TXT: - return r.json() - elif r.status_code == 201: - try: - start = time.time() - end = time.time() + POLLING_TIMEOUT_FOR_MANAGED_CERTIFICATE - animation = PollingAnimation() - animation.tick() - r = send_raw_request(cmd.cli_ctx, "GET", request_url) - message_logged = False - while r.status_code in [200, 201] and start < end: - time.sleep(POLLING_INTERVAL_FOR_MANAGED_CERTIFICATE) - animation.tick() - r = send_raw_request(cmd.cli_ctx, "GET", request_url) - r2 = r.json() - if is_TXT and not message_logged and "properties" in r2 and "validationToken" in r2["properties"]: - logger.warning('\nPlease copy the token below for TXT record and enter it with your domain provider:\n%s\n', r2["properties"]["validationToken"]) - message_logged = True - if no_wait: - break - if "properties" not in r2 or "provisioningState" not in r2["properties"] or r2["properties"]["provisioningState"].lower() in ["succeeded", "failed", "canceled"]: - break - start = time.time() - animation.flush() - return r.json() - except Exception as e: # pylint: disable=broad-except - animation.flush() - raise e - return r.json() - @classmethod def delete_certificate(cls, cmd, resource_group_name, name, certificate_name): management_hostname = cmd.cli_ctx.cloud.endpoints.resource_manager @@ -759,22 +672,6 @@ def delete_certificate(cls, cmd, resource_group_name, name, certificate_name): return send_raw_request(cmd.cli_ctx, "DELETE", request_url, body=None) - @classmethod - def delete_managed_certificate(cls, cmd, resource_group_name, name, certificate_name): - management_hostname = cmd.cli_ctx.cloud.endpoints.resource_manager - api_version = MANAGED_CERTS_API_VERSION - sub_id = get_subscription_id(cmd.cli_ctx) - url_fmt = "{}/subscriptions/{}/resourceGroups/{}/providers/Microsoft.App/managedEnvironments/{}/managedCertificates/{}?api-version={}" - request_url = url_fmt.format( - management_hostname.strip('/'), - sub_id, - resource_group_name, - name, - certificate_name, - api_version) - - return send_raw_request(cmd.cli_ctx, "DELETE", request_url, body=None) - @classmethod def check_name_availability(cls, cmd, resource_group_name, name, name_availability_request): management_hostname = cmd.cli_ctx.cloud.endpoints.resource_manager diff --git a/src/containerapp/azext_containerapp/_constants.py b/src/containerapp/azext_containerapp/_constants.py index 3f74f9b07b6..38d57684f45 100644 --- a/src/containerapp/azext_containerapp/_constants.py +++ b/src/containerapp/azext_containerapp/_constants.py @@ -14,13 +14,6 @@ LOG_ANALYTICS_RP = "Microsoft.OperationalInsights" CONTAINER_APPS_RP = "Microsoft.App" -MANAGED_CERTIFICATE_RT = "managedCertificates" -PRIVATE_CERTIFICATE_RT = "certificates" - -PENDING_STATUS = "Pending" -SUCCEEDED_STATUS = "Succeeded" -UPDATING_STATUS = "Updating" - MICROSOFT_SECRET_SETTING_NAME = "microsoft-provider-authentication-secret" FACEBOOK_SECRET_SETTING_NAME = "facebook-provider-authentication-secret" GITHUB_SECRET_SETTING_NAME = "github-provider-authentication-secret" diff --git a/src/containerapp/azext_containerapp/_help.py b/src/containerapp/azext_containerapp/_help.py index 9a2f8ac4c33..bfe092fa3e5 100644 --- a/src/containerapp/azext_containerapp/_help.py +++ b/src/containerapp/azext_containerapp/_help.py @@ -500,15 +500,6 @@ short-summary: Commands to manage certificates for the Container Apps environment. """ -helps['containerapp env certificate create'] = """ - type: command - short-summary: Create a managed certificate. - examples: - - name: Create a managed certificate. - text: | - az containerapp env certificate create -g MyResourceGroup --name MyEnvironment --certificate-name MyCertificate --hostname MyHostname --validation-method CNAME -""" - helps['containerapp env certificate list'] = """ type: command short-summary: List certificates for an environment. @@ -516,7 +507,7 @@ - name: List certificates for an environment. text: | az containerapp env certificate list -g MyResourceGroup --name MyEnvironment - - name: Show a certificate by certificate id. + - name: List certificates by certificate id. text: | az containerapp env certificate list -g MyResourceGroup --name MyEnvironment --certificate MyCertificateId - name: List certificates by certificate name. @@ -525,12 +516,6 @@ - name: List certificates by certificate thumbprint. text: | az containerapp env certificate list -g MyResourceGroup --name MyEnvironment --thumbprint MyCertificateThumbprint - - name: List managed certificates for an environment. - text: | - az containerapp env certificate list -g MyResourceGroup --name MyEnvironment --managed-certificates-only - - name: List private key certificates for an environment. - text: | - az containerapp env certificate list -g MyResourceGroup --name MyEnvironment --private-key-certificates-only """ helps['containerapp env certificate upload'] = """ @@ -555,7 +540,7 @@ - name: Delete a certificate from the Container Apps environment by certificate id text: | az containerapp env certificate delete -g MyResourceGroup --name MyEnvironment --certificate MyCertificateId - - name: Delete all certificates that have a matching thumbprint from the Container Apps environment + - name: Delete a certificate from the Container Apps environment by certificate thumbprint text: | az containerapp env certificate delete -g MyResourceGroup --name MyEnvironment --thumbprint MyCertificateThumbprint """ @@ -899,25 +884,13 @@ short-summary: Commands to manage hostnames of a container app. """ -helps['containerapp hostname add'] = """ - type: command - short-summary: Add the hostname to a container app without binding. - examples: - - name: Add hostname without binding. - text: | - az containerapp hostname add -n MyContainerapp -g MyResourceGroup --hostname MyHostname --location MyLocation -""" - helps['containerapp hostname bind'] = """ type: command - short-summary: Add or update the hostname and binding with a certificate. + short-summary: Add or update the hostname and binding with an existing certificate. examples: - - name: Add or update hostname and binding with a provided certificate. + - name: Add or update hostname and binding. text: | az containerapp hostname bind -n MyContainerapp -g MyResourceGroup --hostname MyHostname --certificate MyCertificateId - - name: Look for or create a managed certificate and bind with the hostname if no certificate or thumbprint is provided. - text: | - az containerapp hostname bind -n MyContainerapp -g MyResourceGroup --hostname MyHostname """ helps['containerapp hostname delete'] = """ diff --git a/src/containerapp/azext_containerapp/_models.py b/src/containerapp/azext_containerapp/_models.py index b259476f663..15c685b33b7 100644 --- a/src/containerapp/azext_containerapp/_models.py +++ b/src/containerapp/azext_containerapp/_models.py @@ -152,8 +152,7 @@ "transport": None, # 'auto', 'http', 'http2', 'tcp' "exposedPort": None, "traffic": None, # TrafficWeight - "customDomains": None, # [CustomDomain] - "ipSecurityRestrictions": None # [IPSecurityRestrictions] + "customDomains": None # [CustomDomain] } RegistryCredentials = { @@ -165,7 +164,6 @@ Template = { "revisionSuffix": None, "containers": None, # [Container] - "initContainers": None, # [Container] "scale": Scale, "volumes": None # [Volume] } @@ -279,11 +277,3 @@ "accessMode": None, "shareName": None } - -ManagedCertificateEnvelop = { - "location": None, # str - "properties": { - "subjectName": None, # str - "validationMethod": None # str - } -} diff --git a/src/containerapp/azext_containerapp/_params.py b/src/containerapp/azext_containerapp/_params.py index 5018d62ca7a..70251a27329 100644 --- a/src/containerapp/azext_containerapp/_params.py +++ b/src/containerapp/azext_containerapp/_params.py @@ -176,12 +176,6 @@ def load_arguments(self, _): with self.argument_context('containerapp env show') as c: c.argument('name', name_type, help='Name of the Container Apps Environment.') - with self.argument_context('containerapp env certificate create') as c: - c.argument('hostname', options_list=['--hostname'], help='The custom domain name.') - c.argument('certificate_name', options_list=['--certificate-name', '-c'], help='Name of the managed certificate which should be unique within the Container Apps environment.') - c.argument('location', get_location_type(self.cli_ctx), help='Location of the managed certificate which can be different from the location of the Container Apps environment.') - c.argument('validation_method', options_list=['--validation-method', '-v'], help='Validation method of custom domain ownership.') - with self.argument_context('containerapp env certificate upload') as c: c.argument('certificate_file', options_list=['--certificate-file', '-f'], help='The filepath of the .pfx or .pem file') c.argument('certificate_name', options_list=['--certificate-name', '-c'], help='Name of the certificate which should be unique within the Container Apps environment.') @@ -192,8 +186,6 @@ def load_arguments(self, _): c.argument('name', id_part=None) c.argument('certificate', options_list=['--certificate', '-c'], help='Name or resource id of the certificate.') c.argument('thumbprint', options_list=['--thumbprint', '-t'], help='Thumbprint of the certificate.') - c.argument('managed_certificates_only', options_list=['--managed-certificates-only', '-m'], help='List managed certificates only.') - c.argument('private_key_certificates_only', options_list=['--private-key-certificates-only', '-p'], help='List private-key certificates only.') with self.argument_context('containerapp env certificate delete') as c: c.argument('certificate', options_list=['--certificate', '-c'], help='Name or resource id of the certificate.') @@ -374,11 +366,6 @@ def load_arguments(self, _): c.argument('thumbprint', options_list=['--thumbprint', '-t'], help='Thumbprint of the certificate.') c.argument('certificate', options_list=['--certificate', '-c'], help='Name or resource id of the certificate.') c.argument('environment', options_list=['--environment', '-e'], help='Name or resource id of the Container App environment.') - c.argument('validation_method', options_list=['--validation-method', '-v'], help='Validation method of custom domain ownership.') - - with self.argument_context('containerapp hostname add') as c: - c.argument('hostname', help='The custom domain name.') - c.argument('location', arg_type=get_location_type(self.cli_ctx)) with self.argument_context('containerapp hostname list') as c: c.argument('name', id_part=None) diff --git a/src/containerapp/azext_containerapp/_sdk_models.py b/src/containerapp/azext_containerapp/_sdk_models.py index 286caff3790..dd93bfce7c2 100644 --- a/src/containerapp/azext_containerapp/_sdk_models.py +++ b/src/containerapp/azext_containerapp/_sdk_models.py @@ -1315,35 +1315,6 @@ def __init__(self, **kwargs): self.certificate_id = kwargs.get('certificate_id', None) -class IPSecurityRestrictions(Model): - """IP Restrictions of a Container App. - - :param name: ipAddressRange - :type name: str - :param name: action - :type name: str - :param name: name - :type name: str - :param name: description - :type name: str - - """ - - _attribute_map = { - 'name': {'key': 'name', 'type': 'str'}, - 'ipAddressRange': {'key': 'ipAddressRange', 'type': 'str'}, - 'action': {'key': 'action', 'type': 'str'}, - 'description': {'key': 'description', 'type': 'str'}, - } - - def __init__(self, **kwargs): - super(IPSecurityRestrictions, self).__init__(**kwargs) - self.name = kwargs.get('name', None) - self.ipAddressRange = kwargs.get('ipAddressRange', None) - self.action = kwargs.get('action', None) - self.description = kwargs.get('description', None) - - class CustomHostnameAnalysisResult(ProxyResource): """Custom domain analysis. @@ -2100,7 +2071,6 @@ class Ingress(Model): 'traffic': {'key': 'traffic', 'type': '[TrafficWeight]'}, 'custom_domains': {'key': 'customDomains', 'type': '[CustomDomain]'}, 'allow_insecure': {'key': 'allowInsecure', 'type': 'bool'}, - 'ipSecurityRestrictions': {'key': 'ipSecurityRestrictions', 'type': '[IPSecurityRestrictions]'}, } def __init__(self, **kwargs): @@ -2112,7 +2082,6 @@ def __init__(self, **kwargs): self.traffic = kwargs.get('traffic', None) self.custom_domains = kwargs.get('custom_domains', None) self.allow_insecure = kwargs.get('allow_insecure', None) - self.ipSecurityRestrictions = kwargs.get('ipSecurityRestrictions', None) class LegacyMicrosoftAccount(Model): @@ -3217,7 +3186,6 @@ class Template(Model): _attribute_map = { 'revision_suffix': {'key': 'revisionSuffix', 'type': 'str'}, 'containers': {'key': 'containers', 'type': '[Container]'}, - 'initContainers': {'key': 'initContainers', 'type': '[Container]'}, 'scale': {'key': 'scale', 'type': 'Scale'}, 'volumes': {'key': 'volumes', 'type': '[Volume]'}, } diff --git a/src/containerapp/azext_containerapp/_utils.py b/src/containerapp/azext_containerapp/_utils.py index a6195a8ba0d..c70de62a93d 100644 --- a/src/containerapp/azext_containerapp/_utils.py +++ b/src/containerapp/azext_containerapp/_utils.py @@ -29,8 +29,8 @@ from ._client_factory import handle_raw_exception, providers_client_factory, cf_resource_groups, log_analytics_client_factory, log_analytics_shared_key_client_factory from ._constants import (MAXIMUM_CONTAINER_APP_NAME_LENGTH, SHORT_POLLING_INTERVAL_SECS, LONG_POLLING_INTERVAL_SECS, LOG_ANALYTICS_RP, CONTAINER_APPS_RP, CHECK_CERTIFICATE_NAME_AVAILABILITY_TYPE, ACR_IMAGE_SUFFIX, - LOGS_STRING, PENDING_STATUS, SUCCEEDED_STATUS, UPDATING_STATUS) -from ._models import (ContainerAppCustomDomainEnvelope as ContainerAppCustomDomainEnvelopeModel, ManagedCertificateEnvelop as ManagedCertificateEnvelopModel) + LOGS_STRING) +from ._models import (ContainerAppCustomDomainEnvelope as ContainerAppCustomDomainEnvelopeModel) logger = get_logger(__name__) @@ -1097,15 +1097,6 @@ def generate_randomized_cert_name(thumbprint, prefix, initial="rg"): return cert_name.lower() -def generate_randomized_managed_cert_name(hostname, env_name): - from random import randint - cert_name = "mc-{}-{}-{:04}".format(env_name[:14], hostname[:16].lower(), randint(0, 9999)) - for c in cert_name: - if not (c.isalnum() or c == '-'): - cert_name = cert_name.replace(c, '-') - return cert_name.lower() - - def _set_webapp_up_default_args(cmd, resource_group_name, location, name, registry_server): from azure.cli.core.util import ConfiguredDefaultSetter with ConfiguredDefaultSetter(cmd.cli_ctx.config, True): @@ -1376,29 +1367,6 @@ def check_cert_name_availability(cmd, resource_group_name, name, cert_name): return r -def prepare_managed_certificate_envelop(cmd, name, resource_group_name, hostname, validation_method, location=None): - certificate_envelop = ManagedCertificateEnvelopModel - certificate_envelop["location"] = location - certificate_envelop["properties"]["subjectName"] = hostname - certificate_envelop["properties"]["validationMethod"] = validation_method - if not location: - try: - managed_env = ManagedEnvironmentClient.show(cmd, resource_group_name, name) - certificate_envelop["location"] = managed_env["location"] - except Exception as e: - handle_raw_exception(e) - return certificate_envelop - - -def check_managed_cert_name_availability(cmd, resource_group_name, name, cert_name): - try: - certs = ManagedEnvironmentClient.list_managed_certificates(cmd, resource_group_name, name) - r = any(cert["name"] == cert_name and cert["properties"]["provisioningState"] in [PENDING_STATUS, SUCCEEDED_STATUS, UPDATING_STATUS] for cert in certs) - except CLIError as e: - handle_raw_exception(e) - return not r - - def validate_hostname(cmd, resource_group_name, name, hostname): passed = False message = None @@ -1609,15 +1577,3 @@ def _azure_monitor_quickstart(cmd, name, resource_group_name, storage_account, l logger.warning("Azure Monitor diagnastic settings created successfully.") except Exception as ex: handle_raw_exception(ex) - - -def certificate_location_matches(certificate_object, location=None): - return certificate_object["location"] == location or not location - - -def certificate_thumbprint_matches(certificate_object, thumbprint=None): - return certificate_object["properties"]["thumbprint"] == thumbprint or not thumbprint - - -def certificate_matches(certificate_object, location=None, thumbprint=None): - return certificate_location_matches(certificate_object, location) and certificate_thumbprint_matches(certificate_object, thumbprint) diff --git a/src/containerapp/azext_containerapp/_validators.py b/src/containerapp/azext_containerapp/_validators.py index a5c92c527e5..815e339ca10 100644 --- a/src/containerapp/azext_containerapp/_validators.py +++ b/src/containerapp/azext_containerapp/_validators.py @@ -4,11 +4,11 @@ # -------------------------------------------------------------------------------------------- # pylint: disable=line-too-long -import re from azure.cli.core.azclierror import (ValidationError, ResourceNotFoundError, InvalidArgumentValueError, MutuallyExclusiveArgumentError) from msrestazure.tools import is_valid_resource_id from knack.log import get_logger +import re from ._clients import ContainerAppClient from ._ssh_utils import ping_container_app diff --git a/src/containerapp/azext_containerapp/commands.py b/src/containerapp/azext_containerapp/commands.py index 2c494ab0585..f50332c28b1 100644 --- a/src/containerapp/azext_containerapp/commands.py +++ b/src/containerapp/azext_containerapp/commands.py @@ -77,7 +77,6 @@ def load_command_table(self, _): g.custom_command('remove', 'remove_dapr_component') with self.command_group('containerapp env certificate') as g: - g.custom_command('create', 'create_managed_certificate') g.custom_command('list', 'list_certificates') g.custom_command('upload', 'upload_certificate') g.custom_command('delete', 'delete_certificate', confirmation=True, exception_handler=ex_handler_factory()) @@ -180,7 +179,6 @@ def load_command_table(self, _): g.custom_command('upload', 'upload_ssl', exception_handler=ex_handler_factory()) with self.command_group('containerapp hostname') as g: - g.custom_command('add', 'add_hostname', exception_handler=ex_handler_factory()) g.custom_command('bind', 'bind_hostname', exception_handler=ex_handler_factory()) g.custom_command('list', 'list_hostname') g.custom_command('delete', 'delete_hostname', confirmation=True, exception_handler=ex_handler_factory()) diff --git a/src/containerapp/azext_containerapp/custom.py b/src/containerapp/azext_containerapp/custom.py index 60d5b79aa93..139c22c797d 100644 --- a/src/containerapp/azext_containerapp/custom.py +++ b/src/containerapp/azext_containerapp/custom.py @@ -23,12 +23,12 @@ from azure.cli.core.util import open_page_in_browser from azure.cli.command_modules.appservice.utils import _normalize_location from knack.log import get_logger -from knack.prompting import prompt_y_n, prompt as prompt_str +from knack.prompting import prompt_y_n from msrestazure.tools import parse_resource_id, is_valid_resource_id from msrest.exceptions import DeserializationError -from ._client_factory import handle_raw_exception, handle_non_404_exception +from ._client_factory import handle_raw_exception from ._clients import ManagedEnvironmentClient, ContainerAppClient, GitHubActionClient, DaprComponentClient, StorageClient, AuthClient from ._github_oauth import get_github_access_token from ._models import ( @@ -69,15 +69,13 @@ validate_hostname, patch_new_custom_domain, get_custom_domains, _validate_revision_name, set_managed_identity, create_acrpull_role_assignment, is_registry_msi_system, clean_null_values, _populate_secret_values, validate_environment_location, safe_set, parse_metadata_flags, parse_auth_flags, _azure_monitor_quickstart, - set_ip_restrictions, certificate_location_matches, certificate_matches, generate_randomized_managed_cert_name, - check_managed_cert_name_availability, prepare_managed_certificate_envelop) + set_ip_restrictions) from ._validators import validate_create, validate_revision_suffix from ._ssh_utils import (SSH_DEFAULT_ENCODING, WebSocketConnection, read_ssh, get_stdin_writer, SSH_CTRL_C_MSG, SSH_BACKUP_ENCODING) from ._constants import (MAXIMUM_SECRET_LENGTH, MICROSOFT_SECRET_SETTING_NAME, FACEBOOK_SECRET_SETTING_NAME, GITHUB_SECRET_SETTING_NAME, GOOGLE_SECRET_SETTING_NAME, TWITTER_SECRET_SETTING_NAME, APPLE_SECRET_SETTING_NAME, CONTAINER_APPS_RP, - NAME_INVALID, NAME_ALREADY_EXISTS, ACR_IMAGE_SUFFIX, HELLO_WORLD_IMAGE, LOG_TYPE_SYSTEM, LOG_TYPE_CONSOLE, - MANAGED_CERTIFICATE_RT, PRIVATE_CERTIFICATE_RT, PENDING_STATUS, SUCCEEDED_STATUS) + NAME_INVALID, NAME_ALREADY_EXISTS, ACR_IMAGE_SUFFIX, HELLO_WORLD_IMAGE, LOG_TYPE_SYSTEM, LOG_TYPE_CONSOLE) logger = get_logger(__name__) @@ -2032,7 +2030,7 @@ def show_ip_restrictions(cmd, name, resource_group_name): except Exception as e: raise ValidationError("Ingress must be enabled to list ip restrictions. Try running `az containerapp ingress -h` for more info.") from e return safe_get(containerapp_def, "properties", "configuration", "ingress", "ipSecurityRestrictions", default=[]) - except: + except Exception as e: return [] @@ -2368,7 +2366,7 @@ def enable_dapr(cmd, name, resource_group_name, if 'configuration' not in containerapp_def['properties']: containerapp_def['properties']['configuration'] = {} - if not safe_get(containerapp_def['properties']['configuration'], 'dapr'): + if 'dapr' not in containerapp_def['properties']['configuration']: containerapp_def['properties']['configuration']['dapr'] = {} if dapr_app_id: @@ -2737,73 +2735,32 @@ def containerapp_up_logic(cmd, resource_group_name, name, managed_env, image, en return create_containerapp(cmd=cmd, name=name, resource_group_name=resource_group_name, managed_env=managed_env, image=image, env_vars=env_vars, ingress=ingress, target_port=target_port, registry_server=registry_server, registry_user=registry_user, registry_pass=registry_pass) -def create_managed_certificate(cmd, name, resource_group_name, hostname, validation_method, certificate_name=None, location=None): - if certificate_name and not check_managed_cert_name_availability(cmd, resource_group_name, name, certificate_name): - raise ValidationError(f"Certificate name '{certificate_name}' is not available.") - cert_name = certificate_name - while not cert_name: - cert_name = generate_randomized_managed_cert_name(hostname, resource_group_name) - if not check_managed_cert_name_availability(cmd, resource_group_name, name, certificate_name): - cert_name = None - certificate_envelop = prepare_managed_certificate_envelop(cmd, name, resource_group_name, hostname, validation_method, location) - try: - r = ManagedEnvironmentClient.create_or_update_managed_certificate(cmd, resource_group_name, name, cert_name, certificate_envelop, True, validation_method == 'TXT') - return r - except Exception as e: - handle_raw_exception(e) - - -def list_certificates(cmd, name, resource_group_name, location=None, certificate=None, thumbprint=None, managed_certificates_only=False, private_key_certificates_only=False): +def list_certificates(cmd, name, resource_group_name, location=None, certificate=None, thumbprint=None): _validate_subscription_registered(cmd, CONTAINER_APPS_RP) - if managed_certificates_only and private_key_certificates_only: - raise MutuallyExclusiveArgumentError("Use either '--managed-certificates-only' or '--private-key-certificates-only'.") - if managed_certificates_only and thumbprint: - raise MutuallyExclusiveArgumentError("'--thumbprint' not supported for managed certificates.") - - if certificate and is_valid_resource_id(certificate): - certificate_name = parse_resource_id(certificate)["resource_name"] - certificate_type = parse_resource_id(certificate)["resource_type"] - else: - certificate_name = certificate - certificate_type = PRIVATE_CERTIFICATE_RT if private_key_certificates_only or thumbprint else (MANAGED_CERTIFICATE_RT if managed_certificates_only else None) - if certificate_type == MANAGED_CERTIFICATE_RT: - return get_managed_certificates(cmd, name, resource_group_name, certificate_name, location) - if certificate_type == PRIVATE_CERTIFICATE_RT: - return get_private_certificates(cmd, name, resource_group_name, certificate_name, thumbprint, location) - managed_certs = get_managed_certificates(cmd, name, resource_group_name, certificate_name, location) - private_certs = get_private_certificates(cmd, name, resource_group_name, certificate_name, thumbprint, location) - return managed_certs + private_certs + def location_match(c): + return c["location"] == location or not location + def thumbprint_match(c): + return c["properties"]["thumbprint"] == thumbprint or not thumbprint -def get_private_certificates(cmd, name, resource_group_name, certificate_name=None, thumbprint=None, location=None): - if certificate_name: + def both_match(c): + return location_match(c) and thumbprint_match(c) + + if certificate: + if is_valid_resource_id(certificate): + certificate_name = parse_resource_id(certificate)["resource_name"] + else: + certificate_name = certificate try: r = ManagedEnvironmentClient.show_certificate(cmd, resource_group_name, name, certificate_name) - return [r] if certificate_matches(r, location, thumbprint) else [] - except Exception as e: - handle_non_404_exception(e) - return [] - else: - try: - r = ManagedEnvironmentClient.list_certificates(cmd, resource_group_name, name) - return list(filter(lambda c: certificate_matches(c, location, thumbprint), r)) + return [r] if both_match(r) else [] except Exception as e: handle_raw_exception(e) - - -def get_managed_certificates(cmd, name, resource_group_name, certificate_name=None, location=None): - if certificate_name: - try: - r = ManagedEnvironmentClient.show_managed_certificate(cmd, resource_group_name, name, certificate_name) - return [r] if certificate_location_matches(r, location) else [] - except Exception as e: - handle_non_404_exception(e) - return [] else: try: - r = ManagedEnvironmentClient.list_managed_certificates(cmd, resource_group_name, name) - return list(filter(lambda c: certificate_location_matches(c, location), r)) + r = ManagedEnvironmentClient.list_certificates(cmd, resource_group_name, name) + return list(filter(both_match, r)) except Exception as e: handle_raw_exception(e) @@ -2862,42 +2819,11 @@ def delete_certificate(cmd, resource_group_name, name, location=None, certificat if not certificate and not thumbprint: raise RequiredArgumentMissingError('Please specify at least one of parameters: --certificate and --thumbprint') - - cert_type = None - cert_name = certificate - if certificate and is_valid_resource_id(certificate): - cert_type = parse_resource_id(certificate)["resource_type"] - cert_name = parse_resource_id(certificate)["resource_name"] - if thumbprint: - cert_type = PRIVATE_CERTIFICATE_RT - - if cert_type == PRIVATE_CERTIFICATE_RT: - certs = list_certificates(cmd, name, resource_group_name, location, certificate, thumbprint) - if len(certs) == 0: - msg = "'{}'".format(cert_name) if cert_name else "with thumbprint '{}'".format(thumbprint) - raise ResourceNotFoundError(f"The certificate {msg} does not exist in Container app environment '{name}'.") - for cert in certs: - try: - ManagedEnvironmentClient.delete_certificate(cmd, resource_group_name, name, cert["name"]) - logger.warning('Successfully deleted certificate: %s', cert["name"]) - except Exception as e: - handle_raw_exception(e) - elif cert_type == MANAGED_CERTIFICATE_RT: + certs = list_certificates(cmd, name, resource_group_name, location, certificate, thumbprint) + for cert in certs: try: - ManagedEnvironmentClient.delete_managed_certificate(cmd, resource_group_name, name, cert_name) - logger.warning('Successfully deleted certificate: {}'.format(cert_name)) - except Exception as e: - handle_raw_exception(e) - else: - managed_certs = list(filter(lambda c: c["name"] == cert_name, get_managed_certificates(cmd, name, resource_group_name, None, location))) - private_certs = list(filter(lambda c: c["name"] == cert_name, get_private_certificates(cmd, name, resource_group_name, None, None, location))) - if len(managed_certs) == 0 and len(private_certs) == 0: - raise ResourceNotFoundError(f"The certificate '{cert_name}' does not exist in Container app environment '{name}'.") - if len(managed_certs) > 0 and len(private_certs) > 0: - raise RequiredArgumentMissingError(f"Found more than one certificates with name '{cert_name}':\n'{managed_certs[0]['id']}',\n'{private_certs[0]['id']}'.\nPlease specify the certificate id using --certificate.") - try: - ManagedEnvironmentClient.delete_managed_certificate(cmd, resource_group_name, name, cert_name) - logger.warning('Successfully deleted certificate: %s', cert_name) + ManagedEnvironmentClient.delete_certificate(cmd, resource_group_name, name, cert["name"]) + logger.warning('Successfully deleted certificate: {}'.format(cert["name"])) except Exception as e: handle_raw_exception(e) @@ -2912,103 +2838,58 @@ def upload_ssl(cmd, resource_group_name, name, environment, certificate_file, ho custom_domains = get_custom_domains(cmd, resource_group_name, name, location, environment) new_custom_domains = list(filter(lambda c: c["name"] != hostname, custom_domains)) - env_name = _get_name(environment) - logger.warning('Uploading certificate to %s.', env_name) if is_valid_resource_id(environment): - cert = upload_certificate(cmd, env_name, parse_resource_id(environment)["resource_group"], certificate_file, certificate_name, certificate_password, location) + cert = upload_certificate(cmd, _get_name(environment), parse_resource_id(environment)["resource_group"], certificate_file, certificate_name, certificate_password, location) else: - cert = upload_certificate(cmd, env_name, resource_group_name, certificate_file, certificate_name, certificate_password, location) + cert = upload_certificate(cmd, _get_name(environment), resource_group_name, certificate_file, certificate_name, certificate_password, location) cert_id = cert["id"] new_domain = ContainerAppCustomDomainModel new_domain["name"] = hostname new_domain["certificateId"] = cert_id new_custom_domains.append(new_domain) - logger.warning('Adding hostname %s and binding to %s.', hostname, name) + return patch_new_custom_domain(cmd, resource_group_name, name, new_custom_domains) -def bind_hostname(cmd, resource_group_name, name, hostname, thumbprint=None, certificate=None, location=None, environment=None, validation_method=None): +def bind_hostname(cmd, resource_group_name, name, hostname, thumbprint=None, certificate=None, location=None, environment=None): _validate_subscription_registered(cmd, CONTAINER_APPS_RP) + if not thumbprint and not certificate: + raise RequiredArgumentMissingError('Please specify at least one of parameters: --certificate and --thumbprint') if not environment and not certificate: raise RequiredArgumentMissingError('Please specify at least one of parameters: --certificate and --environment') if certificate and not is_valid_resource_id(certificate) and not environment: raise RequiredArgumentMissingError('Please specify the parameter: --environment') - standardized_hostname = hostname.lower() - passed, message = validate_hostname(cmd, resource_group_name, name, standardized_hostname) + passed, message = validate_hostname(cmd, resource_group_name, name, hostname) if not passed: raise ValidationError(message or 'Please configure the DNS records before adding the hostname.') - env_name = _get_name(environment) if environment else None - + env_name = None + cert_name = None + cert_id = None if certificate: if is_valid_resource_id(certificate): cert_id = certificate else: - certs = list_certificates(cmd, env_name, resource_group_name, location, certificate, thumbprint) - if len(certs) == 0: - msg = "'{}' with thumbprint '{}'".format(certificate, thumbprint) if thumbprint else "'{}'".format(certificate) - raise ResourceNotFoundError(f"The certificate {msg} does not exist in Container app environment '{env_name}'.") - cert_id = certs[0]["id"] - elif thumbprint: - certs = list_certificates(cmd, env_name, resource_group_name, location, certificate, thumbprint) - if len(certs) == 0: - raise ResourceNotFoundError(f"The certificate with thumbprint '{thumbprint}' does not exist in Container app environment '{env_name}'.") + cert_name = certificate + if environment: + env_name = _get_name(environment) + if not cert_id: + certs = list_certificates(cmd, env_name, resource_group_name, location, cert_name, thumbprint) cert_id = certs[0]["id"] - else: # look for or create a managed certificate if no certificate info provided - managed_certs = get_managed_certificates(cmd, env_name, resource_group_name, None, None) - managed_cert = [cert for cert in managed_certs if cert["properties"]["subjectName"].lower() == standardized_hostname] - if len(managed_cert) > 0 and managed_cert[0]["properties"]["provisioningState"] in [SUCCEEDED_STATUS, PENDING_STATUS]: - cert_id = managed_cert[0]["id"] - cert_name = managed_cert[0]["name"] - else: - cert_name = None - while not cert_name: - random_name = generate_randomized_managed_cert_name(standardized_hostname, env_name) - available = check_managed_cert_name_availability(cmd, resource_group_name, env_name, cert_name) - if available: - cert_name = random_name - logger.warning("Creating managed certificate '%s' for %s.\nIt may take up to 20 minutes to create and issue a managed certificate.", cert_name, standardized_hostname) - - validation = validation_method - while validation not in ["TXT", "CNAME", "HTTP"]: - validation = prompt_str('\nPlease choose one of the following domain validation methods: TXT, CNAME, HTTP\nYour answer: ') - - certificate_envelop = prepare_managed_certificate_envelop(cmd, env_name, resource_group_name, standardized_hostname, validation_method, location) - try: - managed_cert = ManagedEnvironmentClient.create_or_update_managed_certificate(cmd, resource_group_name, env_name, cert_name, certificate_envelop, False, validation_method == 'TXT') - except Exception as e: - handle_raw_exception(e) - cert_id = managed_cert["id"] - - logger.warning("\nBinding managed certificate '%s' to %s\n", cert_name, standardized_hostname) custom_domains = get_custom_domains(cmd, resource_group_name, name, location, environment) - new_custom_domains = list(filter(lambda c: safe_get(c, "name", default=[]) != standardized_hostname, custom_domains)) + new_custom_domains = list(filter(lambda c: safe_get(c, "name", default=[]) != hostname, custom_domains)) new_domain = ContainerAppCustomDomainModel - new_domain["name"] = standardized_hostname + new_domain["name"] = hostname new_domain["certificateId"] = cert_id new_custom_domains.append(new_domain) return patch_new_custom_domain(cmd, resource_group_name, name, new_custom_domains) -def add_hostname(cmd, resource_group_name, name, hostname, location=None): - _validate_subscription_registered(cmd, CONTAINER_APPS_RP) - standardized_hostname = hostname.lower() - custom_domains = get_custom_domains(cmd, resource_group_name, name, location, None) - existing_hostname = list(filter(lambda c: safe_get(c, "name", default=[]) == standardized_hostname, custom_domains)) - if len(existing_hostname) > 0: - raise InvalidArgumentValueError("'{standardized_hostname}' already exists in container app '{name}'.") - new_domain = ContainerAppCustomDomainModel - new_domain["name"] = standardized_hostname - new_domain["bindingType"] = "Disabled" - custom_domains.append(new_domain) - return patch_new_custom_domain(cmd, resource_group_name, name, custom_domains) - - def list_hostname(cmd, resource_group_name, name, location=None): _validate_subscription_registered(cmd, CONTAINER_APPS_RP) diff --git a/src/containerapp/azext_containerapp/tests/latest/common.py b/src/containerapp/azext_containerapp/tests/latest/common.py index ccd94270964..07d4a4e89a7 100644 --- a/src/containerapp/azext_containerapp/tests/latest/common.py +++ b/src/containerapp/azext_containerapp/tests/latest/common.py @@ -7,7 +7,6 @@ from azure.cli.testsdk import (ScenarioTest) TEST_DIR = os.path.abspath(os.path.join(os.path.abspath(__file__), '..')) -TEST_LOCATION = os.getenv("CLITestLocation") if os.getenv("CLITestLocation") else "eastus" def write_test_file(filename, content): diff --git a/src/containerapp/azext_containerapp/tests/latest/recordings/test_containerapp_up_dapr_e2e.yaml b/src/containerapp/azext_containerapp/tests/latest/recordings/test_containerapp_up_dapr_e2e.yaml deleted file mode 100644 index a750d7fe0a6..00000000000 --- a/src/containerapp/azext_containerapp/tests/latest/recordings/test_containerapp_up_dapr_e2e.yaml +++ /dev/null @@ -1,6297 +0,0 @@ -interactions: -- request: - body: '{"location": "eastus", "properties": {"retentionInDays": 30, "sku": {"name": - "PerGB2018"}}}' - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - monitor log-analytics workspace create - Connection: - - keep-alive - Content-Length: - - '91' - Content-Type: - - application/json - ParameterSetName: - - -g -n - User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.26.2 Python/3.10.5 (macOS-13.1-arm64-arm-64bit) - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest.rg000001/providers/Microsoft.OperationalInsights/workspaces/containerapp-env000004?api-version=2021-12-01-preview - response: - body: - string: "{\r\n \"properties\": {\r\n \"source\": \"Azure\",\r\n \"customerId\": - \"c40f200d-cdea-414a-8309-7af5ffaacbb2\",\r\n \"provisioningState\": \"Creating\",\r\n - \ \"sku\": {\r\n \"name\": \"pergb2018\",\r\n \"lastSkuUpdate\": - \"Sun, 22 Jan 2023 16:46:19 GMT\"\r\n },\r\n \"retentionInDays\": 30,\r\n - \ \"features\": {\r\n \"legacy\": 0,\r\n \"searchVersion\": 1,\r\n - \ \"enableLogAccessUsingOnlyResourcePermissions\": true\r\n },\r\n - \ \"workspaceCapping\": {\r\n \"dailyQuotaGb\": -1.0,\r\n \"quotaNextResetTime\": - \"Mon, 23 Jan 2023 07:00:00 GMT\",\r\n \"dataIngestionStatus\": \"RespectQuota\"\r\n - \ },\r\n \"publicNetworkAccessForIngestion\": \"Enabled\",\r\n \"publicNetworkAccessForQuery\": - \"Enabled\",\r\n \"createdDate\": \"Sun, 22 Jan 2023 16:46:19 GMT\",\r\n - \ \"modifiedDate\": \"Sun, 22 Jan 2023 16:46:19 GMT\"\r\n },\r\n \"id\": - \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest.rg000001/providers/microsoft.operationalinsights/workspaces/containerapp-env000004\",\r\n - \ \"name\": \"containerapp-env000004\",\r\n \"type\": \"Microsoft.OperationalInsights/workspaces\",\r\n - \ \"location\": \"eastus\"\r\n}" - headers: - cache-control: - - no-cache - content-length: - - '1078' - content-type: - - application/json - date: - - Sun, 22 Jan 2023 16:46:19 GMT - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1199' - x-powered-by: - - ASP.NET - - ASP.NET - status: - code: 201 - message: Created -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - monitor log-analytics workspace create - Connection: - - keep-alive - ParameterSetName: - - -g -n - User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.26.2 Python/3.10.5 (macOS-13.1-arm64-arm-64bit) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest.rg000001/providers/Microsoft.OperationalInsights/workspaces/containerapp-env000004?api-version=2021-12-01-preview - response: - body: - string: "{\r\n \"properties\": {\r\n \"source\": \"Azure\",\r\n \"customerId\": - \"c40f200d-cdea-414a-8309-7af5ffaacbb2\",\r\n \"provisioningState\": \"Succeeded\",\r\n - \ \"sku\": {\r\n \"name\": \"pergb2018\",\r\n \"lastSkuUpdate\": - \"Sun, 22 Jan 2023 16:46:19 GMT\"\r\n },\r\n \"retentionInDays\": 30,\r\n - \ \"features\": {\r\n \"legacy\": 0,\r\n \"searchVersion\": 1,\r\n - \ \"enableLogAccessUsingOnlyResourcePermissions\": true\r\n },\r\n - \ \"workspaceCapping\": {\r\n \"dailyQuotaGb\": -1.0,\r\n \"quotaNextResetTime\": - \"Mon, 23 Jan 2023 07:00:00 GMT\",\r\n \"dataIngestionStatus\": \"RespectQuota\"\r\n - \ },\r\n \"publicNetworkAccessForIngestion\": \"Enabled\",\r\n \"publicNetworkAccessForQuery\": - \"Enabled\",\r\n \"createdDate\": \"Sun, 22 Jan 2023 16:46:19 GMT\",\r\n - \ \"modifiedDate\": \"Sun, 22 Jan 2023 16:46:20 GMT\"\r\n },\r\n \"id\": - \"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest.rg000001/providers/microsoft.operationalinsights/workspaces/containerapp-env000004\",\r\n - \ \"name\": \"containerapp-env000004\",\r\n \"type\": \"Microsoft.OperationalInsights/workspaces\",\r\n - \ \"location\": \"eastus\"\r\n}" - headers: - cache-control: - - no-cache - content-length: - - '1079' - content-type: - - application/json - date: - - Sun, 22 Jan 2023 16:46:19 GMT - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - monitor log-analytics workspace get-shared-keys - Connection: - - keep-alive - Content-Length: - - '0' - ParameterSetName: - - -g -n - User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.26.2 Python/3.10.5 (macOS-13.1-arm64-arm-64bit) - method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest.rg000001/providers/Microsoft.OperationalInsights/workspaces/containerapp-env000004/sharedKeys?api-version=2020-08-01 - response: - body: - string: "{\r\n \"primarySharedKey\": \"foo-key\",\r\n - \ \"secondarySharedKey\": \"bar-key\"\r\n}" - headers: - cache-control: - - no-cache - cachecontrol: - - no-cache - content-length: - - '235' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:46:23 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-ams-apiversion: - - WebAPI1.0 - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1199' - x-powered-by: - - ASP.NET - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.5 (macOS-13.1-arm64-arm-64bit) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App?api-version=2021-04-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App","namespace":"Microsoft.App","authorizations":[{"applicationId":"7e3bc4fd-85a3-4192-b177-5b8bfc87f42c","roleDefinitionId":"39a74f72-b40f-4bdc-b639-562fe2260bf0"},{"applicationId":"3734c1a4-2bed-4998-a37a-ff1a9e7bf019","roleDefinitionId":"5c779a4f-5cb2-4547-8c41-478d9be8ba90"},{"applicationId":"55ebbb62-3b9c-49fd-9b87-9595226dd4ac","roleDefinitionId":"e49ca620-7992-4561-a7df-4ed67dad77b5"}],"resourceTypes":[{"resourceType":"managedEnvironments","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"managedEnvironments/certificates","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"managedEnvironments/managedCertificates","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-11-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"containerApps","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SystemAssignedResourceIdentity, SupportsTags, - SupportsLocation"},{"resourceType":"locations","locations":[],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/managedEnvironmentOperationResults","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/managedEnvironmentOperationStatuses","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/containerappOperationResults","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/containerappOperationStatuses","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"operations","locations":["Central - US EUAP","East US 2 EUAP","Canada Central","West Europe","North Europe","East - US","East US 2","East Asia","Australia East","Germany West Central","Japan - East","UK South","West US","Central US","North Central US","South Central - US","Korea Central","Brazil South","West US 3","France Central","South Africa - North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-11-01-preview","2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"connectedEnvironments","locations":["North - Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"connectedEnvironments/certificates","locations":["North - Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"locations/connectedEnvironmentOperationResults","locations":["North - Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/connectedEnvironmentOperationStatuses","locations":["North - Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/billingMeters","locations":["Australia - East","East US 2","West Europe","Central US","East US","North Europe","South - Central US","UK South","West US 3"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/availableManagedEnvironmentsWorkloadProfileTypes","locations":["Australia - East","East US 2","West Europe","Central US","East US","North Europe","South - Central US","UK South","West US 3"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' - headers: - cache-control: - - no-cache - content-length: - - '7154' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:46:24 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.5 (macOS-13.1-arm64-arm-64bit) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App?api-version=2021-04-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App","namespace":"Microsoft.App","authorizations":[{"applicationId":"7e3bc4fd-85a3-4192-b177-5b8bfc87f42c","roleDefinitionId":"39a74f72-b40f-4bdc-b639-562fe2260bf0"},{"applicationId":"3734c1a4-2bed-4998-a37a-ff1a9e7bf019","roleDefinitionId":"5c779a4f-5cb2-4547-8c41-478d9be8ba90"},{"applicationId":"55ebbb62-3b9c-49fd-9b87-9595226dd4ac","roleDefinitionId":"e49ca620-7992-4561-a7df-4ed67dad77b5"}],"resourceTypes":[{"resourceType":"managedEnvironments","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"managedEnvironments/certificates","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"managedEnvironments/managedCertificates","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-11-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"containerApps","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SystemAssignedResourceIdentity, SupportsTags, - SupportsLocation"},{"resourceType":"locations","locations":[],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/managedEnvironmentOperationResults","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/managedEnvironmentOperationStatuses","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/containerappOperationResults","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/containerappOperationStatuses","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"operations","locations":["Central - US EUAP","East US 2 EUAP","Canada Central","West Europe","North Europe","East - US","East US 2","East Asia","Australia East","Germany West Central","Japan - East","UK South","West US","Central US","North Central US","South Central - US","Korea Central","Brazil South","West US 3","France Central","South Africa - North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-11-01-preview","2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"connectedEnvironments","locations":["North - Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"connectedEnvironments/certificates","locations":["North - Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"locations/connectedEnvironmentOperationResults","locations":["North - Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/connectedEnvironmentOperationStatuses","locations":["North - Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/billingMeters","locations":["Australia - East","East US 2","West Europe","Central US","East US","North Europe","South - Central US","UK South","West US 3"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/availableManagedEnvironmentsWorkloadProfileTypes","locations":["Australia - East","East US 2","West Europe","Central US","East US","North Europe","South - Central US","UK South","West US 3"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' - headers: - cache-control: - - no-cache - content-length: - - '7154' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:46:24 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.5 (macOS-13.1-arm64-arm-64bit) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App?api-version=2021-04-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App","namespace":"Microsoft.App","authorizations":[{"applicationId":"7e3bc4fd-85a3-4192-b177-5b8bfc87f42c","roleDefinitionId":"39a74f72-b40f-4bdc-b639-562fe2260bf0"},{"applicationId":"3734c1a4-2bed-4998-a37a-ff1a9e7bf019","roleDefinitionId":"5c779a4f-5cb2-4547-8c41-478d9be8ba90"},{"applicationId":"55ebbb62-3b9c-49fd-9b87-9595226dd4ac","roleDefinitionId":"e49ca620-7992-4561-a7df-4ed67dad77b5"}],"resourceTypes":[{"resourceType":"managedEnvironments","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"managedEnvironments/certificates","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"managedEnvironments/managedCertificates","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-11-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"containerApps","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SystemAssignedResourceIdentity, SupportsTags, - SupportsLocation"},{"resourceType":"locations","locations":[],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/managedEnvironmentOperationResults","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/managedEnvironmentOperationStatuses","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/containerappOperationResults","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/containerappOperationStatuses","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"operations","locations":["Central - US EUAP","East US 2 EUAP","Canada Central","West Europe","North Europe","East - US","East US 2","East Asia","Australia East","Germany West Central","Japan - East","UK South","West US","Central US","North Central US","South Central - US","Korea Central","Brazil South","West US 3","France Central","South Africa - North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-11-01-preview","2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"connectedEnvironments","locations":["North - Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"connectedEnvironments/certificates","locations":["North - Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"locations/connectedEnvironmentOperationResults","locations":["North - Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/connectedEnvironmentOperationStatuses","locations":["North - Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/billingMeters","locations":["Australia - East","East US 2","West Europe","Central US","East US","North Europe","South - Central US","UK South","West US 3"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/availableManagedEnvironmentsWorkloadProfileTypes","locations":["Australia - East","East US 2","West Europe","Central US","East US","North Europe","South - Central US","UK South","West US 3"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' - headers: - cache-control: - - no-cache - content-length: - - '7154' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:46:24 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.5 (macOS-13.1-arm64-arm-64bit) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App?api-version=2021-04-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App","namespace":"Microsoft.App","authorizations":[{"applicationId":"7e3bc4fd-85a3-4192-b177-5b8bfc87f42c","roleDefinitionId":"39a74f72-b40f-4bdc-b639-562fe2260bf0"},{"applicationId":"3734c1a4-2bed-4998-a37a-ff1a9e7bf019","roleDefinitionId":"5c779a4f-5cb2-4547-8c41-478d9be8ba90"},{"applicationId":"55ebbb62-3b9c-49fd-9b87-9595226dd4ac","roleDefinitionId":"e49ca620-7992-4561-a7df-4ed67dad77b5"}],"resourceTypes":[{"resourceType":"managedEnvironments","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"managedEnvironments/certificates","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"managedEnvironments/managedCertificates","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-11-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"containerApps","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SystemAssignedResourceIdentity, SupportsTags, - SupportsLocation"},{"resourceType":"locations","locations":[],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/managedEnvironmentOperationResults","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/managedEnvironmentOperationStatuses","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/containerappOperationResults","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/containerappOperationStatuses","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"operations","locations":["Central - US EUAP","East US 2 EUAP","Canada Central","West Europe","North Europe","East - US","East US 2","East Asia","Australia East","Germany West Central","Japan - East","UK South","West US","Central US","North Central US","South Central - US","Korea Central","Brazil South","West US 3","France Central","South Africa - North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-11-01-preview","2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"connectedEnvironments","locations":["North - Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"connectedEnvironments/certificates","locations":["North - Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"locations/connectedEnvironmentOperationResults","locations":["North - Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/connectedEnvironmentOperationStatuses","locations":["North - Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/billingMeters","locations":["Australia - East","East US 2","West Europe","Central US","East US","North Europe","South - Central US","UK South","West US 3"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/availableManagedEnvironmentsWorkloadProfileTypes","locations":["Australia - East","East US 2","West Europe","Central US","East US","North Europe","South - Central US","UK South","West US 3"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' - headers: - cache-control: - - no-cache - content-length: - - '7154' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:46:24 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: '{"location": "eastus", "tags": null, "sku": {"name": "Consumption"}, "properties": - {"daprAIInstrumentationKey": null, "vnetConfiguration": null, "internalLoadBalancerEnabled": - null, "appLogsConfiguration": {"destination": "log-analytics", "logAnalyticsConfiguration": - {"customerId": "c40f200d-cdea-414a-8309-7af5ffaacbb2", "sharedKey": "foo-key"}}, - "customDomainConfiguration": null, "zoneRedundant": false}}' - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - Content-Length: - - '489' - Content-Type: - - application/json - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058Z","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058Z"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App/locations/eastus/managedEnvironmentOperationStatuses/b426a467-c7ed-45fa-81aa-636279ce2319?api-version=2022-06-01-preview&azureAsyncOperation=true - cache-control: - - no-cache - content-length: - - '1140' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:46:30 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - x-ms-async-operation-timeout: - - PT15M - x-ms-ratelimit-remaining-subscription-resource-requests: - - '99' - x-powered-by: - - ASP.NET - status: - code: 201 - message: Created -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:46:31 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:46:34 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:46:37 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:46:41 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:46:44 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:46:47 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:46:49 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:46:52 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:46:54 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:46:57 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:46:59 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:47:03 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:47:06 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:47:09 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:47:12 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:47:17 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:47:19 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:47:23 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:47:26 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:47:29 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:47:32 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:47:36 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:47:39 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:47:41 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:47:43 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:47:45 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:47:48 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:47:51 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:47:54 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:47:57 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:48:00 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:48:02 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:48:04 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:48:07 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:48:09 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:48:12 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:48:14 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:48:17 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:48:19 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:48:21 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:48:24 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:48:26 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:48:29 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:48:32 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:48:34 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:48:37 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:48:39 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:48:42 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:48:44 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:48:46 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:48:49 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:48:51 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:48:53 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:48:56 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:48:58 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:49:01 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:49:03 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:49:05 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:49:09 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:49:11 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:49:13 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:49:16 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:49:18 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:49:21 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:49:23 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:49:25 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:49:27 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:49:31 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:49:33 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:49:35 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Waiting","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1138' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:49:39 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env create - Connection: - - keep-alive - ParameterSetName: - - -g -n --logs-workspace-id --logs-workspace-key - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Succeeded","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1140' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:49:41 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env show - Connection: - - keep-alive - ParameterSetName: - - -g -n - User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.5 (macOS-13.1-arm64-arm-64bit) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App?api-version=2021-04-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App","namespace":"Microsoft.App","authorizations":[{"applicationId":"7e3bc4fd-85a3-4192-b177-5b8bfc87f42c","roleDefinitionId":"39a74f72-b40f-4bdc-b639-562fe2260bf0"},{"applicationId":"3734c1a4-2bed-4998-a37a-ff1a9e7bf019","roleDefinitionId":"5c779a4f-5cb2-4547-8c41-478d9be8ba90"},{"applicationId":"55ebbb62-3b9c-49fd-9b87-9595226dd4ac","roleDefinitionId":"e49ca620-7992-4561-a7df-4ed67dad77b5"}],"resourceTypes":[{"resourceType":"managedEnvironments","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"managedEnvironments/certificates","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"managedEnvironments/managedCertificates","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-11-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"containerApps","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SystemAssignedResourceIdentity, SupportsTags, - SupportsLocation"},{"resourceType":"locations","locations":[],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/managedEnvironmentOperationResults","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/managedEnvironmentOperationStatuses","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/containerappOperationResults","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/containerappOperationStatuses","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"operations","locations":["Central - US EUAP","East US 2 EUAP","Canada Central","West Europe","North Europe","East - US","East US 2","East Asia","Australia East","Germany West Central","Japan - East","UK South","West US","Central US","North Central US","South Central - US","Korea Central","Brazil South","West US 3","France Central","South Africa - North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-11-01-preview","2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"connectedEnvironments","locations":["North - Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"connectedEnvironments/certificates","locations":["North - Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"locations/connectedEnvironmentOperationResults","locations":["North - Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/connectedEnvironmentOperationStatuses","locations":["North - Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/billingMeters","locations":["Australia - East","East US 2","West Europe","Central US","East US","North Europe","South - Central US","UK South","West US 3"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/availableManagedEnvironmentsWorkloadProfileTypes","locations":["Australia - East","East US 2","West Europe","Central US","East US","North Europe","South - Central US","UK South","West US 3"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' - headers: - cache-control: - - no-cache - content-length: - - '7154' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:49:41 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp env show - Connection: - - keep-alive - ParameterSetName: - - -g -n - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Succeeded","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1140' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:49:42 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp up - Connection: - - keep-alive - ParameterSetName: - - -g -n --environment --image - User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.5 (macOS-13.1-arm64-arm-64bit) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App?api-version=2021-04-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App","namespace":"Microsoft.App","authorizations":[{"applicationId":"7e3bc4fd-85a3-4192-b177-5b8bfc87f42c","roleDefinitionId":"39a74f72-b40f-4bdc-b639-562fe2260bf0"},{"applicationId":"3734c1a4-2bed-4998-a37a-ff1a9e7bf019","roleDefinitionId":"5c779a4f-5cb2-4547-8c41-478d9be8ba90"},{"applicationId":"55ebbb62-3b9c-49fd-9b87-9595226dd4ac","roleDefinitionId":"e49ca620-7992-4561-a7df-4ed67dad77b5"}],"resourceTypes":[{"resourceType":"managedEnvironments","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"managedEnvironments/certificates","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"managedEnvironments/managedCertificates","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-11-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"containerApps","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SystemAssignedResourceIdentity, SupportsTags, - SupportsLocation"},{"resourceType":"locations","locations":[],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/managedEnvironmentOperationResults","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/managedEnvironmentOperationStatuses","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/containerappOperationResults","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/containerappOperationStatuses","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"operations","locations":["Central - US EUAP","East US 2 EUAP","Canada Central","West Europe","North Europe","East - US","East US 2","East Asia","Australia East","Germany West Central","Japan - East","UK South","West US","Central US","North Central US","South Central - US","Korea Central","Brazil South","West US 3","France Central","South Africa - North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-11-01-preview","2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"connectedEnvironments","locations":["North - Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"connectedEnvironments/certificates","locations":["North - Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"locations/connectedEnvironmentOperationResults","locations":["North - Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/connectedEnvironmentOperationStatuses","locations":["North - Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/billingMeters","locations":["Australia - East","East US 2","West Europe","Central US","East US","North Europe","South - Central US","UK South","West US 3"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/availableManagedEnvironmentsWorkloadProfileTypes","locations":["Australia - East","East US 2","West Europe","Central US","East US","North Europe","South - Central US","UK South","West US 3"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' - headers: - cache-control: - - no-cache - content-length: - - '7154' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:49:49 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp up - Connection: - - keep-alive - ParameterSetName: - - -g -n --environment --image - User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.5 (macOS-13.1-arm64-arm-64bit) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App?api-version=2021-04-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App","namespace":"Microsoft.App","authorizations":[{"applicationId":"7e3bc4fd-85a3-4192-b177-5b8bfc87f42c","roleDefinitionId":"39a74f72-b40f-4bdc-b639-562fe2260bf0"},{"applicationId":"3734c1a4-2bed-4998-a37a-ff1a9e7bf019","roleDefinitionId":"5c779a4f-5cb2-4547-8c41-478d9be8ba90"},{"applicationId":"55ebbb62-3b9c-49fd-9b87-9595226dd4ac","roleDefinitionId":"e49ca620-7992-4561-a7df-4ed67dad77b5"}],"resourceTypes":[{"resourceType":"managedEnvironments","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"managedEnvironments/certificates","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"managedEnvironments/managedCertificates","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-11-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"containerApps","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SystemAssignedResourceIdentity, SupportsTags, - SupportsLocation"},{"resourceType":"locations","locations":[],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/managedEnvironmentOperationResults","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/managedEnvironmentOperationStatuses","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/containerappOperationResults","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/containerappOperationStatuses","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"operations","locations":["Central - US EUAP","East US 2 EUAP","Canada Central","West Europe","North Europe","East - US","East US 2","East Asia","Australia East","Germany West Central","Japan - East","UK South","West US","Central US","North Central US","South Central - US","Korea Central","Brazil South","West US 3","France Central","South Africa - North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-11-01-preview","2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"connectedEnvironments","locations":["North - Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"connectedEnvironments/certificates","locations":["North - Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"locations/connectedEnvironmentOperationResults","locations":["North - Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/connectedEnvironmentOperationStatuses","locations":["North - Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/billingMeters","locations":["Australia - East","East US 2","West Europe","Central US","East US","North Europe","South - Central US","UK South","West US 3"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/availableManagedEnvironmentsWorkloadProfileTypes","locations":["Australia - East","East US 2","West Europe","Central US","East US","North Europe","South - Central US","UK South","West US 3"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' - headers: - cache-control: - - no-cache - content-length: - - '7154' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:49:49 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp up - Connection: - - keep-alive - ParameterSetName: - - -g -n --environment --image - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Succeeded","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1140' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:49:49 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp up - Connection: - - keep-alive - ParameterSetName: - - -g -n --environment --image - User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.5 (macOS-13.1-arm64-arm-64bit) - method: HEAD - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest.rg000001?api-version=2021-04-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - date: - - Sun, 22 Jan 2023 16:49:49 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 204 - message: No Content -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp up - Connection: - - keep-alive - ParameterSetName: - - -g -n --environment --image - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"error":{"code":"ResourceNotFound","message":"The Resource ''Microsoft.App/managedEnvironments/subscriptions'' - under resource group ''clitest.rg000001'' was not found. For more details - please go to https://aka.ms/ARMResourceNotFoundFix"}}' - headers: - cache-control: - - no-cache - content-length: - - '235' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:49:49 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - x-ms-failure-cause: - - gateway - status: - code: 404 - message: Not Found -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp up - Connection: - - keep-alive - ParameterSetName: - - -g -n --environment --image - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview - response: - body: - string: '{"error":{"code":"ResourceNotFound","message":"The Resource ''Microsoft.App/containerApps/containerapp000003'' - under resource group ''clitest.rg000001'' was not found. For more details - please go to https://aka.ms/ARMResourceNotFoundFix"}}' - headers: - cache-control: - - no-cache - content-length: - - '234' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:49:50 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - x-ms-failure-cause: - - gateway - status: - code: 404 - message: Not Found -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp up - Connection: - - keep-alive - ParameterSetName: - - -g -n --environment --image - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview - response: - body: - string: '{"error":{"code":"ResourceNotFound","message":"The Resource ''Microsoft.App/containerApps/containerapp000003'' - under resource group ''clitest.rg000001'' was not found. For more details - please go to https://aka.ms/ARMResourceNotFoundFix"}}' - headers: - cache-control: - - no-cache - content-length: - - '234' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:49:50 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - x-ms-failure-cause: - - gateway - status: - code: 404 - message: Not Found -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp up - Connection: - - keep-alive - ParameterSetName: - - -g -n --environment --image - User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.5 (macOS-13.1-arm64-arm-64bit) - method: HEAD - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/clitest.rg000001?api-version=2021-04-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - date: - - Sun, 22 Jan 2023 16:49:51 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 204 - message: No Content -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp up - Connection: - - keep-alive - ParameterSetName: - - -g -n --environment --image - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Succeeded","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1140' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:49:51 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp up - Connection: - - keep-alive - ParameterSetName: - - -g -n --environment --image - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview - response: - body: - string: '{"error":{"code":"ResourceNotFound","message":"The Resource ''Microsoft.App/containerApps/containerapp000003'' - under resource group ''clitest.rg000001'' was not found. For more details - please go to https://aka.ms/ARMResourceNotFoundFix"}}' - headers: - cache-control: - - no-cache - content-length: - - '234' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:49:52 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - x-ms-failure-cause: - - gateway - status: - code: 404 - message: Not Found -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp up - Connection: - - keep-alive - ParameterSetName: - - -g -n --environment --image - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview - response: - body: - string: '{"error":{"code":"ResourceNotFound","message":"The Resource ''Microsoft.App/containerApps/containerapp000003'' - under resource group ''clitest.rg000001'' was not found. For more details - please go to https://aka.ms/ARMResourceNotFoundFix"}}' - headers: - cache-control: - - no-cache - content-length: - - '234' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:49:52 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - x-ms-failure-cause: - - gateway - status: - code: 404 - message: Not Found -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp up - Connection: - - keep-alive - ParameterSetName: - - -g -n --environment --image - User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.5 (macOS-13.1-arm64-arm-64bit) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App?api-version=2021-04-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App","namespace":"Microsoft.App","authorizations":[{"applicationId":"7e3bc4fd-85a3-4192-b177-5b8bfc87f42c","roleDefinitionId":"39a74f72-b40f-4bdc-b639-562fe2260bf0"},{"applicationId":"3734c1a4-2bed-4998-a37a-ff1a9e7bf019","roleDefinitionId":"5c779a4f-5cb2-4547-8c41-478d9be8ba90"},{"applicationId":"55ebbb62-3b9c-49fd-9b87-9595226dd4ac","roleDefinitionId":"e49ca620-7992-4561-a7df-4ed67dad77b5"}],"resourceTypes":[{"resourceType":"managedEnvironments","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"managedEnvironments/certificates","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"managedEnvironments/managedCertificates","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-11-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"containerApps","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SystemAssignedResourceIdentity, SupportsTags, - SupportsLocation"},{"resourceType":"locations","locations":[],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/managedEnvironmentOperationResults","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/managedEnvironmentOperationStatuses","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/containerappOperationResults","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/containerappOperationStatuses","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"operations","locations":["Central - US EUAP","East US 2 EUAP","Canada Central","West Europe","North Europe","East - US","East US 2","East Asia","Australia East","Germany West Central","Japan - East","UK South","West US","Central US","North Central US","South Central - US","Korea Central","Brazil South","West US 3","France Central","South Africa - North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-11-01-preview","2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"connectedEnvironments","locations":["North - Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"connectedEnvironments/certificates","locations":["North - Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"locations/connectedEnvironmentOperationResults","locations":["North - Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/connectedEnvironmentOperationStatuses","locations":["North - Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/billingMeters","locations":["Australia - East","East US 2","West Europe","Central US","East US","North Europe","South - Central US","UK South","West US 3"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/availableManagedEnvironmentsWorkloadProfileTypes","locations":["Australia - East","East US 2","West Europe","Central US","East US","North Europe","South - Central US","UK South","West US 3"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' - headers: - cache-control: - - no-cache - content-length: - - '7154' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:49:52 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp up - Connection: - - keep-alive - ParameterSetName: - - -g -n --environment --image - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","name":"containerapp-env000002","type":"Microsoft.App/managedEnvironments","location":"eastus","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:46:28.2827058","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:46:28.2827058"},"properties":{"provisioningState":"Succeeded","defaultDomain":"redmoss-939128ae.eastus.azurecontainerapps.io","staticIp":"40.88.204.119","appLogsConfiguration":{"destination":"log-analytics","logAnalyticsConfiguration":{"customerId":"c40f200d-cdea-414a-8309-7af5ffaacbb2"}},"zoneRedundant":false,"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/managedEnvironments/containerapp-env000002/eventstream","customDomainConfiguration":{"customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5"}},"sku":{"name":"Consumption"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1140' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:49:52 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp up - Connection: - - keep-alive - ParameterSetName: - - -g -n --environment --image - User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.5 (macOS-13.1-arm64-arm-64bit) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App?api-version=2021-04-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App","namespace":"Microsoft.App","authorizations":[{"applicationId":"7e3bc4fd-85a3-4192-b177-5b8bfc87f42c","roleDefinitionId":"39a74f72-b40f-4bdc-b639-562fe2260bf0"},{"applicationId":"3734c1a4-2bed-4998-a37a-ff1a9e7bf019","roleDefinitionId":"5c779a4f-5cb2-4547-8c41-478d9be8ba90"},{"applicationId":"55ebbb62-3b9c-49fd-9b87-9595226dd4ac","roleDefinitionId":"e49ca620-7992-4561-a7df-4ed67dad77b5"}],"resourceTypes":[{"resourceType":"managedEnvironments","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"managedEnvironments/certificates","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"managedEnvironments/managedCertificates","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-11-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"containerApps","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SystemAssignedResourceIdentity, SupportsTags, - SupportsLocation"},{"resourceType":"locations","locations":[],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/managedEnvironmentOperationResults","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/managedEnvironmentOperationStatuses","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/containerappOperationResults","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/containerappOperationStatuses","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"operations","locations":["Central - US EUAP","East US 2 EUAP","Canada Central","West Europe","North Europe","East - US","East US 2","East Asia","Australia East","Germany West Central","Japan - East","UK South","West US","Central US","North Central US","South Central - US","Korea Central","Brazil South","West US 3","France Central","South Africa - North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-11-01-preview","2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"connectedEnvironments","locations":["North - Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"connectedEnvironments/certificates","locations":["North - Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"locations/connectedEnvironmentOperationResults","locations":["North - Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/connectedEnvironmentOperationStatuses","locations":["North - Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/billingMeters","locations":["Australia - East","East US 2","West Europe","Central US","East US","North Europe","South - Central US","UK South","West US 3"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/availableManagedEnvironmentsWorkloadProfileTypes","locations":["Australia - East","East US 2","West Europe","Central US","East US","North Europe","South - Central US","UK South","West US 3"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' - headers: - cache-control: - - no-cache - content-length: - - '7154' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:49:52 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: '{"location": "eastus", "identity": {"type": "None", "userAssignedIdentities": - null}, "properties": {"managedEnvironmentId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002", - "configuration": {"secrets": null, "activeRevisionsMode": "single", "ingress": - null, "dapr": null, "registries": null}, "template": {"revisionSuffix": null, - "containers": [{"image": "mcr.microsoft.com/azuredocs/aks-helloworld:v1", "name": - "containerapp000003", "command": null, "args": null, "env": null, "resources": - null, "volumeMounts": null}], "scale": null, "volumes": null}}, "tags": null}' - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp up - Connection: - - keep-alive - Content-Length: - - '673' - Content-Type: - - application/json - ParameterSetName: - - -g -n --environment --image - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerapps/containerapp000003","name":"containerapp000003","type":"Microsoft.App/containerApps","location":"East - US","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:49:55.8061043Z","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:49:55.8061043Z"},"properties":{"provisioningState":"InProgress","managedEnvironmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","environmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","workloadProfileType":null,"outboundIpAddresses":["20.62.146.136"],"latestRevisionName":"","latestRevisionFqdn":"","customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5","configuration":{"secrets":null,"activeRevisionsMode":"Single","ingress":null,"registries":null,"dapr":null,"maxInactiveRevisions":null},"template":{"revisionSuffix":"","containers":[{"image":"mcr.microsoft.com/azuredocs/aks-helloworld:v1","name":"containerapp000003","resources":{"cpu":0.5,"memory":"1Gi","ephemeralStorage":"1Gi"}}],"initContainers":null,"scale":{"minReplicas":null,"maxReplicas":10,"rules":null},"volumes":null},"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/containerApps/containerapp000003/eventstream"},"identity":{"type":"None"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App/locations/eastus/containerappOperationStatuses/f28f8d9c-4643-47be-9577-1a0877f2cae8?api-version=2022-06-01-preview&azureAsyncOperation=true - cache-control: - - no-cache - content-length: - - '1723' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:49:57 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - x-ms-async-operation-timeout: - - PT15M - x-ms-ratelimit-remaining-subscription-resource-requests: - - '498' - x-powered-by: - - ASP.NET - status: - code: 201 - message: Created -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp up - Connection: - - keep-alive - ParameterSetName: - - -g -n --environment --image - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerapps/containerapp000003","name":"containerapp000003","type":"Microsoft.App/containerApps","location":"East - US","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:49:55.8061043","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:49:55.8061043"},"properties":{"provisioningState":"InProgress","managedEnvironmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","environmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","workloadProfileType":null,"outboundIpAddresses":["20.62.146.136"],"latestRevisionName":"containerapp000003--qnkfovr","latestRevisionFqdn":"","customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5","configuration":{"secrets":null,"activeRevisionsMode":"Single","ingress":null,"registries":null,"dapr":null,"maxInactiveRevisions":null},"template":{"revisionSuffix":"","containers":[{"image":"mcr.microsoft.com/azuredocs/aks-helloworld:v1","name":"containerapp000003","resources":{"cpu":0.5,"memory":"1Gi","ephemeralStorage":"1Gi"}}],"initContainers":null,"scale":{"minReplicas":null,"maxReplicas":10,"rules":null},"volumes":null},"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/containerApps/containerapp000003/eventstream"},"identity":{"type":"None"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1748' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:49:58 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp up - Connection: - - keep-alive - ParameterSetName: - - -g -n --environment --image - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerapps/containerapp000003","name":"containerapp000003","type":"Microsoft.App/containerApps","location":"East - US","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:49:55.8061043","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:49:55.8061043"},"properties":{"provisioningState":"InProgress","managedEnvironmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","environmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","workloadProfileType":null,"outboundIpAddresses":["20.62.146.136"],"latestRevisionName":"containerapp000003--qnkfovr","latestRevisionFqdn":"","customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5","configuration":{"secrets":null,"activeRevisionsMode":"Single","ingress":null,"registries":null,"dapr":null,"maxInactiveRevisions":null},"template":{"revisionSuffix":"","containers":[{"image":"mcr.microsoft.com/azuredocs/aks-helloworld:v1","name":"containerapp000003","resources":{"cpu":0.5,"memory":"1Gi","ephemeralStorage":"1Gi"}}],"initContainers":null,"scale":{"minReplicas":null,"maxReplicas":10,"rules":null},"volumes":null},"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/containerApps/containerapp000003/eventstream"},"identity":{"type":"None"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1748' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:50:01 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp up - Connection: - - keep-alive - ParameterSetName: - - -g -n --environment --image - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerapps/containerapp000003","name":"containerapp000003","type":"Microsoft.App/containerApps","location":"East - US","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:49:55.8061043","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:49:55.8061043"},"properties":{"provisioningState":"InProgress","managedEnvironmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","environmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","workloadProfileType":null,"outboundIpAddresses":["20.62.146.136"],"latestRevisionName":"containerapp000003--qnkfovr","latestRevisionFqdn":"","customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5","configuration":{"secrets":null,"activeRevisionsMode":"Single","ingress":null,"registries":null,"dapr":null,"maxInactiveRevisions":null},"template":{"revisionSuffix":"","containers":[{"image":"mcr.microsoft.com/azuredocs/aks-helloworld:v1","name":"containerapp000003","resources":{"cpu":0.5,"memory":"1Gi","ephemeralStorage":"1Gi"}}],"initContainers":null,"scale":{"minReplicas":null,"maxReplicas":10,"rules":null},"volumes":null},"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/containerApps/containerapp000003/eventstream"},"identity":{"type":"None"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1748' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:50:05 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp up - Connection: - - keep-alive - ParameterSetName: - - -g -n --environment --image - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerapps/containerapp000003","name":"containerapp000003","type":"Microsoft.App/containerApps","location":"East - US","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:49:55.8061043","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:49:55.8061043"},"properties":{"provisioningState":"InProgress","managedEnvironmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","environmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","workloadProfileType":null,"outboundIpAddresses":["20.62.146.136"],"latestRevisionName":"containerapp000003--qnkfovr","latestRevisionFqdn":"","customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5","configuration":{"secrets":null,"activeRevisionsMode":"Single","ingress":null,"registries":null,"dapr":null,"maxInactiveRevisions":null},"template":{"revisionSuffix":"","containers":[{"image":"mcr.microsoft.com/azuredocs/aks-helloworld:v1","name":"containerapp000003","resources":{"cpu":0.5,"memory":"1Gi","ephemeralStorage":"1Gi"}}],"initContainers":null,"scale":{"minReplicas":null,"maxReplicas":10,"rules":null},"volumes":null},"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/containerApps/containerapp000003/eventstream"},"identity":{"type":"None"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1748' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:50:09 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp up - Connection: - - keep-alive - ParameterSetName: - - -g -n --environment --image - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerapps/containerapp000003","name":"containerapp000003","type":"Microsoft.App/containerApps","location":"East - US","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:49:55.8061043","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:49:55.8061043"},"properties":{"provisioningState":"InProgress","managedEnvironmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","environmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","workloadProfileType":null,"outboundIpAddresses":["20.62.146.136"],"latestRevisionName":"containerapp000003--qnkfovr","latestRevisionFqdn":"","customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5","configuration":{"secrets":null,"activeRevisionsMode":"Single","ingress":null,"registries":null,"dapr":null,"maxInactiveRevisions":null},"template":{"revisionSuffix":"","containers":[{"image":"mcr.microsoft.com/azuredocs/aks-helloworld:v1","name":"containerapp000003","resources":{"cpu":0.5,"memory":"1Gi","ephemeralStorage":"1Gi"}}],"initContainers":null,"scale":{"minReplicas":null,"maxReplicas":10,"rules":null},"volumes":null},"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/containerApps/containerapp000003/eventstream"},"identity":{"type":"None"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1748' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:50:12 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp up - Connection: - - keep-alive - ParameterSetName: - - -g -n --environment --image - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerapps/containerapp000003","name":"containerapp000003","type":"Microsoft.App/containerApps","location":"East - US","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:49:55.8061043","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:49:55.8061043"},"properties":{"provisioningState":"InProgress","managedEnvironmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","environmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","workloadProfileType":null,"outboundIpAddresses":["20.62.146.136"],"latestRevisionName":"containerapp000003--qnkfovr","latestRevisionFqdn":"","customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5","configuration":{"secrets":null,"activeRevisionsMode":"Single","ingress":null,"registries":null,"dapr":null,"maxInactiveRevisions":null},"template":{"revisionSuffix":"","containers":[{"image":"mcr.microsoft.com/azuredocs/aks-helloworld:v1","name":"containerapp000003","resources":{"cpu":0.5,"memory":"1Gi","ephemeralStorage":"1Gi"}}],"initContainers":null,"scale":{"minReplicas":null,"maxReplicas":10,"rules":null},"volumes":null},"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/containerApps/containerapp000003/eventstream"},"identity":{"type":"None"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1748' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:50:14 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp up - Connection: - - keep-alive - ParameterSetName: - - -g -n --environment --image - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerapps/containerapp000003","name":"containerapp000003","type":"Microsoft.App/containerApps","location":"East - US","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:49:55.8061043","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:49:55.8061043"},"properties":{"provisioningState":"InProgress","managedEnvironmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","environmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","workloadProfileType":null,"outboundIpAddresses":["20.62.146.136"],"latestRevisionName":"containerapp000003--qnkfovr","latestRevisionFqdn":"","customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5","configuration":{"secrets":null,"activeRevisionsMode":"Single","ingress":null,"registries":null,"dapr":null,"maxInactiveRevisions":null},"template":{"revisionSuffix":"","containers":[{"image":"mcr.microsoft.com/azuredocs/aks-helloworld:v1","name":"containerapp000003","resources":{"cpu":0.5,"memory":"1Gi","ephemeralStorage":"1Gi"}}],"initContainers":null,"scale":{"minReplicas":null,"maxReplicas":10,"rules":null},"volumes":null},"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/containerApps/containerapp000003/eventstream"},"identity":{"type":"None"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1748' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:50:18 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp up - Connection: - - keep-alive - ParameterSetName: - - -g -n --environment --image - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerapps/containerapp000003","name":"containerapp000003","type":"Microsoft.App/containerApps","location":"East - US","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:49:55.8061043","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:49:55.8061043"},"properties":{"provisioningState":"InProgress","managedEnvironmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","environmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","workloadProfileType":null,"outboundIpAddresses":["20.62.146.136"],"latestRevisionName":"containerapp000003--qnkfovr","latestRevisionFqdn":"","customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5","configuration":{"secrets":null,"activeRevisionsMode":"Single","ingress":null,"registries":null,"dapr":null,"maxInactiveRevisions":null},"template":{"revisionSuffix":"","containers":[{"image":"mcr.microsoft.com/azuredocs/aks-helloworld:v1","name":"containerapp000003","resources":{"cpu":0.5,"memory":"1Gi","ephemeralStorage":"1Gi"}}],"initContainers":null,"scale":{"minReplicas":null,"maxReplicas":10,"rules":null},"volumes":null},"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/containerApps/containerapp000003/eventstream"},"identity":{"type":"None"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1748' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:50:21 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp up - Connection: - - keep-alive - ParameterSetName: - - -g -n --environment --image - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerapps/containerapp000003","name":"containerapp000003","type":"Microsoft.App/containerApps","location":"East - US","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:49:55.8061043","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:49:55.8061043"},"properties":{"provisioningState":"InProgress","managedEnvironmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","environmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","workloadProfileType":null,"outboundIpAddresses":["20.62.146.136"],"latestRevisionName":"containerapp000003--qnkfovr","latestRevisionFqdn":"","customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5","configuration":{"secrets":null,"activeRevisionsMode":"Single","ingress":null,"registries":null,"dapr":null,"maxInactiveRevisions":null},"template":{"revisionSuffix":"","containers":[{"image":"mcr.microsoft.com/azuredocs/aks-helloworld:v1","name":"containerapp000003","resources":{"cpu":0.5,"memory":"1Gi","ephemeralStorage":"1Gi"}}],"initContainers":null,"scale":{"minReplicas":null,"maxReplicas":10,"rules":null},"volumes":null},"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/containerApps/containerapp000003/eventstream"},"identity":{"type":"None"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1748' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:50:24 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp up - Connection: - - keep-alive - ParameterSetName: - - -g -n --environment --image - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerapps/containerapp000003","name":"containerapp000003","type":"Microsoft.App/containerApps","location":"East - US","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:49:55.8061043","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:49:55.8061043"},"properties":{"provisioningState":"InProgress","managedEnvironmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","environmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","workloadProfileType":null,"outboundIpAddresses":["20.62.146.136"],"latestRevisionName":"containerapp000003--qnkfovr","latestRevisionFqdn":"","customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5","configuration":{"secrets":null,"activeRevisionsMode":"Single","ingress":null,"registries":null,"dapr":null,"maxInactiveRevisions":null},"template":{"revisionSuffix":"","containers":[{"image":"mcr.microsoft.com/azuredocs/aks-helloworld:v1","name":"containerapp000003","resources":{"cpu":0.5,"memory":"1Gi","ephemeralStorage":"1Gi"}}],"initContainers":null,"scale":{"minReplicas":null,"maxReplicas":10,"rules":null},"volumes":null},"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/containerApps/containerapp000003/eventstream"},"identity":{"type":"None"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1748' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:50:26 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp up - Connection: - - keep-alive - ParameterSetName: - - -g -n --environment --image - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerapps/containerapp000003","name":"containerapp000003","type":"Microsoft.App/containerApps","location":"East - US","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:49:55.8061043","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:49:55.8061043"},"properties":{"provisioningState":"Succeeded","managedEnvironmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","environmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","workloadProfileType":null,"outboundIpAddresses":["20.62.146.136"],"latestRevisionName":"containerapp000003--qnkfovr","latestRevisionFqdn":"","customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5","configuration":{"secrets":null,"activeRevisionsMode":"Single","ingress":null,"registries":null,"dapr":null,"maxInactiveRevisions":null},"template":{"revisionSuffix":"","containers":[{"image":"mcr.microsoft.com/azuredocs/aks-helloworld:v1","name":"containerapp000003","resources":{"cpu":0.5,"memory":"1Gi","ephemeralStorage":"1Gi"}}],"initContainers":null,"scale":{"minReplicas":null,"maxReplicas":10,"rules":null},"volumes":null},"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/containerApps/containerapp000003/eventstream"},"identity":{"type":"None"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1747' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:50:30 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp up - Connection: - - keep-alive - ParameterSetName: - - -g -n --environment --image - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerapps/containerapp000003","name":"containerapp000003","type":"Microsoft.App/containerApps","location":"East - US","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:49:55.8061043","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:49:55.8061043"},"properties":{"provisioningState":"Succeeded","managedEnvironmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","environmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","workloadProfileType":null,"outboundIpAddresses":["20.62.146.136"],"latestRevisionName":"containerapp000003--qnkfovr","latestRevisionFqdn":"","customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5","configuration":{"secrets":null,"activeRevisionsMode":"Single","ingress":null,"registries":null,"dapr":null,"maxInactiveRevisions":null},"template":{"revisionSuffix":"","containers":[{"image":"mcr.microsoft.com/azuredocs/aks-helloworld:v1","name":"containerapp000003","resources":{"cpu":0.5,"memory":"1Gi","ephemeralStorage":"1Gi"}}],"initContainers":null,"scale":{"minReplicas":null,"maxReplicas":10,"rules":null},"volumes":null},"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/containerApps/containerapp000003/eventstream"},"identity":{"type":"None"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1747' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:50:31 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp dapr enable - Connection: - - keep-alive - ParameterSetName: - - -g -n --dapr-app-id --dapr-app-port --dapr-app-protocol --dal --dhmrs --dhrbs - --dapr-log-level - User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.5 (macOS-13.1-arm64-arm-64bit) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App?api-version=2021-04-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App","namespace":"Microsoft.App","authorizations":[{"applicationId":"7e3bc4fd-85a3-4192-b177-5b8bfc87f42c","roleDefinitionId":"39a74f72-b40f-4bdc-b639-562fe2260bf0"},{"applicationId":"3734c1a4-2bed-4998-a37a-ff1a9e7bf019","roleDefinitionId":"5c779a4f-5cb2-4547-8c41-478d9be8ba90"},{"applicationId":"55ebbb62-3b9c-49fd-9b87-9595226dd4ac","roleDefinitionId":"e49ca620-7992-4561-a7df-4ed67dad77b5"}],"resourceTypes":[{"resourceType":"managedEnvironments","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"managedEnvironments/certificates","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"managedEnvironments/managedCertificates","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-11-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"containerApps","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SystemAssignedResourceIdentity, SupportsTags, - SupportsLocation"},{"resourceType":"locations","locations":[],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/managedEnvironmentOperationResults","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/managedEnvironmentOperationStatuses","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/containerappOperationResults","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"locations/containerappOperationStatuses","locations":["Canada - Central","West Europe","North Europe","East US","East US 2","East Asia","Australia - East","Germany West Central","Japan East","UK South","West US","Central US","North - Central US","South Central US","Korea Central","Brazil South","West US 3","France - Central","South Africa North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"operations","locations":["Central - US EUAP","East US 2 EUAP","Canada Central","West Europe","North Europe","East - US","East US 2","East Asia","Australia East","Germany West Central","Japan - East","UK South","West US","Central US","North Central US","South Central - US","Korea Central","Brazil South","West US 3","France Central","South Africa - North","Norway East","Switzerland North","UAE North"],"apiVersions":["2022-11-01-preview","2022-10-01","2022-06-01-preview","2022-03-01","2022-01-01-preview"],"capabilities":"None"},{"resourceType":"connectedEnvironments","locations":["North - Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"connectedEnvironments/certificates","locations":["North - Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"CrossResourceGroupResourceMove, - CrossSubscriptionResourceMove, SupportsTags, SupportsLocation"},{"resourceType":"locations/connectedEnvironmentOperationResults","locations":["North - Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/connectedEnvironmentOperationStatuses","locations":["North - Central US","East US","East Asia","West Europe"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/billingMeters","locations":["Australia - East","East US 2","West Europe","Central US","East US","North Europe","South - Central US","UK South","West US 3"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"},{"resourceType":"locations/availableManagedEnvironmentsWorkloadProfileTypes","locations":["Australia - East","East US 2","West Europe","Central US","East US","North Europe","South - Central US","UK South","West US 3"],"apiVersions":["2022-10-01","2022-06-01-preview"],"capabilities":"None"}],"registrationState":"Registered","registrationPolicy":"RegistrationRequired"}' - headers: - cache-control: - - no-cache - content-length: - - '7154' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:50:32 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp dapr enable - Connection: - - keep-alive - ParameterSetName: - - -g -n --dapr-app-id --dapr-app-port --dapr-app-protocol --dal --dhmrs --dhrbs - --dapr-log-level - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerapps/containerapp000003","name":"containerapp000003","type":"Microsoft.App/containerApps","location":"East - US","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:49:55.8061043","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:49:55.8061043"},"properties":{"provisioningState":"Succeeded","managedEnvironmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","environmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","workloadProfileType":null,"outboundIpAddresses":["20.62.146.136"],"latestRevisionName":"containerapp000003--qnkfovr","latestRevisionFqdn":"","customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5","configuration":{"secrets":null,"activeRevisionsMode":"Single","ingress":null,"registries":null,"dapr":null,"maxInactiveRevisions":null},"template":{"revisionSuffix":"","containers":[{"image":"mcr.microsoft.com/azuredocs/aks-helloworld:v1","name":"containerapp000003","resources":{"cpu":0.5,"memory":"1Gi","ephemeralStorage":"1Gi"}}],"initContainers":null,"scale":{"minReplicas":null,"maxReplicas":10,"rules":null},"volumes":null},"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/containerApps/containerapp000003/eventstream"},"identity":{"type":"None"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1747' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:50:33 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp dapr enable - Connection: - - keep-alive - Content-Length: - - '0' - ParameterSetName: - - -g -n --dapr-app-id --dapr-app-port --dapr-app-protocol --dal --dhmrs --dhrbs - --dapr-log-level - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003/listSecrets?api-version=2022-06-01-preview - response: - body: - string: '{"value":[]}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '12' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:50:34 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1199' - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: '{"id": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerapps/containerapp000003", - "name": "containerapp000003", "type": "Microsoft.App/containerApps", "location": - "East US", "systemData": {"createdBy": "foo.bar@microsoft.com", "createdByType": - "User", "createdAt": "2023-01-22T16:49:55.8061043", "lastModifiedBy": "foo.bar@microsoft.com", - "lastModifiedByType": "User", "lastModifiedAt": "2023-01-22T16:49:55.8061043"}, - "properties": {"provisioningState": "Succeeded", "managedEnvironmentId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002", - "environmentId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002", - "workloadProfileType": null, "outboundIpAddresses": ["20.62.146.136"], "latestRevisionName": - "containerapp000003--qnkfovr", "latestRevisionFqdn": "", "customDomainVerificationId": - "8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5", "configuration": - {"secrets": [], "activeRevisionsMode": "Single", "ingress": null, "registries": - null, "dapr": {"appId": "containerapp1", "appPort": 80, "appProtocol": "http", - "httpReadBufferSize": 60, "httpMaxRequestSize": 6, "logLevel": "warn", "enableApiLogging": - true, "enabled": true}, "maxInactiveRevisions": null}, "template": {"revisionSuffix": - "", "containers": [{"image": "mcr.microsoft.com/azuredocs/aks-helloworld:v1", - "name": "containerapp000003", "resources": {"cpu": 0.5, "memory": "1Gi", "ephemeralStorage": - "1Gi"}}], "initContainers": null, "scale": {"minReplicas": null, "maxReplicas": - 10, "rules": null}, "volumes": null}, "eventStreamEndpoint": "https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/containerApps/containerapp000003/eventstream"}, - "identity": {"type": "None"}}' - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp dapr enable - Connection: - - keep-alive - Content-Length: - - '2000' - Content-Type: - - application/json - ParameterSetName: - - -g -n --dapr-app-id --dapr-app-port --dapr-app-protocol --dal --dhmrs --dhrbs - --dapr-log-level - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerapps/containerapp000003","name":"containerapp000003","type":"Microsoft.App/containerApps","location":"East - US","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:49:55.8061043","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:50:36.1995151Z"},"properties":{"provisioningState":"InProgress","managedEnvironmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","environmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","workloadProfileType":null,"outboundIpAddresses":["20.62.146.136"],"latestRevisionName":"containerapp000003--qnkfovr","latestRevisionFqdn":"","customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5","configuration":{"secrets":null,"activeRevisionsMode":"Single","ingress":null,"registries":null,"dapr":{"enabled":true,"appId":"containerapp1","appProtocol":"http","appPort":80,"httpReadBufferSize":60,"httpMaxRequestSize":6,"logLevel":"warn","enableApiLogging":true},"maxInactiveRevisions":null},"template":{"revisionSuffix":"","containers":[{"image":"mcr.microsoft.com/azuredocs/aks-helloworld:v1","name":"containerapp000003","resources":{"cpu":0.5,"memory":"1Gi","ephemeralStorage":"1Gi"}}],"initContainers":null,"scale":{"minReplicas":null,"maxReplicas":10,"rules":null},"volumes":null},"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/containerApps/containerapp000003/eventstream"},"identity":{"type":"None"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.App/locations/eastus/containerappOperationStatuses/bcc7772c-13fb-4b88-b09a-74b031b416be?api-version=2022-06-01-preview&azureAsyncOperation=true - cache-control: - - no-cache - content-length: - - '1908' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:50:38 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - x-ms-async-operation-timeout: - - PT15M - x-ms-ratelimit-remaining-subscription-resource-requests: - - '499' - x-powered-by: - - ASP.NET - status: - code: 201 - message: Created -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp dapr enable - Connection: - - keep-alive - ParameterSetName: - - -g -n --dapr-app-id --dapr-app-port --dapr-app-protocol --dal --dhmrs --dhrbs - --dapr-log-level - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerapps/containerapp000003","name":"containerapp000003","type":"Microsoft.App/containerApps","location":"East - US","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:49:55.8061043","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:50:36.1995151"},"properties":{"provisioningState":"InProgress","managedEnvironmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","environmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","workloadProfileType":null,"outboundIpAddresses":["20.62.146.136"],"latestRevisionName":"containerapp000003--qnkfovr","latestRevisionFqdn":"","customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5","configuration":{"secrets":null,"activeRevisionsMode":"Single","ingress":null,"registries":null,"dapr":{"enabled":true,"appId":"containerapp1","appProtocol":"http","appPort":80,"httpReadBufferSize":60,"httpMaxRequestSize":6,"logLevel":"warn","enableApiLogging":true},"maxInactiveRevisions":null},"template":{"revisionSuffix":"","containers":[{"image":"mcr.microsoft.com/azuredocs/aks-helloworld:v1","name":"containerapp000003","resources":{"cpu":0.5,"memory":"1Gi","ephemeralStorage":"1Gi"}}],"initContainers":null,"scale":{"minReplicas":null,"maxReplicas":10,"rules":null},"volumes":null},"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/containerApps/containerapp000003/eventstream"},"identity":{"type":"None"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1907' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:50:39 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp dapr enable - Connection: - - keep-alive - ParameterSetName: - - -g -n --dapr-app-id --dapr-app-port --dapr-app-protocol --dal --dhmrs --dhrbs - --dapr-log-level - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerapps/containerapp000003","name":"containerapp000003","type":"Microsoft.App/containerApps","location":"East - US","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:49:55.8061043","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:50:36.1995151"},"properties":{"provisioningState":"InProgress","managedEnvironmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","environmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","workloadProfileType":null,"outboundIpAddresses":["20.62.146.136"],"latestRevisionName":"containerapp000003--qnkfovr","latestRevisionFqdn":"","customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5","configuration":{"secrets":null,"activeRevisionsMode":"Single","ingress":null,"registries":null,"dapr":{"enabled":true,"appId":"containerapp1","appProtocol":"http","appPort":80,"httpReadBufferSize":60,"httpMaxRequestSize":6,"logLevel":"warn","enableApiLogging":true},"maxInactiveRevisions":null},"template":{"revisionSuffix":"","containers":[{"image":"mcr.microsoft.com/azuredocs/aks-helloworld:v1","name":"containerapp000003","resources":{"cpu":0.5,"memory":"1Gi","ephemeralStorage":"1Gi"}}],"initContainers":null,"scale":{"minReplicas":null,"maxReplicas":10,"rules":null},"volumes":null},"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/containerApps/containerapp000003/eventstream"},"identity":{"type":"None"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1907' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:50:42 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - containerapp dapr enable - Connection: - - keep-alive - ParameterSetName: - - -g -n --dapr-app-id --dapr-app-port --dapr-app-protocol --dal --dhmrs --dhrbs - --dapr-log-level - User-Agent: - - python/3.10.5 (macOS-13.1-arm64-arm-64bit) AZURECLI/2.44.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerApps/containerapp000003?api-version=2022-06-01-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/containerapps/containerapp000003","name":"containerapp000003","type":"Microsoft.App/containerApps","location":"East - US","systemData":{"createdBy":"foo.bar@microsoft.com","createdByType":"User","createdAt":"2023-01-22T16:49:55.8061043","lastModifiedBy":"foo.bar@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-22T16:50:36.1995151"},"properties":{"provisioningState":"Succeeded","managedEnvironmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","environmentId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.App/managedEnvironments/containerapp-env000002","workloadProfileType":null,"outboundIpAddresses":["20.62.146.136"],"latestRevisionName":"containerapp000003--qnkfovr","latestRevisionFqdn":"","customDomainVerificationId":"8FE9B6FAC944D8C690195D913786E83DAE3887C26F1BBBACB32AC3ED8E3390B5","configuration":{"secrets":null,"activeRevisionsMode":"Single","ingress":null,"registries":null,"dapr":{"enabled":true,"appId":"containerapp1","appProtocol":"http","appPort":80,"httpReadBufferSize":60,"httpMaxRequestSize":6,"logLevel":"warn","enableApiLogging":true},"maxInactiveRevisions":null},"template":{"revisionSuffix":"","containers":[{"image":"mcr.microsoft.com/azuredocs/aks-helloworld:v1","name":"containerapp000003","resources":{"cpu":0.5,"memory":"1Gi","ephemeralStorage":"1Gi"}}],"initContainers":null,"scale":{"minReplicas":null,"maxReplicas":10,"rules":null},"volumes":null},"eventStreamEndpoint":"https://eastus.azurecontainerapps.dev/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/containerApps/containerapp000003/eventstream"},"identity":{"type":"None"}}' - headers: - api-supported-versions: - - 2022-01-01-preview, 2022-03-01, 2022-06-01-preview, 2022-10-01, 2022-11-01-preview - cache-control: - - no-cache - content-length: - - '1906' - content-type: - - application/json; charset=utf-8 - date: - - Sun, 22 Jan 2023 16:50:44 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -version: 1 diff --git a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_commands.py b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_commands.py index ecc003decd6..142e9ac2681 100644 --- a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_commands.py +++ b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_commands.py @@ -11,7 +11,6 @@ from azure.cli.testsdk import (ScenarioTest, ResourceGroupPreparer, JMESPathCheck) from msrestazure.tools import parse_resource_id -from .common import TEST_LOCATION from .utils import create_containerapp_env TEST_DIR = os.path.abspath(os.path.join(os.path.abspath(__file__), '..')) @@ -20,7 +19,10 @@ class ContainerappIdentityTests(ScenarioTest): @AllowLargeResponse(8192) @ResourceGroupPreparer(location="eastus2") def test_containerapp_identity_e2e(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) env_name = self.create_random_name(prefix='containerapp-env', length=24) ca_name = self.create_random_name(prefix='containerapp', length=24) @@ -63,13 +65,16 @@ def test_containerapp_identity_e2e(self, resource_group): @AllowLargeResponse(8192) @ResourceGroupPreparer(location="canadacentral") def test_containerapp_identity_system(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) env_name = self.create_random_name(prefix='containerapp-env', length=24) ca_name = self.create_random_name(prefix='containerapp', length=24) logs_workspace_name = self.create_random_name(prefix='containerapp-env', length=24) - logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {} -l eastus'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] + logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] logs_workspace_key = self.cmd('monitor log-analytics workspace get-shared-keys -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["primarySharedKey"] self.cmd('containerapp env create -g {} -n {} --logs-workspace-id {} --logs-workspace-key {}'.format(resource_group, env_name, logs_workspace_id, logs_workspace_key)) @@ -101,7 +106,10 @@ def test_containerapp_identity_system(self, resource_group): @AllowLargeResponse(8192) @ResourceGroupPreparer(location="westeurope") def test_containerapp_identity_user(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) env_name = self.create_random_name(prefix='containerapp-env', length=24) ca_name = self.create_random_name(prefix='containerapp', length=24) @@ -153,7 +161,10 @@ class ContainerappIngressTests(ScenarioTest): @AllowLargeResponse(8192) @ResourceGroupPreparer(location="eastus2") def test_containerapp_ingress_e2e(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) env_name = self.create_random_name(prefix='containerapp-env', length=24) ca_name = self.create_random_name(prefix='containerapp', length=24) @@ -192,7 +203,10 @@ def test_containerapp_ingress_e2e(self, resource_group): @AllowLargeResponse(8192) @ResourceGroupPreparer(location="eastus2") def test_containerapp_ingress_traffic_e2e(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) env_name = self.create_random_name(prefix='containerapp-env', length=24) ca_name = self.create_random_name(prefix='containerapp', length=24) @@ -238,7 +252,10 @@ def test_containerapp_ingress_traffic_e2e(self, resource_group): @live_only() # encounters 'CannotOverwriteExistingCassetteException' only when run from recording (passes when run live) @ResourceGroupPreparer(location="westeurope") def test_containerapp_custom_domains_e2e(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) env_name = self.create_random_name(prefix='containerapp-env', length=24) ca_name = self.create_random_name(prefix='containerapp', length=24) @@ -358,7 +375,10 @@ def test_containerapp_custom_domains_e2e(self, resource_group): @ResourceGroupPreparer(location="northeurope") @live_only() # encounters 'CannotOverwriteExistingCassetteException' only when run from recording (passes when run live) and vnet command error in cli pipeline def test_containerapp_tcp_ingress(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) env_name = self.create_random_name(prefix='env', length=24) logs = self.create_random_name(prefix='logs', length=24) @@ -368,7 +388,7 @@ def test_containerapp_tcp_ingress(self, resource_group): self.cmd(f"az network vnet create --address-prefixes '14.0.0.0/23' -g {resource_group} -n {vnet}") sub_id = self.cmd(f"az network vnet subnet create --address-prefixes '14.0.0.0/23' -n sub -g {resource_group} --vnet-name {vnet}").get_output_in_json()["id"] - logs_id = self.cmd(f"monitor log-analytics workspace create -g {resource_group} -n {logs} -l eastus").get_output_in_json()["customerId"] + logs_id = self.cmd(f"monitor log-analytics workspace create -g {resource_group} -n {logs}").get_output_in_json()["customerId"] logs_key = self.cmd(f'monitor log-analytics workspace get-shared-keys -g {resource_group} -n {logs}').get_output_in_json()["primarySharedKey"] self.cmd(f'containerapp env create -g {resource_group} -n {env_name} --logs-workspace-id {logs_id} --logs-workspace-key {logs_key} --internal-only -s {sub_id}') @@ -414,7 +434,10 @@ def test_containerapp_tcp_ingress(self, resource_group): @AllowLargeResponse(8192) @ResourceGroupPreparer(location="northeurope") def test_containerapp_ip_restrictions(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) env_name = self.create_random_name(prefix='containerapp-env', length=24) ca_name = self.create_random_name(prefix='containerapp', length=24) @@ -485,7 +508,10 @@ def test_containerapp_ip_restrictions(self, resource_group): @AllowLargeResponse(8192) @ResourceGroupPreparer(location="northeurope") def test_containerapp_ip_restrictions_deny(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) env_name = self.create_random_name(prefix='containerapp-env', length=24) ca_name = self.create_random_name(prefix='containerapp', length=24) @@ -558,7 +584,10 @@ class ContainerappDaprTests(ScenarioTest): @AllowLargeResponse(8192) @ResourceGroupPreparer(location="eastus2") def test_containerapp_dapr_e2e(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) env_name = self.create_random_name(prefix='containerapp-env', length=24) ca_name = self.create_random_name(prefix='containerapp', length=24) @@ -620,37 +649,16 @@ def test_containerapp_dapr_e2e(self, resource_group): JMESPathCheck('properties.configuration.dapr.enableApiLogging', True), ]) - @AllowLargeResponse(8192) - @ResourceGroupPreparer(location="eastus2") - def test_containerapp_up_dapr_e2e(self, resource_group): - """ Ensure that dapr can be enabled if the app has been created using containerapp up """ - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) - - image = 'mcr.microsoft.com/azuredocs/aks-helloworld:v1' - env_name = self.create_random_name(prefix='containerapp-env', length=24) - ca_name = self.create_random_name(prefix='containerapp', length=24) - - create_containerapp_env(self, env_name, resource_group) - - self.cmd( - 'containerapp up -g {} -n {} --environment {} --image {}'.format( - resource_group, ca_name, env_name, image)) - - self.cmd( - 'containerapp dapr enable -g {} -n {} --dapr-app-id containerapp1 --dapr-app-port 80 ' - '--dapr-app-protocol http --dal --dhmrs 6 --dhrbs 60 --dapr-log-level warn'.format( - resource_group, ca_name, env_name), checks=[ - JMESPathCheck('appId', "containerapp1"), - JMESPathCheck('enabled', True) - ]) - class ContainerappEnvStorageTests(ScenarioTest): @AllowLargeResponse(8192) @live_only() # Passes locally but fails in CI @ResourceGroupPreparer(location="eastus") def test_containerapp_env_storage(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) env_name = self.create_random_name(prefix='containerapp-env', length=24) storage_name = self.create_random_name(prefix='storage', length=24) @@ -686,7 +694,10 @@ class ContainerappRevisionTests(ScenarioTest): @AllowLargeResponse(8192) @ResourceGroupPreparer(location="northeurope") def test_containerapp_revision_label_e2e(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) env_name = self.create_random_name(prefix='containerapp-env', length=24) ca_name = self.create_random_name(prefix='containerapp', length=24) @@ -753,7 +764,10 @@ class ContainerappAnonymousRegistryTests(ScenarioTest): @AllowLargeResponse(8192) @ResourceGroupPreparer(location="northeurope") def test_containerapp_anonymous_registry(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) env = self.create_random_name(prefix='env', length=24) app = self.create_random_name(prefix='aca', length=24) @@ -771,7 +785,10 @@ class ContainerappRegistryIdentityTests(ScenarioTest): @ResourceGroupPreparer(location="westeurope") @live_only() # encounters 'CannotOverwriteExistingCassetteException' only when run from recording (passes when run live) def test_containerapp_registry_identity_user(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) env = self.create_random_name(prefix='env', length=24) app = self.create_random_name(prefix='aca', length=24) @@ -795,7 +812,10 @@ def test_containerapp_registry_identity_user(self, resource_group): @ResourceGroupPreparer(location="westeurope") @live_only() # encounters 'CannotOverwriteExistingCassetteException' only when run from recording (passes when run live) def test_containerapp_registry_identity_system(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) env = self.create_random_name(prefix='env', length=24) app = self.create_random_name(prefix='aca', length=24) @@ -817,7 +837,10 @@ class ContainerappScaleTests(ScenarioTest): @AllowLargeResponse(8192) @ResourceGroupPreparer(location="westeurope") def test_containerapp_scale_create(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) env = self.create_random_name(prefix='env', length=24) app = self.create_random_name(prefix='aca', length=24) @@ -852,7 +875,10 @@ def test_containerapp_scale_create(self, resource_group): @AllowLargeResponse(8192) @ResourceGroupPreparer(location="westeurope") def test_containerapp_scale_update(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) env = self.create_random_name(prefix='env', length=24) app = self.create_random_name(prefix='aca', length=24) @@ -887,7 +913,10 @@ def test_containerapp_scale_update(self, resource_group): @AllowLargeResponse(8192) @ResourceGroupPreparer(location="westeurope") def test_containerapp_scale_revision_copy(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) env = self.create_random_name(prefix='env', length=24) app = self.create_random_name(prefix='aca', length=24) diff --git a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_basic.py b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_basic.py index 80367537b5c..e432d485477 100644 --- a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_basic.py +++ b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_basic.py @@ -7,11 +7,10 @@ from azure.cli.testsdk import (ResourceGroupPreparer) from azure.cli.testsdk.decorators import serial_test -from azext_containerapp.tests.latest.common import ( - ContainerappComposePreviewScenarioTest, # pylint: disable=unused-import - write_test_file, - clean_up_test_file, - TEST_DIR, TEST_LOCATION) +from azext_containerapp.tests.latest.common import (ContainerappComposePreviewScenarioTest, # pylint: disable=unused-import + write_test_file, + clean_up_test_file, + TEST_DIR) from .utils import create_containerapp_env @@ -21,7 +20,10 @@ class ContainerappComposeBaseScenarioTest(ContainerappComposePreviewScenarioTest @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_create_basic_no_existing_resources(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) compose_text = """ services: diff --git a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_command.py b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_command.py index bf980892ed8..b29ef266f3b 100644 --- a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_command.py +++ b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_command.py @@ -7,11 +7,10 @@ from azure.cli.testsdk import (ResourceGroupPreparer) from azure.cli.testsdk.decorators import serial_test -from azext_containerapp.tests.latest.common import ( - ContainerappComposePreviewScenarioTest, # pylint: disable=unused-import - write_test_file, - clean_up_test_file, - TEST_DIR, TEST_LOCATION) +from azext_containerapp.tests.latest.common import (ContainerappComposePreviewScenarioTest, # pylint: disable=unused-import + write_test_file, + clean_up_test_file, + TEST_DIR) from .utils import create_containerapp_env @@ -20,7 +19,10 @@ class ContainerappComposePreviewCommandScenarioTest(ContainerappComposePreviewSc @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_with_command_string(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) compose_text = """ services: @@ -55,7 +57,10 @@ def test_containerapp_compose_with_command_string(self, resource_group): @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_with_command_list(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) compose_text = """ services: @@ -88,7 +93,10 @@ def test_containerapp_compose_with_command_list(self, resource_group): @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_with_command_list_and_entrypoint(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) compose_text = """ services: diff --git a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_environment.py b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_environment.py index 3fd47f799cc..19bb751add0 100644 --- a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_environment.py +++ b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_environment.py @@ -7,11 +7,10 @@ from azure.cli.testsdk import (ResourceGroupPreparer) from azure.cli.testsdk.decorators import serial_test -from azext_containerapp.tests.latest.common import ( - ContainerappComposePreviewScenarioTest, # pylint: disable=unused-import - write_test_file, - clean_up_test_file, - TEST_DIR, TEST_LOCATION) +from azext_containerapp.tests.latest.common import (ContainerappComposePreviewScenarioTest, # pylint: disable=unused-import + write_test_file, + clean_up_test_file, + TEST_DIR) from .utils import create_containerapp_env @@ -20,7 +19,10 @@ class ContainerappComposePreviewEnvironmentSettingsScenarioTest(ContainerappComp @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_create_with_environment(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) compose_text = """ services: @@ -63,7 +65,10 @@ class ContainerappComposePreviewEnvironmentSettingsExpectedExceptionScenarioTest @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_create_with_environment_prompt(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) compose_text = """ services: diff --git a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_ingress.py b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_ingress.py index e1b21ba6e46..55a43fec202 100644 --- a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_ingress.py +++ b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_ingress.py @@ -7,11 +7,10 @@ from azure.cli.testsdk import (ResourceGroupPreparer) from azure.cli.testsdk.decorators import serial_test -from azext_containerapp.tests.latest.common import ( - ContainerappComposePreviewScenarioTest, # pylint: disable=unused-import - write_test_file, - clean_up_test_file, - TEST_DIR, TEST_LOCATION) +from azext_containerapp.tests.latest.common import (ContainerappComposePreviewScenarioTest, # pylint: disable=unused-import + write_test_file, + clean_up_test_file, + TEST_DIR) from .utils import create_containerapp_env @@ -19,7 +18,10 @@ class ContainerappComposePreviewIngressScenarioTest(ContainerappComposePreviewSc @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_create_with_ingress_external(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) compose_text = """ services: @@ -89,7 +91,10 @@ class ContainerappComposePreviewIngressBothScenarioTest(ContainerappComposePrevi @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_create_with_ingress_both(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) compose_text = """ services: @@ -126,7 +131,10 @@ class ContainerappComposePreviewIngressPromptScenarioTest(ContainerappComposePre @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_create_with_ingress_prompt(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) compose_text = """ services: diff --git a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_registries.py b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_registries.py index f3be65bc257..f3e50173d66 100644 --- a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_registries.py +++ b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_registries.py @@ -7,11 +7,10 @@ from azure.cli.testsdk import (ResourceGroupPreparer) from azure.cli.testsdk.decorators import serial_test -from azext_containerapp.tests.latest.common import ( - ContainerappComposePreviewScenarioTest, # pylint: disable=unused-import - write_test_file, - clean_up_test_file, - TEST_DIR, TEST_LOCATION) +from azext_containerapp.tests.latest.common import (ContainerappComposePreviewScenarioTest, # pylint: disable=unused-import + write_test_file, + clean_up_test_file, + TEST_DIR) from .utils import create_containerapp_env @@ -19,7 +18,10 @@ class ContainerappComposePreviewRegistryAllArgsScenarioTest(ContainerappComposeP @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_create_with_registry_all_args(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) compose_text = """ services: @@ -62,7 +64,10 @@ class ContainerappComposePreviewRegistryServerArgOnlyScenarioTest(ContainerappCo @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_create_with_registry_server_arg_only(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) compose_text = """ services: diff --git a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_resources.py b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_resources.py index 116aa4c05d5..8d8ba589ca1 100644 --- a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_resources.py +++ b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_resources.py @@ -7,11 +7,10 @@ from azure.cli.testsdk import (ResourceGroupPreparer) from azure.cli.testsdk.decorators import serial_test -from azext_containerapp.tests.latest.common import ( - ContainerappComposePreviewScenarioTest, # pylint: disable=unused-import - write_test_file, - clean_up_test_file, - TEST_DIR, TEST_LOCATION) +from azext_containerapp.tests.latest.common import (ContainerappComposePreviewScenarioTest, # pylint: disable=unused-import + write_test_file, + clean_up_test_file, + TEST_DIR) from .utils import create_containerapp_env @@ -20,7 +19,10 @@ class ContainerappComposePreviewResourceSettingsScenarioTest(ContainerappCompose @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_create_with_resources_from_service_cpus(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) compose_text = """ services: @@ -54,7 +56,10 @@ def test_containerapp_compose_create_with_resources_from_service_cpus(self, reso @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_create_with_resources_from_deploy_cpu(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) compose_text = """ services: @@ -91,7 +96,10 @@ def test_containerapp_compose_create_with_resources_from_deploy_cpu(self, resour @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_create_with_resources_from_both_cpus_and_deploy_cpu(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) compose_text = """ services: diff --git a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_scale.py b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_scale.py index e17ae7cedda..4505d797997 100644 --- a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_scale.py +++ b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_scale.py @@ -7,11 +7,10 @@ from azure.cli.testsdk import (ResourceGroupPreparer) from azure.cli.testsdk.decorators import serial_test -from azext_containerapp.tests.latest.common import ( - ContainerappComposePreviewScenarioTest, # pylint: disable=unused-import - write_test_file, - clean_up_test_file, - TEST_DIR, TEST_LOCATION) +from azext_containerapp.tests.latest.common import (ContainerappComposePreviewScenarioTest, # pylint: disable=unused-import + write_test_file, + clean_up_test_file, + TEST_DIR) from .utils import create_containerapp_env @@ -20,7 +19,10 @@ class ContainerappComposePreviewReplicasScenarioTest(ContainerappComposePreviewS @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_create_with_replicas_global_scale(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) compose_text = """ services: @@ -58,7 +60,10 @@ def test_containerapp_compose_create_with_replicas_global_scale(self, resource_g @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_create_with_replicas_replicated_mode(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) compose_text = """ services: diff --git a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_secrets.py b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_secrets.py index a09f20ca34b..3a955ae7783 100644 --- a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_secrets.py +++ b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_secrets.py @@ -7,11 +7,10 @@ from azure.cli.testsdk import (ResourceGroupPreparer) from azure.cli.testsdk.decorators import serial_test -from azext_containerapp.tests.latest.common import ( - ContainerappComposePreviewScenarioTest, # pylint: disable=unused-import - write_test_file, - clean_up_test_file, - TEST_DIR, TEST_LOCATION) +from azext_containerapp.tests.latest.common import (ContainerappComposePreviewScenarioTest, # pylint: disable=unused-import + write_test_file, + clean_up_test_file, + TEST_DIR) from .utils import create_containerapp_env @@ -20,7 +19,10 @@ class ContainerappComposePreviewSecretsScenarioTest(ContainerappComposePreviewSc @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_create_with_secrets(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) compose_text = """ services: @@ -71,7 +73,10 @@ def test_containerapp_compose_create_with_secrets(self, resource_group): @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_create_with_secrets_and_existing_environment(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) compose_text = """ services: @@ -126,8 +131,6 @@ def test_containerapp_compose_create_with_secrets_and_existing_environment(self, @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_create_with_secrets_and_existing_environment_conflict(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) - compose_text = """ services: foo: diff --git a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_transport_overrides.py b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_transport_overrides.py index 3c6ff93432a..e0c1f9cec90 100644 --- a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_transport_overrides.py +++ b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_compose_transport_overrides.py @@ -7,11 +7,10 @@ from azure.cli.testsdk import (ResourceGroupPreparer) from azure.cli.testsdk.decorators import serial_test -from azext_containerapp.tests.latest.common import ( - ContainerappComposePreviewScenarioTest, # pylint: disable=unused-import - write_test_file, - clean_up_test_file, - TEST_DIR, TEST_LOCATION) +from azext_containerapp.tests.latest.common import (ContainerappComposePreviewScenarioTest, # pylint: disable=unused-import + write_test_file, + clean_up_test_file, + TEST_DIR) from .utils import create_containerapp_env @@ -19,7 +18,10 @@ class ContainerappComposePreviewTransportOverridesScenarioTest(ContainerappCompo @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_create_with_transport_arg(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) compose_text = """ services: @@ -55,7 +57,10 @@ def test_containerapp_compose_create_with_transport_arg(self, resource_group): @serial_test() @ResourceGroupPreparer(name_prefix='cli_test_containerapp_preview', location='eastus') def test_containerapp_compose_create_with_transport_mapping_arg(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) compose_text = """ services: diff --git a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_env_commands.py b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_env_commands.py index ff668cab909..c53fd5381b7 100644 --- a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_env_commands.py +++ b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_env_commands.py @@ -10,8 +10,6 @@ from azure.cli.testsdk.scenario_tests import AllowLargeResponse from azure.cli.testsdk import (ScenarioTest, ResourceGroupPreparer, JMESPathCheck, live_only, StorageAccountPreparer) -from .common import TEST_LOCATION - TEST_DIR = os.path.abspath(os.path.join(os.path.abspath(__file__), '..')) from .utils import create_containerapp_env @@ -20,12 +18,15 @@ class ContainerappEnvScenarioTest(ScenarioTest): @AllowLargeResponse(8192) @ResourceGroupPreparer(location="northeurope") def test_containerapp_env_e2e(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) env_name = self.create_random_name(prefix='containerapp-e2e-env', length=24) logs_workspace_name = self.create_random_name(prefix='containerapp-env', length=24) - logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {} -l eastus'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] + logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] logs_workspace_key = self.cmd('monitor log-analytics workspace get-shared-keys -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["primarySharedKey"] self.cmd('containerapp env create -g {} -n {} --logs-workspace-id {} --logs-workspace-key {}'.format(resource_group, env_name, logs_workspace_id, logs_workspace_key)) @@ -54,12 +55,15 @@ def test_containerapp_env_e2e(self, resource_group): @AllowLargeResponse(8192) @ResourceGroupPreparer(location="australiaeast") def test_containerapp_env_logs_e2e(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) env_name = self.create_random_name(prefix='containerapp-env', length=24) logs_workspace_name = self.create_random_name(prefix='containerapp-env', length=24) - logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {} -l eastus'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] + logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] logs_workspace_key = self.cmd('monitor log-analytics workspace get-shared-keys -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["primarySharedKey"] self.cmd('containerapp env create -g {} -n {} --logs-workspace-id {} --logs-workspace-key {} --logs-destination log-analytics'.format(resource_group, env_name, logs_workspace_id, logs_workspace_key)) @@ -128,13 +132,16 @@ def test_containerapp_env_logs_e2e(self, resource_group): @ResourceGroupPreparer(location="northeurope") @live_only() # encounters 'CannotOverwriteExistingCassetteException' only when run from recording (passes when run live) def test_containerapp_env_dapr_components(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) env_name = self.create_random_name(prefix='containerapp-e2e-env', length=24) dapr_comp_name = self.create_random_name(prefix='dapr-component', length=24) logs_workspace_name = self.create_random_name(prefix='containerapp-env', length=24) - logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {} -l eastus'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] + logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] logs_workspace_key = self.cmd('monitor log-analytics workspace get-shared-keys -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["primarySharedKey"] self.cmd('containerapp env create -g {} -n {} --logs-workspace-id {} --logs-workspace-key {}'.format(resource_group, env_name, logs_workspace_id, logs_workspace_key)) @@ -195,13 +202,15 @@ def test_containerapp_env_dapr_components(self, resource_group): @live_only() # encounters 'CannotOverwriteExistingCassetteException' only when run from recording (passes when run live) @ResourceGroupPreparer(location="northeurope") def test_containerapp_env_certificate_e2e(self, resource_group): - location = 'northcentralusstage' - self.cmd('configure --defaults location=northcentralusstage'.format(location)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) env_name = self.create_random_name(prefix='containerapp-e2e-env', length=24) logs_workspace_name = self.create_random_name(prefix='containerapp-env', length=24) - logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {} -l eastus'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] + logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] logs_workspace_key = self.cmd('monitor log-analytics workspace get-shared-keys -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["primarySharedKey"] self.cmd('containerapp env create -g {} -n {} --logs-workspace-id {} --logs-workspace-key {}'.format(resource_group, env_name, logs_workspace_id, logs_workspace_key)) @@ -262,62 +271,9 @@ def test_containerapp_env_certificate_e2e(self, resource_group): JMESPathCheck('[0].id', cert_id), JMESPathCheck('[0].properties.thumbprint', cert_thumbprint), ]) - - # create a container app - ca_name = self.create_random_name(prefix='containerapp', length=24) - app = self.cmd('containerapp create -g {} -n {} --environment {} --ingress external --target-port 80'.format(resource_group, ca_name, env_name)).get_output_in_json() - - # create an App service domain and update its DNS records - contacts = os.path.join(TEST_DIR, 'domain-contact.json') - zone_name = "{}.com".format(ca_name) - subdomain_1 = "devtest" - txt_name_1 = "asuid.{}".format(subdomain_1) - hostname_1 = "{}.{}".format(subdomain_1, zone_name) - verification_id = app["properties"]["customDomainVerificationId"] - fqdn = app["properties"]["configuration"]["ingress"]["fqdn"] - self.cmd("appservice domain create -g {} --hostname {} --contact-info=@'{}' --accept-terms".format(resource_group, zone_name, contacts)).get_output_in_json() - self.cmd('network dns record-set txt add-record -g {} -z {} -n {} -v {}'.format(resource_group, zone_name, txt_name_1, verification_id)).get_output_in_json() - self.cmd('network dns record-set cname create -g {} -z {} -n {}'.format(resource_group, zone_name, subdomain_1)).get_output_in_json() - self.cmd('network dns record-set cname set-record -g {} -z {} -n {} -c {}'.format(resource_group, zone_name, subdomain_1, fqdn)).get_output_in_json() - - # add hostname without binding - self.cmd('containerapp hostname add -g {} -n {} --hostname {}'.format(resource_group, ca_name, hostname_1), checks={ - JMESPathCheck('length(@)', 1), - JMESPathCheck('[0].name', hostname_1), - JMESPathCheck('[0].bindingType', "Disabled"), - }) - self.cmd('containerapp hostname add -g {} -n {} --hostname {}'.format(resource_group, ca_name, hostname_1), expect_failure=True) - - # create a managed certificate - self.cmd('containerapp env certificate create -n {} -g {} --hostname {} -v CNAME -c {}'.format(env_name, resource_group, hostname_1, cert_name), checks=[ - JMESPathCheck('type', "Microsoft.App/managedEnvironments/managedCertificates"), - JMESPathCheck('name', cert_name), - JMESPathCheck('properties.subjectName', hostname_1), - ]).get_output_in_json() - - self.cmd('containerapp env certificate create -n {} -g {} --hostname {} -v CNAME'.format(env_name, resource_group, hostname_1), expect_failure=True) - self.cmd('containerapp env certificate list -g {} -n {} -m'.format(resource_group, env_name), checks=[ - JMESPathCheck('length(@)', 1), - ]) - self.cmd('containerapp env certificate list -g {} -n {} -c {}'.format(resource_group, env_name, cert_name), checks=[ - JMESPathCheck('length(@)', 2), - ]) - self.cmd('containerapp env certificate delete -n {} -g {} --certificate {} --yes'.format(env_name, resource_group, cert_name), expect_failure=True) self.cmd('containerapp env certificate delete -n {} -g {} --thumbprint {} --yes'.format(env_name, resource_group, cert_thumbprint)) - self.cmd('containerapp env certificate delete -n {} -g {} --certificate {} --yes'.format(env_name, resource_group, cert_name)) - self.cmd('containerapp env certificate list -g {} -n {}'.format(resource_group, env_name), checks=[ - JMESPathCheck('length(@)', 0), - ]) - - self.cmd('containerapp hostname bind -g {} -n {} --hostname {} --environment {} -v CNAME'.format(resource_group, ca_name, hostname_1, env_name)) - certs = self.cmd('containerapp env certificate list -g {} -n {}'.format(resource_group, env_name), checks=[ - JMESPathCheck('length(@)', 1), - ]).get_output_in_json() - self.cmd('containerapp env certificate delete -n {} -g {} --certificate {} --yes'.format(env_name, resource_group, certs[0]["name"]), expect_failure=True) - self.cmd('containerapp hostname delete -g {} -n {} --hostname {} --yes'.format(resource_group, ca_name, hostname_1)) - self.cmd('containerapp env certificate delete -n {} -g {} --certificate {} --yes'.format(env_name, resource_group, certs[0]["name"])) self.cmd('containerapp env certificate list -g {} -n {}'.format(resource_group, env_name), checks=[ JMESPathCheck('length(@)', 0), ]) @@ -327,12 +283,15 @@ def test_containerapp_env_certificate_e2e(self, resource_group): @live_only() # encounters 'CannotOverwriteExistingCassetteException' only when run from recording (passes when run live) @ResourceGroupPreparer(location="westeurope") def test_containerapp_env_custom_domains(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) env_name = self.create_random_name(prefix='containerapp-env', length=24) logs_workspace_name = self.create_random_name(prefix='containerapp-env', length=24) - logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {} -l eastus'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] + logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] logs_workspace_key = self.cmd('monitor log-analytics workspace get-shared-keys -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["primarySharedKey"] self.cmd('containerapp env create -g {} -n {} --logs-workspace-id {} --logs-workspace-key {}'.format(resource_group, env_name, logs_workspace_id, logs_workspace_key)) @@ -373,12 +332,15 @@ def test_containerapp_env_custom_domains(self, resource_group): @live_only() # encounters 'CannotOverwriteExistingCassetteException' only when run from recording (passes when run live) @ResourceGroupPreparer(location="westeurope") def test_containerapp_env_update_custom_domains(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) env_name = self.create_random_name(prefix='containerapp-env', length=24) logs_workspace_name = self.create_random_name(prefix='containerapp-env', length=24) - logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {} -l eastus'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] + logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] logs_workspace_key = self.cmd('monitor log-analytics workspace get-shared-keys -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["primarySharedKey"] self.cmd('containerapp env create -g {} -n {} --logs-workspace-id {} --logs-workspace-key {}'.format(resource_group, env_name, logs_workspace_id, logs_workspace_key)) @@ -419,7 +381,10 @@ def test_containerapp_env_update_custom_domains(self, resource_group): @ResourceGroupPreparer(location="northeurope") @live_only() # passes live but hits CannotOverwriteExistingCassetteException when run from recording def test_containerapp_env_internal_only_e2e(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) env = self.create_random_name(prefix='env', length=24) logs = self.create_random_name(prefix='logs', length=24) @@ -428,7 +393,7 @@ def test_containerapp_env_internal_only_e2e(self, resource_group): self.cmd(f"az network vnet create --address-prefixes '14.0.0.0/23' -g {resource_group} -n {vnet}") sub_id = self.cmd(f"az network vnet subnet create --address-prefixes '14.0.0.0/23' -n sub -g {resource_group} --vnet-name {vnet}").get_output_in_json()["id"] - logs_id = self.cmd(f"monitor log-analytics workspace create -g {resource_group} -n {logs} -l eastus").get_output_in_json()["customerId"] + logs_id = self.cmd(f"monitor log-analytics workspace create -g {resource_group} -n {logs}").get_output_in_json()["customerId"] logs_key = self.cmd(f'monitor log-analytics workspace get-shared-keys -g {resource_group} -n {logs}').get_output_in_json()["primarySharedKey"] self.cmd(f'containerapp env create -g {resource_group} -n {env} --logs-workspace-id {logs_id} --logs-workspace-key {logs_key} --internal-only -s {sub_id}') diff --git a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_scenario.py b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_scenario.py index 8036f3cbb86..5fa29c4f03d 100644 --- a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_scenario.py +++ b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_scenario.py @@ -15,7 +15,6 @@ from azure.cli.testsdk import (ScenarioTest, ResourceGroupPreparer, JMESPathCheck, live_only) from knack.util import CLIError -from azext_containerapp.tests.latest.common import TEST_LOCATION TEST_DIR = os.path.abspath(os.path.join(os.path.abspath(__file__), '..')) @@ -24,12 +23,15 @@ class ContainerappScenarioTest(ScenarioTest): @AllowLargeResponse(8192) @ResourceGroupPreparer(location="eastus2") def test_containerapp_e2e(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) env_name = self.create_random_name(prefix='containerapp-e2e-env', length=24) logs_workspace_name = self.create_random_name(prefix='containerapp-env', length=24) - logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {} -l eastus'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] + logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] logs_workspace_key = self.cmd('monitor log-analytics workspace get-shared-keys -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["primarySharedKey"] self.cmd('containerapp env create -g {} -n {} --logs-workspace-id {} --logs-workspace-key {}'.format(resource_group, env_name, logs_workspace_id, logs_workspace_key)) @@ -92,12 +94,15 @@ def test_containerapp_e2e(self, resource_group): @AllowLargeResponse(8192) @ResourceGroupPreparer(location="eastus2") def test_container_acr(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) env_name = self.create_random_name(prefix='containerapp-e2e-env', length=24) logs_workspace_name = self.create_random_name(prefix='containerapp-env', length=24) - logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {} -l eastus'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] + logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] logs_workspace_key = self.cmd('monitor log-analytics workspace get-shared-keys -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["primarySharedKey"] self.cmd('containerapp env create -g {} -n {} --logs-workspace-id {} --logs-workspace-key {}'.format(resource_group, env_name, logs_workspace_id, logs_workspace_key)) @@ -136,12 +141,15 @@ def test_container_acr(self, resource_group): @AllowLargeResponse(8192) @ResourceGroupPreparer(location="westeurope") def test_containerapp_update(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) env_name = self.create_random_name(prefix='containerapp-e2e-env', length=24) logs_workspace_name = self.create_random_name(prefix='containerapp-env', length=24) - logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {} -l eastus'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] + logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] logs_workspace_key = self.cmd('monitor log-analytics workspace get-shared-keys -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["primarySharedKey"] self.cmd('containerapp env create -g {} -n {} --logs-workspace-id {} --logs-workspace-key {}'.format(resource_group, env_name, logs_workspace_id, logs_workspace_key)) @@ -206,12 +214,15 @@ def test_containerapp_update(self, resource_group): @AllowLargeResponse(8192) @ResourceGroupPreparer(location="eastus2") def test_container_acr(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) env_name = self.create_random_name(prefix='containerapp-e2e-env', length=24) logs_workspace_name = self.create_random_name(prefix='containerapp-env', length=24) - logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {} -l eastus'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] + logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] logs_workspace_key = self.cmd('monitor log-analytics workspace get-shared-keys -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["primarySharedKey"] self.cmd('containerapp env create -g {} -n {} --logs-workspace-id {} --logs-workspace-key {}'.format(resource_group, env_name, logs_workspace_id, logs_workspace_key)) @@ -274,12 +285,15 @@ def test_container_acr(self, resource_group): @AllowLargeResponse(8192) @ResourceGroupPreparer(location="northeurope") def test_containerapp_update_containers(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) env_name = self.create_random_name(prefix='containerapp-e2e-env', length=24) logs_workspace_name = self.create_random_name(prefix='containerapp-env', length=24) - logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {} -l eastus'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] + logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] logs_workspace_key = self.cmd('monitor log-analytics workspace get-shared-keys -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["primarySharedKey"] self.cmd('containerapp env create -g {} -n {} --logs-workspace-id {} --logs-workspace-key {}'.format(resource_group, env_name, logs_workspace_id, logs_workspace_key)) @@ -351,7 +365,10 @@ def test_containerapp_update_containers(self, resource_group): @mock.patch("azext_containerapp._ssh_utils._resize_terminal") @mock.patch("sys.stdin") def test_containerapp_ssh(self, resource_group=None, *args): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) # containerapp_name = self.create_random_name(prefix='capp', length=24) # env_name = self.create_random_name(prefix='env', length=24) @@ -416,7 +433,7 @@ def test_containerapp_logstream(self, resource_group): env_name = self.create_random_name(prefix='env', length=24) logs_workspace_name = self.create_random_name(prefix='containerapp-env', length=24) - logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {} -l eastus'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] + logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] logs_workspace_key = self.cmd('monitor log-analytics workspace get-shared-keys -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["primarySharedKey"] self.cmd('containerapp env create -g {} -n {} --logs-workspace-id {} --logs-workspace-key {}'.format(resource_group, env_name, logs_workspace_id, logs_workspace_key)) @@ -432,13 +449,16 @@ def test_containerapp_logstream(self, resource_group): @ResourceGroupPreparer(location="northeurope") def test_containerapp_eventstream(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) containerapp_name = self.create_random_name(prefix='capp', length=24) env_name = self.create_random_name(prefix='env', length=24) logs_workspace_name = self.create_random_name(prefix='containerapp-env', length=24) - logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {} -l eastus'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] + logs_workspace_id = self.cmd('monitor log-analytics workspace create -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] logs_workspace_key = self.cmd('monitor log-analytics workspace get-shared-keys -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["primarySharedKey"] self.cmd('containerapp env create -g {} -n {} --logs-workspace-id {} --logs-workspace-key {}'.format(resource_group, env_name, logs_workspace_id, logs_workspace_key)) @@ -455,14 +475,17 @@ def test_containerapp_eventstream(self, resource_group): @ResourceGroupPreparer(location="northeurope") def test_containerapp_registry_msi(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) env = self.create_random_name(prefix='env', length=24) logs = self.create_random_name(prefix='logs', length=24) app = self.create_random_name(prefix='app', length=24) acr = self.create_random_name(prefix='acr', length=24) - logs_id = self.cmd(f"monitor log-analytics workspace create -g {resource_group} -n {logs} -l eastus").get_output_in_json()["customerId"] + logs_id = self.cmd(f"monitor log-analytics workspace create -g {resource_group} -n {logs}").get_output_in_json()["customerId"] logs_key = self.cmd(f'monitor log-analytics workspace get-shared-keys -g {resource_group} -n {logs}').get_output_in_json()["primarySharedKey"] self.cmd(f'containerapp env create -g {resource_group} -n {env} --logs-workspace-id {logs_id} --logs-workspace-key {logs_key}') diff --git a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_up.py b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_up.py index fc5d393bc5a..305372fa7f9 100644 --- a/src/containerapp/azext_containerapp/tests/latest/test_containerapp_up.py +++ b/src/containerapp/azext_containerapp/tests/latest/test_containerapp_up.py @@ -13,7 +13,6 @@ from azure.cli.testsdk import (ScenarioTest, ResourceGroupPreparer, JMESPathCheck, live_only) from knack.util import CLIError -from azext_containerapp.tests.latest.common import TEST_LOCATION TEST_DIR = os.path.abspath(os.path.join(os.path.abspath(__file__), '..')) @@ -22,7 +21,10 @@ class ContainerAppUpImageTest(ScenarioTest): @ResourceGroupPreparer(location="eastus2") def test_containerapp_up_image_e2e(self, resource_group): - self.cmd('configure --defaults location={}'.format(TEST_LOCATION)) + location = os.getenv("CLITestLocation") + if not location: + location = 'eastus' + self.cmd('configure --defaults location={}'.format(location)) env_name = self.create_random_name(prefix='env', length=24) self.cmd(f'containerapp env create -g {resource_group} -n {env_name}') diff --git a/src/containerapp/azext_containerapp/tests/latest/utils.py b/src/containerapp/azext_containerapp/tests/latest/utils.py index 3734d10b722..606ad727ee6 100644 --- a/src/containerapp/azext_containerapp/tests/latest/utils.py +++ b/src/containerapp/azext_containerapp/tests/latest/utils.py @@ -8,7 +8,7 @@ def create_containerapp_env(test_cls, env_name, resource_group, location=None): logs_workspace_name = test_cls.create_random_name(prefix='containerapp-env', length=24) - logs_workspace_id = test_cls.cmd('monitor log-analytics workspace create -g {} -n {} -l eastus'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] + logs_workspace_id = test_cls.cmd('monitor log-analytics workspace create -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["customerId"] logs_workspace_key = test_cls.cmd('monitor log-analytics workspace get-shared-keys -g {} -n {}'.format(resource_group, logs_workspace_name)).get_output_in_json()["primarySharedKey"] if location: diff --git a/src/containerapp/setup.py b/src/containerapp/setup.py index 96a31426d53..9f25d5e6bd4 100644 --- a/src/containerapp/setup.py +++ b/src/containerapp/setup.py @@ -17,7 +17,7 @@ # TODO: Confirm this is the right version number you want and it matches your # HISTORY.rst entry. -VERSION = '0.3.22' +VERSION = '0.3.20' # The full list of classifiers is available at # https://pypi.python.org/pypi?%3Aaction=list_classifiers diff --git a/src/dataprotection/HISTORY.rst b/src/dataprotection/HISTORY.rst index e26636676fe..deb30b7307f 100644 --- a/src/dataprotection/HISTORY.rst +++ b/src/dataprotection/HISTORY.rst @@ -2,11 +2,6 @@ Release History =============== -0.7.0 -++++++ -* `az dataprotection backup-vault create`: Add support for optional `--immutability-state`, `--soft-delete-state`, `--soft-delete-retention` parameters, corresponding to new Immutable Vault and Enhanced Soft Delete features -* `az dataprotection backup-vault update`: Add support for optional `--soft-delete-state`, `--soft-delete-retention` parameters. - 0.6.0 ++++++ * `az dataprotection backup-instance initialize`: Add optional `--tags` parameter diff --git a/src/dataprotection/azext_dataprotection/__init__.py b/src/dataprotection/azext_dataprotection/__init__.py index c6733fb6aef..2241f9ebf11 100644 --- a/src/dataprotection/azext_dataprotection/__init__.py +++ b/src/dataprotection/azext_dataprotection/__init__.py @@ -32,17 +32,6 @@ def __init__(self, cli_ctx=None): def load_command_table(self, args): from azext_dataprotection.generated.commands import load_command_table - from azure.cli.core.aaz import load_aaz_command_table - try: - from . import aaz - except ImportError: - aaz = None - if aaz: - load_aaz_command_table( - loader=self, - aaz_pkg_name=aaz.__name__, - args=args - ) load_command_table(self, args) try: from azext_dataprotection.manual.commands import load_command_table as load_command_table_manual diff --git a/src/dataprotection/azext_dataprotection/aaz/__init__.py b/src/dataprotection/azext_dataprotection/aaz/__init__.py deleted file mode 100644 index 5757aea3175..00000000000 --- a/src/dataprotection/azext_dataprotection/aaz/__init__.py +++ /dev/null @@ -1,6 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- diff --git a/src/dataprotection/azext_dataprotection/aaz/latest/__init__.py b/src/dataprotection/azext_dataprotection/aaz/latest/__init__.py deleted file mode 100644 index 5757aea3175..00000000000 --- a/src/dataprotection/azext_dataprotection/aaz/latest/__init__.py +++ /dev/null @@ -1,6 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- diff --git a/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/__cmd_group.py b/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/__cmd_group.py deleted file mode 100644 index 72a18d9b2ca..00000000000 --- a/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/__cmd_group.py +++ /dev/null @@ -1,24 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- - -# pylint: skip-file -# flake8: noqa - -from azure.cli.core.aaz import * - - -@register_command_group( - "dataprotection", - is_experimental=True, -) -class __CMDGroup(AAZCommandGroup): - """Manage Data Protection. - """ - pass - - -__all__ = ["__CMDGroup"] diff --git a/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/__init__.py b/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/__init__.py deleted file mode 100644 index 5a9d61963d6..00000000000 --- a/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/__init__.py +++ /dev/null @@ -1,11 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- - -# pylint: skip-file -# flake8: noqa - -from .__cmd_group import * diff --git a/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/__cmd_group.py b/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/__cmd_group.py deleted file mode 100644 index 471ac0d999a..00000000000 --- a/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/__cmd_group.py +++ /dev/null @@ -1,24 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- - -# pylint: skip-file -# flake8: noqa - -from azure.cli.core.aaz import * - - -@register_command_group( - "dataprotection backup-vault", - is_experimental=True, -) -class __CMDGroup(AAZCommandGroup): - """Manage backup vault with dataprotection. - """ - pass - - -__all__ = ["__CMDGroup"] diff --git a/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/__init__.py b/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/__init__.py deleted file mode 100644 index db73033039b..00000000000 --- a/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/__init__.py +++ /dev/null @@ -1,17 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- - -# pylint: skip-file -# flake8: noqa - -from .__cmd_group import * -from ._create import * -from ._delete import * -from ._list import * -from ._show import * -from ._update import * -from ._wait import * diff --git a/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_create.py b/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_create.py deleted file mode 100644 index 04d745ec8ad..00000000000 --- a/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_create.py +++ /dev/null @@ -1,491 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- - -# pylint: skip-file -# flake8: noqa - -from azure.cli.core.aaz import * - - -@register_command( - "dataprotection backup-vault create", - is_experimental=True, -) -class Create(AAZCommand): - """Create a BackupVault resource belonging to a resource group. - - :example: Create BackupVault - az dataprotection backup-vault create --type "None" --location "WestUS" --azure-monitor-alerts-for-job-failures "Enabled" --storage-setting "[{type:'LocallyRedundant',datastore-type:'VaultStore'}]" --tags key1="val1" --resource-group "SampleResourceGroup" --vault-name "swaggerExample" - - :example: Create BackupVault With MSI - az dataprotection backup-vault create --type "systemAssigned" --location "WestUS" --azure-monitor-alerts-for-job-failures "Enabled" --storage-setting "[{type:'LocallyRedundant',datastore-type:'VaultStore'}]" --tags key1="val1" --resource-group "SampleResourceGroup" --vault-name "swaggerExample" - """ - - _aaz_info = { - "version": "2022-12-01", - "resources": [ - ["mgmt-plane", "/subscriptions/{}/resourcegroups/{}/providers/microsoft.dataprotection/backupvaults/{}", "2022-12-01"], - ] - } - - AZ_SUPPORT_NO_WAIT = True - - def _handler(self, command_args): - super()._handler(command_args) - return self.build_lro_poller(self._execute_operations, self._output) - - _args_schema = None - - @classmethod - def _build_arguments_schema(cls, *args, **kwargs): - if cls._args_schema is not None: - return cls._args_schema - cls._args_schema = super()._build_arguments_schema(*args, **kwargs) - - # define Arg Group "" - - _args_schema = cls._args_schema - _args_schema.resource_group = AAZResourceGroupNameArg( - required=True, - ) - _args_schema.vault_name = AAZStrArg( - options=["--vault-name"], - help="The name of the backup vault.", - required=True, - ) - - # define Arg Group "Identity" - - _args_schema = cls._args_schema - _args_schema.type = AAZStrArg( - options=["--type"], - arg_group="Identity", - help="The identityType which can be either SystemAssigned or None", - ) - - # define Arg Group "Monitoring Settings Azure Monitor Alert Settings" - - _args_schema = cls._args_schema - _args_schema.azure_monitor_alerts_for_job_failures = AAZStrArg( - options=["--job-failure-alerts", "--azure-monitor-alerts-for-job-failures"], - arg_group="Monitoring Settings Azure Monitor Alert Settings", - help="Property that specifies whether built-in Azure Monitor alerts should be fired for all failed jobs.", - enum={"Disabled": "Disabled", "Enabled": "Enabled"}, - ) - - # define Arg Group "Parameters" - - _args_schema = cls._args_schema - _args_schema.e_tag = AAZStrArg( - options=["--e-tag"], - arg_group="Parameters", - help="Optional ETag.", - ) - _args_schema.location = AAZResourceLocationArg( - arg_group="Parameters", - help="Location. Values from: `az account list-locations`. You can configure the default location using `az configure --defaults location=`.", - required=True, - fmt=AAZResourceLocationArgFormat( - resource_group_arg="resource_group", - ), - ) - _args_schema.tags = AAZDictArg( - options=["--tags"], - arg_group="Parameters", - help="Space-separated tags: key[=value] [key[=value] ...]. Use \"\" to clear existing tags.", - ) - - tags = cls._args_schema.tags - tags.Element = AAZStrArg() - - # define Arg Group "Properties" - - _args_schema = cls._args_schema - _args_schema.storage_setting = AAZListArg( - options=["--storage-setting"], - singular_options=["--storage-settings"], - arg_group="Properties", - help={"short-summary": "Storage Settings. Usage: --storage-setting \"[{type:'LocallyRedundant',datastore-type:'VaultStore'}]\"", "long-summary": "Multiple actions can be specified by using more than one --storage-setting argument.\nThe \"--storage-settings\" parameter exists for backwards compatibility. The updated command is --storage-setting.\nUsage for --storage-settings: --storage-settings type=XX datastore-type=XX."}, - required=True, - ) - - storage_setting = cls._args_schema.storage_setting - storage_setting.Element = AAZObjectArg() - - _element = cls._args_schema.storage_setting.Element - _element.datastore_type = AAZStrArg( - options=["datastore-type"], - help="Gets or sets the type of the datastore.", - enum={"ArchiveStore": "ArchiveStore", "OperationalStore": "OperationalStore", "VaultStore": "VaultStore"}, - ) - _element.type = AAZStrArg( - options=["type"], - help="Gets or sets the type.", - enum={"GeoRedundant": "GeoRedundant", "LocallyRedundant": "LocallyRedundant", "ZoneRedundant": "ZoneRedundant"}, - ) - - # define Arg Group "SecuritySettings" - - _args_schema = cls._args_schema - _args_schema.immutability_state = AAZStrArg( - options=["--immutability-state"], - arg_group="SecuritySettings", - help={"short-summary": "Immutability state", "long-summary": "Use this parameter to configure immutability settings for the vault. Allowed values are Disabled, Unlocked and Locked. By default, immutability is \"Disabled\" for the vault. \"Unlocked\" means that immutability is enabled for the vault and can be reversed. \"Locked\" means that immutability is enabled for the vault and cannot be reversed."}, - enum={"Disabled": "Disabled", "Locked": "Locked", "Unlocked": "Unlocked"}, - ) - - # define Arg Group "SoftDeleteSettings" - - _args_schema = cls._args_schema - _args_schema.retention_duration_in_days = AAZFloatArg( - options=["--soft-delete-retention", "--retention-duration-in-days"], - arg_group="SoftDeleteSettings", - help="Soft delete retention duration", - ) - _args_schema.soft_delete_state = AAZStrArg( - options=["--soft-delete-state"], - arg_group="SoftDeleteSettings", - help="State of soft delete", - enum={"AlwaysOn": "AlwaysOn", "Off": "Off", "On": "On"}, - ) - return cls._args_schema - - def _execute_operations(self): - self.pre_operations() - yield self.BackupVaultsCreateOrUpdate(ctx=self.ctx)() - self.post_operations() - - @register_callback - def pre_operations(self): - pass - - @register_callback - def post_operations(self): - pass - - def _output(self, *args, **kwargs): - result = self.deserialize_output(self.ctx.vars.instance, client_flatten=True) - return result - - class BackupVaultsCreateOrUpdate(AAZHttpOperation): - CLIENT_TYPE = "MgmtClient" - - def __call__(self, *args, **kwargs): - request = self.make_request() - session = self.client.send_request(request=request, stream=False, **kwargs) - if session.http_response.status_code in [202]: - return self.client.build_lro_polling( - self.ctx.args.no_wait, - session, - self.on_200_201, - self.on_error, - lro_options={"final-state-via": "azure-async-operation"}, - path_format_arguments=self.url_parameters, - ) - if session.http_response.status_code in [200, 201]: - return self.client.build_lro_polling( - self.ctx.args.no_wait, - session, - self.on_200_201, - self.on_error, - lro_options={"final-state-via": "azure-async-operation"}, - path_format_arguments=self.url_parameters, - ) - - return self.on_error(session.http_response) - - @property - def url(self): - return self.client.format_url( - "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}", - **self.url_parameters - ) - - @property - def method(self): - return "PUT" - - @property - def error_format(self): - return "MgmtErrorFormat" - - @property - def url_parameters(self): - parameters = { - **self.serialize_url_param( - "resourceGroupName", self.ctx.args.resource_group, - required=True, - ), - **self.serialize_url_param( - "subscriptionId", self.ctx.subscription_id, - required=True, - ), - **self.serialize_url_param( - "vaultName", self.ctx.args.vault_name, - required=True, - ), - } - return parameters - - @property - def query_parameters(self): - parameters = { - **self.serialize_query_param( - "api-version", "2022-12-01", - required=True, - ), - } - return parameters - - @property - def header_parameters(self): - parameters = { - **self.serialize_header_param( - "Content-Type", "application/json", - ), - **self.serialize_header_param( - "Accept", "application/json", - ), - } - return parameters - - @property - def content(self): - _content_value, _builder = self.new_content_builder( - self.ctx.args, - typ=AAZObjectType, - typ_kwargs={"flags": {"required": True, "client_flatten": True}} - ) - _builder.set_prop("eTag", AAZStrType, ".e_tag") - _builder.set_prop("identity", AAZObjectType) - _builder.set_prop("location", AAZStrType, ".location", typ_kwargs={"flags": {"required": True}}) - _builder.set_prop("properties", AAZObjectType, ".", typ_kwargs={"flags": {"required": True}}) - _builder.set_prop("tags", AAZDictType, ".tags") - - identity = _builder.get(".identity") - if identity is not None: - identity.set_prop("type", AAZStrType, ".type") - - properties = _builder.get(".properties") - if properties is not None: - properties.set_prop("monitoringSettings", AAZObjectType) - properties.set_prop("securitySettings", AAZObjectType) - properties.set_prop("storageSettings", AAZListType, ".storage_setting", typ_kwargs={"flags": {"required": True}}) - - monitoring_settings = _builder.get(".properties.monitoringSettings") - if monitoring_settings is not None: - monitoring_settings.set_prop("azureMonitorAlertSettings", AAZObjectType) - - azure_monitor_alert_settings = _builder.get(".properties.monitoringSettings.azureMonitorAlertSettings") - if azure_monitor_alert_settings is not None: - azure_monitor_alert_settings.set_prop("alertsForAllJobFailures", AAZStrType, ".azure_monitor_alerts_for_job_failures") - - security_settings = _builder.get(".properties.securitySettings") - if security_settings is not None: - security_settings.set_prop("immutabilitySettings", AAZObjectType) - security_settings.set_prop("softDeleteSettings", AAZObjectType) - - immutability_settings = _builder.get(".properties.securitySettings.immutabilitySettings") - if immutability_settings is not None: - immutability_settings.set_prop("state", AAZStrType, ".immutability_state") - - soft_delete_settings = _builder.get(".properties.securitySettings.softDeleteSettings") - if soft_delete_settings is not None: - soft_delete_settings.set_prop("retentionDurationInDays", AAZFloatType, ".retention_duration_in_days") - soft_delete_settings.set_prop("state", AAZStrType, ".soft_delete_state") - - storage_settings = _builder.get(".properties.storageSettings") - if storage_settings is not None: - storage_settings.set_elements(AAZObjectType, ".") - - _elements = _builder.get(".properties.storageSettings[]") - if _elements is not None: - _elements.set_prop("datastoreType", AAZStrType, ".datastore_type") - _elements.set_prop("type", AAZStrType, ".type") - - tags = _builder.get(".tags") - if tags is not None: - tags.set_elements(AAZStrType, ".") - - return self.serialize_content(_content_value) - - def on_200_201(self, session): - data = self.deserialize_http_content(session) - self.ctx.set_var( - "instance", - data, - schema_builder=self._build_schema_on_200_201 - ) - - _schema_on_200_201 = None - - @classmethod - def _build_schema_on_200_201(cls): - if cls._schema_on_200_201 is not None: - return cls._schema_on_200_201 - - cls._schema_on_200_201 = AAZObjectType() - - _schema_on_200_201 = cls._schema_on_200_201 - _schema_on_200_201.e_tag = AAZStrType( - serialized_name="eTag", - ) - _schema_on_200_201.id = AAZStrType( - flags={"read_only": True}, - ) - _schema_on_200_201.identity = AAZObjectType() - _schema_on_200_201.location = AAZStrType( - flags={"required": True}, - ) - _schema_on_200_201.name = AAZStrType( - flags={"read_only": True}, - ) - _schema_on_200_201.properties = AAZObjectType( - flags={"required": True}, - ) - _schema_on_200_201.system_data = AAZObjectType( - serialized_name="systemData", - flags={"read_only": True}, - ) - _schema_on_200_201.tags = AAZDictType() - _schema_on_200_201.type = AAZStrType( - flags={"read_only": True}, - ) - - identity = cls._schema_on_200_201.identity - identity.principal_id = AAZStrType( - serialized_name="principalId", - flags={"read_only": True}, - ) - identity.tenant_id = AAZStrType( - serialized_name="tenantId", - flags={"read_only": True}, - ) - identity.type = AAZStrType() - - properties = cls._schema_on_200_201.properties - properties.feature_settings = AAZObjectType( - serialized_name="featureSettings", - ) - properties.is_vault_protected_by_resource_guard = AAZBoolType( - serialized_name="isVaultProtectedByResourceGuard", - flags={"read_only": True}, - ) - properties.monitoring_settings = AAZObjectType( - serialized_name="monitoringSettings", - ) - properties.provisioning_state = AAZStrType( - serialized_name="provisioningState", - flags={"read_only": True}, - ) - properties.resource_move_details = AAZObjectType( - serialized_name="resourceMoveDetails", - ) - properties.resource_move_state = AAZStrType( - serialized_name="resourceMoveState", - flags={"read_only": True}, - ) - properties.security_settings = AAZObjectType( - serialized_name="securitySettings", - ) - properties.storage_settings = AAZListType( - serialized_name="storageSettings", - flags={"required": True}, - ) - - feature_settings = cls._schema_on_200_201.properties.feature_settings - feature_settings.cross_subscription_restore_settings = AAZObjectType( - serialized_name="crossSubscriptionRestoreSettings", - ) - - cross_subscription_restore_settings = cls._schema_on_200_201.properties.feature_settings.cross_subscription_restore_settings - cross_subscription_restore_settings.state = AAZStrType() - - monitoring_settings = cls._schema_on_200_201.properties.monitoring_settings - monitoring_settings.azure_monitor_alert_settings = AAZObjectType( - serialized_name="azureMonitorAlertSettings", - ) - - azure_monitor_alert_settings = cls._schema_on_200_201.properties.monitoring_settings.azure_monitor_alert_settings - azure_monitor_alert_settings.alerts_for_all_job_failures = AAZStrType( - serialized_name="alertsForAllJobFailures", - ) - - resource_move_details = cls._schema_on_200_201.properties.resource_move_details - resource_move_details.completion_time_utc = AAZStrType( - serialized_name="completionTimeUtc", - ) - resource_move_details.operation_id = AAZStrType( - serialized_name="operationId", - ) - resource_move_details.source_resource_path = AAZStrType( - serialized_name="sourceResourcePath", - ) - resource_move_details.start_time_utc = AAZStrType( - serialized_name="startTimeUtc", - ) - resource_move_details.target_resource_path = AAZStrType( - serialized_name="targetResourcePath", - ) - - security_settings = cls._schema_on_200_201.properties.security_settings - security_settings.immutability_settings = AAZObjectType( - serialized_name="immutabilitySettings", - ) - security_settings.soft_delete_settings = AAZObjectType( - serialized_name="softDeleteSettings", - ) - - immutability_settings = cls._schema_on_200_201.properties.security_settings.immutability_settings - immutability_settings.state = AAZStrType() - - soft_delete_settings = cls._schema_on_200_201.properties.security_settings.soft_delete_settings - soft_delete_settings.retention_duration_in_days = AAZFloatType( - serialized_name="retentionDurationInDays", - ) - soft_delete_settings.state = AAZStrType() - - storage_settings = cls._schema_on_200_201.properties.storage_settings - storage_settings.Element = AAZObjectType() - - _element = cls._schema_on_200_201.properties.storage_settings.Element - _element.datastore_type = AAZStrType( - serialized_name="datastoreType", - ) - _element.type = AAZStrType() - - system_data = cls._schema_on_200_201.system_data - system_data.created_at = AAZStrType( - serialized_name="createdAt", - ) - system_data.created_by = AAZStrType( - serialized_name="createdBy", - ) - system_data.created_by_type = AAZStrType( - serialized_name="createdByType", - ) - system_data.last_modified_at = AAZStrType( - serialized_name="lastModifiedAt", - ) - system_data.last_modified_by = AAZStrType( - serialized_name="lastModifiedBy", - ) - system_data.last_modified_by_type = AAZStrType( - serialized_name="lastModifiedByType", - ) - - tags = cls._schema_on_200_201.tags - tags.Element = AAZStrType() - - return cls._schema_on_200_201 - - -class _CreateHelper: - """Helper class for Create""" - - -__all__ = ["Create"] diff --git a/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_delete.py b/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_delete.py deleted file mode 100644 index ac4ec37768a..00000000000 --- a/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_delete.py +++ /dev/null @@ -1,145 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- - -# pylint: skip-file -# flake8: noqa - -from azure.cli.core.aaz import * - - -@register_command( - "dataprotection backup-vault delete", - is_experimental=True, - confirmation="Are you sure you want to perform this operation?", -) -class Delete(AAZCommand): - """Delete a BackupVault resource from the resource group. - - :example: Delete BackupVault - az dataprotection backup-vault delete --resource-group "SampleResourceGroup" --vault-name "swaggerExample" - """ - - _aaz_info = { - "version": "2022-12-01", - "resources": [ - ["mgmt-plane", "/subscriptions/{}/resourcegroups/{}/providers/microsoft.dataprotection/backupvaults/{}", "2022-12-01"], - ] - } - - def _handler(self, command_args): - super()._handler(command_args) - self._execute_operations() - return None - - _args_schema = None - - @classmethod - def _build_arguments_schema(cls, *args, **kwargs): - if cls._args_schema is not None: - return cls._args_schema - cls._args_schema = super()._build_arguments_schema(*args, **kwargs) - - # define Arg Group "" - - _args_schema = cls._args_schema - _args_schema.resource_group = AAZResourceGroupNameArg( - required=True, - ) - _args_schema.vault_name = AAZStrArg( - options=["--vault-name"], - help="The name of the backup vault.", - required=True, - id_part="name", - ) - return cls._args_schema - - def _execute_operations(self): - self.pre_operations() - self.BackupVaultsDelete(ctx=self.ctx)() - self.post_operations() - - @register_callback - def pre_operations(self): - pass - - @register_callback - def post_operations(self): - pass - - class BackupVaultsDelete(AAZHttpOperation): - CLIENT_TYPE = "MgmtClient" - - def __call__(self, *args, **kwargs): - request = self.make_request() - session = self.client.send_request(request=request, stream=False, **kwargs) - if session.http_response.status_code in [200]: - return self.on_200(session) - if session.http_response.status_code in [202]: - return self.on_202(session) - if session.http_response.status_code in [204]: - return self.on_204(session) - - return self.on_error(session.http_response) - - @property - def url(self): - return self.client.format_url( - "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}", - **self.url_parameters - ) - - @property - def method(self): - return "DELETE" - - @property - def error_format(self): - return "MgmtErrorFormat" - - @property - def url_parameters(self): - parameters = { - **self.serialize_url_param( - "resourceGroupName", self.ctx.args.resource_group, - required=True, - ), - **self.serialize_url_param( - "subscriptionId", self.ctx.subscription_id, - required=True, - ), - **self.serialize_url_param( - "vaultName", self.ctx.args.vault_name, - required=True, - ), - } - return parameters - - @property - def query_parameters(self): - parameters = { - **self.serialize_query_param( - "api-version", "2022-12-01", - required=True, - ), - } - return parameters - - def on_200(self, session): - pass - - def on_202(self, session): - pass - - def on_204(self, session): - pass - - -class _DeleteHelper: - """Helper class for Delete""" - - -__all__ = ["Delete"] diff --git a/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_list.py b/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_list.py deleted file mode 100644 index 68ef3b2dbed..00000000000 --- a/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_list.py +++ /dev/null @@ -1,554 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- - -# pylint: skip-file -# flake8: noqa - -from azure.cli.core.aaz import * - - -@register_command( - "dataprotection backup-vault list", - is_experimental=True, -) -class List(AAZCommand): - """Gets list of backup vault in a subscription or in a resource group. - - :example: List backup vault in a subscription - az dataprotection backup-vault list - - :example: List backup vault in a resource group - az dataprotection backup-vault list -g sarath-rg - """ - - _aaz_info = { - "version": "2022-12-01", - "resources": [ - ["mgmt-plane", "/subscriptions/{}/providers/microsoft.dataprotection/backupvaults", "2022-12-01"], - ["mgmt-plane", "/subscriptions/{}/resourcegroups/{}/providers/microsoft.dataprotection/backupvaults", "2022-12-01"], - ] - } - - def _handler(self, command_args): - super()._handler(command_args) - return self.build_paging(self._execute_operations, self._output) - - _args_schema = None - - @classmethod - def _build_arguments_schema(cls, *args, **kwargs): - if cls._args_schema is not None: - return cls._args_schema - cls._args_schema = super()._build_arguments_schema(*args, **kwargs) - - # define Arg Group "" - - _args_schema = cls._args_schema - _args_schema.resource_group = AAZResourceGroupNameArg() - return cls._args_schema - - def _execute_operations(self): - self.pre_operations() - condition_0 = has_value(self.ctx.args.resource_group) and has_value(self.ctx.subscription_id) - condition_1 = has_value(self.ctx.subscription_id) and has_value(self.ctx.args.resource_group) is not True - if condition_0: - self.BackupVaultsGetInResourceGroup(ctx=self.ctx)() - if condition_1: - self.BackupVaultsGetInSubscription(ctx=self.ctx)() - self.post_operations() - - @register_callback - def pre_operations(self): - pass - - @register_callback - def post_operations(self): - pass - - def _output(self, *args, **kwargs): - result = self.deserialize_output(self.ctx.vars.instance.value, client_flatten=True) - next_link = self.deserialize_output(self.ctx.vars.instance.next_link) - return result, next_link - - class BackupVaultsGetInResourceGroup(AAZHttpOperation): - CLIENT_TYPE = "MgmtClient" - - def __call__(self, *args, **kwargs): - request = self.make_request() - session = self.client.send_request(request=request, stream=False, **kwargs) - if session.http_response.status_code in [200]: - return self.on_200(session) - - return self.on_error(session.http_response) - - @property - def url(self): - return self.client.format_url( - "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults", - **self.url_parameters - ) - - @property - def method(self): - return "GET" - - @property - def error_format(self): - return "MgmtErrorFormat" - - @property - def url_parameters(self): - parameters = { - **self.serialize_url_param( - "resourceGroupName", self.ctx.args.resource_group, - required=True, - ), - **self.serialize_url_param( - "subscriptionId", self.ctx.subscription_id, - required=True, - ), - } - return parameters - - @property - def query_parameters(self): - parameters = { - **self.serialize_query_param( - "api-version", "2022-12-01", - required=True, - ), - } - return parameters - - @property - def header_parameters(self): - parameters = { - **self.serialize_header_param( - "Accept", "application/json", - ), - } - return parameters - - def on_200(self, session): - data = self.deserialize_http_content(session) - self.ctx.set_var( - "instance", - data, - schema_builder=self._build_schema_on_200 - ) - - _schema_on_200 = None - - @classmethod - def _build_schema_on_200(cls): - if cls._schema_on_200 is not None: - return cls._schema_on_200 - - cls._schema_on_200 = AAZObjectType() - - _schema_on_200 = cls._schema_on_200 - _schema_on_200.next_link = AAZStrType( - serialized_name="nextLink", - ) - _schema_on_200.value = AAZListType() - - value = cls._schema_on_200.value - value.Element = AAZObjectType() - - _element = cls._schema_on_200.value.Element - _element.e_tag = AAZStrType( - serialized_name="eTag", - ) - _element.id = AAZStrType( - flags={"read_only": True}, - ) - _element.identity = AAZObjectType() - _element.location = AAZStrType( - flags={"required": True}, - ) - _element.name = AAZStrType( - flags={"read_only": True}, - ) - _element.properties = AAZObjectType( - flags={"required": True}, - ) - _element.system_data = AAZObjectType( - serialized_name="systemData", - flags={"read_only": True}, - ) - _element.tags = AAZDictType() - _element.type = AAZStrType( - flags={"read_only": True}, - ) - - identity = cls._schema_on_200.value.Element.identity - identity.principal_id = AAZStrType( - serialized_name="principalId", - flags={"read_only": True}, - ) - identity.tenant_id = AAZStrType( - serialized_name="tenantId", - flags={"read_only": True}, - ) - identity.type = AAZStrType() - - properties = cls._schema_on_200.value.Element.properties - properties.feature_settings = AAZObjectType( - serialized_name="featureSettings", - ) - properties.is_vault_protected_by_resource_guard = AAZBoolType( - serialized_name="isVaultProtectedByResourceGuard", - flags={"read_only": True}, - ) - properties.monitoring_settings = AAZObjectType( - serialized_name="monitoringSettings", - ) - properties.provisioning_state = AAZStrType( - serialized_name="provisioningState", - flags={"read_only": True}, - ) - properties.resource_move_details = AAZObjectType( - serialized_name="resourceMoveDetails", - ) - properties.resource_move_state = AAZStrType( - serialized_name="resourceMoveState", - flags={"read_only": True}, - ) - properties.security_settings = AAZObjectType( - serialized_name="securitySettings", - ) - properties.storage_settings = AAZListType( - serialized_name="storageSettings", - flags={"required": True}, - ) - - feature_settings = cls._schema_on_200.value.Element.properties.feature_settings - feature_settings.cross_subscription_restore_settings = AAZObjectType( - serialized_name="crossSubscriptionRestoreSettings", - ) - - cross_subscription_restore_settings = cls._schema_on_200.value.Element.properties.feature_settings.cross_subscription_restore_settings - cross_subscription_restore_settings.state = AAZStrType() - - monitoring_settings = cls._schema_on_200.value.Element.properties.monitoring_settings - monitoring_settings.azure_monitor_alert_settings = AAZObjectType( - serialized_name="azureMonitorAlertSettings", - ) - - azure_monitor_alert_settings = cls._schema_on_200.value.Element.properties.monitoring_settings.azure_monitor_alert_settings - azure_monitor_alert_settings.alerts_for_all_job_failures = AAZStrType( - serialized_name="alertsForAllJobFailures", - ) - - resource_move_details = cls._schema_on_200.value.Element.properties.resource_move_details - resource_move_details.completion_time_utc = AAZStrType( - serialized_name="completionTimeUtc", - ) - resource_move_details.operation_id = AAZStrType( - serialized_name="operationId", - ) - resource_move_details.source_resource_path = AAZStrType( - serialized_name="sourceResourcePath", - ) - resource_move_details.start_time_utc = AAZStrType( - serialized_name="startTimeUtc", - ) - resource_move_details.target_resource_path = AAZStrType( - serialized_name="targetResourcePath", - ) - - security_settings = cls._schema_on_200.value.Element.properties.security_settings - security_settings.immutability_settings = AAZObjectType( - serialized_name="immutabilitySettings", - ) - security_settings.soft_delete_settings = AAZObjectType( - serialized_name="softDeleteSettings", - ) - - immutability_settings = cls._schema_on_200.value.Element.properties.security_settings.immutability_settings - immutability_settings.state = AAZStrType() - - soft_delete_settings = cls._schema_on_200.value.Element.properties.security_settings.soft_delete_settings - soft_delete_settings.retention_duration_in_days = AAZFloatType( - serialized_name="retentionDurationInDays", - ) - soft_delete_settings.state = AAZStrType() - - storage_settings = cls._schema_on_200.value.Element.properties.storage_settings - storage_settings.Element = AAZObjectType() - - _element = cls._schema_on_200.value.Element.properties.storage_settings.Element - _element.datastore_type = AAZStrType( - serialized_name="datastoreType", - ) - _element.type = AAZStrType() - - system_data = cls._schema_on_200.value.Element.system_data - system_data.created_at = AAZStrType( - serialized_name="createdAt", - ) - system_data.created_by = AAZStrType( - serialized_name="createdBy", - ) - system_data.created_by_type = AAZStrType( - serialized_name="createdByType", - ) - system_data.last_modified_at = AAZStrType( - serialized_name="lastModifiedAt", - ) - system_data.last_modified_by = AAZStrType( - serialized_name="lastModifiedBy", - ) - system_data.last_modified_by_type = AAZStrType( - serialized_name="lastModifiedByType", - ) - - tags = cls._schema_on_200.value.Element.tags - tags.Element = AAZStrType() - - return cls._schema_on_200 - - class BackupVaultsGetInSubscription(AAZHttpOperation): - CLIENT_TYPE = "MgmtClient" - - def __call__(self, *args, **kwargs): - request = self.make_request() - session = self.client.send_request(request=request, stream=False, **kwargs) - if session.http_response.status_code in [200]: - return self.on_200(session) - - return self.on_error(session.http_response) - - @property - def url(self): - return self.client.format_url( - "/subscriptions/{subscriptionId}/providers/Microsoft.DataProtection/backupVaults", - **self.url_parameters - ) - - @property - def method(self): - return "GET" - - @property - def error_format(self): - return "MgmtErrorFormat" - - @property - def url_parameters(self): - parameters = { - **self.serialize_url_param( - "subscriptionId", self.ctx.subscription_id, - required=True, - ), - } - return parameters - - @property - def query_parameters(self): - parameters = { - **self.serialize_query_param( - "api-version", "2022-12-01", - required=True, - ), - } - return parameters - - @property - def header_parameters(self): - parameters = { - **self.serialize_header_param( - "Accept", "application/json", - ), - } - return parameters - - def on_200(self, session): - data = self.deserialize_http_content(session) - self.ctx.set_var( - "instance", - data, - schema_builder=self._build_schema_on_200 - ) - - _schema_on_200 = None - - @classmethod - def _build_schema_on_200(cls): - if cls._schema_on_200 is not None: - return cls._schema_on_200 - - cls._schema_on_200 = AAZObjectType() - - _schema_on_200 = cls._schema_on_200 - _schema_on_200.next_link = AAZStrType( - serialized_name="nextLink", - ) - _schema_on_200.value = AAZListType() - - value = cls._schema_on_200.value - value.Element = AAZObjectType() - - _element = cls._schema_on_200.value.Element - _element.e_tag = AAZStrType( - serialized_name="eTag", - ) - _element.id = AAZStrType( - flags={"read_only": True}, - ) - _element.identity = AAZObjectType() - _element.location = AAZStrType( - flags={"required": True}, - ) - _element.name = AAZStrType( - flags={"read_only": True}, - ) - _element.properties = AAZObjectType( - flags={"required": True}, - ) - _element.system_data = AAZObjectType( - serialized_name="systemData", - flags={"read_only": True}, - ) - _element.tags = AAZDictType() - _element.type = AAZStrType( - flags={"read_only": True}, - ) - - identity = cls._schema_on_200.value.Element.identity - identity.principal_id = AAZStrType( - serialized_name="principalId", - flags={"read_only": True}, - ) - identity.tenant_id = AAZStrType( - serialized_name="tenantId", - flags={"read_only": True}, - ) - identity.type = AAZStrType() - - properties = cls._schema_on_200.value.Element.properties - properties.feature_settings = AAZObjectType( - serialized_name="featureSettings", - ) - properties.is_vault_protected_by_resource_guard = AAZBoolType( - serialized_name="isVaultProtectedByResourceGuard", - flags={"read_only": True}, - ) - properties.monitoring_settings = AAZObjectType( - serialized_name="monitoringSettings", - ) - properties.provisioning_state = AAZStrType( - serialized_name="provisioningState", - flags={"read_only": True}, - ) - properties.resource_move_details = AAZObjectType( - serialized_name="resourceMoveDetails", - ) - properties.resource_move_state = AAZStrType( - serialized_name="resourceMoveState", - flags={"read_only": True}, - ) - properties.security_settings = AAZObjectType( - serialized_name="securitySettings", - ) - properties.storage_settings = AAZListType( - serialized_name="storageSettings", - flags={"required": True}, - ) - - feature_settings = cls._schema_on_200.value.Element.properties.feature_settings - feature_settings.cross_subscription_restore_settings = AAZObjectType( - serialized_name="crossSubscriptionRestoreSettings", - ) - - cross_subscription_restore_settings = cls._schema_on_200.value.Element.properties.feature_settings.cross_subscription_restore_settings - cross_subscription_restore_settings.state = AAZStrType() - - monitoring_settings = cls._schema_on_200.value.Element.properties.monitoring_settings - monitoring_settings.azure_monitor_alert_settings = AAZObjectType( - serialized_name="azureMonitorAlertSettings", - ) - - azure_monitor_alert_settings = cls._schema_on_200.value.Element.properties.monitoring_settings.azure_monitor_alert_settings - azure_monitor_alert_settings.alerts_for_all_job_failures = AAZStrType( - serialized_name="alertsForAllJobFailures", - ) - - resource_move_details = cls._schema_on_200.value.Element.properties.resource_move_details - resource_move_details.completion_time_utc = AAZStrType( - serialized_name="completionTimeUtc", - ) - resource_move_details.operation_id = AAZStrType( - serialized_name="operationId", - ) - resource_move_details.source_resource_path = AAZStrType( - serialized_name="sourceResourcePath", - ) - resource_move_details.start_time_utc = AAZStrType( - serialized_name="startTimeUtc", - ) - resource_move_details.target_resource_path = AAZStrType( - serialized_name="targetResourcePath", - ) - - security_settings = cls._schema_on_200.value.Element.properties.security_settings - security_settings.immutability_settings = AAZObjectType( - serialized_name="immutabilitySettings", - ) - security_settings.soft_delete_settings = AAZObjectType( - serialized_name="softDeleteSettings", - ) - - immutability_settings = cls._schema_on_200.value.Element.properties.security_settings.immutability_settings - immutability_settings.state = AAZStrType() - - soft_delete_settings = cls._schema_on_200.value.Element.properties.security_settings.soft_delete_settings - soft_delete_settings.retention_duration_in_days = AAZFloatType( - serialized_name="retentionDurationInDays", - ) - soft_delete_settings.state = AAZStrType() - - storage_settings = cls._schema_on_200.value.Element.properties.storage_settings - storage_settings.Element = AAZObjectType() - - _element = cls._schema_on_200.value.Element.properties.storage_settings.Element - _element.datastore_type = AAZStrType( - serialized_name="datastoreType", - ) - _element.type = AAZStrType() - - system_data = cls._schema_on_200.value.Element.system_data - system_data.created_at = AAZStrType( - serialized_name="createdAt", - ) - system_data.created_by = AAZStrType( - serialized_name="createdBy", - ) - system_data.created_by_type = AAZStrType( - serialized_name="createdByType", - ) - system_data.last_modified_at = AAZStrType( - serialized_name="lastModifiedAt", - ) - system_data.last_modified_by = AAZStrType( - serialized_name="lastModifiedBy", - ) - system_data.last_modified_by_type = AAZStrType( - serialized_name="lastModifiedByType", - ) - - tags = cls._schema_on_200.value.Element.tags - tags.Element = AAZStrType() - - return cls._schema_on_200 - - -class _ListHelper: - """Helper class for List""" - - -__all__ = ["List"] diff --git a/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_show.py b/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_show.py deleted file mode 100644 index 7a9ea188221..00000000000 --- a/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_show.py +++ /dev/null @@ -1,317 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- - -# pylint: skip-file -# flake8: noqa - -from azure.cli.core.aaz import * - - -@register_command( - "dataprotection backup-vault show", - is_experimental=True, -) -class Show(AAZCommand): - """Get a resource belonging to a resource group. - - :example: Get BackupVault - az dataprotection backup-vault show --resource-group "SampleResourceGroup" --vault-name "swaggerExample" - - :example: Get BackupVault With MSI - az dataprotection backup-vault show --resource-group "SampleResourceGroup" --vault-name "swaggerExample" - """ - - _aaz_info = { - "version": "2022-12-01", - "resources": [ - ["mgmt-plane", "/subscriptions/{}/resourcegroups/{}/providers/microsoft.dataprotection/backupvaults/{}", "2022-12-01"], - ] - } - - def _handler(self, command_args): - super()._handler(command_args) - self._execute_operations() - return self._output() - - _args_schema = None - - @classmethod - def _build_arguments_schema(cls, *args, **kwargs): - if cls._args_schema is not None: - return cls._args_schema - cls._args_schema = super()._build_arguments_schema(*args, **kwargs) - - # define Arg Group "" - - _args_schema = cls._args_schema - _args_schema.resource_group = AAZResourceGroupNameArg( - required=True, - ) - _args_schema.vault_name = AAZStrArg( - options=["--vault-name"], - help="The name of the backup vault.", - required=True, - id_part="name", - ) - return cls._args_schema - - def _execute_operations(self): - self.pre_operations() - self.BackupVaultsGet(ctx=self.ctx)() - self.post_operations() - - @register_callback - def pre_operations(self): - pass - - @register_callback - def post_operations(self): - pass - - def _output(self, *args, **kwargs): - result = self.deserialize_output(self.ctx.vars.instance, client_flatten=True) - return result - - class BackupVaultsGet(AAZHttpOperation): - CLIENT_TYPE = "MgmtClient" - - def __call__(self, *args, **kwargs): - request = self.make_request() - session = self.client.send_request(request=request, stream=False, **kwargs) - if session.http_response.status_code in [200]: - return self.on_200(session) - - return self.on_error(session.http_response) - - @property - def url(self): - return self.client.format_url( - "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}", - **self.url_parameters - ) - - @property - def method(self): - return "GET" - - @property - def error_format(self): - return "MgmtErrorFormat" - - @property - def url_parameters(self): - parameters = { - **self.serialize_url_param( - "resourceGroupName", self.ctx.args.resource_group, - required=True, - ), - **self.serialize_url_param( - "subscriptionId", self.ctx.subscription_id, - required=True, - ), - **self.serialize_url_param( - "vaultName", self.ctx.args.vault_name, - required=True, - ), - } - return parameters - - @property - def query_parameters(self): - parameters = { - **self.serialize_query_param( - "api-version", "2022-12-01", - required=True, - ), - } - return parameters - - @property - def header_parameters(self): - parameters = { - **self.serialize_header_param( - "Accept", "application/json", - ), - } - return parameters - - def on_200(self, session): - data = self.deserialize_http_content(session) - self.ctx.set_var( - "instance", - data, - schema_builder=self._build_schema_on_200 - ) - - _schema_on_200 = None - - @classmethod - def _build_schema_on_200(cls): - if cls._schema_on_200 is not None: - return cls._schema_on_200 - - cls._schema_on_200 = AAZObjectType() - - _schema_on_200 = cls._schema_on_200 - _schema_on_200.e_tag = AAZStrType( - serialized_name="eTag", - ) - _schema_on_200.id = AAZStrType( - flags={"read_only": True}, - ) - _schema_on_200.identity = AAZObjectType() - _schema_on_200.location = AAZStrType( - flags={"required": True}, - ) - _schema_on_200.name = AAZStrType( - flags={"read_only": True}, - ) - _schema_on_200.properties = AAZObjectType( - flags={"required": True}, - ) - _schema_on_200.system_data = AAZObjectType( - serialized_name="systemData", - flags={"read_only": True}, - ) - _schema_on_200.tags = AAZDictType() - _schema_on_200.type = AAZStrType( - flags={"read_only": True}, - ) - - identity = cls._schema_on_200.identity - identity.principal_id = AAZStrType( - serialized_name="principalId", - flags={"read_only": True}, - ) - identity.tenant_id = AAZStrType( - serialized_name="tenantId", - flags={"read_only": True}, - ) - identity.type = AAZStrType() - - properties = cls._schema_on_200.properties - properties.feature_settings = AAZObjectType( - serialized_name="featureSettings", - ) - properties.is_vault_protected_by_resource_guard = AAZBoolType( - serialized_name="isVaultProtectedByResourceGuard", - flags={"read_only": True}, - ) - properties.monitoring_settings = AAZObjectType( - serialized_name="monitoringSettings", - ) - properties.provisioning_state = AAZStrType( - serialized_name="provisioningState", - flags={"read_only": True}, - ) - properties.resource_move_details = AAZObjectType( - serialized_name="resourceMoveDetails", - ) - properties.resource_move_state = AAZStrType( - serialized_name="resourceMoveState", - flags={"read_only": True}, - ) - properties.security_settings = AAZObjectType( - serialized_name="securitySettings", - ) - properties.storage_settings = AAZListType( - serialized_name="storageSettings", - flags={"required": True}, - ) - - feature_settings = cls._schema_on_200.properties.feature_settings - feature_settings.cross_subscription_restore_settings = AAZObjectType( - serialized_name="crossSubscriptionRestoreSettings", - ) - - cross_subscription_restore_settings = cls._schema_on_200.properties.feature_settings.cross_subscription_restore_settings - cross_subscription_restore_settings.state = AAZStrType() - - monitoring_settings = cls._schema_on_200.properties.monitoring_settings - monitoring_settings.azure_monitor_alert_settings = AAZObjectType( - serialized_name="azureMonitorAlertSettings", - ) - - azure_monitor_alert_settings = cls._schema_on_200.properties.monitoring_settings.azure_monitor_alert_settings - azure_monitor_alert_settings.alerts_for_all_job_failures = AAZStrType( - serialized_name="alertsForAllJobFailures", - ) - - resource_move_details = cls._schema_on_200.properties.resource_move_details - resource_move_details.completion_time_utc = AAZStrType( - serialized_name="completionTimeUtc", - ) - resource_move_details.operation_id = AAZStrType( - serialized_name="operationId", - ) - resource_move_details.source_resource_path = AAZStrType( - serialized_name="sourceResourcePath", - ) - resource_move_details.start_time_utc = AAZStrType( - serialized_name="startTimeUtc", - ) - resource_move_details.target_resource_path = AAZStrType( - serialized_name="targetResourcePath", - ) - - security_settings = cls._schema_on_200.properties.security_settings - security_settings.immutability_settings = AAZObjectType( - serialized_name="immutabilitySettings", - ) - security_settings.soft_delete_settings = AAZObjectType( - serialized_name="softDeleteSettings", - ) - - immutability_settings = cls._schema_on_200.properties.security_settings.immutability_settings - immutability_settings.state = AAZStrType() - - soft_delete_settings = cls._schema_on_200.properties.security_settings.soft_delete_settings - soft_delete_settings.retention_duration_in_days = AAZFloatType( - serialized_name="retentionDurationInDays", - ) - soft_delete_settings.state = AAZStrType() - - storage_settings = cls._schema_on_200.properties.storage_settings - storage_settings.Element = AAZObjectType() - - _element = cls._schema_on_200.properties.storage_settings.Element - _element.datastore_type = AAZStrType( - serialized_name="datastoreType", - ) - _element.type = AAZStrType() - - system_data = cls._schema_on_200.system_data - system_data.created_at = AAZStrType( - serialized_name="createdAt", - ) - system_data.created_by = AAZStrType( - serialized_name="createdBy", - ) - system_data.created_by_type = AAZStrType( - serialized_name="createdByType", - ) - system_data.last_modified_at = AAZStrType( - serialized_name="lastModifiedAt", - ) - system_data.last_modified_by = AAZStrType( - serialized_name="lastModifiedBy", - ) - system_data.last_modified_by_type = AAZStrType( - serialized_name="lastModifiedByType", - ) - - tags = cls._schema_on_200.tags - tags.Element = AAZStrType() - - return cls._schema_on_200 - - -class _ShowHelper: - """Helper class for Show""" - - -__all__ = ["Show"] diff --git a/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_update.py b/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_update.py deleted file mode 100644 index 945a5d3273f..00000000000 --- a/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_update.py +++ /dev/null @@ -1,596 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- - -# pylint: skip-file -# flake8: noqa - -from azure.cli.core.aaz import * - - -@register_command( - "dataprotection backup-vault update", - is_experimental=True, -) -class Update(AAZCommand): - """Updates a BackupVault resource belonging to a resource group. For example, updating tags for a resource. - - :example: Patch BackupVault - az dataprotection backup-vault update --azure-monitor-alerts-for-job-failures "Enabled" --tags newKey="newVal" --resource-group "SampleResourceGroup" --vault-name "swaggerExample" - """ - - _aaz_info = { - "version": "2022-12-01", - "resources": [ - ["mgmt-plane", "/subscriptions/{}/resourcegroups/{}/providers/microsoft.dataprotection/backupvaults/{}", "2022-12-01"], - ] - } - - AZ_SUPPORT_NO_WAIT = True - - AZ_SUPPORT_GENERIC_UPDATE = True - - def _handler(self, command_args): - super()._handler(command_args) - return self.build_lro_poller(self._execute_operations, self._output) - - _args_schema = None - - @classmethod - def _build_arguments_schema(cls, *args, **kwargs): - if cls._args_schema is not None: - return cls._args_schema - cls._args_schema = super()._build_arguments_schema(*args, **kwargs) - - # define Arg Group "" - - _args_schema = cls._args_schema - _args_schema.resource_group = AAZResourceGroupNameArg( - required=True, - ) - _args_schema.vault_name = AAZStrArg( - options=["--vault-name"], - help="The name of the backup vault.", - required=True, - id_part="name", - ) - - # define Arg Group "Identity" - - _args_schema = cls._args_schema - _args_schema.type = AAZStrArg( - options=["--type"], - arg_group="Identity", - help="The identityType which can be either SystemAssigned or None", - nullable=True, - ) - - # define Arg Group "Monitoring Settings Azure Monitor Alert Settings" - - _args_schema = cls._args_schema - _args_schema.azure_monitor_alerts_for_job_failures = AAZStrArg( - options=["--job-failure-alerts", "--azure-monitor-alerts-for-job-failures"], - arg_group="Monitoring Settings Azure Monitor Alert Settings", - help="Property that specifies whether built-in Azure Monitor alerts should be fired for all failed jobs.", - nullable=True, - enum={"Disabled": "Disabled", "Enabled": "Enabled"}, - ) - - # define Arg Group "Parameters" - - _args_schema = cls._args_schema - _args_schema.tags = AAZDictArg( - options=["--tags"], - arg_group="Parameters", - help="Resource tags.", - nullable=True, - ) - - tags = cls._args_schema.tags - tags.Element = AAZStrArg( - nullable=True, - ) - - # define Arg Group "Properties" - - # define Arg Group "SecuritySettings" - - _args_schema = cls._args_schema - _args_schema.immutability_state = AAZStrArg( - options=["--immutability-state"], - arg_group="SecuritySettings", - help={"short-summary": "Immutability state", "long-summary": "Use this parameter to configure immutability settings for the vault. Allowed values are Disabled, Unlocked and Locked. By default, immutability is \"Disabled\" for the vault. \"Unlocked\" means that immutability is enabled for the vault and can be reversed. \"Locked\" means that immutability is enabled for the vault and cannot be reversed."}, - nullable=True, - enum={"Disabled": "Disabled", "Locked": "Locked", "Unlocked": "Unlocked"}, - ) - - # define Arg Group "SoftDeleteSettings" - - _args_schema = cls._args_schema - _args_schema.retention_duration_in_days = AAZFloatArg( - options=["--soft-delete-retention", "--retention-duration-in-days"], - arg_group="SoftDeleteSettings", - help="Soft delete retention duration", - nullable=True, - ) - _args_schema.soft_delete_state = AAZStrArg( - options=["--soft-delete-state"], - arg_group="SoftDeleteSettings", - help="State of soft delete", - nullable=True, - enum={"AlwaysOn": "AlwaysOn", "Off": "Off", "On": "On"}, - ) - return cls._args_schema - - def _execute_operations(self): - self.pre_operations() - self.BackupVaultsGet(ctx=self.ctx)() - self.pre_instance_update(self.ctx.vars.instance) - self.InstanceUpdateByJson(ctx=self.ctx)() - self.InstanceUpdateByGeneric(ctx=self.ctx)() - self.post_instance_update(self.ctx.vars.instance) - yield self.BackupVaultsCreateOrUpdate(ctx=self.ctx)() - self.post_operations() - - @register_callback - def pre_operations(self): - pass - - @register_callback - def post_operations(self): - pass - - @register_callback - def pre_instance_update(self, instance): - pass - - @register_callback - def post_instance_update(self, instance): - pass - - def _output(self, *args, **kwargs): - result = self.deserialize_output(self.ctx.vars.instance, client_flatten=True) - return result - - class BackupVaultsGet(AAZHttpOperation): - CLIENT_TYPE = "MgmtClient" - - def __call__(self, *args, **kwargs): - request = self.make_request() - session = self.client.send_request(request=request, stream=False, **kwargs) - if session.http_response.status_code in [200]: - return self.on_200(session) - - return self.on_error(session.http_response) - - @property - def url(self): - return self.client.format_url( - "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}", - **self.url_parameters - ) - - @property - def method(self): - return "GET" - - @property - def error_format(self): - return "MgmtErrorFormat" - - @property - def url_parameters(self): - parameters = { - **self.serialize_url_param( - "resourceGroupName", self.ctx.args.resource_group, - required=True, - ), - **self.serialize_url_param( - "subscriptionId", self.ctx.subscription_id, - required=True, - ), - **self.serialize_url_param( - "vaultName", self.ctx.args.vault_name, - required=True, - ), - } - return parameters - - @property - def query_parameters(self): - parameters = { - **self.serialize_query_param( - "api-version", "2022-12-01", - required=True, - ), - } - return parameters - - @property - def header_parameters(self): - parameters = { - **self.serialize_header_param( - "Accept", "application/json", - ), - } - return parameters - - def on_200(self, session): - data = self.deserialize_http_content(session) - self.ctx.set_var( - "instance", - data, - schema_builder=self._build_schema_on_200 - ) - - _schema_on_200 = None - - @classmethod - def _build_schema_on_200(cls): - if cls._schema_on_200 is not None: - return cls._schema_on_200 - - cls._schema_on_200 = AAZObjectType() - _UpdateHelper._build_schema_backup_vault_resource_read(cls._schema_on_200) - - return cls._schema_on_200 - - class BackupVaultsCreateOrUpdate(AAZHttpOperation): - CLIENT_TYPE = "MgmtClient" - - def __call__(self, *args, **kwargs): - request = self.make_request() - session = self.client.send_request(request=request, stream=False, **kwargs) - if session.http_response.status_code in [202]: - return self.client.build_lro_polling( - self.ctx.args.no_wait, - session, - self.on_200_201, - self.on_error, - lro_options={"final-state-via": "azure-async-operation"}, - path_format_arguments=self.url_parameters, - ) - if session.http_response.status_code in [200, 201]: - return self.client.build_lro_polling( - self.ctx.args.no_wait, - session, - self.on_200_201, - self.on_error, - lro_options={"final-state-via": "azure-async-operation"}, - path_format_arguments=self.url_parameters, - ) - - return self.on_error(session.http_response) - - @property - def url(self): - return self.client.format_url( - "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}", - **self.url_parameters - ) - - @property - def method(self): - return "PUT" - - @property - def error_format(self): - return "MgmtErrorFormat" - - @property - def url_parameters(self): - parameters = { - **self.serialize_url_param( - "resourceGroupName", self.ctx.args.resource_group, - required=True, - ), - **self.serialize_url_param( - "subscriptionId", self.ctx.subscription_id, - required=True, - ), - **self.serialize_url_param( - "vaultName", self.ctx.args.vault_name, - required=True, - ), - } - return parameters - - @property - def query_parameters(self): - parameters = { - **self.serialize_query_param( - "api-version", "2022-12-01", - required=True, - ), - } - return parameters - - @property - def header_parameters(self): - parameters = { - **self.serialize_header_param( - "Content-Type", "application/json", - ), - **self.serialize_header_param( - "Accept", "application/json", - ), - } - return parameters - - @property - def content(self): - _content_value, _builder = self.new_content_builder( - self.ctx.args, - value=self.ctx.vars.instance, - ) - - return self.serialize_content(_content_value) - - def on_200_201(self, session): - data = self.deserialize_http_content(session) - self.ctx.set_var( - "instance", - data, - schema_builder=self._build_schema_on_200_201 - ) - - _schema_on_200_201 = None - - @classmethod - def _build_schema_on_200_201(cls): - if cls._schema_on_200_201 is not None: - return cls._schema_on_200_201 - - cls._schema_on_200_201 = AAZObjectType() - _UpdateHelper._build_schema_backup_vault_resource_read(cls._schema_on_200_201) - - return cls._schema_on_200_201 - - class InstanceUpdateByJson(AAZJsonInstanceUpdateOperation): - - def __call__(self, *args, **kwargs): - self._update_instance(self.ctx.vars.instance) - - def _update_instance(self, instance): - _instance_value, _builder = self.new_content_builder( - self.ctx.args, - value=instance, - typ=AAZObjectType - ) - _builder.set_prop("identity", AAZObjectType) - _builder.set_prop("properties", AAZObjectType, ".", typ_kwargs={"flags": {"required": True}}) - _builder.set_prop("tags", AAZDictType, ".tags") - - identity = _builder.get(".identity") - if identity is not None: - identity.set_prop("type", AAZStrType, ".type") - - properties = _builder.get(".properties") - if properties is not None: - properties.set_prop("monitoringSettings", AAZObjectType) - properties.set_prop("securitySettings", AAZObjectType) - - monitoring_settings = _builder.get(".properties.monitoringSettings") - if monitoring_settings is not None: - monitoring_settings.set_prop("azureMonitorAlertSettings", AAZObjectType) - - azure_monitor_alert_settings = _builder.get(".properties.monitoringSettings.azureMonitorAlertSettings") - if azure_monitor_alert_settings is not None: - azure_monitor_alert_settings.set_prop("alertsForAllJobFailures", AAZStrType, ".azure_monitor_alerts_for_job_failures") - - security_settings = _builder.get(".properties.securitySettings") - if security_settings is not None: - security_settings.set_prop("immutabilitySettings", AAZObjectType) - security_settings.set_prop("softDeleteSettings", AAZObjectType) - - immutability_settings = _builder.get(".properties.securitySettings.immutabilitySettings") - if immutability_settings is not None: - immutability_settings.set_prop("state", AAZStrType, ".immutability_state") - - soft_delete_settings = _builder.get(".properties.securitySettings.softDeleteSettings") - if soft_delete_settings is not None: - soft_delete_settings.set_prop("retentionDurationInDays", AAZFloatType, ".retention_duration_in_days") - soft_delete_settings.set_prop("state", AAZStrType, ".soft_delete_state") - - tags = _builder.get(".tags") - if tags is not None: - tags.set_elements(AAZStrType, ".") - - return _instance_value - - class InstanceUpdateByGeneric(AAZGenericInstanceUpdateOperation): - - def __call__(self, *args, **kwargs): - self._update_instance_by_generic( - self.ctx.vars.instance, - self.ctx.generic_update_args - ) - - -class _UpdateHelper: - """Helper class for Update""" - - _schema_backup_vault_resource_read = None - - @classmethod - def _build_schema_backup_vault_resource_read(cls, _schema): - if cls._schema_backup_vault_resource_read is not None: - _schema.e_tag = cls._schema_backup_vault_resource_read.e_tag - _schema.id = cls._schema_backup_vault_resource_read.id - _schema.identity = cls._schema_backup_vault_resource_read.identity - _schema.location = cls._schema_backup_vault_resource_read.location - _schema.name = cls._schema_backup_vault_resource_read.name - _schema.properties = cls._schema_backup_vault_resource_read.properties - _schema.system_data = cls._schema_backup_vault_resource_read.system_data - _schema.tags = cls._schema_backup_vault_resource_read.tags - _schema.type = cls._schema_backup_vault_resource_read.type - return - - cls._schema_backup_vault_resource_read = _schema_backup_vault_resource_read = AAZObjectType() - - backup_vault_resource_read = _schema_backup_vault_resource_read - backup_vault_resource_read.e_tag = AAZStrType( - serialized_name="eTag", - ) - backup_vault_resource_read.id = AAZStrType( - flags={"read_only": True}, - ) - backup_vault_resource_read.identity = AAZObjectType() - backup_vault_resource_read.location = AAZStrType( - flags={"required": True}, - ) - backup_vault_resource_read.name = AAZStrType( - flags={"read_only": True}, - ) - backup_vault_resource_read.properties = AAZObjectType( - flags={"required": True}, - ) - backup_vault_resource_read.system_data = AAZObjectType( - serialized_name="systemData", - flags={"read_only": True}, - ) - backup_vault_resource_read.tags = AAZDictType() - backup_vault_resource_read.type = AAZStrType( - flags={"read_only": True}, - ) - - identity = _schema_backup_vault_resource_read.identity - identity.principal_id = AAZStrType( - serialized_name="principalId", - flags={"read_only": True}, - ) - identity.tenant_id = AAZStrType( - serialized_name="tenantId", - flags={"read_only": True}, - ) - identity.type = AAZStrType() - - properties = _schema_backup_vault_resource_read.properties - properties.feature_settings = AAZObjectType( - serialized_name="featureSettings", - ) - properties.is_vault_protected_by_resource_guard = AAZBoolType( - serialized_name="isVaultProtectedByResourceGuard", - flags={"read_only": True}, - ) - properties.monitoring_settings = AAZObjectType( - serialized_name="monitoringSettings", - ) - properties.provisioning_state = AAZStrType( - serialized_name="provisioningState", - flags={"read_only": True}, - ) - properties.resource_move_details = AAZObjectType( - serialized_name="resourceMoveDetails", - ) - properties.resource_move_state = AAZStrType( - serialized_name="resourceMoveState", - flags={"read_only": True}, - ) - properties.security_settings = AAZObjectType( - serialized_name="securitySettings", - ) - properties.storage_settings = AAZListType( - serialized_name="storageSettings", - flags={"required": True}, - ) - - feature_settings = _schema_backup_vault_resource_read.properties.feature_settings - feature_settings.cross_subscription_restore_settings = AAZObjectType( - serialized_name="crossSubscriptionRestoreSettings", - ) - - cross_subscription_restore_settings = _schema_backup_vault_resource_read.properties.feature_settings.cross_subscription_restore_settings - cross_subscription_restore_settings.state = AAZStrType() - - monitoring_settings = _schema_backup_vault_resource_read.properties.monitoring_settings - monitoring_settings.azure_monitor_alert_settings = AAZObjectType( - serialized_name="azureMonitorAlertSettings", - ) - - azure_monitor_alert_settings = _schema_backup_vault_resource_read.properties.monitoring_settings.azure_monitor_alert_settings - azure_monitor_alert_settings.alerts_for_all_job_failures = AAZStrType( - serialized_name="alertsForAllJobFailures", - ) - - resource_move_details = _schema_backup_vault_resource_read.properties.resource_move_details - resource_move_details.completion_time_utc = AAZStrType( - serialized_name="completionTimeUtc", - ) - resource_move_details.operation_id = AAZStrType( - serialized_name="operationId", - ) - resource_move_details.source_resource_path = AAZStrType( - serialized_name="sourceResourcePath", - ) - resource_move_details.start_time_utc = AAZStrType( - serialized_name="startTimeUtc", - ) - resource_move_details.target_resource_path = AAZStrType( - serialized_name="targetResourcePath", - ) - - security_settings = _schema_backup_vault_resource_read.properties.security_settings - security_settings.immutability_settings = AAZObjectType( - serialized_name="immutabilitySettings", - ) - security_settings.soft_delete_settings = AAZObjectType( - serialized_name="softDeleteSettings", - ) - - immutability_settings = _schema_backup_vault_resource_read.properties.security_settings.immutability_settings - immutability_settings.state = AAZStrType() - - soft_delete_settings = _schema_backup_vault_resource_read.properties.security_settings.soft_delete_settings - soft_delete_settings.retention_duration_in_days = AAZFloatType( - serialized_name="retentionDurationInDays", - ) - soft_delete_settings.state = AAZStrType() - - storage_settings = _schema_backup_vault_resource_read.properties.storage_settings - storage_settings.Element = AAZObjectType() - - _element = _schema_backup_vault_resource_read.properties.storage_settings.Element - _element.datastore_type = AAZStrType( - serialized_name="datastoreType", - ) - _element.type = AAZStrType() - - system_data = _schema_backup_vault_resource_read.system_data - system_data.created_at = AAZStrType( - serialized_name="createdAt", - ) - system_data.created_by = AAZStrType( - serialized_name="createdBy", - ) - system_data.created_by_type = AAZStrType( - serialized_name="createdByType", - ) - system_data.last_modified_at = AAZStrType( - serialized_name="lastModifiedAt", - ) - system_data.last_modified_by = AAZStrType( - serialized_name="lastModifiedBy", - ) - system_data.last_modified_by_type = AAZStrType( - serialized_name="lastModifiedByType", - ) - - tags = _schema_backup_vault_resource_read.tags - tags.Element = AAZStrType() - - _schema.e_tag = cls._schema_backup_vault_resource_read.e_tag - _schema.id = cls._schema_backup_vault_resource_read.id - _schema.identity = cls._schema_backup_vault_resource_read.identity - _schema.location = cls._schema_backup_vault_resource_read.location - _schema.name = cls._schema_backup_vault_resource_read.name - _schema.properties = cls._schema_backup_vault_resource_read.properties - _schema.system_data = cls._schema_backup_vault_resource_read.system_data - _schema.tags = cls._schema_backup_vault_resource_read.tags - _schema.type = cls._schema_backup_vault_resource_read.type - - -__all__ = ["Update"] diff --git a/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_wait.py b/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_wait.py deleted file mode 100644 index c1cc669cb12..00000000000 --- a/src/dataprotection/azext_dataprotection/aaz/latest/dataprotection/backup_vault/_wait.py +++ /dev/null @@ -1,309 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- - -# pylint: skip-file -# flake8: noqa - -from azure.cli.core.aaz import * - - -@register_command( - "dataprotection backup-vault wait", -) -class Wait(AAZWaitCommand): - """Place the CLI in a waiting state until a condition is met. - """ - - _aaz_info = { - "resources": [ - ["mgmt-plane", "/subscriptions/{}/resourcegroups/{}/providers/microsoft.dataprotection/backupvaults/{}", "2022-12-01"], - ] - } - - def _handler(self, command_args): - super()._handler(command_args) - self._execute_operations() - return self._output() - - _args_schema = None - - @classmethod - def _build_arguments_schema(cls, *args, **kwargs): - if cls._args_schema is not None: - return cls._args_schema - cls._args_schema = super()._build_arguments_schema(*args, **kwargs) - - # define Arg Group "" - - _args_schema = cls._args_schema - _args_schema.resource_group = AAZResourceGroupNameArg( - required=True, - ) - _args_schema.vault_name = AAZStrArg( - options=["--vault-name"], - help="The name of the backup vault.", - required=True, - id_part="name", - ) - return cls._args_schema - - def _execute_operations(self): - self.pre_operations() - self.BackupVaultsGet(ctx=self.ctx)() - self.post_operations() - - @register_callback - def pre_operations(self): - pass - - @register_callback - def post_operations(self): - pass - - def _output(self, *args, **kwargs): - result = self.deserialize_output(self.ctx.vars.instance, client_flatten=False) - return result - - class BackupVaultsGet(AAZHttpOperation): - CLIENT_TYPE = "MgmtClient" - - def __call__(self, *args, **kwargs): - request = self.make_request() - session = self.client.send_request(request=request, stream=False, **kwargs) - if session.http_response.status_code in [200]: - return self.on_200(session) - - return self.on_error(session.http_response) - - @property - def url(self): - return self.client.format_url( - "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.DataProtection/backupVaults/{vaultName}", - **self.url_parameters - ) - - @property - def method(self): - return "GET" - - @property - def error_format(self): - return "MgmtErrorFormat" - - @property - def url_parameters(self): - parameters = { - **self.serialize_url_param( - "resourceGroupName", self.ctx.args.resource_group, - required=True, - ), - **self.serialize_url_param( - "subscriptionId", self.ctx.subscription_id, - required=True, - ), - **self.serialize_url_param( - "vaultName", self.ctx.args.vault_name, - required=True, - ), - } - return parameters - - @property - def query_parameters(self): - parameters = { - **self.serialize_query_param( - "api-version", "2022-12-01", - required=True, - ), - } - return parameters - - @property - def header_parameters(self): - parameters = { - **self.serialize_header_param( - "Accept", "application/json", - ), - } - return parameters - - def on_200(self, session): - data = self.deserialize_http_content(session) - self.ctx.set_var( - "instance", - data, - schema_builder=self._build_schema_on_200 - ) - - _schema_on_200 = None - - @classmethod - def _build_schema_on_200(cls): - if cls._schema_on_200 is not None: - return cls._schema_on_200 - - cls._schema_on_200 = AAZObjectType() - - _schema_on_200 = cls._schema_on_200 - _schema_on_200.e_tag = AAZStrType( - serialized_name="eTag", - ) - _schema_on_200.id = AAZStrType( - flags={"read_only": True}, - ) - _schema_on_200.identity = AAZObjectType() - _schema_on_200.location = AAZStrType( - flags={"required": True}, - ) - _schema_on_200.name = AAZStrType( - flags={"read_only": True}, - ) - _schema_on_200.properties = AAZObjectType( - flags={"required": True}, - ) - _schema_on_200.system_data = AAZObjectType( - serialized_name="systemData", - flags={"read_only": True}, - ) - _schema_on_200.tags = AAZDictType() - _schema_on_200.type = AAZStrType( - flags={"read_only": True}, - ) - - identity = cls._schema_on_200.identity - identity.principal_id = AAZStrType( - serialized_name="principalId", - flags={"read_only": True}, - ) - identity.tenant_id = AAZStrType( - serialized_name="tenantId", - flags={"read_only": True}, - ) - identity.type = AAZStrType() - - properties = cls._schema_on_200.properties - properties.feature_settings = AAZObjectType( - serialized_name="featureSettings", - ) - properties.is_vault_protected_by_resource_guard = AAZBoolType( - serialized_name="isVaultProtectedByResourceGuard", - flags={"read_only": True}, - ) - properties.monitoring_settings = AAZObjectType( - serialized_name="monitoringSettings", - ) - properties.provisioning_state = AAZStrType( - serialized_name="provisioningState", - flags={"read_only": True}, - ) - properties.resource_move_details = AAZObjectType( - serialized_name="resourceMoveDetails", - ) - properties.resource_move_state = AAZStrType( - serialized_name="resourceMoveState", - flags={"read_only": True}, - ) - properties.security_settings = AAZObjectType( - serialized_name="securitySettings", - ) - properties.storage_settings = AAZListType( - serialized_name="storageSettings", - flags={"required": True}, - ) - - feature_settings = cls._schema_on_200.properties.feature_settings - feature_settings.cross_subscription_restore_settings = AAZObjectType( - serialized_name="crossSubscriptionRestoreSettings", - ) - - cross_subscription_restore_settings = cls._schema_on_200.properties.feature_settings.cross_subscription_restore_settings - cross_subscription_restore_settings.state = AAZStrType() - - monitoring_settings = cls._schema_on_200.properties.monitoring_settings - monitoring_settings.azure_monitor_alert_settings = AAZObjectType( - serialized_name="azureMonitorAlertSettings", - ) - - azure_monitor_alert_settings = cls._schema_on_200.properties.monitoring_settings.azure_monitor_alert_settings - azure_monitor_alert_settings.alerts_for_all_job_failures = AAZStrType( - serialized_name="alertsForAllJobFailures", - ) - - resource_move_details = cls._schema_on_200.properties.resource_move_details - resource_move_details.completion_time_utc = AAZStrType( - serialized_name="completionTimeUtc", - ) - resource_move_details.operation_id = AAZStrType( - serialized_name="operationId", - ) - resource_move_details.source_resource_path = AAZStrType( - serialized_name="sourceResourcePath", - ) - resource_move_details.start_time_utc = AAZStrType( - serialized_name="startTimeUtc", - ) - resource_move_details.target_resource_path = AAZStrType( - serialized_name="targetResourcePath", - ) - - security_settings = cls._schema_on_200.properties.security_settings - security_settings.immutability_settings = AAZObjectType( - serialized_name="immutabilitySettings", - ) - security_settings.soft_delete_settings = AAZObjectType( - serialized_name="softDeleteSettings", - ) - - immutability_settings = cls._schema_on_200.properties.security_settings.immutability_settings - immutability_settings.state = AAZStrType() - - soft_delete_settings = cls._schema_on_200.properties.security_settings.soft_delete_settings - soft_delete_settings.retention_duration_in_days = AAZFloatType( - serialized_name="retentionDurationInDays", - ) - soft_delete_settings.state = AAZStrType() - - storage_settings = cls._schema_on_200.properties.storage_settings - storage_settings.Element = AAZObjectType() - - _element = cls._schema_on_200.properties.storage_settings.Element - _element.datastore_type = AAZStrType( - serialized_name="datastoreType", - ) - _element.type = AAZStrType() - - system_data = cls._schema_on_200.system_data - system_data.created_at = AAZStrType( - serialized_name="createdAt", - ) - system_data.created_by = AAZStrType( - serialized_name="createdBy", - ) - system_data.created_by_type = AAZStrType( - serialized_name="createdByType", - ) - system_data.last_modified_at = AAZStrType( - serialized_name="lastModifiedAt", - ) - system_data.last_modified_by = AAZStrType( - serialized_name="lastModifiedBy", - ) - system_data.last_modified_by_type = AAZStrType( - serialized_name="lastModifiedByType", - ) - - tags = cls._schema_on_200.tags - tags.Element = AAZStrType() - - return cls._schema_on_200 - - -class _WaitHelper: - """Helper class for Wait""" - - -__all__ = ["Wait"] diff --git a/src/dataprotection/azext_dataprotection/azext_metadata.json b/src/dataprotection/azext_dataprotection/azext_metadata.json index dffab06cd7e..cfc30c747c7 100644 --- a/src/dataprotection/azext_dataprotection/azext_metadata.json +++ b/src/dataprotection/azext_dataprotection/azext_metadata.json @@ -1,4 +1,4 @@ { "azext.isExperimental": true, - "azext.minCliCoreVersion": "2.43.0" + "azext.minCliCoreVersion": "2.15.0" } \ No newline at end of file diff --git a/src/dataprotection/azext_dataprotection/generated/_help.py b/src/dataprotection/azext_dataprotection/generated/_help.py index a7568878a54..2fb29dddfa8 100644 --- a/src/dataprotection/azext_dataprotection/generated/_help.py +++ b/src/dataprotection/azext_dataprotection/generated/_help.py @@ -17,6 +17,86 @@ short-summary: Manage Data Protection ''' +helps['dataprotection backup-vault'] = """ + type: group + short-summary: Manage backup vault with dataprotection +""" + +helps['dataprotection backup-vault show'] = """ + type: command + short-summary: "Returns a resource belonging to a resource group." + examples: + - name: Get BackupVault + text: |- + az dataprotection backup-vault show --resource-group "SampleResourceGroup" --vault-name \ +"swaggerExample" + - name: Get BackupVault With MSI + text: |- + az dataprotection backup-vault show --resource-group "SampleResourceGroup" --vault-name \ +"swaggerExample" +""" + +helps['dataprotection backup-vault create'] = """ + type: command + short-summary: "Create a BackupVault resource belonging to a resource group." + parameters: + - name: --storage-settings + short-summary: "Storage Settings" + long-summary: | + Usage: --storage-settings datastore-type=XX type=XX + + datastore-type: Gets or sets the type of the datastore. + type: Gets or sets the type. + + Multiple actions can be specified by using more than one --storage-settings argument. + examples: + - name: Create BackupVault + text: |- + az dataprotection backup-vault create --type "None" --location "WestUS" --azure-monitor-alerts-for-job-f\ +ailures "Enabled" --storage-settings type="LocallyRedundant" datastore-type="VaultStore" --tags key1="val1" \ +--resource-group "SampleResourceGroup" --vault-name "swaggerExample" + - name: Create BackupVault With MSI + text: |- + az dataprotection backup-vault create --type "systemAssigned" --location "WestUS" \ +--azure-monitor-alerts-for-job-failures "Enabled" --storage-settings type="LocallyRedundant" \ +datastore-type="VaultStore" --tags key1="val1" --resource-group "SampleResourceGroup" --vault-name "swaggerExample" +""" + +helps['dataprotection backup-vault update'] = """ + type: command + short-summary: "Updates a BackupVault resource belonging to a resource group. For example, updating tags for a \ +resource." + examples: + - name: Patch BackupVault + text: |- + az dataprotection backup-vault update --azure-monitor-alerts-for-job-failures "Enabled" --tags \ +newKey="newVal" --resource-group "SampleResourceGroup" --vault-name "swaggerExample" +""" + +helps['dataprotection backup-vault delete'] = """ + type: command + short-summary: "Deletes a BackupVault resource from the resource group." + examples: + - name: Delete BackupVault + text: |- + az dataprotection backup-vault delete --resource-group "SampleResourceGroup" --vault-name \ +"swaggerExample" +""" + +helps['dataprotection backup-vault wait'] = """ + type: command + short-summary: Place the CLI in a waiting state until a condition of the dataprotection backup-vault is met. + examples: + - name: Pause executing next line of CLI script until the dataprotection backup-vault is successfully created. + text: |- + az dataprotection backup-vault wait --resource-group "SampleResourceGroup" --vault-name \ +"swaggerExample" --created + - name: Pause executing next line of CLI script until the dataprotection backup-vault is successfully updated. + text: |- + az dataprotection backup-vault wait --resource-group "SampleResourceGroup" --vault-name \ +"swaggerExample" --updated +""" + helps['dataprotection backup-policy'] = """ type: group short-summary: Manage backup policy with dataprotection diff --git a/src/dataprotection/azext_dataprotection/generated/commands.py b/src/dataprotection/azext_dataprotection/generated/commands.py index e593d04ae48..9b4da4add48 100644 --- a/src/dataprotection/azext_dataprotection/generated/commands.py +++ b/src/dataprotection/azext_dataprotection/generated/commands.py @@ -68,6 +68,15 @@ def load_command_table(self, _): + with self.command_group( + 'dataprotection backup-vault', dataprotection_backup_vault, client_factory=cf_backup_vault + ) as g: + g.custom_show_command('show', 'dataprotection_backup_vault_show') + g.custom_command('create', 'dataprotection_backup_vault_create', supports_no_wait=True) + g.custom_command('update', 'dataprotection_backup_vault_update', supports_no_wait=True) + g.custom_command('delete', 'dataprotection_backup_vault_delete', confirmation=True) + g.custom_wait_command('wait', 'dataprotection_backup_vault_show') + with self.command_group( 'dataprotection backup-policy', dataprotection_backup_policy, client_factory=cf_backup_policy ) as g: diff --git a/src/dataprotection/azext_dataprotection/generated/custom.py b/src/dataprotection/azext_dataprotection/generated/custom.py index 2640009d877..f2a0d867e65 100644 --- a/src/dataprotection/azext_dataprotection/generated/custom.py +++ b/src/dataprotection/azext_dataprotection/generated/custom.py @@ -14,6 +14,67 @@ from azure.cli.core.util import sdk_no_wait +def dataprotection_backup_vault_show(client, + resource_group_name, + vault_name): + return client.get(resource_group_name=resource_group_name, + vault_name=vault_name) + + +def dataprotection_backup_vault_create(client, + resource_group_name, + vault_name, + storage_settings, + e_tag=None, + location=None, + tags=None, + type_=None, + alerts_for_all_job_failures=None, + no_wait=False): + parameters = {} + parameters['e_tag'] = e_tag + parameters['location'] = location + parameters['tags'] = tags + parameters['identity'] = {} + parameters['identity']['type'] = type_ + parameters['properties'] = {} + parameters['properties']['storage_settings'] = storage_settings + parameters['properties']['azure_monitor_alert_settings'] = {} + parameters['properties']['azure_monitor_alert_settings']['alerts_for_all_job_failures'] = alerts_for_all_job_failures + return sdk_no_wait(no_wait, + client.begin_create_or_update, + resource_group_name=resource_group_name, + vault_name=vault_name, + parameters=parameters) + + +def dataprotection_backup_vault_update(client, + resource_group_name, + vault_name, + tags=None, + alerts_for_all_job_failures=None, + type_=None, + no_wait=False): + parameters = {} + parameters['tags'] = tags + parameters['azure_monitor_alert_settings'] = {} + parameters['azure_monitor_alert_settings']['alerts_for_all_job_failures'] = alerts_for_all_job_failures + parameters['identity'] = {} + parameters['identity']['type'] = type_ + return sdk_no_wait(no_wait, + client.begin_update, + resource_group_name=resource_group_name, + vault_name=vault_name, + parameters=parameters) + + +def dataprotection_backup_vault_delete(client, + resource_group_name, + vault_name): + return client.delete(resource_group_name=resource_group_name, + vault_name=vault_name) + + def dataprotection_backup_policy_list(client, resource_group_name, vault_name): diff --git a/src/dataprotection/azext_dataprotection/manual/commands.py b/src/dataprotection/azext_dataprotection/manual/commands.py index 3b3955339e4..47a3cb0191e 100644 --- a/src/dataprotection/azext_dataprotection/manual/commands.py +++ b/src/dataprotection/azext_dataprotection/manual/commands.py @@ -64,6 +64,11 @@ def load_command_table(self, _): g.custom_command('initialize-for-data-recovery-as-files', 'restore_initialize_for_data_recovery_as_files') g.custom_command('initialize-for-item-recovery', 'restore_initialize_for_item_recovery') + with self.command_group('dataprotection backup-vault', exception_handler=exception_handler, client_factory=cf_backup_vault) as g: + g.custom_command('list', 'dataprotection_backup_vault_list') + g.custom_command('create', 'dataprotection_backup_vault_create', supports_no_wait=True) + g.custom_command('update', 'dataprotection_backup_vault_update', supports_no_wait=True) + with self.command_group('dataprotection resource-guard', exception_handler=exception_handler, client_factory=cf_resource_guard) as g: g.custom_command('list', 'dataprotection_resource_guard_list') g.custom_command('list-protected-operations', 'resource_guard_list_protected_operations') diff --git a/src/dataprotection/azext_dataprotection/manual/custom.py b/src/dataprotection/azext_dataprotection/manual/custom.py index a78fc50a519..82ecae2e637 100644 --- a/src/dataprotection/azext_dataprotection/manual/custom.py +++ b/src/dataprotection/azext_dataprotection/manual/custom.py @@ -22,6 +22,66 @@ logger = get_logger(__name__) +def dataprotection_backup_vault_list(client, resource_group_name=None): + if resource_group_name is not None: + return client.get_in_resource_group(resource_group_name=resource_group_name) + return client.get_in_subscription() + + +def dataprotection_backup_vault_create(client, + resource_group_name, + vault_name, + storage_settings, + e_tag=None, + location=None, + tags=None, + type_=None, + alerts_for_all_job_failures=None, + no_wait=False): + parameters = {} + parameters['e_tag'] = e_tag + parameters['location'] = location + parameters['tags'] = tags + if type_ is not None: + parameters['identity'] = {} + parameters['identity']['type'] = type_ + parameters['properties'] = {} + parameters['properties']['storage_settings'] = storage_settings + if alerts_for_all_job_failures is not None: + parameters['properties']['monitoring_settings'] = {} + parameters['properties']['monitoring_settings']['azure_monitor_alert_settings'] = {} + parameters['properties']['monitoring_settings']['azure_monitor_alert_settings']['alerts_for_all_job_failures'] = alerts_for_all_job_failures + return sdk_no_wait(no_wait, + client.begin_create_or_update, + resource_group_name=resource_group_name, + vault_name=vault_name, + parameters=parameters) + + +def dataprotection_backup_vault_update(client, + resource_group_name, + vault_name, + tags=None, + alerts_for_all_job_failures=None, + type_=None, + no_wait=False): + parameters = {} + parameters['tags'] = tags + if alerts_for_all_job_failures is not None: + parameters['properties'] = {} + parameters['properties']['monitoring_settings'] = {} + parameters['properties']['monitoring_settings']['azure_monitor_alert_settings'] = {} + parameters['properties']['monitoring_settings']['azure_monitor_alert_settings']['alerts_for_all_job_failures'] = alerts_for_all_job_failures + if type_ is not None: + parameters['identity'] = {} + parameters['identity']['type'] = type_ + return sdk_no_wait(no_wait, + client.begin_update, + resource_group_name=resource_group_name, + vault_name=vault_name, + parameters=parameters) + + def dataprotection_resource_guard_list(client, resource_group_name=None): if resource_group_name is not None: return client.get_resources_in_resource_group(resource_group_name=resource_group_name) diff --git a/src/dataprotection/azext_dataprotection/manual/operations/custom_aaz.py b/src/dataprotection/azext_dataprotection/manual/operations/custom_aaz.py deleted file mode 100644 index e69de29bb2d..00000000000 diff --git a/src/dataprotection/azext_dataprotection/manual/tests/latest/test_dataprotection_scenario.py b/src/dataprotection/azext_dataprotection/manual/tests/latest/test_dataprotection_scenario.py index abc35e87fa8..9aed425cd72 100644 --- a/src/dataprotection/azext_dataprotection/manual/tests/latest/test_dataprotection_scenario.py +++ b/src/dataprotection/azext_dataprotection/manual/tests/latest/test_dataprotection_scenario.py @@ -9,10 +9,10 @@ def setup(test): test.kwargs.update({ - "vaultName": "cli-test-new-vault1", + "vaultName": "cli-test-new-vault", "rg": "sarath-rg", - "diskname": "cli-test-disk-new1", - "restorediskname": "cli-test-disk-new1-restored", + "diskname": "cli-test-disk-new", + "restorediskname": "cli-test-disk-new-restored", "policyname": "diskpolicy", "storagepolicyname": "storagepolicy", "resourceGuardName": "cli-test-resource-guard", @@ -32,8 +32,7 @@ def setup(test): account_res = test.cmd('az account show').get_output_in_json() vault_res = test.cmd('az dataprotection backup-vault create ' '-g "{rg}" --vault-name "{vaultName}" -l centraluseuap ' - '--storage-settings datastore-type="VaultStore" type="LocallyRedundant" --type SystemAssigned ' - '--soft-delete-state Off', + '--storage-settings datastore-type="VaultStore" type="LocallyRedundant" --type SystemAssigned', checks=[]).get_output_in_json() # Update DPP Alerts @@ -111,7 +110,7 @@ def create_policy(test): def initialize_backup_instance(test): - backup_instance_guid = "b7e6f082-b310-11eb-8f55-9cfce85d4fa1" + backup_instance_guid = "b7e6f082-b310-11eb-8f55-9cfce85d4fae" backup_instance_json = test.cmd('az dataprotection backup-instance initialize --datasource-type AzureDisk' ' -l centraluseuap --policy-id "{policyid}" --datasource-id "{diskid}" --snapshot-rg "{rg}" --tags Owner=dppclitest').get_output_in_json() backup_instance_json["backup_instance_name"] = test.kwargs['diskname'] + "-" + test.kwargs['diskname'] + "-" + backup_instance_guid @@ -128,7 +127,7 @@ def initialize_backup_instance(test): "storage_backup_instance_name": backup_instance_json["backup_instance_name"] }) - backup_instance_guid = "faec6818-0720-11ec-bd1b-c8f750f92761" + backup_instance_guid = "faec6818-0720-11ec-bd1b-c8f750f92764" backup_instance_json = test.cmd('az dataprotection backup-instance initialize --datasource-type AzureDatabaseForPostgreSQL' ' -l centraluseuap --policy-id "{serverpolicyid}" --datasource-id "{ossdbid}" --secret-store-type AzureKeyVault --secret-store-uri "{secretstoreuri}"').get_output_in_json() backup_instance_json["backup_instance_name"] = test.kwargs['ossserver'] + "-" + test.kwargs['ossdb'] + "-" + backup_instance_guid @@ -139,13 +138,13 @@ def initialize_backup_instance(test): def assign_permissions_and_validate(test): - # uncomment when running live, run only in record mode - grant permission + # run only in record mode - grant permission # test.cmd('az dataprotection backup-instance update-msi-permissions --datasource-type AzureDisk --operation Backup --permissions-scope Resource -g "{rg}" --vault-name "{vaultName}" --backup-instance "{backup_instance_json}" --yes').get_output_in_json() # test.cmd('az dataprotection backup-instance update-msi-permissions --datasource-type AzureBlob --operation Backup --permissions-scope Resource -g "{rg}" --vault-name "{vaultName}" --backup-instance "{storage_backup_instance_json}" --yes').get_output_in_json() # test.cmd('az dataprotection backup-instance update-msi-permissions --datasource-type AzureDatabaseForPostgreSQL --permissions-scope Resource -g "{serverrgname}" --vault-name "{servervaultname}" --operation Backup --backup-instance "{server_backup_instance_json}" --keyvault-id "{keyvaultid}" --yes') # test.cmd('az role assignment create --assignee "{principalId}" --role "Disk Restore Operator" --scope "{rgid}"') - time.sleep(120) # Wait for permissions to propagate + # time.sleep(120) # Wait for permissions to propagate test.cmd('az dataprotection backup-instance validate-for-backup -g "{rg}" --vault-name "{vaultName}" --backup-instance "{backup_instance_json}"', checks=[ test.check('objectType', 'OperationJobExtendedInfo') @@ -157,7 +156,7 @@ def assign_permissions_and_validate(test): test.check('objectType', 'OperationJobExtendedInfo') ]) - # uncomment when running live, run only in record mode - reset firewall rule + # run only in record mode - reset firewall rule # test.cmd('az postgres server firewall-rule delete -g "{serverrgname}" -s "{ossserver}" -n AllowAllWindowsAzureIps --yes') diff --git a/src/dataprotection/azext_dataprotection/manual/version.py b/src/dataprotection/azext_dataprotection/manual/version.py index d6cf51346e9..285e6f14af5 100644 --- a/src/dataprotection/azext_dataprotection/manual/version.py +++ b/src/dataprotection/azext_dataprotection/manual/version.py @@ -8,4 +8,4 @@ # regenerated. # -------------------------------------------------------------------------- -VERSION = "0.7.0" +VERSION = "0.6.0" diff --git a/src/dataprotection/azext_dataprotection/tests/latest/recordings/test_dataprotection_Scenario.yaml b/src/dataprotection/azext_dataprotection/tests/latest/recordings/test_dataprotection_Scenario.yaml index 1fddda56f74..4e245a45000 100644 --- a/src/dataprotection/azext_dataprotection/tests/latest/recordings/test_dataprotection_Scenario.yaml +++ b/src/dataprotection/azext_dataprotection/tests/latest/recordings/test_dataprotection_Scenario.yaml @@ -1,8 +1,7 @@ interactions: - request: body: '{"identity": {"type": "SystemAssigned"}, "location": "centraluseuap", "properties": - {"securitySettings": {"softDeleteSettings": {"state": "Off"}}, "storageSettings": - [{"datastoreType": "VaultStore", "type": "LocallyRedundant"}]}}' + {"storageSettings": [{"datastoreType": "VaultStore", "type": "LocallyRedundant"}]}}' headers: Accept: - application/json @@ -13,29 +12,29 @@ interactions: Connection: - keep-alive Content-Length: - - '229' + - '167' Content-Type: - application/json ParameterSetName: - - -g --vault-name -l --storage-settings --type --soft-delete-state + - -g --vault-name -l --storage-settings --type User-Agent: - - AZURECLI/2.45.0 (PIP) (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1?api-version=2022-12-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault?api-version=2022-05-01 response: body: - string: '{"location":"centraluseuap","identity":{"type":"SystemAssigned","principalId":"41753b57-b4fa-4774-80aa-414a3af0f706","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"properties":{"provisioningState":"Provisioning","storageSettings":[{"datastoreType":"VaultStore","type":"LocallyRedundant"}],"isVaultProtectedByResourceGuard":false,"securitySettings":{"softDeleteSettings":{"state":"Off","retentionDurationInDays":0.0}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1","name":"cli-test-new-vault1","type":"Microsoft.DataProtection/backupVaults"}' + string: '{"location":"centraluseuap","properties":{"provisioningState":"Provisioning","storageSettings":[{"datastoreType":"VaultStore","type":"LocallyRedundant"}],"isVaultProtectedByResourceGuard":false},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault","name":"cli-test-new-vault","type":"Microsoft.DataProtection/backupVaults"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzA2ZWNjMjU4LWRhMWYtNGZjNS04YjRhLWNiZmI5Y2JjMGJhMg==?api-version=2022-12-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2E3NzBlNGUzLTExMjAtNDRmOS05YTUwLWRkNGViNzg0YjdhMQ==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '651' + - '421' content-type: - application/json date: - - Mon, 13 Feb 2023 07:30:30 GMT + - Mon, 05 Sep 2022 11:45:46 GMT expires: - '-1' pragma: @@ -47,7 +46,7 @@ interactions: x-content-type-options: - nosniff x-ms-arm-resource-system-data: - - '{"createdBy":"zubairabid@microsoft.com","createdByType":"User","createdAt":"2023-02-13T07:30:29.6423096Z","lastModifiedBy":"zubairabid@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-13T07:30:29.6423096Z"}' + - '{"createdBy":"akneema@microsoft.com","createdByType":"User","createdAt":"2022-09-05T11:45:41.9786222Z","lastModifiedBy":"akneema@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-05T11:45:41.9786222Z"}' x-ms-ratelimit-remaining-subscription-resource-requests: - '99' x-powered-by: @@ -67,23 +66,23 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g --vault-name -l --storage-settings --type --soft-delete-state + - -g --vault-name -l --storage-settings --type User-Agent: - - AZURECLI/2.45.0 (PIP) (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzA2ZWNjMjU4LWRhMWYtNGZjNS04YjRhLWNiZmI5Y2JjMGJhMg==?api-version=2022-12-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2E3NzBlNGUzLTExMjAtNDRmOS05YTUwLWRkNGViNzg0YjdhMQ==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzA2ZWNjMjU4LWRhMWYtNGZjNS04YjRhLWNiZmI5Y2JjMGJhMg==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzA2ZWNjMjU4LWRhMWYtNGZjNS04YjRhLWNiZmI5Y2JjMGJhMg==","status":"Succeeded","startTime":"2023-02-13T07:30:30.6839253Z","endTime":"2023-02-13T07:30:31Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2E3NzBlNGUzLTExMjAtNDRmOS05YTUwLWRkNGViNzg0YjdhMQ==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2E3NzBlNGUzLTExMjAtNDRmOS05YTUwLWRkNGViNzg0YjdhMQ==","status":"Succeeded","startTime":"2022-09-05T11:45:45.9303448Z","endTime":"2022-09-05T11:45:47Z"}' headers: cache-control: - no-cache content-length: - - '477' + - '476' content-type: - application/json date: - - Mon, 13 Feb 2023 07:30:40 GMT + - Mon, 05 Sep 2022 11:45:57 GMT expires: - '-1' pragma: @@ -99,7 +98,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '999' + - '996' x-powered-by: - ASP.NET status: @@ -117,23 +116,23 @@ interactions: Connection: - keep-alive ParameterSetName: - - -g --vault-name -l --storage-settings --type --soft-delete-state + - -g --vault-name -l --storage-settings --type User-Agent: - - AZURECLI/2.45.0 (PIP) (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1?api-version=2022-12-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault?api-version=2022-05-01 response: body: - string: '{"location":"centraluseuap","identity":{"type":"SystemAssigned","principalId":"41753b57-b4fa-4774-80aa-414a3af0f706","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"properties":{"provisioningState":"Succeeded","storageSettings":[{"datastoreType":"VaultStore","type":"LocallyRedundant"}],"isVaultProtectedByResourceGuard":false,"securitySettings":{"softDeleteSettings":{"state":"Off","retentionDurationInDays":0.0}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1","name":"cli-test-new-vault1","type":"Microsoft.DataProtection/backupVaults"}' + string: '{"location":"centraluseuap","identity":{"type":"SystemAssigned","principalId":"f41bd262-eb21-47f1-9706-f12132d865e3","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"properties":{"provisioningState":"Succeeded","storageSettings":[{"datastoreType":"VaultStore","type":"LocallyRedundant"}],"isVaultProtectedByResourceGuard":false},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault","name":"cli-test-new-vault","type":"Microsoft.DataProtection/backupVaults"}' headers: cache-control: - no-cache content-length: - - '648' + - '558' content-type: - application/json date: - - Mon, 13 Feb 2023 07:30:40 GMT + - Mon, 05 Sep 2022 11:45:58 GMT expires: - '-1' pragma: @@ -149,14 +148,15 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '499' + - '498' x-powered-by: - ASP.NET status: code: 200 message: OK - request: - body: null + body: '{"properties": {"monitoringSettings": {"azureMonitorAlertSettings": {"alertsForAllJobFailures": + "Enabled"}}}}' headers: Accept: - application/json @@ -166,24 +166,28 @@ interactions: - dataprotection backup-vault update Connection: - keep-alive + Content-Length: + - '109' + Content-Type: + - application/json ParameterSetName: - -g --vault-name --azure-monitor-alerts-for-job-failures User-Agent: - - AZURECLI/2.45.0 (PIP) (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1?api-version=2022-12-01 + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + method: PATCH + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault?api-version=2022-05-01 response: body: - string: '{"location":"centraluseuap","identity":{"type":"SystemAssigned","principalId":"41753b57-b4fa-4774-80aa-414a3af0f706","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"properties":{"provisioningState":"Succeeded","storageSettings":[{"datastoreType":"VaultStore","type":"LocallyRedundant"}],"isVaultProtectedByResourceGuard":false,"securitySettings":{"softDeleteSettings":{"state":"Off","retentionDurationInDays":0.0}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1","name":"cli-test-new-vault1","type":"Microsoft.DataProtection/backupVaults"}' + string: '{"location":"centraluseuap","identity":{"type":"SystemAssigned","principalId":"f41bd262-eb21-47f1-9706-f12132d865e3","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"properties":{"provisioningState":"Succeeded","storageSettings":[{"datastoreType":"VaultStore","type":"LocallyRedundant"}],"isVaultProtectedByResourceGuard":false,"monitoringSettings":{"azureMonitorAlertSettings":{"alertsForAllJobFailures":"Enabled"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault","name":"cli-test-new-vault","type":"Microsoft.DataProtection/backupVaults"}' headers: cache-control: - no-cache content-length: - - '648' + - '647' content-type: - application/json date: - - Mon, 13 Feb 2023 07:30:43 GMT + - Mon, 05 Sep 2022 11:46:02 GMT expires: - '-1' pragma: @@ -198,19 +202,18 @@ interactions: - Accept-Encoding x-content-type-options: - nosniff + x-ms-arm-resource-system-data: + - '{"lastModifiedBy":"akneema@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-05T11:46:01.2697653Z"}' x-ms-ratelimit-remaining-subscription-resource-requests: - - '498' + - '99' x-powered-by: - ASP.NET status: code: 200 message: OK - request: - body: '{"identity": {"type": "SystemAssigned"}, "location": "centraluseuap", "properties": - {"monitoringSettings": {"azureMonitorAlertSettings": {"alertsForAllJobFailures": - "Enabled"}}, "securitySettings": {"softDeleteSettings": {"retentionDurationInDays": - 0.0, "state": "Off"}}, "storageSettings": [{"datastoreType": "VaultStore", "type": - "LocallyRedundant"}]}}' + body: '{"properties": {"monitoringSettings": {"azureMonitorAlertSettings": {"alertsForAllJobFailures": + "Disabled"}}}}' headers: Accept: - application/json @@ -221,29 +224,27 @@ interactions: Connection: - keep-alive Content-Length: - - '354' + - '110' Content-Type: - application/json ParameterSetName: - -g --vault-name --azure-monitor-alerts-for-job-failures User-Agent: - - AZURECLI/2.45.0 (PIP) (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1?api-version=2022-12-01 + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + method: PATCH + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault?api-version=2022-05-01 response: body: - string: '{"location":"centraluseuap","identity":{"type":"SystemAssigned","principalId":"41753b57-b4fa-4774-80aa-414a3af0f706","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"properties":{"provisioningState":"Updating","storageSettings":[{"datastoreType":"VaultStore","type":"LocallyRedundant"}],"isVaultProtectedByResourceGuard":false,"monitoringSettings":{"azureMonitorAlertSettings":{"alertsForAllJobFailures":"Enabled"}},"securitySettings":{"softDeleteSettings":{"state":"Off","retentionDurationInDays":0.0}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1","name":"cli-test-new-vault1","type":"Microsoft.DataProtection/backupVaults"}' + string: '{"location":"centraluseuap","identity":{"type":"SystemAssigned","principalId":"f41bd262-eb21-47f1-9706-f12132d865e3","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"properties":{"provisioningState":"Succeeded","storageSettings":[{"datastoreType":"VaultStore","type":"LocallyRedundant"}],"isVaultProtectedByResourceGuard":false,"monitoringSettings":{"azureMonitorAlertSettings":{"alertsForAllJobFailures":"Disabled"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault","name":"cli-test-new-vault","type":"Microsoft.DataProtection/backupVaults"}' headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2IwNmYzZDc5LTY5MGYtNGMxNS04ZmVkLTcxNTdhNzhiY2Q4Yw==?api-version=2022-12-01 cache-control: - no-cache content-length: - - '736' + - '648' content-type: - application/json date: - - Mon, 13 Feb 2023 07:30:43 GMT + - Mon, 05 Sep 2022 11:46:06 GMT expires: - '-1' pragma: @@ -252,67 +253,125 @@ interactions: - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding x-content-type-options: - nosniff x-ms-arm-resource-system-data: - - '{"lastModifiedBy":"zubairabid@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-13T07:30:43.4921977Z"}' + - '{"lastModifiedBy":"akneema@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-05T11:46:05.0726517Z"}' x-ms-ratelimit-remaining-subscription-resource-requests: - - '98' + - '99' x-powered-by: - ASP.NET status: - code: 201 - message: Created + code: 200 + message: OK - request: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-vault update + - disk create Connection: - keep-alive ParameterSetName: - - -g --vault-name --azure-monitor-alerts-for-job-failures + - -g -n --size-gb User-Agent: - - AZURECLI/2.45.0 (PIP) (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2IwNmYzZDc5LTY5MGYtNGMxNS04ZmVkLTcxNTdhNzhiY2Q4Yw==?api-version=2022-12-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg?api-version=2021-04-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2IwNmYzZDc5LTY5MGYtNGMxNS04ZmVkLTcxNTdhNzhiY2Q4Yw==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2IwNmYzZDc5LTY5MGYtNGMxNS04ZmVkLTcxNTdhNzhiY2Q4Yw==","status":"Succeeded","startTime":"2023-02-13T07:30:43.6990429Z","endTime":"2023-02-13T07:30:44Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","name":"sarath-rg","type":"Microsoft.Resources/resourceGroups","location":"centraluseuap","tags":{},"properties":{"provisioningState":"Succeeded"}}' headers: cache-control: - no-cache content-length: - - '477' + - '232' content-type: - - application/json + - application/json; charset=utf-8 date: - - Mon, 13 Feb 2023 07:30:54 GMT + - Mon, 05 Sep 2022 11:46:07 GMT expires: - '-1' pragma: - no-cache - server: - - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked vary: - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '998' - x-powered-by: - - ASP.NET status: code: 200 message: OK +- request: + body: '{"location": "centraluseuap", "tags": {}, "sku": {"name": "Premium_LRS"}, + "properties": {"hyperVGeneration": "V1", "creationData": {"createOption": "Empty"}, + "diskSizeGB": 4}}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - disk create + Connection: + - keep-alive + Content-Length: + - '175' + Content-Type: + - application/json + ParameterSetName: + - -g -n --size-gb + User-Agent: + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-compute/27.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new?api-version=2022-03-02 + response: + body: + string: "{\r\n \"name\": \"cli-test-disk-new\",\r\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new\",\r\n + \ \"location\": \"centraluseuap\",\r\n \"tags\": {},\r\n \"sku\": {\r\n + \ \"name\": \"Premium_LRS\"\r\n },\r\n \"properties\": {\r\n \"hyperVGeneration\": + \"V1\",\r\n \"creationData\": {\r\n \"createOption\": \"Empty\"\r\n + \ },\r\n \"diskSizeGB\": 4,\r\n \"provisioningState\": \"Updating\",\r\n + \ \"isArmResource\": true\r\n }\r\n}" + headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/centraluseuap/DiskOperations/523cf947-1134-4b7b-a364-21ace2fdd32f?p=814d4482-f746-4961-be2b-b822c13856d2&api-version=2022-03-02 + cache-control: + - no-cache + content-length: + - '473' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 05 Sep 2022 11:46:14 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/centraluseuap/DiskOperations/523cf947-1134-4b7b-a364-21ace2fdd32f?p=814d4482-f746-4961-be2b-b822c13856d2&monitor=true&api-version=2022-03-02 + pragma: + - no-cache + server: + - Microsoft-HTTPAPI/2.0 + - Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-resource: + - Microsoft.Compute/CreateUpdateDisks3Min;999,Microsoft.Compute/CreateUpdateDisks30Min;7998 + x-ms-ratelimit-remaining-subscription-writes: + - '1199' + status: + code: 202 + message: Accepted - request: body: null headers: @@ -321,33 +380,48 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-vault update + - disk create Connection: - keep-alive ParameterSetName: - - -g --vault-name --azure-monitor-alerts-for-job-failures + - -g -n --size-gb User-Agent: - - AZURECLI/2.45.0 (PIP) (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-compute/27.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1?api-version=2022-12-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/centraluseuap/DiskOperations/523cf947-1134-4b7b-a364-21ace2fdd32f?p=814d4482-f746-4961-be2b-b822c13856d2&api-version=2022-03-02 response: body: - string: '{"location":"centraluseuap","identity":{"type":"SystemAssigned","principalId":"41753b57-b4fa-4774-80aa-414a3af0f706","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"properties":{"provisioningState":"Succeeded","storageSettings":[{"datastoreType":"VaultStore","type":"LocallyRedundant"}],"isVaultProtectedByResourceGuard":false,"monitoringSettings":{"azureMonitorAlertSettings":{"alertsForAllJobFailures":"Enabled"}},"securitySettings":{"softDeleteSettings":{"state":"Off","retentionDurationInDays":0.0}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1","name":"cli-test-new-vault1","type":"Microsoft.DataProtection/backupVaults"}' + string: "{\r\n \"startTime\": \"2022-09-05T11:46:13.9833821+00:00\",\r\n \"endTime\": + \"2022-09-05T11:46:14.0933811+00:00\",\r\n \"status\": \"Succeeded\",\r\n + \ \"properties\": {\r\n \"output\": {\r\n \"name\": \"cli-test-disk-new\",\r\n + \ \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new\",\r\n + \ \"type\": \"Microsoft.Compute/disks\",\r\n \"location\": \"centraluseuap\",\r\n + \ \"tags\": {},\r\n \"sku\": {\r\n \"name\": \"Premium_LRS\",\r\n \"tier\": + \"Premium\"\r\n },\r\n \"properties\": {\r\n \"hyperVGeneration\": \"V1\",\r\n + \ \"creationData\": {\r\n \"createOption\": \"Empty\"\r\n },\r\n + \ \"diskSizeGB\": 4,\r\n \"diskIOPSReadWrite\": 120,\r\n \"diskMBpsReadWrite\": + 25,\r\n \"encryption\": {\r\n \"type\": \"EncryptionAtRestWithPlatformKey\"\r\n + \ },\r\n \"networkAccessPolicy\": \"AllowAll\",\r\n \"publicNetworkAccess\": + \"Enabled\",\r\n \"timeCreated\": \"2022-09-05T11:46:13.9833821+00:00\",\r\n + \ \"provisioningState\": \"Succeeded\",\r\n \"diskState\": \"Unattached\",\r\n + \ \"diskSizeBytes\": 4294967296,\r\n \"uniqueId\": \"3173eb4b-b646-456a-aeee-7caec3322627\",\r\n + \ \"tier\": \"P1\"\r\n }\r\n}\r\n },\r\n \"name\": \"523cf947-1134-4b7b-a364-21ace2fdd32f\"\r\n}" headers: cache-control: - no-cache content-length: - - '737' + - '1150' content-type: - - application/json + - application/json; charset=utf-8 date: - - Mon, 13 Feb 2023 07:30:54 GMT + - Mon, 05 Sep 2022 11:46:16 GMT expires: - '-1' pragma: - no-cache server: - - Microsoft-IIS/10.0 + - Microsoft-HTTPAPI/2.0 + - Microsoft-HTTPAPI/2.0 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -356,10 +430,8 @@ interactions: - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '497' - x-powered-by: - - ASP.NET + x-ms-ratelimit-remaining-resource: + - Microsoft.Compute/GetOperation3Min;49999,Microsoft.Compute/GetOperation30Min;399969 status: code: 200 message: OK @@ -367,37 +439,49 @@ interactions: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-vault update + - disk create Connection: - keep-alive ParameterSetName: - - -g --vault-name --azure-monitor-alerts-for-job-failures + - -g -n --size-gb User-Agent: - - AZURECLI/2.45.0 (PIP) (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-compute/27.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1?api-version=2022-12-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new?api-version=2022-03-02 response: body: - string: '{"location":"centraluseuap","identity":{"type":"SystemAssigned","principalId":"41753b57-b4fa-4774-80aa-414a3af0f706","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"properties":{"provisioningState":"Succeeded","storageSettings":[{"datastoreType":"VaultStore","type":"LocallyRedundant"}],"isVaultProtectedByResourceGuard":false,"monitoringSettings":{"azureMonitorAlertSettings":{"alertsForAllJobFailures":"Enabled"}},"securitySettings":{"softDeleteSettings":{"state":"Off","retentionDurationInDays":0.0}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1","name":"cli-test-new-vault1","type":"Microsoft.DataProtection/backupVaults"}' + string: "{\r\n \"name\": \"cli-test-disk-new\",\r\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new\",\r\n + \ \"type\": \"Microsoft.Compute/disks\",\r\n \"location\": \"centraluseuap\",\r\n + \ \"tags\": {},\r\n \"sku\": {\r\n \"name\": \"Premium_LRS\",\r\n \"tier\": + \"Premium\"\r\n },\r\n \"properties\": {\r\n \"hyperVGeneration\": \"V1\",\r\n + \ \"creationData\": {\r\n \"createOption\": \"Empty\"\r\n },\r\n + \ \"diskSizeGB\": 4,\r\n \"diskIOPSReadWrite\": 120,\r\n \"diskMBpsReadWrite\": + 25,\r\n \"encryption\": {\r\n \"type\": \"EncryptionAtRestWithPlatformKey\"\r\n + \ },\r\n \"networkAccessPolicy\": \"AllowAll\",\r\n \"publicNetworkAccess\": + \"Enabled\",\r\n \"timeCreated\": \"2022-09-05T11:46:13.9833821+00:00\",\r\n + \ \"provisioningState\": \"Succeeded\",\r\n \"diskState\": \"Unattached\",\r\n + \ \"diskSizeBytes\": 4294967296,\r\n \"uniqueId\": \"3173eb4b-b646-456a-aeee-7caec3322627\",\r\n + \ \"tier\": \"P1\"\r\n }\r\n}" headers: cache-control: - no-cache content-length: - - '737' + - '925' content-type: - - application/json + - application/json; charset=utf-8 date: - - Mon, 13 Feb 2023 07:30:55 GMT + - Mon, 05 Sep 2022 11:46:16 GMT expires: - '-1' pragma: - no-cache server: - - Microsoft-IIS/10.0 + - Microsoft-HTTPAPI/2.0 + - Microsoft-HTTPAPI/2.0 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -406,71 +490,62 @@ interactions: - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '497' - x-powered-by: - - ASP.NET + x-ms-ratelimit-remaining-resource: + - Microsoft.Compute/LowCostGet3Min;14999,Microsoft.Compute/LowCostGet30Min;119857 status: code: 200 message: OK - request: - body: '{"identity": {"type": "SystemAssigned"}, "location": "centraluseuap", "properties": - {"monitoringSettings": {"azureMonitorAlertSettings": {"alertsForAllJobFailures": - "Disabled"}}, "securitySettings": {"softDeleteSettings": {"retentionDurationInDays": - 0.0, "state": "Off"}}, "storageSettings": [{"datastoreType": "VaultStore", "type": - "LocallyRedundant"}]}}' + body: '{"sku": {"name": "Standard_RAGRS"}, "kind": "StorageV2", "location": "centraluseuap", + "properties": {"encryption": {"services": {"blob": {}}, "keySource": "Microsoft.Storage"}}}' headers: Accept: - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-vault update + - storage account create Connection: - keep-alive Content-Length: - - '355' + - '177' Content-Type: - application/json ParameterSetName: - - -g --vault-name --azure-monitor-alerts-for-job-failures + - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1?api-version=2022-12-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount?api-version=2022-05-01 response: body: - string: '{"location":"centraluseuap","identity":{"type":"SystemAssigned","principalId":"41753b57-b4fa-4774-80aa-414a3af0f706","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"properties":{"provisioningState":"Updating","storageSettings":[{"datastoreType":"VaultStore","type":"LocallyRedundant"}],"isVaultProtectedByResourceGuard":false,"monitoringSettings":{"azureMonitorAlertSettings":{"alertsForAllJobFailures":"Disabled"}},"securitySettings":{"softDeleteSettings":{"state":"Off","retentionDurationInDays":0.0}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1","name":"cli-test-new-vault1","type":"Microsoft.DataProtection/backupVaults"}' + string: '' headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzE3ZWVlZDQ0LWM4YmEtNGZkYS05ODg4LTk0ZTU0MzQ1NjgwZQ==?api-version=2022-12-01 cache-control: - no-cache content-length: - - '737' + - '0' content-type: - - application/json + - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:30:56 GMT + - Mon, 05 Sep 2022 11:46:29 GMT expires: - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: - - Microsoft-IIS/10.0 + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 strict-transport-security: - max-age=31536000; includeSubDomains x-content-type-options: - nosniff - x-ms-arm-resource-system-data: - - '{"lastModifiedBy":"zubairabid@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-13T07:30:56.6021207Z"}' - x-ms-ratelimit-remaining-subscription-resource-requests: - - '98' - x-powered-by: - - ASP.NET + x-ms-ratelimit-remaining-subscription-writes: + - '1198' status: - code: 201 - message: Created + code: 202 + message: Accepted - request: body: null headers: @@ -479,48 +554,42 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-vault update + - storage account create Connection: - keep-alive ParameterSetName: - - -g --vault-name --azure-monitor-alerts-for-job-failures + - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzE3ZWVlZDQ0LWM4YmEtNGZkYS05ODg4LTk0ZTU0MzQ1NjgwZQ==?api-version=2022-12-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzE3ZWVlZDQ0LWM4YmEtNGZkYS05ODg4LTk0ZTU0MzQ1NjgwZQ==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzE3ZWVlZDQ0LWM4YmEtNGZkYS05ODg4LTk0ZTU0MzQ1NjgwZQ==","status":"Succeeded","startTime":"2023-02-13T07:30:56.8720508Z","endTime":"2023-02-13T07:30:57Z"}' + string: '' headers: cache-control: - no-cache content-length: - - '477' + - '0' content-type: - - application/json + - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:31:07 GMT + - Mon, 05 Sep 2022 11:46:46 GMT expires: - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: - - Microsoft-IIS/10.0 + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 strict-transport-security: - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '998' - x-powered-by: - - ASP.NET status: - code: 200 - message: OK + code: 202 + message: Accepted - request: body: null headers: @@ -529,151 +598,127 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-vault update + - storage account create Connection: - keep-alive ParameterSetName: - - -g --vault-name --azure-monitor-alerts-for-job-failures + - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1?api-version=2022-12-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: - string: '{"location":"centraluseuap","identity":{"type":"SystemAssigned","principalId":"41753b57-b4fa-4774-80aa-414a3af0f706","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"properties":{"provisioningState":"Succeeded","storageSettings":[{"datastoreType":"VaultStore","type":"LocallyRedundant"}],"isVaultProtectedByResourceGuard":false,"monitoringSettings":{"azureMonitorAlertSettings":{"alertsForAllJobFailures":"Disabled"}},"securitySettings":{"softDeleteSettings":{"state":"Off","retentionDurationInDays":0.0}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1","name":"cli-test-new-vault1","type":"Microsoft.DataProtection/backupVaults"}' + string: '' headers: cache-control: - no-cache content-length: - - '738' + - '0' content-type: - - application/json + - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:31:07 GMT + - Mon, 05 Sep 2022 11:46:50 GMT expires: - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: - - Microsoft-IIS/10.0 + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 strict-transport-security: - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '496' - x-powered-by: - - ASP.NET status: - code: 200 - message: OK + code: 202 + message: Accepted - request: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - disk create + - storage account create Connection: - keep-alive ParameterSetName: - - -g -n --size-gb + - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg?api-version=2021-04-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","name":"sarath-rg","type":"Microsoft.Resources/resourceGroups","location":"centraluseuap","tags":{},"properties":{"provisioningState":"Succeeded"}}' + string: '' headers: cache-control: - no-cache content-length: - - '232' + - '0' content-type: - - application/json; charset=utf-8 + - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:31:09 GMT + - Mon, 05 Sep 2022 11:46:53 GMT expires: - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache + server: + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 strict-transport-security: - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding x-content-type-options: - nosniff status: - code: 200 - message: OK + code: 202 + message: Accepted - request: - body: '{"location": "centraluseuap", "tags": {}, "sku": {"name": "Premium_LRS"}, - "properties": {"hyperVGeneration": "V1", "creationData": {"createOption": "Empty"}, - "diskSizeGB": 4}}' + body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - disk create + - storage account create Connection: - keep-alive - Content-Length: - - '175' - Content-Type: - - application/json ParameterSetName: - - -g -n --size-gb + - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-compute/29.1.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1?api-version=2022-07-02 + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: - string: "{\r\n \"name\": \"cli-test-disk-new1\",\r\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1\"\ - ,\r\n \"type\": \"Microsoft.Compute/disks\",\r\n \"location\": \"centraluseuap\"\ - ,\r\n \"tags\": {},\r\n \"sku\": {\r\n \"name\": \"Premium_LRS\"\r\n\ - \ },\r\n \"properties\": {\r\n \"hyperVGeneration\": \"V1\",\r\n \"\ - creationData\": {\r\n \"createOption\": \"Empty\"\r\n },\r\n \"\ - diskSizeGB\": 4,\r\n \"provisioningState\": \"Updating\"\r\n }\r\n}" + string: '' headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/centraluseuap/DiskOperations/1be34327-84e0-49f6-92f3-6b3bc936c905?p=814d4482-f746-4961-be2b-b822c13856d2&api-version=2022-07-02 cache-control: - no-cache content-length: - - '485' + - '0' content-type: - - application/json; charset=utf-8 + - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:31:10 GMT + - Mon, 05 Sep 2022 11:46:56 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/centraluseuap/DiskOperations/1be34327-84e0-49f6-92f3-6b3bc936c905?p=814d4482-f746-4961-be2b-b822c13856d2&monitor=true&api-version=2022-07-02 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: - - Microsoft-HTTPAPI/2.0 - - Microsoft-HTTPAPI/2.0 + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 strict-transport-security: - max-age=31536000; includeSubDomains x-content-type-options: - nosniff - x-ms-ratelimit-remaining-resource: - - Microsoft.Compute/CreateUpdateDisks3Min;999,Microsoft.Compute/CreateUpdateDisks30Min;7998 - x-ms-ratelimit-remaining-subscription-writes: - - '1196' status: code: 202 message: Accepted @@ -685,64 +730,42 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - disk create + - storage account create Connection: - keep-alive ParameterSetName: - - -g -n --size-gb + - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-compute/29.1.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/centraluseuap/DiskOperations/1be34327-84e0-49f6-92f3-6b3bc936c905?p=814d4482-f746-4961-be2b-b822c13856d2&api-version=2022-07-02 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: - string: "{\r\n \"startTime\": \"2023-02-13T07:31:11.5111875+00:00\",\r\n \"\ - endTime\": \"2023-02-13T07:31:11.6049407+00:00\",\r\n \"status\": \"Succeeded\"\ - ,\r\n \"properties\": {\r\n \"output\": {\r\n \"name\": \"cli-test-disk-new1\"\ - ,\r\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1\"\ - ,\r\n \"type\": \"Microsoft.Compute/disks\",\r\n \"location\": \"centraluseuap\"\ - ,\r\n \"tags\": {},\r\n \"sku\": {\r\n \"name\": \"Premium_LRS\",\r\n\ - \ \"tier\": \"Premium\"\r\n },\r\n \"properties\": {\r\n \"hyperVGeneration\"\ - : \"V1\",\r\n \"creationData\": {\r\n \"createOption\": \"Empty\"\r\ - \n },\r\n \"diskSizeGB\": 4,\r\n \"diskIOPSReadWrite\": 120,\r\n\ - \ \"diskMBpsReadWrite\": 25,\r\n \"encryption\": {\r\n \"type\"\ - : \"EncryptionAtRestWithPlatformKey\"\r\n },\r\n \"networkAccessPolicy\"\ - : \"AllowAll\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"timeCreated\"\ - : \"2023-02-13T07:31:11.5111875+00:00\",\r\n \"provisioningState\": \"\ - Succeeded\",\r\n \"diskState\": \"Unattached\",\r\n \"diskSizeBytes\"\ - : 4294967296,\r\n \"uniqueId\": \"0f956122-7e6a-4b99-a310-0a24ed5d7e37\"\ - ,\r\n \"tier\": \"P1\"\r\n }\r\n}\r\n },\r\n \"name\": \"1be34327-84e0-49f6-92f3-6b3bc936c905\"\ - \r\n}" + string: '' headers: cache-control: - no-cache content-length: - - '1152' + - '0' content-type: - - application/json; charset=utf-8 + - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:31:13 GMT + - Mon, 05 Sep 2022 11:47:00 GMT expires: - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: - - Microsoft-HTTPAPI/2.0 - - Microsoft-HTTPAPI/2.0 + - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 strict-transport-security: - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-resource: - - Microsoft.Compute/GetOperation3Min;49997,Microsoft.Compute/GetOperation30Min;399936 status: - code: 200 - message: OK + code: 202 + message: Accepted - request: body: null headers: @@ -751,83 +774,15 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - disk create - Connection: - - keep-alive - ParameterSetName: - - -g -n --size-gb - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-compute/29.1.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1?api-version=2022-07-02 - response: - body: - string: "{\r\n \"name\": \"cli-test-disk-new1\",\r\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1\"\ - ,\r\n \"type\": \"Microsoft.Compute/disks\",\r\n \"location\": \"centraluseuap\"\ - ,\r\n \"tags\": {},\r\n \"sku\": {\r\n \"name\": \"Premium_LRS\",\r\n\ - \ \"tier\": \"Premium\"\r\n },\r\n \"properties\": {\r\n \"hyperVGeneration\"\ - : \"V1\",\r\n \"creationData\": {\r\n \"createOption\": \"Empty\"\r\ - \n },\r\n \"diskSizeGB\": 4,\r\n \"diskIOPSReadWrite\": 120,\r\n\ - \ \"diskMBpsReadWrite\": 25,\r\n \"encryption\": {\r\n \"type\"\ - : \"EncryptionAtRestWithPlatformKey\"\r\n },\r\n \"networkAccessPolicy\"\ - : \"AllowAll\",\r\n \"publicNetworkAccess\": \"Enabled\",\r\n \"timeCreated\"\ - : \"2023-02-13T07:31:11.5111875+00:00\",\r\n \"provisioningState\": \"\ - Succeeded\",\r\n \"diskState\": \"Unattached\",\r\n \"diskSizeBytes\"\ - : 4294967296,\r\n \"uniqueId\": \"0f956122-7e6a-4b99-a310-0a24ed5d7e37\"\ - ,\r\n \"tier\": \"P1\"\r\n }\r\n}" - headers: - cache-control: - - no-cache - content-length: - - '927' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:31:13 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-HTTPAPI/2.0 - - Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-resource: - - Microsoft.Compute/LowCostGet3Min;14995,Microsoft.Compute/LowCostGet30Min;119863 - status: - code: 200 - message: OK -- request: - body: '{"sku": {"name": "Standard_RAGRS"}, "kind": "StorageV2", "location": "centraluseuap", - "properties": {"encryption": {"services": {"blob": {}}, "keySource": "Microsoft.Storage"}}}' - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - storage account create Connection: - keep-alive - Content-Length: - - '177' - Content-Type: - - application/json ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount?api-version=2022-09-01 + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: string: '' @@ -839,11 +794,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:31:18 GMT + - Mon, 05 Sep 2022 11:47:03 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: @@ -852,8 +807,6 @@ interactions: - max-age=31536000; includeSubDomains x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1195' status: code: 202 message: Accepted @@ -871,10 +824,9 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: string: '' @@ -886,11 +838,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:31:35 GMT + - Mon, 05 Sep 2022 11:47:06 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: @@ -916,10 +868,9 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: string: '' @@ -931,11 +882,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:31:39 GMT + - Mon, 05 Sep 2022 11:47:10 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: @@ -961,10 +912,9 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: string: '' @@ -976,11 +926,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:31:42 GMT + - Mon, 05 Sep 2022 11:47:13 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: @@ -1006,10 +956,9 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: string: '' @@ -1021,11 +970,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:31:45 GMT + - Mon, 05 Sep 2022 11:47:16 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: @@ -1051,10 +1000,9 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: string: '' @@ -1066,11 +1014,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:31:49 GMT + - Mon, 05 Sep 2022 11:47:19 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: @@ -1096,10 +1044,9 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: string: '' @@ -1111,11 +1058,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:31:52 GMT + - Mon, 05 Sep 2022 11:47:22 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: @@ -1141,10 +1088,9 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: string: '' @@ -1156,11 +1102,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:31:55 GMT + - Mon, 05 Sep 2022 11:47:27 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: @@ -1186,10 +1132,9 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: string: '' @@ -1201,11 +1146,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:31:59 GMT + - Mon, 05 Sep 2022 11:47:30 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: @@ -1231,10 +1176,9 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: string: '' @@ -1246,11 +1190,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:32:02 GMT + - Mon, 05 Sep 2022 11:47:33 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: @@ -1276,10 +1220,9 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: string: '' @@ -1291,11 +1234,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:32:06 GMT + - Mon, 05 Sep 2022 11:47:36 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: @@ -1321,10 +1264,9 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: string: '' @@ -1336,11 +1278,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:32:09 GMT + - Mon, 05 Sep 2022 11:47:40 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: @@ -1366,10 +1308,9 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: string: '' @@ -1381,11 +1322,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:32:12 GMT + - Mon, 05 Sep 2022 11:47:43 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: @@ -1411,10 +1352,9 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: string: '' @@ -1426,11 +1366,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:32:15 GMT + - Mon, 05 Sep 2022 11:47:46 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: @@ -1456,10 +1396,9 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: string: '' @@ -1471,11 +1410,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:32:19 GMT + - Mon, 05 Sep 2022 11:47:50 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: @@ -1501,10 +1440,9 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: string: '' @@ -1516,11 +1454,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:32:22 GMT + - Mon, 05 Sep 2022 11:47:53 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: @@ -1546,10 +1484,9 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: string: '' @@ -1561,11 +1498,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:32:25 GMT + - Mon, 05 Sep 2022 11:47:56 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: @@ -1591,10 +1528,9 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: string: '' @@ -1606,11 +1542,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:32:29 GMT + - Mon, 05 Sep 2022 11:47:59 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: @@ -1636,10 +1572,9 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: string: '' @@ -1651,11 +1586,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:32:32 GMT + - Mon, 05 Sep 2022 11:48:03 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: @@ -1681,10 +1616,9 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: string: '' @@ -1696,11 +1630,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:32:35 GMT + - Mon, 05 Sep 2022 11:48:06 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: @@ -1726,10 +1660,9 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: string: '' @@ -1741,11 +1674,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:32:39 GMT + - Mon, 05 Sep 2022 11:48:09 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: @@ -1771,10 +1704,9 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: string: '' @@ -1786,11 +1718,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:32:42 GMT + - Mon, 05 Sep 2022 11:48:13 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: @@ -1816,10 +1748,9 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: string: '' @@ -1831,11 +1762,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:32:45 GMT + - Mon, 05 Sep 2022 11:48:16 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: @@ -1861,10 +1792,9 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: string: '' @@ -1876,11 +1806,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:32:48 GMT + - Mon, 05 Sep 2022 11:48:19 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: @@ -1906,10 +1836,9 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: string: '' @@ -1921,11 +1850,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:32:52 GMT + - Mon, 05 Sep 2022 11:48:22 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: @@ -1951,10 +1880,9 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: string: '' @@ -1966,11 +1894,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:32:55 GMT + - Mon, 05 Sep 2022 11:48:26 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: @@ -1996,10 +1924,9 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: string: '' @@ -2011,11 +1938,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:32:59 GMT + - Mon, 05 Sep 2022 11:48:29 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: @@ -2041,10 +1968,9 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: string: '' @@ -2056,11 +1982,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:33:02 GMT + - Mon, 05 Sep 2022 11:48:33 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: @@ -2086,10 +2012,9 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: string: '' @@ -2101,11 +2026,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:33:05 GMT + - Mon, 05 Sep 2022 11:48:36 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: @@ -2131,10 +2056,9 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: string: '' @@ -2146,11 +2070,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:33:08 GMT + - Mon, 05 Sep 2022 11:48:40 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: @@ -2176,10 +2100,9 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: string: '' @@ -2191,11 +2114,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:33:11 GMT + - Mon, 05 Sep 2022 11:48:43 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: @@ -2221,10 +2144,9 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: string: '' @@ -2236,11 +2158,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:33:15 GMT + - Mon, 05 Sep 2022 11:48:46 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: @@ -2266,10 +2188,9 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: string: '' @@ -2281,11 +2202,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:33:18 GMT + - Mon, 05 Sep 2022 11:48:49 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: @@ -2311,10 +2232,9 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: string: '' @@ -2326,11 +2246,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:33:22 GMT + - Mon, 05 Sep 2022 11:48:52 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: @@ -2356,10 +2276,9 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: string: '' @@ -2371,11 +2290,11 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 07:33:25 GMT + - Mon, 05 Sep 2022 11:48:56 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 pragma: - no-cache server: @@ -2401,4190 +2320,388 @@ interactions: ParameterSetName: - -g -n -l User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/72515c67-6755-453c-8c5f-9ef80cc05adc?monitor=true&api-version=2022-05-01 response: body: - string: '' + string: '{"sku":{"name":"Standard_RAGRS","tier":"Standard"},"kind":"StorageV2","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount","name":"cliteststoreaccount","type":"Microsoft.Storage/storageAccounts","location":"centraluseuap","tags":{},"properties":{"keyCreationTime":{"key1":"2022-09-05T11:46:27.0608097Z","key2":"2022-09-05T11:46:27.0608097Z"},"privateEndpointConnections":[],"minimumTlsVersion":"TLS1_0","allowBlobPublicAccess":true,"networkAcls":{"bypass":"AzureServices","virtualNetworkRules":[],"ipRules":[],"defaultAction":"Allow"},"supportsHttpsTrafficOnly":true,"encryption":{"services":{"file":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-09-05T11:46:27.4358276Z"},"blob":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-09-05T11:46:27.4358276Z"}},"keySource":"Microsoft.Storage"},"accessTier":"Hot","provisioningState":"Succeeded","creationTime":"2022-09-05T11:46:26.9827110Z","primaryEndpoints":{"dfs":"https://cliteststoreaccount.dfs.core.windows.net/","web":"https://cliteststoreaccount.z2.web.core.windows.net/","blob":"https://cliteststoreaccount.blob.core.windows.net/","queue":"https://cliteststoreaccount.queue.core.windows.net/","table":"https://cliteststoreaccount.table.core.windows.net/","file":"https://cliteststoreaccount.file.core.windows.net/"},"primaryLocation":"centraluseuap","statusOfPrimary":"available","secondaryLocation":"eastus2euap","statusOfSecondary":"available","secondaryEndpoints":{"dfs":"https://cliteststoreaccount-secondary.dfs.core.windows.net/","web":"https://cliteststoreaccount-secondary.z2.web.core.windows.net/","blob":"https://cliteststoreaccount-secondary.blob.core.windows.net/","queue":"https://cliteststoreaccount-secondary.queue.core.windows.net/","table":"https://cliteststoreaccount-secondary.table.core.windows.net/"}}}' headers: cache-control: - no-cache content-length: - - '0' + - '1896' content-type: - - text/plain; charset=utf-8 + - application/json date: - - Mon, 13 Feb 2023 07:33:29 GMT + - Mon, 05 Sep 2022 11:48:59 GMT expires: - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 strict-transport-security: - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding x-content-type-options: - nosniff status: - code: 202 - message: Accepted + code: 200 + message: OK - request: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - storage account create + - dataprotection resource-guard create Connection: - keep-alive ParameterSetName: - - -g -n -l + - -g -n User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg?api-version=2021-04-01 response: body: - string: '' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","name":"sarath-rg","type":"Microsoft.Resources/resourceGroups","location":"centraluseuap","tags":{},"properties":{"provisioningState":"Succeeded"}}' headers: cache-control: - no-cache content-length: - - '0' + - '232' content-type: - - text/plain; charset=utf-8 + - application/json; charset=utf-8 date: - - Mon, 13 Feb 2023 07:33:31 GMT + - Mon, 05 Sep 2022 11:49:00 GMT expires: - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 strict-transport-security: - max-age=31536000; includeSubDomains + vary: + - Accept-Encoding x-content-type-options: - nosniff status: - code: 202 - message: Accepted + code: 200 + message: OK - request: - body: null + body: '{"location": "centraluseuap", "properties": {}}' headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - storage account create + - dataprotection resource-guard create Connection: - keep-alive + Content-Length: + - '47' + Content-Type: + - application/json ParameterSetName: - - -g -n -l + - -g -n User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/cli-test-resource-guard?api-version=2022-05-01 response: body: - string: '' + string: '{"location":"centraluseuap","properties":{"provisioningState":"Succeeded","resourceGuardOperations":[{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/delete","requestResourceType":"Microsoft.DataProtection/resourceGuards/deleteProtectedItemRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectedItemRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupPolicies/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectionPolicyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/resourceGuards/deleteResourceGuardProxyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupSecurityPIN/action","requestResourceType":"Microsoft.DataProtection/resourceGuards/getBackupSecurityPINRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupconfig/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/disableSoftDeleteRequests"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupInstances/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupInstances/delete"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete"}],"vaultCriticalOperationExclusionList":[],"allowAutoApprovals":true},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/cli-test-resource-guard","name":"cli-test-resource-guard","type":"Microsoft.DataProtection/resourceGuards"}' headers: cache-control: - no-cache content-length: - - '0' + - '1931' content-type: - - text/plain; charset=utf-8 + - application/json date: - - Mon, 13 Feb 2023 07:33:35 GMT + - Mon, 05 Sep 2022 11:49:11 GMT expires: - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding x-content-type-options: - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '99' + x-powered-by: + - ASP.NET status: - code: 202 - message: Accepted + code: 200 + message: OK - request: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - storage account create + - dataprotection resource-guard list Connection: - keep-alive ParameterSetName: - - -g -n -l + - -g User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards?api-version=2022-05-01 response: body: - string: '' + string: '{"value":[{"location":"centraluseuap","properties":{"provisioningState":"Succeeded","resourceGuardOperations":[{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/delete","requestResourceType":"Microsoft.DataProtection/resourceGuards/deleteProtectedItemRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectedItemRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupPolicies/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectionPolicyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/resourceGuards/deleteResourceGuardProxyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupconfig/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/disableSoftDeleteRequests"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupInstances/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupInstances/delete"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete"}],"vaultCriticalOperationExclusionList":["Microsoft.RecoveryServices/vaults/backupSecurityPIN/action"],"allowAutoApprovals":true},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/akneema-resource-guardd","name":"akneema-resource-guardd","type":"Microsoft.DataProtection/resourceGuards"},{"location":"centraluseuap","properties":{"provisioningState":"Succeeded","resourceGuardOperations":[{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/delete","requestResourceType":"Microsoft.DataProtection/resourceGuards/deleteProtectedItemRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectedItemRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupPolicies/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectionPolicyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/resourceGuards/deleteResourceGuardProxyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupSecurityPIN/action","requestResourceType":"Microsoft.DataProtection/resourceGuards/getBackupSecurityPINRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupconfig/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/disableSoftDeleteRequests"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupInstances/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupInstances/delete"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete"}],"vaultCriticalOperationExclusionList":[],"allowAutoApprovals":true},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/cli-test-resource-guard","name":"cli-test-resource-guard","type":"Microsoft.DataProtection/resourceGuards"}]}' headers: cache-control: - no-cache content-length: - - '0' + - '3754' content-type: - - text/plain; charset=utf-8 + - application/json date: - - Mon, 13 Feb 2023 07:33:38 GMT + - Mon, 05 Sep 2022 11:49:12 GMT expires: - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding x-content-type-options: - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '998' + x-powered-by: + - ASP.NET status: - code: 202 - message: Accepted + code: 200 + message: OK - request: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - storage account create + - dataprotection resource-guard update Connection: - keep-alive ParameterSetName: - - -g -n -l + - -g -n --resource-type --critical-operation-exclusion-list User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/cli-test-resource-guard?api-version=2022-05-01 response: body: - string: '' + string: '{"location":"centraluseuap","properties":{"provisioningState":"Succeeded","resourceGuardOperations":[{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/delete","requestResourceType":"Microsoft.DataProtection/resourceGuards/deleteProtectedItemRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectedItemRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupPolicies/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectionPolicyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/resourceGuards/deleteResourceGuardProxyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupSecurityPIN/action","requestResourceType":"Microsoft.DataProtection/resourceGuards/getBackupSecurityPINRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupconfig/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/disableSoftDeleteRequests"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupInstances/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupInstances/delete"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete"}],"vaultCriticalOperationExclusionList":[],"allowAutoApprovals":true},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/cli-test-resource-guard","name":"cli-test-resource-guard","type":"Microsoft.DataProtection/resourceGuards"}' headers: cache-control: - no-cache content-length: - - '0' + - '1931' content-type: - - text/plain; charset=utf-8 + - application/json date: - - Mon, 13 Feb 2023 07:33:42 GMT + - Mon, 05 Sep 2022 11:49:13 GMT expires: - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding x-content-type-options: - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '998' + x-powered-by: + - ASP.NET status: - code: 202 - message: Accepted + code: 200 + message: OK - request: - body: null + body: '{"location": "centraluseuap", "properties": {"vaultCriticalOperationExclusionList": + ["Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/delete", + "Microsoft.RecoveryServices/vaults/backupSecurityPIN/action"]}}' headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - storage account create + - dataprotection resource-guard update Connection: - keep-alive + Content-Length: + - '242' + Content-Type: + - application/json ParameterSetName: - - -g -n -l + - -g -n --resource-type --critical-operation-exclusion-list User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/cli-test-resource-guard?api-version=2022-05-01 response: body: - string: '' + string: '{"location":"centraluseuap","properties":{"provisioningState":"Succeeded","resourceGuardOperations":[{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectedItemRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupPolicies/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectionPolicyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/resourceGuards/deleteResourceGuardProxyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupconfig/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/disableSoftDeleteRequests"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupInstances/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupInstances/delete"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete"}],"vaultCriticalOperationExclusionList":["Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/delete","Microsoft.RecoveryServices/vaults/backupSecurityPIN/action"],"allowAutoApprovals":true},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/cli-test-resource-guard","name":"cli-test-resource-guard","type":"Microsoft.DataProtection/resourceGuards"}' headers: cache-control: - no-cache content-length: - - '0' + - '1691' content-type: - - text/plain; charset=utf-8 + - application/json date: - - Mon, 13 Feb 2023 07:33:45 GMT + - Mon, 05 Sep 2022 11:49:15 GMT expires: - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding x-content-type-options: - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '99' + x-powered-by: + - ASP.NET status: - code: 202 - message: Accepted + code: 200 + message: OK - request: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - storage account create + - dataprotection resource-guard list-protected-operations Connection: - keep-alive ParameterSetName: - - -g -n -l + - -g -n --resource-type User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/cli-test-resource-guard?api-version=2022-05-01 response: body: - string: '' + string: '{"location":"centraluseuap","properties":{"provisioningState":"Succeeded","resourceGuardOperations":[{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectedItemRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupPolicies/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectionPolicyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/resourceGuards/deleteResourceGuardProxyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupconfig/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/disableSoftDeleteRequests"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupInstances/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupInstances/delete"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete"}],"vaultCriticalOperationExclusionList":["Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/delete","Microsoft.RecoveryServices/vaults/backupSecurityPIN/action"],"allowAutoApprovals":true},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/cli-test-resource-guard","name":"cli-test-resource-guard","type":"Microsoft.DataProtection/resourceGuards"}' headers: cache-control: - no-cache content-length: - - '0' + - '1691' content-type: - - text/plain; charset=utf-8 + - application/json date: - - Mon, 13 Feb 2023 07:33:48 GMT + - Mon, 05 Sep 2022 11:49:16 GMT expires: - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 pragma: - no-cache server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 + - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding x-content-type-options: - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:33:51 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:33:55 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:33:58 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:34:01 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:34:05 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:34:08 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:34:12 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:34:15 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:34:18 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:34:22 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:34:24 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:34:28 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:34:31 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:34:34 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:34:38 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:34:41 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:34:44 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:34:48 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:34:51 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:34:54 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:34:58 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:35:01 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:35:04 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:35:07 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:35:10 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:35:14 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:35:17 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:35:20 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:35:24 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:35:27 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:35:30 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:35:34 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:35:38 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:35:40 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:35:44 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:35:47 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:35:50 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:35:54 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:35:57 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:36:01 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:36:03 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:36:07 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:36:10 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:36:13 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:36:16 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:36:21 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:36:24 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:36:27 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:36:31 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:36:34 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:36:37 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:36:40 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:36:43 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - content-type: - - text/plain; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:36:47 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - storage account create - Connection: - - keep-alive - ParameterSetName: - - -g -n -l - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Storage/locations/centraluseuap/asyncoperations/b8b056d5-6c68-4c66-a874-bb0ac7d38055?monitor=true&api-version=2022-09-01 - response: - body: - string: '{"sku":{"name":"Standard_RAGRS","tier":"Standard"},"kind":"StorageV2","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount","name":"cliteststoreaccount","type":"Microsoft.Storage/storageAccounts","location":"centraluseuap","tags":{},"properties":{"keyCreationTime":{"key1":"2023-02-13T07:31:16.8112211Z","key2":"2023-02-13T07:31:16.8112211Z"},"allowCrossTenantReplication":false,"privateEndpointConnections":[],"minimumTlsVersion":"TLS1_0","allowBlobPublicAccess":true,"networkAcls":{"bypass":"AzureServices","virtualNetworkRules":[],"ipRules":[],"defaultAction":"Allow"},"supportsHttpsTrafficOnly":true,"encryption":{"services":{"file":{"keyType":"Account","enabled":true,"lastEnabledTime":"2023-02-13T07:31:16.8112211Z"},"blob":{"keyType":"Account","enabled":true,"lastEnabledTime":"2023-02-13T07:31:16.8112211Z"}},"keySource":"Microsoft.Storage"},"accessTier":"Hot","provisioningState":"Succeeded","creationTime":"2023-02-13T07:31:16.7175222Z","primaryEndpoints":{"dfs":"https://cliteststoreaccount.dfs.core.windows.net/","web":"https://cliteststoreaccount.z2.web.core.windows.net/","blob":"https://cliteststoreaccount.blob.core.windows.net/","queue":"https://cliteststoreaccount.queue.core.windows.net/","table":"https://cliteststoreaccount.table.core.windows.net/","file":"https://cliteststoreaccount.file.core.windows.net/"},"primaryLocation":"centraluseuap","statusOfPrimary":"available","secondaryLocation":"eastus2euap","statusOfSecondary":"available","secondaryEndpoints":{"dfs":"https://cliteststoreaccount-secondary.dfs.core.windows.net/","web":"https://cliteststoreaccount-secondary.z2.web.core.windows.net/","blob":"https://cliteststoreaccount-secondary.blob.core.windows.net/","queue":"https://cliteststoreaccount-secondary.queue.core.windows.net/","table":"https://cliteststoreaccount-secondary.table.core.windows.net/"}}}' - headers: - cache-control: - - no-cache - content-length: - - '1932' - content-type: - - application/json - date: - - Mon, 13 Feb 2023 07:36:50 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection resource-guard create - Connection: - - keep-alive - ParameterSetName: - - -g -n - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg?api-version=2021-04-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","name":"sarath-rg","type":"Microsoft.Resources/resourceGroups","location":"centraluseuap","tags":{},"properties":{"provisioningState":"Succeeded"}}' - headers: - cache-control: - - no-cache - content-length: - - '232' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:36:51 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: '{"location": "centraluseuap", "properties": {}}' - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection resource-guard create - Connection: - - keep-alive - Content-Length: - - '47' - Content-Type: - - application/json - ParameterSetName: - - -g -n - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/cli-test-resource-guard?api-version=2022-05-01 - response: - body: - string: '{"location":"centraluseuap","properties":{"provisioningState":"Succeeded","resourceGuardOperations":[{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/delete","requestResourceType":"Microsoft.DataProtection/resourceGuards/deleteProtectedItemRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectedItemRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupPolicies/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectionPolicyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/resourceGuards/deleteResourceGuardProxyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupSecurityPIN/action","requestResourceType":"Microsoft.DataProtection/resourceGuards/getBackupSecurityPINRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupconfig/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/disableSoftDeleteRequests"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupInstances/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupInstances/delete"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete"}],"vaultCriticalOperationExclusionList":[],"allowAutoApprovals":true},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/cli-test-resource-guard","name":"cli-test-resource-guard","type":"Microsoft.DataProtection/resourceGuards"}' - headers: - cache-control: - - no-cache - content-length: - - '1931' - content-type: - - application/json - date: - - Mon, 13 Feb 2023 07:36:53 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '98' - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection resource-guard list - Connection: - - keep-alive - ParameterSetName: - - -g - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards?api-version=2022-05-01 - response: - body: - string: '{"value":[{"location":"centraluseuap","properties":{"provisioningState":"Succeeded","resourceGuardOperations":[{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/delete","requestResourceType":"Microsoft.DataProtection/resourceGuards/deleteProtectedItemRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectedItemRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupPolicies/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectionPolicyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/resourceGuards/deleteResourceGuardProxyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupconfig/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/disableSoftDeleteRequests"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupInstances/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupInstances/delete"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete"}],"vaultCriticalOperationExclusionList":["Microsoft.RecoveryServices/vaults/backupSecurityPIN/action"],"allowAutoApprovals":true},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/akneema-resource-guardd","name":"akneema-resource-guardd","type":"Microsoft.DataProtection/resourceGuards"},{"location":"centraluseuap","properties":{"provisioningState":"Succeeded","resourceGuardOperations":[{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/delete","requestResourceType":"Microsoft.DataProtection/resourceGuards/deleteProtectedItemRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectedItemRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupPolicies/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectionPolicyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/resourceGuards/deleteResourceGuardProxyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupSecurityPIN/action","requestResourceType":"Microsoft.DataProtection/resourceGuards/getBackupSecurityPINRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupconfig/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/disableSoftDeleteRequests"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupInstances/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupInstances/delete"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete"}],"vaultCriticalOperationExclusionList":[],"allowAutoApprovals":true},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/cli-test-resource-guard","name":"cli-test-resource-guard","type":"Microsoft.DataProtection/resourceGuards"}]}' - headers: - cache-control: - - no-cache - content-length: - - '3754' - content-type: - - application/json - date: - - Mon, 13 Feb 2023 07:36:55 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '999' - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection resource-guard update - Connection: - - keep-alive - ParameterSetName: - - -g -n --resource-type --critical-operation-exclusion-list - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/cli-test-resource-guard?api-version=2022-05-01 - response: - body: - string: '{"location":"centraluseuap","properties":{"provisioningState":"Succeeded","resourceGuardOperations":[{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/delete","requestResourceType":"Microsoft.DataProtection/resourceGuards/deleteProtectedItemRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectedItemRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupPolicies/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectionPolicyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/resourceGuards/deleteResourceGuardProxyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupSecurityPIN/action","requestResourceType":"Microsoft.DataProtection/resourceGuards/getBackupSecurityPINRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupconfig/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/disableSoftDeleteRequests"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupInstances/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupInstances/delete"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete"}],"vaultCriticalOperationExclusionList":[],"allowAutoApprovals":true},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/cli-test-resource-guard","name":"cli-test-resource-guard","type":"Microsoft.DataProtection/resourceGuards"}' - headers: - cache-control: - - no-cache - content-length: - - '1931' - content-type: - - application/json - date: - - Mon, 13 Feb 2023 07:36:57 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '998' - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: '{"location": "centraluseuap", "properties": {"vaultCriticalOperationExclusionList": - ["Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/delete", - "Microsoft.RecoveryServices/vaults/backupSecurityPIN/action"]}}' - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection resource-guard update - Connection: - - keep-alive - Content-Length: - - '242' - Content-Type: - - application/json - ParameterSetName: - - -g -n --resource-type --critical-operation-exclusion-list - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/cli-test-resource-guard?api-version=2022-05-01 - response: - body: - string: '{"location":"centraluseuap","properties":{"provisioningState":"Succeeded","resourceGuardOperations":[{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectedItemRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupPolicies/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectionPolicyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/resourceGuards/deleteResourceGuardProxyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupconfig/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/disableSoftDeleteRequests"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupInstances/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupInstances/delete"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete"}],"vaultCriticalOperationExclusionList":["Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/delete","Microsoft.RecoveryServices/vaults/backupSecurityPIN/action"],"allowAutoApprovals":true},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/cli-test-resource-guard","name":"cli-test-resource-guard","type":"Microsoft.DataProtection/resourceGuards"}' - headers: - cache-control: - - no-cache - content-length: - - '1691' - content-type: - - application/json - date: - - Mon, 13 Feb 2023 07:36:58 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '99' - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection resource-guard list-protected-operations - Connection: - - keep-alive - ParameterSetName: - - -g -n --resource-type - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/cli-test-resource-guard?api-version=2022-05-01 - response: - body: - string: '{"location":"centraluseuap","properties":{"provisioningState":"Succeeded","resourceGuardOperations":[{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectedItemRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupPolicies/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/updateProtectionPolicyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/resourceGuards/deleteResourceGuardProxyRequests"},{"vaultCriticalOperation":"Microsoft.RecoveryServices/vaults/backupconfig/write","requestResourceType":"Microsoft.DataProtection/resourceGuards/disableSoftDeleteRequests"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupInstances/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupInstances/delete"},{"vaultCriticalOperation":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete","requestResourceType":"Microsoft.DataProtection/backupVaults/backupResourceGuardProxies/delete"}],"vaultCriticalOperationExclusionList":["Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/delete","Microsoft.RecoveryServices/vaults/backupSecurityPIN/action"],"allowAutoApprovals":true},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/cli-test-resource-guard","name":"cli-test-resource-guard","type":"Microsoft.DataProtection/resourceGuards"}' - headers: - cache-control: - - no-cache - content-length: - - '1691' - content-type: - - application/json - date: - - Mon, 13 Feb 2023 07:36:58 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '999' - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: '{"properties": {"datasourceTypes": ["Microsoft.Compute/disks"], "objectType": - "BackupPolicy", "policyRules": [{"name": "BackupHourly", "objectType": "AzureBackupRule", - "backupParameters": {"objectType": "AzureBackupParams", "backupType": "Incremental"}, - "dataStore": {"dataStoreType": "OperationalStore", "objectType": "DataStoreInfoBase"}, - "trigger": {"objectType": "ScheduleBasedTriggerContext", "schedule": {"repeatingTimeIntervals": - ["R/2020-04-05T13:00:00+00:00/PT4H"]}, "taggingCriteria": [{"isDefault": true, - "taggingPriority": 99, "tagInfo": {"tagName": "Default"}}]}}, {"name": "Default", - "objectType": "AzureRetentionRule", "isDefault": true, "lifecycles": [{"deleteAfter": - {"duration": "P7D", "objectType": "AbsoluteDeleteOption"}, "sourceDataStore": - {"dataStoreType": "OperationalStore", "objectType": "DataStoreInfoBase"}}]}]}}' - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-policy create - Connection: - - keep-alive - Content-Length: - - '840' - Content-Type: - - application/json - ParameterSetName: - - -n --policy -g --vault-name - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy?api-version=2022-05-01 - response: - body: - string: '{"properties":{"policyRules":[{"backupParameters":{"backupType":"Incremental","objectType":"AzureBackupParams"},"trigger":{"schedule":{"repeatingTimeIntervals":["R/2020-04-05T13:00:00+00:00/PT4H"]},"taggingCriteria":[{"tagInfo":{"tagName":"Default","id":"Default_"},"taggingPriority":99,"isDefault":true}],"objectType":"ScheduleBasedTriggerContext"},"dataStore":{"dataStoreType":"OperationalStore","objectType":"DataStoreInfoBase"},"name":"BackupHourly","objectType":"AzureBackupRule"},{"lifecycles":[{"deleteAfter":{"objectType":"AbsoluteDeleteOption","duration":"P7D"},"sourceDataStore":{"dataStoreType":"OperationalStore","objectType":"DataStoreInfoBase"}}],"isDefault":true,"name":"Default","objectType":"AzureRetentionRule"}],"datasourceTypes":["Microsoft.Compute/disks"],"objectType":"BackupPolicy"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","name":"diskpolicy","type":"Microsoft.DataProtection/backupVaults/backupPolicies"}' - headers: - cache-control: - - no-cache - content-length: - - '1066' - content-type: - - application/json - date: - - Mon, 13 Feb 2023 07:37:00 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: '{"properties": {"datasourceTypes": ["Microsoft.Storage/storageAccounts/blobServices"], - "objectType": "BackupPolicy", "policyRules": [{"name": "Default", "objectType": - "AzureRetentionRule", "isDefault": true, "lifecycles": [{"deleteAfter": {"duration": - "P30D", "objectType": "AbsoluteDeleteOption"}, "sourceDataStore": {"dataStoreType": - "OperationalStore", "objectType": "DataStoreInfoBase"}}]}]}}' - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-policy create - Connection: - - keep-alive - Content-Length: - - '396' - Content-Type: - - application/json - ParameterSetName: - - -n --policy -g --vault-name - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/storagepolicy?api-version=2022-05-01 - response: - body: - string: '{"properties":{"policyRules":[{"lifecycles":[{"deleteAfter":{"objectType":"AbsoluteDeleteOption","duration":"P30D"},"sourceDataStore":{"dataStoreType":"OperationalStore","objectType":"DataStoreInfoBase"}}],"isDefault":true,"name":"Default","objectType":"AzureRetentionRule"}],"datasourceTypes":["Microsoft.Storage/storageAccounts/blobServices"],"objectType":"BackupPolicy"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/storagepolicy","name":"storagepolicy","type":"Microsoft.DataProtection/backupVaults/backupPolicies"}' - headers: - cache-control: - - no-cache - content-length: - - '640' - content-type: - - application/json - date: - - Mon, 13 Feb 2023 07:37:02 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '198' - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-policy show - Connection: - - keep-alive - ParameterSetName: - - -g --vault-name -n --query - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy?api-version=2022-05-01 - response: - body: - string: '{"properties":{"policyRules":[{"backupParameters":{"backupType":"Incremental","objectType":"AzureBackupParams"},"trigger":{"schedule":{"repeatingTimeIntervals":["R/2020-04-05T13:00:00+00:00/PT4H"]},"taggingCriteria":[{"tagInfo":{"tagName":"Default","id":"Default_"},"taggingPriority":99,"isDefault":true}],"objectType":"ScheduleBasedTriggerContext"},"dataStore":{"dataStoreType":"OperationalStore","objectType":"DataStoreInfoBase"},"name":"BackupHourly","objectType":"AzureBackupRule"},{"lifecycles":[{"deleteAfter":{"objectType":"AbsoluteDeleteOption","duration":"P7D"},"sourceDataStore":{"dataStoreType":"OperationalStore","objectType":"DataStoreInfoBase"}}],"isDefault":true,"name":"Default","objectType":"AzureRetentionRule"}],"datasourceTypes":["Microsoft.Compute/disks"],"objectType":"BackupPolicy"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","name":"diskpolicy","type":"Microsoft.DataProtection/backupVaults/backupPolicies"}' - headers: - cache-control: - - no-cache - content-length: - - '1066' - content-type: - - application/json - date: - - Mon, 13 Feb 2023 07:37:03 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '198' - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-policy show - Connection: - - keep-alive - ParameterSetName: - - -g --vault-name -n --query - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/storagepolicy?api-version=2022-05-01 - response: - body: - string: '{"properties":{"policyRules":[{"lifecycles":[{"deleteAfter":{"objectType":"AbsoluteDeleteOption","duration":"P30D"},"sourceDataStore":{"dataStoreType":"OperationalStore","objectType":"DataStoreInfoBase"}}],"isDefault":true,"name":"Default","objectType":"AzureRetentionRule"}],"datasourceTypes":["Microsoft.Storage/storageAccounts/blobServices"],"objectType":"BackupPolicy"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/storagepolicy","name":"storagepolicy","type":"Microsoft.DataProtection/backupVaults/backupPolicies"}' - headers: - cache-control: - - no-cache - content-length: - - '640' - content-type: - - application/json - date: - - Mon, 13 Feb 2023 07:37:04 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: '{"properties": {"datasourceTypes": ["Microsoft.Compute/disks"], "objectType": - "BackupPolicy", "policyRules": [{"name": "BackupHourly", "objectType": "AzureBackupRule", - "backupParameters": {"objectType": "AzureBackupParams", "backupType": "Incremental"}, - "dataStore": {"dataStoreType": "OperationalStore", "objectType": "DataStoreInfoBase"}, - "trigger": {"objectType": "ScheduleBasedTriggerContext", "schedule": {"repeatingTimeIntervals": - ["R/2021-05-02T05:30:00+00:00/PT6H"]}, "taggingCriteria": [{"isDefault": true, - "taggingPriority": 99, "tagInfo": {"tagName": "Default"}}, {"criteria": [{"objectType": - "ScheduleBasedBackupCriteria", "absoluteCriteria": ["FirstOfDay"]}], "isDefault": - false, "taggingPriority": 25, "tagInfo": {"tagName": "Daily"}}]}}, {"name": - "Default", "objectType": "AzureRetentionRule", "isDefault": true, "lifecycles": - [{"deleteAfter": {"duration": "P7D", "objectType": "AbsoluteDeleteOption"}, - "sourceDataStore": {"dataStoreType": "OperationalStore", "objectType": "DataStoreInfoBase"}}]}, - {"name": "Daily", "objectType": "AzureRetentionRule", "isDefault": false, "lifecycles": - [{"deleteAfter": {"duration": "P12D", "objectType": "AbsoluteDeleteOption"}, - "sourceDataStore": {"dataStoreType": "OperationalStore", "objectType": "DataStoreInfoBase"}}]}]}}' - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-policy create - Connection: - - keep-alive - Content-Length: - - '1276' - Content-Type: - - application/json - ParameterSetName: - - -n --policy -g --vault-name - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskhourlypolicy?api-version=2022-05-01 - response: - body: - string: '{"properties":{"policyRules":[{"backupParameters":{"backupType":"Incremental","objectType":"AzureBackupParams"},"trigger":{"schedule":{"repeatingTimeIntervals":["R/2021-05-02T05:30:00+00:00/PT6H"]},"taggingCriteria":[{"tagInfo":{"tagName":"Default","id":"Default_"},"taggingPriority":99,"isDefault":true},{"tagInfo":{"tagName":"Daily","id":"Daily_"},"taggingPriority":25,"isDefault":false,"criteria":[{"absoluteCriteria":["FirstOfDay"],"objectType":"ScheduleBasedBackupCriteria"}]}],"objectType":"ScheduleBasedTriggerContext"},"dataStore":{"dataStoreType":"OperationalStore","objectType":"DataStoreInfoBase"},"name":"BackupHourly","objectType":"AzureBackupRule"},{"lifecycles":[{"deleteAfter":{"objectType":"AbsoluteDeleteOption","duration":"P7D"},"sourceDataStore":{"dataStoreType":"OperationalStore","objectType":"DataStoreInfoBase"}}],"isDefault":true,"name":"Default","objectType":"AzureRetentionRule"},{"lifecycles":[{"deleteAfter":{"objectType":"AbsoluteDeleteOption","duration":"P12D"},"sourceDataStore":{"dataStoreType":"OperationalStore","objectType":"DataStoreInfoBase"}}],"isDefault":false,"name":"Daily","objectType":"AzureRetentionRule"}],"datasourceTypes":["Microsoft.Compute/disks"],"objectType":"BackupPolicy"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskhourlypolicy","name":"diskhourlypolicy","type":"Microsoft.DataProtection/backupVaults/backupPolicies"}' - headers: - cache-control: - - no-cache - content-length: - - '1499' - content-type: - - application/json - date: - - Mon, 13 Feb 2023 07:37:06 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-instance update-msi-permissions - Connection: - - keep-alive - ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1?api-version=2022-05-01 - response: - body: - string: '{"location":"centraluseuap","identity":{"type":"SystemAssigned","principalId":"41753b57-b4fa-4774-80aa-414a3af0f706","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"properties":{"provisioningState":"Succeeded","storageSettings":[{"datastoreType":"VaultStore","type":"LocallyRedundant"}],"isVaultProtectedByResourceGuard":false,"monitoringSettings":{"azureMonitorAlertSettings":{"alertsForAllJobFailures":"Disabled"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1","name":"cli-test-new-vault1","type":"Microsoft.DataProtection/backupVaults"}' - headers: - cache-control: - - no-cache - content-length: - - '650' - content-type: - - application/json - date: - - Mon, 13 Feb 2023 07:37:08 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '499' - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-instance update-msi-permissions - Connection: - - keep-alive - ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes - User-Agent: - - python/3.10.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.45.0 (PIP) - method: GET - uri: https://graph.microsoft.com/v1.0/servicePrincipals?$filter=servicePrincipalNames%2Fany%28c%3Ac%20eq%20%2741753b57-b4fa-4774-80aa-414a3af0f706%27%29 - response: - body: - string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#servicePrincipals","value":[]}' - headers: - cache-control: - - no-cache - content-length: - - '92' - content-type: - - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 - date: - - Mon, 13 Feb 2023 07:37:09 GMT - odata-version: - - '4.0' - request-id: - - 5b35c3e4-d86a-4abd-998c-adb386b74461 - strict-transport-security: - - max-age=31536000 - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-ms-ags-diagnostic: - - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"001","RoleInstance":"MA1PEPF00004256"}}' - x-ms-resource-unit: - - '1' - status: - code: 200 - message: OK -- request: - body: '{"ids": ["41753b57-b4fa-4774-80aa-414a3af0f706"], "types": ["user", "group", - "servicePrincipal", "directoryObjectPartnerReference"]}' - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-instance update-msi-permissions - Connection: - - keep-alive - Content-Length: - - '132' - Content-Type: - - application/json - ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes - User-Agent: - - python/3.10.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.45.0 (PIP) - method: POST - uri: https://graph.microsoft.com/v1.0/directoryObjects/getByIds - response: - body: - string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#directoryObjects","value":[{"@odata.type":"#microsoft.graph.servicePrincipal","id":"41753b57-b4fa-4774-80aa-414a3af0f706","deletedDateTime":null,"accountEnabled":true,"alternativeNames":["isExplicit=False","/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg/providers/Microsoft.DataProtection/BackupVaults/cli-test-new-vault1"],"appDisplayName":null,"appDescription":null,"appId":"fea0857b-fd83-4708-b252-0c5f0a38d6b0","applicationTemplateId":null,"appOwnerOrganizationId":null,"appRoleAssignmentRequired":false,"createdDateTime":"2023-02-13T07:30:29Z","description":null,"disabledByMicrosoftStatus":null,"displayName":"cli-test-new-vault1","homepage":null,"loginUrl":null,"logoutUrl":null,"notes":null,"notificationEmailAddresses":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyThumbprint":null,"replyUrls":[],"servicePrincipalNames":["fea0857b-fd83-4708-b252-0c5f0a38d6b0","https://identity.azure.net/2czira6fp81UmSQY0i+P6p1ObGIy33lZb5C/K/6SyDY="],"servicePrincipalType":"ManagedIdentity","signInAudience":null,"tags":[],"tokenEncryptionKeyId":null,"info":null,"samlSingleSignOnSettings":null,"addIns":[],"appRoles":[],"keyCredentials":[{"customKeyIdentifier":"81B4BF05CBCD13C46538514E74E2057DB2DD092E","displayName":"CN=fea0857b-fd83-4708-b252-0c5f0a38d6b0","endDateTime":"2023-05-14T07:25:00Z","key":null,"keyId":"3dac063a-25ed-4f07-a638-ed0fc6455a6e","startDateTime":"2023-02-13T07:25:00Z","type":"AsymmetricX509Cert","usage":"Verify"}],"oauth2PermissionScopes":[],"passwordCredentials":[],"resourceSpecificApplicationPermissions":[],"verifiedPublisher":{"displayName":null,"verifiedPublisherId":null,"addedDateTime":null}}]}' - headers: - cache-control: - - no-cache - content-length: - - '1732' - content-type: - - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 - date: - - Mon, 13 Feb 2023 07:37:10 GMT - location: - - https://graph.microsoft.com - odata-version: - - '4.0' - request-id: - - 36480155-eadc-4792-a3e0-af45a9a06113 - strict-transport-security: - - max-age=31536000 - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-ms-ags-diagnostic: - - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"001","RoleInstance":"MA1PEPF00004344"}}' - x-ms-resource-unit: - - '3' - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-instance update-msi-permissions - Connection: - - keep-alive - ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes - User-Agent: - - python/3.10.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 - azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.45.0 (PIP) - accept-language: - - en-US - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1/providers/Microsoft.Authorization/roleAssignments?$filter=atScope%28%29&api-version=2020-04-01-preview - response: - body: - string: '{"value":[{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"5c617d2b-99f8-4c90-98fe-dfe040fa33c1","principalType":"ServicePrincipal","scope":"/","condition":null,"conditionVersion":null,"createdOn":"2018-02-27T19:19:50.2663941Z","updatedOn":"2018-02-27T19:19:50.2663941Z","createdBy":null,"updatedBy":null,"delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Authorization/roleAssignments/3e883d24-b106-42ff-ad13-d7bf271b964d","type":"Microsoft.Authorization/roleAssignments","name":"3e883d24-b106-42ff-ad13-d7bf271b964d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"1d8b8d73-0cc6-4db8-b112-724b4a932253","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-26T12:22:13.7498923Z","updatedOn":"2019-08-26T12:22:13.7498923Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8c3a4de9-1ebd-47ce-9dd9-bebf87a4e28f","type":"Microsoft.Authorization/roleAssignments","name":"8c3a4de9-1ebd-47ce-9dd9-bebf87a4e28f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"1e845bc3-37db-4639-be09-d0cf1e448221","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-05-24T11:02:27.8515917Z","updatedOn":"2019-05-24T11:02:27.8515917Z","createdBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","updatedBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b5eee4d7-5f9f-4f63-8040-8aec158c289b","type":"Microsoft.Authorization/roleAssignments","name":"b5eee4d7-5f9f-4f63-8040-8aec158c289b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"235b2664-75e2-4741-bb6f-37e49babf6cd","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-02-12T11:34:59.7104212Z","updatedOn":"2020-02-12T11:34:59.7104212Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/f0618702-8404-4858-9a26-e61f23e7d44f","type":"Microsoft.Authorization/roleAssignments","name":"f0618702-8404-4858-9a26-e61f23e7d44f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8bb5b214-1182-465c-892f-ca7235abe1e7","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-11-14T08:52:42.2795010Z","updatedOn":"2019-11-14T08:52:42.2795010Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/77daac38-9839-4b00-921b-e5d5a03e728c","type":"Microsoft.Authorization/roleAssignments","name":"77daac38-9839-4b00-921b-e5d5a03e728c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"9693df58-7f72-4974-9bd3-1c3ceb0382f1","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-11-29T09:40:04.3180033Z","updatedOn":"2018-11-29T09:40:04.3180033Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ed3bf874-9c97-43f9-a5e9-b4ee6f8982f7","type":"Microsoft.Authorization/roleAssignments","name":"ed3bf874-9c97-43f9-a5e9-b4ee6f8982f7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"d1f96755-9bcf-44b8-ab82-df67360496c4","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-05-08T10:28:08.2854940Z","updatedOn":"2020-05-08T10:28:08.2854940Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/dfb3ca56-a0d4-44ce-ba35-b716c3fdab86","type":"Microsoft.Authorization/roleAssignments","name":"dfb3ca56-a0d4-44ce-ba35-b716c3fdab86"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-12-31T09:26:43.6440415Z","updatedOn":"2018-12-31T09:26:43.6440415Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/45744ea8-780f-4f3e-88aa-b73d7f6997b2","type":"Microsoft.Authorization/roleAssignments","name":"45744ea8-780f-4f3e-88aa-b73d7f6997b2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e65078fb-6b02-434a-9f11-d06bf9bc0600","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-10-25T23:42:36.3444507Z","updatedOn":"2018-10-25T23:42:36.3444507Z","createdBy":"66cb55a5-e2a8-44ef-ae4b-5ab8fa2ec8d9","updatedBy":"66cb55a5-e2a8-44ef-ae4b-5ab8fa2ec8d9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e7ce51e8-4109-41d7-bc10-538b089599db","type":"Microsoft.Authorization/roleAssignments","name":"e7ce51e8-4109-41d7-bc10-538b089599db"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"a7782e0f-1f9a-4882-b2c9-11227aad244e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-06-16T04:32:50.9673703Z","updatedOn":"2020-06-16T04:32:50.9673703Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9fa21f2f-81c3-47b6-b706-650b359b96c3","type":"Microsoft.Authorization/roleAssignments","name":"9fa21f2f-81c3-47b6-b706-650b359b96c3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"00b14177-f4d2-4a4b-94f6-6e80f75745c9","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-03-12T09:49:11.3750683Z","updatedOn":"2020-03-12T09:49:11.3750683Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fff0abf3-3cf7-46be-8bc7-1d1619a160fb","type":"Microsoft.Authorization/roleAssignments","name":"fff0abf3-3cf7-46be-8bc7-1d1619a160fb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"1d8b8d73-0cc6-4db8-b112-724b4a932253","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-26T10:28:45.4880023Z","updatedOn":"2019-08-26T10:28:45.4880023Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/397a3c9c-c258-4d4e-834d-00cc08227796","type":"Microsoft.Authorization/roleAssignments","name":"397a3c9c-c258-4d4e-834d-00cc08227796"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"235b2664-75e2-4741-bb6f-37e49babf6cd","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-12-05T04:29:28.7359096Z","updatedOn":"2018-12-05T04:29:28.7359096Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3c830f42-5f89-4d8b-8f93-d3dc936f33bd","type":"Microsoft.Authorization/roleAssignments","name":"3c830f42-5f89-4d8b-8f93-d3dc936f33bd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-04-08T08:38:50.1742930Z","updatedOn":"2020-04-08T08:38:50.1742930Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/5293a96b-830e-45f4-9e9e-22d7d020f0d8","type":"Microsoft.Authorization/roleAssignments","name":"5293a96b-830e-45f4-9e9e-22d7d020f0d8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3421d717-ca60-44e7-a9a1-773acec4e503","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-10-23T09:40:14.7658272Z","updatedOn":"2019-10-23T09:40:14.7658272Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/34b29558-faf9-43f0-a194-35ca0aa99fc5","type":"Microsoft.Authorization/roleAssignments","name":"34b29558-faf9-43f0-a194-35ca0aa99fc5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3dc88d41-4d03-4105-970d-937e56de3839","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-06-27T12:59:44.6557891Z","updatedOn":"2019-06-27T12:59:44.6557891Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e57ab8d1-ce9a-4925-b09f-2567492d9b22","type":"Microsoft.Authorization/roleAssignments","name":"e57ab8d1-ce9a-4925-b09f-2567492d9b22"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"62c799b8-9b54-4c3d-97c9-9490d16a6a9a","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-08T13:01:20.9953919Z","updatedOn":"2019-08-08T13:01:20.9953919Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e1b91810-0781-462d-9517-764e4a033822","type":"Microsoft.Authorization/roleAssignments","name":"e1b91810-0781-462d-9517-764e4a033822"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8bb5b214-1182-465c-892f-ca7235abe1e7","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-10-23T08:03:15.6803676Z","updatedOn":"2019-10-23T08:03:15.6803676Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/facbac06-ddab-437d-949a-207593fddfff","type":"Microsoft.Authorization/roleAssignments","name":"facbac06-ddab-437d-949a-207593fddfff"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"978b254a-54be-42af-80f5-e2a37b2e40e5","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-07-08T06:57:57.0377373Z","updatedOn":"2019-07-08T06:57:57.0377373Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/89be5b0a-dfa8-4bdf-b667-c6f63f7f3f0e","type":"Microsoft.Authorization/roleAssignments","name":"89be5b0a-dfa8-4bdf-b667-c6f63f7f3f0e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"9c973a07-b207-473c-9687-bd693ba8e460","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-04-17T09:14:08.7913669Z","updatedOn":"2020-04-17T09:14:08.7913669Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/950c635a-23a5-4a0e-8eb6-c53e929c9699","type":"Microsoft.Authorization/roleAssignments","name":"950c635a-23a5-4a0e-8eb6-c53e929c9699"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"058c04ea-b176-4e7b-b8d9-9e1f2f713ffe","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-10-03T10:52:46.8918844Z","updatedOn":"2022-10-03T10:52:46.8918844Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c5a8b530-0e4c-40d9-a003-167e38138f34","type":"Microsoft.Authorization/roleAssignments","name":"c5a8b530-0e4c-40d9-a003-167e38138f34"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"ce439730-9009-4c60-b582-277f5b9b5c47","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-10-03T10:52:47.6507241Z","updatedOn":"2022-10-03T10:52:47.6507241Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/adfaf7e6-895a-432b-9f63-650c5855b6b5","type":"Microsoft.Authorization/roleAssignments","name":"adfaf7e6-895a-432b-9f63-650c5855b6b5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8a1cd6d0-5c03-4720-8cc7-22adbc865bad","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-10-06T10:00:44.6775425Z","updatedOn":"2022-10-06T10:00:44.6775425Z","createdBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","updatedBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/21a219c4-e4ea-4572-9b97-ab829ee70b0b","type":"Microsoft.Authorization/roleAssignments","name":"21a219c4-e4ea-4572-9b97-ab829ee70b0b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"ba20023e-4ef7-4929-8693-f3f37fdb7667","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-10-19T06:48:34.7902721Z","updatedOn":"2022-10-19T06:48:34.7902721Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/70fc8a72-c6e9-4644-95d6-f27efe137007","type":"Microsoft.Authorization/roleAssignments","name":"70fc8a72-c6e9-4644-95d6-f27efe137007"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/17d1049b-9a84-46fb-8f53-869881c3d3ab","principalId":"cda54502-7b02-4c29-bacd-2ac17bb3fee4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-10-20T05:10:54.0749901Z","updatedOn":"2022-10-20T05:10:54.0749901Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a49a99d3-cfb9-4f66-b694-b3a7803fe02b","type":"Microsoft.Authorization/roleAssignments","name":"a49a99d3-cfb9-4f66-b694-b3a7803fe02b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"d6e6b7d9-6bee-44e9-a115-608b26453747","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-11-04T09:20:20.9539814Z","updatedOn":"2022-11-04T09:20:20.9539814Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/5ead22ad-d09b-4591-8d0f-a571ef0dedb2","type":"Microsoft.Authorization/roleAssignments","name":"5ead22ad-d09b-4591-8d0f-a571ef0dedb2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/00c29273-979b-4161-815c-10b084fb9324","principalId":"8a49a9af-c646-4a94-97e0-988219f9b933","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-11-17T09:48:40.9317341Z","updatedOn":"2022-11-17T09:48:40.9317341Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/81881251-9f42-413a-828e-f0374be3fc43","type":"Microsoft.Authorization/roleAssignments","name":"81881251-9f42-413a-828e-f0374be3fc43"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5e467623-bb1f-42f4-a55d-6e525e11384b","principalId":"8a49a9af-c646-4a94-97e0-988219f9b933","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-11-17T14:33:17.2080750Z","updatedOn":"2022-11-17T14:33:17.2080750Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/6d573002-8569-420a-bd13-90c87072b928","type":"Microsoft.Authorization/roleAssignments","name":"6d573002-8569-420a-bd13-90c87072b928"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"21369ac4-7db8-402f-8b5b-c3c47bac68bd","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-12-13T12:39:32.2924849Z","updatedOn":"2022-12-13T12:39:32.2924849Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/1a2a40b4-9a41-4578-a6f5-e34068ff3bf6","type":"Microsoft.Authorization/roleAssignments","name":"1a2a40b4-9a41-4578-a6f5-e34068ff3bf6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"21369ac4-7db8-402f-8b5b-c3c47bac68bd","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-12-13T12:39:32.4781119Z","updatedOn":"2022-12-13T12:39:32.4781119Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9fc9183c-bfec-41be-8c2b-2cc55420f6c1","type":"Microsoft.Authorization/roleAssignments","name":"9fc9183c-bfec-41be-8c2b-2cc55420f6c1"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"fc8bd99b-292d-4396-ac07-7e46bf989efa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2023-01-04T09:17:14.5148296Z","updatedOn":"2023-01-04T09:17:14.5148296Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/5c4e131f-5843-5474-af9f-427c1fca982d","type":"Microsoft.Authorization/roleAssignments","name":"5c4e131f-5843-5474-af9f-427c1fca982d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"c0c54612-5a75-40a2-8a0c-bf70ab0847ba","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2023-01-13T04:47:48.8296778Z","updatedOn":"2023-01-13T04:47:48.8296778Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b56bdd79-3e27-4d79-b73b-4dc8625a172a","type":"Microsoft.Authorization/roleAssignments","name":"b56bdd79-3e27-4d79-b73b-4dc8625a172a"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a4eae46b-a9d0-4586-8ac9-ba91b29f1d57","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-02-01T10:05:44.6784242Z","updatedOn":"2022-02-01T10:05:44.6784242Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8af2fb3a-292c-42a8-a870-1751c4ec4870","type":"Microsoft.Authorization/roleAssignments","name":"8af2fb3a-292c-42a8-a870-1751c4ec4870"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"662a0ec2-cfbc-45f9-ae31-2cc53070e765","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T12:46:49.6216206Z","updatedOn":"2022-04-12T12:46:49.6216206Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/85cc2dff-c5d4-42a3-acb6-255cd4208ef4","type":"Microsoft.Authorization/roleAssignments","name":"85cc2dff-c5d4-42a3-acb6-255cd4208ef4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"662a0ec2-cfbc-45f9-ae31-2cc53070e765","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T12:46:57.1459341Z","updatedOn":"2022-04-12T12:46:57.1459341Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/aba8e90d-d951-4cb5-a346-b71e478f4d1b","type":"Microsoft.Authorization/roleAssignments","name":"aba8e90d-d951-4cb5-a346-b71e478f4d1b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"30bc1f3b-ca1a-4c55-96ff-4c026f12eaa1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T13:09:28.3678603Z","updatedOn":"2022-04-12T13:09:28.3678603Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/79d87d90-f984-4f53-a169-2eca51c00104","type":"Microsoft.Authorization/roleAssignments","name":"79d87d90-f984-4f53-a169-2eca51c00104"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"30bc1f3b-ca1a-4c55-96ff-4c026f12eaa1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T13:09:33.3916295Z","updatedOn":"2022-04-12T13:09:33.3916295Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/5e185742-c91a-4efe-b0d8-db9524685ec5","type":"Microsoft.Authorization/roleAssignments","name":"5e185742-c91a-4efe-b0d8-db9524685ec5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3c582fc7-e68a-4991-a2f6-3d8a7a1f23c1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:01:02.2689248Z","updatedOn":"2022-04-13T07:01:02.2689248Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/c9b4f9ab-d687-4a65-910a-5bcb2f974bfe","type":"Microsoft.Authorization/roleAssignments","name":"c9b4f9ab-d687-4a65-910a-5bcb2f974bfe"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"3c582fc7-e68a-4991-a2f6-3d8a7a1f23c1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:01:09.3571703Z","updatedOn":"2022-04-13T07:01:09.3571703Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/8bedf13c-aa1a-4191-aa97-573f14fd97ee","type":"Microsoft.Authorization/roleAssignments","name":"8bedf13c-aa1a-4191-aa97-573f14fd97ee"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"a31004b5-ce06-49e1-8706-e8c7afe68695","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:43:04.6456354Z","updatedOn":"2022-04-13T07:43:04.6456354Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/bd0fc30a-6ccf-4c22-a26b-0e31aba16035","type":"Microsoft.Authorization/roleAssignments","name":"bd0fc30a-6ccf-4c22-a26b-0e31aba16035"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"a31004b5-ce06-49e1-8706-e8c7afe68695","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:43:10.1186881Z","updatedOn":"2022-04-13T07:43:10.1186881Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/dadaa3cd-f442-4d5c-aed3-7cbab2fba3e0","type":"Microsoft.Authorization/roleAssignments","name":"dadaa3cd-f442-4d5c-aed3-7cbab2fba3e0"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"6f6a803e-4dc5-488a-8566-a4f0a984975e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T08:58:57.7706882Z","updatedOn":"2022-04-13T08:58:57.7706882Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9e3d10bf-9bfa-4a97-9ab1-b972a348abd0","type":"Microsoft.Authorization/roleAssignments","name":"9e3d10bf-9bfa-4a97-9ab1-b972a348abd0"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"6f6a803e-4dc5-488a-8566-a4f0a984975e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T08:59:03.2414961Z","updatedOn":"2022-04-13T08:59:03.2414961Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/66eefd94-4bda-46df-9c61-7e92f83d91e7","type":"Microsoft.Authorization/roleAssignments","name":"66eefd94-4bda-46df-9c61-7e92f83d91e7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"829da4fd-a5f4-4ca7-bc3d-0679d104c5f0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T10:17:35.8887781Z","updatedOn":"2022-04-13T10:17:35.8887781Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/77f4f7a3-a377-49f7-a094-945b82b2bfff","type":"Microsoft.Authorization/roleAssignments","name":"77f4f7a3-a377-49f7-a094-945b82b2bfff"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"829da4fd-a5f4-4ca7-bc3d-0679d104c5f0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T10:17:41.2233089Z","updatedOn":"2022-04-13T10:17:41.2233089Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/1a71aac6-e9ce-40ff-a39f-7594df2ea6e9","type":"Microsoft.Authorization/roleAssignments","name":"1a71aac6-e9ce-40ff-a39f-7594df2ea6e9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3f74f5b7-f4f6-4b65-a45d-f1c60467e115","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-21T06:57:19.4532093Z","updatedOn":"2022-04-21T06:57:19.4532093Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/eede4548-9f71-44b7-8077-c49aa44894b4","type":"Microsoft.Authorization/roleAssignments","name":"eede4548-9f71-44b7-8077-c49aa44894b4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"3f74f5b7-f4f6-4b65-a45d-f1c60467e115","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-21T06:57:24.3439247Z","updatedOn":"2022-04-21T06:57:24.3439247Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/c011acd2-8b5d-45d6-b6c1-4ffe1867ce31","type":"Microsoft.Authorization/roleAssignments","name":"c011acd2-8b5d-45d6-b6c1-4ffe1867ce31"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"85c33f6f-5d69-4b0e-bc06-95a7d3193519","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-05-04T09:52:52.7340040Z","updatedOn":"2022-05-04T09:52:52.7340040Z","createdBy":"447bbed8-9839-4d6e-9e39-fb9aeee1ec1d","updatedBy":"447bbed8-9839-4d6e-9e39-fb9aeee1ec1d","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/6a4f635c-309c-4a1d-8eea-86fb5aa91d80","type":"Microsoft.Authorization/roleAssignments","name":"6a4f635c-309c-4a1d-8eea-86fb5aa91d80"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"e6234342-a3d7-4b04-9041-3e8526f5861a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-05-12T06:55:02.9137483Z","updatedOn":"2022-05-12T06:55:02.9137483Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a5bd1b6d-0084-40ec-9126-2250536b4778","type":"Microsoft.Authorization/roleAssignments","name":"a5bd1b6d-0084-40ec-9126-2250536b4778"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"0b2dcd24-9585-4bb4-a7c3-83e0e3bd0dc7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-05-24T11:54:25.7258076Z","updatedOn":"2022-05-24T11:54:25.7258076Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9a7dc348-d24e-438b-84b0-c7cda5bf92c4","type":"Microsoft.Authorization/roleAssignments","name":"9a7dc348-d24e-438b-84b0-c7cda5bf92c4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"0b2dcd24-9585-4bb4-a7c3-83e0e3bd0dc7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-05-24T11:54:29.8931759Z","updatedOn":"2022-05-24T11:54:29.8931759Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/aeb54d04-84b8-4530-bd7e-fe01dafd82ab","type":"Microsoft.Authorization/roleAssignments","name":"aeb54d04-84b8-4530-bd7e-fe01dafd82ab"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"f2cee52e-3d75-4f49-acc4-b5aaf72232ee","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T11:01:05.6238088Z","updatedOn":"2022-06-03T11:01:05.6238088Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2bd63fbe-e197-434f-ba1e-016bad298ff7","type":"Microsoft.Authorization/roleAssignments","name":"2bd63fbe-e197-434f-ba1e-016bad298ff7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"8be185b2-5cbf-45c1-b9af-cbbd9b59144d","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T13:20:41.1511200Z","updatedOn":"2022-06-03T13:22:39.1076287Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/f12c7867-43e5-5530-98e9-9d8a2f39fb92","type":"Microsoft.Authorization/roleAssignments","name":"f12c7867-43e5-5530-98e9-9d8a2f39fb92"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"8be185b2-5cbf-45c1-b9af-cbbd9b59144d","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T13:37:09.9515887Z","updatedOn":"2022-06-03T14:40:22.4040874Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/bace23ac-6978-5318-a146-d49599599b02","type":"Microsoft.Authorization/roleAssignments","name":"bace23ac-6978-5318-a146-d49599599b02"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"e6234342-a3d7-4b04-9041-3e8526f5861a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-06T11:22:08.5127363Z","updatedOn":"2022-06-06T11:22:08.5127363Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/df253c65-35fc-4ff6-9a32-39b3fe20a6e3","type":"Microsoft.Authorization/roleAssignments","name":"df253c65-35fc-4ff6-9a32-39b3fe20a6e3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"5f137a67-1b88-4f98-aa20-b71a7082dc56","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-10T14:11:57.5623976Z","updatedOn":"2022-06-10T14:11:57.5623976Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e409f573-8bda-4b7e-854a-61c445d36c6f","type":"Microsoft.Authorization/roleAssignments","name":"e409f573-8bda-4b7e-854a-61c445d36c6f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"961a41dc-cbb6-4777-9b6c-a6d4d1ea4faa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:02:09.6478601Z","updatedOn":"2022-06-21T12:02:09.6478601Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/efc8d400-cd5e-41d3-99e6-65878c1f888c","type":"Microsoft.Authorization/roleAssignments","name":"efc8d400-cd5e-41d3-99e6-65878c1f888c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"961a41dc-cbb6-4777-9b6c-a6d4d1ea4faa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:02:31.1213523Z","updatedOn":"2022-06-21T12:02:31.1213523Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/1ad6de95-d660-4f0a-84cf-1b297eafe5f6","type":"Microsoft.Authorization/roleAssignments","name":"1ad6de95-d660-4f0a-84cf-1b297eafe5f6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"1831aada-7907-4673-a5e2-b11217764c9e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:22:14.2181104Z","updatedOn":"2022-06-21T12:22:14.2181104Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/c5856647-b5ff-4264-a966-049b6a58a42f","type":"Microsoft.Authorization/roleAssignments","name":"c5856647-b5ff-4264-a966-049b6a58a42f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"1831aada-7907-4673-a5e2-b11217764c9e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:22:40.2874069Z","updatedOn":"2022-06-21T12:22:40.2874069Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/a3560e50-7085-48f4-85a1-97487179cc5d","type":"Microsoft.Authorization/roleAssignments","name":"a3560e50-7085-48f4-85a1-97487179cc5d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-22T11:28:57.2073063Z","updatedOn":"2022-06-22T11:28:57.2073063Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c5b3bcf3-fd4c-4b57-9f73-f075ce7afccb","type":"Microsoft.Authorization/roleAssignments","name":"c5b3bcf3-fd4c-4b57-9f73-f075ce7afccb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-23T09:19:22.2256200Z","updatedOn":"2022-06-23T09:19:22.2256200Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/344b17ae-cabf-4a33-9a9d-ba30fefcbadc","type":"Microsoft.Authorization/roleAssignments","name":"344b17ae-cabf-4a33-9a9d-ba30fefcbadc"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"2b81557b-8e7a-4df8-9a41-e59844f627c2","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-23T09:25:03.9969293Z","updatedOn":"2022-06-23T09:25:03.9969293Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/13a7f7c7-7364-4f9b-ba92-5430f17b29b5","type":"Microsoft.Authorization/roleAssignments","name":"13a7f7c7-7364-4f9b-ba92-5430f17b29b5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-24T07:04:04.5965087Z","updatedOn":"2022-06-24T07:04:04.5965087Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ba604c54-80e1-490e-a123-9ef9d477536b","type":"Microsoft.Authorization/roleAssignments","name":"ba604c54-80e1-490e-a123-9ef9d477536b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-25T04:10:10.7065168Z","updatedOn":"2022-06-25T04:10:10.7065168Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/916a749f-b61f-4ba4-8c28-46217c3a7b4e","type":"Microsoft.Authorization/roleAssignments","name":"916a749f-b61f-4ba4-8c28-46217c3a7b4e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T07:37:58.3152810Z","updatedOn":"2022-06-27T07:37:58.3152810Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/0a1046d6-ba58-491f-b473-403ec29cd2be","type":"Microsoft.Authorization/roleAssignments","name":"0a1046d6-ba58-491f-b473-403ec29cd2be"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:21:12.2347431Z","updatedOn":"2022-06-27T08:21:12.2347431Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/abc6fbbe-d4a8-4315-9532-82e90334dcc9","type":"Microsoft.Authorization/roleAssignments","name":"abc6fbbe-d4a8-4315-9532-82e90334dcc9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"381295fa-e67d-4943-a2eb-90ffcf09577b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:43:17.8582970Z","updatedOn":"2022-06-27T08:43:17.8582970Z","createdBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","updatedBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b8f0bb0e-1495-48f0-aa68-33c364310cfb","type":"Microsoft.Authorization/roleAssignments","name":"b8f0bb0e-1495-48f0-aa68-33c364310cfb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"381295fa-e67d-4943-a2eb-90ffcf09577b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:43:18.7801612Z","updatedOn":"2022-06-27T08:43:18.7801612Z","createdBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","updatedBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b8eb5d9d-85e3-4ba8-9458-fdd2c48ba8e1","type":"Microsoft.Authorization/roleAssignments","name":"b8eb5d9d-85e3-4ba8-9458-fdd2c48ba8e1"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"3de34697-a180-45dc-aff8-c16061f1143b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-01T08:15:11.7388086Z","updatedOn":"2022-07-01T08:15:11.7388086Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/86db086e-0442-5eef-8ebc-1d8d28a4d03a","type":"Microsoft.Authorization/roleAssignments","name":"86db086e-0442-5eef-8ebc-1d8d28a4d03a"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3de34697-a180-45dc-aff8-c16061f1143b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-01T08:15:12.7940996Z","updatedOn":"2022-07-01T08:15:12.7940996Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/cbcefba6-df6c-5670-9e02-9e09f7964d9c","type":"Microsoft.Authorization/roleAssignments","name":"cbcefba6-df6c-5670-9e02-9e09f7964d9c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"fe7b070d-f778-4cfd-8acf-eda94f397a89","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-29T07:15:07.9544255Z","updatedOn":"2022-07-29T07:15:07.9544255Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/efb13d06-875d-40e3-81d5-195824e19188","type":"Microsoft.Authorization/roleAssignments","name":"efb13d06-875d-40e3-81d5-195824e19188"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"aa7a0e3a-c2c6-41e2-9838-2ae541c08a88","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-01T10:57:25.8183048Z","updatedOn":"2022-08-01T10:57:25.8183048Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/e179ab30-f6f9-44c6-9806-801d4240a604","type":"Microsoft.Authorization/roleAssignments","name":"e179ab30-f6f9-44c6-9806-801d4240a604"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"da112a02-e7cf-4b53-93a0-96958f47f77f","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-01T12:19:56.7716607Z","updatedOn":"2022-08-01T12:19:56.7716607Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/859af8cf-cf8d-4a41-b5cb-b492bbebfa96","type":"Microsoft.Authorization/roleAssignments","name":"859af8cf-cf8d-4a41-b5cb-b492bbebfa96"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"d9334401-f342-4fc7-88c4-6fb936fb3a6f","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-02T06:53:24.5190593Z","updatedOn":"2022-08-02T06:53:24.5190593Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/babd18e7-662a-4f61-b03b-d2790ad8ad2b","type":"Microsoft.Authorization/roleAssignments","name":"babd18e7-662a-4f61-b03b-d2790ad8ad2b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"d9334401-f342-4fc7-88c4-6fb936fb3a6f","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-02T06:56:06.5673047Z","updatedOn":"2022-08-02T06:56:06.5673047Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9b61e48d-b011-4da0-8daa-a65f34af5a33","type":"Microsoft.Authorization/roleAssignments","name":"9b61e48d-b011-4da0-8daa-a65f34af5a33"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f8520195-1c62-47ff-8c01-e394155b52f1","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-10T11:13:36.6792855Z","updatedOn":"2022-08-10T11:13:36.6792855Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3c9150af-abd1-4d00-9c16-acb375857df6","type":"Microsoft.Authorization/roleAssignments","name":"3c9150af-abd1-4d00-9c16-acb375857df6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f4bfeb83-a4cc-43e8-bee0-9808b5d0918d","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-24T05:51:56.3337713Z","updatedOn":"2022-08-24T05:51:56.3337713Z","createdBy":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","updatedBy":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3caa2a04-62bf-4a33-80f5-056840e59fb4","type":"Microsoft.Authorization/roleAssignments","name":"3caa2a04-62bf-4a33-80f5-056840e59fb4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"608ca1e9-e854-46c6-984f-d812d0e657e6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-30T13:32:28.1332524Z","updatedOn":"2022-08-30T13:32:28.1332524Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2719b245-3aeb-4cc0-92bc-6f63eea0dcbf","type":"Microsoft.Authorization/roleAssignments","name":"2719b245-3aeb-4cc0-92bc-6f63eea0dcbf"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"76710889-6dec-4b99-a529-cfd36fcb16ec","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:30:49.7733486Z","updatedOn":"2022-09-05T11:30:49.7733486Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/bbc4ec43-5e44-4b5d-8de0-cdf89486bb41","type":"Microsoft.Authorization/roleAssignments","name":"bbc4ec43-5e44-4b5d-8de0-cdf89486bb41"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"76710889-6dec-4b99-a529-cfd36fcb16ec","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:33:36.9049436Z","updatedOn":"2022-09-05T11:33:36.9049436Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/3f21962f-d606-4223-b80f-43344d5dc933","type":"Microsoft.Authorization/roleAssignments","name":"3f21962f-d606-4223-b80f-43344d5dc933"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"f41bd262-eb21-47f1-9706-f12132d865e3","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:49:52.6105159Z","updatedOn":"2022-09-05T11:49:52.6105159Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/14d078a0-ff7d-4677-aba3-9dc54afca23f","type":"Microsoft.Authorization/roleAssignments","name":"14d078a0-ff7d-4677-aba3-9dc54afca23f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"f41bd262-eb21-47f1-9706-f12132d865e3","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:52:24.6920598Z","updatedOn":"2022-09-05T11:52:24.6920598Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/19633fe8-03e5-4a16-8ca8-6132e216935f","type":"Microsoft.Authorization/roleAssignments","name":"19633fe8-03e5-4a16-8ca8-6132e216935f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"12f8ea5c-1212-449e-b31c-0a574f43076e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2023-01-31T05:55:25.5617539Z","updatedOn":"2023-01-31T05:55:25.5617539Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9d33f09a-0f43-47cf-bde2-27143c6633e7","type":"Microsoft.Authorization/roleAssignments","name":"9d33f09a-0f43-47cf-bde2-27143c6633e7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"9ca84dd8-bc7f-493f-aad6-5776fe5cfcf1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-07T11:46:18.7367949Z","updatedOn":"2023-02-07T11:46:18.7367949Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/5d4c800c-2937-4424-a276-0ce194654572","type":"Microsoft.Authorization/roleAssignments","name":"5d4c800c-2937-4424-a276-0ce194654572"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"cfc56492-7710-42ce-aa54-bacfddcd15f5","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-07T14:37:44.2986908Z","updatedOn":"2023-02-07T14:37:44.2986908Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/f5dfe629-7f08-42b1-a0e1-3557f3bf3da6","type":"Microsoft.Authorization/roleAssignments","name":"f5dfe629-7f08-42b1-a0e1-3557f3bf3da6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"cfc56492-7710-42ce-aa54-bacfddcd15f5","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-07T14:40:10.8368679Z","updatedOn":"2023-02-07T14:40:10.8368679Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/cb18b5b2-f705-48bd-a21a-01a616187728","type":"Microsoft.Authorization/roleAssignments","name":"cb18b5b2-f705-48bd-a21a-01a616187728"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"ab864caf-15e7-4817-a2e9-fb976dfa9d92","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-07T18:24:58.0770208Z","updatedOn":"2023-02-07T18:24:58.0770208Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/a38a7654-d866-4caa-964d-bf247954ce6f","type":"Microsoft.Authorization/roleAssignments","name":"a38a7654-d866-4caa-964d-bf247954ce6f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"ab864caf-15e7-4817-a2e9-fb976dfa9d92","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-07T18:27:30.1142529Z","updatedOn":"2023-02-07T18:27:30.1142529Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/4b91f0d6-a6a8-451e-9d66-a9ae6b33890c","type":"Microsoft.Authorization/roleAssignments","name":"4b91f0d6-a6a8-451e-9d66-a9ae6b33890c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"7e358fea-2c3c-4c77-bbf5-d4c433fa937a","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-08T06:59:01.0691008Z","updatedOn":"2023-02-08T06:59:01.0691008Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/ef38f5ad-dfa1-444f-a59c-4228a2fcb601","type":"Microsoft.Authorization/roleAssignments","name":"ef38f5ad-dfa1-444f-a59c-4228a2fcb601"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"7e358fea-2c3c-4c77-bbf5-d4c433fa937a","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-08T07:01:22.2694457Z","updatedOn":"2023-02-08T07:01:22.2694457Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/a65516eb-abd7-4b4c-824c-60cc075fecd1","type":"Microsoft.Authorization/roleAssignments","name":"a65516eb-abd7-4b4c-824c-60cc075fecd1"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a51d0ef9-9895-4b63-b3f8-354bb7d1a6bb","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-05-21T08:47:39.8177538Z","updatedOn":"2021-05-21T08:47:39.8177538Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/17db6abb-bc45-4967-b313-e470ec9cbbd7","type":"Microsoft.Authorization/roleAssignments","name":"17db6abb-bc45-4967-b313-e470ec9cbbd7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"7c567124-5292-4819-aa73-0224bf1c42e1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-05-23T13:38:54.7542852Z","updatedOn":"2021-05-23T13:38:54.7542852Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/0809d692-f58f-43f2-b597-7f115957407e","type":"Microsoft.Authorization/roleAssignments","name":"0809d692-f58f-43f2-b597-7f115957407e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"955c9d1b-0cb6-4ff6-91c9-f4aadf67ffe8","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-05-24T16:45:08.3835615Z","updatedOn":"2021-05-24T16:45:08.3835615Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/1b1ac6ab-19e7-4c4f-91d2-5be73096da2c","type":"Microsoft.Authorization/roleAssignments","name":"1b1ac6ab-19e7-4c4f-91d2-5be73096da2c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"7221c906-782c-44a0-ab2f-f23d8a95ce25","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-05-24T16:56:16.2751421Z","updatedOn":"2021-05-24T16:56:16.2751421Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/ca8f2433-76dc-49fa-828d-9cd2861ec25c","type":"Microsoft.Authorization/roleAssignments","name":"ca8f2433-76dc-49fa-828d-9cd2861ec25c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"e1a3bbaa-4ffb-41a6-a154-b4870d9e86b4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T06:40:53.5542743Z","updatedOn":"2021-06-04T06:40:53.5542743Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9d9ac2a8-dbac-41bb-9f17-c473f02c6370","type":"Microsoft.Authorization/roleAssignments","name":"9d9ac2a8-dbac-41bb-9f17-c473f02c6370"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"e1a3bbaa-4ffb-41a6-a154-b4870d9e86b4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T06:40:57.1326805Z","updatedOn":"2021-06-04T06:40:57.1326805Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/14b1338c-95f6-44f9-ad22-395f8ebbb1fe","type":"Microsoft.Authorization/roleAssignments","name":"14b1338c-95f6-44f9-ad22-395f8ebbb1fe"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"1da90707-df56-4d40-a805-2e646c9d95ab","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:02:18.2829699Z","updatedOn":"2021-06-04T07:02:18.2829699Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/bf5f4821-9baa-4dc6-9bd5-8c62f31c1a93","type":"Microsoft.Authorization/roleAssignments","name":"bf5f4821-9baa-4dc6-9bd5-8c62f31c1a93"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"1da90707-df56-4d40-a805-2e646c9d95ab","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:02:22.4343547Z","updatedOn":"2021-06-04T07:02:22.4343547Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/26bab283-0772-4c03-8dc1-a50c8ffa597d","type":"Microsoft.Authorization/roleAssignments","name":"26bab283-0772-4c03-8dc1-a50c8ffa597d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"ab6b1184-ff37-4d3e-b460-fbe654f7ad5c","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:19:08.8293677Z","updatedOn":"2021-06-04T07:19:08.8293677Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/d972f611-a4bd-4b80-9e78-980984602450","type":"Microsoft.Authorization/roleAssignments","name":"d972f611-a4bd-4b80-9e78-980984602450"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"ab6b1184-ff37-4d3e-b460-fbe654f7ad5c","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:19:12.8400651Z","updatedOn":"2021-06-04T07:19:12.8400651Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/b9393755-f5ca-41ef-a631-fb62184c57a8","type":"Microsoft.Authorization/roleAssignments","name":"b9393755-f5ca-41ef-a631-fb62184c57a8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3ffa4e46-39a3-4002-9292-e2adf0d1a8c6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T09:14:15.2633798Z","updatedOn":"2021-06-04T09:14:15.2633798Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/094981c0-d59c-4f5b-9581-72c08da65454","type":"Microsoft.Authorization/roleAssignments","name":"094981c0-d59c-4f5b-9581-72c08da65454"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"3ffa4e46-39a3-4002-9292-e2adf0d1a8c6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T09:14:19.9554484Z","updatedOn":"2021-06-04T09:14:19.9554484Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/0cac59e0-0464-4bf6-9bef-f1fadc2b08f4","type":"Microsoft.Authorization/roleAssignments","name":"0cac59e0-0464-4bf6-9bef-f1fadc2b08f4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"93e2b483-3ffa-44f8-9965-fdb104b541a2","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-06-29T05:43:19.7216795Z","updatedOn":"2021-06-29T05:43:19.7216795Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c6aff8c2-08b1-5b1a-9c80-d91164226985","type":"Microsoft.Authorization/roleAssignments","name":"c6aff8c2-08b1-5b1a-9c80-d91164226985"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"4f285ac8-5610-4d2f-854c-bfa3d16a2679","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-11T06:55:02.4909144Z","updatedOn":"2021-07-11T06:55:02.4909144Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/0cec2ad2-d080-4126-a99f-f61c559b799c","type":"Microsoft.Authorization/roleAssignments","name":"0cec2ad2-d080-4126-a99f-f61c559b799c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"630db480-3ee6-47ec-ae72-5f917d466bad","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:16:28.8833400Z","updatedOn":"2021-07-13T10:16:28.8833400Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/37fe4b2d-0aca-4c27-8511-1e0d18063ec8","type":"Microsoft.Authorization/roleAssignments","name":"37fe4b2d-0aca-4c27-8511-1e0d18063ec8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"279982e7-46cf-4e40-9a3b-156c98285cb7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:18:48.5647062Z","updatedOn":"2021-07-13T10:18:48.5647062Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/7907f38d-57a7-431d-82d7-5dfa2ef0a628","type":"Microsoft.Authorization/roleAssignments","name":"7907f38d-57a7-431d-82d7-5dfa2ef0a628"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"790004d0-0112-41ad-92e8-95c464c34476","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:18:48.6068337Z","updatedOn":"2021-07-13T10:18:48.6068337Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8c9bda26-83c4-4d4c-b00b-c4b58301e539","type":"Microsoft.Authorization/roleAssignments","name":"8c9bda26-83c4-4d4c-b00b-c4b58301e539"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-21T06:38:43.9281998Z","updatedOn":"2021-07-21T06:38:43.9281998Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b553fa81-60dd-45d6-9781-8c2313d68b03","type":"Microsoft.Authorization/roleAssignments","name":"b553fa81-60dd-45d6-9781-8c2313d68b03"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:20.4258578Z","updatedOn":"2021-07-27T04:31:20.4258578Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/4b2f7b08-f9ef-4fc1-b9c4-2bb34fdef258","type":"Microsoft.Authorization/roleAssignments","name":"4b2f7b08-f9ef-4fc1-b9c4-2bb34fdef258"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:32.4566300Z","updatedOn":"2021-07-27T04:31:32.4566300Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8176bf09-8e96-448a-ab12-eeed360ecce2","type":"Microsoft.Authorization/roleAssignments","name":"8176bf09-8e96-448a-ab12-eeed360ecce2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:48.4577322Z","updatedOn":"2021-07-27T04:31:48.4577322Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/45949217-58cc-4c18-93f3-f4c90710ae2d","type":"Microsoft.Authorization/roleAssignments","name":"45949217-58cc-4c18-93f3-f4c90710ae2d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:20.8138038Z","updatedOn":"2021-07-27T10:13:20.8138038Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2382b52f-1ec5-430e-ae2a-74f9ed331ced","type":"Microsoft.Authorization/roleAssignments","name":"2382b52f-1ec5-430e-ae2a-74f9ed331ced"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:23.6551958Z","updatedOn":"2021-07-27T10:13:23.6551958Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e5863947-0b21-41b7-9997-c0dfc73eec29","type":"Microsoft.Authorization/roleAssignments","name":"e5863947-0b21-41b7-9997-c0dfc73eec29"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:29.6985440Z","updatedOn":"2021-07-27T10:13:29.6985440Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/28c1cefa-942f-44c5-a4d4-c33bb92abd45","type":"Microsoft.Authorization/roleAssignments","name":"28c1cefa-942f-44c5-a4d4-c33bb92abd45"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8039a424-299a-4014-8b22-4f6d6cc60065","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-11T07:08:31.9935560Z","updatedOn":"2021-08-11T07:08:31.9935560Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/69e0bcfc-b024-4d8b-a3d5-dac447f8986c","type":"Microsoft.Authorization/roleAssignments","name":"69e0bcfc-b024-4d8b-a3d5-dac447f8986c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"8f0340b8-4b70-412b-be19-c4612d49e353","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-20T11:58:29.6857641Z","updatedOn":"2021-08-20T11:58:29.6857641Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fd88236f-eacb-5303-912f-ba1741cf02bd","type":"Microsoft.Authorization/roleAssignments","name":"fd88236f-eacb-5303-912f-ba1741cf02bd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"0d8f6e68-d6c5-4a67-b6c4-3107609bbdbc","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-20T12:31:58.7980661Z","updatedOn":"2021-08-20T12:31:58.7980661Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/146f4a11-8712-583d-89eb-a7b8b82dbaa9","type":"Microsoft.Authorization/roleAssignments","name":"146f4a11-8712-583d-89eb-a7b8b82dbaa9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"e2072d83-2379-4f36-ab51-b5df7460c61e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-21T14:40:08.5987892Z","updatedOn":"2021-08-21T14:40:10.5055205Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/842af679-0b58-5eb5-b94c-ff59e4105d7e","type":"Microsoft.Authorization/roleAssignments","name":"842af679-0b58-5eb5-b94c-ff59e4105d7e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"0242778c-29df-4863-ac18-2fb8fd004135","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-08-30T06:31:52.6766200Z","updatedOn":"2021-08-30T06:31:52.6766200Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/f67c65e2-e609-4ffe-b504-294b00cbd2fd","type":"Microsoft.Authorization/roleAssignments","name":"f67c65e2-e609-4ffe-b504-294b00cbd2fd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"0242778c-29df-4863-ac18-2fb8fd004135","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-08-30T06:31:57.1552781Z","updatedOn":"2021-08-30T06:31:57.1552781Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/aaeab926-d6e2-4bb6-9e9e-0607e75cc75f","type":"Microsoft.Authorization/roleAssignments","name":"aaeab926-d6e2-4bb6-9e9e-0607e75cc75f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"2ab5fb95-b72e-4d12-948b-4223754d8ffa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-09-08T08:24:19.3547440Z","updatedOn":"2021-09-08T08:24:19.3547440Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/43ee13b8-5abd-51e0-88e3-ae84049da70e","type":"Microsoft.Authorization/roleAssignments","name":"43ee13b8-5abd-51e0-88e3-ae84049da70e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-17T09:41:38.5634940Z","updatedOn":"2021-09-17T09:41:38.5634940Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":"for - temp testing purpose"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/98fe0117-1e9c-4e37-b8a7-c4a1031d6916","type":"Microsoft.Authorization/roleAssignments","name":"98fe0117-1e9c-4e37-b8a7-c4a1031d6916"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"9c973a07-b207-473c-9687-bd693ba8e460","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-25T15:23:32.6168771Z","updatedOn":"2021-09-25T15:23:32.6168771Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/d852f084-bc9f-4258-9e2c-fcf48b9eaf85","type":"Microsoft.Authorization/roleAssignments","name":"d852f084-bc9f-4258-9e2c-fcf48b9eaf85"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"2778738c-452b-45ca-b8d6-f085836a1458","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-30T07:51:25.2399474Z","updatedOn":"2021-09-30T07:51:25.2399474Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b04a3bdf-b6a6-5ffb-9394-ee5743741597","type":"Microsoft.Authorization/roleAssignments","name":"b04a3bdf-b6a6-5ffb-9394-ee5743741597"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"0ac1f52a-325b-486a-a095-f46ffdd6a9e4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-10-26T01:59:18.6998395Z","updatedOn":"2021-10-26T01:59:18.6998395Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/53a3b238-b4b0-4d3f-b416-8d6dc8d755f6","type":"Microsoft.Authorization/roleAssignments","name":"53a3b238-b4b0-4d3f-b416-8d6dc8d755f6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"c3c0d020-16f0-44d8-9950-0250120a33ff","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-02T06:11:03.5575284Z","updatedOn":"2021-11-02T06:11:03.5575284Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/1d017732-f67e-5aa1-a4a6-47570078d9f3","type":"Microsoft.Authorization/roleAssignments","name":"1d017732-f67e-5aa1-a4a6-47570078d9f3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-10T08:59:19.7285159Z","updatedOn":"2021-11-10T08:59:19.7285159Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a60357fa-dc0a-4479-a2a9-4329c2d0ae89","type":"Microsoft.Authorization/roleAssignments","name":"a60357fa-dc0a-4479-a2a9-4329c2d0ae89"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8dd77695-d6a5-450d-a43c-67ca01be9fbc","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-12T10:55:38.3698246Z","updatedOn":"2021-11-12T10:55:38.3698246Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/dda5bb75-b74a-4430-975f-5bc9611c4b2d","type":"Microsoft.Authorization/roleAssignments","name":"dda5bb75-b74a-4430-975f-5bc9611c4b2d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/36243c78-bf99-498c-9df9-86d9f8d28608","principalId":"2152c794-9ca2-41fe-a313-2d0e1ee3eb80","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-18T06:28:12.0181010Z","updatedOn":"2021-02-18T06:28:12.0181010Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/804f6223-03eb-4091-b460-82160fc5f818","type":"Microsoft.Authorization/roleAssignments","name":"804f6223-03eb-4091-b460-82160fc5f818"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"2152c794-9ca2-41fe-a313-2d0e1ee3eb80","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-18T06:28:12.0168587Z","updatedOn":"2021-02-18T06:28:12.0168587Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8d80e2d6-315c-495c-ab2c-91ddf75edf41","type":"Microsoft.Authorization/roleAssignments","name":"8d80e2d6-315c-495c-ab2c-91ddf75edf41"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"cf46d636-b6c1-406c-aba7-b2c3d9ed07da","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-26T13:53:53.1151640Z","updatedOn":"2021-02-26T13:53:53.1151640Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/735e98ed-f4b8-4b7d-9cc9-af4f8ae77252","type":"Microsoft.Authorization/roleAssignments","name":"735e98ed-f4b8-4b7d-9cc9-af4f8ae77252"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8505e3f4-1ee7-427c-a175-a06595231d46","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-26T13:54:27.5624477Z","updatedOn":"2021-02-26T13:54:27.5624477Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/98c87a9f-b9e7-414b-8b59-bf3ec62dbc74","type":"Microsoft.Authorization/roleAssignments","name":"98c87a9f-b9e7-414b-8b59-bf3ec62dbc74"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-25T12:25:27.2277610Z","updatedOn":"2020-07-25T12:25:27.2277610Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fd6b8ff4-9edb-43f5-aa2a-32133fa09b1d","type":"Microsoft.Authorization/roleAssignments","name":"fd6b8ff4-9edb-43f5-aa2a-32133fa09b1d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"21ae6127-c385-4ae0-b895-a8559e9aa574","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-31T08:35:35.2993523Z","updatedOn":"2020-07-31T08:35:35.2993523Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/6af9fbf3-7085-4bcb-b399-88b89fac16d3","type":"Microsoft.Authorization/roleAssignments","name":"6af9fbf3-7085-4bcb-b399-88b89fac16d3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"1e845bc3-37db-4639-be09-d0cf1e448221","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-31T08:44:16.2909420Z","updatedOn":"2020-07-31T08:44:16.2909420Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/65080390-e9b5-4566-b362-d1e96c23dae2","type":"Microsoft.Authorization/roleAssignments","name":"65080390-e9b5-4566-b362-d1e96c23dae2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-11-03T06:12:01.6760584Z","updatedOn":"2020-11-03T06:12:01.6760584Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a7a12420-2dce-4a47-822e-68cadf239da3","type":"Microsoft.Authorization/roleAssignments","name":"a7a12420-2dce-4a47-822e-68cadf239da3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3282af51-433d-47e8-b2b5-633fbe0fecc0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-11-03T06:25:32.6790913Z","updatedOn":"2020-11-03T06:25:32.6790913Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/36da831d-10ce-4f42-ba28-362960f6ea36","type":"Microsoft.Authorization/roleAssignments","name":"36da831d-10ce-4f42-ba28-362960f6ea36"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-10-04T07:35:39.6626948Z","updatedOn":"2019-10-04T07:35:39.6626948Z","createdBy":"8031e009-cc05-4950-8a8d-78942c4492ac","updatedBy":"8031e009-cc05-4950-8a8d-78942c4492ac","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/730fa65e-c74c-4c3d-9cc3-9457f9b97274","type":"Microsoft.Authorization/roleAssignments","name":"730fa65e-c74c-4c3d-9cc3-9457f9b97274"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-04-08T01:03:29.8241478Z","updatedOn":"2021-04-08T01:03:29.8241478Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/63818ccb-a05c-4083-9e1d-64b4c7c0e1cd","type":"Microsoft.Authorization/roleAssignments","name":"63818ccb-a05c-4083-9e1d-64b4c7c0e1cd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"c87d9afe-4463-41d5-81e3-3bd162af9183","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-07-10T09:38:17.4348497Z","updatedOn":"2019-07-10T09:38:17.4348497Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/ebc56c6d-c5de-4d99-b166-89d4ac815acd","type":"Microsoft.Authorization/roleAssignments","name":"ebc56c6d-c5de-4d99-b166-89d4ac815acd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-03-15T11:01:18.6794974Z","updatedOn":"2019-03-15T11:01:18.6794974Z","createdBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","updatedBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/9fb9b151-1d53-4eff-9336-75cf634e1e3d","type":"Microsoft.Authorization/roleAssignments","name":"9fb9b151-1d53-4eff-9336-75cf634e1e3d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f87f6638-3a1b-4562-8603-aacd59537149","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-05-03T06:47:05.1411825Z","updatedOn":"2019-05-03T06:47:05.1411825Z","createdBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","updatedBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/24ffbb29-061f-4b1d-8c26-c6e90ef53303","type":"Microsoft.Authorization/roleAssignments","name":"24ffbb29-061f-4b1d-8c26-c6e90ef53303"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"becb4b6b-fe16-413b-a5c3-90355e0b2982","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-06-26T06:33:50.1123976Z","updatedOn":"2019-06-26T06:33:50.1123976Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/4c3721e8-06f4-4115-a2d8-90c4a9a57d56","type":"Microsoft.Authorization/roleAssignments","name":"4c3721e8-06f4-4115-a2d8-90c4a9a57d56"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-04-07T16:59:19.6098216Z","updatedOn":"2021-04-07T16:59:19.6098216Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/9d2de631-e451-450b-8237-e5bc19624eee","type":"Microsoft.Authorization/roleAssignments","name":"9d2de631-e451-450b-8237-e5bc19624eee"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/17d1049b-9a84-46fb-8f53-869881c3d3ab","principalId":"f61a8f2d-c22b-47c9-9e09-71c6dc1686a2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2022-10-17T05:35:15.3185857Z","updatedOn":"2022-10-17T05:35:15.3185857Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/112e70a2-19dc-47b1-8a5f-b6b0ebe3101a","type":"Microsoft.Authorization/roleAssignments","name":"112e70a2-19dc-47b1-8a5f-b6b0ebe3101a"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/17d1049b-9a84-46fb-8f53-869881c3d3ab","principalId":"38bb424d-6106-4a59-800e-90ee180570f1","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2022-10-26T02:55:09.1249140Z","updatedOn":"2022-10-26T02:55:09.1249140Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/7cdb04d8-94ce-4084-b154-6ab26e1b0041","type":"Microsoft.Authorization/roleAssignments","name":"7cdb04d8-94ce-4084-b154-6ab26e1b0041"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"b1b96a90-235c-4668-a931-ee1c08db7681","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-02-01T04:47:38.5676012Z","updatedOn":"2021-02-01T04:47:38.5676012Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/a9e38032-c21b-4c41-8960-1c9c982d98e2","type":"Microsoft.Authorization/roleAssignments","name":"a9e38032-c21b-4c41-8960-1c9c982d98e2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a51d0ef9-9895-4b63-b3f8-354bb7d1a6bb","principalType":"Group","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-03-03T05:31:57.4716459Z","updatedOn":"2021-03-03T05:31:57.4716459Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/77aa0ff2-42c2-4e01-a51d-01cf2dd7ce04","type":"Microsoft.Authorization/roleAssignments","name":"77aa0ff2-42c2-4e01-a51d-01cf2dd7ce04"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"ce2366a6-64d7-441b-939c-c9d23f91cccd","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47","condition":null,"conditionVersion":null,"createdOn":"2020-03-12T20:43:06.5941189Z","updatedOn":"2020-03-12T20:43:06.5941189Z","createdBy":"606f48c8-d219-4875-991d-ae6befaf0756","updatedBy":"606f48c8-d219-4875-991d-ae6befaf0756","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47/providers/Microsoft.Authorization/roleAssignments/ad9e2cd7-0ff7-4931-9b17-656c8f17934b","type":"Microsoft.Authorization/roleAssignments","name":"ad9e2cd7-0ff7-4931-9b17-656c8f17934b"}]}' - headers: - cache-control: - - no-cache - content-length: - - '131131' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:37:11 GMT - expires: - - '-1' - pragma: - - no-cache - set-cookie: - - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-instance update-msi-permissions - Connection: - - keep-alive - Cookie: - - x-ms-gateway-slice=Production - ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes - User-Agent: - - python/3.10.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 - azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.45.0 (PIP) - accept-language: - - en-US - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Disk%20Backup%20Reader%27&api-version=2018-01-01-preview - response: - body: - string: '{"value":[{"properties":{"roleName":"Disk Backup Reader","type":"BuiltInRole","description":"Provides - permission to backup vault to perform disk backup.","assignableScopes":["/"],"permissions":[{"actions":["Microsoft.Authorization/*/read","Microsoft.Compute/disks/read","Microsoft.Compute/disks/beginGetAccess/action"],"notActions":[],"dataActions":[],"notDataActions":[]}],"createdOn":"2020-12-15T07:39:03.8394514Z","updatedOn":"2021-11-11T20:14:56.0178737Z","createdBy":null,"updatedBy":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","type":"Microsoft.Authorization/roleDefinitions","name":"3e5e47e6-65f7-47ef-90b5-e5dd4d455f24"}]}' - headers: - cache-control: - - no-cache - content-length: - - '738' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:37:11 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-instance update-msi-permissions - Connection: - - keep-alive - ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes - User-Agent: - - python/3.10.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.45.0 (PIP) - method: GET - uri: https://graph.microsoft.com/v1.0/servicePrincipals?$filter=servicePrincipalNames%2Fany%28c%3Ac%20eq%20%2741753b57-b4fa-4774-80aa-414a3af0f706%27%29 - response: - body: - string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#servicePrincipals","value":[]}' - headers: - cache-control: - - no-cache - content-length: - - '92' - content-type: - - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 - date: - - Mon, 13 Feb 2023 07:37:12 GMT - odata-version: - - '4.0' - request-id: - - db88cbac-b32f-45be-b48a-f6ef1c582599 - strict-transport-security: - - max-age=31536000 - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-ms-ags-diagnostic: - - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"001","RoleInstance":"MA1PEPF00004260"}}' - x-ms-resource-unit: - - '1' - status: - code: 200 - message: OK -- request: - body: '{"ids": ["41753b57-b4fa-4774-80aa-414a3af0f706"], "types": ["user", "group", - "servicePrincipal", "directoryObjectPartnerReference"]}' - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-instance update-msi-permissions - Connection: - - keep-alive - Content-Length: - - '132' - Content-Type: - - application/json - ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes - User-Agent: - - python/3.10.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.45.0 (PIP) - method: POST - uri: https://graph.microsoft.com/v1.0/directoryObjects/getByIds - response: - body: - string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#directoryObjects","value":[{"@odata.type":"#microsoft.graph.servicePrincipal","id":"41753b57-b4fa-4774-80aa-414a3af0f706","deletedDateTime":null,"accountEnabled":true,"alternativeNames":["isExplicit=False","/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg/providers/Microsoft.DataProtection/BackupVaults/cli-test-new-vault1"],"appDisplayName":null,"appDescription":null,"appId":"fea0857b-fd83-4708-b252-0c5f0a38d6b0","applicationTemplateId":null,"appOwnerOrganizationId":null,"appRoleAssignmentRequired":false,"createdDateTime":"2023-02-13T07:30:29Z","description":null,"disabledByMicrosoftStatus":null,"displayName":"cli-test-new-vault1","homepage":null,"loginUrl":null,"logoutUrl":null,"notes":null,"notificationEmailAddresses":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyThumbprint":null,"replyUrls":[],"servicePrincipalNames":["fea0857b-fd83-4708-b252-0c5f0a38d6b0","https://identity.azure.net/2czira6fp81UmSQY0i+P6p1ObGIy33lZb5C/K/6SyDY="],"servicePrincipalType":"ManagedIdentity","signInAudience":null,"tags":[],"tokenEncryptionKeyId":null,"info":null,"samlSingleSignOnSettings":null,"addIns":[],"appRoles":[],"keyCredentials":[{"customKeyIdentifier":"81B4BF05CBCD13C46538514E74E2057DB2DD092E","displayName":"CN=fea0857b-fd83-4708-b252-0c5f0a38d6b0","endDateTime":"2023-05-14T07:25:00Z","key":null,"keyId":"3dac063a-25ed-4f07-a638-ed0fc6455a6e","startDateTime":"2023-02-13T07:25:00Z","type":"AsymmetricX509Cert","usage":"Verify"}],"oauth2PermissionScopes":[],"passwordCredentials":[],"resourceSpecificApplicationPermissions":[],"verifiedPublisher":{"displayName":null,"verifiedPublisherId":null,"addedDateTime":null}}]}' - headers: - cache-control: - - no-cache - content-length: - - '1732' - content-type: - - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 - date: - - Mon, 13 Feb 2023 07:37:12 GMT - location: - - https://graph.microsoft.com - odata-version: - - '4.0' - request-id: - - 5a9e71e6-eb1e-46e5-ab1c-98bb72e9b53c - strict-transport-security: - - max-age=31536000 - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-ms-ags-diagnostic: - - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"001","RoleInstance":"MA1PEPF00004258"}}' - x-ms-resource-unit: - - '3' - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-instance update-msi-permissions - Connection: - - keep-alive - ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes - User-Agent: - - python/3.10.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 - azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.45.0 (PIP) - accept-language: - - en-US - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Disk%20Backup%20Reader%27&api-version=2018-01-01-preview - response: - body: - string: '{"value":[{"properties":{"roleName":"Disk Backup Reader","type":"BuiltInRole","description":"Provides - permission to backup vault to perform disk backup.","assignableScopes":["/"],"permissions":[{"actions":["Microsoft.Authorization/*/read","Microsoft.Compute/disks/read","Microsoft.Compute/disks/beginGetAccess/action"],"notActions":[],"dataActions":[],"notDataActions":[]}],"createdOn":"2020-12-15T07:39:03.8394514Z","updatedOn":"2021-11-11T20:14:56.0178737Z","createdBy":null,"updatedBy":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","type":"Microsoft.Authorization/roleDefinitions","name":"3e5e47e6-65f7-47ef-90b5-e5dd4d455f24"}]}' - headers: - cache-control: - - no-cache - content-length: - - '738' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:37:14 GMT - expires: - - '-1' - pragma: - - no-cache - set-cookie: - - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: '{"properties": {"roleDefinitionId": "/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24", - "principalId": "41753b57-b4fa-4774-80aa-414a3af0f706", "principalType": "ServicePrincipal"}}' - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-instance update-msi-permissions - Connection: - - keep-alive - Content-Length: - - '270' - Content-Type: - - application/json; charset=utf-8 - Cookie: - - x-ms-gateway-slice=Production - ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes - User-Agent: - - python/3.10.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 - azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.45.0 (PIP) - accept-language: - - en-US - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1/providers/Microsoft.Authorization/roleAssignments/d5806426-e0ef-4b46-800f-5ed2922a80cb?api-version=2020-04-01-preview - response: - body: - string: '{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"41753b57-b4fa-4774-80aa-414a3af0f706","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","condition":null,"conditionVersion":null,"createdOn":"2023-02-13T07:37:15.0086909Z","updatedOn":"2023-02-13T07:37:15.7258710Z","createdBy":null,"updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1/providers/Microsoft.Authorization/roleAssignments/d5806426-e0ef-4b46-800f-5ed2922a80cb","type":"Microsoft.Authorization/roleAssignments","name":"d5806426-e0ef-4b46-800f-5ed2922a80cb"}' - headers: - cache-control: - - no-cache - content-length: - - '979' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:37:17 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1194' - status: - code: 201 - message: Created -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-instance update-msi-permissions - Connection: - - keep-alive - ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes - User-Agent: - - python/3.10.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.45.0 (PIP) - method: GET - uri: https://graph.microsoft.com/v1.0/servicePrincipals?$filter=servicePrincipalNames%2Fany%28c%3Ac%20eq%20%2741753b57-b4fa-4774-80aa-414a3af0f706%27%29 - response: - body: - string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#servicePrincipals","value":[]}' - headers: - cache-control: - - no-cache - content-length: - - '92' - content-type: - - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 - date: - - Mon, 13 Feb 2023 07:37:17 GMT - odata-version: - - '4.0' - request-id: - - 9508bccf-4a5a-40f4-ba1c-5f8660d64b46 - strict-transport-security: - - max-age=31536000 - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-ms-ags-diagnostic: - - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"001","RoleInstance":"MA1PEPF0000272C"}}' - x-ms-resource-unit: - - '1' - status: - code: 200 - message: OK -- request: - body: '{"ids": ["41753b57-b4fa-4774-80aa-414a3af0f706"], "types": ["user", "group", - "servicePrincipal", "directoryObjectPartnerReference"]}' - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-instance update-msi-permissions - Connection: - - keep-alive - Content-Length: - - '132' - Content-Type: - - application/json - ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes - User-Agent: - - python/3.10.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.45.0 (PIP) - method: POST - uri: https://graph.microsoft.com/v1.0/directoryObjects/getByIds - response: - body: - string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#directoryObjects","value":[{"@odata.type":"#microsoft.graph.servicePrincipal","id":"41753b57-b4fa-4774-80aa-414a3af0f706","deletedDateTime":null,"accountEnabled":true,"alternativeNames":["isExplicit=False","/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg/providers/Microsoft.DataProtection/BackupVaults/cli-test-new-vault1"],"appDisplayName":null,"appDescription":null,"appId":"fea0857b-fd83-4708-b252-0c5f0a38d6b0","applicationTemplateId":null,"appOwnerOrganizationId":null,"appRoleAssignmentRequired":false,"createdDateTime":"2023-02-13T07:30:29Z","description":null,"disabledByMicrosoftStatus":null,"displayName":"cli-test-new-vault1","homepage":null,"loginUrl":null,"logoutUrl":null,"notes":null,"notificationEmailAddresses":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyThumbprint":null,"replyUrls":[],"servicePrincipalNames":["fea0857b-fd83-4708-b252-0c5f0a38d6b0","https://identity.azure.net/2czira6fp81UmSQY0i+P6p1ObGIy33lZb5C/K/6SyDY="],"servicePrincipalType":"ManagedIdentity","signInAudience":null,"tags":[],"tokenEncryptionKeyId":null,"info":null,"samlSingleSignOnSettings":null,"addIns":[],"appRoles":[],"keyCredentials":[{"customKeyIdentifier":"81B4BF05CBCD13C46538514E74E2057DB2DD092E","displayName":"CN=fea0857b-fd83-4708-b252-0c5f0a38d6b0","endDateTime":"2023-05-14T07:25:00Z","key":null,"keyId":"3dac063a-25ed-4f07-a638-ed0fc6455a6e","startDateTime":"2023-02-13T07:25:00Z","type":"AsymmetricX509Cert","usage":"Verify"}],"oauth2PermissionScopes":[],"passwordCredentials":[],"resourceSpecificApplicationPermissions":[],"verifiedPublisher":{"displayName":null,"verifiedPublisherId":null,"addedDateTime":null}}]}' - headers: - cache-control: - - no-cache - content-length: - - '1732' - content-type: - - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 - date: - - Mon, 13 Feb 2023 07:37:18 GMT - location: - - https://graph.microsoft.com - odata-version: - - '4.0' - request-id: - - 2c067063-b911-42c7-b37d-fb170353967f - strict-transport-security: - - max-age=31536000 - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-ms-ags-diagnostic: - - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"001","RoleInstance":"MA1PEPF00003103"}}' - x-ms-resource-unit: - - '3' - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-instance update-msi-permissions - Connection: - - keep-alive - ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes - User-Agent: - - python/3.10.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 - azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.45.0 (PIP) - accept-language: - - en-US - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments?$filter=atScope%28%29&api-version=2020-04-01-preview - response: - body: - string: '{"value":[{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"5c617d2b-99f8-4c90-98fe-dfe040fa33c1","principalType":"ServicePrincipal","scope":"/","condition":null,"conditionVersion":null,"createdOn":"2018-02-27T19:19:50.2663941Z","updatedOn":"2018-02-27T19:19:50.2663941Z","createdBy":null,"updatedBy":null,"delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Authorization/roleAssignments/3e883d24-b106-42ff-ad13-d7bf271b964d","type":"Microsoft.Authorization/roleAssignments","name":"3e883d24-b106-42ff-ad13-d7bf271b964d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"1d8b8d73-0cc6-4db8-b112-724b4a932253","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-26T12:22:13.7498923Z","updatedOn":"2019-08-26T12:22:13.7498923Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8c3a4de9-1ebd-47ce-9dd9-bebf87a4e28f","type":"Microsoft.Authorization/roleAssignments","name":"8c3a4de9-1ebd-47ce-9dd9-bebf87a4e28f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"1e845bc3-37db-4639-be09-d0cf1e448221","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-05-24T11:02:27.8515917Z","updatedOn":"2019-05-24T11:02:27.8515917Z","createdBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","updatedBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b5eee4d7-5f9f-4f63-8040-8aec158c289b","type":"Microsoft.Authorization/roleAssignments","name":"b5eee4d7-5f9f-4f63-8040-8aec158c289b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"235b2664-75e2-4741-bb6f-37e49babf6cd","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-02-12T11:34:59.7104212Z","updatedOn":"2020-02-12T11:34:59.7104212Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/f0618702-8404-4858-9a26-e61f23e7d44f","type":"Microsoft.Authorization/roleAssignments","name":"f0618702-8404-4858-9a26-e61f23e7d44f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8bb5b214-1182-465c-892f-ca7235abe1e7","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-11-14T08:52:42.2795010Z","updatedOn":"2019-11-14T08:52:42.2795010Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/77daac38-9839-4b00-921b-e5d5a03e728c","type":"Microsoft.Authorization/roleAssignments","name":"77daac38-9839-4b00-921b-e5d5a03e728c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"9693df58-7f72-4974-9bd3-1c3ceb0382f1","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-11-29T09:40:04.3180033Z","updatedOn":"2018-11-29T09:40:04.3180033Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ed3bf874-9c97-43f9-a5e9-b4ee6f8982f7","type":"Microsoft.Authorization/roleAssignments","name":"ed3bf874-9c97-43f9-a5e9-b4ee6f8982f7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"d1f96755-9bcf-44b8-ab82-df67360496c4","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-05-08T10:28:08.2854940Z","updatedOn":"2020-05-08T10:28:08.2854940Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/dfb3ca56-a0d4-44ce-ba35-b716c3fdab86","type":"Microsoft.Authorization/roleAssignments","name":"dfb3ca56-a0d4-44ce-ba35-b716c3fdab86"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-12-31T09:26:43.6440415Z","updatedOn":"2018-12-31T09:26:43.6440415Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/45744ea8-780f-4f3e-88aa-b73d7f6997b2","type":"Microsoft.Authorization/roleAssignments","name":"45744ea8-780f-4f3e-88aa-b73d7f6997b2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e65078fb-6b02-434a-9f11-d06bf9bc0600","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-10-25T23:42:36.3444507Z","updatedOn":"2018-10-25T23:42:36.3444507Z","createdBy":"66cb55a5-e2a8-44ef-ae4b-5ab8fa2ec8d9","updatedBy":"66cb55a5-e2a8-44ef-ae4b-5ab8fa2ec8d9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e7ce51e8-4109-41d7-bc10-538b089599db","type":"Microsoft.Authorization/roleAssignments","name":"e7ce51e8-4109-41d7-bc10-538b089599db"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"a7782e0f-1f9a-4882-b2c9-11227aad244e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-06-16T04:32:50.9673703Z","updatedOn":"2020-06-16T04:32:50.9673703Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9fa21f2f-81c3-47b6-b706-650b359b96c3","type":"Microsoft.Authorization/roleAssignments","name":"9fa21f2f-81c3-47b6-b706-650b359b96c3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"00b14177-f4d2-4a4b-94f6-6e80f75745c9","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-03-12T09:49:11.3750683Z","updatedOn":"2020-03-12T09:49:11.3750683Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fff0abf3-3cf7-46be-8bc7-1d1619a160fb","type":"Microsoft.Authorization/roleAssignments","name":"fff0abf3-3cf7-46be-8bc7-1d1619a160fb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"1d8b8d73-0cc6-4db8-b112-724b4a932253","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-26T10:28:45.4880023Z","updatedOn":"2019-08-26T10:28:45.4880023Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/397a3c9c-c258-4d4e-834d-00cc08227796","type":"Microsoft.Authorization/roleAssignments","name":"397a3c9c-c258-4d4e-834d-00cc08227796"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"235b2664-75e2-4741-bb6f-37e49babf6cd","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-12-05T04:29:28.7359096Z","updatedOn":"2018-12-05T04:29:28.7359096Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3c830f42-5f89-4d8b-8f93-d3dc936f33bd","type":"Microsoft.Authorization/roleAssignments","name":"3c830f42-5f89-4d8b-8f93-d3dc936f33bd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-04-08T08:38:50.1742930Z","updatedOn":"2020-04-08T08:38:50.1742930Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/5293a96b-830e-45f4-9e9e-22d7d020f0d8","type":"Microsoft.Authorization/roleAssignments","name":"5293a96b-830e-45f4-9e9e-22d7d020f0d8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3421d717-ca60-44e7-a9a1-773acec4e503","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-10-23T09:40:14.7658272Z","updatedOn":"2019-10-23T09:40:14.7658272Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/34b29558-faf9-43f0-a194-35ca0aa99fc5","type":"Microsoft.Authorization/roleAssignments","name":"34b29558-faf9-43f0-a194-35ca0aa99fc5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3dc88d41-4d03-4105-970d-937e56de3839","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-06-27T12:59:44.6557891Z","updatedOn":"2019-06-27T12:59:44.6557891Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e57ab8d1-ce9a-4925-b09f-2567492d9b22","type":"Microsoft.Authorization/roleAssignments","name":"e57ab8d1-ce9a-4925-b09f-2567492d9b22"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"62c799b8-9b54-4c3d-97c9-9490d16a6a9a","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-08T13:01:20.9953919Z","updatedOn":"2019-08-08T13:01:20.9953919Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e1b91810-0781-462d-9517-764e4a033822","type":"Microsoft.Authorization/roleAssignments","name":"e1b91810-0781-462d-9517-764e4a033822"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8bb5b214-1182-465c-892f-ca7235abe1e7","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-10-23T08:03:15.6803676Z","updatedOn":"2019-10-23T08:03:15.6803676Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/facbac06-ddab-437d-949a-207593fddfff","type":"Microsoft.Authorization/roleAssignments","name":"facbac06-ddab-437d-949a-207593fddfff"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"978b254a-54be-42af-80f5-e2a37b2e40e5","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-07-08T06:57:57.0377373Z","updatedOn":"2019-07-08T06:57:57.0377373Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/89be5b0a-dfa8-4bdf-b667-c6f63f7f3f0e","type":"Microsoft.Authorization/roleAssignments","name":"89be5b0a-dfa8-4bdf-b667-c6f63f7f3f0e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"9c973a07-b207-473c-9687-bd693ba8e460","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-04-17T09:14:08.7913669Z","updatedOn":"2020-04-17T09:14:08.7913669Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/950c635a-23a5-4a0e-8eb6-c53e929c9699","type":"Microsoft.Authorization/roleAssignments","name":"950c635a-23a5-4a0e-8eb6-c53e929c9699"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"058c04ea-b176-4e7b-b8d9-9e1f2f713ffe","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-10-03T10:52:46.8918844Z","updatedOn":"2022-10-03T10:52:46.8918844Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c5a8b530-0e4c-40d9-a003-167e38138f34","type":"Microsoft.Authorization/roleAssignments","name":"c5a8b530-0e4c-40d9-a003-167e38138f34"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"ce439730-9009-4c60-b582-277f5b9b5c47","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-10-03T10:52:47.6507241Z","updatedOn":"2022-10-03T10:52:47.6507241Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/adfaf7e6-895a-432b-9f63-650c5855b6b5","type":"Microsoft.Authorization/roleAssignments","name":"adfaf7e6-895a-432b-9f63-650c5855b6b5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8a1cd6d0-5c03-4720-8cc7-22adbc865bad","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-10-06T10:00:44.6775425Z","updatedOn":"2022-10-06T10:00:44.6775425Z","createdBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","updatedBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/21a219c4-e4ea-4572-9b97-ab829ee70b0b","type":"Microsoft.Authorization/roleAssignments","name":"21a219c4-e4ea-4572-9b97-ab829ee70b0b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"ba20023e-4ef7-4929-8693-f3f37fdb7667","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-10-19T06:48:34.7902721Z","updatedOn":"2022-10-19T06:48:34.7902721Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/70fc8a72-c6e9-4644-95d6-f27efe137007","type":"Microsoft.Authorization/roleAssignments","name":"70fc8a72-c6e9-4644-95d6-f27efe137007"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/17d1049b-9a84-46fb-8f53-869881c3d3ab","principalId":"cda54502-7b02-4c29-bacd-2ac17bb3fee4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-10-20T05:10:54.0749901Z","updatedOn":"2022-10-20T05:10:54.0749901Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a49a99d3-cfb9-4f66-b694-b3a7803fe02b","type":"Microsoft.Authorization/roleAssignments","name":"a49a99d3-cfb9-4f66-b694-b3a7803fe02b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"d6e6b7d9-6bee-44e9-a115-608b26453747","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-11-04T09:20:20.9539814Z","updatedOn":"2022-11-04T09:20:20.9539814Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/5ead22ad-d09b-4591-8d0f-a571ef0dedb2","type":"Microsoft.Authorization/roleAssignments","name":"5ead22ad-d09b-4591-8d0f-a571ef0dedb2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/00c29273-979b-4161-815c-10b084fb9324","principalId":"8a49a9af-c646-4a94-97e0-988219f9b933","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-11-17T09:48:40.9317341Z","updatedOn":"2022-11-17T09:48:40.9317341Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/81881251-9f42-413a-828e-f0374be3fc43","type":"Microsoft.Authorization/roleAssignments","name":"81881251-9f42-413a-828e-f0374be3fc43"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5e467623-bb1f-42f4-a55d-6e525e11384b","principalId":"8a49a9af-c646-4a94-97e0-988219f9b933","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-11-17T14:33:17.2080750Z","updatedOn":"2022-11-17T14:33:17.2080750Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/6d573002-8569-420a-bd13-90c87072b928","type":"Microsoft.Authorization/roleAssignments","name":"6d573002-8569-420a-bd13-90c87072b928"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"21369ac4-7db8-402f-8b5b-c3c47bac68bd","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-12-13T12:39:32.2924849Z","updatedOn":"2022-12-13T12:39:32.2924849Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/1a2a40b4-9a41-4578-a6f5-e34068ff3bf6","type":"Microsoft.Authorization/roleAssignments","name":"1a2a40b4-9a41-4578-a6f5-e34068ff3bf6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"21369ac4-7db8-402f-8b5b-c3c47bac68bd","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-12-13T12:39:32.4781119Z","updatedOn":"2022-12-13T12:39:32.4781119Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9fc9183c-bfec-41be-8c2b-2cc55420f6c1","type":"Microsoft.Authorization/roleAssignments","name":"9fc9183c-bfec-41be-8c2b-2cc55420f6c1"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"fc8bd99b-292d-4396-ac07-7e46bf989efa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2023-01-04T09:17:14.5148296Z","updatedOn":"2023-01-04T09:17:14.5148296Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/5c4e131f-5843-5474-af9f-427c1fca982d","type":"Microsoft.Authorization/roleAssignments","name":"5c4e131f-5843-5474-af9f-427c1fca982d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"c0c54612-5a75-40a2-8a0c-bf70ab0847ba","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2023-01-13T04:47:48.8296778Z","updatedOn":"2023-01-13T04:47:48.8296778Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b56bdd79-3e27-4d79-b73b-4dc8625a172a","type":"Microsoft.Authorization/roleAssignments","name":"b56bdd79-3e27-4d79-b73b-4dc8625a172a"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a4eae46b-a9d0-4586-8ac9-ba91b29f1d57","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-02-01T10:05:44.6784242Z","updatedOn":"2022-02-01T10:05:44.6784242Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8af2fb3a-292c-42a8-a870-1751c4ec4870","type":"Microsoft.Authorization/roleAssignments","name":"8af2fb3a-292c-42a8-a870-1751c4ec4870"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"662a0ec2-cfbc-45f9-ae31-2cc53070e765","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T12:46:49.6216206Z","updatedOn":"2022-04-12T12:46:49.6216206Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/85cc2dff-c5d4-42a3-acb6-255cd4208ef4","type":"Microsoft.Authorization/roleAssignments","name":"85cc2dff-c5d4-42a3-acb6-255cd4208ef4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"662a0ec2-cfbc-45f9-ae31-2cc53070e765","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T12:46:57.1459341Z","updatedOn":"2022-04-12T12:46:57.1459341Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/aba8e90d-d951-4cb5-a346-b71e478f4d1b","type":"Microsoft.Authorization/roleAssignments","name":"aba8e90d-d951-4cb5-a346-b71e478f4d1b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"30bc1f3b-ca1a-4c55-96ff-4c026f12eaa1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T13:09:28.3678603Z","updatedOn":"2022-04-12T13:09:28.3678603Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/79d87d90-f984-4f53-a169-2eca51c00104","type":"Microsoft.Authorization/roleAssignments","name":"79d87d90-f984-4f53-a169-2eca51c00104"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"30bc1f3b-ca1a-4c55-96ff-4c026f12eaa1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T13:09:33.3916295Z","updatedOn":"2022-04-12T13:09:33.3916295Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/5e185742-c91a-4efe-b0d8-db9524685ec5","type":"Microsoft.Authorization/roleAssignments","name":"5e185742-c91a-4efe-b0d8-db9524685ec5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3c582fc7-e68a-4991-a2f6-3d8a7a1f23c1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:01:02.2689248Z","updatedOn":"2022-04-13T07:01:02.2689248Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/c9b4f9ab-d687-4a65-910a-5bcb2f974bfe","type":"Microsoft.Authorization/roleAssignments","name":"c9b4f9ab-d687-4a65-910a-5bcb2f974bfe"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"3c582fc7-e68a-4991-a2f6-3d8a7a1f23c1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:01:09.3571703Z","updatedOn":"2022-04-13T07:01:09.3571703Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/8bedf13c-aa1a-4191-aa97-573f14fd97ee","type":"Microsoft.Authorization/roleAssignments","name":"8bedf13c-aa1a-4191-aa97-573f14fd97ee"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"a31004b5-ce06-49e1-8706-e8c7afe68695","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:43:04.6456354Z","updatedOn":"2022-04-13T07:43:04.6456354Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/bd0fc30a-6ccf-4c22-a26b-0e31aba16035","type":"Microsoft.Authorization/roleAssignments","name":"bd0fc30a-6ccf-4c22-a26b-0e31aba16035"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"a31004b5-ce06-49e1-8706-e8c7afe68695","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:43:10.1186881Z","updatedOn":"2022-04-13T07:43:10.1186881Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/dadaa3cd-f442-4d5c-aed3-7cbab2fba3e0","type":"Microsoft.Authorization/roleAssignments","name":"dadaa3cd-f442-4d5c-aed3-7cbab2fba3e0"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"6f6a803e-4dc5-488a-8566-a4f0a984975e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T08:58:57.7706882Z","updatedOn":"2022-04-13T08:58:57.7706882Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9e3d10bf-9bfa-4a97-9ab1-b972a348abd0","type":"Microsoft.Authorization/roleAssignments","name":"9e3d10bf-9bfa-4a97-9ab1-b972a348abd0"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"6f6a803e-4dc5-488a-8566-a4f0a984975e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T08:59:03.2414961Z","updatedOn":"2022-04-13T08:59:03.2414961Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/66eefd94-4bda-46df-9c61-7e92f83d91e7","type":"Microsoft.Authorization/roleAssignments","name":"66eefd94-4bda-46df-9c61-7e92f83d91e7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"829da4fd-a5f4-4ca7-bc3d-0679d104c5f0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T10:17:35.8887781Z","updatedOn":"2022-04-13T10:17:35.8887781Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/77f4f7a3-a377-49f7-a094-945b82b2bfff","type":"Microsoft.Authorization/roleAssignments","name":"77f4f7a3-a377-49f7-a094-945b82b2bfff"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"829da4fd-a5f4-4ca7-bc3d-0679d104c5f0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T10:17:41.2233089Z","updatedOn":"2022-04-13T10:17:41.2233089Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/1a71aac6-e9ce-40ff-a39f-7594df2ea6e9","type":"Microsoft.Authorization/roleAssignments","name":"1a71aac6-e9ce-40ff-a39f-7594df2ea6e9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3f74f5b7-f4f6-4b65-a45d-f1c60467e115","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-21T06:57:19.4532093Z","updatedOn":"2022-04-21T06:57:19.4532093Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/eede4548-9f71-44b7-8077-c49aa44894b4","type":"Microsoft.Authorization/roleAssignments","name":"eede4548-9f71-44b7-8077-c49aa44894b4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"3f74f5b7-f4f6-4b65-a45d-f1c60467e115","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-21T06:57:24.3439247Z","updatedOn":"2022-04-21T06:57:24.3439247Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/c011acd2-8b5d-45d6-b6c1-4ffe1867ce31","type":"Microsoft.Authorization/roleAssignments","name":"c011acd2-8b5d-45d6-b6c1-4ffe1867ce31"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"85c33f6f-5d69-4b0e-bc06-95a7d3193519","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-05-04T09:52:52.7340040Z","updatedOn":"2022-05-04T09:52:52.7340040Z","createdBy":"447bbed8-9839-4d6e-9e39-fb9aeee1ec1d","updatedBy":"447bbed8-9839-4d6e-9e39-fb9aeee1ec1d","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/6a4f635c-309c-4a1d-8eea-86fb5aa91d80","type":"Microsoft.Authorization/roleAssignments","name":"6a4f635c-309c-4a1d-8eea-86fb5aa91d80"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"e6234342-a3d7-4b04-9041-3e8526f5861a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-05-12T06:55:02.9137483Z","updatedOn":"2022-05-12T06:55:02.9137483Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a5bd1b6d-0084-40ec-9126-2250536b4778","type":"Microsoft.Authorization/roleAssignments","name":"a5bd1b6d-0084-40ec-9126-2250536b4778"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"0b2dcd24-9585-4bb4-a7c3-83e0e3bd0dc7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-05-24T11:54:25.7258076Z","updatedOn":"2022-05-24T11:54:25.7258076Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9a7dc348-d24e-438b-84b0-c7cda5bf92c4","type":"Microsoft.Authorization/roleAssignments","name":"9a7dc348-d24e-438b-84b0-c7cda5bf92c4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"0b2dcd24-9585-4bb4-a7c3-83e0e3bd0dc7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-05-24T11:54:29.8931759Z","updatedOn":"2022-05-24T11:54:29.8931759Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/aeb54d04-84b8-4530-bd7e-fe01dafd82ab","type":"Microsoft.Authorization/roleAssignments","name":"aeb54d04-84b8-4530-bd7e-fe01dafd82ab"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"f2cee52e-3d75-4f49-acc4-b5aaf72232ee","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T11:01:05.6238088Z","updatedOn":"2022-06-03T11:01:05.6238088Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2bd63fbe-e197-434f-ba1e-016bad298ff7","type":"Microsoft.Authorization/roleAssignments","name":"2bd63fbe-e197-434f-ba1e-016bad298ff7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"8be185b2-5cbf-45c1-b9af-cbbd9b59144d","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T13:20:41.1511200Z","updatedOn":"2022-06-03T13:22:39.1076287Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/f12c7867-43e5-5530-98e9-9d8a2f39fb92","type":"Microsoft.Authorization/roleAssignments","name":"f12c7867-43e5-5530-98e9-9d8a2f39fb92"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"8be185b2-5cbf-45c1-b9af-cbbd9b59144d","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T13:37:09.9515887Z","updatedOn":"2022-06-03T14:40:22.4040874Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/bace23ac-6978-5318-a146-d49599599b02","type":"Microsoft.Authorization/roleAssignments","name":"bace23ac-6978-5318-a146-d49599599b02"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"e6234342-a3d7-4b04-9041-3e8526f5861a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-06T11:22:08.5127363Z","updatedOn":"2022-06-06T11:22:08.5127363Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/df253c65-35fc-4ff6-9a32-39b3fe20a6e3","type":"Microsoft.Authorization/roleAssignments","name":"df253c65-35fc-4ff6-9a32-39b3fe20a6e3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"5f137a67-1b88-4f98-aa20-b71a7082dc56","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-10T14:11:57.5623976Z","updatedOn":"2022-06-10T14:11:57.5623976Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e409f573-8bda-4b7e-854a-61c445d36c6f","type":"Microsoft.Authorization/roleAssignments","name":"e409f573-8bda-4b7e-854a-61c445d36c6f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"961a41dc-cbb6-4777-9b6c-a6d4d1ea4faa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:02:09.6478601Z","updatedOn":"2022-06-21T12:02:09.6478601Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/efc8d400-cd5e-41d3-99e6-65878c1f888c","type":"Microsoft.Authorization/roleAssignments","name":"efc8d400-cd5e-41d3-99e6-65878c1f888c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"961a41dc-cbb6-4777-9b6c-a6d4d1ea4faa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:02:31.1213523Z","updatedOn":"2022-06-21T12:02:31.1213523Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/1ad6de95-d660-4f0a-84cf-1b297eafe5f6","type":"Microsoft.Authorization/roleAssignments","name":"1ad6de95-d660-4f0a-84cf-1b297eafe5f6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"1831aada-7907-4673-a5e2-b11217764c9e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:22:14.2181104Z","updatedOn":"2022-06-21T12:22:14.2181104Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/c5856647-b5ff-4264-a966-049b6a58a42f","type":"Microsoft.Authorization/roleAssignments","name":"c5856647-b5ff-4264-a966-049b6a58a42f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"1831aada-7907-4673-a5e2-b11217764c9e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:22:40.2874069Z","updatedOn":"2022-06-21T12:22:40.2874069Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/a3560e50-7085-48f4-85a1-97487179cc5d","type":"Microsoft.Authorization/roleAssignments","name":"a3560e50-7085-48f4-85a1-97487179cc5d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-22T11:28:57.2073063Z","updatedOn":"2022-06-22T11:28:57.2073063Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c5b3bcf3-fd4c-4b57-9f73-f075ce7afccb","type":"Microsoft.Authorization/roleAssignments","name":"c5b3bcf3-fd4c-4b57-9f73-f075ce7afccb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-23T09:19:22.2256200Z","updatedOn":"2022-06-23T09:19:22.2256200Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/344b17ae-cabf-4a33-9a9d-ba30fefcbadc","type":"Microsoft.Authorization/roleAssignments","name":"344b17ae-cabf-4a33-9a9d-ba30fefcbadc"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"2b81557b-8e7a-4df8-9a41-e59844f627c2","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-23T09:25:03.9969293Z","updatedOn":"2022-06-23T09:25:03.9969293Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/13a7f7c7-7364-4f9b-ba92-5430f17b29b5","type":"Microsoft.Authorization/roleAssignments","name":"13a7f7c7-7364-4f9b-ba92-5430f17b29b5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-24T07:04:04.5965087Z","updatedOn":"2022-06-24T07:04:04.5965087Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ba604c54-80e1-490e-a123-9ef9d477536b","type":"Microsoft.Authorization/roleAssignments","name":"ba604c54-80e1-490e-a123-9ef9d477536b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-25T04:10:10.7065168Z","updatedOn":"2022-06-25T04:10:10.7065168Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/916a749f-b61f-4ba4-8c28-46217c3a7b4e","type":"Microsoft.Authorization/roleAssignments","name":"916a749f-b61f-4ba4-8c28-46217c3a7b4e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T07:37:58.3152810Z","updatedOn":"2022-06-27T07:37:58.3152810Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/0a1046d6-ba58-491f-b473-403ec29cd2be","type":"Microsoft.Authorization/roleAssignments","name":"0a1046d6-ba58-491f-b473-403ec29cd2be"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:21:12.2347431Z","updatedOn":"2022-06-27T08:21:12.2347431Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/abc6fbbe-d4a8-4315-9532-82e90334dcc9","type":"Microsoft.Authorization/roleAssignments","name":"abc6fbbe-d4a8-4315-9532-82e90334dcc9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"381295fa-e67d-4943-a2eb-90ffcf09577b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:43:17.8582970Z","updatedOn":"2022-06-27T08:43:17.8582970Z","createdBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","updatedBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b8f0bb0e-1495-48f0-aa68-33c364310cfb","type":"Microsoft.Authorization/roleAssignments","name":"b8f0bb0e-1495-48f0-aa68-33c364310cfb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"381295fa-e67d-4943-a2eb-90ffcf09577b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:43:18.7801612Z","updatedOn":"2022-06-27T08:43:18.7801612Z","createdBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","updatedBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b8eb5d9d-85e3-4ba8-9458-fdd2c48ba8e1","type":"Microsoft.Authorization/roleAssignments","name":"b8eb5d9d-85e3-4ba8-9458-fdd2c48ba8e1"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"3de34697-a180-45dc-aff8-c16061f1143b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-01T08:15:11.7388086Z","updatedOn":"2022-07-01T08:15:11.7388086Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/86db086e-0442-5eef-8ebc-1d8d28a4d03a","type":"Microsoft.Authorization/roleAssignments","name":"86db086e-0442-5eef-8ebc-1d8d28a4d03a"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3de34697-a180-45dc-aff8-c16061f1143b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-01T08:15:12.7940996Z","updatedOn":"2022-07-01T08:15:12.7940996Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/cbcefba6-df6c-5670-9e02-9e09f7964d9c","type":"Microsoft.Authorization/roleAssignments","name":"cbcefba6-df6c-5670-9e02-9e09f7964d9c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"fe7b070d-f778-4cfd-8acf-eda94f397a89","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-29T07:15:07.9544255Z","updatedOn":"2022-07-29T07:15:07.9544255Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/efb13d06-875d-40e3-81d5-195824e19188","type":"Microsoft.Authorization/roleAssignments","name":"efb13d06-875d-40e3-81d5-195824e19188"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"aa7a0e3a-c2c6-41e2-9838-2ae541c08a88","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-01T10:57:25.8183048Z","updatedOn":"2022-08-01T10:57:25.8183048Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/e179ab30-f6f9-44c6-9806-801d4240a604","type":"Microsoft.Authorization/roleAssignments","name":"e179ab30-f6f9-44c6-9806-801d4240a604"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"da112a02-e7cf-4b53-93a0-96958f47f77f","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-01T12:19:56.7716607Z","updatedOn":"2022-08-01T12:19:56.7716607Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/859af8cf-cf8d-4a41-b5cb-b492bbebfa96","type":"Microsoft.Authorization/roleAssignments","name":"859af8cf-cf8d-4a41-b5cb-b492bbebfa96"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"d9334401-f342-4fc7-88c4-6fb936fb3a6f","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-02T06:53:24.5190593Z","updatedOn":"2022-08-02T06:53:24.5190593Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/babd18e7-662a-4f61-b03b-d2790ad8ad2b","type":"Microsoft.Authorization/roleAssignments","name":"babd18e7-662a-4f61-b03b-d2790ad8ad2b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"d9334401-f342-4fc7-88c4-6fb936fb3a6f","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-02T06:56:06.5673047Z","updatedOn":"2022-08-02T06:56:06.5673047Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9b61e48d-b011-4da0-8daa-a65f34af5a33","type":"Microsoft.Authorization/roleAssignments","name":"9b61e48d-b011-4da0-8daa-a65f34af5a33"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f8520195-1c62-47ff-8c01-e394155b52f1","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-10T11:13:36.6792855Z","updatedOn":"2022-08-10T11:13:36.6792855Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3c9150af-abd1-4d00-9c16-acb375857df6","type":"Microsoft.Authorization/roleAssignments","name":"3c9150af-abd1-4d00-9c16-acb375857df6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f4bfeb83-a4cc-43e8-bee0-9808b5d0918d","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-24T05:51:56.3337713Z","updatedOn":"2022-08-24T05:51:56.3337713Z","createdBy":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","updatedBy":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3caa2a04-62bf-4a33-80f5-056840e59fb4","type":"Microsoft.Authorization/roleAssignments","name":"3caa2a04-62bf-4a33-80f5-056840e59fb4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"608ca1e9-e854-46c6-984f-d812d0e657e6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-30T13:32:28.1332524Z","updatedOn":"2022-08-30T13:32:28.1332524Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2719b245-3aeb-4cc0-92bc-6f63eea0dcbf","type":"Microsoft.Authorization/roleAssignments","name":"2719b245-3aeb-4cc0-92bc-6f63eea0dcbf"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"76710889-6dec-4b99-a529-cfd36fcb16ec","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:30:49.7733486Z","updatedOn":"2022-09-05T11:30:49.7733486Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/bbc4ec43-5e44-4b5d-8de0-cdf89486bb41","type":"Microsoft.Authorization/roleAssignments","name":"bbc4ec43-5e44-4b5d-8de0-cdf89486bb41"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"76710889-6dec-4b99-a529-cfd36fcb16ec","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:33:36.9049436Z","updatedOn":"2022-09-05T11:33:36.9049436Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/3f21962f-d606-4223-b80f-43344d5dc933","type":"Microsoft.Authorization/roleAssignments","name":"3f21962f-d606-4223-b80f-43344d5dc933"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"f41bd262-eb21-47f1-9706-f12132d865e3","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:49:52.6105159Z","updatedOn":"2022-09-05T11:49:52.6105159Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/14d078a0-ff7d-4677-aba3-9dc54afca23f","type":"Microsoft.Authorization/roleAssignments","name":"14d078a0-ff7d-4677-aba3-9dc54afca23f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"f41bd262-eb21-47f1-9706-f12132d865e3","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:52:24.6920598Z","updatedOn":"2022-09-05T11:52:24.6920598Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/19633fe8-03e5-4a16-8ca8-6132e216935f","type":"Microsoft.Authorization/roleAssignments","name":"19633fe8-03e5-4a16-8ca8-6132e216935f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"12f8ea5c-1212-449e-b31c-0a574f43076e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2023-01-31T05:55:25.5617539Z","updatedOn":"2023-01-31T05:55:25.5617539Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9d33f09a-0f43-47cf-bde2-27143c6633e7","type":"Microsoft.Authorization/roleAssignments","name":"9d33f09a-0f43-47cf-bde2-27143c6633e7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"9ca84dd8-bc7f-493f-aad6-5776fe5cfcf1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-07T11:46:18.7367949Z","updatedOn":"2023-02-07T11:46:18.7367949Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/5d4c800c-2937-4424-a276-0ce194654572","type":"Microsoft.Authorization/roleAssignments","name":"5d4c800c-2937-4424-a276-0ce194654572"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"cfc56492-7710-42ce-aa54-bacfddcd15f5","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-07T14:37:44.2986908Z","updatedOn":"2023-02-07T14:37:44.2986908Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/f5dfe629-7f08-42b1-a0e1-3557f3bf3da6","type":"Microsoft.Authorization/roleAssignments","name":"f5dfe629-7f08-42b1-a0e1-3557f3bf3da6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"cfc56492-7710-42ce-aa54-bacfddcd15f5","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-07T14:40:10.8368679Z","updatedOn":"2023-02-07T14:40:10.8368679Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/cb18b5b2-f705-48bd-a21a-01a616187728","type":"Microsoft.Authorization/roleAssignments","name":"cb18b5b2-f705-48bd-a21a-01a616187728"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"ab864caf-15e7-4817-a2e9-fb976dfa9d92","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-07T18:24:58.0770208Z","updatedOn":"2023-02-07T18:24:58.0770208Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/a38a7654-d866-4caa-964d-bf247954ce6f","type":"Microsoft.Authorization/roleAssignments","name":"a38a7654-d866-4caa-964d-bf247954ce6f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"ab864caf-15e7-4817-a2e9-fb976dfa9d92","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-07T18:27:30.1142529Z","updatedOn":"2023-02-07T18:27:30.1142529Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/4b91f0d6-a6a8-451e-9d66-a9ae6b33890c","type":"Microsoft.Authorization/roleAssignments","name":"4b91f0d6-a6a8-451e-9d66-a9ae6b33890c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"7e358fea-2c3c-4c77-bbf5-d4c433fa937a","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-08T06:59:01.0691008Z","updatedOn":"2023-02-08T06:59:01.0691008Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/ef38f5ad-dfa1-444f-a59c-4228a2fcb601","type":"Microsoft.Authorization/roleAssignments","name":"ef38f5ad-dfa1-444f-a59c-4228a2fcb601"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"7e358fea-2c3c-4c77-bbf5-d4c433fa937a","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-08T07:01:22.2694457Z","updatedOn":"2023-02-08T07:01:22.2694457Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/a65516eb-abd7-4b4c-824c-60cc075fecd1","type":"Microsoft.Authorization/roleAssignments","name":"a65516eb-abd7-4b4c-824c-60cc075fecd1"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a51d0ef9-9895-4b63-b3f8-354bb7d1a6bb","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-05-21T08:47:39.8177538Z","updatedOn":"2021-05-21T08:47:39.8177538Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/17db6abb-bc45-4967-b313-e470ec9cbbd7","type":"Microsoft.Authorization/roleAssignments","name":"17db6abb-bc45-4967-b313-e470ec9cbbd7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"7c567124-5292-4819-aa73-0224bf1c42e1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-05-23T13:38:54.7542852Z","updatedOn":"2021-05-23T13:38:54.7542852Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/0809d692-f58f-43f2-b597-7f115957407e","type":"Microsoft.Authorization/roleAssignments","name":"0809d692-f58f-43f2-b597-7f115957407e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"955c9d1b-0cb6-4ff6-91c9-f4aadf67ffe8","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-05-24T16:45:08.3835615Z","updatedOn":"2021-05-24T16:45:08.3835615Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/1b1ac6ab-19e7-4c4f-91d2-5be73096da2c","type":"Microsoft.Authorization/roleAssignments","name":"1b1ac6ab-19e7-4c4f-91d2-5be73096da2c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"7221c906-782c-44a0-ab2f-f23d8a95ce25","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-05-24T16:56:16.2751421Z","updatedOn":"2021-05-24T16:56:16.2751421Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/ca8f2433-76dc-49fa-828d-9cd2861ec25c","type":"Microsoft.Authorization/roleAssignments","name":"ca8f2433-76dc-49fa-828d-9cd2861ec25c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"e1a3bbaa-4ffb-41a6-a154-b4870d9e86b4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T06:40:53.5542743Z","updatedOn":"2021-06-04T06:40:53.5542743Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9d9ac2a8-dbac-41bb-9f17-c473f02c6370","type":"Microsoft.Authorization/roleAssignments","name":"9d9ac2a8-dbac-41bb-9f17-c473f02c6370"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"e1a3bbaa-4ffb-41a6-a154-b4870d9e86b4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T06:40:57.1326805Z","updatedOn":"2021-06-04T06:40:57.1326805Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/14b1338c-95f6-44f9-ad22-395f8ebbb1fe","type":"Microsoft.Authorization/roleAssignments","name":"14b1338c-95f6-44f9-ad22-395f8ebbb1fe"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"1da90707-df56-4d40-a805-2e646c9d95ab","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:02:18.2829699Z","updatedOn":"2021-06-04T07:02:18.2829699Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/bf5f4821-9baa-4dc6-9bd5-8c62f31c1a93","type":"Microsoft.Authorization/roleAssignments","name":"bf5f4821-9baa-4dc6-9bd5-8c62f31c1a93"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"1da90707-df56-4d40-a805-2e646c9d95ab","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:02:22.4343547Z","updatedOn":"2021-06-04T07:02:22.4343547Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/26bab283-0772-4c03-8dc1-a50c8ffa597d","type":"Microsoft.Authorization/roleAssignments","name":"26bab283-0772-4c03-8dc1-a50c8ffa597d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"ab6b1184-ff37-4d3e-b460-fbe654f7ad5c","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:19:08.8293677Z","updatedOn":"2021-06-04T07:19:08.8293677Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/d972f611-a4bd-4b80-9e78-980984602450","type":"Microsoft.Authorization/roleAssignments","name":"d972f611-a4bd-4b80-9e78-980984602450"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"ab6b1184-ff37-4d3e-b460-fbe654f7ad5c","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:19:12.8400651Z","updatedOn":"2021-06-04T07:19:12.8400651Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/b9393755-f5ca-41ef-a631-fb62184c57a8","type":"Microsoft.Authorization/roleAssignments","name":"b9393755-f5ca-41ef-a631-fb62184c57a8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3ffa4e46-39a3-4002-9292-e2adf0d1a8c6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T09:14:15.2633798Z","updatedOn":"2021-06-04T09:14:15.2633798Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/094981c0-d59c-4f5b-9581-72c08da65454","type":"Microsoft.Authorization/roleAssignments","name":"094981c0-d59c-4f5b-9581-72c08da65454"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"3ffa4e46-39a3-4002-9292-e2adf0d1a8c6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T09:14:19.9554484Z","updatedOn":"2021-06-04T09:14:19.9554484Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/0cac59e0-0464-4bf6-9bef-f1fadc2b08f4","type":"Microsoft.Authorization/roleAssignments","name":"0cac59e0-0464-4bf6-9bef-f1fadc2b08f4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"93e2b483-3ffa-44f8-9965-fdb104b541a2","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-06-29T05:43:19.7216795Z","updatedOn":"2021-06-29T05:43:19.7216795Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c6aff8c2-08b1-5b1a-9c80-d91164226985","type":"Microsoft.Authorization/roleAssignments","name":"c6aff8c2-08b1-5b1a-9c80-d91164226985"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"4f285ac8-5610-4d2f-854c-bfa3d16a2679","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-11T06:55:02.4909144Z","updatedOn":"2021-07-11T06:55:02.4909144Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/0cec2ad2-d080-4126-a99f-f61c559b799c","type":"Microsoft.Authorization/roleAssignments","name":"0cec2ad2-d080-4126-a99f-f61c559b799c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"630db480-3ee6-47ec-ae72-5f917d466bad","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:16:28.8833400Z","updatedOn":"2021-07-13T10:16:28.8833400Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/37fe4b2d-0aca-4c27-8511-1e0d18063ec8","type":"Microsoft.Authorization/roleAssignments","name":"37fe4b2d-0aca-4c27-8511-1e0d18063ec8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"279982e7-46cf-4e40-9a3b-156c98285cb7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:18:48.5647062Z","updatedOn":"2021-07-13T10:18:48.5647062Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/7907f38d-57a7-431d-82d7-5dfa2ef0a628","type":"Microsoft.Authorization/roleAssignments","name":"7907f38d-57a7-431d-82d7-5dfa2ef0a628"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"790004d0-0112-41ad-92e8-95c464c34476","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:18:48.6068337Z","updatedOn":"2021-07-13T10:18:48.6068337Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8c9bda26-83c4-4d4c-b00b-c4b58301e539","type":"Microsoft.Authorization/roleAssignments","name":"8c9bda26-83c4-4d4c-b00b-c4b58301e539"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-21T06:38:43.9281998Z","updatedOn":"2021-07-21T06:38:43.9281998Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b553fa81-60dd-45d6-9781-8c2313d68b03","type":"Microsoft.Authorization/roleAssignments","name":"b553fa81-60dd-45d6-9781-8c2313d68b03"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:20.4258578Z","updatedOn":"2021-07-27T04:31:20.4258578Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/4b2f7b08-f9ef-4fc1-b9c4-2bb34fdef258","type":"Microsoft.Authorization/roleAssignments","name":"4b2f7b08-f9ef-4fc1-b9c4-2bb34fdef258"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:32.4566300Z","updatedOn":"2021-07-27T04:31:32.4566300Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8176bf09-8e96-448a-ab12-eeed360ecce2","type":"Microsoft.Authorization/roleAssignments","name":"8176bf09-8e96-448a-ab12-eeed360ecce2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:48.4577322Z","updatedOn":"2021-07-27T04:31:48.4577322Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/45949217-58cc-4c18-93f3-f4c90710ae2d","type":"Microsoft.Authorization/roleAssignments","name":"45949217-58cc-4c18-93f3-f4c90710ae2d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:20.8138038Z","updatedOn":"2021-07-27T10:13:20.8138038Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2382b52f-1ec5-430e-ae2a-74f9ed331ced","type":"Microsoft.Authorization/roleAssignments","name":"2382b52f-1ec5-430e-ae2a-74f9ed331ced"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:23.6551958Z","updatedOn":"2021-07-27T10:13:23.6551958Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e5863947-0b21-41b7-9997-c0dfc73eec29","type":"Microsoft.Authorization/roleAssignments","name":"e5863947-0b21-41b7-9997-c0dfc73eec29"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:29.6985440Z","updatedOn":"2021-07-27T10:13:29.6985440Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/28c1cefa-942f-44c5-a4d4-c33bb92abd45","type":"Microsoft.Authorization/roleAssignments","name":"28c1cefa-942f-44c5-a4d4-c33bb92abd45"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8039a424-299a-4014-8b22-4f6d6cc60065","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-11T07:08:31.9935560Z","updatedOn":"2021-08-11T07:08:31.9935560Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/69e0bcfc-b024-4d8b-a3d5-dac447f8986c","type":"Microsoft.Authorization/roleAssignments","name":"69e0bcfc-b024-4d8b-a3d5-dac447f8986c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"8f0340b8-4b70-412b-be19-c4612d49e353","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-20T11:58:29.6857641Z","updatedOn":"2021-08-20T11:58:29.6857641Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fd88236f-eacb-5303-912f-ba1741cf02bd","type":"Microsoft.Authorization/roleAssignments","name":"fd88236f-eacb-5303-912f-ba1741cf02bd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"0d8f6e68-d6c5-4a67-b6c4-3107609bbdbc","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-20T12:31:58.7980661Z","updatedOn":"2021-08-20T12:31:58.7980661Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/146f4a11-8712-583d-89eb-a7b8b82dbaa9","type":"Microsoft.Authorization/roleAssignments","name":"146f4a11-8712-583d-89eb-a7b8b82dbaa9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"e2072d83-2379-4f36-ab51-b5df7460c61e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-21T14:40:08.5987892Z","updatedOn":"2021-08-21T14:40:10.5055205Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/842af679-0b58-5eb5-b94c-ff59e4105d7e","type":"Microsoft.Authorization/roleAssignments","name":"842af679-0b58-5eb5-b94c-ff59e4105d7e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"0242778c-29df-4863-ac18-2fb8fd004135","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-08-30T06:31:52.6766200Z","updatedOn":"2021-08-30T06:31:52.6766200Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/f67c65e2-e609-4ffe-b504-294b00cbd2fd","type":"Microsoft.Authorization/roleAssignments","name":"f67c65e2-e609-4ffe-b504-294b00cbd2fd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"0242778c-29df-4863-ac18-2fb8fd004135","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-08-30T06:31:57.1552781Z","updatedOn":"2021-08-30T06:31:57.1552781Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/aaeab926-d6e2-4bb6-9e9e-0607e75cc75f","type":"Microsoft.Authorization/roleAssignments","name":"aaeab926-d6e2-4bb6-9e9e-0607e75cc75f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"2ab5fb95-b72e-4d12-948b-4223754d8ffa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-09-08T08:24:19.3547440Z","updatedOn":"2021-09-08T08:24:19.3547440Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/43ee13b8-5abd-51e0-88e3-ae84049da70e","type":"Microsoft.Authorization/roleAssignments","name":"43ee13b8-5abd-51e0-88e3-ae84049da70e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-17T09:41:38.5634940Z","updatedOn":"2021-09-17T09:41:38.5634940Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":"for - temp testing purpose"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/98fe0117-1e9c-4e37-b8a7-c4a1031d6916","type":"Microsoft.Authorization/roleAssignments","name":"98fe0117-1e9c-4e37-b8a7-c4a1031d6916"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"9c973a07-b207-473c-9687-bd693ba8e460","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-25T15:23:32.6168771Z","updatedOn":"2021-09-25T15:23:32.6168771Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/d852f084-bc9f-4258-9e2c-fcf48b9eaf85","type":"Microsoft.Authorization/roleAssignments","name":"d852f084-bc9f-4258-9e2c-fcf48b9eaf85"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"2778738c-452b-45ca-b8d6-f085836a1458","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-30T07:51:25.2399474Z","updatedOn":"2021-09-30T07:51:25.2399474Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b04a3bdf-b6a6-5ffb-9394-ee5743741597","type":"Microsoft.Authorization/roleAssignments","name":"b04a3bdf-b6a6-5ffb-9394-ee5743741597"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"0ac1f52a-325b-486a-a095-f46ffdd6a9e4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-10-26T01:59:18.6998395Z","updatedOn":"2021-10-26T01:59:18.6998395Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/53a3b238-b4b0-4d3f-b416-8d6dc8d755f6","type":"Microsoft.Authorization/roleAssignments","name":"53a3b238-b4b0-4d3f-b416-8d6dc8d755f6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"c3c0d020-16f0-44d8-9950-0250120a33ff","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-02T06:11:03.5575284Z","updatedOn":"2021-11-02T06:11:03.5575284Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/1d017732-f67e-5aa1-a4a6-47570078d9f3","type":"Microsoft.Authorization/roleAssignments","name":"1d017732-f67e-5aa1-a4a6-47570078d9f3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-10T08:59:19.7285159Z","updatedOn":"2021-11-10T08:59:19.7285159Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a60357fa-dc0a-4479-a2a9-4329c2d0ae89","type":"Microsoft.Authorization/roleAssignments","name":"a60357fa-dc0a-4479-a2a9-4329c2d0ae89"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8dd77695-d6a5-450d-a43c-67ca01be9fbc","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-12T10:55:38.3698246Z","updatedOn":"2021-11-12T10:55:38.3698246Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/dda5bb75-b74a-4430-975f-5bc9611c4b2d","type":"Microsoft.Authorization/roleAssignments","name":"dda5bb75-b74a-4430-975f-5bc9611c4b2d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/36243c78-bf99-498c-9df9-86d9f8d28608","principalId":"2152c794-9ca2-41fe-a313-2d0e1ee3eb80","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-18T06:28:12.0181010Z","updatedOn":"2021-02-18T06:28:12.0181010Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/804f6223-03eb-4091-b460-82160fc5f818","type":"Microsoft.Authorization/roleAssignments","name":"804f6223-03eb-4091-b460-82160fc5f818"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"2152c794-9ca2-41fe-a313-2d0e1ee3eb80","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-18T06:28:12.0168587Z","updatedOn":"2021-02-18T06:28:12.0168587Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8d80e2d6-315c-495c-ab2c-91ddf75edf41","type":"Microsoft.Authorization/roleAssignments","name":"8d80e2d6-315c-495c-ab2c-91ddf75edf41"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"cf46d636-b6c1-406c-aba7-b2c3d9ed07da","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-26T13:53:53.1151640Z","updatedOn":"2021-02-26T13:53:53.1151640Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/735e98ed-f4b8-4b7d-9cc9-af4f8ae77252","type":"Microsoft.Authorization/roleAssignments","name":"735e98ed-f4b8-4b7d-9cc9-af4f8ae77252"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8505e3f4-1ee7-427c-a175-a06595231d46","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-26T13:54:27.5624477Z","updatedOn":"2021-02-26T13:54:27.5624477Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/98c87a9f-b9e7-414b-8b59-bf3ec62dbc74","type":"Microsoft.Authorization/roleAssignments","name":"98c87a9f-b9e7-414b-8b59-bf3ec62dbc74"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-25T12:25:27.2277610Z","updatedOn":"2020-07-25T12:25:27.2277610Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fd6b8ff4-9edb-43f5-aa2a-32133fa09b1d","type":"Microsoft.Authorization/roleAssignments","name":"fd6b8ff4-9edb-43f5-aa2a-32133fa09b1d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"21ae6127-c385-4ae0-b895-a8559e9aa574","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-31T08:35:35.2993523Z","updatedOn":"2020-07-31T08:35:35.2993523Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/6af9fbf3-7085-4bcb-b399-88b89fac16d3","type":"Microsoft.Authorization/roleAssignments","name":"6af9fbf3-7085-4bcb-b399-88b89fac16d3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"1e845bc3-37db-4639-be09-d0cf1e448221","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-31T08:44:16.2909420Z","updatedOn":"2020-07-31T08:44:16.2909420Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/65080390-e9b5-4566-b362-d1e96c23dae2","type":"Microsoft.Authorization/roleAssignments","name":"65080390-e9b5-4566-b362-d1e96c23dae2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-11-03T06:12:01.6760584Z","updatedOn":"2020-11-03T06:12:01.6760584Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a7a12420-2dce-4a47-822e-68cadf239da3","type":"Microsoft.Authorization/roleAssignments","name":"a7a12420-2dce-4a47-822e-68cadf239da3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3282af51-433d-47e8-b2b5-633fbe0fecc0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-11-03T06:25:32.6790913Z","updatedOn":"2020-11-03T06:25:32.6790913Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/36da831d-10ce-4f42-ba28-362960f6ea36","type":"Microsoft.Authorization/roleAssignments","name":"36da831d-10ce-4f42-ba28-362960f6ea36"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-10-04T07:35:39.6626948Z","updatedOn":"2019-10-04T07:35:39.6626948Z","createdBy":"8031e009-cc05-4950-8a8d-78942c4492ac","updatedBy":"8031e009-cc05-4950-8a8d-78942c4492ac","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/730fa65e-c74c-4c3d-9cc3-9457f9b97274","type":"Microsoft.Authorization/roleAssignments","name":"730fa65e-c74c-4c3d-9cc3-9457f9b97274"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-04-08T01:03:29.8241478Z","updatedOn":"2021-04-08T01:03:29.8241478Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/63818ccb-a05c-4083-9e1d-64b4c7c0e1cd","type":"Microsoft.Authorization/roleAssignments","name":"63818ccb-a05c-4083-9e1d-64b4c7c0e1cd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"c87d9afe-4463-41d5-81e3-3bd162af9183","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-07-10T09:38:17.4348497Z","updatedOn":"2019-07-10T09:38:17.4348497Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/ebc56c6d-c5de-4d99-b166-89d4ac815acd","type":"Microsoft.Authorization/roleAssignments","name":"ebc56c6d-c5de-4d99-b166-89d4ac815acd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-03-15T11:01:18.6794974Z","updatedOn":"2019-03-15T11:01:18.6794974Z","createdBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","updatedBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/9fb9b151-1d53-4eff-9336-75cf634e1e3d","type":"Microsoft.Authorization/roleAssignments","name":"9fb9b151-1d53-4eff-9336-75cf634e1e3d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f87f6638-3a1b-4562-8603-aacd59537149","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-05-03T06:47:05.1411825Z","updatedOn":"2019-05-03T06:47:05.1411825Z","createdBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","updatedBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/24ffbb29-061f-4b1d-8c26-c6e90ef53303","type":"Microsoft.Authorization/roleAssignments","name":"24ffbb29-061f-4b1d-8c26-c6e90ef53303"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"becb4b6b-fe16-413b-a5c3-90355e0b2982","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-06-26T06:33:50.1123976Z","updatedOn":"2019-06-26T06:33:50.1123976Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/4c3721e8-06f4-4115-a2d8-90c4a9a57d56","type":"Microsoft.Authorization/roleAssignments","name":"4c3721e8-06f4-4115-a2d8-90c4a9a57d56"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-04-07T16:59:19.6098216Z","updatedOn":"2021-04-07T16:59:19.6098216Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/9d2de631-e451-450b-8237-e5bc19624eee","type":"Microsoft.Authorization/roleAssignments","name":"9d2de631-e451-450b-8237-e5bc19624eee"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/17d1049b-9a84-46fb-8f53-869881c3d3ab","principalId":"f61a8f2d-c22b-47c9-9e09-71c6dc1686a2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2022-10-17T05:35:15.3185857Z","updatedOn":"2022-10-17T05:35:15.3185857Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/112e70a2-19dc-47b1-8a5f-b6b0ebe3101a","type":"Microsoft.Authorization/roleAssignments","name":"112e70a2-19dc-47b1-8a5f-b6b0ebe3101a"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/17d1049b-9a84-46fb-8f53-869881c3d3ab","principalId":"38bb424d-6106-4a59-800e-90ee180570f1","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2022-10-26T02:55:09.1249140Z","updatedOn":"2022-10-26T02:55:09.1249140Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/7cdb04d8-94ce-4084-b154-6ab26e1b0041","type":"Microsoft.Authorization/roleAssignments","name":"7cdb04d8-94ce-4084-b154-6ab26e1b0041"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"b1b96a90-235c-4668-a931-ee1c08db7681","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-02-01T04:47:38.5676012Z","updatedOn":"2021-02-01T04:47:38.5676012Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/a9e38032-c21b-4c41-8960-1c9c982d98e2","type":"Microsoft.Authorization/roleAssignments","name":"a9e38032-c21b-4c41-8960-1c9c982d98e2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a51d0ef9-9895-4b63-b3f8-354bb7d1a6bb","principalType":"Group","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-03-03T05:31:57.4716459Z","updatedOn":"2021-03-03T05:31:57.4716459Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/77aa0ff2-42c2-4e01-a51d-01cf2dd7ce04","type":"Microsoft.Authorization/roleAssignments","name":"77aa0ff2-42c2-4e01-a51d-01cf2dd7ce04"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"ce2366a6-64d7-441b-939c-c9d23f91cccd","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47","condition":null,"conditionVersion":null,"createdOn":"2020-03-12T20:43:06.5941189Z","updatedOn":"2020-03-12T20:43:06.5941189Z","createdBy":"606f48c8-d219-4875-991d-ae6befaf0756","updatedBy":"606f48c8-d219-4875-991d-ae6befaf0756","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47/providers/Microsoft.Authorization/roleAssignments/ad9e2cd7-0ff7-4931-9b17-656c8f17934b","type":"Microsoft.Authorization/roleAssignments","name":"ad9e2cd7-0ff7-4931-9b17-656c8f17934b"}]}' - headers: - cache-control: - - no-cache - content-length: - - '131131' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:37:19 GMT - expires: - - '-1' - pragma: - - no-cache - set-cookie: - - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-instance update-msi-permissions - Connection: - - keep-alive - Cookie: - - x-ms-gateway-slice=Production - ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes - User-Agent: - - python/3.10.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 - azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.45.0 (PIP) - accept-language: - - en-US - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Disk%20Snapshot%20Contributor%27&api-version=2018-01-01-preview - response: - body: - string: '{"value":[{"properties":{"roleName":"Disk Snapshot Contributor","type":"BuiltInRole","description":"Provides - permission to backup vault to manage disk snapshots.","assignableScopes":["/"],"permissions":[{"actions":["Microsoft.Authorization/*/read","Microsoft.Resources/subscriptions/resourceGroups/read","Microsoft.Compute/snapshots/delete","Microsoft.Compute/snapshots/write","Microsoft.Compute/snapshots/read","Microsoft.Compute/snapshots/beginGetAccess/action","Microsoft.Compute/snapshots/endGetAccess/action","Microsoft.Compute/disks/beginGetAccess/action","Microsoft.Storage/storageAccounts/listkeys/action","Microsoft.Storage/storageAccounts/write","Microsoft.Storage/storageAccounts/read","Microsoft.Storage/storageAccounts/delete"],"notActions":[],"dataActions":[],"notDataActions":[]}],"createdOn":"2020-12-15T12:18:51.4471411Z","updatedOn":"2021-11-11T20:14:56.9158814Z","createdBy":null,"updatedBy":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","type":"Microsoft.Authorization/roleDefinitions","name":"7efff54f-a5b4-42b5-a1c5-5411624893ce"}]}' - headers: - cache-control: - - no-cache - content-length: - - '1160' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:37:19 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-instance update-msi-permissions - Connection: - - keep-alive - ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes - User-Agent: - - python/3.10.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.45.0 (PIP) - method: GET - uri: https://graph.microsoft.com/v1.0/servicePrincipals?$filter=servicePrincipalNames%2Fany%28c%3Ac%20eq%20%2741753b57-b4fa-4774-80aa-414a3af0f706%27%29 - response: - body: - string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#servicePrincipals","value":[]}' - headers: - cache-control: - - no-cache - content-length: - - '92' - content-type: - - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 - date: - - Mon, 13 Feb 2023 07:37:20 GMT - odata-version: - - '4.0' - request-id: - - 7b2211ea-06b5-4d30-99ec-7afdc80d05d4 - strict-transport-security: - - max-age=31536000 - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-ms-ags-diagnostic: - - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"001","RoleInstance":"MA1PEPF00002517"}}' - x-ms-resource-unit: - - '1' - status: - code: 200 - message: OK -- request: - body: '{"ids": ["41753b57-b4fa-4774-80aa-414a3af0f706"], "types": ["user", "group", - "servicePrincipal", "directoryObjectPartnerReference"]}' - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-instance update-msi-permissions - Connection: - - keep-alive - Content-Length: - - '132' - Content-Type: - - application/json - ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes - User-Agent: - - python/3.10.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.45.0 (PIP) - method: POST - uri: https://graph.microsoft.com/v1.0/directoryObjects/getByIds - response: - body: - string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#directoryObjects","value":[{"@odata.type":"#microsoft.graph.servicePrincipal","id":"41753b57-b4fa-4774-80aa-414a3af0f706","deletedDateTime":null,"accountEnabled":true,"alternativeNames":["isExplicit=False","/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg/providers/Microsoft.DataProtection/BackupVaults/cli-test-new-vault1"],"appDisplayName":null,"appDescription":null,"appId":"fea0857b-fd83-4708-b252-0c5f0a38d6b0","applicationTemplateId":null,"appOwnerOrganizationId":null,"appRoleAssignmentRequired":false,"createdDateTime":"2023-02-13T07:30:29Z","description":null,"disabledByMicrosoftStatus":null,"displayName":"cli-test-new-vault1","homepage":null,"loginUrl":null,"logoutUrl":null,"notes":null,"notificationEmailAddresses":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyThumbprint":null,"replyUrls":[],"servicePrincipalNames":["fea0857b-fd83-4708-b252-0c5f0a38d6b0","https://identity.azure.net/2czira6fp81UmSQY0i+P6p1ObGIy33lZb5C/K/6SyDY="],"servicePrincipalType":"ManagedIdentity","signInAudience":null,"tags":[],"tokenEncryptionKeyId":null,"info":null,"samlSingleSignOnSettings":null,"addIns":[],"appRoles":[],"keyCredentials":[{"customKeyIdentifier":"81B4BF05CBCD13C46538514E74E2057DB2DD092E","displayName":"CN=fea0857b-fd83-4708-b252-0c5f0a38d6b0","endDateTime":"2023-05-14T07:25:00Z","key":null,"keyId":"3dac063a-25ed-4f07-a638-ed0fc6455a6e","startDateTime":"2023-02-13T07:25:00Z","type":"AsymmetricX509Cert","usage":"Verify"}],"oauth2PermissionScopes":[],"passwordCredentials":[],"resourceSpecificApplicationPermissions":[],"verifiedPublisher":{"displayName":null,"verifiedPublisherId":null,"addedDateTime":null}}]}' - headers: - cache-control: - - no-cache - content-length: - - '1732' - content-type: - - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 - date: - - Mon, 13 Feb 2023 07:37:21 GMT - location: - - https://graph.microsoft.com - odata-version: - - '4.0' - request-id: - - 0c717700-7ab4-44b3-b688-e66ef65b7a54 - strict-transport-security: - - max-age=31536000 - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-ms-ags-diagnostic: - - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"001","RoleInstance":"MA1PEPF00002516"}}' - x-ms-resource-unit: - - '3' + x-ms-ratelimit-remaining-subscription-resource-requests: + - '997' + x-powered-by: + - ASP.NET status: code: 200 message: OK - request: - body: null + body: '{"properties": {"datasourceTypes": ["Microsoft.Compute/disks"], "objectType": + "BackupPolicy", "policyRules": [{"name": "BackupHourly", "objectType": "AzureBackupRule", + "backupParameters": {"objectType": "AzureBackupParams", "backupType": "Incremental"}, + "dataStore": {"dataStoreType": "OperationalStore", "objectType": "DataStoreInfoBase"}, + "trigger": {"objectType": "ScheduleBasedTriggerContext", "schedule": {"repeatingTimeIntervals": + ["R/2020-04-05T13:00:00+00:00/PT4H"]}, "taggingCriteria": [{"isDefault": true, + "taggingPriority": 99, "tagInfo": {"tagName": "Default"}}]}}, {"name": "Default", + "objectType": "AzureRetentionRule", "isDefault": true, "lifecycles": [{"deleteAfter": + {"duration": "P7D", "objectType": "AbsoluteDeleteOption"}, "sourceDataStore": + {"dataStoreType": "OperationalStore", "objectType": "DataStoreInfoBase"}}]}]}}' headers: Accept: - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance update-msi-permissions + - dataprotection backup-policy create Connection: - keep-alive + Content-Length: + - '840' + Content-Type: + - application/json ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes + - -n --policy -g --vault-name User-Agent: - - python/3.10.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 - azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.45.0 (PIP) - accept-language: - - en-US - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Disk%20Snapshot%20Contributor%27&api-version=2018-01-01-preview + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy?api-version=2022-05-01 response: body: - string: '{"value":[{"properties":{"roleName":"Disk Snapshot Contributor","type":"BuiltInRole","description":"Provides - permission to backup vault to manage disk snapshots.","assignableScopes":["/"],"permissions":[{"actions":["Microsoft.Authorization/*/read","Microsoft.Resources/subscriptions/resourceGroups/read","Microsoft.Compute/snapshots/delete","Microsoft.Compute/snapshots/write","Microsoft.Compute/snapshots/read","Microsoft.Compute/snapshots/beginGetAccess/action","Microsoft.Compute/snapshots/endGetAccess/action","Microsoft.Compute/disks/beginGetAccess/action","Microsoft.Storage/storageAccounts/listkeys/action","Microsoft.Storage/storageAccounts/write","Microsoft.Storage/storageAccounts/read","Microsoft.Storage/storageAccounts/delete"],"notActions":[],"dataActions":[],"notDataActions":[]}],"createdOn":"2020-12-15T12:18:51.4471411Z","updatedOn":"2021-11-11T20:14:56.9158814Z","createdBy":null,"updatedBy":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","type":"Microsoft.Authorization/roleDefinitions","name":"7efff54f-a5b4-42b5-a1c5-5411624893ce"}]}' + string: '{"properties":{"policyRules":[{"backupParameters":{"backupType":"Incremental","objectType":"AzureBackupParams"},"trigger":{"schedule":{"repeatingTimeIntervals":["R/2020-04-05T13:00:00+00:00/PT4H"]},"taggingCriteria":[{"tagInfo":{"tagName":"Default","id":"Default_"},"taggingPriority":99,"isDefault":true}],"objectType":"ScheduleBasedTriggerContext"},"dataStore":{"dataStoreType":"OperationalStore","objectType":"DataStoreInfoBase"},"name":"BackupHourly","objectType":"AzureBackupRule"},{"lifecycles":[{"deleteAfter":{"objectType":"AbsoluteDeleteOption","duration":"P7D"},"sourceDataStore":{"dataStoreType":"OperationalStore","objectType":"DataStoreInfoBase"}}],"isDefault":true,"name":"Default","objectType":"AzureRetentionRule"}],"datasourceTypes":["Microsoft.Compute/disks"],"objectType":"BackupPolicy"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","name":"diskpolicy","type":"Microsoft.DataProtection/backupVaults/backupPolicies"}' headers: cache-control: - no-cache content-length: - - '1160' + - '1065' content-type: - - application/json; charset=utf-8 + - application/json date: - - Mon, 13 Feb 2023 07:37:22 GMT + - Mon, 05 Sep 2022 11:49:23 GMT expires: - '-1' pragma: - no-cache - set-cookie: - - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly + server: + - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -6593,62 +2710,71 @@ interactions: - Accept-Encoding x-content-type-options: - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '198' + x-powered-by: + - ASP.NET status: code: 200 message: OK - request: - body: '{"properties": {"roleDefinitionId": "/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce", - "principalId": "41753b57-b4fa-4774-80aa-414a3af0f706", "principalType": "ServicePrincipal"}}' + body: '{"properties": {"datasourceTypes": ["Microsoft.Storage/storageAccounts/blobServices"], + "objectType": "BackupPolicy", "policyRules": [{"name": "Default", "objectType": + "AzureRetentionRule", "isDefault": true, "lifecycles": [{"deleteAfter": {"duration": + "P30D", "objectType": "AbsoluteDeleteOption"}, "sourceDataStore": {"dataStoreType": + "OperationalStore", "objectType": "DataStoreInfoBase"}}]}]}}' headers: Accept: - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance update-msi-permissions + - dataprotection backup-policy create Connection: - keep-alive Content-Length: - - '270' + - '396' Content-Type: - - application/json; charset=utf-8 - Cookie: - - x-ms-gateway-slice=Production + - application/json ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes + - -n --policy -g --vault-name User-Agent: - - python/3.10.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 - azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.45.0 (PIP) - accept-language: - - en-US + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/0dc7ade2-b7bc-416f-8ab9-9c89cf9396a8?api-version=2020-04-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/storagepolicy?api-version=2022-05-01 response: body: - string: '{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"41753b57-b4fa-4774-80aa-414a3af0f706","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-13T07:37:23.0299072Z","updatedOn":"2023-02-13T07:37:23.9187118Z","createdBy":null,"updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/0dc7ade2-b7bc-416f-8ab9-9c89cf9396a8","type":"Microsoft.Authorization/roleAssignments","name":"0dc7ade2-b7bc-416f-8ab9-9c89cf9396a8"}' + string: '{"properties":{"policyRules":[{"lifecycles":[{"deleteAfter":{"objectType":"AbsoluteDeleteOption","duration":"P30D"},"sourceDataStore":{"dataStoreType":"OperationalStore","objectType":"DataStoreInfoBase"}}],"isDefault":true,"name":"Default","objectType":"AzureRetentionRule"}],"datasourceTypes":["Microsoft.Storage/storageAccounts/blobServices"],"objectType":"BackupPolicy"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/storagepolicy","name":"storagepolicy","type":"Microsoft.DataProtection/backupVaults/backupPolicies"}' headers: cache-control: - no-cache content-length: - - '873' + - '639' content-type: - - application/json; charset=utf-8 + - application/json date: - - Mon, 13 Feb 2023 07:37:24 GMT + - Mon, 05 Sep 2022 11:49:30 GMT expires: - '-1' pragma: - no-cache + server: + - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1193' + x-ms-ratelimit-remaining-subscription-resource-requests: + - '197' + x-powered-by: + - ASP.NET status: - code: 201 - message: Created + code: 200 + message: OK - request: body: null headers: @@ -6657,29 +2783,27 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance update-msi-permissions + - dataprotection backup-policy show Connection: - keep-alive ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes + - -g --vault-name -n --query User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy?api-version=2022-05-01 response: body: - string: '{"location":"centraluseuap","identity":{"type":"SystemAssigned","principalId":"41753b57-b4fa-4774-80aa-414a3af0f706","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"properties":{"provisioningState":"Succeeded","storageSettings":[{"datastoreType":"VaultStore","type":"LocallyRedundant"}],"isVaultProtectedByResourceGuard":false,"monitoringSettings":{"azureMonitorAlertSettings":{"alertsForAllJobFailures":"Disabled"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1","name":"cli-test-new-vault1","type":"Microsoft.DataProtection/backupVaults"}' + string: '{"properties":{"policyRules":[{"backupParameters":{"backupType":"Incremental","objectType":"AzureBackupParams"},"trigger":{"schedule":{"repeatingTimeIntervals":["R/2020-04-05T13:00:00+00:00/PT4H"]},"taggingCriteria":[{"tagInfo":{"tagName":"Default","id":"Default_"},"taggingPriority":99,"isDefault":true}],"objectType":"ScheduleBasedTriggerContext"},"dataStore":{"dataStoreType":"OperationalStore","objectType":"DataStoreInfoBase"},"name":"BackupHourly","objectType":"AzureBackupRule"},{"lifecycles":[{"deleteAfter":{"objectType":"AbsoluteDeleteOption","duration":"P7D"},"sourceDataStore":{"dataStoreType":"OperationalStore","objectType":"DataStoreInfoBase"}}],"isDefault":true,"name":"Default","objectType":"AzureRetentionRule"}],"datasourceTypes":["Microsoft.Compute/disks"],"objectType":"BackupPolicy"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","name":"diskpolicy","type":"Microsoft.DataProtection/backupVaults/backupPolicies"}' headers: cache-control: - no-cache content-length: - - '650' + - '1065' content-type: - application/json date: - - Mon, 13 Feb 2023 07:38:26 GMT + - Mon, 05 Sep 2022 11:49:31 GMT expires: - '-1' pragma: @@ -6695,7 +2819,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '496' + - '199' x-powered-by: - ASP.NET status: @@ -6705,143 +2829,105 @@ interactions: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance update-msi-permissions + - dataprotection backup-policy show Connection: - keep-alive ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes + - -g --vault-name -n --query User-Agent: - - python/3.10.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.45.0 (PIP) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://graph.microsoft.com/v1.0/servicePrincipals?$filter=servicePrincipalNames%2Fany%28c%3Ac%20eq%20%2741753b57-b4fa-4774-80aa-414a3af0f706%27%29 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/storagepolicy?api-version=2022-05-01 response: body: - string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#servicePrincipals","value":[]}' + string: '{"properties":{"policyRules":[{"lifecycles":[{"deleteAfter":{"objectType":"AbsoluteDeleteOption","duration":"P30D"},"sourceDataStore":{"dataStoreType":"OperationalStore","objectType":"DataStoreInfoBase"}}],"isDefault":true,"name":"Default","objectType":"AzureRetentionRule"}],"datasourceTypes":["Microsoft.Storage/storageAccounts/blobServices"],"objectType":"BackupPolicy"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/storagepolicy","name":"storagepolicy","type":"Microsoft.DataProtection/backupVaults/backupPolicies"}' headers: cache-control: - no-cache content-length: - - '92' + - '639' content-type: - - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 + - application/json date: - - Mon, 13 Feb 2023 07:38:26 GMT - odata-version: - - '4.0' - request-id: - - 30b8f484-4db3-4e01-81fb-69cf4cfc251e + - Mon, 05 Sep 2022 11:49:31 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 strict-transport-security: - - max-age=31536000 + - max-age=31536000; includeSubDomains transfer-encoding: - chunked vary: - Accept-Encoding - x-ms-ags-diagnostic: - - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"001","RoleInstance":"MA1PEPF00001FEF"}}' - x-ms-resource-unit: - - '1' + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '199' + x-powered-by: + - ASP.NET status: code: 200 message: OK - request: - body: '{"ids": ["41753b57-b4fa-4774-80aa-414a3af0f706"], "types": ["user", "group", - "servicePrincipal", "directoryObjectPartnerReference"]}' + body: '{"properties": {"datasourceTypes": ["Microsoft.Compute/disks"], "objectType": + "BackupPolicy", "policyRules": [{"name": "BackupHourly", "objectType": "AzureBackupRule", + "backupParameters": {"objectType": "AzureBackupParams", "backupType": "Incremental"}, + "dataStore": {"dataStoreType": "OperationalStore", "objectType": "DataStoreInfoBase"}, + "trigger": {"objectType": "ScheduleBasedTriggerContext", "schedule": {"repeatingTimeIntervals": + ["R/2021-05-02T05:30:00+00:00/PT6H"]}, "taggingCriteria": [{"isDefault": true, + "taggingPriority": 99, "tagInfo": {"tagName": "Default"}}, {"criteria": [{"objectType": + "ScheduleBasedBackupCriteria", "absoluteCriteria": ["FirstOfDay"]}], "isDefault": + false, "taggingPriority": 25, "tagInfo": {"tagName": "Daily"}}]}}, {"name": + "Default", "objectType": "AzureRetentionRule", "isDefault": true, "lifecycles": + [{"deleteAfter": {"duration": "P7D", "objectType": "AbsoluteDeleteOption"}, + "sourceDataStore": {"dataStoreType": "OperationalStore", "objectType": "DataStoreInfoBase"}}]}, + {"name": "Daily", "objectType": "AzureRetentionRule", "isDefault": false, "lifecycles": + [{"deleteAfter": {"duration": "P12D", "objectType": "AbsoluteDeleteOption"}, + "sourceDataStore": {"dataStoreType": "OperationalStore", "objectType": "DataStoreInfoBase"}}]}]}}' headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance update-msi-permissions + - dataprotection backup-policy create Connection: - keep-alive Content-Length: - - '132' + - '1276' Content-Type: - application/json ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes + - -n --policy -g --vault-name User-Agent: - - python/3.10.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.45.0 (PIP) - method: POST - uri: https://graph.microsoft.com/v1.0/directoryObjects/getByIds + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskhourlypolicy?api-version=2022-05-01 response: body: - string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#directoryObjects","value":[{"@odata.type":"#microsoft.graph.servicePrincipal","id":"41753b57-b4fa-4774-80aa-414a3af0f706","deletedDateTime":null,"accountEnabled":true,"alternativeNames":["isExplicit=False","/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg/providers/Microsoft.DataProtection/BackupVaults/cli-test-new-vault1"],"appDisplayName":null,"appDescription":null,"appId":"fea0857b-fd83-4708-b252-0c5f0a38d6b0","applicationTemplateId":null,"appOwnerOrganizationId":null,"appRoleAssignmentRequired":false,"createdDateTime":"2023-02-13T07:30:29Z","description":null,"disabledByMicrosoftStatus":null,"displayName":"cli-test-new-vault1","homepage":null,"loginUrl":null,"logoutUrl":null,"notes":null,"notificationEmailAddresses":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyThumbprint":null,"replyUrls":[],"servicePrincipalNames":["fea0857b-fd83-4708-b252-0c5f0a38d6b0","https://identity.azure.net/2czira6fp81UmSQY0i+P6p1ObGIy33lZb5C/K/6SyDY="],"servicePrincipalType":"ManagedIdentity","signInAudience":null,"tags":[],"tokenEncryptionKeyId":null,"info":null,"samlSingleSignOnSettings":null,"addIns":[],"appRoles":[],"keyCredentials":[{"customKeyIdentifier":"81B4BF05CBCD13C46538514E74E2057DB2DD092E","displayName":"CN=fea0857b-fd83-4708-b252-0c5f0a38d6b0","endDateTime":"2023-05-14T07:25:00Z","key":null,"keyId":"3dac063a-25ed-4f07-a638-ed0fc6455a6e","startDateTime":"2023-02-13T07:25:00Z","type":"AsymmetricX509Cert","usage":"Verify"}],"oauth2PermissionScopes":[],"passwordCredentials":[],"resourceSpecificApplicationPermissions":[],"verifiedPublisher":{"displayName":null,"verifiedPublisherId":null,"addedDateTime":null}}]}' + string: '{"properties":{"policyRules":[{"backupParameters":{"backupType":"Incremental","objectType":"AzureBackupParams"},"trigger":{"schedule":{"repeatingTimeIntervals":["R/2021-05-02T05:30:00+00:00/PT6H"]},"taggingCriteria":[{"tagInfo":{"tagName":"Default","id":"Default_"},"taggingPriority":99,"isDefault":true},{"tagInfo":{"tagName":"Daily","id":"Daily_"},"taggingPriority":25,"isDefault":false,"criteria":[{"absoluteCriteria":["FirstOfDay"],"objectType":"ScheduleBasedBackupCriteria"}]}],"objectType":"ScheduleBasedTriggerContext"},"dataStore":{"dataStoreType":"OperationalStore","objectType":"DataStoreInfoBase"},"name":"BackupHourly","objectType":"AzureBackupRule"},{"lifecycles":[{"deleteAfter":{"objectType":"AbsoluteDeleteOption","duration":"P7D"},"sourceDataStore":{"dataStoreType":"OperationalStore","objectType":"DataStoreInfoBase"}}],"isDefault":true,"name":"Default","objectType":"AzureRetentionRule"},{"lifecycles":[{"deleteAfter":{"objectType":"AbsoluteDeleteOption","duration":"P12D"},"sourceDataStore":{"dataStoreType":"OperationalStore","objectType":"DataStoreInfoBase"}}],"isDefault":false,"name":"Daily","objectType":"AzureRetentionRule"}],"datasourceTypes":["Microsoft.Compute/disks"],"objectType":"BackupPolicy"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskhourlypolicy","name":"diskhourlypolicy","type":"Microsoft.DataProtection/backupVaults/backupPolicies"}' headers: cache-control: - no-cache content-length: - - '1732' + - '1498' content-type: - - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 - date: - - Mon, 13 Feb 2023 07:38:26 GMT - location: - - https://graph.microsoft.com - odata-version: - - '4.0' - request-id: - - 15184cd1-00b9-444b-8b0f-46bfde13ba38 - strict-transport-security: - - max-age=31536000 - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-ms-ags-diagnostic: - - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"001","RoleInstance":"MA1PEPF00002517"}}' - x-ms-resource-unit: - - '3' - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-instance update-msi-permissions - Connection: - - keep-alive - ParameterSetName: - - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance - --yes - User-Agent: - - python/3.10.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 - azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.45.0 (PIP) - accept-language: - - en-US - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount/providers/Microsoft.Authorization/roleAssignments?$filter=atScope%28%29&api-version=2020-04-01-preview - response: - body: - string: '{"value":[{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"5c617d2b-99f8-4c90-98fe-dfe040fa33c1","principalType":"ServicePrincipal","scope":"/","condition":null,"conditionVersion":null,"createdOn":"2018-02-27T19:19:50.2663941Z","updatedOn":"2018-02-27T19:19:50.2663941Z","createdBy":null,"updatedBy":null,"delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Authorization/roleAssignments/3e883d24-b106-42ff-ad13-d7bf271b964d","type":"Microsoft.Authorization/roleAssignments","name":"3e883d24-b106-42ff-ad13-d7bf271b964d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"1d8b8d73-0cc6-4db8-b112-724b4a932253","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-26T12:22:13.7498923Z","updatedOn":"2019-08-26T12:22:13.7498923Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8c3a4de9-1ebd-47ce-9dd9-bebf87a4e28f","type":"Microsoft.Authorization/roleAssignments","name":"8c3a4de9-1ebd-47ce-9dd9-bebf87a4e28f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"1e845bc3-37db-4639-be09-d0cf1e448221","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-05-24T11:02:27.8515917Z","updatedOn":"2019-05-24T11:02:27.8515917Z","createdBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","updatedBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b5eee4d7-5f9f-4f63-8040-8aec158c289b","type":"Microsoft.Authorization/roleAssignments","name":"b5eee4d7-5f9f-4f63-8040-8aec158c289b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"235b2664-75e2-4741-bb6f-37e49babf6cd","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-02-12T11:34:59.7104212Z","updatedOn":"2020-02-12T11:34:59.7104212Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/f0618702-8404-4858-9a26-e61f23e7d44f","type":"Microsoft.Authorization/roleAssignments","name":"f0618702-8404-4858-9a26-e61f23e7d44f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8bb5b214-1182-465c-892f-ca7235abe1e7","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-11-14T08:52:42.2795010Z","updatedOn":"2019-11-14T08:52:42.2795010Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/77daac38-9839-4b00-921b-e5d5a03e728c","type":"Microsoft.Authorization/roleAssignments","name":"77daac38-9839-4b00-921b-e5d5a03e728c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"9693df58-7f72-4974-9bd3-1c3ceb0382f1","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-11-29T09:40:04.3180033Z","updatedOn":"2018-11-29T09:40:04.3180033Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ed3bf874-9c97-43f9-a5e9-b4ee6f8982f7","type":"Microsoft.Authorization/roleAssignments","name":"ed3bf874-9c97-43f9-a5e9-b4ee6f8982f7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"d1f96755-9bcf-44b8-ab82-df67360496c4","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-05-08T10:28:08.2854940Z","updatedOn":"2020-05-08T10:28:08.2854940Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/dfb3ca56-a0d4-44ce-ba35-b716c3fdab86","type":"Microsoft.Authorization/roleAssignments","name":"dfb3ca56-a0d4-44ce-ba35-b716c3fdab86"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-12-31T09:26:43.6440415Z","updatedOn":"2018-12-31T09:26:43.6440415Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/45744ea8-780f-4f3e-88aa-b73d7f6997b2","type":"Microsoft.Authorization/roleAssignments","name":"45744ea8-780f-4f3e-88aa-b73d7f6997b2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e65078fb-6b02-434a-9f11-d06bf9bc0600","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-10-25T23:42:36.3444507Z","updatedOn":"2018-10-25T23:42:36.3444507Z","createdBy":"66cb55a5-e2a8-44ef-ae4b-5ab8fa2ec8d9","updatedBy":"66cb55a5-e2a8-44ef-ae4b-5ab8fa2ec8d9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e7ce51e8-4109-41d7-bc10-538b089599db","type":"Microsoft.Authorization/roleAssignments","name":"e7ce51e8-4109-41d7-bc10-538b089599db"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"a7782e0f-1f9a-4882-b2c9-11227aad244e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-06-16T04:32:50.9673703Z","updatedOn":"2020-06-16T04:32:50.9673703Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9fa21f2f-81c3-47b6-b706-650b359b96c3","type":"Microsoft.Authorization/roleAssignments","name":"9fa21f2f-81c3-47b6-b706-650b359b96c3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"00b14177-f4d2-4a4b-94f6-6e80f75745c9","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-03-12T09:49:11.3750683Z","updatedOn":"2020-03-12T09:49:11.3750683Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fff0abf3-3cf7-46be-8bc7-1d1619a160fb","type":"Microsoft.Authorization/roleAssignments","name":"fff0abf3-3cf7-46be-8bc7-1d1619a160fb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"1d8b8d73-0cc6-4db8-b112-724b4a932253","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-26T10:28:45.4880023Z","updatedOn":"2019-08-26T10:28:45.4880023Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/397a3c9c-c258-4d4e-834d-00cc08227796","type":"Microsoft.Authorization/roleAssignments","name":"397a3c9c-c258-4d4e-834d-00cc08227796"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"235b2664-75e2-4741-bb6f-37e49babf6cd","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-12-05T04:29:28.7359096Z","updatedOn":"2018-12-05T04:29:28.7359096Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3c830f42-5f89-4d8b-8f93-d3dc936f33bd","type":"Microsoft.Authorization/roleAssignments","name":"3c830f42-5f89-4d8b-8f93-d3dc936f33bd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-04-08T08:38:50.1742930Z","updatedOn":"2020-04-08T08:38:50.1742930Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/5293a96b-830e-45f4-9e9e-22d7d020f0d8","type":"Microsoft.Authorization/roleAssignments","name":"5293a96b-830e-45f4-9e9e-22d7d020f0d8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3421d717-ca60-44e7-a9a1-773acec4e503","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-10-23T09:40:14.7658272Z","updatedOn":"2019-10-23T09:40:14.7658272Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/34b29558-faf9-43f0-a194-35ca0aa99fc5","type":"Microsoft.Authorization/roleAssignments","name":"34b29558-faf9-43f0-a194-35ca0aa99fc5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3dc88d41-4d03-4105-970d-937e56de3839","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-06-27T12:59:44.6557891Z","updatedOn":"2019-06-27T12:59:44.6557891Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e57ab8d1-ce9a-4925-b09f-2567492d9b22","type":"Microsoft.Authorization/roleAssignments","name":"e57ab8d1-ce9a-4925-b09f-2567492d9b22"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"62c799b8-9b54-4c3d-97c9-9490d16a6a9a","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-08T13:01:20.9953919Z","updatedOn":"2019-08-08T13:01:20.9953919Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e1b91810-0781-462d-9517-764e4a033822","type":"Microsoft.Authorization/roleAssignments","name":"e1b91810-0781-462d-9517-764e4a033822"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8bb5b214-1182-465c-892f-ca7235abe1e7","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-10-23T08:03:15.6803676Z","updatedOn":"2019-10-23T08:03:15.6803676Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/facbac06-ddab-437d-949a-207593fddfff","type":"Microsoft.Authorization/roleAssignments","name":"facbac06-ddab-437d-949a-207593fddfff"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"978b254a-54be-42af-80f5-e2a37b2e40e5","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-07-08T06:57:57.0377373Z","updatedOn":"2019-07-08T06:57:57.0377373Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/89be5b0a-dfa8-4bdf-b667-c6f63f7f3f0e","type":"Microsoft.Authorization/roleAssignments","name":"89be5b0a-dfa8-4bdf-b667-c6f63f7f3f0e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"9c973a07-b207-473c-9687-bd693ba8e460","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-04-17T09:14:08.7913669Z","updatedOn":"2020-04-17T09:14:08.7913669Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/950c635a-23a5-4a0e-8eb6-c53e929c9699","type":"Microsoft.Authorization/roleAssignments","name":"950c635a-23a5-4a0e-8eb6-c53e929c9699"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"058c04ea-b176-4e7b-b8d9-9e1f2f713ffe","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-10-03T10:52:46.8918844Z","updatedOn":"2022-10-03T10:52:46.8918844Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c5a8b530-0e4c-40d9-a003-167e38138f34","type":"Microsoft.Authorization/roleAssignments","name":"c5a8b530-0e4c-40d9-a003-167e38138f34"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"ce439730-9009-4c60-b582-277f5b9b5c47","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-10-03T10:52:47.6507241Z","updatedOn":"2022-10-03T10:52:47.6507241Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/adfaf7e6-895a-432b-9f63-650c5855b6b5","type":"Microsoft.Authorization/roleAssignments","name":"adfaf7e6-895a-432b-9f63-650c5855b6b5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8a1cd6d0-5c03-4720-8cc7-22adbc865bad","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-10-06T10:00:44.6775425Z","updatedOn":"2022-10-06T10:00:44.6775425Z","createdBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","updatedBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/21a219c4-e4ea-4572-9b97-ab829ee70b0b","type":"Microsoft.Authorization/roleAssignments","name":"21a219c4-e4ea-4572-9b97-ab829ee70b0b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"ba20023e-4ef7-4929-8693-f3f37fdb7667","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-10-19T06:48:34.7902721Z","updatedOn":"2022-10-19T06:48:34.7902721Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/70fc8a72-c6e9-4644-95d6-f27efe137007","type":"Microsoft.Authorization/roleAssignments","name":"70fc8a72-c6e9-4644-95d6-f27efe137007"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/17d1049b-9a84-46fb-8f53-869881c3d3ab","principalId":"cda54502-7b02-4c29-bacd-2ac17bb3fee4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-10-20T05:10:54.0749901Z","updatedOn":"2022-10-20T05:10:54.0749901Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a49a99d3-cfb9-4f66-b694-b3a7803fe02b","type":"Microsoft.Authorization/roleAssignments","name":"a49a99d3-cfb9-4f66-b694-b3a7803fe02b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"d6e6b7d9-6bee-44e9-a115-608b26453747","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-11-04T09:20:20.9539814Z","updatedOn":"2022-11-04T09:20:20.9539814Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/5ead22ad-d09b-4591-8d0f-a571ef0dedb2","type":"Microsoft.Authorization/roleAssignments","name":"5ead22ad-d09b-4591-8d0f-a571ef0dedb2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/00c29273-979b-4161-815c-10b084fb9324","principalId":"8a49a9af-c646-4a94-97e0-988219f9b933","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-11-17T09:48:40.9317341Z","updatedOn":"2022-11-17T09:48:40.9317341Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/81881251-9f42-413a-828e-f0374be3fc43","type":"Microsoft.Authorization/roleAssignments","name":"81881251-9f42-413a-828e-f0374be3fc43"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5e467623-bb1f-42f4-a55d-6e525e11384b","principalId":"8a49a9af-c646-4a94-97e0-988219f9b933","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-11-17T14:33:17.2080750Z","updatedOn":"2022-11-17T14:33:17.2080750Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/6d573002-8569-420a-bd13-90c87072b928","type":"Microsoft.Authorization/roleAssignments","name":"6d573002-8569-420a-bd13-90c87072b928"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"21369ac4-7db8-402f-8b5b-c3c47bac68bd","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-12-13T12:39:32.2924849Z","updatedOn":"2022-12-13T12:39:32.2924849Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/1a2a40b4-9a41-4578-a6f5-e34068ff3bf6","type":"Microsoft.Authorization/roleAssignments","name":"1a2a40b4-9a41-4578-a6f5-e34068ff3bf6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"21369ac4-7db8-402f-8b5b-c3c47bac68bd","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-12-13T12:39:32.4781119Z","updatedOn":"2022-12-13T12:39:32.4781119Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9fc9183c-bfec-41be-8c2b-2cc55420f6c1","type":"Microsoft.Authorization/roleAssignments","name":"9fc9183c-bfec-41be-8c2b-2cc55420f6c1"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"fc8bd99b-292d-4396-ac07-7e46bf989efa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2023-01-04T09:17:14.5148296Z","updatedOn":"2023-01-04T09:17:14.5148296Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/5c4e131f-5843-5474-af9f-427c1fca982d","type":"Microsoft.Authorization/roleAssignments","name":"5c4e131f-5843-5474-af9f-427c1fca982d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"c0c54612-5a75-40a2-8a0c-bf70ab0847ba","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2023-01-13T04:47:48.8296778Z","updatedOn":"2023-01-13T04:47:48.8296778Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b56bdd79-3e27-4d79-b73b-4dc8625a172a","type":"Microsoft.Authorization/roleAssignments","name":"b56bdd79-3e27-4d79-b73b-4dc8625a172a"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a4eae46b-a9d0-4586-8ac9-ba91b29f1d57","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-02-01T10:05:44.6784242Z","updatedOn":"2022-02-01T10:05:44.6784242Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8af2fb3a-292c-42a8-a870-1751c4ec4870","type":"Microsoft.Authorization/roleAssignments","name":"8af2fb3a-292c-42a8-a870-1751c4ec4870"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"662a0ec2-cfbc-45f9-ae31-2cc53070e765","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T12:46:49.6216206Z","updatedOn":"2022-04-12T12:46:49.6216206Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/85cc2dff-c5d4-42a3-acb6-255cd4208ef4","type":"Microsoft.Authorization/roleAssignments","name":"85cc2dff-c5d4-42a3-acb6-255cd4208ef4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"662a0ec2-cfbc-45f9-ae31-2cc53070e765","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T12:46:57.1459341Z","updatedOn":"2022-04-12T12:46:57.1459341Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/aba8e90d-d951-4cb5-a346-b71e478f4d1b","type":"Microsoft.Authorization/roleAssignments","name":"aba8e90d-d951-4cb5-a346-b71e478f4d1b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"30bc1f3b-ca1a-4c55-96ff-4c026f12eaa1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T13:09:28.3678603Z","updatedOn":"2022-04-12T13:09:28.3678603Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/79d87d90-f984-4f53-a169-2eca51c00104","type":"Microsoft.Authorization/roleAssignments","name":"79d87d90-f984-4f53-a169-2eca51c00104"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"30bc1f3b-ca1a-4c55-96ff-4c026f12eaa1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T13:09:33.3916295Z","updatedOn":"2022-04-12T13:09:33.3916295Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/5e185742-c91a-4efe-b0d8-db9524685ec5","type":"Microsoft.Authorization/roleAssignments","name":"5e185742-c91a-4efe-b0d8-db9524685ec5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3c582fc7-e68a-4991-a2f6-3d8a7a1f23c1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:01:02.2689248Z","updatedOn":"2022-04-13T07:01:02.2689248Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/c9b4f9ab-d687-4a65-910a-5bcb2f974bfe","type":"Microsoft.Authorization/roleAssignments","name":"c9b4f9ab-d687-4a65-910a-5bcb2f974bfe"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"3c582fc7-e68a-4991-a2f6-3d8a7a1f23c1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:01:09.3571703Z","updatedOn":"2022-04-13T07:01:09.3571703Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/8bedf13c-aa1a-4191-aa97-573f14fd97ee","type":"Microsoft.Authorization/roleAssignments","name":"8bedf13c-aa1a-4191-aa97-573f14fd97ee"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"a31004b5-ce06-49e1-8706-e8c7afe68695","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:43:04.6456354Z","updatedOn":"2022-04-13T07:43:04.6456354Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/bd0fc30a-6ccf-4c22-a26b-0e31aba16035","type":"Microsoft.Authorization/roleAssignments","name":"bd0fc30a-6ccf-4c22-a26b-0e31aba16035"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"a31004b5-ce06-49e1-8706-e8c7afe68695","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:43:10.1186881Z","updatedOn":"2022-04-13T07:43:10.1186881Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/dadaa3cd-f442-4d5c-aed3-7cbab2fba3e0","type":"Microsoft.Authorization/roleAssignments","name":"dadaa3cd-f442-4d5c-aed3-7cbab2fba3e0"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"6f6a803e-4dc5-488a-8566-a4f0a984975e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T08:58:57.7706882Z","updatedOn":"2022-04-13T08:58:57.7706882Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9e3d10bf-9bfa-4a97-9ab1-b972a348abd0","type":"Microsoft.Authorization/roleAssignments","name":"9e3d10bf-9bfa-4a97-9ab1-b972a348abd0"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"6f6a803e-4dc5-488a-8566-a4f0a984975e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T08:59:03.2414961Z","updatedOn":"2022-04-13T08:59:03.2414961Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/66eefd94-4bda-46df-9c61-7e92f83d91e7","type":"Microsoft.Authorization/roleAssignments","name":"66eefd94-4bda-46df-9c61-7e92f83d91e7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"829da4fd-a5f4-4ca7-bc3d-0679d104c5f0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T10:17:35.8887781Z","updatedOn":"2022-04-13T10:17:35.8887781Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/77f4f7a3-a377-49f7-a094-945b82b2bfff","type":"Microsoft.Authorization/roleAssignments","name":"77f4f7a3-a377-49f7-a094-945b82b2bfff"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"829da4fd-a5f4-4ca7-bc3d-0679d104c5f0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T10:17:41.2233089Z","updatedOn":"2022-04-13T10:17:41.2233089Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/1a71aac6-e9ce-40ff-a39f-7594df2ea6e9","type":"Microsoft.Authorization/roleAssignments","name":"1a71aac6-e9ce-40ff-a39f-7594df2ea6e9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3f74f5b7-f4f6-4b65-a45d-f1c60467e115","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-21T06:57:19.4532093Z","updatedOn":"2022-04-21T06:57:19.4532093Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/eede4548-9f71-44b7-8077-c49aa44894b4","type":"Microsoft.Authorization/roleAssignments","name":"eede4548-9f71-44b7-8077-c49aa44894b4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"3f74f5b7-f4f6-4b65-a45d-f1c60467e115","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-21T06:57:24.3439247Z","updatedOn":"2022-04-21T06:57:24.3439247Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/c011acd2-8b5d-45d6-b6c1-4ffe1867ce31","type":"Microsoft.Authorization/roleAssignments","name":"c011acd2-8b5d-45d6-b6c1-4ffe1867ce31"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"85c33f6f-5d69-4b0e-bc06-95a7d3193519","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-05-04T09:52:52.7340040Z","updatedOn":"2022-05-04T09:52:52.7340040Z","createdBy":"447bbed8-9839-4d6e-9e39-fb9aeee1ec1d","updatedBy":"447bbed8-9839-4d6e-9e39-fb9aeee1ec1d","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/6a4f635c-309c-4a1d-8eea-86fb5aa91d80","type":"Microsoft.Authorization/roleAssignments","name":"6a4f635c-309c-4a1d-8eea-86fb5aa91d80"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"e6234342-a3d7-4b04-9041-3e8526f5861a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-05-12T06:55:02.9137483Z","updatedOn":"2022-05-12T06:55:02.9137483Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a5bd1b6d-0084-40ec-9126-2250536b4778","type":"Microsoft.Authorization/roleAssignments","name":"a5bd1b6d-0084-40ec-9126-2250536b4778"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"0b2dcd24-9585-4bb4-a7c3-83e0e3bd0dc7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-05-24T11:54:25.7258076Z","updatedOn":"2022-05-24T11:54:25.7258076Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9a7dc348-d24e-438b-84b0-c7cda5bf92c4","type":"Microsoft.Authorization/roleAssignments","name":"9a7dc348-d24e-438b-84b0-c7cda5bf92c4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"0b2dcd24-9585-4bb4-a7c3-83e0e3bd0dc7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-05-24T11:54:29.8931759Z","updatedOn":"2022-05-24T11:54:29.8931759Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/aeb54d04-84b8-4530-bd7e-fe01dafd82ab","type":"Microsoft.Authorization/roleAssignments","name":"aeb54d04-84b8-4530-bd7e-fe01dafd82ab"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"f2cee52e-3d75-4f49-acc4-b5aaf72232ee","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T11:01:05.6238088Z","updatedOn":"2022-06-03T11:01:05.6238088Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2bd63fbe-e197-434f-ba1e-016bad298ff7","type":"Microsoft.Authorization/roleAssignments","name":"2bd63fbe-e197-434f-ba1e-016bad298ff7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"8be185b2-5cbf-45c1-b9af-cbbd9b59144d","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T13:20:41.1511200Z","updatedOn":"2022-06-03T13:22:39.1076287Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/f12c7867-43e5-5530-98e9-9d8a2f39fb92","type":"Microsoft.Authorization/roleAssignments","name":"f12c7867-43e5-5530-98e9-9d8a2f39fb92"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"8be185b2-5cbf-45c1-b9af-cbbd9b59144d","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T13:37:09.9515887Z","updatedOn":"2022-06-03T14:40:22.4040874Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/bace23ac-6978-5318-a146-d49599599b02","type":"Microsoft.Authorization/roleAssignments","name":"bace23ac-6978-5318-a146-d49599599b02"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"e6234342-a3d7-4b04-9041-3e8526f5861a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-06T11:22:08.5127363Z","updatedOn":"2022-06-06T11:22:08.5127363Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/df253c65-35fc-4ff6-9a32-39b3fe20a6e3","type":"Microsoft.Authorization/roleAssignments","name":"df253c65-35fc-4ff6-9a32-39b3fe20a6e3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"5f137a67-1b88-4f98-aa20-b71a7082dc56","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-10T14:11:57.5623976Z","updatedOn":"2022-06-10T14:11:57.5623976Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e409f573-8bda-4b7e-854a-61c445d36c6f","type":"Microsoft.Authorization/roleAssignments","name":"e409f573-8bda-4b7e-854a-61c445d36c6f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"961a41dc-cbb6-4777-9b6c-a6d4d1ea4faa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:02:09.6478601Z","updatedOn":"2022-06-21T12:02:09.6478601Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/efc8d400-cd5e-41d3-99e6-65878c1f888c","type":"Microsoft.Authorization/roleAssignments","name":"efc8d400-cd5e-41d3-99e6-65878c1f888c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"961a41dc-cbb6-4777-9b6c-a6d4d1ea4faa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:02:31.1213523Z","updatedOn":"2022-06-21T12:02:31.1213523Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/1ad6de95-d660-4f0a-84cf-1b297eafe5f6","type":"Microsoft.Authorization/roleAssignments","name":"1ad6de95-d660-4f0a-84cf-1b297eafe5f6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"1831aada-7907-4673-a5e2-b11217764c9e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:22:14.2181104Z","updatedOn":"2022-06-21T12:22:14.2181104Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/c5856647-b5ff-4264-a966-049b6a58a42f","type":"Microsoft.Authorization/roleAssignments","name":"c5856647-b5ff-4264-a966-049b6a58a42f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"1831aada-7907-4673-a5e2-b11217764c9e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:22:40.2874069Z","updatedOn":"2022-06-21T12:22:40.2874069Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/a3560e50-7085-48f4-85a1-97487179cc5d","type":"Microsoft.Authorization/roleAssignments","name":"a3560e50-7085-48f4-85a1-97487179cc5d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-22T11:28:57.2073063Z","updatedOn":"2022-06-22T11:28:57.2073063Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c5b3bcf3-fd4c-4b57-9f73-f075ce7afccb","type":"Microsoft.Authorization/roleAssignments","name":"c5b3bcf3-fd4c-4b57-9f73-f075ce7afccb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-23T09:19:22.2256200Z","updatedOn":"2022-06-23T09:19:22.2256200Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/344b17ae-cabf-4a33-9a9d-ba30fefcbadc","type":"Microsoft.Authorization/roleAssignments","name":"344b17ae-cabf-4a33-9a9d-ba30fefcbadc"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"2b81557b-8e7a-4df8-9a41-e59844f627c2","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-23T09:25:03.9969293Z","updatedOn":"2022-06-23T09:25:03.9969293Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/13a7f7c7-7364-4f9b-ba92-5430f17b29b5","type":"Microsoft.Authorization/roleAssignments","name":"13a7f7c7-7364-4f9b-ba92-5430f17b29b5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-24T07:04:04.5965087Z","updatedOn":"2022-06-24T07:04:04.5965087Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ba604c54-80e1-490e-a123-9ef9d477536b","type":"Microsoft.Authorization/roleAssignments","name":"ba604c54-80e1-490e-a123-9ef9d477536b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-25T04:10:10.7065168Z","updatedOn":"2022-06-25T04:10:10.7065168Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/916a749f-b61f-4ba4-8c28-46217c3a7b4e","type":"Microsoft.Authorization/roleAssignments","name":"916a749f-b61f-4ba4-8c28-46217c3a7b4e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T07:37:58.3152810Z","updatedOn":"2022-06-27T07:37:58.3152810Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/0a1046d6-ba58-491f-b473-403ec29cd2be","type":"Microsoft.Authorization/roleAssignments","name":"0a1046d6-ba58-491f-b473-403ec29cd2be"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:21:12.2347431Z","updatedOn":"2022-06-27T08:21:12.2347431Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/abc6fbbe-d4a8-4315-9532-82e90334dcc9","type":"Microsoft.Authorization/roleAssignments","name":"abc6fbbe-d4a8-4315-9532-82e90334dcc9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"381295fa-e67d-4943-a2eb-90ffcf09577b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:43:17.8582970Z","updatedOn":"2022-06-27T08:43:17.8582970Z","createdBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","updatedBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b8f0bb0e-1495-48f0-aa68-33c364310cfb","type":"Microsoft.Authorization/roleAssignments","name":"b8f0bb0e-1495-48f0-aa68-33c364310cfb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"381295fa-e67d-4943-a2eb-90ffcf09577b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:43:18.7801612Z","updatedOn":"2022-06-27T08:43:18.7801612Z","createdBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","updatedBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b8eb5d9d-85e3-4ba8-9458-fdd2c48ba8e1","type":"Microsoft.Authorization/roleAssignments","name":"b8eb5d9d-85e3-4ba8-9458-fdd2c48ba8e1"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"3de34697-a180-45dc-aff8-c16061f1143b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-01T08:15:11.7388086Z","updatedOn":"2022-07-01T08:15:11.7388086Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/86db086e-0442-5eef-8ebc-1d8d28a4d03a","type":"Microsoft.Authorization/roleAssignments","name":"86db086e-0442-5eef-8ebc-1d8d28a4d03a"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3de34697-a180-45dc-aff8-c16061f1143b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-01T08:15:12.7940996Z","updatedOn":"2022-07-01T08:15:12.7940996Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/cbcefba6-df6c-5670-9e02-9e09f7964d9c","type":"Microsoft.Authorization/roleAssignments","name":"cbcefba6-df6c-5670-9e02-9e09f7964d9c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"fe7b070d-f778-4cfd-8acf-eda94f397a89","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-29T07:15:07.9544255Z","updatedOn":"2022-07-29T07:15:07.9544255Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/efb13d06-875d-40e3-81d5-195824e19188","type":"Microsoft.Authorization/roleAssignments","name":"efb13d06-875d-40e3-81d5-195824e19188"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"aa7a0e3a-c2c6-41e2-9838-2ae541c08a88","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-01T10:57:25.8183048Z","updatedOn":"2022-08-01T10:57:25.8183048Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/e179ab30-f6f9-44c6-9806-801d4240a604","type":"Microsoft.Authorization/roleAssignments","name":"e179ab30-f6f9-44c6-9806-801d4240a604"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"da112a02-e7cf-4b53-93a0-96958f47f77f","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-01T12:19:56.7716607Z","updatedOn":"2022-08-01T12:19:56.7716607Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/859af8cf-cf8d-4a41-b5cb-b492bbebfa96","type":"Microsoft.Authorization/roleAssignments","name":"859af8cf-cf8d-4a41-b5cb-b492bbebfa96"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"d9334401-f342-4fc7-88c4-6fb936fb3a6f","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-02T06:53:24.5190593Z","updatedOn":"2022-08-02T06:53:24.5190593Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/babd18e7-662a-4f61-b03b-d2790ad8ad2b","type":"Microsoft.Authorization/roleAssignments","name":"babd18e7-662a-4f61-b03b-d2790ad8ad2b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"d9334401-f342-4fc7-88c4-6fb936fb3a6f","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-02T06:56:06.5673047Z","updatedOn":"2022-08-02T06:56:06.5673047Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9b61e48d-b011-4da0-8daa-a65f34af5a33","type":"Microsoft.Authorization/roleAssignments","name":"9b61e48d-b011-4da0-8daa-a65f34af5a33"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f8520195-1c62-47ff-8c01-e394155b52f1","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-10T11:13:36.6792855Z","updatedOn":"2022-08-10T11:13:36.6792855Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3c9150af-abd1-4d00-9c16-acb375857df6","type":"Microsoft.Authorization/roleAssignments","name":"3c9150af-abd1-4d00-9c16-acb375857df6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f4bfeb83-a4cc-43e8-bee0-9808b5d0918d","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-24T05:51:56.3337713Z","updatedOn":"2022-08-24T05:51:56.3337713Z","createdBy":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","updatedBy":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3caa2a04-62bf-4a33-80f5-056840e59fb4","type":"Microsoft.Authorization/roleAssignments","name":"3caa2a04-62bf-4a33-80f5-056840e59fb4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"608ca1e9-e854-46c6-984f-d812d0e657e6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-30T13:32:28.1332524Z","updatedOn":"2022-08-30T13:32:28.1332524Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2719b245-3aeb-4cc0-92bc-6f63eea0dcbf","type":"Microsoft.Authorization/roleAssignments","name":"2719b245-3aeb-4cc0-92bc-6f63eea0dcbf"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"76710889-6dec-4b99-a529-cfd36fcb16ec","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:30:49.7733486Z","updatedOn":"2022-09-05T11:30:49.7733486Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/bbc4ec43-5e44-4b5d-8de0-cdf89486bb41","type":"Microsoft.Authorization/roleAssignments","name":"bbc4ec43-5e44-4b5d-8de0-cdf89486bb41"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"76710889-6dec-4b99-a529-cfd36fcb16ec","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:33:36.9049436Z","updatedOn":"2022-09-05T11:33:36.9049436Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/3f21962f-d606-4223-b80f-43344d5dc933","type":"Microsoft.Authorization/roleAssignments","name":"3f21962f-d606-4223-b80f-43344d5dc933"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"f41bd262-eb21-47f1-9706-f12132d865e3","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:49:52.6105159Z","updatedOn":"2022-09-05T11:49:52.6105159Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/14d078a0-ff7d-4677-aba3-9dc54afca23f","type":"Microsoft.Authorization/roleAssignments","name":"14d078a0-ff7d-4677-aba3-9dc54afca23f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"f41bd262-eb21-47f1-9706-f12132d865e3","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:52:24.6920598Z","updatedOn":"2022-09-05T11:52:24.6920598Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/19633fe8-03e5-4a16-8ca8-6132e216935f","type":"Microsoft.Authorization/roleAssignments","name":"19633fe8-03e5-4a16-8ca8-6132e216935f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"12f8ea5c-1212-449e-b31c-0a574f43076e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2023-01-31T05:55:25.5617539Z","updatedOn":"2023-01-31T05:55:25.5617539Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9d33f09a-0f43-47cf-bde2-27143c6633e7","type":"Microsoft.Authorization/roleAssignments","name":"9d33f09a-0f43-47cf-bde2-27143c6633e7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"9ca84dd8-bc7f-493f-aad6-5776fe5cfcf1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-07T11:46:18.7367949Z","updatedOn":"2023-02-07T11:46:18.7367949Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/5d4c800c-2937-4424-a276-0ce194654572","type":"Microsoft.Authorization/roleAssignments","name":"5d4c800c-2937-4424-a276-0ce194654572"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"cfc56492-7710-42ce-aa54-bacfddcd15f5","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-07T14:37:44.2986908Z","updatedOn":"2023-02-07T14:37:44.2986908Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/f5dfe629-7f08-42b1-a0e1-3557f3bf3da6","type":"Microsoft.Authorization/roleAssignments","name":"f5dfe629-7f08-42b1-a0e1-3557f3bf3da6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"cfc56492-7710-42ce-aa54-bacfddcd15f5","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-07T14:40:10.8368679Z","updatedOn":"2023-02-07T14:40:10.8368679Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/cb18b5b2-f705-48bd-a21a-01a616187728","type":"Microsoft.Authorization/roleAssignments","name":"cb18b5b2-f705-48bd-a21a-01a616187728"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"ab864caf-15e7-4817-a2e9-fb976dfa9d92","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-07T18:24:58.0770208Z","updatedOn":"2023-02-07T18:24:58.0770208Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/a38a7654-d866-4caa-964d-bf247954ce6f","type":"Microsoft.Authorization/roleAssignments","name":"a38a7654-d866-4caa-964d-bf247954ce6f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"ab864caf-15e7-4817-a2e9-fb976dfa9d92","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-07T18:27:30.1142529Z","updatedOn":"2023-02-07T18:27:30.1142529Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/4b91f0d6-a6a8-451e-9d66-a9ae6b33890c","type":"Microsoft.Authorization/roleAssignments","name":"4b91f0d6-a6a8-451e-9d66-a9ae6b33890c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"7e358fea-2c3c-4c77-bbf5-d4c433fa937a","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-08T06:59:01.0691008Z","updatedOn":"2023-02-08T06:59:01.0691008Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/ef38f5ad-dfa1-444f-a59c-4228a2fcb601","type":"Microsoft.Authorization/roleAssignments","name":"ef38f5ad-dfa1-444f-a59c-4228a2fcb601"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"7e358fea-2c3c-4c77-bbf5-d4c433fa937a","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-08T07:01:22.2694457Z","updatedOn":"2023-02-08T07:01:22.2694457Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/a65516eb-abd7-4b4c-824c-60cc075fecd1","type":"Microsoft.Authorization/roleAssignments","name":"a65516eb-abd7-4b4c-824c-60cc075fecd1"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"41753b57-b4fa-4774-80aa-414a3af0f706","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-13T07:37:24.2216257Z","updatedOn":"2023-02-13T07:37:24.2216257Z","createdBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/0dc7ade2-b7bc-416f-8ab9-9c89cf9396a8","type":"Microsoft.Authorization/roleAssignments","name":"0dc7ade2-b7bc-416f-8ab9-9c89cf9396a8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a51d0ef9-9895-4b63-b3f8-354bb7d1a6bb","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-05-21T08:47:39.8177538Z","updatedOn":"2021-05-21T08:47:39.8177538Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/17db6abb-bc45-4967-b313-e470ec9cbbd7","type":"Microsoft.Authorization/roleAssignments","name":"17db6abb-bc45-4967-b313-e470ec9cbbd7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"7c567124-5292-4819-aa73-0224bf1c42e1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-05-23T13:38:54.7542852Z","updatedOn":"2021-05-23T13:38:54.7542852Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/0809d692-f58f-43f2-b597-7f115957407e","type":"Microsoft.Authorization/roleAssignments","name":"0809d692-f58f-43f2-b597-7f115957407e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"955c9d1b-0cb6-4ff6-91c9-f4aadf67ffe8","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-05-24T16:45:08.3835615Z","updatedOn":"2021-05-24T16:45:08.3835615Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/1b1ac6ab-19e7-4c4f-91d2-5be73096da2c","type":"Microsoft.Authorization/roleAssignments","name":"1b1ac6ab-19e7-4c4f-91d2-5be73096da2c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"7221c906-782c-44a0-ab2f-f23d8a95ce25","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-05-24T16:56:16.2751421Z","updatedOn":"2021-05-24T16:56:16.2751421Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/ca8f2433-76dc-49fa-828d-9cd2861ec25c","type":"Microsoft.Authorization/roleAssignments","name":"ca8f2433-76dc-49fa-828d-9cd2861ec25c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"e1a3bbaa-4ffb-41a6-a154-b4870d9e86b4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T06:40:53.5542743Z","updatedOn":"2021-06-04T06:40:53.5542743Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9d9ac2a8-dbac-41bb-9f17-c473f02c6370","type":"Microsoft.Authorization/roleAssignments","name":"9d9ac2a8-dbac-41bb-9f17-c473f02c6370"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"e1a3bbaa-4ffb-41a6-a154-b4870d9e86b4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T06:40:57.1326805Z","updatedOn":"2021-06-04T06:40:57.1326805Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/14b1338c-95f6-44f9-ad22-395f8ebbb1fe","type":"Microsoft.Authorization/roleAssignments","name":"14b1338c-95f6-44f9-ad22-395f8ebbb1fe"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"1da90707-df56-4d40-a805-2e646c9d95ab","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:02:18.2829699Z","updatedOn":"2021-06-04T07:02:18.2829699Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/bf5f4821-9baa-4dc6-9bd5-8c62f31c1a93","type":"Microsoft.Authorization/roleAssignments","name":"bf5f4821-9baa-4dc6-9bd5-8c62f31c1a93"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"1da90707-df56-4d40-a805-2e646c9d95ab","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:02:22.4343547Z","updatedOn":"2021-06-04T07:02:22.4343547Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/26bab283-0772-4c03-8dc1-a50c8ffa597d","type":"Microsoft.Authorization/roleAssignments","name":"26bab283-0772-4c03-8dc1-a50c8ffa597d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"ab6b1184-ff37-4d3e-b460-fbe654f7ad5c","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:19:08.8293677Z","updatedOn":"2021-06-04T07:19:08.8293677Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/d972f611-a4bd-4b80-9e78-980984602450","type":"Microsoft.Authorization/roleAssignments","name":"d972f611-a4bd-4b80-9e78-980984602450"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"ab6b1184-ff37-4d3e-b460-fbe654f7ad5c","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:19:12.8400651Z","updatedOn":"2021-06-04T07:19:12.8400651Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/b9393755-f5ca-41ef-a631-fb62184c57a8","type":"Microsoft.Authorization/roleAssignments","name":"b9393755-f5ca-41ef-a631-fb62184c57a8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3ffa4e46-39a3-4002-9292-e2adf0d1a8c6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T09:14:15.2633798Z","updatedOn":"2021-06-04T09:14:15.2633798Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/094981c0-d59c-4f5b-9581-72c08da65454","type":"Microsoft.Authorization/roleAssignments","name":"094981c0-d59c-4f5b-9581-72c08da65454"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"3ffa4e46-39a3-4002-9292-e2adf0d1a8c6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T09:14:19.9554484Z","updatedOn":"2021-06-04T09:14:19.9554484Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/0cac59e0-0464-4bf6-9bef-f1fadc2b08f4","type":"Microsoft.Authorization/roleAssignments","name":"0cac59e0-0464-4bf6-9bef-f1fadc2b08f4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"93e2b483-3ffa-44f8-9965-fdb104b541a2","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-06-29T05:43:19.7216795Z","updatedOn":"2021-06-29T05:43:19.7216795Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c6aff8c2-08b1-5b1a-9c80-d91164226985","type":"Microsoft.Authorization/roleAssignments","name":"c6aff8c2-08b1-5b1a-9c80-d91164226985"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"4f285ac8-5610-4d2f-854c-bfa3d16a2679","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-11T06:55:02.4909144Z","updatedOn":"2021-07-11T06:55:02.4909144Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/0cec2ad2-d080-4126-a99f-f61c559b799c","type":"Microsoft.Authorization/roleAssignments","name":"0cec2ad2-d080-4126-a99f-f61c559b799c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"630db480-3ee6-47ec-ae72-5f917d466bad","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:16:28.8833400Z","updatedOn":"2021-07-13T10:16:28.8833400Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/37fe4b2d-0aca-4c27-8511-1e0d18063ec8","type":"Microsoft.Authorization/roleAssignments","name":"37fe4b2d-0aca-4c27-8511-1e0d18063ec8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"279982e7-46cf-4e40-9a3b-156c98285cb7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:18:48.5647062Z","updatedOn":"2021-07-13T10:18:48.5647062Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/7907f38d-57a7-431d-82d7-5dfa2ef0a628","type":"Microsoft.Authorization/roleAssignments","name":"7907f38d-57a7-431d-82d7-5dfa2ef0a628"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"790004d0-0112-41ad-92e8-95c464c34476","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:18:48.6068337Z","updatedOn":"2021-07-13T10:18:48.6068337Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8c9bda26-83c4-4d4c-b00b-c4b58301e539","type":"Microsoft.Authorization/roleAssignments","name":"8c9bda26-83c4-4d4c-b00b-c4b58301e539"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-21T06:38:43.9281998Z","updatedOn":"2021-07-21T06:38:43.9281998Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b553fa81-60dd-45d6-9781-8c2313d68b03","type":"Microsoft.Authorization/roleAssignments","name":"b553fa81-60dd-45d6-9781-8c2313d68b03"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:20.4258578Z","updatedOn":"2021-07-27T04:31:20.4258578Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/4b2f7b08-f9ef-4fc1-b9c4-2bb34fdef258","type":"Microsoft.Authorization/roleAssignments","name":"4b2f7b08-f9ef-4fc1-b9c4-2bb34fdef258"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:32.4566300Z","updatedOn":"2021-07-27T04:31:32.4566300Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8176bf09-8e96-448a-ab12-eeed360ecce2","type":"Microsoft.Authorization/roleAssignments","name":"8176bf09-8e96-448a-ab12-eeed360ecce2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:48.4577322Z","updatedOn":"2021-07-27T04:31:48.4577322Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/45949217-58cc-4c18-93f3-f4c90710ae2d","type":"Microsoft.Authorization/roleAssignments","name":"45949217-58cc-4c18-93f3-f4c90710ae2d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:20.8138038Z","updatedOn":"2021-07-27T10:13:20.8138038Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2382b52f-1ec5-430e-ae2a-74f9ed331ced","type":"Microsoft.Authorization/roleAssignments","name":"2382b52f-1ec5-430e-ae2a-74f9ed331ced"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:23.6551958Z","updatedOn":"2021-07-27T10:13:23.6551958Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e5863947-0b21-41b7-9997-c0dfc73eec29","type":"Microsoft.Authorization/roleAssignments","name":"e5863947-0b21-41b7-9997-c0dfc73eec29"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:29.6985440Z","updatedOn":"2021-07-27T10:13:29.6985440Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/28c1cefa-942f-44c5-a4d4-c33bb92abd45","type":"Microsoft.Authorization/roleAssignments","name":"28c1cefa-942f-44c5-a4d4-c33bb92abd45"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8039a424-299a-4014-8b22-4f6d6cc60065","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-11T07:08:31.9935560Z","updatedOn":"2021-08-11T07:08:31.9935560Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/69e0bcfc-b024-4d8b-a3d5-dac447f8986c","type":"Microsoft.Authorization/roleAssignments","name":"69e0bcfc-b024-4d8b-a3d5-dac447f8986c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"8f0340b8-4b70-412b-be19-c4612d49e353","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-20T11:58:29.6857641Z","updatedOn":"2021-08-20T11:58:29.6857641Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fd88236f-eacb-5303-912f-ba1741cf02bd","type":"Microsoft.Authorization/roleAssignments","name":"fd88236f-eacb-5303-912f-ba1741cf02bd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"0d8f6e68-d6c5-4a67-b6c4-3107609bbdbc","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-20T12:31:58.7980661Z","updatedOn":"2021-08-20T12:31:58.7980661Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/146f4a11-8712-583d-89eb-a7b8b82dbaa9","type":"Microsoft.Authorization/roleAssignments","name":"146f4a11-8712-583d-89eb-a7b8b82dbaa9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"e2072d83-2379-4f36-ab51-b5df7460c61e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-21T14:40:08.5987892Z","updatedOn":"2021-08-21T14:40:10.5055205Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/842af679-0b58-5eb5-b94c-ff59e4105d7e","type":"Microsoft.Authorization/roleAssignments","name":"842af679-0b58-5eb5-b94c-ff59e4105d7e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"0242778c-29df-4863-ac18-2fb8fd004135","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-08-30T06:31:52.6766200Z","updatedOn":"2021-08-30T06:31:52.6766200Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/f67c65e2-e609-4ffe-b504-294b00cbd2fd","type":"Microsoft.Authorization/roleAssignments","name":"f67c65e2-e609-4ffe-b504-294b00cbd2fd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"0242778c-29df-4863-ac18-2fb8fd004135","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-08-30T06:31:57.1552781Z","updatedOn":"2021-08-30T06:31:57.1552781Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/aaeab926-d6e2-4bb6-9e9e-0607e75cc75f","type":"Microsoft.Authorization/roleAssignments","name":"aaeab926-d6e2-4bb6-9e9e-0607e75cc75f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"2ab5fb95-b72e-4d12-948b-4223754d8ffa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-09-08T08:24:19.3547440Z","updatedOn":"2021-09-08T08:24:19.3547440Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/43ee13b8-5abd-51e0-88e3-ae84049da70e","type":"Microsoft.Authorization/roleAssignments","name":"43ee13b8-5abd-51e0-88e3-ae84049da70e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-17T09:41:38.5634940Z","updatedOn":"2021-09-17T09:41:38.5634940Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":"for - temp testing purpose"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/98fe0117-1e9c-4e37-b8a7-c4a1031d6916","type":"Microsoft.Authorization/roleAssignments","name":"98fe0117-1e9c-4e37-b8a7-c4a1031d6916"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"9c973a07-b207-473c-9687-bd693ba8e460","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-25T15:23:32.6168771Z","updatedOn":"2021-09-25T15:23:32.6168771Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/d852f084-bc9f-4258-9e2c-fcf48b9eaf85","type":"Microsoft.Authorization/roleAssignments","name":"d852f084-bc9f-4258-9e2c-fcf48b9eaf85"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"2778738c-452b-45ca-b8d6-f085836a1458","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-30T07:51:25.2399474Z","updatedOn":"2021-09-30T07:51:25.2399474Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b04a3bdf-b6a6-5ffb-9394-ee5743741597","type":"Microsoft.Authorization/roleAssignments","name":"b04a3bdf-b6a6-5ffb-9394-ee5743741597"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"0ac1f52a-325b-486a-a095-f46ffdd6a9e4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-10-26T01:59:18.6998395Z","updatedOn":"2021-10-26T01:59:18.6998395Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/53a3b238-b4b0-4d3f-b416-8d6dc8d755f6","type":"Microsoft.Authorization/roleAssignments","name":"53a3b238-b4b0-4d3f-b416-8d6dc8d755f6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"c3c0d020-16f0-44d8-9950-0250120a33ff","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-02T06:11:03.5575284Z","updatedOn":"2021-11-02T06:11:03.5575284Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/1d017732-f67e-5aa1-a4a6-47570078d9f3","type":"Microsoft.Authorization/roleAssignments","name":"1d017732-f67e-5aa1-a4a6-47570078d9f3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-10T08:59:19.7285159Z","updatedOn":"2021-11-10T08:59:19.7285159Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a60357fa-dc0a-4479-a2a9-4329c2d0ae89","type":"Microsoft.Authorization/roleAssignments","name":"a60357fa-dc0a-4479-a2a9-4329c2d0ae89"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8dd77695-d6a5-450d-a43c-67ca01be9fbc","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-12T10:55:38.3698246Z","updatedOn":"2021-11-12T10:55:38.3698246Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/dda5bb75-b74a-4430-975f-5bc9611c4b2d","type":"Microsoft.Authorization/roleAssignments","name":"dda5bb75-b74a-4430-975f-5bc9611c4b2d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/36243c78-bf99-498c-9df9-86d9f8d28608","principalId":"2152c794-9ca2-41fe-a313-2d0e1ee3eb80","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-18T06:28:12.0181010Z","updatedOn":"2021-02-18T06:28:12.0181010Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/804f6223-03eb-4091-b460-82160fc5f818","type":"Microsoft.Authorization/roleAssignments","name":"804f6223-03eb-4091-b460-82160fc5f818"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"2152c794-9ca2-41fe-a313-2d0e1ee3eb80","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-18T06:28:12.0168587Z","updatedOn":"2021-02-18T06:28:12.0168587Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8d80e2d6-315c-495c-ab2c-91ddf75edf41","type":"Microsoft.Authorization/roleAssignments","name":"8d80e2d6-315c-495c-ab2c-91ddf75edf41"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"cf46d636-b6c1-406c-aba7-b2c3d9ed07da","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-26T13:53:53.1151640Z","updatedOn":"2021-02-26T13:53:53.1151640Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/735e98ed-f4b8-4b7d-9cc9-af4f8ae77252","type":"Microsoft.Authorization/roleAssignments","name":"735e98ed-f4b8-4b7d-9cc9-af4f8ae77252"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8505e3f4-1ee7-427c-a175-a06595231d46","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-26T13:54:27.5624477Z","updatedOn":"2021-02-26T13:54:27.5624477Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/98c87a9f-b9e7-414b-8b59-bf3ec62dbc74","type":"Microsoft.Authorization/roleAssignments","name":"98c87a9f-b9e7-414b-8b59-bf3ec62dbc74"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-25T12:25:27.2277610Z","updatedOn":"2020-07-25T12:25:27.2277610Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fd6b8ff4-9edb-43f5-aa2a-32133fa09b1d","type":"Microsoft.Authorization/roleAssignments","name":"fd6b8ff4-9edb-43f5-aa2a-32133fa09b1d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"21ae6127-c385-4ae0-b895-a8559e9aa574","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-31T08:35:35.2993523Z","updatedOn":"2020-07-31T08:35:35.2993523Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/6af9fbf3-7085-4bcb-b399-88b89fac16d3","type":"Microsoft.Authorization/roleAssignments","name":"6af9fbf3-7085-4bcb-b399-88b89fac16d3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"1e845bc3-37db-4639-be09-d0cf1e448221","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-31T08:44:16.2909420Z","updatedOn":"2020-07-31T08:44:16.2909420Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/65080390-e9b5-4566-b362-d1e96c23dae2","type":"Microsoft.Authorization/roleAssignments","name":"65080390-e9b5-4566-b362-d1e96c23dae2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-11-03T06:12:01.6760584Z","updatedOn":"2020-11-03T06:12:01.6760584Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a7a12420-2dce-4a47-822e-68cadf239da3","type":"Microsoft.Authorization/roleAssignments","name":"a7a12420-2dce-4a47-822e-68cadf239da3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3282af51-433d-47e8-b2b5-633fbe0fecc0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-11-03T06:25:32.6790913Z","updatedOn":"2020-11-03T06:25:32.6790913Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/36da831d-10ce-4f42-ba28-362960f6ea36","type":"Microsoft.Authorization/roleAssignments","name":"36da831d-10ce-4f42-ba28-362960f6ea36"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-10-04T07:35:39.6626948Z","updatedOn":"2019-10-04T07:35:39.6626948Z","createdBy":"8031e009-cc05-4950-8a8d-78942c4492ac","updatedBy":"8031e009-cc05-4950-8a8d-78942c4492ac","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/730fa65e-c74c-4c3d-9cc3-9457f9b97274","type":"Microsoft.Authorization/roleAssignments","name":"730fa65e-c74c-4c3d-9cc3-9457f9b97274"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-04-08T01:03:29.8241478Z","updatedOn":"2021-04-08T01:03:29.8241478Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/63818ccb-a05c-4083-9e1d-64b4c7c0e1cd","type":"Microsoft.Authorization/roleAssignments","name":"63818ccb-a05c-4083-9e1d-64b4c7c0e1cd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"c87d9afe-4463-41d5-81e3-3bd162af9183","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-07-10T09:38:17.4348497Z","updatedOn":"2019-07-10T09:38:17.4348497Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/ebc56c6d-c5de-4d99-b166-89d4ac815acd","type":"Microsoft.Authorization/roleAssignments","name":"ebc56c6d-c5de-4d99-b166-89d4ac815acd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-03-15T11:01:18.6794974Z","updatedOn":"2019-03-15T11:01:18.6794974Z","createdBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","updatedBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/9fb9b151-1d53-4eff-9336-75cf634e1e3d","type":"Microsoft.Authorization/roleAssignments","name":"9fb9b151-1d53-4eff-9336-75cf634e1e3d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f87f6638-3a1b-4562-8603-aacd59537149","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-05-03T06:47:05.1411825Z","updatedOn":"2019-05-03T06:47:05.1411825Z","createdBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","updatedBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/24ffbb29-061f-4b1d-8c26-c6e90ef53303","type":"Microsoft.Authorization/roleAssignments","name":"24ffbb29-061f-4b1d-8c26-c6e90ef53303"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"becb4b6b-fe16-413b-a5c3-90355e0b2982","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-06-26T06:33:50.1123976Z","updatedOn":"2019-06-26T06:33:50.1123976Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/4c3721e8-06f4-4115-a2d8-90c4a9a57d56","type":"Microsoft.Authorization/roleAssignments","name":"4c3721e8-06f4-4115-a2d8-90c4a9a57d56"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-04-07T16:59:19.6098216Z","updatedOn":"2021-04-07T16:59:19.6098216Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/9d2de631-e451-450b-8237-e5bc19624eee","type":"Microsoft.Authorization/roleAssignments","name":"9d2de631-e451-450b-8237-e5bc19624eee"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/17d1049b-9a84-46fb-8f53-869881c3d3ab","principalId":"f61a8f2d-c22b-47c9-9e09-71c6dc1686a2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2022-10-17T05:35:15.3185857Z","updatedOn":"2022-10-17T05:35:15.3185857Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/112e70a2-19dc-47b1-8a5f-b6b0ebe3101a","type":"Microsoft.Authorization/roleAssignments","name":"112e70a2-19dc-47b1-8a5f-b6b0ebe3101a"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/17d1049b-9a84-46fb-8f53-869881c3d3ab","principalId":"38bb424d-6106-4a59-800e-90ee180570f1","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2022-10-26T02:55:09.1249140Z","updatedOn":"2022-10-26T02:55:09.1249140Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/7cdb04d8-94ce-4084-b154-6ab26e1b0041","type":"Microsoft.Authorization/roleAssignments","name":"7cdb04d8-94ce-4084-b154-6ab26e1b0041"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"b1b96a90-235c-4668-a931-ee1c08db7681","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-02-01T04:47:38.5676012Z","updatedOn":"2021-02-01T04:47:38.5676012Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/a9e38032-c21b-4c41-8960-1c9c982d98e2","type":"Microsoft.Authorization/roleAssignments","name":"a9e38032-c21b-4c41-8960-1c9c982d98e2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a51d0ef9-9895-4b63-b3f8-354bb7d1a6bb","principalType":"Group","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-03-03T05:31:57.4716459Z","updatedOn":"2021-03-03T05:31:57.4716459Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/77aa0ff2-42c2-4e01-a51d-01cf2dd7ce04","type":"Microsoft.Authorization/roleAssignments","name":"77aa0ff2-42c2-4e01-a51d-01cf2dd7ce04"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"ce2366a6-64d7-441b-939c-c9d23f91cccd","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47","condition":null,"conditionVersion":null,"createdOn":"2020-03-12T20:43:06.5941189Z","updatedOn":"2020-03-12T20:43:06.5941189Z","createdBy":"606f48c8-d219-4875-991d-ae6befaf0756","updatedBy":"606f48c8-d219-4875-991d-ae6befaf0756","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47/providers/Microsoft.Authorization/roleAssignments/ad9e2cd7-0ff7-4931-9b17-656c8f17934b","type":"Microsoft.Authorization/roleAssignments","name":"ad9e2cd7-0ff7-4931-9b17-656c8f17934b"}]}' - headers: - cache-control: - - no-cache - content-length: - - '132039' - content-type: - - application/json; charset=utf-8 date: - - Mon, 13 Feb 2023 07:38:28 GMT + - Mon, 05 Sep 2022 11:49:34 GMT expires: - '-1' pragma: - no-cache - set-cookie: - - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly + server: + - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -6850,6 +2936,10 @@ interactions: - Accept-Encoding x-content-type-options: - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '196' + x-powered-by: + - ASP.NET status: code: 200 message: OK @@ -6864,36 +2954,31 @@ interactions: - dataprotection backup-instance update-msi-permissions Connection: - keep-alive - Cookie: - - x-ms-gateway-slice=Production ParameterSetName: - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance --yes User-Agent: - - python/3.10.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 - azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.45.0 (PIP) - accept-language: - - en-US + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Storage%20Account%20Backup%20Contributor%27&api-version=2018-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault?api-version=2022-05-01 response: body: - string: '{"value":[{"properties":{"roleName":"Storage Account Backup Contributor","type":"BuiltInRole","description":"Lets - you perform backup and restore operations using Azure Backup on the storage - account.","assignableScopes":["/"],"permissions":[{"actions":["Microsoft.Authorization/*/read","Microsoft.Authorization/locks/read","Microsoft.Authorization/locks/write","Microsoft.Authorization/locks/delete","Microsoft.Features/features/read","Microsoft.Features/providers/features/read","Microsoft.Resources/subscriptions/resourceGroups/read","Microsoft.Storage/operations/read","Microsoft.Storage/storageAccounts/objectReplicationPolicies/delete","Microsoft.Storage/storageAccounts/objectReplicationPolicies/read","Microsoft.Storage/storageAccounts/objectReplicationPolicies/write","Microsoft.Storage/storageAccounts/objectReplicationPolicies/restorePointMarkers/write","Microsoft.Storage/storageAccounts/blobServices/containers/read","Microsoft.Storage/storageAccounts/blobServices/containers/write","Microsoft.Storage/storageAccounts/blobServices/read","Microsoft.Storage/storageAccounts/blobServices/write","Microsoft.Storage/storageAccounts/read","Microsoft.Storage/storageAccounts/restoreBlobRanges/action"],"notActions":[],"dataActions":[],"notDataActions":[]}],"createdOn":"2020-11-02T23:32:50.4203469Z","updatedOn":"2022-04-20T01:44:55.2577307Z","createdBy":null,"updatedBy":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","type":"Microsoft.Authorization/roleDefinitions","name":"e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1"}]}' + string: '{"location":"centraluseuap","identity":{"type":"SystemAssigned","principalId":"f41bd262-eb21-47f1-9706-f12132d865e3","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"properties":{"provisioningState":"Succeeded","storageSettings":[{"datastoreType":"VaultStore","type":"LocallyRedundant"}],"isVaultProtectedByResourceGuard":false,"monitoringSettings":{"azureMonitorAlertSettings":{"alertsForAllJobFailures":"Disabled"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault","name":"cli-test-new-vault","type":"Microsoft.DataProtection/backupVaults"}' headers: cache-control: - no-cache content-length: - - '1625' + - '648' content-type: - - application/json; charset=utf-8 + - application/json date: - - Mon, 13 Feb 2023 07:38:29 GMT + - Mon, 05 Sep 2022 11:49:34 GMT expires: - '-1' pragma: - no-cache + server: + - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -6902,6 +2987,10 @@ interactions: - Accept-Encoding x-content-type-options: - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '499' + x-powered-by: + - ASP.NET status: code: 200 message: OK @@ -6920,9 +3009,9 @@ interactions: - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance --yes User-Agent: - - python/3.10.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.45.0 (PIP) + - python/3.8.5 (Windows-10-10.0.22000-SP0) AZURECLI/2.39.0 method: GET - uri: https://graph.microsoft.com/v1.0/servicePrincipals?$filter=servicePrincipalNames%2Fany%28c%3Ac%20eq%20%2741753b57-b4fa-4774-80aa-414a3af0f706%27%29 + uri: https://graph.microsoft.com/v1.0/servicePrincipals?$filter=servicePrincipalNames%2Fany%28c%3Ac%20eq%20%27f41bd262-eb21-47f1-9706-f12132d865e3%27%29 response: body: string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#servicePrincipals","value":[]}' @@ -6934,11 +3023,11 @@ interactions: content-type: - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 date: - - Mon, 13 Feb 2023 07:38:29 GMT + - Mon, 05 Sep 2022 11:49:35 GMT odata-version: - '4.0' request-id: - - 219b2b24-a003-422c-8457-be964f057127 + - e72d8152-5a2c-4fa4-9b74-cdeadbfa13dc strict-transport-security: - max-age=31536000 transfer-encoding: @@ -6946,14 +3035,14 @@ interactions: vary: - Accept-Encoding x-ms-ags-diagnostic: - - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"001","RoleInstance":"MA1PEPF0000146B"}}' + - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"000","RoleInstance":"MA1PEPF00002029"}}' x-ms-resource-unit: - '1' status: code: 200 message: OK - request: - body: '{"ids": ["41753b57-b4fa-4774-80aa-414a3af0f706"], "types": ["user", "group", + body: '{"ids": ["f41bd262-eb21-47f1-9706-f12132d865e3"], "types": ["user", "group", "servicePrincipal", "directoryObjectPartnerReference"]}' headers: Accept: @@ -6972,27 +3061,27 @@ interactions: - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance --yes User-Agent: - - python/3.10.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.45.0 (PIP) + - python/3.8.5 (Windows-10-10.0.22000-SP0) AZURECLI/2.39.0 method: POST uri: https://graph.microsoft.com/v1.0/directoryObjects/getByIds response: body: - string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#directoryObjects","value":[{"@odata.type":"#microsoft.graph.servicePrincipal","id":"41753b57-b4fa-4774-80aa-414a3af0f706","deletedDateTime":null,"accountEnabled":true,"alternativeNames":["isExplicit=False","/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg/providers/Microsoft.DataProtection/BackupVaults/cli-test-new-vault1"],"appDisplayName":null,"appDescription":null,"appId":"fea0857b-fd83-4708-b252-0c5f0a38d6b0","applicationTemplateId":null,"appOwnerOrganizationId":null,"appRoleAssignmentRequired":false,"createdDateTime":"2023-02-13T07:30:29Z","description":null,"disabledByMicrosoftStatus":null,"displayName":"cli-test-new-vault1","homepage":null,"loginUrl":null,"logoutUrl":null,"notes":null,"notificationEmailAddresses":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyThumbprint":null,"replyUrls":[],"servicePrincipalNames":["fea0857b-fd83-4708-b252-0c5f0a38d6b0","https://identity.azure.net/2czira6fp81UmSQY0i+P6p1ObGIy33lZb5C/K/6SyDY="],"servicePrincipalType":"ManagedIdentity","signInAudience":null,"tags":[],"tokenEncryptionKeyId":null,"info":null,"samlSingleSignOnSettings":null,"addIns":[],"appRoles":[],"keyCredentials":[{"customKeyIdentifier":"81B4BF05CBCD13C46538514E74E2057DB2DD092E","displayName":"CN=fea0857b-fd83-4708-b252-0c5f0a38d6b0","endDateTime":"2023-05-14T07:25:00Z","key":null,"keyId":"3dac063a-25ed-4f07-a638-ed0fc6455a6e","startDateTime":"2023-02-13T07:25:00Z","type":"AsymmetricX509Cert","usage":"Verify"}],"oauth2PermissionScopes":[],"passwordCredentials":[],"resourceSpecificApplicationPermissions":[],"verifiedPublisher":{"displayName":null,"verifiedPublisherId":null,"addedDateTime":null}}]}' + string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#directoryObjects","value":[{"@odata.type":"#microsoft.graph.servicePrincipal","id":"f41bd262-eb21-47f1-9706-f12132d865e3","deletedDateTime":null,"accountEnabled":true,"alternativeNames":["isExplicit=False","/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg/providers/Microsoft.DataProtection/BackupVaults/cli-test-new-vault"],"appDisplayName":null,"appDescription":null,"appId":"1666ae40-2096-498b-9acd-d5cc76560b85","applicationTemplateId":null,"appOwnerOrganizationId":null,"appRoleAssignmentRequired":false,"createdDateTime":"2022-09-05T11:45:43Z","description":null,"disabledByMicrosoftStatus":null,"displayName":"cli-test-new-vault","homepage":null,"loginUrl":null,"logoutUrl":null,"notes":null,"notificationEmailAddresses":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyThumbprint":null,"replyUrls":[],"servicePrincipalNames":["1666ae40-2096-498b-9acd-d5cc76560b85","https://identity.azure.net/yHvRErNNmOMZ4EezrAqFKc6Ca0cDdhCvjeK23cGv1hE="],"servicePrincipalType":"ManagedIdentity","signInAudience":null,"tags":[],"tokenEncryptionKeyId":null,"info":null,"samlSingleSignOnSettings":null,"addIns":[],"appRoles":[],"keyCredentials":[{"customKeyIdentifier":"2E54114573727C7AB82A79610024368806BB3E76","displayName":"CN=1666ae40-2096-498b-9acd-d5cc76560b85","endDateTime":"2022-12-04T11:40:00Z","key":null,"keyId":"091f0c89-7baf-4d09-9c75-83c18191f1f0","startDateTime":"2022-09-05T11:40:00Z","type":"AsymmetricX509Cert","usage":"Verify"}],"oauth2PermissionScopes":[],"passwordCredentials":[],"resourceSpecificApplicationPermissions":[],"verifiedPublisher":{"displayName":null,"verifiedPublisherId":null,"addedDateTime":null}}]}' headers: cache-control: - no-cache content-length: - - '1732' + - '1730' content-type: - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 date: - - Mon, 13 Feb 2023 07:38:29 GMT + - Mon, 05 Sep 2022 11:49:35 GMT location: - https://graph.microsoft.com odata-version: - '4.0' request-id: - - 6ac8e47a-88d5-4a6e-9cae-545c0c32cde5 + - 25c45745-2623-4ce3-bf40-b6702d810e73 strict-transport-security: - max-age=31536000 transfer-encoding: @@ -7000,7 +3089,7 @@ interactions: vary: - Accept-Encoding x-ms-ags-diagnostic: - - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"001","RoleInstance":"MA1PEPF00004345"}}' + - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"000","RoleInstance":"MA1PEPF00003151"}}' x-ms-resource-unit: - '3' status: @@ -7021,26 +3110,25 @@ interactions: - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance --yes User-Agent: - - python/3.10.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 - azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.45.0 (PIP) + - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 + Azure-SDK-For-Python AZURECLI/2.39.0 accept-language: - en-US method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Storage%20Account%20Backup%20Contributor%27&api-version=2018-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new/providers/Microsoft.Authorization/roleAssignments?$filter=atScope%28%29&api-version=2020-04-01-preview response: body: - string: '{"value":[{"properties":{"roleName":"Storage Account Backup Contributor","type":"BuiltInRole","description":"Lets - you perform backup and restore operations using Azure Backup on the storage - account.","assignableScopes":["/"],"permissions":[{"actions":["Microsoft.Authorization/*/read","Microsoft.Authorization/locks/read","Microsoft.Authorization/locks/write","Microsoft.Authorization/locks/delete","Microsoft.Features/features/read","Microsoft.Features/providers/features/read","Microsoft.Resources/subscriptions/resourceGroups/read","Microsoft.Storage/operations/read","Microsoft.Storage/storageAccounts/objectReplicationPolicies/delete","Microsoft.Storage/storageAccounts/objectReplicationPolicies/read","Microsoft.Storage/storageAccounts/objectReplicationPolicies/write","Microsoft.Storage/storageAccounts/objectReplicationPolicies/restorePointMarkers/write","Microsoft.Storage/storageAccounts/blobServices/containers/read","Microsoft.Storage/storageAccounts/blobServices/containers/write","Microsoft.Storage/storageAccounts/blobServices/read","Microsoft.Storage/storageAccounts/blobServices/write","Microsoft.Storage/storageAccounts/read","Microsoft.Storage/storageAccounts/restoreBlobRanges/action"],"notActions":[],"dataActions":[],"notDataActions":[]}],"createdOn":"2020-11-02T23:32:50.4203469Z","updatedOn":"2022-04-20T01:44:55.2577307Z","createdBy":null,"updatedBy":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","type":"Microsoft.Authorization/roleDefinitions","name":"e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1"}]}' + string: '{"value":[{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"5c617d2b-99f8-4c90-98fe-dfe040fa33c1","principalType":"ServicePrincipal","scope":"/","condition":null,"conditionVersion":null,"createdOn":"2018-02-27T19:19:50.2663941Z","updatedOn":"2018-02-27T19:19:50.2663941Z","createdBy":null,"updatedBy":null,"delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Authorization/roleAssignments/3e883d24-b106-42ff-ad13-d7bf271b964d","type":"Microsoft.Authorization/roleAssignments","name":"3e883d24-b106-42ff-ad13-d7bf271b964d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"1d8b8d73-0cc6-4db8-b112-724b4a932253","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-26T12:22:13.7498923Z","updatedOn":"2019-08-26T12:22:13.7498923Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8c3a4de9-1ebd-47ce-9dd9-bebf87a4e28f","type":"Microsoft.Authorization/roleAssignments","name":"8c3a4de9-1ebd-47ce-9dd9-bebf87a4e28f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"1e845bc3-37db-4639-be09-d0cf1e448221","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-05-24T11:02:27.8515917Z","updatedOn":"2019-05-24T11:02:27.8515917Z","createdBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","updatedBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b5eee4d7-5f9f-4f63-8040-8aec158c289b","type":"Microsoft.Authorization/roleAssignments","name":"b5eee4d7-5f9f-4f63-8040-8aec158c289b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"235b2664-75e2-4741-bb6f-37e49babf6cd","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-02-12T11:34:59.7104212Z","updatedOn":"2020-02-12T11:34:59.7104212Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/f0618702-8404-4858-9a26-e61f23e7d44f","type":"Microsoft.Authorization/roleAssignments","name":"f0618702-8404-4858-9a26-e61f23e7d44f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8bb5b214-1182-465c-892f-ca7235abe1e7","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-11-14T08:52:42.2795010Z","updatedOn":"2019-11-14T08:52:42.2795010Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/77daac38-9839-4b00-921b-e5d5a03e728c","type":"Microsoft.Authorization/roleAssignments","name":"77daac38-9839-4b00-921b-e5d5a03e728c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"9693df58-7f72-4974-9bd3-1c3ceb0382f1","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-11-29T09:40:04.3180033Z","updatedOn":"2018-11-29T09:40:04.3180033Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ed3bf874-9c97-43f9-a5e9-b4ee6f8982f7","type":"Microsoft.Authorization/roleAssignments","name":"ed3bf874-9c97-43f9-a5e9-b4ee6f8982f7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"d1f96755-9bcf-44b8-ab82-df67360496c4","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-05-08T10:28:08.2854940Z","updatedOn":"2020-05-08T10:28:08.2854940Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/dfb3ca56-a0d4-44ce-ba35-b716c3fdab86","type":"Microsoft.Authorization/roleAssignments","name":"dfb3ca56-a0d4-44ce-ba35-b716c3fdab86"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-12-31T09:26:43.6440415Z","updatedOn":"2018-12-31T09:26:43.6440415Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/45744ea8-780f-4f3e-88aa-b73d7f6997b2","type":"Microsoft.Authorization/roleAssignments","name":"45744ea8-780f-4f3e-88aa-b73d7f6997b2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e65078fb-6b02-434a-9f11-d06bf9bc0600","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-10-25T23:42:36.3444507Z","updatedOn":"2018-10-25T23:42:36.3444507Z","createdBy":"66cb55a5-e2a8-44ef-ae4b-5ab8fa2ec8d9","updatedBy":"66cb55a5-e2a8-44ef-ae4b-5ab8fa2ec8d9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e7ce51e8-4109-41d7-bc10-538b089599db","type":"Microsoft.Authorization/roleAssignments","name":"e7ce51e8-4109-41d7-bc10-538b089599db"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"a7782e0f-1f9a-4882-b2c9-11227aad244e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-06-16T04:32:50.9673703Z","updatedOn":"2020-06-16T04:32:50.9673703Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9fa21f2f-81c3-47b6-b706-650b359b96c3","type":"Microsoft.Authorization/roleAssignments","name":"9fa21f2f-81c3-47b6-b706-650b359b96c3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"00b14177-f4d2-4a4b-94f6-6e80f75745c9","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-03-12T09:49:11.3750683Z","updatedOn":"2020-03-12T09:49:11.3750683Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fff0abf3-3cf7-46be-8bc7-1d1619a160fb","type":"Microsoft.Authorization/roleAssignments","name":"fff0abf3-3cf7-46be-8bc7-1d1619a160fb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"1d8b8d73-0cc6-4db8-b112-724b4a932253","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-26T10:28:45.4880023Z","updatedOn":"2019-08-26T10:28:45.4880023Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/397a3c9c-c258-4d4e-834d-00cc08227796","type":"Microsoft.Authorization/roleAssignments","name":"397a3c9c-c258-4d4e-834d-00cc08227796"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"235b2664-75e2-4741-bb6f-37e49babf6cd","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-12-05T04:29:28.7359096Z","updatedOn":"2018-12-05T04:29:28.7359096Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3c830f42-5f89-4d8b-8f93-d3dc936f33bd","type":"Microsoft.Authorization/roleAssignments","name":"3c830f42-5f89-4d8b-8f93-d3dc936f33bd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-04-08T08:38:50.1742930Z","updatedOn":"2020-04-08T08:38:50.1742930Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/5293a96b-830e-45f4-9e9e-22d7d020f0d8","type":"Microsoft.Authorization/roleAssignments","name":"5293a96b-830e-45f4-9e9e-22d7d020f0d8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3421d717-ca60-44e7-a9a1-773acec4e503","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-10-23T09:40:14.7658272Z","updatedOn":"2019-10-23T09:40:14.7658272Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/34b29558-faf9-43f0-a194-35ca0aa99fc5","type":"Microsoft.Authorization/roleAssignments","name":"34b29558-faf9-43f0-a194-35ca0aa99fc5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3dc88d41-4d03-4105-970d-937e56de3839","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-06-27T12:59:44.6557891Z","updatedOn":"2019-06-27T12:59:44.6557891Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e57ab8d1-ce9a-4925-b09f-2567492d9b22","type":"Microsoft.Authorization/roleAssignments","name":"e57ab8d1-ce9a-4925-b09f-2567492d9b22"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"62c799b8-9b54-4c3d-97c9-9490d16a6a9a","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-08T13:01:20.9953919Z","updatedOn":"2019-08-08T13:01:20.9953919Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e1b91810-0781-462d-9517-764e4a033822","type":"Microsoft.Authorization/roleAssignments","name":"e1b91810-0781-462d-9517-764e4a033822"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8bb5b214-1182-465c-892f-ca7235abe1e7","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-10-23T08:03:15.6803676Z","updatedOn":"2019-10-23T08:03:15.6803676Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/facbac06-ddab-437d-949a-207593fddfff","type":"Microsoft.Authorization/roleAssignments","name":"facbac06-ddab-437d-949a-207593fddfff"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"978b254a-54be-42af-80f5-e2a37b2e40e5","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-07-08T06:57:57.0377373Z","updatedOn":"2019-07-08T06:57:57.0377373Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/89be5b0a-dfa8-4bdf-b667-c6f63f7f3f0e","type":"Microsoft.Authorization/roleAssignments","name":"89be5b0a-dfa8-4bdf-b667-c6f63f7f3f0e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"9c973a07-b207-473c-9687-bd693ba8e460","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-04-17T09:14:08.7913669Z","updatedOn":"2020-04-17T09:14:08.7913669Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/950c635a-23a5-4a0e-8eb6-c53e929c9699","type":"Microsoft.Authorization/roleAssignments","name":"950c635a-23a5-4a0e-8eb6-c53e929c9699"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a4eae46b-a9d0-4586-8ac9-ba91b29f1d57","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-02-01T10:05:44.6784242Z","updatedOn":"2022-02-01T10:05:44.6784242Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8af2fb3a-292c-42a8-a870-1751c4ec4870","type":"Microsoft.Authorization/roleAssignments","name":"8af2fb3a-292c-42a8-a870-1751c4ec4870"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"662a0ec2-cfbc-45f9-ae31-2cc53070e765","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T12:46:49.6216206Z","updatedOn":"2022-04-12T12:46:49.6216206Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/85cc2dff-c5d4-42a3-acb6-255cd4208ef4","type":"Microsoft.Authorization/roleAssignments","name":"85cc2dff-c5d4-42a3-acb6-255cd4208ef4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"662a0ec2-cfbc-45f9-ae31-2cc53070e765","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T12:46:57.1459341Z","updatedOn":"2022-04-12T12:46:57.1459341Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/aba8e90d-d951-4cb5-a346-b71e478f4d1b","type":"Microsoft.Authorization/roleAssignments","name":"aba8e90d-d951-4cb5-a346-b71e478f4d1b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"30bc1f3b-ca1a-4c55-96ff-4c026f12eaa1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T13:09:28.3678603Z","updatedOn":"2022-04-12T13:09:28.3678603Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/79d87d90-f984-4f53-a169-2eca51c00104","type":"Microsoft.Authorization/roleAssignments","name":"79d87d90-f984-4f53-a169-2eca51c00104"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"30bc1f3b-ca1a-4c55-96ff-4c026f12eaa1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T13:09:33.3916295Z","updatedOn":"2022-04-12T13:09:33.3916295Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/5e185742-c91a-4efe-b0d8-db9524685ec5","type":"Microsoft.Authorization/roleAssignments","name":"5e185742-c91a-4efe-b0d8-db9524685ec5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3c582fc7-e68a-4991-a2f6-3d8a7a1f23c1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:01:02.2689248Z","updatedOn":"2022-04-13T07:01:02.2689248Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/c9b4f9ab-d687-4a65-910a-5bcb2f974bfe","type":"Microsoft.Authorization/roleAssignments","name":"c9b4f9ab-d687-4a65-910a-5bcb2f974bfe"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"3c582fc7-e68a-4991-a2f6-3d8a7a1f23c1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:01:09.3571703Z","updatedOn":"2022-04-13T07:01:09.3571703Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/8bedf13c-aa1a-4191-aa97-573f14fd97ee","type":"Microsoft.Authorization/roleAssignments","name":"8bedf13c-aa1a-4191-aa97-573f14fd97ee"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"a31004b5-ce06-49e1-8706-e8c7afe68695","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:43:04.6456354Z","updatedOn":"2022-04-13T07:43:04.6456354Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/bd0fc30a-6ccf-4c22-a26b-0e31aba16035","type":"Microsoft.Authorization/roleAssignments","name":"bd0fc30a-6ccf-4c22-a26b-0e31aba16035"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"a31004b5-ce06-49e1-8706-e8c7afe68695","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:43:10.1186881Z","updatedOn":"2022-04-13T07:43:10.1186881Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/dadaa3cd-f442-4d5c-aed3-7cbab2fba3e0","type":"Microsoft.Authorization/roleAssignments","name":"dadaa3cd-f442-4d5c-aed3-7cbab2fba3e0"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"6f6a803e-4dc5-488a-8566-a4f0a984975e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T08:58:57.7706882Z","updatedOn":"2022-04-13T08:58:57.7706882Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9e3d10bf-9bfa-4a97-9ab1-b972a348abd0","type":"Microsoft.Authorization/roleAssignments","name":"9e3d10bf-9bfa-4a97-9ab1-b972a348abd0"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"6f6a803e-4dc5-488a-8566-a4f0a984975e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T08:59:03.2414961Z","updatedOn":"2022-04-13T08:59:03.2414961Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/66eefd94-4bda-46df-9c61-7e92f83d91e7","type":"Microsoft.Authorization/roleAssignments","name":"66eefd94-4bda-46df-9c61-7e92f83d91e7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"829da4fd-a5f4-4ca7-bc3d-0679d104c5f0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T10:17:35.8887781Z","updatedOn":"2022-04-13T10:17:35.8887781Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/77f4f7a3-a377-49f7-a094-945b82b2bfff","type":"Microsoft.Authorization/roleAssignments","name":"77f4f7a3-a377-49f7-a094-945b82b2bfff"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"829da4fd-a5f4-4ca7-bc3d-0679d104c5f0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T10:17:41.2233089Z","updatedOn":"2022-04-13T10:17:41.2233089Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/1a71aac6-e9ce-40ff-a39f-7594df2ea6e9","type":"Microsoft.Authorization/roleAssignments","name":"1a71aac6-e9ce-40ff-a39f-7594df2ea6e9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3f74f5b7-f4f6-4b65-a45d-f1c60467e115","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-21T06:57:19.4532093Z","updatedOn":"2022-04-21T06:57:19.4532093Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/eede4548-9f71-44b7-8077-c49aa44894b4","type":"Microsoft.Authorization/roleAssignments","name":"eede4548-9f71-44b7-8077-c49aa44894b4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"3f74f5b7-f4f6-4b65-a45d-f1c60467e115","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-21T06:57:24.3439247Z","updatedOn":"2022-04-21T06:57:24.3439247Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/c011acd2-8b5d-45d6-b6c1-4ffe1867ce31","type":"Microsoft.Authorization/roleAssignments","name":"c011acd2-8b5d-45d6-b6c1-4ffe1867ce31"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"85c33f6f-5d69-4b0e-bc06-95a7d3193519","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-05-04T09:52:52.7340040Z","updatedOn":"2022-05-04T09:52:52.7340040Z","createdBy":"447bbed8-9839-4d6e-9e39-fb9aeee1ec1d","updatedBy":"447bbed8-9839-4d6e-9e39-fb9aeee1ec1d","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/6a4f635c-309c-4a1d-8eea-86fb5aa91d80","type":"Microsoft.Authorization/roleAssignments","name":"6a4f635c-309c-4a1d-8eea-86fb5aa91d80"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"e6234342-a3d7-4b04-9041-3e8526f5861a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-05-12T06:55:02.9137483Z","updatedOn":"2022-05-12T06:55:02.9137483Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a5bd1b6d-0084-40ec-9126-2250536b4778","type":"Microsoft.Authorization/roleAssignments","name":"a5bd1b6d-0084-40ec-9126-2250536b4778"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"0b2dcd24-9585-4bb4-a7c3-83e0e3bd0dc7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-05-24T11:54:25.7258076Z","updatedOn":"2022-05-24T11:54:25.7258076Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9a7dc348-d24e-438b-84b0-c7cda5bf92c4","type":"Microsoft.Authorization/roleAssignments","name":"9a7dc348-d24e-438b-84b0-c7cda5bf92c4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"0b2dcd24-9585-4bb4-a7c3-83e0e3bd0dc7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-05-24T11:54:29.8931759Z","updatedOn":"2022-05-24T11:54:29.8931759Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/aeb54d04-84b8-4530-bd7e-fe01dafd82ab","type":"Microsoft.Authorization/roleAssignments","name":"aeb54d04-84b8-4530-bd7e-fe01dafd82ab"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"f2cee52e-3d75-4f49-acc4-b5aaf72232ee","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T11:01:05.6238088Z","updatedOn":"2022-06-03T11:01:05.6238088Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2bd63fbe-e197-434f-ba1e-016bad298ff7","type":"Microsoft.Authorization/roleAssignments","name":"2bd63fbe-e197-434f-ba1e-016bad298ff7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"8be185b2-5cbf-45c1-b9af-cbbd9b59144d","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T13:20:41.1511200Z","updatedOn":"2022-06-03T13:22:39.1076287Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/f12c7867-43e5-5530-98e9-9d8a2f39fb92","type":"Microsoft.Authorization/roleAssignments","name":"f12c7867-43e5-5530-98e9-9d8a2f39fb92"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"8be185b2-5cbf-45c1-b9af-cbbd9b59144d","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T13:37:09.9515887Z","updatedOn":"2022-06-03T14:40:22.4040874Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/bace23ac-6978-5318-a146-d49599599b02","type":"Microsoft.Authorization/roleAssignments","name":"bace23ac-6978-5318-a146-d49599599b02"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"e6234342-a3d7-4b04-9041-3e8526f5861a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-06T11:22:08.5127363Z","updatedOn":"2022-06-06T11:22:08.5127363Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/df253c65-35fc-4ff6-9a32-39b3fe20a6e3","type":"Microsoft.Authorization/roleAssignments","name":"df253c65-35fc-4ff6-9a32-39b3fe20a6e3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"5f137a67-1b88-4f98-aa20-b71a7082dc56","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-10T14:11:57.5623976Z","updatedOn":"2022-06-10T14:11:57.5623976Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e409f573-8bda-4b7e-854a-61c445d36c6f","type":"Microsoft.Authorization/roleAssignments","name":"e409f573-8bda-4b7e-854a-61c445d36c6f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"961a41dc-cbb6-4777-9b6c-a6d4d1ea4faa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:02:09.6478601Z","updatedOn":"2022-06-21T12:02:09.6478601Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/efc8d400-cd5e-41d3-99e6-65878c1f888c","type":"Microsoft.Authorization/roleAssignments","name":"efc8d400-cd5e-41d3-99e6-65878c1f888c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"961a41dc-cbb6-4777-9b6c-a6d4d1ea4faa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:02:31.1213523Z","updatedOn":"2022-06-21T12:02:31.1213523Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/1ad6de95-d660-4f0a-84cf-1b297eafe5f6","type":"Microsoft.Authorization/roleAssignments","name":"1ad6de95-d660-4f0a-84cf-1b297eafe5f6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"1831aada-7907-4673-a5e2-b11217764c9e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:22:14.2181104Z","updatedOn":"2022-06-21T12:22:14.2181104Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/c5856647-b5ff-4264-a966-049b6a58a42f","type":"Microsoft.Authorization/roleAssignments","name":"c5856647-b5ff-4264-a966-049b6a58a42f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"1831aada-7907-4673-a5e2-b11217764c9e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:22:40.2874069Z","updatedOn":"2022-06-21T12:22:40.2874069Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/a3560e50-7085-48f4-85a1-97487179cc5d","type":"Microsoft.Authorization/roleAssignments","name":"a3560e50-7085-48f4-85a1-97487179cc5d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-22T11:28:57.2073063Z","updatedOn":"2022-06-22T11:28:57.2073063Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c5b3bcf3-fd4c-4b57-9f73-f075ce7afccb","type":"Microsoft.Authorization/roleAssignments","name":"c5b3bcf3-fd4c-4b57-9f73-f075ce7afccb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-23T09:19:22.2256200Z","updatedOn":"2022-06-23T09:19:22.2256200Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/344b17ae-cabf-4a33-9a9d-ba30fefcbadc","type":"Microsoft.Authorization/roleAssignments","name":"344b17ae-cabf-4a33-9a9d-ba30fefcbadc"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"2b81557b-8e7a-4df8-9a41-e59844f627c2","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-23T09:25:03.9969293Z","updatedOn":"2022-06-23T09:25:03.9969293Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/13a7f7c7-7364-4f9b-ba92-5430f17b29b5","type":"Microsoft.Authorization/roleAssignments","name":"13a7f7c7-7364-4f9b-ba92-5430f17b29b5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-24T07:04:04.5965087Z","updatedOn":"2022-06-24T07:04:04.5965087Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ba604c54-80e1-490e-a123-9ef9d477536b","type":"Microsoft.Authorization/roleAssignments","name":"ba604c54-80e1-490e-a123-9ef9d477536b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-25T04:10:10.7065168Z","updatedOn":"2022-06-25T04:10:10.7065168Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/916a749f-b61f-4ba4-8c28-46217c3a7b4e","type":"Microsoft.Authorization/roleAssignments","name":"916a749f-b61f-4ba4-8c28-46217c3a7b4e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T07:37:58.3152810Z","updatedOn":"2022-06-27T07:37:58.3152810Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/0a1046d6-ba58-491f-b473-403ec29cd2be","type":"Microsoft.Authorization/roleAssignments","name":"0a1046d6-ba58-491f-b473-403ec29cd2be"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:21:12.2347431Z","updatedOn":"2022-06-27T08:21:12.2347431Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/abc6fbbe-d4a8-4315-9532-82e90334dcc9","type":"Microsoft.Authorization/roleAssignments","name":"abc6fbbe-d4a8-4315-9532-82e90334dcc9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"381295fa-e67d-4943-a2eb-90ffcf09577b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:43:17.8582970Z","updatedOn":"2022-06-27T08:43:17.8582970Z","createdBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","updatedBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b8f0bb0e-1495-48f0-aa68-33c364310cfb","type":"Microsoft.Authorization/roleAssignments","name":"b8f0bb0e-1495-48f0-aa68-33c364310cfb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"381295fa-e67d-4943-a2eb-90ffcf09577b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:43:18.7801612Z","updatedOn":"2022-06-27T08:43:18.7801612Z","createdBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","updatedBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b8eb5d9d-85e3-4ba8-9458-fdd2c48ba8e1","type":"Microsoft.Authorization/roleAssignments","name":"b8eb5d9d-85e3-4ba8-9458-fdd2c48ba8e1"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"3de34697-a180-45dc-aff8-c16061f1143b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-01T08:15:11.7388086Z","updatedOn":"2022-07-01T08:15:11.7388086Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/86db086e-0442-5eef-8ebc-1d8d28a4d03a","type":"Microsoft.Authorization/roleAssignments","name":"86db086e-0442-5eef-8ebc-1d8d28a4d03a"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3de34697-a180-45dc-aff8-c16061f1143b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-01T08:15:12.7940996Z","updatedOn":"2022-07-01T08:15:12.7940996Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/cbcefba6-df6c-5670-9e02-9e09f7964d9c","type":"Microsoft.Authorization/roleAssignments","name":"cbcefba6-df6c-5670-9e02-9e09f7964d9c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"fe7b070d-f778-4cfd-8acf-eda94f397a89","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-29T07:15:07.9544255Z","updatedOn":"2022-07-29T07:15:07.9544255Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/efb13d06-875d-40e3-81d5-195824e19188","type":"Microsoft.Authorization/roleAssignments","name":"efb13d06-875d-40e3-81d5-195824e19188"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"aa7a0e3a-c2c6-41e2-9838-2ae541c08a88","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-01T10:57:25.8183048Z","updatedOn":"2022-08-01T10:57:25.8183048Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/e179ab30-f6f9-44c6-9806-801d4240a604","type":"Microsoft.Authorization/roleAssignments","name":"e179ab30-f6f9-44c6-9806-801d4240a604"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"da112a02-e7cf-4b53-93a0-96958f47f77f","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-01T12:19:56.7716607Z","updatedOn":"2022-08-01T12:19:56.7716607Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/859af8cf-cf8d-4a41-b5cb-b492bbebfa96","type":"Microsoft.Authorization/roleAssignments","name":"859af8cf-cf8d-4a41-b5cb-b492bbebfa96"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"d9334401-f342-4fc7-88c4-6fb936fb3a6f","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-02T06:53:24.5190593Z","updatedOn":"2022-08-02T06:53:24.5190593Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/babd18e7-662a-4f61-b03b-d2790ad8ad2b","type":"Microsoft.Authorization/roleAssignments","name":"babd18e7-662a-4f61-b03b-d2790ad8ad2b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"d9334401-f342-4fc7-88c4-6fb936fb3a6f","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-02T06:56:06.5673047Z","updatedOn":"2022-08-02T06:56:06.5673047Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9b61e48d-b011-4da0-8daa-a65f34af5a33","type":"Microsoft.Authorization/roleAssignments","name":"9b61e48d-b011-4da0-8daa-a65f34af5a33"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f8520195-1c62-47ff-8c01-e394155b52f1","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-10T11:13:36.6792855Z","updatedOn":"2022-08-10T11:13:36.6792855Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3c9150af-abd1-4d00-9c16-acb375857df6","type":"Microsoft.Authorization/roleAssignments","name":"3c9150af-abd1-4d00-9c16-acb375857df6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f4bfeb83-a4cc-43e8-bee0-9808b5d0918d","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-24T05:51:56.3337713Z","updatedOn":"2022-08-24T05:51:56.3337713Z","createdBy":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","updatedBy":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3caa2a04-62bf-4a33-80f5-056840e59fb4","type":"Microsoft.Authorization/roleAssignments","name":"3caa2a04-62bf-4a33-80f5-056840e59fb4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"608ca1e9-e854-46c6-984f-d812d0e657e6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-30T13:32:28.1332524Z","updatedOn":"2022-08-30T13:32:28.1332524Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2719b245-3aeb-4cc0-92bc-6f63eea0dcbf","type":"Microsoft.Authorization/roleAssignments","name":"2719b245-3aeb-4cc0-92bc-6f63eea0dcbf"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"76710889-6dec-4b99-a529-cfd36fcb16ec","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:30:49.7733486Z","updatedOn":"2022-09-05T11:30:49.7733486Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/bbc4ec43-5e44-4b5d-8de0-cdf89486bb41","type":"Microsoft.Authorization/roleAssignments","name":"bbc4ec43-5e44-4b5d-8de0-cdf89486bb41"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"76710889-6dec-4b99-a529-cfd36fcb16ec","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:33:36.9049436Z","updatedOn":"2022-09-05T11:33:36.9049436Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/3f21962f-d606-4223-b80f-43344d5dc933","type":"Microsoft.Authorization/roleAssignments","name":"3f21962f-d606-4223-b80f-43344d5dc933"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a51d0ef9-9895-4b63-b3f8-354bb7d1a6bb","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-05-21T08:47:39.8177538Z","updatedOn":"2021-05-21T08:47:39.8177538Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/17db6abb-bc45-4967-b313-e470ec9cbbd7","type":"Microsoft.Authorization/roleAssignments","name":"17db6abb-bc45-4967-b313-e470ec9cbbd7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"7c567124-5292-4819-aa73-0224bf1c42e1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-05-23T13:38:54.7542852Z","updatedOn":"2021-05-23T13:38:54.7542852Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/0809d692-f58f-43f2-b597-7f115957407e","type":"Microsoft.Authorization/roleAssignments","name":"0809d692-f58f-43f2-b597-7f115957407e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"955c9d1b-0cb6-4ff6-91c9-f4aadf67ffe8","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-05-24T16:45:08.3835615Z","updatedOn":"2021-05-24T16:45:08.3835615Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/1b1ac6ab-19e7-4c4f-91d2-5be73096da2c","type":"Microsoft.Authorization/roleAssignments","name":"1b1ac6ab-19e7-4c4f-91d2-5be73096da2c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"7221c906-782c-44a0-ab2f-f23d8a95ce25","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-05-24T16:56:16.2751421Z","updatedOn":"2021-05-24T16:56:16.2751421Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/ca8f2433-76dc-49fa-828d-9cd2861ec25c","type":"Microsoft.Authorization/roleAssignments","name":"ca8f2433-76dc-49fa-828d-9cd2861ec25c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"e1a3bbaa-4ffb-41a6-a154-b4870d9e86b4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T06:40:53.5542743Z","updatedOn":"2021-06-04T06:40:53.5542743Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9d9ac2a8-dbac-41bb-9f17-c473f02c6370","type":"Microsoft.Authorization/roleAssignments","name":"9d9ac2a8-dbac-41bb-9f17-c473f02c6370"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"e1a3bbaa-4ffb-41a6-a154-b4870d9e86b4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T06:40:57.1326805Z","updatedOn":"2021-06-04T06:40:57.1326805Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/14b1338c-95f6-44f9-ad22-395f8ebbb1fe","type":"Microsoft.Authorization/roleAssignments","name":"14b1338c-95f6-44f9-ad22-395f8ebbb1fe"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"1da90707-df56-4d40-a805-2e646c9d95ab","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:02:18.2829699Z","updatedOn":"2021-06-04T07:02:18.2829699Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/bf5f4821-9baa-4dc6-9bd5-8c62f31c1a93","type":"Microsoft.Authorization/roleAssignments","name":"bf5f4821-9baa-4dc6-9bd5-8c62f31c1a93"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"1da90707-df56-4d40-a805-2e646c9d95ab","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:02:22.4343547Z","updatedOn":"2021-06-04T07:02:22.4343547Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/26bab283-0772-4c03-8dc1-a50c8ffa597d","type":"Microsoft.Authorization/roleAssignments","name":"26bab283-0772-4c03-8dc1-a50c8ffa597d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"ab6b1184-ff37-4d3e-b460-fbe654f7ad5c","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:19:08.8293677Z","updatedOn":"2021-06-04T07:19:08.8293677Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/d972f611-a4bd-4b80-9e78-980984602450","type":"Microsoft.Authorization/roleAssignments","name":"d972f611-a4bd-4b80-9e78-980984602450"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"ab6b1184-ff37-4d3e-b460-fbe654f7ad5c","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:19:12.8400651Z","updatedOn":"2021-06-04T07:19:12.8400651Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/b9393755-f5ca-41ef-a631-fb62184c57a8","type":"Microsoft.Authorization/roleAssignments","name":"b9393755-f5ca-41ef-a631-fb62184c57a8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3ffa4e46-39a3-4002-9292-e2adf0d1a8c6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T09:14:15.2633798Z","updatedOn":"2021-06-04T09:14:15.2633798Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/094981c0-d59c-4f5b-9581-72c08da65454","type":"Microsoft.Authorization/roleAssignments","name":"094981c0-d59c-4f5b-9581-72c08da65454"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"3ffa4e46-39a3-4002-9292-e2adf0d1a8c6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T09:14:19.9554484Z","updatedOn":"2021-06-04T09:14:19.9554484Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/0cac59e0-0464-4bf6-9bef-f1fadc2b08f4","type":"Microsoft.Authorization/roleAssignments","name":"0cac59e0-0464-4bf6-9bef-f1fadc2b08f4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"93e2b483-3ffa-44f8-9965-fdb104b541a2","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-06-29T05:43:19.7216795Z","updatedOn":"2021-06-29T05:43:19.7216795Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c6aff8c2-08b1-5b1a-9c80-d91164226985","type":"Microsoft.Authorization/roleAssignments","name":"c6aff8c2-08b1-5b1a-9c80-d91164226985"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"4f285ac8-5610-4d2f-854c-bfa3d16a2679","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-11T06:55:02.4909144Z","updatedOn":"2021-07-11T06:55:02.4909144Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/0cec2ad2-d080-4126-a99f-f61c559b799c","type":"Microsoft.Authorization/roleAssignments","name":"0cec2ad2-d080-4126-a99f-f61c559b799c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"630db480-3ee6-47ec-ae72-5f917d466bad","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:16:28.8833400Z","updatedOn":"2021-07-13T10:16:28.8833400Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/37fe4b2d-0aca-4c27-8511-1e0d18063ec8","type":"Microsoft.Authorization/roleAssignments","name":"37fe4b2d-0aca-4c27-8511-1e0d18063ec8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"279982e7-46cf-4e40-9a3b-156c98285cb7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:18:48.5647062Z","updatedOn":"2021-07-13T10:18:48.5647062Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/7907f38d-57a7-431d-82d7-5dfa2ef0a628","type":"Microsoft.Authorization/roleAssignments","name":"7907f38d-57a7-431d-82d7-5dfa2ef0a628"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"790004d0-0112-41ad-92e8-95c464c34476","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:18:48.6068337Z","updatedOn":"2021-07-13T10:18:48.6068337Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8c9bda26-83c4-4d4c-b00b-c4b58301e539","type":"Microsoft.Authorization/roleAssignments","name":"8c9bda26-83c4-4d4c-b00b-c4b58301e539"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-21T06:38:43.9281998Z","updatedOn":"2021-07-21T06:38:43.9281998Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b553fa81-60dd-45d6-9781-8c2313d68b03","type":"Microsoft.Authorization/roleAssignments","name":"b553fa81-60dd-45d6-9781-8c2313d68b03"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:20.4258578Z","updatedOn":"2021-07-27T04:31:20.4258578Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/4b2f7b08-f9ef-4fc1-b9c4-2bb34fdef258","type":"Microsoft.Authorization/roleAssignments","name":"4b2f7b08-f9ef-4fc1-b9c4-2bb34fdef258"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:32.4566300Z","updatedOn":"2021-07-27T04:31:32.4566300Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8176bf09-8e96-448a-ab12-eeed360ecce2","type":"Microsoft.Authorization/roleAssignments","name":"8176bf09-8e96-448a-ab12-eeed360ecce2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:48.4577322Z","updatedOn":"2021-07-27T04:31:48.4577322Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/45949217-58cc-4c18-93f3-f4c90710ae2d","type":"Microsoft.Authorization/roleAssignments","name":"45949217-58cc-4c18-93f3-f4c90710ae2d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:20.8138038Z","updatedOn":"2021-07-27T10:13:20.8138038Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2382b52f-1ec5-430e-ae2a-74f9ed331ced","type":"Microsoft.Authorization/roleAssignments","name":"2382b52f-1ec5-430e-ae2a-74f9ed331ced"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:23.6551958Z","updatedOn":"2021-07-27T10:13:23.6551958Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e5863947-0b21-41b7-9997-c0dfc73eec29","type":"Microsoft.Authorization/roleAssignments","name":"e5863947-0b21-41b7-9997-c0dfc73eec29"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:29.6985440Z","updatedOn":"2021-07-27T10:13:29.6985440Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/28c1cefa-942f-44c5-a4d4-c33bb92abd45","type":"Microsoft.Authorization/roleAssignments","name":"28c1cefa-942f-44c5-a4d4-c33bb92abd45"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8039a424-299a-4014-8b22-4f6d6cc60065","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-11T07:08:31.9935560Z","updatedOn":"2021-08-11T07:08:31.9935560Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/69e0bcfc-b024-4d8b-a3d5-dac447f8986c","type":"Microsoft.Authorization/roleAssignments","name":"69e0bcfc-b024-4d8b-a3d5-dac447f8986c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"8f0340b8-4b70-412b-be19-c4612d49e353","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-20T11:58:29.6857641Z","updatedOn":"2021-08-20T11:58:29.6857641Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fd88236f-eacb-5303-912f-ba1741cf02bd","type":"Microsoft.Authorization/roleAssignments","name":"fd88236f-eacb-5303-912f-ba1741cf02bd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"0d8f6e68-d6c5-4a67-b6c4-3107609bbdbc","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-20T12:31:58.7980661Z","updatedOn":"2021-08-20T12:31:58.7980661Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/146f4a11-8712-583d-89eb-a7b8b82dbaa9","type":"Microsoft.Authorization/roleAssignments","name":"146f4a11-8712-583d-89eb-a7b8b82dbaa9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"e2072d83-2379-4f36-ab51-b5df7460c61e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-21T14:40:08.5987892Z","updatedOn":"2021-08-21T14:40:10.5055205Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/842af679-0b58-5eb5-b94c-ff59e4105d7e","type":"Microsoft.Authorization/roleAssignments","name":"842af679-0b58-5eb5-b94c-ff59e4105d7e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"0242778c-29df-4863-ac18-2fb8fd004135","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-08-30T06:31:52.6766200Z","updatedOn":"2021-08-30T06:31:52.6766200Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/f67c65e2-e609-4ffe-b504-294b00cbd2fd","type":"Microsoft.Authorization/roleAssignments","name":"f67c65e2-e609-4ffe-b504-294b00cbd2fd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"0242778c-29df-4863-ac18-2fb8fd004135","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-08-30T06:31:57.1552781Z","updatedOn":"2021-08-30T06:31:57.1552781Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/aaeab926-d6e2-4bb6-9e9e-0607e75cc75f","type":"Microsoft.Authorization/roleAssignments","name":"aaeab926-d6e2-4bb6-9e9e-0607e75cc75f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"2ab5fb95-b72e-4d12-948b-4223754d8ffa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-09-08T08:24:19.3547440Z","updatedOn":"2021-09-08T08:24:19.3547440Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/43ee13b8-5abd-51e0-88e3-ae84049da70e","type":"Microsoft.Authorization/roleAssignments","name":"43ee13b8-5abd-51e0-88e3-ae84049da70e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-17T09:41:38.5634940Z","updatedOn":"2021-09-17T09:41:38.5634940Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":"for + temp testing purpose"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/98fe0117-1e9c-4e37-b8a7-c4a1031d6916","type":"Microsoft.Authorization/roleAssignments","name":"98fe0117-1e9c-4e37-b8a7-c4a1031d6916"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"9c973a07-b207-473c-9687-bd693ba8e460","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-25T15:23:32.6168771Z","updatedOn":"2021-09-25T15:23:32.6168771Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/d852f084-bc9f-4258-9e2c-fcf48b9eaf85","type":"Microsoft.Authorization/roleAssignments","name":"d852f084-bc9f-4258-9e2c-fcf48b9eaf85"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"2778738c-452b-45ca-b8d6-f085836a1458","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-30T07:51:25.2399474Z","updatedOn":"2021-09-30T07:51:25.2399474Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b04a3bdf-b6a6-5ffb-9394-ee5743741597","type":"Microsoft.Authorization/roleAssignments","name":"b04a3bdf-b6a6-5ffb-9394-ee5743741597"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"0ac1f52a-325b-486a-a095-f46ffdd6a9e4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-10-26T01:59:18.6998395Z","updatedOn":"2021-10-26T01:59:18.6998395Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/53a3b238-b4b0-4d3f-b416-8d6dc8d755f6","type":"Microsoft.Authorization/roleAssignments","name":"53a3b238-b4b0-4d3f-b416-8d6dc8d755f6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"c3c0d020-16f0-44d8-9950-0250120a33ff","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-02T06:11:03.5575284Z","updatedOn":"2021-11-02T06:11:03.5575284Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/1d017732-f67e-5aa1-a4a6-47570078d9f3","type":"Microsoft.Authorization/roleAssignments","name":"1d017732-f67e-5aa1-a4a6-47570078d9f3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-10T08:59:19.7285159Z","updatedOn":"2021-11-10T08:59:19.7285159Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a60357fa-dc0a-4479-a2a9-4329c2d0ae89","type":"Microsoft.Authorization/roleAssignments","name":"a60357fa-dc0a-4479-a2a9-4329c2d0ae89"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8dd77695-d6a5-450d-a43c-67ca01be9fbc","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-12T10:55:38.3698246Z","updatedOn":"2021-11-12T10:55:38.3698246Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/dda5bb75-b74a-4430-975f-5bc9611c4b2d","type":"Microsoft.Authorization/roleAssignments","name":"dda5bb75-b74a-4430-975f-5bc9611c4b2d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/36243c78-bf99-498c-9df9-86d9f8d28608","principalId":"2152c794-9ca2-41fe-a313-2d0e1ee3eb80","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-18T06:28:12.0181010Z","updatedOn":"2021-02-18T06:28:12.0181010Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/804f6223-03eb-4091-b460-82160fc5f818","type":"Microsoft.Authorization/roleAssignments","name":"804f6223-03eb-4091-b460-82160fc5f818"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"2152c794-9ca2-41fe-a313-2d0e1ee3eb80","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-18T06:28:12.0168587Z","updatedOn":"2021-02-18T06:28:12.0168587Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8d80e2d6-315c-495c-ab2c-91ddf75edf41","type":"Microsoft.Authorization/roleAssignments","name":"8d80e2d6-315c-495c-ab2c-91ddf75edf41"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"cf46d636-b6c1-406c-aba7-b2c3d9ed07da","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-26T13:53:53.1151640Z","updatedOn":"2021-02-26T13:53:53.1151640Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/735e98ed-f4b8-4b7d-9cc9-af4f8ae77252","type":"Microsoft.Authorization/roleAssignments","name":"735e98ed-f4b8-4b7d-9cc9-af4f8ae77252"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8505e3f4-1ee7-427c-a175-a06595231d46","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-26T13:54:27.5624477Z","updatedOn":"2021-02-26T13:54:27.5624477Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/98c87a9f-b9e7-414b-8b59-bf3ec62dbc74","type":"Microsoft.Authorization/roleAssignments","name":"98c87a9f-b9e7-414b-8b59-bf3ec62dbc74"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-25T12:25:27.2277610Z","updatedOn":"2020-07-25T12:25:27.2277610Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fd6b8ff4-9edb-43f5-aa2a-32133fa09b1d","type":"Microsoft.Authorization/roleAssignments","name":"fd6b8ff4-9edb-43f5-aa2a-32133fa09b1d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"21ae6127-c385-4ae0-b895-a8559e9aa574","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-31T08:35:35.2993523Z","updatedOn":"2020-07-31T08:35:35.2993523Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/6af9fbf3-7085-4bcb-b399-88b89fac16d3","type":"Microsoft.Authorization/roleAssignments","name":"6af9fbf3-7085-4bcb-b399-88b89fac16d3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"1e845bc3-37db-4639-be09-d0cf1e448221","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-31T08:44:16.2909420Z","updatedOn":"2020-07-31T08:44:16.2909420Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/65080390-e9b5-4566-b362-d1e96c23dae2","type":"Microsoft.Authorization/roleAssignments","name":"65080390-e9b5-4566-b362-d1e96c23dae2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-11-03T06:12:01.6760584Z","updatedOn":"2020-11-03T06:12:01.6760584Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a7a12420-2dce-4a47-822e-68cadf239da3","type":"Microsoft.Authorization/roleAssignments","name":"a7a12420-2dce-4a47-822e-68cadf239da3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3282af51-433d-47e8-b2b5-633fbe0fecc0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-11-03T06:25:32.6790913Z","updatedOn":"2020-11-03T06:25:32.6790913Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/36da831d-10ce-4f42-ba28-362960f6ea36","type":"Microsoft.Authorization/roleAssignments","name":"36da831d-10ce-4f42-ba28-362960f6ea36"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-10-04T07:35:39.6626948Z","updatedOn":"2019-10-04T07:35:39.6626948Z","createdBy":"8031e009-cc05-4950-8a8d-78942c4492ac","updatedBy":"8031e009-cc05-4950-8a8d-78942c4492ac","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/730fa65e-c74c-4c3d-9cc3-9457f9b97274","type":"Microsoft.Authorization/roleAssignments","name":"730fa65e-c74c-4c3d-9cc3-9457f9b97274"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-04-08T01:03:29.8241478Z","updatedOn":"2021-04-08T01:03:29.8241478Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/63818ccb-a05c-4083-9e1d-64b4c7c0e1cd","type":"Microsoft.Authorization/roleAssignments","name":"63818ccb-a05c-4083-9e1d-64b4c7c0e1cd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"c87d9afe-4463-41d5-81e3-3bd162af9183","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-07-10T09:38:17.4348497Z","updatedOn":"2019-07-10T09:38:17.4348497Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/ebc56c6d-c5de-4d99-b166-89d4ac815acd","type":"Microsoft.Authorization/roleAssignments","name":"ebc56c6d-c5de-4d99-b166-89d4ac815acd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-03-15T11:01:18.6794974Z","updatedOn":"2019-03-15T11:01:18.6794974Z","createdBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","updatedBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/9fb9b151-1d53-4eff-9336-75cf634e1e3d","type":"Microsoft.Authorization/roleAssignments","name":"9fb9b151-1d53-4eff-9336-75cf634e1e3d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f87f6638-3a1b-4562-8603-aacd59537149","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-05-03T06:47:05.1411825Z","updatedOn":"2019-05-03T06:47:05.1411825Z","createdBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","updatedBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/24ffbb29-061f-4b1d-8c26-c6e90ef53303","type":"Microsoft.Authorization/roleAssignments","name":"24ffbb29-061f-4b1d-8c26-c6e90ef53303"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"becb4b6b-fe16-413b-a5c3-90355e0b2982","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-06-26T06:33:50.1123976Z","updatedOn":"2019-06-26T06:33:50.1123976Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/4c3721e8-06f4-4115-a2d8-90c4a9a57d56","type":"Microsoft.Authorization/roleAssignments","name":"4c3721e8-06f4-4115-a2d8-90c4a9a57d56"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-04-07T16:59:19.6098216Z","updatedOn":"2021-04-07T16:59:19.6098216Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/9d2de631-e451-450b-8237-e5bc19624eee","type":"Microsoft.Authorization/roleAssignments","name":"9d2de631-e451-450b-8237-e5bc19624eee"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"b1b96a90-235c-4668-a931-ee1c08db7681","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-02-01T04:47:38.5676012Z","updatedOn":"2021-02-01T04:47:38.5676012Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/a9e38032-c21b-4c41-8960-1c9c982d98e2","type":"Microsoft.Authorization/roleAssignments","name":"a9e38032-c21b-4c41-8960-1c9c982d98e2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a51d0ef9-9895-4b63-b3f8-354bb7d1a6bb","principalType":"Group","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-03-03T05:31:57.4716459Z","updatedOn":"2021-03-03T05:31:57.4716459Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/77aa0ff2-42c2-4e01-a51d-01cf2dd7ce04","type":"Microsoft.Authorization/roleAssignments","name":"77aa0ff2-42c2-4e01-a51d-01cf2dd7ce04"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"ce2366a6-64d7-441b-939c-c9d23f91cccd","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47","condition":null,"conditionVersion":null,"createdOn":"2020-03-12T20:43:06.5941189Z","updatedOn":"2020-03-12T20:43:06.5941189Z","createdBy":"606f48c8-d219-4875-991d-ae6befaf0756","updatedBy":"606f48c8-d219-4875-991d-ae6befaf0756","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47/providers/Microsoft.Authorization/roleAssignments/ad9e2cd7-0ff7-4931-9b17-656c8f17934b","type":"Microsoft.Authorization/roleAssignments","name":"ad9e2cd7-0ff7-4931-9b17-656c8f17934b"}]}' headers: cache-control: - no-cache content-length: - - '1625' + - '109973' content-type: - application/json; charset=utf-8 date: - - Mon, 13 Feb 2023 07:38:31 GMT + - Mon, 05 Sep 2022 11:49:37 GMT expires: - '-1' pragma: @@ -7059,8 +3147,7 @@ interactions: code: 200 message: OK - request: - body: '{"properties": {"roleDefinitionId": "/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1", - "principalId": "41753b57-b4fa-4774-80aa-414a3af0f706", "principalType": "ServicePrincipal"}}' + body: null headers: Accept: - application/json @@ -7070,52 +3157,53 @@ interactions: - dataprotection backup-instance update-msi-permissions Connection: - keep-alive - Content-Length: - - '270' - Content-Type: - - application/json; charset=utf-8 Cookie: - x-ms-gateway-slice=Production ParameterSetName: - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance --yes User-Agent: - - python/3.10.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 - azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.45.0 (PIP) + - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 + Azure-SDK-For-Python AZURECLI/2.39.0 accept-language: - en-US - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount/providers/Microsoft.Authorization/roleAssignments/9a7304aa-a0f8-416d-a8a5-e72f568e02d2?api-version=2020-04-01-preview + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Disk%20Backup%20Reader%27&api-version=2018-01-01-preview response: body: - string: '{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"41753b57-b4fa-4774-80aa-414a3af0f706","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount","condition":null,"conditionVersion":null,"createdOn":"2023-02-13T07:38:32.1444513Z","updatedOn":"2023-02-13T07:38:32.5814576Z","createdBy":null,"updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount/providers/Microsoft.Authorization/roleAssignments/9a7304aa-a0f8-416d-a8a5-e72f568e02d2","type":"Microsoft.Authorization/roleAssignments","name":"9a7304aa-a0f8-416d-a8a5-e72f568e02d2"}' + string: '{"value":[{"properties":{"roleName":"Disk Backup Reader","type":"BuiltInRole","description":"Provides + permission to backup vault to perform disk backup.","assignableScopes":["/"],"permissions":[{"actions":["Microsoft.Authorization/*/read","Microsoft.Compute/disks/read","Microsoft.Compute/disks/beginGetAccess/action"],"notActions":[],"dataActions":[],"notDataActions":[]}],"createdOn":"2020-12-15T07:39:03.8394514Z","updatedOn":"2021-11-11T20:14:56.0178737Z","createdBy":null,"updatedBy":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","type":"Microsoft.Authorization/roleDefinitions","name":"3e5e47e6-65f7-47ef-90b5-e5dd4d455f24"}]}' headers: cache-control: - no-cache content-length: - - '1001' + - '738' content-type: - application/json; charset=utf-8 date: - - Mon, 13 Feb 2023 07:38:34 GMT + - Mon, 05 Sep 2022 11:49:37 GMT expires: - '-1' pragma: - no-cache + set-cookie: + - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly strict-transport-security: - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1194' status: - code: 201 - message: Created + code: 200 + message: OK - request: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: @@ -7123,202 +3211,201 @@ interactions: Connection: - keep-alive ParameterSetName: - - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance - --keyvault-id --yes + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - python/3.8.5 (Windows-10-10.0.22000-SP0) AZURECLI/2.39.0 method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault?api-version=2022-05-01 + uri: https://graph.microsoft.com/v1.0/servicePrincipals?$filter=servicePrincipalNames%2Fany%28c%3Ac%20eq%20%27f41bd262-eb21-47f1-9706-f12132d865e3%27%29 response: body: - string: '{"location":"centraluseuap","tags":{"Owner":"akneema","Purpose":"Testing","MABUsed":"Yes","DeleteBy":"12-9999"},"identity":{"type":"SystemAssigned","principalId":"b864e281-c12e-45c6-a0c7-6046a7de5481","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"properties":{"provisioningState":"Succeeded","storageSettings":[{"datastoreType":"VaultStore","type":"LocallyRedundant"}],"isVaultProtectedByResourceGuard":false},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault","name":"oss-clitest-vault","type":"Microsoft.DataProtection/backupVaults"}' + string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#servicePrincipals","value":[]}' headers: cache-control: - no-cache - content-length: - - '645' - content-type: - - application/json - date: - - Mon, 13 Feb 2023 07:39:35 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 + content-length: + - '92' + content-type: + - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 + date: + - Mon, 05 Sep 2022 11:49:37 GMT + odata-version: + - '4.0' + request-id: + - 087af74f-830a-4581-bb3b-68318f48019e strict-transport-security: - - max-age=31536000; includeSubDomains + - max-age=31536000 transfer-encoding: - chunked vary: - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '495' - x-powered-by: - - ASP.NET + x-ms-ags-diagnostic: + - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"000","RoleInstance":"MA1PEPF00002721"}}' + x-ms-resource-unit: + - '1' status: code: 200 message: OK - request: - body: null + body: '{"ids": ["f41bd262-eb21-47f1-9706-f12132d865e3"], "types": ["user", "group", + "servicePrincipal", "directoryObjectPartnerReference"]}' headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - dataprotection backup-instance update-msi-permissions Connection: - keep-alive + Content-Length: + - '132' + Content-Type: + - application/json ParameterSetName: - - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance - --keyvault-id --yes + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-keyvault/10.1.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.KeyVault/vaults/oss-clitest-keyvault?api-version=2022-07-01 + - python/3.8.5 (Windows-10-10.0.22000-SP0) AZURECLI/2.39.0 + method: POST + uri: https://graph.microsoft.com/v1.0/directoryObjects/getByIds response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.KeyVault/vaults/oss-clitest-keyvault","name":"oss-clitest-keyvault","type":"Microsoft.KeyVault/vaults","location":"centraluseuap","tags":{"Owner":"akneema","Purpose":"Testing","MABUsed":"Yes","DeleteBy":"12-9999"},"systemData":{"lastModifiedBy":"zubairabid@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-07T12:23:27.276Z"},"properties":{"sku":{"family":"A","name":"Standard"},"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","networkAcls":{"bypass":"AzureServices","defaultAction":"Allow","ipRules":[{"value":"20.69.149.128/32"}],"virtualNetworkRules":[]},"accessPolicies":[{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"5095196a-def9-4146-8d92-e38f24b6e378","permissions":{"keys":["Get","List","Update","Create","Import","Delete","Recover","Backup","Restore","Decrypt","Encrypt","UnwrapKey","WrapKey","Verify","Sign","Purge","Release","Rotate","GetRotationPolicy","SetRotationPolicy"],"secrets":["Get","List","Set","Delete","Recover","Backup","Restore","Purge"],"certificates":["Get","List","Update","Create","Import","Delete","Recover","Backup","Restore","ManageContacts","ManageIssuers","GetIssuers","ListIssuers","SetIssuers","DeleteIssuers","Purge"]}},{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","permissions":{"keys":["Get","List","Update","Create","Import","Delete","Recover","Backup","Restore","Decrypt","Encrypt","UnwrapKey","WrapKey","Verify","Sign","Purge","Release","Rotate","GetRotationPolicy","SetRotationPolicy"],"secrets":["Get","List","Set","Delete","Recover","Backup","Restore","Purge"],"certificates":["Get","List","Update","Create","Import","Delete","Recover","Backup","Restore","ManageContacts","ManageIssuers","GetIssuers","ListIssuers","SetIssuers","DeleteIssuers","Purge"]}},{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"f40e18f0-6544-45c2-9d24-639a8bb3b41a","permissions":{"keys":["Get","List","Backup"],"secrets":["Get","List","Backup"],"certificates":[]}},{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"b864e281-c12e-45c6-a0c7-6046a7de5481","permissions":{"secrets":["List","Get"],"keys":[],"certificates":[]}},{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"12f8ea5c-1212-449e-b31c-0a574f43076e","permissions":{"certificates":["Get","List","Update","Create","Import","Delete","Recover","Backup","Restore","ManageContacts","ManageIssuers","GetIssuers","ListIssuers","SetIssuers","DeleteIssuers","Purge"],"keys":["Get","List","Update","Create","Import","Delete","Recover","Backup","Restore","GetRotationPolicy","SetRotationPolicy","Rotate","Encrypt","Decrypt","UnwrapKey","WrapKey","Verify","Sign","Release","Purge"],"secrets":["Get","List","Set","Delete","Recover","Backup","Restore","Purge"]}}],"enabledForDeployment":false,"enabledForDiskEncryption":false,"enabledForTemplateDeployment":false,"enableSoftDelete":true,"softDeleteRetentionInDays":90,"enableRbacAuthorization":false,"vaultUri":"https://oss-clitest-keyvault.vault.azure.net/","provisioningState":"Succeeded","publicNetworkAccess":"Enabled"}}' + string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#directoryObjects","value":[{"@odata.type":"#microsoft.graph.servicePrincipal","id":"f41bd262-eb21-47f1-9706-f12132d865e3","deletedDateTime":null,"accountEnabled":true,"alternativeNames":["isExplicit=False","/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg/providers/Microsoft.DataProtection/BackupVaults/cli-test-new-vault"],"appDisplayName":null,"appDescription":null,"appId":"1666ae40-2096-498b-9acd-d5cc76560b85","applicationTemplateId":null,"appOwnerOrganizationId":null,"appRoleAssignmentRequired":false,"createdDateTime":"2022-09-05T11:45:43Z","description":null,"disabledByMicrosoftStatus":null,"displayName":"cli-test-new-vault","homepage":null,"loginUrl":null,"logoutUrl":null,"notes":null,"notificationEmailAddresses":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyThumbprint":null,"replyUrls":[],"servicePrincipalNames":["1666ae40-2096-498b-9acd-d5cc76560b85","https://identity.azure.net/yHvRErNNmOMZ4EezrAqFKc6Ca0cDdhCvjeK23cGv1hE="],"servicePrincipalType":"ManagedIdentity","signInAudience":null,"tags":[],"tokenEncryptionKeyId":null,"info":null,"samlSingleSignOnSettings":null,"addIns":[],"appRoles":[],"keyCredentials":[{"customKeyIdentifier":"2E54114573727C7AB82A79610024368806BB3E76","displayName":"CN=1666ae40-2096-498b-9acd-d5cc76560b85","endDateTime":"2022-12-04T11:40:00Z","key":null,"keyId":"091f0c89-7baf-4d09-9c75-83c18191f1f0","startDateTime":"2022-09-05T11:40:00Z","type":"AsymmetricX509Cert","usage":"Verify"}],"oauth2PermissionScopes":[],"passwordCredentials":[],"resourceSpecificApplicationPermissions":[],"verifiedPublisher":{"displayName":null,"verifiedPublisherId":null,"addedDateTime":null}}]}' headers: cache-control: - no-cache content-length: - - '3186' + - '1730' content-type: - - application/json; charset=utf-8 + - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 date: - - Mon, 13 Feb 2023 07:39:37 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 + - Mon, 05 Sep 2022 11:49:37 GMT + location: + - https://graph.microsoft.com + odata-version: + - '4.0' + request-id: + - 31e924cf-9556-49ea-acfe-8fa786d100d9 strict-transport-security: - - max-age=31536000; includeSubDomains + - max-age=31536000 transfer-encoding: - chunked vary: - Accept-Encoding - x-aspnet-version: - - 4.0.30319 - x-content-type-options: - - nosniff - x-ms-keyvault-service-version: - - 1.5.666.2 - x-powered-by: - - ASP.NET + x-ms-ags-diagnostic: + - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"000","RoleInstance":"MA1PEPF00003101"}}' + x-ms-resource-unit: + - '3' status: code: 200 message: OK - request: - body: '' + body: null headers: Accept: - application/json Accept-Encoding: - gzip, deflate + CommandName: + - dataprotection backup-instance update-msi-permissions Connection: - keep-alive - Content-Length: - - 0 - Content-Type: - - application/json; charset=utf-8 + ParameterSetName: + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes User-Agent: - - python/3.10.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 - azure-keyvault/7.0 Azure-SDK-For-Python + - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 + Azure-SDK-For-Python AZURECLI/2.39.0 accept-language: - en-US method: GET - uri: https://oss-clitest-keyvault.vault.azure.net/secrets?api-version=7.0 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Disk%20Backup%20Reader%27&api-version=2018-01-01-preview response: body: - string: '{"error":{"code":"Unauthorized","message":"AKV10000: Request is missing - a Bearer or PoP token."}}' + string: '{"value":[{"properties":{"roleName":"Disk Backup Reader","type":"BuiltInRole","description":"Provides + permission to backup vault to perform disk backup.","assignableScopes":["/"],"permissions":[{"actions":["Microsoft.Authorization/*/read","Microsoft.Compute/disks/read","Microsoft.Compute/disks/beginGetAccess/action"],"notActions":[],"dataActions":[],"notDataActions":[]}],"createdOn":"2020-12-15T07:39:03.8394514Z","updatedOn":"2021-11-11T20:14:56.0178737Z","createdBy":null,"updatedBy":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","type":"Microsoft.Authorization/roleDefinitions","name":"3e5e47e6-65f7-47ef-90b5-e5dd4d455f24"}]}' headers: cache-control: - no-cache content-length: - - '97' + - '738' content-type: - application/json; charset=utf-8 date: - - Mon, 13 Feb 2023 07:39:38 GMT + - Mon, 05 Sep 2022 11:49:38 GMT expires: - '-1' pragma: - no-cache + set-cookie: + - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly strict-transport-security: - - max-age=31536000;includeSubDomains - www-authenticate: - - Bearer authorization="https://login.microsoftonline.com/72f988bf-86f1-41af-91ab-2d7cd011db47", - resource="https://vault.azure.net" + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding x-content-type-options: - nosniff - x-ms-keyvault-network-info: - - conn_type=Ipv4;addr=49.205.115.241;act_addr_fam=InterNetwork; - x-ms-keyvault-region: - - centraluseuap - x-ms-keyvault-service-version: - - 1.9.713.1 status: - code: 401 - message: Unauthorized + code: 200 + message: OK - request: - body: '' + body: '{"properties": {"roleDefinitionId": "/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24", + "principalId": "f41bd262-eb21-47f1-9706-f12132d865e3", "principalType": "ServicePrincipal"}}' headers: Accept: - application/json Accept-Encoding: - gzip, deflate + CommandName: + - dataprotection backup-instance update-msi-permissions Connection: - keep-alive Content-Length: - - 0 + - '270' Content-Type: - application/json; charset=utf-8 + Cookie: + - x-ms-gateway-slice=Production + ParameterSetName: + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes User-Agent: - - python/3.10.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 - azure-keyvault/7.0 Azure-SDK-For-Python + - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 + Azure-SDK-For-Python AZURECLI/2.39.0 accept-language: - en-US - method: GET - uri: https://oss-clitest-keyvault.vault.azure.net/secrets?api-version=7.0 + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new/providers/Microsoft.Authorization/roleAssignments/fa021117-3d0c-451f-aa8c-9f843315a92e?api-version=2020-04-01-preview response: body: - string: '{"value":[{"contentType":"Wrapped BEK","id":"https://oss-clitest-keyvault.vault.azure.net/secrets/ADEA19F9-2D87-46AC-91CD-492758A0C8A7","attributes":{"enabled":true,"created":1645419092,"updated":1645419092,"recoveryLevel":"Recoverable+Purgeable"},"tags":{"DiskEncryptionKeyFileName":"ADEA19F9-2D87-46AC-91CD-492758A0C8A7.BEK","VolumeLetter":"C:\\","VolumeLabel":"Windows","MachineName":"sql-clicloudtes","DiskEncryptionKeyEncryptionKeyURL":"https://oss-clitest-keyvault.vault.azure.net/keys/sql-clitest-key/fad6b3422cc1472c8bfd9f6f5b923d0d","DiskEncryptionKeyEncryptionAlgorithm":"RSA-OAEP"}},{"id":"https://oss-clitest-keyvault.vault.azure.net/secrets/oss-clitest-secret","attributes":{"enabled":true,"created":1629969650,"updated":1629969650,"recoveryLevel":"Recoverable+Purgeable"},"tags":{}}],"nextLink":null}' + string: '{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"f41bd262-eb21-47f1-9706-f12132d865e3","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:49:39.6813714Z","updatedOn":"2022-09-05T11:49:40.3688920Z","createdBy":null,"updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new/providers/Microsoft.Authorization/roleAssignments/fa021117-3d0c-451f-aa8c-9f843315a92e","type":"Microsoft.Authorization/roleAssignments","name":"fa021117-3d0c-451f-aa8c-9f843315a92e"}' headers: cache-control: - no-cache content-length: - - '814' + - '977' content-type: - application/json; charset=utf-8 date: - - Mon, 13 Feb 2023 07:39:40 GMT + - Mon, 05 Sep 2022 11:49:47 GMT expires: - '-1' pragma: - no-cache + set-cookie: + - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly strict-transport-security: - - max-age=31536000;includeSubDomains + - max-age=31536000; includeSubDomains x-content-type-options: - nosniff - x-ms-keyvault-network-info: - - conn_type=Ipv4;addr=49.205.115.241;act_addr_fam=InterNetwork; - x-ms-keyvault-region: - - centraluseuap - x-ms-keyvault-service-version: - - 1.9.713.1 + x-ms-ratelimit-remaining-subscription-writes: + - '1197' status: - code: 200 - message: OK + code: 201 + message: Created - request: body: null headers: @@ -7331,12 +3418,12 @@ interactions: Connection: - keep-alive ParameterSetName: - - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance - --keyvault-id --yes + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes User-Agent: - - python/3.10.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.45.0 (PIP) + - python/3.8.5 (Windows-10-10.0.22000-SP0) AZURECLI/2.39.0 method: GET - uri: https://graph.microsoft.com/v1.0/servicePrincipals?$filter=servicePrincipalNames%2Fany%28c%3Ac%20eq%20%27b864e281-c12e-45c6-a0c7-6046a7de5481%27%29 + uri: https://graph.microsoft.com/v1.0/servicePrincipals?$filter=servicePrincipalNames%2Fany%28c%3Ac%20eq%20%27f41bd262-eb21-47f1-9706-f12132d865e3%27%29 response: body: string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#servicePrincipals","value":[]}' @@ -7348,11 +3435,11 @@ interactions: content-type: - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 date: - - Mon, 13 Feb 2023 07:39:40 GMT + - Mon, 05 Sep 2022 11:49:47 GMT odata-version: - '4.0' request-id: - - 02b39dba-01dc-48c9-b4b5-05437efba539 + - 42c3282a-c59d-4151-a2fc-ca7dfb9688b4 strict-transport-security: - max-age=31536000 transfer-encoding: @@ -7360,14 +3447,14 @@ interactions: vary: - Accept-Encoding x-ms-ags-diagnostic: - - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"001","RoleInstance":"MA1PEPF00003104"}}' + - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"000","RoleInstance":"MA1PEPF00002027"}}' x-ms-resource-unit: - '1' status: code: 200 message: OK - request: - body: '{"ids": ["b864e281-c12e-45c6-a0c7-6046a7de5481"], "types": ["user", "group", + body: '{"ids": ["f41bd262-eb21-47f1-9706-f12132d865e3"], "types": ["user", "group", "servicePrincipal", "directoryObjectPartnerReference"]}' headers: Accept: @@ -7383,30 +3470,30 @@ interactions: Content-Type: - application/json ParameterSetName: - - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance - --keyvault-id --yes + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes User-Agent: - - python/3.10.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.45.0 (PIP) + - python/3.8.5 (Windows-10-10.0.22000-SP0) AZURECLI/2.39.0 method: POST uri: https://graph.microsoft.com/v1.0/directoryObjects/getByIds response: body: - string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#directoryObjects","value":[{"@odata.type":"#microsoft.graph.servicePrincipal","id":"b864e281-c12e-45c6-a0c7-6046a7de5481","deletedDateTime":null,"accountEnabled":true,"alternativeNames":["isExplicit=False","/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault"],"appDisplayName":null,"appDescription":null,"appId":"49bc63b1-190a-4f4e-a962-58db2c2f7112","applicationTemplateId":null,"appOwnerOrganizationId":null,"appRoleAssignmentRequired":false,"createdDateTime":"2021-08-26T09:13:20Z","description":null,"disabledByMicrosoftStatus":null,"displayName":"oss-clitest-vault","homepage":null,"loginUrl":null,"logoutUrl":null,"notes":null,"notificationEmailAddresses":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyThumbprint":null,"replyUrls":[],"servicePrincipalNames":["49bc63b1-190a-4f4e-a962-58db2c2f7112","https://identity.azure.net/QVMExgU4rxwt5XEm5whEdHZLrmsaL9M/n/eZXzCcN54="],"servicePrincipalType":"ManagedIdentity","signInAudience":null,"tags":[],"tokenEncryptionKeyId":null,"info":null,"samlSingleSignOnSettings":null,"addIns":[],"appRoles":[],"keyCredentials":[{"customKeyIdentifier":"D81E29CF74F0D83AE8C4D6E335C80A846694493A","displayName":"CN=49bc63b1-190a-4f4e-a962-58db2c2f7112","endDateTime":"2023-05-07T10:47:00Z","key":null,"keyId":"ba62a45a-7c3e-48d9-8a26-4674ca0d2e6b","startDateTime":"2023-02-06T10:47:00Z","type":"AsymmetricX509Cert","usage":"Verify"},{"customKeyIdentifier":"50D92789D8B8CDCCD8F24C7C3E728CC31A604273","displayName":"CN=49bc63b1-190a-4f4e-a962-58db2c2f7112","endDateTime":"2023-03-20T10:44:00Z","key":null,"keyId":"889476c3-7ce1-4171-a0f1-8e5deff2b55c","startDateTime":"2022-12-20T10:44:00Z","type":"AsymmetricX509Cert","usage":"Verify"},{"customKeyIdentifier":"EA95E9828C3105C61A487EB9C460DD23219283B7","displayName":"CN=49bc63b1-190a-4f4e-a962-58db2c2f7112","endDateTime":"2023-01-31T10:42:00Z","key":null,"keyId":"a12bf698-5738-4bf0-9f17-e514f4365719","startDateTime":"2022-11-02T10:42:00Z","type":"AsymmetricX509Cert","usage":"Verify"}],"oauth2PermissionScopes":[],"passwordCredentials":[],"resourceSpecificApplicationPermissions":[],"verifiedPublisher":{"displayName":null,"verifiedPublisherId":null,"addedDateTime":null}}]}' + string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#directoryObjects","value":[{"@odata.type":"#microsoft.graph.servicePrincipal","id":"f41bd262-eb21-47f1-9706-f12132d865e3","deletedDateTime":null,"accountEnabled":true,"alternativeNames":["isExplicit=False","/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg/providers/Microsoft.DataProtection/BackupVaults/cli-test-new-vault"],"appDisplayName":null,"appDescription":null,"appId":"1666ae40-2096-498b-9acd-d5cc76560b85","applicationTemplateId":null,"appOwnerOrganizationId":null,"appRoleAssignmentRequired":false,"createdDateTime":"2022-09-05T11:45:43Z","description":null,"disabledByMicrosoftStatus":null,"displayName":"cli-test-new-vault","homepage":null,"loginUrl":null,"logoutUrl":null,"notes":null,"notificationEmailAddresses":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyThumbprint":null,"replyUrls":[],"servicePrincipalNames":["1666ae40-2096-498b-9acd-d5cc76560b85","https://identity.azure.net/yHvRErNNmOMZ4EezrAqFKc6Ca0cDdhCvjeK23cGv1hE="],"servicePrincipalType":"ManagedIdentity","signInAudience":null,"tags":[],"tokenEncryptionKeyId":null,"info":null,"samlSingleSignOnSettings":null,"addIns":[],"appRoles":[],"keyCredentials":[{"customKeyIdentifier":"2E54114573727C7AB82A79610024368806BB3E76","displayName":"CN=1666ae40-2096-498b-9acd-d5cc76560b85","endDateTime":"2022-12-04T11:40:00Z","key":null,"keyId":"091f0c89-7baf-4d09-9c75-83c18191f1f0","startDateTime":"2022-09-05T11:40:00Z","type":"AsymmetricX509Cert","usage":"Verify"}],"oauth2PermissionScopes":[],"passwordCredentials":[],"resourceSpecificApplicationPermissions":[],"verifiedPublisher":{"displayName":null,"verifiedPublisherId":null,"addedDateTime":null}}]}' headers: cache-control: - no-cache content-length: - - '2337' + - '1730' content-type: - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 date: - - Mon, 13 Feb 2023 07:39:40 GMT + - Mon, 05 Sep 2022 11:49:47 GMT location: - https://graph.microsoft.com odata-version: - '4.0' request-id: - - 9a21cc90-27af-4927-8a67-df8634081696 + - 7be90d7e-1ffa-4368-a38a-0e9b097488c7 strict-transport-security: - max-age=31536000 transfer-encoding: @@ -7414,7 +3501,7 @@ interactions: vary: - Accept-Encoding x-ms-ags-diagnostic: - - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"001","RoleInstance":"MA1PEPF0000146D"}}' + - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"000","RoleInstance":"MA1PEPF000012F3"}}' x-ms-resource-unit: - '3' status: @@ -7432,28 +3519,28 @@ interactions: Connection: - keep-alive ParameterSetName: - - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance - --keyvault-id --yes + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes User-Agent: - - python/3.10.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 - azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.45.0 (PIP) + - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 + Azure-SDK-For-Python AZURECLI/2.39.0 accept-language: - en-US method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/providers/Microsoft.Authorization/roleAssignments?$filter=atScope%28%29&api-version=2020-04-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments?$filter=atScope%28%29&api-version=2020-04-01-preview response: body: - string: '{"value":[{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"5c617d2b-99f8-4c90-98fe-dfe040fa33c1","principalType":"ServicePrincipal","scope":"/","condition":null,"conditionVersion":null,"createdOn":"2018-02-27T19:19:50.2663941Z","updatedOn":"2018-02-27T19:19:50.2663941Z","createdBy":null,"updatedBy":null,"delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Authorization/roleAssignments/3e883d24-b106-42ff-ad13-d7bf271b964d","type":"Microsoft.Authorization/roleAssignments","name":"3e883d24-b106-42ff-ad13-d7bf271b964d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"1d8b8d73-0cc6-4db8-b112-724b4a932253","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-26T12:22:13.7498923Z","updatedOn":"2019-08-26T12:22:13.7498923Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8c3a4de9-1ebd-47ce-9dd9-bebf87a4e28f","type":"Microsoft.Authorization/roleAssignments","name":"8c3a4de9-1ebd-47ce-9dd9-bebf87a4e28f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"1e845bc3-37db-4639-be09-d0cf1e448221","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-05-24T11:02:27.8515917Z","updatedOn":"2019-05-24T11:02:27.8515917Z","createdBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","updatedBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b5eee4d7-5f9f-4f63-8040-8aec158c289b","type":"Microsoft.Authorization/roleAssignments","name":"b5eee4d7-5f9f-4f63-8040-8aec158c289b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"235b2664-75e2-4741-bb6f-37e49babf6cd","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-02-12T11:34:59.7104212Z","updatedOn":"2020-02-12T11:34:59.7104212Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/f0618702-8404-4858-9a26-e61f23e7d44f","type":"Microsoft.Authorization/roleAssignments","name":"f0618702-8404-4858-9a26-e61f23e7d44f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8bb5b214-1182-465c-892f-ca7235abe1e7","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-11-14T08:52:42.2795010Z","updatedOn":"2019-11-14T08:52:42.2795010Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/77daac38-9839-4b00-921b-e5d5a03e728c","type":"Microsoft.Authorization/roleAssignments","name":"77daac38-9839-4b00-921b-e5d5a03e728c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"9693df58-7f72-4974-9bd3-1c3ceb0382f1","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-11-29T09:40:04.3180033Z","updatedOn":"2018-11-29T09:40:04.3180033Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ed3bf874-9c97-43f9-a5e9-b4ee6f8982f7","type":"Microsoft.Authorization/roleAssignments","name":"ed3bf874-9c97-43f9-a5e9-b4ee6f8982f7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"d1f96755-9bcf-44b8-ab82-df67360496c4","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-05-08T10:28:08.2854940Z","updatedOn":"2020-05-08T10:28:08.2854940Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/dfb3ca56-a0d4-44ce-ba35-b716c3fdab86","type":"Microsoft.Authorization/roleAssignments","name":"dfb3ca56-a0d4-44ce-ba35-b716c3fdab86"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-12-31T09:26:43.6440415Z","updatedOn":"2018-12-31T09:26:43.6440415Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/45744ea8-780f-4f3e-88aa-b73d7f6997b2","type":"Microsoft.Authorization/roleAssignments","name":"45744ea8-780f-4f3e-88aa-b73d7f6997b2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e65078fb-6b02-434a-9f11-d06bf9bc0600","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-10-25T23:42:36.3444507Z","updatedOn":"2018-10-25T23:42:36.3444507Z","createdBy":"66cb55a5-e2a8-44ef-ae4b-5ab8fa2ec8d9","updatedBy":"66cb55a5-e2a8-44ef-ae4b-5ab8fa2ec8d9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e7ce51e8-4109-41d7-bc10-538b089599db","type":"Microsoft.Authorization/roleAssignments","name":"e7ce51e8-4109-41d7-bc10-538b089599db"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"a7782e0f-1f9a-4882-b2c9-11227aad244e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-06-16T04:32:50.9673703Z","updatedOn":"2020-06-16T04:32:50.9673703Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9fa21f2f-81c3-47b6-b706-650b359b96c3","type":"Microsoft.Authorization/roleAssignments","name":"9fa21f2f-81c3-47b6-b706-650b359b96c3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"00b14177-f4d2-4a4b-94f6-6e80f75745c9","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-03-12T09:49:11.3750683Z","updatedOn":"2020-03-12T09:49:11.3750683Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fff0abf3-3cf7-46be-8bc7-1d1619a160fb","type":"Microsoft.Authorization/roleAssignments","name":"fff0abf3-3cf7-46be-8bc7-1d1619a160fb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"1d8b8d73-0cc6-4db8-b112-724b4a932253","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-26T10:28:45.4880023Z","updatedOn":"2019-08-26T10:28:45.4880023Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/397a3c9c-c258-4d4e-834d-00cc08227796","type":"Microsoft.Authorization/roleAssignments","name":"397a3c9c-c258-4d4e-834d-00cc08227796"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"235b2664-75e2-4741-bb6f-37e49babf6cd","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-12-05T04:29:28.7359096Z","updatedOn":"2018-12-05T04:29:28.7359096Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3c830f42-5f89-4d8b-8f93-d3dc936f33bd","type":"Microsoft.Authorization/roleAssignments","name":"3c830f42-5f89-4d8b-8f93-d3dc936f33bd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-04-08T08:38:50.1742930Z","updatedOn":"2020-04-08T08:38:50.1742930Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/5293a96b-830e-45f4-9e9e-22d7d020f0d8","type":"Microsoft.Authorization/roleAssignments","name":"5293a96b-830e-45f4-9e9e-22d7d020f0d8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3421d717-ca60-44e7-a9a1-773acec4e503","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-10-23T09:40:14.7658272Z","updatedOn":"2019-10-23T09:40:14.7658272Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/34b29558-faf9-43f0-a194-35ca0aa99fc5","type":"Microsoft.Authorization/roleAssignments","name":"34b29558-faf9-43f0-a194-35ca0aa99fc5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3dc88d41-4d03-4105-970d-937e56de3839","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-06-27T12:59:44.6557891Z","updatedOn":"2019-06-27T12:59:44.6557891Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e57ab8d1-ce9a-4925-b09f-2567492d9b22","type":"Microsoft.Authorization/roleAssignments","name":"e57ab8d1-ce9a-4925-b09f-2567492d9b22"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"62c799b8-9b54-4c3d-97c9-9490d16a6a9a","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-08T13:01:20.9953919Z","updatedOn":"2019-08-08T13:01:20.9953919Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e1b91810-0781-462d-9517-764e4a033822","type":"Microsoft.Authorization/roleAssignments","name":"e1b91810-0781-462d-9517-764e4a033822"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8bb5b214-1182-465c-892f-ca7235abe1e7","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-10-23T08:03:15.6803676Z","updatedOn":"2019-10-23T08:03:15.6803676Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/facbac06-ddab-437d-949a-207593fddfff","type":"Microsoft.Authorization/roleAssignments","name":"facbac06-ddab-437d-949a-207593fddfff"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"978b254a-54be-42af-80f5-e2a37b2e40e5","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-07-08T06:57:57.0377373Z","updatedOn":"2019-07-08T06:57:57.0377373Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/89be5b0a-dfa8-4bdf-b667-c6f63f7f3f0e","type":"Microsoft.Authorization/roleAssignments","name":"89be5b0a-dfa8-4bdf-b667-c6f63f7f3f0e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"9c973a07-b207-473c-9687-bd693ba8e460","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-04-17T09:14:08.7913669Z","updatedOn":"2020-04-17T09:14:08.7913669Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/950c635a-23a5-4a0e-8eb6-c53e929c9699","type":"Microsoft.Authorization/roleAssignments","name":"950c635a-23a5-4a0e-8eb6-c53e929c9699"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"058c04ea-b176-4e7b-b8d9-9e1f2f713ffe","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-10-03T10:52:46.8918844Z","updatedOn":"2022-10-03T10:52:46.8918844Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c5a8b530-0e4c-40d9-a003-167e38138f34","type":"Microsoft.Authorization/roleAssignments","name":"c5a8b530-0e4c-40d9-a003-167e38138f34"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"ce439730-9009-4c60-b582-277f5b9b5c47","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-10-03T10:52:47.6507241Z","updatedOn":"2022-10-03T10:52:47.6507241Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/adfaf7e6-895a-432b-9f63-650c5855b6b5","type":"Microsoft.Authorization/roleAssignments","name":"adfaf7e6-895a-432b-9f63-650c5855b6b5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8a1cd6d0-5c03-4720-8cc7-22adbc865bad","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-10-06T10:00:44.6775425Z","updatedOn":"2022-10-06T10:00:44.6775425Z","createdBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","updatedBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/21a219c4-e4ea-4572-9b97-ab829ee70b0b","type":"Microsoft.Authorization/roleAssignments","name":"21a219c4-e4ea-4572-9b97-ab829ee70b0b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"ba20023e-4ef7-4929-8693-f3f37fdb7667","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-10-19T06:48:34.7902721Z","updatedOn":"2022-10-19T06:48:34.7902721Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/70fc8a72-c6e9-4644-95d6-f27efe137007","type":"Microsoft.Authorization/roleAssignments","name":"70fc8a72-c6e9-4644-95d6-f27efe137007"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/17d1049b-9a84-46fb-8f53-869881c3d3ab","principalId":"cda54502-7b02-4c29-bacd-2ac17bb3fee4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-10-20T05:10:54.0749901Z","updatedOn":"2022-10-20T05:10:54.0749901Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a49a99d3-cfb9-4f66-b694-b3a7803fe02b","type":"Microsoft.Authorization/roleAssignments","name":"a49a99d3-cfb9-4f66-b694-b3a7803fe02b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"d6e6b7d9-6bee-44e9-a115-608b26453747","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-11-04T09:20:20.9539814Z","updatedOn":"2022-11-04T09:20:20.9539814Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/5ead22ad-d09b-4591-8d0f-a571ef0dedb2","type":"Microsoft.Authorization/roleAssignments","name":"5ead22ad-d09b-4591-8d0f-a571ef0dedb2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"21369ac4-7db8-402f-8b5b-c3c47bac68bd","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-12-13T12:39:32.2924849Z","updatedOn":"2022-12-13T12:39:32.2924849Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/1a2a40b4-9a41-4578-a6f5-e34068ff3bf6","type":"Microsoft.Authorization/roleAssignments","name":"1a2a40b4-9a41-4578-a6f5-e34068ff3bf6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"21369ac4-7db8-402f-8b5b-c3c47bac68bd","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-12-13T12:39:32.4781119Z","updatedOn":"2022-12-13T12:39:32.4781119Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9fc9183c-bfec-41be-8c2b-2cc55420f6c1","type":"Microsoft.Authorization/roleAssignments","name":"9fc9183c-bfec-41be-8c2b-2cc55420f6c1"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"fc8bd99b-292d-4396-ac07-7e46bf989efa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2023-01-04T09:17:14.5148296Z","updatedOn":"2023-01-04T09:17:14.5148296Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/5c4e131f-5843-5474-af9f-427c1fca982d","type":"Microsoft.Authorization/roleAssignments","name":"5c4e131f-5843-5474-af9f-427c1fca982d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"c0c54612-5a75-40a2-8a0c-bf70ab0847ba","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2023-01-13T04:47:48.8296778Z","updatedOn":"2023-01-13T04:47:48.8296778Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b56bdd79-3e27-4d79-b73b-4dc8625a172a","type":"Microsoft.Authorization/roleAssignments","name":"b56bdd79-3e27-4d79-b73b-4dc8625a172a"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a4eae46b-a9d0-4586-8ac9-ba91b29f1d57","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-02-01T10:05:44.6784242Z","updatedOn":"2022-02-01T10:05:44.6784242Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8af2fb3a-292c-42a8-a870-1751c4ec4870","type":"Microsoft.Authorization/roleAssignments","name":"8af2fb3a-292c-42a8-a870-1751c4ec4870"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"85c33f6f-5d69-4b0e-bc06-95a7d3193519","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-05-04T09:52:52.7340040Z","updatedOn":"2022-05-04T09:52:52.7340040Z","createdBy":"447bbed8-9839-4d6e-9e39-fb9aeee1ec1d","updatedBy":"447bbed8-9839-4d6e-9e39-fb9aeee1ec1d","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/6a4f635c-309c-4a1d-8eea-86fb5aa91d80","type":"Microsoft.Authorization/roleAssignments","name":"6a4f635c-309c-4a1d-8eea-86fb5aa91d80"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"e6234342-a3d7-4b04-9041-3e8526f5861a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-05-12T06:55:02.9137483Z","updatedOn":"2022-05-12T06:55:02.9137483Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a5bd1b6d-0084-40ec-9126-2250536b4778","type":"Microsoft.Authorization/roleAssignments","name":"a5bd1b6d-0084-40ec-9126-2250536b4778"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"f2cee52e-3d75-4f49-acc4-b5aaf72232ee","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T11:01:05.6238088Z","updatedOn":"2022-06-03T11:01:05.6238088Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2bd63fbe-e197-434f-ba1e-016bad298ff7","type":"Microsoft.Authorization/roleAssignments","name":"2bd63fbe-e197-434f-ba1e-016bad298ff7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"8be185b2-5cbf-45c1-b9af-cbbd9b59144d","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T13:20:41.1511200Z","updatedOn":"2022-06-03T13:22:39.1076287Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/f12c7867-43e5-5530-98e9-9d8a2f39fb92","type":"Microsoft.Authorization/roleAssignments","name":"f12c7867-43e5-5530-98e9-9d8a2f39fb92"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"8be185b2-5cbf-45c1-b9af-cbbd9b59144d","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T13:37:09.9515887Z","updatedOn":"2022-06-03T14:40:22.4040874Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/bace23ac-6978-5318-a146-d49599599b02","type":"Microsoft.Authorization/roleAssignments","name":"bace23ac-6978-5318-a146-d49599599b02"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"e6234342-a3d7-4b04-9041-3e8526f5861a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-06T11:22:08.5127363Z","updatedOn":"2022-06-06T11:22:08.5127363Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/df253c65-35fc-4ff6-9a32-39b3fe20a6e3","type":"Microsoft.Authorization/roleAssignments","name":"df253c65-35fc-4ff6-9a32-39b3fe20a6e3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"5f137a67-1b88-4f98-aa20-b71a7082dc56","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-10T14:11:57.5623976Z","updatedOn":"2022-06-10T14:11:57.5623976Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e409f573-8bda-4b7e-854a-61c445d36c6f","type":"Microsoft.Authorization/roleAssignments","name":"e409f573-8bda-4b7e-854a-61c445d36c6f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-22T11:28:57.2073063Z","updatedOn":"2022-06-22T11:28:57.2073063Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c5b3bcf3-fd4c-4b57-9f73-f075ce7afccb","type":"Microsoft.Authorization/roleAssignments","name":"c5b3bcf3-fd4c-4b57-9f73-f075ce7afccb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-23T09:19:22.2256200Z","updatedOn":"2022-06-23T09:19:22.2256200Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/344b17ae-cabf-4a33-9a9d-ba30fefcbadc","type":"Microsoft.Authorization/roleAssignments","name":"344b17ae-cabf-4a33-9a9d-ba30fefcbadc"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"2b81557b-8e7a-4df8-9a41-e59844f627c2","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-23T09:25:03.9969293Z","updatedOn":"2022-06-23T09:25:03.9969293Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/13a7f7c7-7364-4f9b-ba92-5430f17b29b5","type":"Microsoft.Authorization/roleAssignments","name":"13a7f7c7-7364-4f9b-ba92-5430f17b29b5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-24T07:04:04.5965087Z","updatedOn":"2022-06-24T07:04:04.5965087Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ba604c54-80e1-490e-a123-9ef9d477536b","type":"Microsoft.Authorization/roleAssignments","name":"ba604c54-80e1-490e-a123-9ef9d477536b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-25T04:10:10.7065168Z","updatedOn":"2022-06-25T04:10:10.7065168Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/916a749f-b61f-4ba4-8c28-46217c3a7b4e","type":"Microsoft.Authorization/roleAssignments","name":"916a749f-b61f-4ba4-8c28-46217c3a7b4e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T07:37:58.3152810Z","updatedOn":"2022-06-27T07:37:58.3152810Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/0a1046d6-ba58-491f-b473-403ec29cd2be","type":"Microsoft.Authorization/roleAssignments","name":"0a1046d6-ba58-491f-b473-403ec29cd2be"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:21:12.2347431Z","updatedOn":"2022-06-27T08:21:12.2347431Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/abc6fbbe-d4a8-4315-9532-82e90334dcc9","type":"Microsoft.Authorization/roleAssignments","name":"abc6fbbe-d4a8-4315-9532-82e90334dcc9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"381295fa-e67d-4943-a2eb-90ffcf09577b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:43:17.8582970Z","updatedOn":"2022-06-27T08:43:17.8582970Z","createdBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","updatedBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b8f0bb0e-1495-48f0-aa68-33c364310cfb","type":"Microsoft.Authorization/roleAssignments","name":"b8f0bb0e-1495-48f0-aa68-33c364310cfb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"381295fa-e67d-4943-a2eb-90ffcf09577b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:43:18.7801612Z","updatedOn":"2022-06-27T08:43:18.7801612Z","createdBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","updatedBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b8eb5d9d-85e3-4ba8-9458-fdd2c48ba8e1","type":"Microsoft.Authorization/roleAssignments","name":"b8eb5d9d-85e3-4ba8-9458-fdd2c48ba8e1"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"b864e281-c12e-45c6-a0c7-6046a7de5481","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-30T10:50:49.6196941Z","updatedOn":"2022-06-30T10:50:49.6196941Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.Authorization/roleAssignments/61b7cfe4-f4db-49b0-b329-bb5fad775973","type":"Microsoft.Authorization/roleAssignments","name":"61b7cfe4-f4db-49b0-b329-bb5fad775973"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"3de34697-a180-45dc-aff8-c16061f1143b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-01T08:15:11.7388086Z","updatedOn":"2022-07-01T08:15:11.7388086Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/86db086e-0442-5eef-8ebc-1d8d28a4d03a","type":"Microsoft.Authorization/roleAssignments","name":"86db086e-0442-5eef-8ebc-1d8d28a4d03a"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3de34697-a180-45dc-aff8-c16061f1143b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-01T08:15:12.7940996Z","updatedOn":"2022-07-01T08:15:12.7940996Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/cbcefba6-df6c-5670-9e02-9e09f7964d9c","type":"Microsoft.Authorization/roleAssignments","name":"cbcefba6-df6c-5670-9e02-9e09f7964d9c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"fe7b070d-f778-4cfd-8acf-eda94f397a89","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-29T07:15:07.9544255Z","updatedOn":"2022-07-29T07:15:07.9544255Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/efb13d06-875d-40e3-81d5-195824e19188","type":"Microsoft.Authorization/roleAssignments","name":"efb13d06-875d-40e3-81d5-195824e19188"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f8520195-1c62-47ff-8c01-e394155b52f1","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-10T11:13:36.6792855Z","updatedOn":"2022-08-10T11:13:36.6792855Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3c9150af-abd1-4d00-9c16-acb375857df6","type":"Microsoft.Authorization/roleAssignments","name":"3c9150af-abd1-4d00-9c16-acb375857df6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f4bfeb83-a4cc-43e8-bee0-9808b5d0918d","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-24T05:51:56.3337713Z","updatedOn":"2022-08-24T05:51:56.3337713Z","createdBy":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","updatedBy":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3caa2a04-62bf-4a33-80f5-056840e59fb4","type":"Microsoft.Authorization/roleAssignments","name":"3caa2a04-62bf-4a33-80f5-056840e59fb4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"608ca1e9-e854-46c6-984f-d812d0e657e6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-30T13:32:28.1332524Z","updatedOn":"2022-08-30T13:32:28.1332524Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2719b245-3aeb-4cc0-92bc-6f63eea0dcbf","type":"Microsoft.Authorization/roleAssignments","name":"2719b245-3aeb-4cc0-92bc-6f63eea0dcbf"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"12f8ea5c-1212-449e-b31c-0a574f43076e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2023-01-31T05:55:25.5617539Z","updatedOn":"2023-01-31T05:55:25.5617539Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9d33f09a-0f43-47cf-bde2-27143c6633e7","type":"Microsoft.Authorization/roleAssignments","name":"9d33f09a-0f43-47cf-bde2-27143c6633e7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a51d0ef9-9895-4b63-b3f8-354bb7d1a6bb","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-05-21T08:47:39.8177538Z","updatedOn":"2021-05-21T08:47:39.8177538Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/17db6abb-bc45-4967-b313-e470ec9cbbd7","type":"Microsoft.Authorization/roleAssignments","name":"17db6abb-bc45-4967-b313-e470ec9cbbd7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"93e2b483-3ffa-44f8-9965-fdb104b541a2","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-06-29T05:43:19.7216795Z","updatedOn":"2021-06-29T05:43:19.7216795Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c6aff8c2-08b1-5b1a-9c80-d91164226985","type":"Microsoft.Authorization/roleAssignments","name":"c6aff8c2-08b1-5b1a-9c80-d91164226985"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"4f285ac8-5610-4d2f-854c-bfa3d16a2679","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-11T06:55:02.4909144Z","updatedOn":"2021-07-11T06:55:02.4909144Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/0cec2ad2-d080-4126-a99f-f61c559b799c","type":"Microsoft.Authorization/roleAssignments","name":"0cec2ad2-d080-4126-a99f-f61c559b799c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"630db480-3ee6-47ec-ae72-5f917d466bad","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:16:28.8833400Z","updatedOn":"2021-07-13T10:16:28.8833400Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/37fe4b2d-0aca-4c27-8511-1e0d18063ec8","type":"Microsoft.Authorization/roleAssignments","name":"37fe4b2d-0aca-4c27-8511-1e0d18063ec8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"279982e7-46cf-4e40-9a3b-156c98285cb7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:18:48.5647062Z","updatedOn":"2021-07-13T10:18:48.5647062Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/7907f38d-57a7-431d-82d7-5dfa2ef0a628","type":"Microsoft.Authorization/roleAssignments","name":"7907f38d-57a7-431d-82d7-5dfa2ef0a628"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"790004d0-0112-41ad-92e8-95c464c34476","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:18:48.6068337Z","updatedOn":"2021-07-13T10:18:48.6068337Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8c9bda26-83c4-4d4c-b00b-c4b58301e539","type":"Microsoft.Authorization/roleAssignments","name":"8c9bda26-83c4-4d4c-b00b-c4b58301e539"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-21T06:38:43.9281998Z","updatedOn":"2021-07-21T06:38:43.9281998Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b553fa81-60dd-45d6-9781-8c2313d68b03","type":"Microsoft.Authorization/roleAssignments","name":"b553fa81-60dd-45d6-9781-8c2313d68b03"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:20.4258578Z","updatedOn":"2021-07-27T04:31:20.4258578Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/4b2f7b08-f9ef-4fc1-b9c4-2bb34fdef258","type":"Microsoft.Authorization/roleAssignments","name":"4b2f7b08-f9ef-4fc1-b9c4-2bb34fdef258"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:32.4566300Z","updatedOn":"2021-07-27T04:31:32.4566300Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8176bf09-8e96-448a-ab12-eeed360ecce2","type":"Microsoft.Authorization/roleAssignments","name":"8176bf09-8e96-448a-ab12-eeed360ecce2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:48.4577322Z","updatedOn":"2021-07-27T04:31:48.4577322Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/45949217-58cc-4c18-93f3-f4c90710ae2d","type":"Microsoft.Authorization/roleAssignments","name":"45949217-58cc-4c18-93f3-f4c90710ae2d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:20.8138038Z","updatedOn":"2021-07-27T10:13:20.8138038Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2382b52f-1ec5-430e-ae2a-74f9ed331ced","type":"Microsoft.Authorization/roleAssignments","name":"2382b52f-1ec5-430e-ae2a-74f9ed331ced"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:23.6551958Z","updatedOn":"2021-07-27T10:13:23.6551958Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e5863947-0b21-41b7-9997-c0dfc73eec29","type":"Microsoft.Authorization/roleAssignments","name":"e5863947-0b21-41b7-9997-c0dfc73eec29"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:29.6985440Z","updatedOn":"2021-07-27T10:13:29.6985440Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/28c1cefa-942f-44c5-a4d4-c33bb92abd45","type":"Microsoft.Authorization/roleAssignments","name":"28c1cefa-942f-44c5-a4d4-c33bb92abd45"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8039a424-299a-4014-8b22-4f6d6cc60065","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-11T07:08:31.9935560Z","updatedOn":"2021-08-11T07:08:31.9935560Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/69e0bcfc-b024-4d8b-a3d5-dac447f8986c","type":"Microsoft.Authorization/roleAssignments","name":"69e0bcfc-b024-4d8b-a3d5-dac447f8986c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"8f0340b8-4b70-412b-be19-c4612d49e353","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-20T11:58:29.6857641Z","updatedOn":"2021-08-20T11:58:29.6857641Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fd88236f-eacb-5303-912f-ba1741cf02bd","type":"Microsoft.Authorization/roleAssignments","name":"fd88236f-eacb-5303-912f-ba1741cf02bd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"0d8f6e68-d6c5-4a67-b6c4-3107609bbdbc","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-20T12:31:58.7980661Z","updatedOn":"2021-08-20T12:31:58.7980661Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/146f4a11-8712-583d-89eb-a7b8b82dbaa9","type":"Microsoft.Authorization/roleAssignments","name":"146f4a11-8712-583d-89eb-a7b8b82dbaa9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"e2072d83-2379-4f36-ab51-b5df7460c61e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-21T14:40:08.5987892Z","updatedOn":"2021-08-21T14:40:10.5055205Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/842af679-0b58-5eb5-b94c-ff59e4105d7e","type":"Microsoft.Authorization/roleAssignments","name":"842af679-0b58-5eb5-b94c-ff59e4105d7e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-17T09:41:38.5634940Z","updatedOn":"2021-09-17T09:41:38.5634940Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":"for - temp testing purpose"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/98fe0117-1e9c-4e37-b8a7-c4a1031d6916","type":"Microsoft.Authorization/roleAssignments","name":"98fe0117-1e9c-4e37-b8a7-c4a1031d6916"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"9c973a07-b207-473c-9687-bd693ba8e460","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-25T15:23:32.6168771Z","updatedOn":"2021-09-25T15:23:32.6168771Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/d852f084-bc9f-4258-9e2c-fcf48b9eaf85","type":"Microsoft.Authorization/roleAssignments","name":"d852f084-bc9f-4258-9e2c-fcf48b9eaf85"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"2778738c-452b-45ca-b8d6-f085836a1458","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-30T07:51:25.2399474Z","updatedOn":"2021-09-30T07:51:25.2399474Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b04a3bdf-b6a6-5ffb-9394-ee5743741597","type":"Microsoft.Authorization/roleAssignments","name":"b04a3bdf-b6a6-5ffb-9394-ee5743741597"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"0ac1f52a-325b-486a-a095-f46ffdd6a9e4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-10-26T01:59:18.6998395Z","updatedOn":"2021-10-26T01:59:18.6998395Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/53a3b238-b4b0-4d3f-b416-8d6dc8d755f6","type":"Microsoft.Authorization/roleAssignments","name":"53a3b238-b4b0-4d3f-b416-8d6dc8d755f6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"c3c0d020-16f0-44d8-9950-0250120a33ff","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-02T06:11:03.5575284Z","updatedOn":"2021-11-02T06:11:03.5575284Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/1d017732-f67e-5aa1-a4a6-47570078d9f3","type":"Microsoft.Authorization/roleAssignments","name":"1d017732-f67e-5aa1-a4a6-47570078d9f3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-10T08:59:19.7285159Z","updatedOn":"2021-11-10T08:59:19.7285159Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a60357fa-dc0a-4479-a2a9-4329c2d0ae89","type":"Microsoft.Authorization/roleAssignments","name":"a60357fa-dc0a-4479-a2a9-4329c2d0ae89"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8dd77695-d6a5-450d-a43c-67ca01be9fbc","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-12T10:55:38.3698246Z","updatedOn":"2021-11-12T10:55:38.3698246Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/dda5bb75-b74a-4430-975f-5bc9611c4b2d","type":"Microsoft.Authorization/roleAssignments","name":"dda5bb75-b74a-4430-975f-5bc9611c4b2d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/36243c78-bf99-498c-9df9-86d9f8d28608","principalId":"2152c794-9ca2-41fe-a313-2d0e1ee3eb80","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-18T06:28:12.0181010Z","updatedOn":"2021-02-18T06:28:12.0181010Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/804f6223-03eb-4091-b460-82160fc5f818","type":"Microsoft.Authorization/roleAssignments","name":"804f6223-03eb-4091-b460-82160fc5f818"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"2152c794-9ca2-41fe-a313-2d0e1ee3eb80","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-18T06:28:12.0168587Z","updatedOn":"2021-02-18T06:28:12.0168587Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8d80e2d6-315c-495c-ab2c-91ddf75edf41","type":"Microsoft.Authorization/roleAssignments","name":"8d80e2d6-315c-495c-ab2c-91ddf75edf41"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"cf46d636-b6c1-406c-aba7-b2c3d9ed07da","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-26T13:53:53.1151640Z","updatedOn":"2021-02-26T13:53:53.1151640Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/735e98ed-f4b8-4b7d-9cc9-af4f8ae77252","type":"Microsoft.Authorization/roleAssignments","name":"735e98ed-f4b8-4b7d-9cc9-af4f8ae77252"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8505e3f4-1ee7-427c-a175-a06595231d46","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-26T13:54:27.5624477Z","updatedOn":"2021-02-26T13:54:27.5624477Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/98c87a9f-b9e7-414b-8b59-bf3ec62dbc74","type":"Microsoft.Authorization/roleAssignments","name":"98c87a9f-b9e7-414b-8b59-bf3ec62dbc74"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-25T12:25:27.2277610Z","updatedOn":"2020-07-25T12:25:27.2277610Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fd6b8ff4-9edb-43f5-aa2a-32133fa09b1d","type":"Microsoft.Authorization/roleAssignments","name":"fd6b8ff4-9edb-43f5-aa2a-32133fa09b1d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"21ae6127-c385-4ae0-b895-a8559e9aa574","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-31T08:35:35.2993523Z","updatedOn":"2020-07-31T08:35:35.2993523Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/6af9fbf3-7085-4bcb-b399-88b89fac16d3","type":"Microsoft.Authorization/roleAssignments","name":"6af9fbf3-7085-4bcb-b399-88b89fac16d3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"1e845bc3-37db-4639-be09-d0cf1e448221","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-31T08:44:16.2909420Z","updatedOn":"2020-07-31T08:44:16.2909420Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/65080390-e9b5-4566-b362-d1e96c23dae2","type":"Microsoft.Authorization/roleAssignments","name":"65080390-e9b5-4566-b362-d1e96c23dae2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-11-03T06:12:01.6760584Z","updatedOn":"2020-11-03T06:12:01.6760584Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a7a12420-2dce-4a47-822e-68cadf239da3","type":"Microsoft.Authorization/roleAssignments","name":"a7a12420-2dce-4a47-822e-68cadf239da3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3282af51-433d-47e8-b2b5-633fbe0fecc0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-11-03T06:25:32.6790913Z","updatedOn":"2020-11-03T06:25:32.6790913Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/36da831d-10ce-4f42-ba28-362960f6ea36","type":"Microsoft.Authorization/roleAssignments","name":"36da831d-10ce-4f42-ba28-362960f6ea36"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-10-04T07:35:39.6626948Z","updatedOn":"2019-10-04T07:35:39.6626948Z","createdBy":"8031e009-cc05-4950-8a8d-78942c4492ac","updatedBy":"8031e009-cc05-4950-8a8d-78942c4492ac","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/730fa65e-c74c-4c3d-9cc3-9457f9b97274","type":"Microsoft.Authorization/roleAssignments","name":"730fa65e-c74c-4c3d-9cc3-9457f9b97274"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-04-08T01:03:29.8241478Z","updatedOn":"2021-04-08T01:03:29.8241478Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/63818ccb-a05c-4083-9e1d-64b4c7c0e1cd","type":"Microsoft.Authorization/roleAssignments","name":"63818ccb-a05c-4083-9e1d-64b4c7c0e1cd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"c87d9afe-4463-41d5-81e3-3bd162af9183","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-07-10T09:38:17.4348497Z","updatedOn":"2019-07-10T09:38:17.4348497Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/ebc56c6d-c5de-4d99-b166-89d4ac815acd","type":"Microsoft.Authorization/roleAssignments","name":"ebc56c6d-c5de-4d99-b166-89d4ac815acd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-03-15T11:01:18.6794974Z","updatedOn":"2019-03-15T11:01:18.6794974Z","createdBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","updatedBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/9fb9b151-1d53-4eff-9336-75cf634e1e3d","type":"Microsoft.Authorization/roleAssignments","name":"9fb9b151-1d53-4eff-9336-75cf634e1e3d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f87f6638-3a1b-4562-8603-aacd59537149","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-05-03T06:47:05.1411825Z","updatedOn":"2019-05-03T06:47:05.1411825Z","createdBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","updatedBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/24ffbb29-061f-4b1d-8c26-c6e90ef53303","type":"Microsoft.Authorization/roleAssignments","name":"24ffbb29-061f-4b1d-8c26-c6e90ef53303"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"becb4b6b-fe16-413b-a5c3-90355e0b2982","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-06-26T06:33:50.1123976Z","updatedOn":"2019-06-26T06:33:50.1123976Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/4c3721e8-06f4-4115-a2d8-90c4a9a57d56","type":"Microsoft.Authorization/roleAssignments","name":"4c3721e8-06f4-4115-a2d8-90c4a9a57d56"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-04-07T16:59:19.6098216Z","updatedOn":"2021-04-07T16:59:19.6098216Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/9d2de631-e451-450b-8237-e5bc19624eee","type":"Microsoft.Authorization/roleAssignments","name":"9d2de631-e451-450b-8237-e5bc19624eee"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/17d1049b-9a84-46fb-8f53-869881c3d3ab","principalId":"f61a8f2d-c22b-47c9-9e09-71c6dc1686a2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2022-10-17T05:35:15.3185857Z","updatedOn":"2022-10-17T05:35:15.3185857Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/112e70a2-19dc-47b1-8a5f-b6b0ebe3101a","type":"Microsoft.Authorization/roleAssignments","name":"112e70a2-19dc-47b1-8a5f-b6b0ebe3101a"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/17d1049b-9a84-46fb-8f53-869881c3d3ab","principalId":"38bb424d-6106-4a59-800e-90ee180570f1","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2022-10-26T02:55:09.1249140Z","updatedOn":"2022-10-26T02:55:09.1249140Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/7cdb04d8-94ce-4084-b154-6ab26e1b0041","type":"Microsoft.Authorization/roleAssignments","name":"7cdb04d8-94ce-4084-b154-6ab26e1b0041"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"b1b96a90-235c-4668-a931-ee1c08db7681","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-02-01T04:47:38.5676012Z","updatedOn":"2021-02-01T04:47:38.5676012Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/a9e38032-c21b-4c41-8960-1c9c982d98e2","type":"Microsoft.Authorization/roleAssignments","name":"a9e38032-c21b-4c41-8960-1c9c982d98e2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a51d0ef9-9895-4b63-b3f8-354bb7d1a6bb","principalType":"Group","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-03-03T05:31:57.4716459Z","updatedOn":"2021-03-03T05:31:57.4716459Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/77aa0ff2-42c2-4e01-a51d-01cf2dd7ce04","type":"Microsoft.Authorization/roleAssignments","name":"77aa0ff2-42c2-4e01-a51d-01cf2dd7ce04"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"ce2366a6-64d7-441b-939c-c9d23f91cccd","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47","condition":null,"conditionVersion":null,"createdOn":"2020-03-12T20:43:06.5941189Z","updatedOn":"2020-03-12T20:43:06.5941189Z","createdBy":"606f48c8-d219-4875-991d-ae6befaf0756","updatedBy":"606f48c8-d219-4875-991d-ae6befaf0756","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47/providers/Microsoft.Authorization/roleAssignments/ad9e2cd7-0ff7-4931-9b17-656c8f17934b","type":"Microsoft.Authorization/roleAssignments","name":"ad9e2cd7-0ff7-4931-9b17-656c8f17934b"}]}' + string: '{"value":[{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"5c617d2b-99f8-4c90-98fe-dfe040fa33c1","principalType":"ServicePrincipal","scope":"/","condition":null,"conditionVersion":null,"createdOn":"2018-02-27T19:19:50.2663941Z","updatedOn":"2018-02-27T19:19:50.2663941Z","createdBy":null,"updatedBy":null,"delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Authorization/roleAssignments/3e883d24-b106-42ff-ad13-d7bf271b964d","type":"Microsoft.Authorization/roleAssignments","name":"3e883d24-b106-42ff-ad13-d7bf271b964d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"1d8b8d73-0cc6-4db8-b112-724b4a932253","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-26T12:22:13.7498923Z","updatedOn":"2019-08-26T12:22:13.7498923Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8c3a4de9-1ebd-47ce-9dd9-bebf87a4e28f","type":"Microsoft.Authorization/roleAssignments","name":"8c3a4de9-1ebd-47ce-9dd9-bebf87a4e28f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"1e845bc3-37db-4639-be09-d0cf1e448221","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-05-24T11:02:27.8515917Z","updatedOn":"2019-05-24T11:02:27.8515917Z","createdBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","updatedBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b5eee4d7-5f9f-4f63-8040-8aec158c289b","type":"Microsoft.Authorization/roleAssignments","name":"b5eee4d7-5f9f-4f63-8040-8aec158c289b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"235b2664-75e2-4741-bb6f-37e49babf6cd","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-02-12T11:34:59.7104212Z","updatedOn":"2020-02-12T11:34:59.7104212Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/f0618702-8404-4858-9a26-e61f23e7d44f","type":"Microsoft.Authorization/roleAssignments","name":"f0618702-8404-4858-9a26-e61f23e7d44f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8bb5b214-1182-465c-892f-ca7235abe1e7","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-11-14T08:52:42.2795010Z","updatedOn":"2019-11-14T08:52:42.2795010Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/77daac38-9839-4b00-921b-e5d5a03e728c","type":"Microsoft.Authorization/roleAssignments","name":"77daac38-9839-4b00-921b-e5d5a03e728c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"9693df58-7f72-4974-9bd3-1c3ceb0382f1","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-11-29T09:40:04.3180033Z","updatedOn":"2018-11-29T09:40:04.3180033Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ed3bf874-9c97-43f9-a5e9-b4ee6f8982f7","type":"Microsoft.Authorization/roleAssignments","name":"ed3bf874-9c97-43f9-a5e9-b4ee6f8982f7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"d1f96755-9bcf-44b8-ab82-df67360496c4","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-05-08T10:28:08.2854940Z","updatedOn":"2020-05-08T10:28:08.2854940Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/dfb3ca56-a0d4-44ce-ba35-b716c3fdab86","type":"Microsoft.Authorization/roleAssignments","name":"dfb3ca56-a0d4-44ce-ba35-b716c3fdab86"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-12-31T09:26:43.6440415Z","updatedOn":"2018-12-31T09:26:43.6440415Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/45744ea8-780f-4f3e-88aa-b73d7f6997b2","type":"Microsoft.Authorization/roleAssignments","name":"45744ea8-780f-4f3e-88aa-b73d7f6997b2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e65078fb-6b02-434a-9f11-d06bf9bc0600","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-10-25T23:42:36.3444507Z","updatedOn":"2018-10-25T23:42:36.3444507Z","createdBy":"66cb55a5-e2a8-44ef-ae4b-5ab8fa2ec8d9","updatedBy":"66cb55a5-e2a8-44ef-ae4b-5ab8fa2ec8d9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e7ce51e8-4109-41d7-bc10-538b089599db","type":"Microsoft.Authorization/roleAssignments","name":"e7ce51e8-4109-41d7-bc10-538b089599db"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"a7782e0f-1f9a-4882-b2c9-11227aad244e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-06-16T04:32:50.9673703Z","updatedOn":"2020-06-16T04:32:50.9673703Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9fa21f2f-81c3-47b6-b706-650b359b96c3","type":"Microsoft.Authorization/roleAssignments","name":"9fa21f2f-81c3-47b6-b706-650b359b96c3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"00b14177-f4d2-4a4b-94f6-6e80f75745c9","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-03-12T09:49:11.3750683Z","updatedOn":"2020-03-12T09:49:11.3750683Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fff0abf3-3cf7-46be-8bc7-1d1619a160fb","type":"Microsoft.Authorization/roleAssignments","name":"fff0abf3-3cf7-46be-8bc7-1d1619a160fb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"1d8b8d73-0cc6-4db8-b112-724b4a932253","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-26T10:28:45.4880023Z","updatedOn":"2019-08-26T10:28:45.4880023Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/397a3c9c-c258-4d4e-834d-00cc08227796","type":"Microsoft.Authorization/roleAssignments","name":"397a3c9c-c258-4d4e-834d-00cc08227796"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"235b2664-75e2-4741-bb6f-37e49babf6cd","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-12-05T04:29:28.7359096Z","updatedOn":"2018-12-05T04:29:28.7359096Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3c830f42-5f89-4d8b-8f93-d3dc936f33bd","type":"Microsoft.Authorization/roleAssignments","name":"3c830f42-5f89-4d8b-8f93-d3dc936f33bd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-04-08T08:38:50.1742930Z","updatedOn":"2020-04-08T08:38:50.1742930Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/5293a96b-830e-45f4-9e9e-22d7d020f0d8","type":"Microsoft.Authorization/roleAssignments","name":"5293a96b-830e-45f4-9e9e-22d7d020f0d8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3421d717-ca60-44e7-a9a1-773acec4e503","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-10-23T09:40:14.7658272Z","updatedOn":"2019-10-23T09:40:14.7658272Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/34b29558-faf9-43f0-a194-35ca0aa99fc5","type":"Microsoft.Authorization/roleAssignments","name":"34b29558-faf9-43f0-a194-35ca0aa99fc5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3dc88d41-4d03-4105-970d-937e56de3839","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-06-27T12:59:44.6557891Z","updatedOn":"2019-06-27T12:59:44.6557891Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e57ab8d1-ce9a-4925-b09f-2567492d9b22","type":"Microsoft.Authorization/roleAssignments","name":"e57ab8d1-ce9a-4925-b09f-2567492d9b22"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"62c799b8-9b54-4c3d-97c9-9490d16a6a9a","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-08T13:01:20.9953919Z","updatedOn":"2019-08-08T13:01:20.9953919Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e1b91810-0781-462d-9517-764e4a033822","type":"Microsoft.Authorization/roleAssignments","name":"e1b91810-0781-462d-9517-764e4a033822"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8bb5b214-1182-465c-892f-ca7235abe1e7","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-10-23T08:03:15.6803676Z","updatedOn":"2019-10-23T08:03:15.6803676Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/facbac06-ddab-437d-949a-207593fddfff","type":"Microsoft.Authorization/roleAssignments","name":"facbac06-ddab-437d-949a-207593fddfff"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"978b254a-54be-42af-80f5-e2a37b2e40e5","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-07-08T06:57:57.0377373Z","updatedOn":"2019-07-08T06:57:57.0377373Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/89be5b0a-dfa8-4bdf-b667-c6f63f7f3f0e","type":"Microsoft.Authorization/roleAssignments","name":"89be5b0a-dfa8-4bdf-b667-c6f63f7f3f0e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"9c973a07-b207-473c-9687-bd693ba8e460","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-04-17T09:14:08.7913669Z","updatedOn":"2020-04-17T09:14:08.7913669Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/950c635a-23a5-4a0e-8eb6-c53e929c9699","type":"Microsoft.Authorization/roleAssignments","name":"950c635a-23a5-4a0e-8eb6-c53e929c9699"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a4eae46b-a9d0-4586-8ac9-ba91b29f1d57","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-02-01T10:05:44.6784242Z","updatedOn":"2022-02-01T10:05:44.6784242Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8af2fb3a-292c-42a8-a870-1751c4ec4870","type":"Microsoft.Authorization/roleAssignments","name":"8af2fb3a-292c-42a8-a870-1751c4ec4870"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"662a0ec2-cfbc-45f9-ae31-2cc53070e765","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T12:46:49.6216206Z","updatedOn":"2022-04-12T12:46:49.6216206Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/85cc2dff-c5d4-42a3-acb6-255cd4208ef4","type":"Microsoft.Authorization/roleAssignments","name":"85cc2dff-c5d4-42a3-acb6-255cd4208ef4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"662a0ec2-cfbc-45f9-ae31-2cc53070e765","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T12:46:57.1459341Z","updatedOn":"2022-04-12T12:46:57.1459341Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/aba8e90d-d951-4cb5-a346-b71e478f4d1b","type":"Microsoft.Authorization/roleAssignments","name":"aba8e90d-d951-4cb5-a346-b71e478f4d1b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"30bc1f3b-ca1a-4c55-96ff-4c026f12eaa1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T13:09:28.3678603Z","updatedOn":"2022-04-12T13:09:28.3678603Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/79d87d90-f984-4f53-a169-2eca51c00104","type":"Microsoft.Authorization/roleAssignments","name":"79d87d90-f984-4f53-a169-2eca51c00104"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"30bc1f3b-ca1a-4c55-96ff-4c026f12eaa1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T13:09:33.3916295Z","updatedOn":"2022-04-12T13:09:33.3916295Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/5e185742-c91a-4efe-b0d8-db9524685ec5","type":"Microsoft.Authorization/roleAssignments","name":"5e185742-c91a-4efe-b0d8-db9524685ec5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3c582fc7-e68a-4991-a2f6-3d8a7a1f23c1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:01:02.2689248Z","updatedOn":"2022-04-13T07:01:02.2689248Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/c9b4f9ab-d687-4a65-910a-5bcb2f974bfe","type":"Microsoft.Authorization/roleAssignments","name":"c9b4f9ab-d687-4a65-910a-5bcb2f974bfe"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"3c582fc7-e68a-4991-a2f6-3d8a7a1f23c1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:01:09.3571703Z","updatedOn":"2022-04-13T07:01:09.3571703Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/8bedf13c-aa1a-4191-aa97-573f14fd97ee","type":"Microsoft.Authorization/roleAssignments","name":"8bedf13c-aa1a-4191-aa97-573f14fd97ee"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"a31004b5-ce06-49e1-8706-e8c7afe68695","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:43:04.6456354Z","updatedOn":"2022-04-13T07:43:04.6456354Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/bd0fc30a-6ccf-4c22-a26b-0e31aba16035","type":"Microsoft.Authorization/roleAssignments","name":"bd0fc30a-6ccf-4c22-a26b-0e31aba16035"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"a31004b5-ce06-49e1-8706-e8c7afe68695","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:43:10.1186881Z","updatedOn":"2022-04-13T07:43:10.1186881Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/dadaa3cd-f442-4d5c-aed3-7cbab2fba3e0","type":"Microsoft.Authorization/roleAssignments","name":"dadaa3cd-f442-4d5c-aed3-7cbab2fba3e0"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"6f6a803e-4dc5-488a-8566-a4f0a984975e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T08:58:57.7706882Z","updatedOn":"2022-04-13T08:58:57.7706882Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9e3d10bf-9bfa-4a97-9ab1-b972a348abd0","type":"Microsoft.Authorization/roleAssignments","name":"9e3d10bf-9bfa-4a97-9ab1-b972a348abd0"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"6f6a803e-4dc5-488a-8566-a4f0a984975e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T08:59:03.2414961Z","updatedOn":"2022-04-13T08:59:03.2414961Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/66eefd94-4bda-46df-9c61-7e92f83d91e7","type":"Microsoft.Authorization/roleAssignments","name":"66eefd94-4bda-46df-9c61-7e92f83d91e7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"829da4fd-a5f4-4ca7-bc3d-0679d104c5f0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T10:17:35.8887781Z","updatedOn":"2022-04-13T10:17:35.8887781Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/77f4f7a3-a377-49f7-a094-945b82b2bfff","type":"Microsoft.Authorization/roleAssignments","name":"77f4f7a3-a377-49f7-a094-945b82b2bfff"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"829da4fd-a5f4-4ca7-bc3d-0679d104c5f0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T10:17:41.2233089Z","updatedOn":"2022-04-13T10:17:41.2233089Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/1a71aac6-e9ce-40ff-a39f-7594df2ea6e9","type":"Microsoft.Authorization/roleAssignments","name":"1a71aac6-e9ce-40ff-a39f-7594df2ea6e9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3f74f5b7-f4f6-4b65-a45d-f1c60467e115","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-21T06:57:19.4532093Z","updatedOn":"2022-04-21T06:57:19.4532093Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/eede4548-9f71-44b7-8077-c49aa44894b4","type":"Microsoft.Authorization/roleAssignments","name":"eede4548-9f71-44b7-8077-c49aa44894b4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"3f74f5b7-f4f6-4b65-a45d-f1c60467e115","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-21T06:57:24.3439247Z","updatedOn":"2022-04-21T06:57:24.3439247Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/c011acd2-8b5d-45d6-b6c1-4ffe1867ce31","type":"Microsoft.Authorization/roleAssignments","name":"c011acd2-8b5d-45d6-b6c1-4ffe1867ce31"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"85c33f6f-5d69-4b0e-bc06-95a7d3193519","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-05-04T09:52:52.7340040Z","updatedOn":"2022-05-04T09:52:52.7340040Z","createdBy":"447bbed8-9839-4d6e-9e39-fb9aeee1ec1d","updatedBy":"447bbed8-9839-4d6e-9e39-fb9aeee1ec1d","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/6a4f635c-309c-4a1d-8eea-86fb5aa91d80","type":"Microsoft.Authorization/roleAssignments","name":"6a4f635c-309c-4a1d-8eea-86fb5aa91d80"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"e6234342-a3d7-4b04-9041-3e8526f5861a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-05-12T06:55:02.9137483Z","updatedOn":"2022-05-12T06:55:02.9137483Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a5bd1b6d-0084-40ec-9126-2250536b4778","type":"Microsoft.Authorization/roleAssignments","name":"a5bd1b6d-0084-40ec-9126-2250536b4778"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"0b2dcd24-9585-4bb4-a7c3-83e0e3bd0dc7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-05-24T11:54:25.7258076Z","updatedOn":"2022-05-24T11:54:25.7258076Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9a7dc348-d24e-438b-84b0-c7cda5bf92c4","type":"Microsoft.Authorization/roleAssignments","name":"9a7dc348-d24e-438b-84b0-c7cda5bf92c4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"0b2dcd24-9585-4bb4-a7c3-83e0e3bd0dc7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-05-24T11:54:29.8931759Z","updatedOn":"2022-05-24T11:54:29.8931759Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/aeb54d04-84b8-4530-bd7e-fe01dafd82ab","type":"Microsoft.Authorization/roleAssignments","name":"aeb54d04-84b8-4530-bd7e-fe01dafd82ab"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"f2cee52e-3d75-4f49-acc4-b5aaf72232ee","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T11:01:05.6238088Z","updatedOn":"2022-06-03T11:01:05.6238088Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2bd63fbe-e197-434f-ba1e-016bad298ff7","type":"Microsoft.Authorization/roleAssignments","name":"2bd63fbe-e197-434f-ba1e-016bad298ff7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"8be185b2-5cbf-45c1-b9af-cbbd9b59144d","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T13:20:41.1511200Z","updatedOn":"2022-06-03T13:22:39.1076287Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/f12c7867-43e5-5530-98e9-9d8a2f39fb92","type":"Microsoft.Authorization/roleAssignments","name":"f12c7867-43e5-5530-98e9-9d8a2f39fb92"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"8be185b2-5cbf-45c1-b9af-cbbd9b59144d","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T13:37:09.9515887Z","updatedOn":"2022-06-03T14:40:22.4040874Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/bace23ac-6978-5318-a146-d49599599b02","type":"Microsoft.Authorization/roleAssignments","name":"bace23ac-6978-5318-a146-d49599599b02"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"e6234342-a3d7-4b04-9041-3e8526f5861a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-06T11:22:08.5127363Z","updatedOn":"2022-06-06T11:22:08.5127363Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/df253c65-35fc-4ff6-9a32-39b3fe20a6e3","type":"Microsoft.Authorization/roleAssignments","name":"df253c65-35fc-4ff6-9a32-39b3fe20a6e3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"5f137a67-1b88-4f98-aa20-b71a7082dc56","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-10T14:11:57.5623976Z","updatedOn":"2022-06-10T14:11:57.5623976Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e409f573-8bda-4b7e-854a-61c445d36c6f","type":"Microsoft.Authorization/roleAssignments","name":"e409f573-8bda-4b7e-854a-61c445d36c6f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"961a41dc-cbb6-4777-9b6c-a6d4d1ea4faa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:02:09.6478601Z","updatedOn":"2022-06-21T12:02:09.6478601Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/efc8d400-cd5e-41d3-99e6-65878c1f888c","type":"Microsoft.Authorization/roleAssignments","name":"efc8d400-cd5e-41d3-99e6-65878c1f888c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"961a41dc-cbb6-4777-9b6c-a6d4d1ea4faa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:02:31.1213523Z","updatedOn":"2022-06-21T12:02:31.1213523Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/1ad6de95-d660-4f0a-84cf-1b297eafe5f6","type":"Microsoft.Authorization/roleAssignments","name":"1ad6de95-d660-4f0a-84cf-1b297eafe5f6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"1831aada-7907-4673-a5e2-b11217764c9e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:22:14.2181104Z","updatedOn":"2022-06-21T12:22:14.2181104Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/c5856647-b5ff-4264-a966-049b6a58a42f","type":"Microsoft.Authorization/roleAssignments","name":"c5856647-b5ff-4264-a966-049b6a58a42f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"1831aada-7907-4673-a5e2-b11217764c9e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:22:40.2874069Z","updatedOn":"2022-06-21T12:22:40.2874069Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/a3560e50-7085-48f4-85a1-97487179cc5d","type":"Microsoft.Authorization/roleAssignments","name":"a3560e50-7085-48f4-85a1-97487179cc5d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-22T11:28:57.2073063Z","updatedOn":"2022-06-22T11:28:57.2073063Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c5b3bcf3-fd4c-4b57-9f73-f075ce7afccb","type":"Microsoft.Authorization/roleAssignments","name":"c5b3bcf3-fd4c-4b57-9f73-f075ce7afccb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-23T09:19:22.2256200Z","updatedOn":"2022-06-23T09:19:22.2256200Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/344b17ae-cabf-4a33-9a9d-ba30fefcbadc","type":"Microsoft.Authorization/roleAssignments","name":"344b17ae-cabf-4a33-9a9d-ba30fefcbadc"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"2b81557b-8e7a-4df8-9a41-e59844f627c2","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-23T09:25:03.9969293Z","updatedOn":"2022-06-23T09:25:03.9969293Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/13a7f7c7-7364-4f9b-ba92-5430f17b29b5","type":"Microsoft.Authorization/roleAssignments","name":"13a7f7c7-7364-4f9b-ba92-5430f17b29b5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-24T07:04:04.5965087Z","updatedOn":"2022-06-24T07:04:04.5965087Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ba604c54-80e1-490e-a123-9ef9d477536b","type":"Microsoft.Authorization/roleAssignments","name":"ba604c54-80e1-490e-a123-9ef9d477536b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-25T04:10:10.7065168Z","updatedOn":"2022-06-25T04:10:10.7065168Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/916a749f-b61f-4ba4-8c28-46217c3a7b4e","type":"Microsoft.Authorization/roleAssignments","name":"916a749f-b61f-4ba4-8c28-46217c3a7b4e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T07:37:58.3152810Z","updatedOn":"2022-06-27T07:37:58.3152810Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/0a1046d6-ba58-491f-b473-403ec29cd2be","type":"Microsoft.Authorization/roleAssignments","name":"0a1046d6-ba58-491f-b473-403ec29cd2be"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:21:12.2347431Z","updatedOn":"2022-06-27T08:21:12.2347431Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/abc6fbbe-d4a8-4315-9532-82e90334dcc9","type":"Microsoft.Authorization/roleAssignments","name":"abc6fbbe-d4a8-4315-9532-82e90334dcc9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"381295fa-e67d-4943-a2eb-90ffcf09577b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:43:17.8582970Z","updatedOn":"2022-06-27T08:43:17.8582970Z","createdBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","updatedBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b8f0bb0e-1495-48f0-aa68-33c364310cfb","type":"Microsoft.Authorization/roleAssignments","name":"b8f0bb0e-1495-48f0-aa68-33c364310cfb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"381295fa-e67d-4943-a2eb-90ffcf09577b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:43:18.7801612Z","updatedOn":"2022-06-27T08:43:18.7801612Z","createdBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","updatedBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b8eb5d9d-85e3-4ba8-9458-fdd2c48ba8e1","type":"Microsoft.Authorization/roleAssignments","name":"b8eb5d9d-85e3-4ba8-9458-fdd2c48ba8e1"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"3de34697-a180-45dc-aff8-c16061f1143b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-01T08:15:11.7388086Z","updatedOn":"2022-07-01T08:15:11.7388086Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/86db086e-0442-5eef-8ebc-1d8d28a4d03a","type":"Microsoft.Authorization/roleAssignments","name":"86db086e-0442-5eef-8ebc-1d8d28a4d03a"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3de34697-a180-45dc-aff8-c16061f1143b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-01T08:15:12.7940996Z","updatedOn":"2022-07-01T08:15:12.7940996Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/cbcefba6-df6c-5670-9e02-9e09f7964d9c","type":"Microsoft.Authorization/roleAssignments","name":"cbcefba6-df6c-5670-9e02-9e09f7964d9c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"fe7b070d-f778-4cfd-8acf-eda94f397a89","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-29T07:15:07.9544255Z","updatedOn":"2022-07-29T07:15:07.9544255Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/efb13d06-875d-40e3-81d5-195824e19188","type":"Microsoft.Authorization/roleAssignments","name":"efb13d06-875d-40e3-81d5-195824e19188"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"aa7a0e3a-c2c6-41e2-9838-2ae541c08a88","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-01T10:57:25.8183048Z","updatedOn":"2022-08-01T10:57:25.8183048Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/e179ab30-f6f9-44c6-9806-801d4240a604","type":"Microsoft.Authorization/roleAssignments","name":"e179ab30-f6f9-44c6-9806-801d4240a604"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"da112a02-e7cf-4b53-93a0-96958f47f77f","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-01T12:19:56.7716607Z","updatedOn":"2022-08-01T12:19:56.7716607Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/859af8cf-cf8d-4a41-b5cb-b492bbebfa96","type":"Microsoft.Authorization/roleAssignments","name":"859af8cf-cf8d-4a41-b5cb-b492bbebfa96"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"d9334401-f342-4fc7-88c4-6fb936fb3a6f","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-02T06:53:24.5190593Z","updatedOn":"2022-08-02T06:53:24.5190593Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/babd18e7-662a-4f61-b03b-d2790ad8ad2b","type":"Microsoft.Authorization/roleAssignments","name":"babd18e7-662a-4f61-b03b-d2790ad8ad2b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"d9334401-f342-4fc7-88c4-6fb936fb3a6f","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-02T06:56:06.5673047Z","updatedOn":"2022-08-02T06:56:06.5673047Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9b61e48d-b011-4da0-8daa-a65f34af5a33","type":"Microsoft.Authorization/roleAssignments","name":"9b61e48d-b011-4da0-8daa-a65f34af5a33"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f8520195-1c62-47ff-8c01-e394155b52f1","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-10T11:13:36.6792855Z","updatedOn":"2022-08-10T11:13:36.6792855Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3c9150af-abd1-4d00-9c16-acb375857df6","type":"Microsoft.Authorization/roleAssignments","name":"3c9150af-abd1-4d00-9c16-acb375857df6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f4bfeb83-a4cc-43e8-bee0-9808b5d0918d","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-24T05:51:56.3337713Z","updatedOn":"2022-08-24T05:51:56.3337713Z","createdBy":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","updatedBy":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3caa2a04-62bf-4a33-80f5-056840e59fb4","type":"Microsoft.Authorization/roleAssignments","name":"3caa2a04-62bf-4a33-80f5-056840e59fb4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"608ca1e9-e854-46c6-984f-d812d0e657e6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-30T13:32:28.1332524Z","updatedOn":"2022-08-30T13:32:28.1332524Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2719b245-3aeb-4cc0-92bc-6f63eea0dcbf","type":"Microsoft.Authorization/roleAssignments","name":"2719b245-3aeb-4cc0-92bc-6f63eea0dcbf"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"76710889-6dec-4b99-a529-cfd36fcb16ec","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:30:49.7733486Z","updatedOn":"2022-09-05T11:30:49.7733486Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/bbc4ec43-5e44-4b5d-8de0-cdf89486bb41","type":"Microsoft.Authorization/roleAssignments","name":"bbc4ec43-5e44-4b5d-8de0-cdf89486bb41"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"76710889-6dec-4b99-a529-cfd36fcb16ec","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:33:36.9049436Z","updatedOn":"2022-09-05T11:33:36.9049436Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/3f21962f-d606-4223-b80f-43344d5dc933","type":"Microsoft.Authorization/roleAssignments","name":"3f21962f-d606-4223-b80f-43344d5dc933"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a51d0ef9-9895-4b63-b3f8-354bb7d1a6bb","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-05-21T08:47:39.8177538Z","updatedOn":"2021-05-21T08:47:39.8177538Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/17db6abb-bc45-4967-b313-e470ec9cbbd7","type":"Microsoft.Authorization/roleAssignments","name":"17db6abb-bc45-4967-b313-e470ec9cbbd7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"7c567124-5292-4819-aa73-0224bf1c42e1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-05-23T13:38:54.7542852Z","updatedOn":"2021-05-23T13:38:54.7542852Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/0809d692-f58f-43f2-b597-7f115957407e","type":"Microsoft.Authorization/roleAssignments","name":"0809d692-f58f-43f2-b597-7f115957407e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"955c9d1b-0cb6-4ff6-91c9-f4aadf67ffe8","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-05-24T16:45:08.3835615Z","updatedOn":"2021-05-24T16:45:08.3835615Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/1b1ac6ab-19e7-4c4f-91d2-5be73096da2c","type":"Microsoft.Authorization/roleAssignments","name":"1b1ac6ab-19e7-4c4f-91d2-5be73096da2c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"7221c906-782c-44a0-ab2f-f23d8a95ce25","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-05-24T16:56:16.2751421Z","updatedOn":"2021-05-24T16:56:16.2751421Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/ca8f2433-76dc-49fa-828d-9cd2861ec25c","type":"Microsoft.Authorization/roleAssignments","name":"ca8f2433-76dc-49fa-828d-9cd2861ec25c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"e1a3bbaa-4ffb-41a6-a154-b4870d9e86b4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T06:40:53.5542743Z","updatedOn":"2021-06-04T06:40:53.5542743Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9d9ac2a8-dbac-41bb-9f17-c473f02c6370","type":"Microsoft.Authorization/roleAssignments","name":"9d9ac2a8-dbac-41bb-9f17-c473f02c6370"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"e1a3bbaa-4ffb-41a6-a154-b4870d9e86b4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T06:40:57.1326805Z","updatedOn":"2021-06-04T06:40:57.1326805Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/14b1338c-95f6-44f9-ad22-395f8ebbb1fe","type":"Microsoft.Authorization/roleAssignments","name":"14b1338c-95f6-44f9-ad22-395f8ebbb1fe"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"1da90707-df56-4d40-a805-2e646c9d95ab","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:02:18.2829699Z","updatedOn":"2021-06-04T07:02:18.2829699Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/bf5f4821-9baa-4dc6-9bd5-8c62f31c1a93","type":"Microsoft.Authorization/roleAssignments","name":"bf5f4821-9baa-4dc6-9bd5-8c62f31c1a93"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"1da90707-df56-4d40-a805-2e646c9d95ab","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:02:22.4343547Z","updatedOn":"2021-06-04T07:02:22.4343547Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/26bab283-0772-4c03-8dc1-a50c8ffa597d","type":"Microsoft.Authorization/roleAssignments","name":"26bab283-0772-4c03-8dc1-a50c8ffa597d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"ab6b1184-ff37-4d3e-b460-fbe654f7ad5c","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:19:08.8293677Z","updatedOn":"2021-06-04T07:19:08.8293677Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/d972f611-a4bd-4b80-9e78-980984602450","type":"Microsoft.Authorization/roleAssignments","name":"d972f611-a4bd-4b80-9e78-980984602450"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"ab6b1184-ff37-4d3e-b460-fbe654f7ad5c","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:19:12.8400651Z","updatedOn":"2021-06-04T07:19:12.8400651Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/b9393755-f5ca-41ef-a631-fb62184c57a8","type":"Microsoft.Authorization/roleAssignments","name":"b9393755-f5ca-41ef-a631-fb62184c57a8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3ffa4e46-39a3-4002-9292-e2adf0d1a8c6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T09:14:15.2633798Z","updatedOn":"2021-06-04T09:14:15.2633798Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/094981c0-d59c-4f5b-9581-72c08da65454","type":"Microsoft.Authorization/roleAssignments","name":"094981c0-d59c-4f5b-9581-72c08da65454"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"3ffa4e46-39a3-4002-9292-e2adf0d1a8c6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T09:14:19.9554484Z","updatedOn":"2021-06-04T09:14:19.9554484Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/0cac59e0-0464-4bf6-9bef-f1fadc2b08f4","type":"Microsoft.Authorization/roleAssignments","name":"0cac59e0-0464-4bf6-9bef-f1fadc2b08f4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"93e2b483-3ffa-44f8-9965-fdb104b541a2","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-06-29T05:43:19.7216795Z","updatedOn":"2021-06-29T05:43:19.7216795Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c6aff8c2-08b1-5b1a-9c80-d91164226985","type":"Microsoft.Authorization/roleAssignments","name":"c6aff8c2-08b1-5b1a-9c80-d91164226985"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"4f285ac8-5610-4d2f-854c-bfa3d16a2679","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-11T06:55:02.4909144Z","updatedOn":"2021-07-11T06:55:02.4909144Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/0cec2ad2-d080-4126-a99f-f61c559b799c","type":"Microsoft.Authorization/roleAssignments","name":"0cec2ad2-d080-4126-a99f-f61c559b799c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"630db480-3ee6-47ec-ae72-5f917d466bad","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:16:28.8833400Z","updatedOn":"2021-07-13T10:16:28.8833400Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/37fe4b2d-0aca-4c27-8511-1e0d18063ec8","type":"Microsoft.Authorization/roleAssignments","name":"37fe4b2d-0aca-4c27-8511-1e0d18063ec8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"279982e7-46cf-4e40-9a3b-156c98285cb7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:18:48.5647062Z","updatedOn":"2021-07-13T10:18:48.5647062Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/7907f38d-57a7-431d-82d7-5dfa2ef0a628","type":"Microsoft.Authorization/roleAssignments","name":"7907f38d-57a7-431d-82d7-5dfa2ef0a628"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"790004d0-0112-41ad-92e8-95c464c34476","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:18:48.6068337Z","updatedOn":"2021-07-13T10:18:48.6068337Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8c9bda26-83c4-4d4c-b00b-c4b58301e539","type":"Microsoft.Authorization/roleAssignments","name":"8c9bda26-83c4-4d4c-b00b-c4b58301e539"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-21T06:38:43.9281998Z","updatedOn":"2021-07-21T06:38:43.9281998Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b553fa81-60dd-45d6-9781-8c2313d68b03","type":"Microsoft.Authorization/roleAssignments","name":"b553fa81-60dd-45d6-9781-8c2313d68b03"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:20.4258578Z","updatedOn":"2021-07-27T04:31:20.4258578Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/4b2f7b08-f9ef-4fc1-b9c4-2bb34fdef258","type":"Microsoft.Authorization/roleAssignments","name":"4b2f7b08-f9ef-4fc1-b9c4-2bb34fdef258"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:32.4566300Z","updatedOn":"2021-07-27T04:31:32.4566300Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8176bf09-8e96-448a-ab12-eeed360ecce2","type":"Microsoft.Authorization/roleAssignments","name":"8176bf09-8e96-448a-ab12-eeed360ecce2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:48.4577322Z","updatedOn":"2021-07-27T04:31:48.4577322Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/45949217-58cc-4c18-93f3-f4c90710ae2d","type":"Microsoft.Authorization/roleAssignments","name":"45949217-58cc-4c18-93f3-f4c90710ae2d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:20.8138038Z","updatedOn":"2021-07-27T10:13:20.8138038Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2382b52f-1ec5-430e-ae2a-74f9ed331ced","type":"Microsoft.Authorization/roleAssignments","name":"2382b52f-1ec5-430e-ae2a-74f9ed331ced"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:23.6551958Z","updatedOn":"2021-07-27T10:13:23.6551958Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e5863947-0b21-41b7-9997-c0dfc73eec29","type":"Microsoft.Authorization/roleAssignments","name":"e5863947-0b21-41b7-9997-c0dfc73eec29"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:29.6985440Z","updatedOn":"2021-07-27T10:13:29.6985440Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/28c1cefa-942f-44c5-a4d4-c33bb92abd45","type":"Microsoft.Authorization/roleAssignments","name":"28c1cefa-942f-44c5-a4d4-c33bb92abd45"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8039a424-299a-4014-8b22-4f6d6cc60065","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-11T07:08:31.9935560Z","updatedOn":"2021-08-11T07:08:31.9935560Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/69e0bcfc-b024-4d8b-a3d5-dac447f8986c","type":"Microsoft.Authorization/roleAssignments","name":"69e0bcfc-b024-4d8b-a3d5-dac447f8986c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"8f0340b8-4b70-412b-be19-c4612d49e353","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-20T11:58:29.6857641Z","updatedOn":"2021-08-20T11:58:29.6857641Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fd88236f-eacb-5303-912f-ba1741cf02bd","type":"Microsoft.Authorization/roleAssignments","name":"fd88236f-eacb-5303-912f-ba1741cf02bd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"0d8f6e68-d6c5-4a67-b6c4-3107609bbdbc","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-20T12:31:58.7980661Z","updatedOn":"2021-08-20T12:31:58.7980661Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/146f4a11-8712-583d-89eb-a7b8b82dbaa9","type":"Microsoft.Authorization/roleAssignments","name":"146f4a11-8712-583d-89eb-a7b8b82dbaa9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"e2072d83-2379-4f36-ab51-b5df7460c61e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-21T14:40:08.5987892Z","updatedOn":"2021-08-21T14:40:10.5055205Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/842af679-0b58-5eb5-b94c-ff59e4105d7e","type":"Microsoft.Authorization/roleAssignments","name":"842af679-0b58-5eb5-b94c-ff59e4105d7e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"0242778c-29df-4863-ac18-2fb8fd004135","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-08-30T06:31:52.6766200Z","updatedOn":"2021-08-30T06:31:52.6766200Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/f67c65e2-e609-4ffe-b504-294b00cbd2fd","type":"Microsoft.Authorization/roleAssignments","name":"f67c65e2-e609-4ffe-b504-294b00cbd2fd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"0242778c-29df-4863-ac18-2fb8fd004135","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-08-30T06:31:57.1552781Z","updatedOn":"2021-08-30T06:31:57.1552781Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/aaeab926-d6e2-4bb6-9e9e-0607e75cc75f","type":"Microsoft.Authorization/roleAssignments","name":"aaeab926-d6e2-4bb6-9e9e-0607e75cc75f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"2ab5fb95-b72e-4d12-948b-4223754d8ffa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-09-08T08:24:19.3547440Z","updatedOn":"2021-09-08T08:24:19.3547440Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/43ee13b8-5abd-51e0-88e3-ae84049da70e","type":"Microsoft.Authorization/roleAssignments","name":"43ee13b8-5abd-51e0-88e3-ae84049da70e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-17T09:41:38.5634940Z","updatedOn":"2021-09-17T09:41:38.5634940Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":"for + temp testing purpose"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/98fe0117-1e9c-4e37-b8a7-c4a1031d6916","type":"Microsoft.Authorization/roleAssignments","name":"98fe0117-1e9c-4e37-b8a7-c4a1031d6916"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"9c973a07-b207-473c-9687-bd693ba8e460","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-25T15:23:32.6168771Z","updatedOn":"2021-09-25T15:23:32.6168771Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/d852f084-bc9f-4258-9e2c-fcf48b9eaf85","type":"Microsoft.Authorization/roleAssignments","name":"d852f084-bc9f-4258-9e2c-fcf48b9eaf85"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"2778738c-452b-45ca-b8d6-f085836a1458","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-30T07:51:25.2399474Z","updatedOn":"2021-09-30T07:51:25.2399474Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b04a3bdf-b6a6-5ffb-9394-ee5743741597","type":"Microsoft.Authorization/roleAssignments","name":"b04a3bdf-b6a6-5ffb-9394-ee5743741597"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"0ac1f52a-325b-486a-a095-f46ffdd6a9e4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-10-26T01:59:18.6998395Z","updatedOn":"2021-10-26T01:59:18.6998395Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/53a3b238-b4b0-4d3f-b416-8d6dc8d755f6","type":"Microsoft.Authorization/roleAssignments","name":"53a3b238-b4b0-4d3f-b416-8d6dc8d755f6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"c3c0d020-16f0-44d8-9950-0250120a33ff","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-02T06:11:03.5575284Z","updatedOn":"2021-11-02T06:11:03.5575284Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/1d017732-f67e-5aa1-a4a6-47570078d9f3","type":"Microsoft.Authorization/roleAssignments","name":"1d017732-f67e-5aa1-a4a6-47570078d9f3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-10T08:59:19.7285159Z","updatedOn":"2021-11-10T08:59:19.7285159Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a60357fa-dc0a-4479-a2a9-4329c2d0ae89","type":"Microsoft.Authorization/roleAssignments","name":"a60357fa-dc0a-4479-a2a9-4329c2d0ae89"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8dd77695-d6a5-450d-a43c-67ca01be9fbc","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-12T10:55:38.3698246Z","updatedOn":"2021-11-12T10:55:38.3698246Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/dda5bb75-b74a-4430-975f-5bc9611c4b2d","type":"Microsoft.Authorization/roleAssignments","name":"dda5bb75-b74a-4430-975f-5bc9611c4b2d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/36243c78-bf99-498c-9df9-86d9f8d28608","principalId":"2152c794-9ca2-41fe-a313-2d0e1ee3eb80","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-18T06:28:12.0181010Z","updatedOn":"2021-02-18T06:28:12.0181010Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/804f6223-03eb-4091-b460-82160fc5f818","type":"Microsoft.Authorization/roleAssignments","name":"804f6223-03eb-4091-b460-82160fc5f818"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"2152c794-9ca2-41fe-a313-2d0e1ee3eb80","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-18T06:28:12.0168587Z","updatedOn":"2021-02-18T06:28:12.0168587Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8d80e2d6-315c-495c-ab2c-91ddf75edf41","type":"Microsoft.Authorization/roleAssignments","name":"8d80e2d6-315c-495c-ab2c-91ddf75edf41"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"cf46d636-b6c1-406c-aba7-b2c3d9ed07da","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-26T13:53:53.1151640Z","updatedOn":"2021-02-26T13:53:53.1151640Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/735e98ed-f4b8-4b7d-9cc9-af4f8ae77252","type":"Microsoft.Authorization/roleAssignments","name":"735e98ed-f4b8-4b7d-9cc9-af4f8ae77252"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8505e3f4-1ee7-427c-a175-a06595231d46","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-26T13:54:27.5624477Z","updatedOn":"2021-02-26T13:54:27.5624477Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/98c87a9f-b9e7-414b-8b59-bf3ec62dbc74","type":"Microsoft.Authorization/roleAssignments","name":"98c87a9f-b9e7-414b-8b59-bf3ec62dbc74"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-25T12:25:27.2277610Z","updatedOn":"2020-07-25T12:25:27.2277610Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fd6b8ff4-9edb-43f5-aa2a-32133fa09b1d","type":"Microsoft.Authorization/roleAssignments","name":"fd6b8ff4-9edb-43f5-aa2a-32133fa09b1d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"21ae6127-c385-4ae0-b895-a8559e9aa574","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-31T08:35:35.2993523Z","updatedOn":"2020-07-31T08:35:35.2993523Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/6af9fbf3-7085-4bcb-b399-88b89fac16d3","type":"Microsoft.Authorization/roleAssignments","name":"6af9fbf3-7085-4bcb-b399-88b89fac16d3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"1e845bc3-37db-4639-be09-d0cf1e448221","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-31T08:44:16.2909420Z","updatedOn":"2020-07-31T08:44:16.2909420Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/65080390-e9b5-4566-b362-d1e96c23dae2","type":"Microsoft.Authorization/roleAssignments","name":"65080390-e9b5-4566-b362-d1e96c23dae2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-11-03T06:12:01.6760584Z","updatedOn":"2020-11-03T06:12:01.6760584Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a7a12420-2dce-4a47-822e-68cadf239da3","type":"Microsoft.Authorization/roleAssignments","name":"a7a12420-2dce-4a47-822e-68cadf239da3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3282af51-433d-47e8-b2b5-633fbe0fecc0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-11-03T06:25:32.6790913Z","updatedOn":"2020-11-03T06:25:32.6790913Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/36da831d-10ce-4f42-ba28-362960f6ea36","type":"Microsoft.Authorization/roleAssignments","name":"36da831d-10ce-4f42-ba28-362960f6ea36"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-10-04T07:35:39.6626948Z","updatedOn":"2019-10-04T07:35:39.6626948Z","createdBy":"8031e009-cc05-4950-8a8d-78942c4492ac","updatedBy":"8031e009-cc05-4950-8a8d-78942c4492ac","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/730fa65e-c74c-4c3d-9cc3-9457f9b97274","type":"Microsoft.Authorization/roleAssignments","name":"730fa65e-c74c-4c3d-9cc3-9457f9b97274"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-04-08T01:03:29.8241478Z","updatedOn":"2021-04-08T01:03:29.8241478Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/63818ccb-a05c-4083-9e1d-64b4c7c0e1cd","type":"Microsoft.Authorization/roleAssignments","name":"63818ccb-a05c-4083-9e1d-64b4c7c0e1cd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"c87d9afe-4463-41d5-81e3-3bd162af9183","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-07-10T09:38:17.4348497Z","updatedOn":"2019-07-10T09:38:17.4348497Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/ebc56c6d-c5de-4d99-b166-89d4ac815acd","type":"Microsoft.Authorization/roleAssignments","name":"ebc56c6d-c5de-4d99-b166-89d4ac815acd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-03-15T11:01:18.6794974Z","updatedOn":"2019-03-15T11:01:18.6794974Z","createdBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","updatedBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/9fb9b151-1d53-4eff-9336-75cf634e1e3d","type":"Microsoft.Authorization/roleAssignments","name":"9fb9b151-1d53-4eff-9336-75cf634e1e3d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f87f6638-3a1b-4562-8603-aacd59537149","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-05-03T06:47:05.1411825Z","updatedOn":"2019-05-03T06:47:05.1411825Z","createdBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","updatedBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/24ffbb29-061f-4b1d-8c26-c6e90ef53303","type":"Microsoft.Authorization/roleAssignments","name":"24ffbb29-061f-4b1d-8c26-c6e90ef53303"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"becb4b6b-fe16-413b-a5c3-90355e0b2982","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-06-26T06:33:50.1123976Z","updatedOn":"2019-06-26T06:33:50.1123976Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/4c3721e8-06f4-4115-a2d8-90c4a9a57d56","type":"Microsoft.Authorization/roleAssignments","name":"4c3721e8-06f4-4115-a2d8-90c4a9a57d56"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-04-07T16:59:19.6098216Z","updatedOn":"2021-04-07T16:59:19.6098216Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/9d2de631-e451-450b-8237-e5bc19624eee","type":"Microsoft.Authorization/roleAssignments","name":"9d2de631-e451-450b-8237-e5bc19624eee"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"b1b96a90-235c-4668-a931-ee1c08db7681","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-02-01T04:47:38.5676012Z","updatedOn":"2021-02-01T04:47:38.5676012Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/a9e38032-c21b-4c41-8960-1c9c982d98e2","type":"Microsoft.Authorization/roleAssignments","name":"a9e38032-c21b-4c41-8960-1c9c982d98e2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a51d0ef9-9895-4b63-b3f8-354bb7d1a6bb","principalType":"Group","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-03-03T05:31:57.4716459Z","updatedOn":"2021-03-03T05:31:57.4716459Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/77aa0ff2-42c2-4e01-a51d-01cf2dd7ce04","type":"Microsoft.Authorization/roleAssignments","name":"77aa0ff2-42c2-4e01-a51d-01cf2dd7ce04"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"ce2366a6-64d7-441b-939c-c9d23f91cccd","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47","condition":null,"conditionVersion":null,"createdOn":"2020-03-12T20:43:06.5941189Z","updatedOn":"2020-03-12T20:43:06.5941189Z","createdBy":"606f48c8-d219-4875-991d-ae6befaf0756","updatedBy":"606f48c8-d219-4875-991d-ae6befaf0756","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47/providers/Microsoft.Authorization/roleAssignments/ad9e2cd7-0ff7-4931-9b17-656c8f17934b","type":"Microsoft.Authorization/roleAssignments","name":"ad9e2cd7-0ff7-4931-9b17-656c8f17934b"}]}' headers: cache-control: - no-cache content-length: - - '85765' + - '109973' content-type: - application/json; charset=utf-8 date: - - Mon, 13 Feb 2023 07:39:41 GMT + - Mon, 05 Sep 2022 11:49:47 GMT expires: - '-1' pragma: @@ -7485,32 +3572,34 @@ interactions: Cookie: - x-ms-gateway-slice=Production ParameterSetName: - - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance - --keyvault-id --yes + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes User-Agent: - - python/3.10.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 - azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.45.0 (PIP) + - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 + Azure-SDK-For-Python AZURECLI/2.39.0 accept-language: - en-US method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Reader%27&api-version=2018-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Disk%20Snapshot%20Contributor%27&api-version=2018-01-01-preview response: body: - string: '{"value":[{"properties":{"roleName":"Reader","type":"BuiltInRole","description":"View - all resources, but does not allow you to make any changes.","assignableScopes":["/"],"permissions":[{"actions":["*/read"],"notActions":[],"dataActions":[],"notDataActions":[]}],"createdOn":"2015-02-02T21:55:09.8806423Z","updatedOn":"2021-11-11T20:13:47.8628684Z","createdBy":null,"updatedBy":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","type":"Microsoft.Authorization/roleDefinitions","name":"acdd72a7-3385-48ef-bd42-f606fba81ae7"}]}' + string: '{"value":[{"properties":{"roleName":"Disk Snapshot Contributor","type":"BuiltInRole","description":"Provides + permission to backup vault to manage disk snapshots.","assignableScopes":["/"],"permissions":[{"actions":["Microsoft.Authorization/*/read","Microsoft.Resources/subscriptions/resourceGroups/read","Microsoft.Compute/snapshots/delete","Microsoft.Compute/snapshots/write","Microsoft.Compute/snapshots/read","Microsoft.Compute/snapshots/beginGetAccess/action","Microsoft.Compute/snapshots/endGetAccess/action","Microsoft.Compute/disks/beginGetAccess/action","Microsoft.Storage/storageAccounts/listkeys/action","Microsoft.Storage/storageAccounts/write","Microsoft.Storage/storageAccounts/read","Microsoft.Storage/storageAccounts/delete"],"notActions":[],"dataActions":[],"notDataActions":[]}],"createdOn":"2020-12-15T12:18:51.4471411Z","updatedOn":"2021-11-11T20:14:56.9158814Z","createdBy":null,"updatedBy":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","type":"Microsoft.Authorization/roleDefinitions","name":"7efff54f-a5b4-42b5-a1c5-5411624893ce"}]}' headers: cache-control: - no-cache content-length: - - '627' + - '1160' content-type: - application/json; charset=utf-8 date: - - Mon, 13 Feb 2023 07:39:42 GMT + - Mon, 05 Sep 2022 11:49:47 GMT expires: - '-1' pragma: - no-cache + set-cookie: + - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -7526,5212 +3615,51 @@ interactions: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - dataprotection backup-instance update-msi-permissions Connection: - keep-alive - Cookie: - - x-ms-gateway-slice=Production ParameterSetName: - - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance - --keyvault-id --yes + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes User-Agent: - - python/3.10.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 - azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.45.0 (PIP) - accept-language: - - en-US + - python/3.8.5 (Windows-10-10.0.22000-SP0) AZURECLI/2.39.0 method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/providers/Microsoft.Authorization/roleDefinitions?api-version=2018-01-01-preview + uri: https://graph.microsoft.com/v1.0/servicePrincipals?$filter=servicePrincipalNames%2Fany%28c%3Ac%20eq%20%27f41bd262-eb21-47f1-9706-f12132d865e3%27%29 response: body: - string: "{\"value\":[{\"properties\":{\"roleName\":\"Avere Cluster Create\"\ - ,\"type\":\"CustomRole\",\"description\":\"Avere cluster create role used\ - \ by the Avere controller to create a vFXT cluster.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Authorization/roleAssignments/*\",\"Microsoft.Authorization/roleDefinitions/*\"\ - ,\"Microsoft.Compute/*/read\",\"Microsoft.Compute/availabilitySets/*\",\"\ - Microsoft.Compute/virtualMachines/*\",\"Microsoft.Network/*/read\",\"Microsoft.Network/networkInterfaces/*\"\ - ,\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/virtualNetworks/subnets/read\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/resourceGroups/resources/read\"\ - ,\"Microsoft.Storage/*/read\",\"Microsoft.Storage/storageAccounts/listKeys/action\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2018-11-29T18:46:55.0492387Z\",\"updatedOn\":\"2018-11-29T18:46:55.0492387Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a7b1b19a-0e83-4fe5-935c-faaefbfd18c3\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a7b1b19a-0e83-4fe5-935c-faaefbfd18c3\"\ - },{\"properties\":{\"roleName\":\"Avere Cluster Runtime Operator\",\"type\"\ - :\"CustomRole\",\"description\":\"Avere cluster runtime role used by Avere\ - \ clusters running in subscriptions, for the purpose of failing over IP addresses,\ - \ accessing BLOB storage, etc\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Network/networkInterfaces/read\"\ - ,\"Microsoft.Network/networkInterfaces/write\",\"Microsoft.Network/virtualNetworks/subnets/read\"\ - ,\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/networkSecurityGroups/join/action\"\ - ,\"Microsoft.Network/routeTables/read\",\"Microsoft.Network/routeTables/routes/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/delete\"\ - ,\"Microsoft.Storage/storageAccounts/blobServices/containers/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/write\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/delete\"\ - ,\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/read\"\ - ,\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/write\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2018-08-26T00:41:26.2170858Z\",\"\ - updatedOn\":\"2018-08-26T00:41:26.2170858Z\",\"createdBy\":\"dda50086-5e3d-4a4b-b8bc-f54771104d89\"\ - ,\"updatedBy\":\"dda50086-5e3d-4a4b-b8bc-f54771104d89\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e078ab98-ef3a-4c9a-aba7-12f5172b45d0\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e078ab98-ef3a-4c9a-aba7-12f5172b45d0\"\ - },{\"properties\":{\"roleName\":\"Azure Service Deploy Release Management\ - \ Contributor\",\"type\":\"CustomRole\",\"description\":\"Contributor role\ - \ for services deploying through Azure Service Deploy.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"*\"],\"notActions\":[\"Microsoft.Authorization/*/Delete\"\ - ,\"Microsoft.Authorization/*/Write\"],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2016-02-04T02:26:31.5413362Z\",\"updatedOn\":\"2018-01-08T20:20:16.3660174Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/21d96096-b162-414a-8302-d8354f9d91b2\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"21d96096-b162-414a-8302-d8354f9d91b2\"\ - },{\"properties\":{\"roleName\":\"CAL-Custom-Role\",\"type\":\"CustomRole\"\ - ,\"description\":\"Lets SAP Cloud Appliance Library application manage Network\ - \ and Compute services, manage Resource Groups and Management locks.\",\"\ - assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/locks/*\"\ - ,\"Microsoft.Authorization/roleDefinitions/*\",\"Microsoft.Authorization/roleAssignments/*\"\ - ,\"Microsoft.Compute/*\",\"Microsoft.Network/*\",\"Microsoft.Resources/*\"\ - ,\"Microsoft.Storage/*\",\"Microsoft.ContainerService/*\",\"Microsoft.ContainerRegistry/*\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2018-05-14T19:30:51.0664585Z\",\"updatedOn\":\"2019-02-19T19:11:57.5963229Z\"\ - ,\"createdBy\":\"dda50086-5e3d-4a4b-b8bc-f54771104d89\",\"updatedBy\":null},\"\ - id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7b266cd7-0bba-4ae2-8423-90ede5e1e898\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7b266cd7-0bba-4ae2-8423-90ede5e1e898\"\ - },{\"properties\":{\"roleName\":\"Dsms Role (deprecated)\",\"type\":\"CustomRole\"\ - ,\"description\":\"Custom role used by Dsms to perform operations. Can list\ - \ and regnerate storage account keys.\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.ClassicStorage/storageAccounts/listKeys/action\"\ - ,\"Microsoft.ClassicStorage/storageAccounts/regenerateKey/action\",\"Microsoft.Storage/storageAccounts/listkeys/action\"\ - ,\"Microsoft.Storage/storageAccounts/regeneratekey/action\"],\"notActions\"\ - :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-05-17T18:02:11.1225951Z\"\ - ,\"updatedOn\":\"2018-01-13T00:21:52.7211696Z\",\"createdBy\":\"ca5f3715-e7dd-427b-b2db-45b6a4a2df87\"\ - ,\"updatedBy\":\"ca5f3715-e7dd-427b-b2db-45b6a4a2df87\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b91f4c0b-46e3-47bb-a242-eecfe23b3b5b\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b91f4c0b-46e3-47bb-a242-eecfe23b3b5b\"\ - },{\"properties\":{\"roleName\":\"Dsms Role (do not use)\",\"type\":\"CustomRole\"\ - ,\"description\":\"Custom role used by Dsms to perform operations. Can list\ - \ and regnerate storage account keys.\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.ClassicStorage/storageAccounts/listKeys/action\"\ - ,\"Microsoft.ClassicStorage/storageAccounts/regenerateKey/action\",\"Microsoft.Storage/storageAccounts/listkeys/action\"\ - ,\"Microsoft.Storage/storageAccounts/regeneratekey/action\"],\"notActions\"\ - :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-02-01T07:56:12.5880222Z\"\ - ,\"updatedOn\":\"2018-08-09T17:53:48.5432297Z\",\"createdBy\":\"becb4b6b-fe16-413b-a5c3-90355e0b2982\"\ - ,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7aff565e-6c55-448d-83db-ccf482c6da2f\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7aff565e-6c55-448d-83db-ccf482c6da2f\"\ - },{\"properties\":{\"roleName\":\"ExpressRoute Administrator\",\"type\":\"\ - CustomRole\",\"description\":\"Can create, delete and manage ExpressRoutes\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/locks/*\"\ - ,\"Microsoft.Authorization/policyAssignments/*\",\"Microsoft.Authorization/policyDefinitions/*\"\ - ,\"Microsoft.Authorization/roleAssignments/*\",\"Microsoft.ClassicNetwork/*\"\ - ,\"Microsoft.EventGrid/*\",\"Microsoft.Insights/*\",\"Microsoft.Network/*\"\ - ,\"Microsoft.Resources/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2018-08-31T03:51:32.2843055Z\",\"updatedOn\":\"2019-03-20T22:55:18.8222085Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a48d7896-14b4-4889-afef-fbb65a96e5a2\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a48d7896-14b4-4889-afef-fbb65a96e5a2\"\ - },{\"properties\":{\"roleName\":\"GenevaWarmPathResourceContributor\",\"type\"\ - :\"CustomRole\",\"description\":\"Can manage service bus and storage accounts.\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.EventHub/namespaces/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/*\",\"Microsoft.ServiceBus/namespaces/*\"\ - ,\"Microsoft.Storage/storageAccounts/*\",\"Microsoft.Storage/storageAccounts/managementPolicies/write\"\ - ,\"Microsoft.Storage/storageAccounts/managementPolicies/read\",\"Microsoft.Storage/storageAccounts/managementPolicies/delete\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2017-03-14T22:30:10.1999436Z\",\"updatedOn\":\"2022-02-28T23:26:40.0052537Z\"\ - ,\"createdBy\":null,\"updatedBy\":\"acis\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9f15f5f5-77bd-413a-aa88-4b9c68b1e7bc\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"9f15f5f5-77bd-413a-aa88-4b9c68b1e7bc\"\ - },{\"properties\":{\"roleName\":\"masterreader\",\"type\":\"CustomRole\",\"\ - description\":\"Lets you view everything, but not make any changes.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"*/read\"],\"notActions\":[],\"dataActions\"\ - :[],\"notDataActions\":[]}],\"createdOn\":\"2017-11-14T23:38:05.3353858Z\"\ - ,\"updatedOn\":\"2017-11-14T23:38:05.3353858Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a48d7796-14b4-4889-afef-fbb65a93e5a2\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a48d7796-14b4-4889-afef-fbb65a93e5a2\"\ - },{\"properties\":{\"roleName\":\"Microsoft OneAsset Reader\",\"type\":\"\ - CustomRole\",\"description\":\"This role is for Microsoft OneAsset team (CSEO)\ - \ to track internal security compliance and resource utilization.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/virtualMachines/*/read\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2019-03-27T23:51:08.6333052Z\",\"updatedOn\":\"2019-04-02T20:35:43.3396263Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fd1bb084-1503-4bd2-99c0-630220046786\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fd1bb084-1503-4bd2-99c0-630220046786\"\ - },{\"properties\":{\"roleName\":\"Office DevOps\",\"type\":\"CustomRole\"\ - ,\"description\":\"Custom access for developers to operations but not secrets.\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/virtualMachineScaleSets/restart/action\"\ - ,\"Microsoft.Compute/virtualMachineScaleSets/virtualMachines/restart/action\"\ - ,\"Microsoft.Sql/servers/databases/replicationLinks/delete\",\"Microsoft.Sql/servers/databases/replicationLinks/failover/action\"\ - ,\"Microsoft.Sql/servers/databases/replicationLinks/forceFailoverAllowDataLoss/action\"\ - ,\"Microsoft.Sql/servers/databases/replicationLinks/operationResults/read\"\ - ,\"Microsoft.Sql/servers/databases/replicationLinks/read\",\"Microsoft.Sql/servers/databases/replicationLinks/unlink/action\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2016-10-07T08:11:46.1639398Z\",\"updatedOn\":\"2017-03-16T18:43:08.3234306Z\"\ - ,\"createdBy\":\"25aea6be-b605-4347-a92d-33e178e412ec\",\"updatedBy\":\"25aea6be-b605-4347-a92d-33e178e412ec\"\ - },\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7fd64851-3279-459b-b614-e2b2ba760f5b\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7fd64851-3279-459b-b614-e2b2ba760f5b\"\ - },{\"properties\":{\"roleName\":\"GenevaWarmPathStorageBlobContributor\",\"\ - type\":\"CustomRole\",\"description\":\"Geneva Warm Path Storage Blob Contributor\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/delete\"\ - ,\"Microsoft.Storage/storageAccounts/blobServices/containers/lease/action\"\ - ,\"Microsoft.Storage/storageAccounts/blobServices/containers/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/write\"\ - ,\"Microsoft.Storage/storageAccounts/blobServices/containers/immutabilityPolicies/lock/action\"\ - ,\"Microsoft.Storage/storageAccounts/blobServices/containers/immutabilityPolicies/read\"\ - ,\"Microsoft.Storage/storageAccounts/blobServices/containers/immutabilityPolicies/write\"\ - ,\"Microsoft.Storage/storageAccounts/blobServices/containers/immutabilityPolicies/extend/action\"\ - ,\"Microsoft.Storage/storageAccounts/blobServices/containers/immutabilityPolicies/delete\"\ - ,\"Microsoft.Storage/storageAccounts/managementPolicies/write\",\"Microsoft.Storage/storageAccounts/managementPolicies/read\"\ - ,\"Microsoft.Storage/storageAccounts/managementPolicies/delete\"],\"notActions\"\ - :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-12-06T22:46:27.1365630Z\"\ - ,\"updatedOn\":\"2022-02-28T23:26:40.4152515Z\",\"createdBy\":null,\"updatedBy\"\ - :\"acis\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a16c43ca-2d67-4dcd-9ded-6412f5edc51a\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a16c43ca-2d67-4dcd-9ded-6412f5edc51a\"\ - },{\"properties\":{\"roleName\":\"Azure Service Deploy Release Management\ - \ Restricted Owner\",\"type\":\"CustomRole\",\"description\":\"Restricted\ - \ owner role for services deploying through Azure Service Deploy.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"*\"],\"notActions\":[\"Microsoft.Authorization/*/Delete\"\ - ,\"Microsoft.Authorization/*/Write\"],\"dataActions\":[],\"notDataActions\"\ - :[]},{\"actions\":[\"Microsoft.Authorization/roleAssignments/write\"],\"notActions\"\ - :[],\"dataActions\":[],\"notDataActions\":[]},{\"actions\":[\"Microsoft.Authorization/locks/write\"\ - ,\"Microsoft.Authorization/policyassignments/write\",\"Microsoft.Authorization/policydefinitions/write\"\ - ,\"Microsoft.Authorization/policysetdefinitions/write\"],\"notActions\":[],\"\ - dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-03-07T22:16:06.8803898Z\"\ - ,\"updatedOn\":\"2022-03-07T22:16:06.8803898Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/94ddc4bc-25f5-4f3e-b527-c587da93cfe4\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"94ddc4bc-25f5-4f3e-b527-c587da93cfe4\"\ - },{\"properties\":{\"roleName\":\"Azure Service Deploy Test Release Management\ - \ Key Vault Secrets User\",\"type\":\"CustomRole\",\"description\":\"Read\ - \ secret and certificate contents. Only works for key vaults that use the\ - \ 'Azure role-based access control' permission model.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\"\ - :[\"Microsoft.KeyVault/vaults/secrets/getSecret/action\",\"Microsoft.KeyVault/vaults/certificates/read\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2022-07-20T22:52:19.9944274Z\",\"\ - updatedOn\":\"2022-08-31T23:25:32.0649353Z\",\"createdBy\":\"19669f00-ee56-44ec-94c3-83159a41292e\"\ - ,\"updatedBy\":\"19669f00-ee56-44ec-94c3-83159a41292e\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/87d31636-ad85-4caa-802d-1535972b5612\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"87d31636-ad85-4caa-802d-1535972b5612\"\ - },{\"properties\":{\"roleName\":\"Azure Service Deploy Release Management\ - \ Key Vault Secrets User\",\"type\":\"CustomRole\",\"description\":\"Read\ - \ secret and certificate contents. Only works for key vaults that use the\ - \ 'Azure role-based access control' permission model.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\"\ - :[\"Microsoft.KeyVault/vaults/secrets/getSecret/action\",\"Microsoft.KeyVault/vaults/certificates/read\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2022-08-02T21:14:21.3331588Z\",\"\ - updatedOn\":\"2022-09-10T00:44:34.5904437Z\",\"createdBy\":\"19669f00-ee56-44ec-94c3-83159a41292e\"\ - ,\"updatedBy\":\"19669f00-ee56-44ec-94c3-83159a41292e\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/260691e6-68c2-47cf-bd4a-97d5fd4dbcd5\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"260691e6-68c2-47cf-bd4a-97d5fd4dbcd5\"\ - },{\"properties\":{\"roleName\":\"Owner\",\"type\":\"BuiltInRole\",\"description\"\ - :\"Grants full access to manage all resources, including the ability to assign\ - \ roles in Azure RBAC.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ - actions\":[\"*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:45.8978856Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8e3af657-a8ff-443c-a75c-2fe8c4bcb635\"\ - },{\"properties\":{\"roleName\":\"AcrPush\",\"type\":\"BuiltInRole\",\"description\"\ - :\"acr push\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"\ - Microsoft.ContainerRegistry/registries/pull/read\",\"Microsoft.ContainerRegistry/registries/push/write\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2018-10-29T17:52:32.5201177Z\",\"updatedOn\":\"2021-11-11T20:13:07.4993029Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8311e382-0749-4cb8-b61a-304f252e45ec\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8311e382-0749-4cb8-b61a-304f252e45ec\"\ - },{\"properties\":{\"roleName\":\"API Management Service Contributor\",\"\ - type\":\"BuiltInRole\",\"description\":\"Can manage service and the APIs\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ApiManagement/service/*\"\ - ,\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"\ - Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2015-02-02T21:55:09.8650193Z\",\"updatedOn\":\"2021-11-11T20:13:08.3179618Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/312a565d-c81f-4fd8-895a-4e21e48d571c\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"312a565d-c81f-4fd8-895a-4e21e48d571c\"\ - },{\"properties\":{\"roleName\":\"AcrPull\",\"type\":\"BuiltInRole\",\"description\"\ - :\"acr pull\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"\ - Microsoft.ContainerRegistry/registries/pull/read\"],\"notActions\":[],\"dataActions\"\ - :[],\"notDataActions\":[]}],\"createdOn\":\"2018-10-22T19:01:56.8227182Z\"\ - ,\"updatedOn\":\"2021-11-11T20:13:08.8779328Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7f951dda-4ed3-4680-a7ca-43fe172d538d\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7f951dda-4ed3-4680-a7ca-43fe172d538d\"\ - },{\"properties\":{\"roleName\":\"AcrImageSigner\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"acr image signer\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.ContainerRegistry/registries/sign/write\"],\"\ - notActions\":[],\"dataActions\":[\"Microsoft.ContainerRegistry/registries/trustedCollections/write\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2018-03-15T23:23:08.4038322Z\",\"\ - updatedOn\":\"2021-11-11T20:13:09.6070759Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6cef56e8-d556-48e5-a04f-b8e64114680f\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6cef56e8-d556-48e5-a04f-b8e64114680f\"\ - },{\"properties\":{\"roleName\":\"AcrDelete\",\"type\":\"BuiltInRole\",\"\ - description\":\"acr delete\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.ContainerRegistry/registries/artifacts/delete\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2019-03-11T20:19:31.6682804Z\",\"updatedOn\":\"2021-11-11T20:13:09.9631744Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c2f4ef07-c644-48eb-af81-4b1b4947fb11\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c2f4ef07-c644-48eb-af81-4b1b4947fb11\"\ - },{\"properties\":{\"roleName\":\"AcrQuarantineReader\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"acr quarantine data reader\",\"assignableScopes\":[\"/\"\ - ],\"permissions\":[{\"actions\":[\"Microsoft.ContainerRegistry/registries/quarantine/read\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerRegistry/registries/quarantinedArtifacts/read\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2018-03-16T00:27:39.9596835Z\",\"\ - updatedOn\":\"2021-11-11T20:13:10.3188052Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/cdda3590-29a3-44f6-95f2-9f980659eb04\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"cdda3590-29a3-44f6-95f2-9f980659eb04\"\ - },{\"properties\":{\"roleName\":\"AcrQuarantineWriter\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"acr quarantine data writer\",\"assignableScopes\":[\"/\"\ - ],\"permissions\":[{\"actions\":[\"Microsoft.ContainerRegistry/registries/quarantine/read\"\ - ,\"Microsoft.ContainerRegistry/registries/quarantine/write\"],\"notActions\"\ - :[],\"dataActions\":[\"Microsoft.ContainerRegistry/registries/quarantinedArtifacts/read\"\ - ,\"Microsoft.ContainerRegistry/registries/quarantinedArtifacts/write\"],\"\ - notDataActions\":[]}],\"createdOn\":\"2018-03-16T00:26:37.5871820Z\",\"updatedOn\"\ - :\"2021-11-11T20:13:11.3488079Z\",\"createdBy\":null,\"updatedBy\":null},\"\ - id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c8d4ff99-41c3-41a8-9f60-21dfdad59608\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c8d4ff99-41c3-41a8-9f60-21dfdad59608\"\ - },{\"properties\":{\"roleName\":\"API Management Service Operator Role\",\"\ - type\":\"BuiltInRole\",\"description\":\"Can manage service but not the APIs\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ApiManagement/service/*/read\"\ - ,\"Microsoft.ApiManagement/service/backup/action\",\"Microsoft.ApiManagement/service/delete\"\ - ,\"Microsoft.ApiManagement/service/managedeployments/action\",\"Microsoft.ApiManagement/service/read\"\ - ,\"Microsoft.ApiManagement/service/restore/action\",\"Microsoft.ApiManagement/service/updatecertificate/action\"\ - ,\"Microsoft.ApiManagement/service/updatehostname/action\",\"Microsoft.ApiManagement/service/write\"\ - ,\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"\ - Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ - ],\"notActions\":[\"Microsoft.ApiManagement/service/users/keys/read\"],\"\ - dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-11-09T00:03:42.1194019Z\"\ - ,\"updatedOn\":\"2021-11-11T20:13:11.5244023Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e022efe7-f5ba-4159-bbe4-b44f577e9b61\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e022efe7-f5ba-4159-bbe4-b44f577e9b61\"\ - },{\"properties\":{\"roleName\":\"API Management Service Reader Role\",\"\ - type\":\"BuiltInRole\",\"description\":\"Read-only access to service and APIs\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ApiManagement/service/*/read\"\ - ,\"Microsoft.ApiManagement/service/read\",\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Support/*\"],\"notActions\":[\"Microsoft.ApiManagement/service/users/keys/read\"\ - ],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-11-09T00:26:45.1540473Z\"\ - ,\"updatedOn\":\"2021-11-11T20:13:11.8704466Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/71522526-b88f-4d52-b57f-d31fc3546d0d\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"71522526-b88f-4d52-b57f-d31fc3546d0d\"\ - },{\"properties\":{\"roleName\":\"Application Insights Component Contributor\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Can manage Application Insights\ - \ components\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"\ - Microsoft.Insights/generateLiveToken/read\",\"Microsoft.Insights/metricAlerts/*\"\ - ,\"Microsoft.Insights/components/*\",\"Microsoft.Insights/scheduledqueryrules/*\"\ - ,\"Microsoft.Insights/topology/read\",\"Microsoft.Insights/transactions/read\"\ - ,\"Microsoft.Insights/webtests/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:12.6428401Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ae349356-3a1b-4a5e-921d-050484c6347e\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ae349356-3a1b-4a5e-921d-050484c6347e\"\ - },{\"properties\":{\"roleName\":\"Application Insights Snapshot Debugger\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Gives user permission to use Application\ - \ Insights Snapshot Debugger features\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\"\ - ,\"Microsoft.Insights/components/*/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2017-04-19T21:25:12.3728747Z\",\"updatedOn\":\"2021-11-11T20:13:13.0034435Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/08954f03-6346-4c2e-81c0-ec3a5cfae23b\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"08954f03-6346-4c2e-81c0-ec3a5cfae23b\"\ - },{\"properties\":{\"roleName\":\"Attestation Reader\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Can read the attestation provider properties\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Attestation/attestationProviders/attestation/read\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2019-03-25T19:42:59.1576710Z\",\"updatedOn\":\"2021-11-11T20:13:13.3634724Z\"\ - ,\"createdBy\":null,\"updatedBy\":\"SYSTEM\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fd1bd22b-8476-40bc-a0bc-69b95687b9f3\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fd1bd22b-8476-40bc-a0bc-69b95687b9f3\"\ - },{\"properties\":{\"roleName\":\"Automation Job Operator\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Create and Manage Jobs using Automation Runbooks.\",\"\ - assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Automation/automationAccounts/hybridRunbookWorkerGroups/read\"\ - ,\"Microsoft.Automation/automationAccounts/jobs/read\",\"Microsoft.Automation/automationAccounts/jobs/resume/action\"\ - ,\"Microsoft.Automation/automationAccounts/jobs/stop/action\",\"Microsoft.Automation/automationAccounts/jobs/streams/read\"\ - ,\"Microsoft.Automation/automationAccounts/jobs/suspend/action\",\"Microsoft.Automation/automationAccounts/jobs/write\"\ - ,\"Microsoft.Automation/automationAccounts/jobs/output/read\",\"Microsoft.Insights/alertRules/*\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2017-04-19T20:52:41.0020018Z\",\"updatedOn\":\"2021-11-11T20:13:13.7065660Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4fe576fe-1146-4730-92eb-48519fa6bf9f\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4fe576fe-1146-4730-92eb-48519fa6bf9f\"\ - },{\"properties\":{\"roleName\":\"Automation Runbook Operator\",\"type\":\"\ - BuiltInRole\",\"description\":\"Read Runbook properties - to be able to create\ - \ Jobs of the runbook.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ - actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Automation/automationAccounts/runbooks/read\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2017-04-19T20:47:49.5640674Z\",\"updatedOn\":\"2021-11-11T20:13:13.8815461Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5fb5aef8-1081-4b8e-bb16-9d5d0385bab5\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5fb5aef8-1081-4b8e-bb16-9d5d0385bab5\"\ - },{\"properties\":{\"roleName\":\"Automation Operator\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Automation Operators are able to start, stop, suspend,\ - \ and resume jobs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.Authorization/*/read\",\"Microsoft.Automation/automationAccounts/hybridRunbookWorkerGroups/read\"\ - ,\"Microsoft.Automation/automationAccounts/jobs/read\",\"Microsoft.Automation/automationAccounts/jobs/resume/action\"\ - ,\"Microsoft.Automation/automationAccounts/jobs/stop/action\",\"Microsoft.Automation/automationAccounts/jobs/streams/read\"\ - ,\"Microsoft.Automation/automationAccounts/jobs/suspend/action\",\"Microsoft.Automation/automationAccounts/jobs/write\"\ - ,\"Microsoft.Automation/automationAccounts/jobSchedules/read\",\"Microsoft.Automation/automationAccounts/jobSchedules/write\"\ - ,\"Microsoft.Automation/automationAccounts/linkedWorkspace/read\",\"Microsoft.Automation/automationAccounts/read\"\ - ,\"Microsoft.Automation/automationAccounts/runbooks/read\",\"Microsoft.Automation/automationAccounts/schedules/read\"\ - ,\"Microsoft.Automation/automationAccounts/schedules/write\",\"Microsoft.Insights/alertRules/*\"\ - ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Automation/automationAccounts/jobs/output/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2015-08-18T01:05:03.3916130Z\",\"updatedOn\":\"2021-11-11T20:13:14.0515408Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d3881f73-407a-4167-8283-e981cbba0404\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d3881f73-407a-4167-8283-e981cbba0404\"\ - },{\"properties\":{\"roleName\":\"Avere Contributor\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Can create and manage an Avere vFXT cluster.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Compute/*/read\",\"Microsoft.Compute/availabilitySets/*\",\"\ - Microsoft.Compute/proximityPlacementGroups/*\",\"Microsoft.Compute/virtualMachines/*\"\ - ,\"Microsoft.Compute/disks/*\",\"Microsoft.Network/*/read\",\"Microsoft.Network/networkInterfaces/*\"\ - ,\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/subnets/read\"\ - ,\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/virtualNetworks/subnets/joinViaServiceEndpoint/action\"\ - ,\"Microsoft.Network/networkSecurityGroups/join/action\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Storage/*/read\",\"Microsoft.Storage/storageAccounts/*\",\"Microsoft.Support/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/resources/read\"],\"notActions\"\ - :[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/delete\"\ - ,\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/read\"\ - ,\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/write\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2019-03-18T20:00:58.9207889Z\",\"\ - updatedOn\":\"2021-11-11T20:13:14.2265665Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4f8fab4f-1852-4a58-a46a-8eaf358af14a\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4f8fab4f-1852-4a58-a46a-8eaf358af14a\"\ - },{\"properties\":{\"roleName\":\"Avere Operator\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Used by the Avere vFXT cluster to manage the cluster\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/virtualMachines/read\"\ - ,\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Network/networkInterfaces/write\"\ - ,\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/subnets/read\"\ - ,\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/networkSecurityGroups/join/action\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/delete\"\ - ,\"Microsoft.Storage/storageAccounts/blobServices/containers/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/write\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/delete\"\ - ,\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/read\"\ - ,\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/write\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2019-03-18T20:02:38.3399857Z\",\"\ - updatedOn\":\"2021-11-11T20:13:15.1065886Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c025889f-8102-4ebf-b32c-fc0c6f0c6bd9\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c025889f-8102-4ebf-b32c-fc0c6f0c6bd9\"\ - },{\"properties\":{\"roleName\":\"Azure Kubernetes Service Cluster Admin Role\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"List cluster admin credential\ - \ action.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"\ - Microsoft.ContainerService/managedClusters/listClusterAdminCredential/action\"\ - ,\"Microsoft.ContainerService/managedClusters/accessProfiles/listCredential/action\"\ - ,\"Microsoft.ContainerService/managedClusters/read\",\"Microsoft.ContainerService/managedClusters/runcommand/action\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2018-08-15T21:38:18.5953853Z\",\"updatedOn\":\"2022-05-16T21:47:03.0625910Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0ab0b1a8-8aac-4efd-b8c2-3ee1fb270be8\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0ab0b1a8-8aac-4efd-b8c2-3ee1fb270be8\"\ - },{\"properties\":{\"roleName\":\"Azure Kubernetes Service Cluster User Role\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"List cluster user credential action.\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerService/managedClusters/listClusterUserCredential/action\"\ - ,\"Microsoft.ContainerService/managedClusters/read\"],\"notActions\":[],\"\ - dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-08-15T22:04:53.4037241Z\"\ - ,\"updatedOn\":\"2021-11-11T20:13:20.4351976Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4abbcc35-e782-43d8-92c5-2d3f1bd2253f\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4abbcc35-e782-43d8-92c5-2d3f1bd2253f\"\ - },{\"properties\":{\"roleName\":\"Azure Maps Data Reader\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Grants access to read map related data from an Azure maps\ - \ account.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"\ - notActions\":[],\"dataActions\":[\"Microsoft.Maps/accounts/*/read\"],\"notDataActions\"\ - :[]}],\"createdOn\":\"2018-10-05T19:47:03.4723070Z\",\"updatedOn\":\"2021-11-11T20:13:20.9582685Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/423170ca-a8f6-4b0f-8487-9e4eb8f49bfa\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"423170ca-a8f6-4b0f-8487-9e4eb8f49bfa\"\ - },{\"properties\":{\"roleName\":\"Azure Stack Registration Owner\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Lets you manage Azure Stack registrations.\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.AzureStack/edgeSubscriptions/read\"\ - ,\"Microsoft.AzureStack/registrations/products/*/action\",\"Microsoft.AzureStack/registrations/products/read\"\ - ,\"Microsoft.AzureStack/registrations/read\"],\"notActions\":[],\"dataActions\"\ - :[],\"notDataActions\":[]}],\"createdOn\":\"2017-11-13T23:42:06.2161827Z\"\ - ,\"updatedOn\":\"2021-11-11T20:13:23.2957820Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6f12a6df-dd06-4f3e-bcb1-ce8be600526a\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6f12a6df-dd06-4f3e-bcb1-ce8be600526a\"\ - },{\"properties\":{\"roleName\":\"Backup Contributor\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Lets you manage backup service,but can't create vaults\ - \ and give access to others\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Network/virtualNetworks/read\"\ - ,\"Microsoft.RecoveryServices/locations/*\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/operationResults/*\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/*\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/refreshContainers/action\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupJobs/*\",\"Microsoft.RecoveryServices/Vaults/backupJobsExport/action\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupOperationResults/*\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/*\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupProtectableItems/*\",\"Microsoft.RecoveryServices/Vaults/backupProtectedItems/*\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupProtectionContainers/*\",\"Microsoft.RecoveryServices/Vaults/backupSecurityPIN/*\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupUsageSummaries/read\",\"Microsoft.RecoveryServices/Vaults/certificates/*\"\ - ,\"Microsoft.RecoveryServices/Vaults/extendedInformation/*\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/monitoringConfigurations/*\",\"Microsoft.RecoveryServices/Vaults/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/registeredIdentities/*\",\"Microsoft.RecoveryServices/Vaults/usages/*\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.RecoveryServices/Vaults/backupstorageconfig/*\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupconfig/*\",\"Microsoft.RecoveryServices/Vaults/backupValidateOperation/action\"\ - ,\"Microsoft.RecoveryServices/Vaults/write\",\"Microsoft.RecoveryServices/Vaults/backupOperations/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupEngines/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/backupProtectionIntent/*\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectableContainers/read\"\ - ,\"Microsoft.RecoveryServices/locations/backupStatus/action\",\"Microsoft.RecoveryServices/locations/backupPreValidateProtection/action\"\ - ,\"Microsoft.RecoveryServices/locations/backupValidateFeatures/action\",\"\ - Microsoft.RecoveryServices/Vaults/monitoringAlerts/write\",\"Microsoft.RecoveryServices/operations/read\"\ - ,\"Microsoft.RecoveryServices/locations/operationStatus/read\",\"Microsoft.RecoveryServices/Vaults/backupProtectionIntents/read\"\ - ,\"Microsoft.Support/*\",\"Microsoft.DataProtection/locations/getBackupStatus/action\"\ - ,\"Microsoft.DataProtection/backupVaults/backupInstances/write\",\"Microsoft.DataProtection/backupVaults/backupInstances/delete\"\ - ,\"Microsoft.DataProtection/backupVaults/backupInstances/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/read\"\ - ,\"Microsoft.DataProtection/backupVaults/deletedBackupInstances/read\",\"\ - Microsoft.DataProtection/backupVaults/deletedBackupInstances/undelete/action\"\ - ,\"Microsoft.DataProtection/backupVaults/backupInstances/backup/action\",\"\ - Microsoft.DataProtection/backupVaults/backupInstances/validateRestore/action\"\ - ,\"Microsoft.DataProtection/backupVaults/backupInstances/restore/action\"\ - ,\"Microsoft.DataProtection/backupVaults/backupPolicies/write\",\"Microsoft.DataProtection/backupVaults/backupPolicies/delete\"\ - ,\"Microsoft.DataProtection/backupVaults/backupPolicies/read\",\"Microsoft.DataProtection/backupVaults/backupPolicies/read\"\ - ,\"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints/read\"\ - ,\"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints/read\"\ - ,\"Microsoft.DataProtection/backupVaults/backupInstances/findRestorableTimeRanges/action\"\ - ,\"Microsoft.DataProtection/backupVaults/write\",\"Microsoft.DataProtection/backupVaults/read\"\ - ,\"Microsoft.DataProtection/backupVaults/operationResults/read\",\"Microsoft.DataProtection/backupVaults/operationStatus/read\"\ - ,\"Microsoft.DataProtection/locations/checkNameAvailability/action\",\"Microsoft.DataProtection/backupVaults/read\"\ - ,\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/locations/operationStatus/read\"\ - ,\"Microsoft.DataProtection/locations/operationResults/read\",\"Microsoft.DataProtection/backupVaults/validateForBackup/action\"\ - ,\"Microsoft.DataProtection/operations/read\"],\"notActions\":[],\"dataActions\"\ - :[],\"notDataActions\":[]}],\"createdOn\":\"2017-01-03T13:12:15.7321344Z\"\ - ,\"updatedOn\":\"2022-10-13T06:51:28.1654179Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5e467623-bb1f-42f4-a55d-6e525e11384b\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5e467623-bb1f-42f4-a55d-6e525e11384b\"\ - },{\"properties\":{\"roleName\":\"Billing Reader\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Allows read access to billing data\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Billing/*/read\",\"Microsoft.Commerce/*/read\",\"Microsoft.Consumption/*/read\"\ - ,\"Microsoft.Management/managementGroups/read\",\"Microsoft.CostManagement/*/read\"\ - ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2017-04-25T02:13:38.9054151Z\",\"updatedOn\":\"2021-11-11T20:13:24.5342563Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fa23ad8b-c56e-40d8-ac0c-ce449e1d2c64\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fa23ad8b-c56e-40d8-ac0c-ce449e1d2c64\"\ - },{\"properties\":{\"roleName\":\"Backup Operator\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Lets you manage backup services, except removal of backup,\ - \ vault creation and giving access to others\",\"assignableScopes\":[\"/\"\ - ],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Network/virtualNetworks/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/operationResults/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/operationResults/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/backup/action\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/operationResults/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/operationsStatus/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/recoveryPoints/provisionInstantItemRecovery/action\"\ - ,\"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/recoveryPoints/accessToken/action\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/recoveryPoints/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/recoveryPoints/restore/action\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/recoveryPoints/revokeInstantItemRecovery/action\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/write\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/refreshContainers/action\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupJobs/*\",\"Microsoft.RecoveryServices/Vaults/backupJobsExport/action\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupOperationResults/*\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/operationResults/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupPolicies/read\",\"Microsoft.RecoveryServices/Vaults/backupProtectableItems/*\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupProtectedItems/read\",\"Microsoft.RecoveryServices/Vaults/backupProtectionContainers/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupUsageSummaries/read\",\"Microsoft.RecoveryServices/Vaults/certificates/write\"\ - ,\"Microsoft.RecoveryServices/Vaults/extendedInformation/read\",\"Microsoft.RecoveryServices/Vaults/extendedInformation/write\"\ - ,\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/read\",\"Microsoft.RecoveryServices/Vaults/monitoringConfigurations/*\"\ - ,\"Microsoft.RecoveryServices/Vaults/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/operationResults/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/registeredIdentities/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/write\"\ - ,\"Microsoft.RecoveryServices/Vaults/usages/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupstorageconfig/*\",\"Microsoft.RecoveryServices/Vaults/backupValidateOperation/action\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupTriggerValidateOperation/action\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupValidateOperationResults/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupValidateOperationsStatuses/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupOperations/read\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/operations/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/write\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/inquire/action\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupEngines/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/backupProtectionIntent/write\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/backupProtectionIntent/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectableContainers/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/items/read\"\ - ,\"Microsoft.RecoveryServices/locations/backupStatus/action\",\"Microsoft.RecoveryServices/locations/backupPreValidateProtection/action\"\ - ,\"Microsoft.RecoveryServices/locations/backupValidateFeatures/action\",\"\ - Microsoft.RecoveryServices/locations/backupAadProperties/read\",\"Microsoft.RecoveryServices/locations/backupCrrJobs/action\"\ - ,\"Microsoft.RecoveryServices/locations/backupCrrJob/action\",\"Microsoft.RecoveryServices/locations/backupCrossRegionRestore/action\"\ - ,\"Microsoft.RecoveryServices/locations/backupCrrOperationResults/read\",\"\ - Microsoft.RecoveryServices/locations/backupCrrOperationsStatus/read\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/write\"\ - ,\"Microsoft.RecoveryServices/operations/read\",\"Microsoft.RecoveryServices/locations/operationStatus/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupProtectionIntents/read\",\"Microsoft.Support/*\"\ - ,\"Microsoft.DataProtection/backupVaults/backupInstances/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/read\"\ - ,\"Microsoft.DataProtection/backupVaults/deletedBackupInstances/read\",\"\ - Microsoft.DataProtection/backupVaults/backupPolicies/read\",\"Microsoft.DataProtection/backupVaults/backupPolicies/read\"\ - ,\"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints/read\"\ - ,\"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints/read\"\ - ,\"Microsoft.DataProtection/backupVaults/backupInstances/findRestorableTimeRanges/action\"\ - ,\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/backupVaults/operationResults/read\"\ - ,\"Microsoft.DataProtection/backupVaults/operationStatus/read\",\"Microsoft.DataProtection/backupVaults/read\"\ - ,\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/locations/operationStatus/read\"\ - ,\"Microsoft.DataProtection/locations/operationResults/read\",\"Microsoft.DataProtection/operations/read\"\ - ,\"Microsoft.DataProtection/backupVaults/validateForBackup/action\",\"Microsoft.DataProtection/backupVaults/backupInstances/backup/action\"\ - ,\"Microsoft.DataProtection/backupVaults/backupInstances/validateRestore/action\"\ - ,\"Microsoft.DataProtection/backupVaults/backupInstances/restore/action\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2017-01-03T13:21:11.8947640Z\",\"updatedOn\":\"2022-10-13T06:51:28.1654179Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/00c29273-979b-4161-815c-10b084fb9324\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"00c29273-979b-4161-815c-10b084fb9324\"\ - },{\"properties\":{\"roleName\":\"Backup Reader\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Can view backup services, but can't make changes\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.RecoveryServices/locations/allocatedStamp/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/operationResults/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/operationResults/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/operationResults/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/operationsStatus/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/recoveryPoints/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupJobs/operationResults/read\",\"\ - Microsoft.RecoveryServices/Vaults/backupJobs/read\",\"Microsoft.RecoveryServices/Vaults/backupJobsExport/action\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupOperationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/operationResults/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupPolicies/read\",\"Microsoft.RecoveryServices/Vaults/backupProtectedItems/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupProtectionContainers/read\",\"\ - Microsoft.RecoveryServices/Vaults/backupUsageSummaries/read\",\"Microsoft.RecoveryServices/Vaults/extendedInformation/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/read\",\"Microsoft.RecoveryServices/Vaults/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/registeredIdentities/operationResults/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/registeredIdentities/read\",\"Microsoft.RecoveryServices/Vaults/backupstorageconfig/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupconfig/read\",\"Microsoft.RecoveryServices/Vaults/backupOperations/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupPolicies/operations/read\",\"Microsoft.RecoveryServices/Vaults/backupEngines/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/backupProtectionIntent/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/items/read\"\ - ,\"Microsoft.RecoveryServices/locations/backupStatus/action\",\"Microsoft.RecoveryServices/Vaults/monitoringConfigurations/*\"\ - ,\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/write\",\"Microsoft.RecoveryServices/operations/read\"\ - ,\"Microsoft.RecoveryServices/locations/operationStatus/read\",\"Microsoft.RecoveryServices/Vaults/backupProtectionIntents/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/usages/read\",\"Microsoft.RecoveryServices/locations/backupValidateFeatures/action\"\ - ,\"Microsoft.RecoveryServices/locations/backupCrrJobs/action\",\"Microsoft.RecoveryServices/locations/backupCrrJob/action\"\ - ,\"Microsoft.RecoveryServices/locations/backupCrrOperationResults/read\",\"\ - Microsoft.RecoveryServices/locations/backupCrrOperationsStatus/read\",\"Microsoft.DataProtection/locations/getBackupStatus/action\"\ - ,\"Microsoft.DataProtection/backupVaults/backupInstances/write\",\"Microsoft.DataProtection/backupVaults/backupInstances/read\"\ - ,\"Microsoft.DataProtection/backupVaults/deletedBackupInstances/read\",\"\ - Microsoft.DataProtection/backupVaults/backupInstances/backup/action\",\"Microsoft.DataProtection/backupVaults/backupInstances/validateRestore/action\"\ - ,\"Microsoft.DataProtection/backupVaults/backupInstances/restore/action\"\ - ,\"Microsoft.DataProtection/backupVaults/backupPolicies/read\",\"Microsoft.DataProtection/backupVaults/backupPolicies/read\"\ - ,\"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints/read\"\ - ,\"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints/read\"\ - ,\"Microsoft.DataProtection/backupVaults/backupInstances/findRestorableTimeRanges/action\"\ - ,\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/backupVaults/operationResults/read\"\ - ,\"Microsoft.DataProtection/backupVaults/operationStatus/read\",\"Microsoft.DataProtection/backupVaults/read\"\ - ,\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/locations/operationStatus/read\"\ - ,\"Microsoft.DataProtection/locations/operationResults/read\",\"Microsoft.DataProtection/backupVaults/validateForBackup/action\"\ - ,\"Microsoft.DataProtection/operations/read\"],\"notActions\":[],\"dataActions\"\ - :[],\"notDataActions\":[]}],\"createdOn\":\"2017-01-03T13:18:41.3893065Z\"\ - ,\"updatedOn\":\"2022-10-13T06:51:28.1654179Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a795c7a0-d4a2-40c1-ae25-d81f01202912\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a795c7a0-d4a2-40c1-ae25-d81f01202912\"\ - },{\"properties\":{\"roleName\":\"Blockchain Member Node Access (Preview)\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Allows for access to Blockchain\ - \ Member nodes\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.Blockchain/blockchainMembers/transactionNodes/read\"],\"notActions\"\ - :[],\"dataActions\":[\"Microsoft.Blockchain/blockchainMembers/transactionNodes/connect/action\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2018-12-21T10:33:01.9604839Z\",\"\ - updatedOn\":\"2021-11-11T20:13:25.0558920Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/31a002a1-acaf-453e-8a5b-297c9ca1ea24\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"31a002a1-acaf-453e-8a5b-297c9ca1ea24\"\ - },{\"properties\":{\"roleName\":\"BizTalk Contributor\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Lets you manage BizTalk services, but not access to them.\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.BizTalkServices/BizTalk/*\",\"Microsoft.Insights/alertRules/*\"\ - ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:25.2359269Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5e3c6656-6cfa-4708-81fe-0de47ac73342\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5e3c6656-6cfa-4708-81fe-0de47ac73342\"\ - },{\"properties\":{\"roleName\":\"CDN Endpoint Contributor\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Can manage CDN endpoints, but can\u2019t grant access to\ - \ other users.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.Authorization/*/read\",\"Microsoft.Cdn/edgenodes/read\",\"Microsoft.Cdn/operationresults/*\"\ - ,\"Microsoft.Cdn/profiles/endpoints/*\",\"Microsoft.Insights/alertRules/*\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2016-01-23T02:48:46.4996252Z\",\"updatedOn\":\"2021-11-11T20:13:25.4059314Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/426e0c7f-0c7e-4658-b36f-ff54d6c29b45\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"426e0c7f-0c7e-4658-b36f-ff54d6c29b45\"\ - },{\"properties\":{\"roleName\":\"CDN Endpoint Reader\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Can view CDN endpoints, but can\u2019t make changes.\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Cdn/edgenodes/read\",\"Microsoft.Cdn/operationresults/*\",\"\ - Microsoft.Cdn/profiles/endpoints/*/read\",\"Microsoft.Cdn/profiles/afdendpoints/validateCustomDomain/action\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2016-01-23T02:48:46.4996252Z\",\"updatedOn\":\"2022-01-26T19:51:29.2636610Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/871e35f6-b5c1-49cc-a043-bde969a0f2cd\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"871e35f6-b5c1-49cc-a043-bde969a0f2cd\"\ - },{\"properties\":{\"roleName\":\"CDN Profile Contributor\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Can manage CDN profiles and their endpoints, but can\u2019\ - t grant access to other users.\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Cdn/edgenodes/read\"\ - ,\"Microsoft.Cdn/operationresults/*\",\"Microsoft.Cdn/profiles/*\",\"Microsoft.Insights/alertRules/*\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2016-01-23T02:48:46.4996252Z\",\"updatedOn\":\"2021-11-11T20:13:25.9224344Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ec156ff8-a8d1-4d15-830c-5b80698ca432\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ec156ff8-a8d1-4d15-830c-5b80698ca432\"\ - },{\"properties\":{\"roleName\":\"CDN Profile Reader\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Can view CDN profiles and their endpoints, but can\u2019\ - t make changes.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.Authorization/*/read\",\"Microsoft.Cdn/edgenodes/read\",\"Microsoft.Cdn/operationresults/*\"\ - ,\"Microsoft.Cdn/profiles/*/read\",\"Microsoft.Insights/alertRules/*\",\"\ - Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2016-01-23T02:48:46.4996252Z\",\"updatedOn\":\"2021-11-11T20:13:26.0983652Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8f96442b-4075-438f-813d-ad51ab4019af\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8f96442b-4075-438f-813d-ad51ab4019af\"\ - },{\"properties\":{\"roleName\":\"Classic Network Contributor\",\"type\":\"\ - BuiltInRole\",\"description\":\"Lets you manage classic networks, but not\ - \ access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.Authorization/*/read\",\"Microsoft.ClassicNetwork/*\",\"Microsoft.Insights/alertRules/*\"\ - ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:26.4433301Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b34d265f-36f7-4a0d-a4d4-e158ca92e90f\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b34d265f-36f7-4a0d-a4d4-e158ca92e90f\"\ - },{\"properties\":{\"roleName\":\"Classic Storage Account Contributor\",\"\ - type\":\"BuiltInRole\",\"description\":\"Lets you manage classic storage accounts,\ - \ but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ - actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.ClassicStorage/storageAccounts/*\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:26.6183566Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/86e8f5dc-a6e9-4c67-9d15-de283e8eac25\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"86e8f5dc-a6e9-4c67-9d15-de283e8eac25\"\ - },{\"properties\":{\"roleName\":\"Classic Storage Account Key Operator Service\ - \ Role\",\"type\":\"BuiltInRole\",\"description\":\"Classic Storage Account\ - \ Key Operators are allowed to list and regenerate keys on Classic Storage\ - \ Accounts\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"\ - Microsoft.ClassicStorage/storageAccounts/listkeys/action\",\"Microsoft.ClassicStorage/storageAccounts/regeneratekey/action\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2017-04-13T18:22:52.1461100Z\",\"updatedOn\":\"2021-11-11T20:13:26.9796021Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/985d6b00-f706-48f5-a6fe-d0ca12fb668d\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"985d6b00-f706-48f5-a6fe-d0ca12fb668d\"\ - },{\"properties\":{\"roleName\":\"ClearDB MySQL DB Contributor\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Lets you manage ClearDB MySQL databases,\ - \ but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ - actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\"\ - ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ - ,\"successbricks.cleardb/databases/*\"],\"notActions\":[],\"dataActions\"\ - :[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\"\ - ,\"updatedOn\":\"2021-11-11T20:13:27.1646373Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9106cda0-8a86-4e81-b686-29a22c54effe\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"9106cda0-8a86-4e81-b686-29a22c54effe\"\ - },{\"properties\":{\"roleName\":\"Classic Virtual Machine Contributor\",\"\ - type\":\"BuiltInRole\",\"description\":\"Lets you manage classic virtual machines,\ - \ but not access to them, and not the virtual network or storage account they\u2019\ - re connected to.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.Authorization/*/read\",\"Microsoft.ClassicCompute/domainNames/*\"\ - ,\"Microsoft.ClassicCompute/virtualMachines/*\",\"Microsoft.ClassicNetwork/networkSecurityGroups/join/action\"\ - ,\"Microsoft.ClassicNetwork/reservedIps/link/action\",\"Microsoft.ClassicNetwork/reservedIps/read\"\ - ,\"Microsoft.ClassicNetwork/virtualNetworks/join/action\",\"Microsoft.ClassicNetwork/virtualNetworks/read\"\ - ,\"Microsoft.ClassicStorage/storageAccounts/disks/read\",\"Microsoft.ClassicStorage/storageAccounts/images/read\"\ - ,\"Microsoft.ClassicStorage/storageAccounts/listKeys/action\",\"Microsoft.ClassicStorage/storageAccounts/read\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2015-04-25T00:37:56.5416086Z\",\"updatedOn\":\"2021-11-11T20:13:27.3446332Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d73bb868-a0df-4d4d-bd69-98a00b01fccb\"\ - },{\"properties\":{\"roleName\":\"Cognitive Services User\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Lets you read and list keys of Cognitive Services.\",\"\ - assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"\ - ,\"Microsoft.CognitiveServices/accounts/listkeys/action\",\"Microsoft.Insights/alertRules/read\"\ - ,\"Microsoft.Insights/diagnosticSettings/read\",\"Microsoft.Insights/logDefinitions/read\"\ - ,\"Microsoft.Insights/metricdefinitions/read\",\"Microsoft.Insights/metrics/read\"\ - ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/operations/read\"\ - ,\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/*\"],\"\ - notDataActions\":[]}],\"createdOn\":\"2018-08-08T23:23:43.7701274Z\",\"updatedOn\"\ - :\"2021-11-11T20:13:27.5316443Z\",\"createdBy\":null,\"updatedBy\":null},\"\ - id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a97b65f3-24c7-4388-baec-2e87135dc908\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a97b65f3-24c7-4388-baec-2e87135dc908\"\ - },{\"properties\":{\"roleName\":\"Cognitive Services Data Reader (Preview)\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Lets you read Cognitive Services\ - \ data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"\ - notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/*/read\"],\"\ - notDataActions\":[]}],\"createdOn\":\"2019-02-13T20:02:12.6849986Z\",\"updatedOn\"\ - :\"2021-11-11T20:13:27.7138054Z\",\"createdBy\":null,\"updatedBy\":null},\"\ - id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b59867f0-fa02-499b-be73-45a86b5b3e1c\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b59867f0-fa02-499b-be73-45a86b5b3e1c\"\ - },{\"properties\":{\"roleName\":\"Cognitive Services Contributor\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Lets you create, read, update, delete and\ - \ manage keys of Cognitive Services.\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.CognitiveServices/*\"\ - ,\"Microsoft.Features/features/read\",\"Microsoft.Features/providers/features/read\"\ - ,\"Microsoft.Features/providers/features/register/action\",\"Microsoft.Insights/alertRules/*\"\ - ,\"Microsoft.Insights/diagnosticSettings/*\",\"Microsoft.Insights/logDefinitions/read\"\ - ,\"Microsoft.Insights/metricdefinitions/read\",\"Microsoft.Insights/metrics/read\"\ - ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/subscriptions/operationresults/read\"\ - ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2018-08-08T23:18:39.2257848Z\",\"updatedOn\":\"2021-11-11T20:13:27.9116230Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/25fbc0a9-bd7c-42a3-aa1a-3b75d497ee68\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"25fbc0a9-bd7c-42a3-aa1a-3b75d497ee68\"\ - },{\"properties\":{\"roleName\":\"CosmosBackupOperator\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Can submit restore request for a Cosmos DB database or\ - \ a container for an account\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.DocumentDB/databaseAccounts/backup/action\",\"\ - Microsoft.DocumentDB/databaseAccounts/restore/action\"],\"notActions\":[],\"\ - dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-12-07T19:47:14.9651560Z\"\ - ,\"updatedOn\":\"2021-11-11T20:13:28.4333692Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/db7b14f2-5adf-42da-9f96-f2ee17bab5cb\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"db7b14f2-5adf-42da-9f96-f2ee17bab5cb\"\ - },{\"properties\":{\"roleName\":\"Contributor\",\"type\":\"BuiltInRole\",\"\ - description\":\"Grants full access to manage all resources, but does not allow\ - \ you to assign roles in Azure RBAC, manage assignments in Azure Blueprints,\ - \ or share image galleries.\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"*\"],\"notActions\":[\"Microsoft.Authorization/*/Delete\"\ - ,\"Microsoft.Authorization/*/Write\",\"Microsoft.Authorization/elevateAccess/Action\"\ - ,\"Microsoft.Blueprint/blueprintAssignments/write\",\"Microsoft.Blueprint/blueprintAssignments/delete\"\ - ,\"Microsoft.Compute/galleries/share/action\"],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:28.6061853Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b24988ac-6180-42a0-ab88-20f7382dd24c\"\ - },{\"properties\":{\"roleName\":\"Cosmos DB Account Reader Role\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Can read Azure Cosmos DB Accounts data\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.DocumentDB/*/read\",\"Microsoft.DocumentDB/databaseAccounts/readonlykeys/action\"\ - ,\"Microsoft.Insights/MetricDefinitions/read\",\"Microsoft.Insights/Metrics/read\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2017-10-30T17:53:54.6005577Z\",\"updatedOn\":\"2021-11-11T20:13:28.7911765Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fbdf93bf-df7d-467e-a4d2-9458aa1360c8\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fbdf93bf-df7d-467e-a4d2-9458aa1360c8\"\ - },{\"properties\":{\"roleName\":\"Cost Management Contributor\",\"type\":\"\ - BuiltInRole\",\"description\":\"Can view costs and manage cost configuration\ - \ (e.g. budgets, exports)\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ - actions\":[\"Microsoft.Consumption/*\",\"Microsoft.CostManagement/*\",\"Microsoft.Billing/billingPeriods/read\"\ - ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Support/*\",\"Microsoft.Advisor/configurations/read\",\"Microsoft.Advisor/recommendations/read\"\ - ,\"Microsoft.Management/managementGroups/read\",\"Microsoft.Billing/billingProperty/read\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2018-03-14T16:09:22.8834827Z\",\"updatedOn\":\"2021-11-11T20:13:29.4851851Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/434105ed-43f6-45c7-a02f-909b2ba83430\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"434105ed-43f6-45c7-a02f-909b2ba83430\"\ - },{\"properties\":{\"roleName\":\"Cost Management Reader\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Can view cost data and configuration (e.g. budgets, exports)\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Consumption/*/read\"\ - ,\"Microsoft.CostManagement/*/read\",\"Microsoft.Billing/billingPeriods/read\"\ - ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Support/*\",\"Microsoft.Advisor/configurations/read\",\"Microsoft.Advisor/recommendations/read\"\ - ,\"Microsoft.Management/managementGroups/read\",\"Microsoft.Billing/billingProperty/read\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2018-03-14T16:09:22.8834827Z\",\"updatedOn\":\"2021-11-11T20:13:29.6601800Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/72fafb9e-0641-4937-9268-a91bfd8191a3\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"72fafb9e-0641-4937-9268-a91bfd8191a3\"\ - },{\"properties\":{\"roleName\":\"Data Box Contributor\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Lets you manage everything under Data Box Service except\ - \ giving access to others.\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Support/*\",\"Microsoft.Databox/*\"],\"notActions\":[],\"dataActions\"\ - :[],\"notDataActions\":[]}],\"createdOn\":\"2018-07-27T08:28:42.7140210Z\"\ - ,\"updatedOn\":\"2021-11-11T20:13:30.3737856Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/add466c9-e687-43fc-8d98-dfcf8d720be5\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"add466c9-e687-43fc-8d98-dfcf8d720be5\"\ - },{\"properties\":{\"roleName\":\"Data Box Reader\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Lets you manage Data Box Service except creating order\ - \ or editing order details and giving access to others.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Databox/*/read\",\"Microsoft.Databox/jobs/listsecrets/action\"\ - ,\"Microsoft.Databox/jobs/listcredentials/action\",\"Microsoft.Databox/locations/availableSkus/action\"\ - ,\"Microsoft.Databox/locations/validateInputs/action\",\"Microsoft.Databox/locations/regionConfiguration/action\"\ - ,\"Microsoft.Databox/locations/validateAddress/action\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ - ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2018-07-27T08:26:21.9284772Z\",\"updatedOn\":\"2021-11-11T20:13:30.5546117Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/028f4ed7-e2a9-465e-a8f4-9c0ffdfdc027\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"028f4ed7-e2a9-465e-a8f4-9c0ffdfdc027\"\ - },{\"properties\":{\"roleName\":\"Data Factory Contributor\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Create and manage data factories, as well as child resources\ - \ within them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.Authorization/*/read\",\"Microsoft.DataFactory/dataFactories/*\"\ - ,\"Microsoft.DataFactory/factories/*\",\"Microsoft.Insights/alertRules/*\"\ - ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ - ,\"Microsoft.EventGrid/eventSubscriptions/write\"],\"notActions\":[],\"dataActions\"\ - :[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\"\ - ,\"updatedOn\":\"2021-11-11T20:13:30.7420174Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/673868aa-7521-48a0-acc6-0f60742d39f5\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"673868aa-7521-48a0-acc6-0f60742d39f5\"\ - },{\"properties\":{\"roleName\":\"Data Purger\",\"type\":\"BuiltInRole\",\"\ - description\":\"Can purge analytics data\",\"assignableScopes\":[\"/\"],\"\ - permissions\":[{\"actions\":[\"Microsoft.Insights/components/*/read\",\"Microsoft.Insights/components/purge/action\"\ - ,\"Microsoft.OperationalInsights/workspaces/*/read\",\"Microsoft.OperationalInsights/workspaces/purge/action\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2018-04-30T22:39:49.6167700Z\",\"updatedOn\":\"2021-11-11T20:13:31.2788395Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/150f5e0c-0603-4f03-8c7f-cf70034c4e90\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"150f5e0c-0603-4f03-8c7f-cf70034c4e90\"\ - },{\"properties\":{\"roleName\":\"Data Lake Analytics Developer\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Lets you submit, monitor, and manage your\ - \ own jobs but not create or delete Data Lake Analytics accounts.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.BigAnalytics/accounts/*\",\"Microsoft.DataLakeAnalytics/accounts/*\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Support/*\"],\"notActions\":[\"Microsoft.BigAnalytics/accounts/Delete\"\ - ,\"Microsoft.BigAnalytics/accounts/TakeOwnership/action\",\"Microsoft.BigAnalytics/accounts/Write\"\ - ,\"Microsoft.DataLakeAnalytics/accounts/Delete\",\"Microsoft.DataLakeAnalytics/accounts/TakeOwnership/action\"\ - ,\"Microsoft.DataLakeAnalytics/accounts/Write\",\"Microsoft.DataLakeAnalytics/accounts/dataLakeStoreAccounts/Write\"\ - ,\"Microsoft.DataLakeAnalytics/accounts/dataLakeStoreAccounts/Delete\",\"\ - Microsoft.DataLakeAnalytics/accounts/storageAccounts/Write\",\"Microsoft.DataLakeAnalytics/accounts/storageAccounts/Delete\"\ - ,\"Microsoft.DataLakeAnalytics/accounts/firewallRules/Write\",\"Microsoft.DataLakeAnalytics/accounts/firewallRules/Delete\"\ - ,\"Microsoft.DataLakeAnalytics/accounts/computePolicies/Write\",\"Microsoft.DataLakeAnalytics/accounts/computePolicies/Delete\"\ - ],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-10-20T00:33:29.3115234Z\"\ - ,\"updatedOn\":\"2021-11-11T20:13:31.4688491Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/47b7735b-770e-4598-a7da-8b91488b4c88\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"47b7735b-770e-4598-a7da-8b91488b4c88\"\ - },{\"properties\":{\"roleName\":\"DevTest Labs User\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Lets you connect, start, restart, and shutdown your virtual\ - \ machines in your Azure DevTest Labs.\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Compute/availabilitySets/read\"\ - ,\"Microsoft.Compute/virtualMachines/*/read\",\"Microsoft.Compute/virtualMachines/deallocate/action\"\ - ,\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Compute/virtualMachines/restart/action\"\ - ,\"Microsoft.Compute/virtualMachines/start/action\",\"Microsoft.DevTestLab/*/read\"\ - ,\"Microsoft.DevTestLab/labs/claimAnyVm/action\",\"Microsoft.DevTestLab/labs/createEnvironment/action\"\ - ,\"Microsoft.DevTestLab/labs/ensureCurrentUserProfile/action\",\"Microsoft.DevTestLab/labs/formulas/delete\"\ - ,\"Microsoft.DevTestLab/labs/formulas/read\",\"Microsoft.DevTestLab/labs/formulas/write\"\ - ,\"Microsoft.DevTestLab/labs/policySets/evaluatePolicies/action\",\"Microsoft.DevTestLab/labs/virtualMachines/claim/action\"\ - ,\"Microsoft.DevTestLab/labs/virtualmachines/listApplicableSchedules/action\"\ - ,\"Microsoft.DevTestLab/labs/virtualMachines/getRdpFileContents/action\",\"\ - Microsoft.Network/loadBalancers/backendAddressPools/join/action\",\"Microsoft.Network/loadBalancers/inboundNatRules/join/action\"\ - ,\"Microsoft.Network/networkInterfaces/*/read\",\"Microsoft.Network/networkInterfaces/join/action\"\ - ,\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Network/networkInterfaces/write\"\ - ,\"Microsoft.Network/publicIPAddresses/*/read\",\"Microsoft.Network/publicIPAddresses/join/action\"\ - ,\"Microsoft.Network/publicIPAddresses/read\",\"Microsoft.Network/virtualNetworks/subnets/join/action\"\ - ,\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/read\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/listKeys/action\"\ - ],\"notActions\":[\"Microsoft.Compute/virtualMachines/vmSizes/read\"],\"dataActions\"\ - :[],\"notDataActions\":[]}],\"createdOn\":\"2015-06-08T21:52:45.0657582Z\"\ - ,\"updatedOn\":\"2021-11-11T20:13:32.1746507Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/76283e04-6283-4c54-8f91-bcf1374a3c64\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"76283e04-6283-4c54-8f91-bcf1374a3c64\"\ - },{\"properties\":{\"roleName\":\"DocumentDB Account Contributor\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Lets you manage DocumentDB accounts, but\ - \ not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ - actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.DocumentDb/databaseAccounts/*\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Support/*\",\"Microsoft.Network/virtualNetworks/subnets/joinViaServiceEndpoint/action\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:32.3496502Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5bd9cd88-fe45-4216-938b-f97437e15450\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5bd9cd88-fe45-4216-938b-f97437e15450\"\ - },{\"properties\":{\"roleName\":\"DNS Zone Contributor\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Lets you manage DNS zones and record sets in Azure DNS,\ - \ but does not let you control who has access to them.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Network/dnsZones/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2015-10-15T23:33:25.9730842Z\",\"updatedOn\":\"2021-11-11T20:13:32.5233957Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/befefa01-2a29-4197-83a8-272ff33ce314\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"befefa01-2a29-4197-83a8-272ff33ce314\"\ - },{\"properties\":{\"roleName\":\"EventGrid EventSubscription Contributor\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Lets you manage EventGrid event\ - \ subscription operations.\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.EventGrid/eventSubscriptions/*\"\ - ,\"Microsoft.EventGrid/topicTypes/eventSubscriptions/read\",\"Microsoft.EventGrid/locations/eventSubscriptions/read\"\ - ,\"Microsoft.EventGrid/locations/topicTypes/eventSubscriptions/read\",\"Microsoft.Insights/alertRules/*\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2018-10-08T23:27:28.3130743Z\",\"updatedOn\":\"2021-11-11T20:13:33.4166738Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/428e0ff0-5e57-4d9c-a221-2c70d0e0a443\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"428e0ff0-5e57-4d9c-a221-2c70d0e0a443\"\ - },{\"properties\":{\"roleName\":\"EventGrid EventSubscription Reader\",\"\ - type\":\"BuiltInRole\",\"description\":\"Lets you read EventGrid event subscriptions.\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.EventGrid/eventSubscriptions/read\",\"Microsoft.EventGrid/topicTypes/eventSubscriptions/read\"\ - ,\"Microsoft.EventGrid/locations/eventSubscriptions/read\",\"Microsoft.EventGrid/locations/topicTypes/eventSubscriptions/read\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\"\ - :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-10-09T17:29:28.1417894Z\"\ - ,\"updatedOn\":\"2021-11-11T20:13:33.7846748Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2414bbcf-6497-4faf-8c65-045460748405\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2414bbcf-6497-4faf-8c65-045460748405\"\ - },{\"properties\":{\"roleName\":\"Graph Owner\",\"type\":\"BuiltInRole\",\"\ - description\":\"Create and manage all aspects of the Enterprise Graph - Ontology,\ - \ Schema mapping, Conflation and Conversational AI and Ingestions\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.EnterpriseKnowledgeGraph/services/conflation/read\"\ - ,\"Microsoft.EnterpriseKnowledgeGraph/services/conflation/write\",\"Microsoft.EnterpriseKnowledgeGraph/services/sourceschema/read\"\ - ,\"Microsoft.EnterpriseKnowledgeGraph/services/sourceschema/write\",\"Microsoft.EnterpriseKnowledgeGraph/services/knowledge/read\"\ - ,\"Microsoft.EnterpriseKnowledgeGraph/services/knowledge/write\",\"Microsoft.EnterpriseKnowledgeGraph/services/intentclassification/read\"\ - ,\"Microsoft.EnterpriseKnowledgeGraph/services/intentclassification/write\"\ - ,\"Microsoft.EnterpriseKnowledgeGraph/services/ingestion/read\",\"Microsoft.EnterpriseKnowledgeGraph/services/ingestion/write\"\ - ,\"Microsoft.EnterpriseKnowledgeGraph/services/ontology/read\",\"Microsoft.EnterpriseKnowledgeGraph/services/ontology/write\"\ - ,\"Microsoft.EnterpriseKnowledgeGraph/services/delete\",\"Microsoft.EnterpriseKnowledgeGraph/operations/read\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2019-02-23T21:07:22.5844236Z\",\"updatedOn\":\"2021-11-11T20:13:34.6707886Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b60367af-1334-4454-b71e-769d9a4f83d9\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b60367af-1334-4454-b71e-769d9a4f83d9\"\ - },{\"properties\":{\"roleName\":\"HDInsight Domain Services Contributor\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Can Read, Create, Modify and Delete\ - \ Domain Services related operations needed for HDInsight Enterprise Security\ - \ Package\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"\ - Microsoft.AAD/*/read\",\"Microsoft.AAD/domainServices/*/read\",\"Microsoft.AAD/domainServices/oucontainer/*\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2018-09-12T22:42:51.7451109Z\",\"updatedOn\":\"2021-11-11T20:13:35.3921342Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8d8d5a11-05d3-4bda-a417-a08778121c7c\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8d8d5a11-05d3-4bda-a417-a08778121c7c\"\ - },{\"properties\":{\"roleName\":\"Intelligent Systems Account Contributor\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Lets you manage Intelligent Systems\ - \ accounts, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\"\ - ,\"Microsoft.IntelligentSystems/accounts/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:35.9371582Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/03a6d094-3444-4b3d-88af-7477090a9e5e\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"03a6d094-3444-4b3d-88af-7477090a9e5e\"\ - },{\"properties\":{\"roleName\":\"Key Vault Contributor\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Lets you manage key vaults, but not access to them.\",\"\ - assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.KeyVault/*\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ - ],\"notActions\":[\"Microsoft.KeyVault/locations/deletedVaults/purge/action\"\ - ,\"Microsoft.KeyVault/hsmPools/*\",\"Microsoft.KeyVault/managedHsms/*\"],\"\ - dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-02-25T17:08:28.5184971Z\"\ - ,\"updatedOn\":\"2021-11-11T20:13:36.1170988Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f25e0fa2-a7c8-4377-a976-54943a77a395\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f25e0fa2-a7c8-4377-a976-54943a77a395\"\ - },{\"properties\":{\"roleName\":\"Knowledge Consumer\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Knowledge Read permission to consume Enterprise Graph Knowledge\ - \ using entity search and graph query\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.EnterpriseKnowledgeGraph/services/knowledge/read\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2019-02-23T21:23:31.4037552Z\",\"updatedOn\":\"2021-11-11T20:13:37.0021342Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ee361c5d-f7b5-4119-b4b6-892157c8f64c\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ee361c5d-f7b5-4119-b4b6-892157c8f64c\"\ - },{\"properties\":{\"roleName\":\"Lab Creator\",\"type\":\"BuiltInRole\",\"\ - description\":\"Lets you create new labs under your Azure Lab Accounts.\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.LabServices/labAccounts/*/read\",\"Microsoft.LabServices/labAccounts/createLab/action\"\ - ,\"Microsoft.LabServices/labAccounts/getPricingAndAvailability/action\",\"\ - Microsoft.LabServices/labAccounts/getRestrictionsAndUsage/action\",\"Microsoft.Insights/alertRules/*\"\ - ,\"Microsoft.LabServices/labPlans/images/read\",\"Microsoft.LabServices/labPlans/read\"\ - ,\"Microsoft.LabServices/labPlans/saveImage/action\",\"Microsoft.LabServices/labs/read\"\ - ,\"Microsoft.LabServices/labs/schedules/read\",\"Microsoft.LabServices/labs/users/read\"\ - ,\"Microsoft.LabServices/labs/virtualMachines/read\",\"Microsoft.LabServices/locations/usages/read\"\ - ,\"Microsoft.LabServices/skus/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.LabServices/labPlans/createLab/action\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2018-01-18T23:38:58.1036141Z\",\"\ - updatedOn\":\"2021-11-11T20:13:37.1821588Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b97fb8bc-a8b2-4522-a38b-dd33c7e65ead\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b97fb8bc-a8b2-4522-a38b-dd33c7e65ead\"\ - },{\"properties\":{\"roleName\":\"Log Analytics Reader\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Log Analytics Reader can view and search all monitoring\ - \ data as well as and view monitoring settings, including viewing the configuration\ - \ of Azure diagnostics on all Azure resources.\",\"assignableScopes\":[\"\ - /\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.OperationalInsights/workspaces/analytics/query/action\"\ - ,\"Microsoft.OperationalInsights/workspaces/search/action\",\"Microsoft.Support/*\"\ - ],\"notActions\":[\"Microsoft.OperationalInsights/workspaces/sharedKeys/read\"\ - ],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-05-02T00:20:28.1449012Z\"\ - ,\"updatedOn\":\"2021-11-11T20:13:37.7071371Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/73c42c96-874c-492b-b04d-ab87d138a893\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"73c42c96-874c-492b-b04d-ab87d138a893\"\ - },{\"properties\":{\"roleName\":\"Log Analytics Contributor\",\"type\":\"\ - BuiltInRole\",\"description\":\"Log Analytics Contributor can read all monitoring\ - \ data and edit monitoring settings. Editing monitoring settings includes\ - \ adding the VM extension to VMs; reading storage account keys to be able\ - \ to configure collection of logs from Azure Storage; adding solutions; and\ - \ configuring Azure diagnostics on all Azure resources.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.ClassicCompute/virtualMachines/extensions/*\"\ - ,\"Microsoft.ClassicStorage/storageAccounts/listKeys/action\",\"Microsoft.Compute/virtualMachines/extensions/*\"\ - ,\"Microsoft.HybridCompute/machines/extensions/write\",\"Microsoft.Insights/alertRules/*\"\ - ,\"Microsoft.Insights/diagnosticSettings/*\",\"Microsoft.OperationalInsights/*\"\ - ,\"Microsoft.OperationsManagement/*\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/*\",\"Microsoft.Storage/storageAccounts/listKeys/action\"\ - ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2017-04-25T21:51:45.3174711Z\",\"updatedOn\":\"2021-11-11T20:13:37.8823618Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/92aaf0da-9dab-42b6-94a3-d43ce8d16293\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"92aaf0da-9dab-42b6-94a3-d43ce8d16293\"\ - },{\"properties\":{\"roleName\":\"Logic App Operator\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Lets you read, enable and disable logic app.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Insights/alertRules/*/read\",\"Microsoft.Insights/metricAlerts/*/read\"\ - ,\"Microsoft.Insights/diagnosticSettings/*/read\",\"Microsoft.Insights/metricDefinitions/*/read\"\ - ,\"Microsoft.Logic/*/read\",\"Microsoft.Logic/workflows/disable/action\",\"\ - Microsoft.Logic/workflows/enable/action\",\"Microsoft.Logic/workflows/validate/action\"\ - ,\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/subscriptions/operationresults/read\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ - ,\"Microsoft.Web/connectionGateways/*/read\",\"Microsoft.Web/connections/*/read\"\ - ,\"Microsoft.Web/customApis/*/read\",\"Microsoft.Web/serverFarms/read\"],\"\ - notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"\ - 2016-04-28T21:33:30.4656007Z\",\"updatedOn\":\"2021-11-11T20:13:38.0573444Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/515c2055-d9d4-4321-b1b9-bd0c9a0f79fe\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"515c2055-d9d4-4321-b1b9-bd0c9a0f79fe\"\ - },{\"properties\":{\"roleName\":\"Logic App Contributor\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Lets you manage logic app, but not access to them.\",\"\ - assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.ClassicStorage/storageAccounts/listKeys/action\",\"Microsoft.ClassicStorage/storageAccounts/read\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/metricAlerts/*\"\ - ,\"Microsoft.Insights/diagnosticSettings/*\",\"Microsoft.Insights/logdefinitions/*\"\ - ,\"Microsoft.Insights/metricDefinitions/*\",\"Microsoft.Logic/*\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Storage/storageAccounts/listkeys/action\",\"Microsoft.Storage/storageAccounts/read\"\ - ,\"Microsoft.Support/*\",\"Microsoft.Web/connectionGateways/*\",\"Microsoft.Web/connections/*\"\ - ,\"Microsoft.Web/customApis/*\",\"Microsoft.Web/serverFarms/join/action\"\ - ,\"Microsoft.Web/serverFarms/read\",\"Microsoft.Web/sites/functions/listSecrets/action\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2016-04-28T21:33:30.4656007Z\",\"updatedOn\":\"2021-11-11T20:13:38.2523833Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/87a39d53-fc1b-424a-814c-f7e04687dc9e\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"87a39d53-fc1b-424a-814c-f7e04687dc9e\"\ - },{\"properties\":{\"roleName\":\"Managed Application Operator Role\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Lets you read and perform actions on Managed\ - \ Application resources\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ - actions\":[\"*/read\",\"Microsoft.Solutions/applications/read\",\"Microsoft.Solutions/*/action\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2018-07-27T00:59:33.7988813Z\",\"updatedOn\":\"2021-11-11T20:13:38.5973763Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c7393b34-138c-406f-901b-d8cf2b17e6ae\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c7393b34-138c-406f-901b-d8cf2b17e6ae\"\ - },{\"properties\":{\"roleName\":\"Managed Applications Reader\",\"type\":\"\ - BuiltInRole\",\"description\":\"Lets you read resources in a managed app and\ - \ request JIT access.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ - actions\":[\"*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Solutions/jitRequests/*\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2018-09-06T00:33:58.3651522Z\",\"updatedOn\":\"2021-11-11T20:13:38.7723523Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b9331d33-8a36-4f8c-b097-4f54124fdb44\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b9331d33-8a36-4f8c-b097-4f54124fdb44\"\ - },{\"properties\":{\"roleName\":\"Managed Identity Operator\",\"type\":\"\ - BuiltInRole\",\"description\":\"Read and Assign User Assigned Identity\",\"\ - assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ManagedIdentity/userAssignedIdentities/*/read\"\ - ,\"Microsoft.ManagedIdentity/userAssignedIdentities/*/assign/action\",\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Support/*\"],\"notActions\"\ - :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-12-14T19:52:04.3924594Z\"\ - ,\"updatedOn\":\"2021-11-11T20:13:38.9523759Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f1a07417-d97a-45cb-824c-7a7467783830\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f1a07417-d97a-45cb-824c-7a7467783830\"\ - },{\"properties\":{\"roleName\":\"Managed Identity Contributor\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Create, Read, Update, and Delete User Assigned\ - \ Identity\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"\ - Microsoft.ManagedIdentity/userAssignedIdentities/read\",\"Microsoft.ManagedIdentity/userAssignedIdentities/write\"\ - ,\"Microsoft.ManagedIdentity/userAssignedIdentities/delete\",\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Support/*\"],\"notActions\"\ - :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-12-14T19:53:42.8804692Z\"\ - ,\"updatedOn\":\"2021-11-11T20:13:39.3023761Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e40ec5ca-96e0-45a2-b4ff-59039f2c2b59\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e40ec5ca-96e0-45a2-b4ff-59039f2c2b59\"\ - },{\"properties\":{\"roleName\":\"Management Group Contributor\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Management Group Contributor Role\",\"\ - assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Management/managementGroups/delete\"\ - ,\"Microsoft.Management/managementGroups/read\",\"Microsoft.Management/managementGroups/subscriptions/delete\"\ - ,\"Microsoft.Management/managementGroups/subscriptions/write\",\"Microsoft.Management/managementGroups/write\"\ - ,\"Microsoft.Management/managementGroups/subscriptions/read\",\"Microsoft.Authorization/*/read\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2018-06-22T00:28:29.0523964Z\",\"updatedOn\":\"2022-09-15T21:48:24.8299981Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5d58bcaf-24a5-4b20-bdb6-eed9f69fbe4c\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5d58bcaf-24a5-4b20-bdb6-eed9f69fbe4c\"\ - },{\"properties\":{\"roleName\":\"Management Group Reader\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Management Group Reader Role\",\"assignableScopes\":[\"\ - /\"],\"permissions\":[{\"actions\":[\"Microsoft.Management/managementGroups/read\"\ - ,\"Microsoft.Management/managementGroups/subscriptions/read\",\"Microsoft.Authorization/*/read\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2018-06-22T00:31:03.4295347Z\",\"updatedOn\":\"2022-09-15T21:48:24.8299981Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ac63b705-f282-497d-ac71-919bf39d939d\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ac63b705-f282-497d-ac71-919bf39d939d\"\ - },{\"properties\":{\"roleName\":\"Monitoring Metrics Publisher\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Enables publishing metrics against Azure\ - \ resources\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"\ - Microsoft.Insights/Register/Action\",\"Microsoft.Support/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.Insights/Metrics/Write\"\ - ,\"Microsoft.Insights/Telemetry/Write\"],\"notDataActions\":[]}],\"createdOn\"\ - :\"2018-08-14T00:36:16.5610279Z\",\"updatedOn\":\"2022-01-04T00:38:04.0289073Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3913510d-42f4-4e42-8a64-420c390055eb\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3913510d-42f4-4e42-8a64-420c390055eb\"\ - },{\"properties\":{\"roleName\":\"Monitoring Reader\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Can read all monitoring data.\",\"assignableScopes\":[\"\ - /\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.OperationalInsights/workspaces/search/action\"\ - ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2016-09-21T19:19:52.4939376Z\",\"updatedOn\":\"2022-09-05T15:10:49.4071427Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/43d0d8ad-25c7-4714-9337-8ba259a9fe05\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"43d0d8ad-25c7-4714-9337-8ba259a9fe05\"\ - },{\"properties\":{\"roleName\":\"Network Contributor\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Lets you manage networks, but not access to them.\",\"\ - assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Network/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2015-06-02T00:18:27.3542698Z\",\"updatedOn\":\"2021-11-11T20:13:44.6328966Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4d97b98b-1d4f-4787-a291-c67834d212e7\"\ - },{\"properties\":{\"roleName\":\"Monitoring Contributor\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Can read all monitoring data and update monitoring settings.\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"\ - Microsoft.AlertsManagement/alerts/*\",\"Microsoft.AlertsManagement/alertsSummary/*\"\ - ,\"Microsoft.Insights/actiongroups/*\",\"Microsoft.Insights/activityLogAlerts/*\"\ - ,\"Microsoft.Insights/AlertRules/*\",\"Microsoft.Insights/components/*\",\"\ - Microsoft.Insights/createNotifications/*\",\"Microsoft.Insights/dataCollectionEndpoints/*\"\ - ,\"Microsoft.Insights/dataCollectionRules/*\",\"Microsoft.Insights/dataCollectionRuleAssociations/*\"\ - ,\"Microsoft.Insights/DiagnosticSettings/*\",\"Microsoft.Insights/eventtypes/*\"\ - ,\"Microsoft.Insights/LogDefinitions/*\",\"Microsoft.Insights/metricalerts/*\"\ - ,\"Microsoft.Insights/MetricDefinitions/*\",\"Microsoft.Insights/Metrics/*\"\ - ,\"Microsoft.Insights/notificationStatus/*\",\"Microsoft.Insights/Register/Action\"\ - ,\"Microsoft.Insights/scheduledqueryrules/*\",\"Microsoft.Insights/webtests/*\"\ - ,\"Microsoft.Insights/workbooks/*\",\"Microsoft.Insights/workbooktemplates/*\"\ - ,\"Microsoft.Insights/privateLinkScopes/*\",\"Microsoft.Insights/privateLinkScopeOperationStatuses/*\"\ - ,\"Microsoft.OperationalInsights/workspaces/write\",\"Microsoft.OperationalInsights/workspaces/intelligencepacks/*\"\ - ,\"Microsoft.OperationalInsights/workspaces/savedSearches/*\",\"Microsoft.OperationalInsights/workspaces/search/action\"\ - ,\"Microsoft.OperationalInsights/workspaces/sharedKeys/action\",\"Microsoft.OperationalInsights/workspaces/storageinsightconfigs/*\"\ - ,\"Microsoft.Support/*\",\"Microsoft.WorkloadMonitor/monitors/*\",\"Microsoft.AlertsManagement/smartDetectorAlertRules/*\"\ - ,\"Microsoft.AlertsManagement/actionRules/*\",\"Microsoft.AlertsManagement/smartGroups/*\"\ - ,\"Microsoft.AlertsManagement/migrateFromSmartDetection/*\"],\"notActions\"\ - :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-09-21T19:21:08.4345976Z\"\ - ,\"updatedOn\":\"2022-09-05T15:10:49.4071427Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/749f88d5-cbae-40b8-bcfc-e573ddc772fa\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"749f88d5-cbae-40b8-bcfc-e573ddc772fa\"\ - },{\"properties\":{\"roleName\":\"New Relic APM Account Contributor\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Lets you manage New Relic Application Performance\ - \ Management accounts and applications, but not access to them.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Support/*\",\"NewRelic.APM/accounts/*\"],\"notActions\":[],\"\ - dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\"\ - ,\"updatedOn\":\"2021-11-11T20:13:45.7178576Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5d28c62d-5b37-4476-8438-e587778df237\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5d28c62d-5b37-4476-8438-e587778df237\"\ - },{\"properties\":{\"roleName\":\"Reader\",\"type\":\"BuiltInRole\",\"description\"\ - :\"View all resources, but does not allow you to make any changes.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"*/read\"],\"notActions\":[],\"dataActions\"\ - :[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\"\ - ,\"updatedOn\":\"2021-11-11T20:13:47.8628684Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"acdd72a7-3385-48ef-bd42-f606fba81ae7\"\ - },{\"properties\":{\"roleName\":\"Redis Cache Contributor\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Lets you manage Redis caches, but not access to them.\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Cache/register/action\",\"Microsoft.Cache/redis/*\",\"Microsoft.Insights/alertRules/*\"\ - ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:48.0528671Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e0f68234-74aa-48ed-b826-c38b57376e17\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e0f68234-74aa-48ed-b826-c38b57376e17\"\ - },{\"properties\":{\"roleName\":\"Reader and Data Access\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Lets you view everything but will not let you delete or\ - \ create a storage account or contained resource. It will also allow read/write\ - \ access to all data contained in a storage account via access to storage\ - \ account keys.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.Storage/storageAccounts/listKeys/action\",\"Microsoft.Storage/storageAccounts/ListAccountSas/action\"\ - ,\"Microsoft.Storage/storageAccounts/read\"],\"notActions\":[],\"dataActions\"\ - :[],\"notDataActions\":[]}],\"createdOn\":\"2018-03-27T23:20:46.1498906Z\"\ - ,\"updatedOn\":\"2021-11-11T20:13:48.2278951Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c12c1c16-33a1-487b-954d-41c89c60f349\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c12c1c16-33a1-487b-954d-41c89c60f349\"\ - },{\"properties\":{\"roleName\":\"Resource Policy Contributor\",\"type\":\"\ - BuiltInRole\",\"description\":\"Users with rights to create/modify resource\ - \ policy, create support ticket and read resources/hierarchy.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.Authorization/policyassignments/*\"\ - ,\"Microsoft.Authorization/policydefinitions/*\",\"Microsoft.Authorization/policyexemptions/*\"\ - ,\"Microsoft.Authorization/policysetdefinitions/*\",\"Microsoft.PolicyInsights/*\"\ - ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2017-08-25T19:08:01.3861639Z\",\"updatedOn\":\"2021-11-11T20:13:49.6679217Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/36243c78-bf99-498c-9df9-86d9f8d28608\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"36243c78-bf99-498c-9df9-86d9f8d28608\"\ - },{\"properties\":{\"roleName\":\"Scheduler Job Collections Contributor\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Lets you manage Scheduler job\ - \ collections, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\"\ - ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Scheduler/jobcollections/*\"\ - ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:49.8429293Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/188a0f2f-5c9e-469b-ae67-2aa5ce574b94\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"188a0f2f-5c9e-469b-ae67-2aa5ce574b94\"\ - },{\"properties\":{\"roleName\":\"Search Service Contributor\",\"type\":\"\ - BuiltInRole\",\"description\":\"Lets you manage Search services, but not access\ - \ to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"\ - Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Search/searchServices/*\",\"Microsoft.Support/*\"],\"notActions\"\ - :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\"\ - ,\"updatedOn\":\"2021-11-11T20:13:50.0229309Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7ca78c08-252a-4471-8644-bb5ff32d4ba0\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7ca78c08-252a-4471-8644-bb5ff32d4ba0\"\ - },{\"properties\":{\"roleName\":\"Security Manager (Legacy)\",\"type\":\"\ - BuiltInRole\",\"description\":\"This is a legacy role. Please use Security\ - \ Administrator instead\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ - actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.ClassicCompute/*/read\"\ - ,\"Microsoft.ClassicCompute/virtualMachines/*/write\",\"Microsoft.ClassicNetwork/*/read\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Security/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\"\ - :[],\"notDataActions\":[]}],\"createdOn\":\"2015-06-22T17:45:15.8986455Z\"\ - ,\"updatedOn\":\"2021-11-11T20:13:50.5729549Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e3d13bf0-dd5a-482e-ba6b-9b8433878d10\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e3d13bf0-dd5a-482e-ba6b-9b8433878d10\"\ - },{\"properties\":{\"roleName\":\"Security Reader\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Security Reader Role\",\"assignableScopes\":[\"/\"],\"\ - permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/read\"\ - ,\"Microsoft.operationalInsights/workspaces/*/read\",\"Microsoft.Resources/deployments/*/read\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Security/*/read\"\ - ,\"Microsoft.IoTSecurity/*/read\",\"Microsoft.Support/*/read\",\"Microsoft.Security/iotDefenderSettings/packageDownloads/action\"\ - ,\"Microsoft.Security/iotDefenderSettings/downloadManagerActivation/action\"\ - ,\"Microsoft.Security/iotSensors/downloadResetPassword/action\",\"Microsoft.IoTSecurity/defenderSettings/packageDownloads/action\"\ - ,\"Microsoft.IoTSecurity/defenderSettings/downloadManagerActivation/action\"\ - ,\"Microsoft.Management/managementGroups/read\"],\"notActions\":[],\"dataActions\"\ - :[],\"notDataActions\":[]}],\"createdOn\":\"2017-05-03T07:48:49.0516559Z\"\ - ,\"updatedOn\":\"2021-11-11T20:13:50.7479015Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/39bc4728-0917-49c7-9d2c-d95423bc2eb4\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"39bc4728-0917-49c7-9d2c-d95423bc2eb4\"\ - },{\"properties\":{\"roleName\":\"Spatial Anchors Account Contributor\",\"\ - type\":\"BuiltInRole\",\"description\":\"Lets you manage spatial anchors in\ - \ your account, but not delete them\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/SpatialAnchorsAccounts/create/action\"\ - ,\"Microsoft.MixedReality/SpatialAnchorsAccounts/discovery/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/properties/read\"\ - ,\"Microsoft.MixedReality/SpatialAnchorsAccounts/query/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/submitdiag/read\"\ - ,\"Microsoft.MixedReality/SpatialAnchorsAccounts/write\"],\"notDataActions\"\ - :[]}],\"createdOn\":\"2018-12-21T17:57:41.1420864Z\",\"updatedOn\":\"2021-11-11T20:13:52.2829400Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8bbe83f1-e2a6-4df7-8cb4-4e04d4e5c827\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8bbe83f1-e2a6-4df7-8cb4-4e04d4e5c827\"\ - },{\"properties\":{\"roleName\":\"Site Recovery Contributor\",\"type\":\"\ - BuiltInRole\",\"description\":\"Lets you manage Site Recovery service except\ - \ vault creation and role assignment\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\"\ - ,\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.RecoveryServices/locations/allocatedStamp/read\"\ - ,\"Microsoft.RecoveryServices/locations/allocateStamp/action\",\"Microsoft.RecoveryServices/Vaults/certificates/write\"\ - ,\"Microsoft.RecoveryServices/Vaults/extendedInformation/*\",\"Microsoft.RecoveryServices/Vaults/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/refreshContainers/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/*\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationAlertSettings/*\",\"Microsoft.RecoveryServices/vaults/replicationEvents/read\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/*\",\"Microsoft.RecoveryServices/vaults/replicationJobs/*\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationPolicies/*\",\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/*\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationVaultSettings/*\",\"Microsoft.RecoveryServices/Vaults/storageConfig/*\"\ - ,\"Microsoft.RecoveryServices/Vaults/tokenInfo/read\",\"Microsoft.RecoveryServices/Vaults/usages/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/vaultTokens/read\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/*\"\ - ,\"Microsoft.RecoveryServices/Vaults/monitoringConfigurations/notificationConfiguration/read\"\ - ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/read\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationOperationStatus/read\",\"\ - Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2017-05-19T13:46:17.4592776Z\",\"updatedOn\":\"2021-11-11T20:13:52.4579503Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6670b86e-a3f7-4917-ac9b-5d6ab1be4567\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6670b86e-a3f7-4917-ac9b-5d6ab1be4567\"\ - },{\"properties\":{\"roleName\":\"Site Recovery Operator\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Lets you failover and failback but not perform other Site\ - \ Recovery management operations\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\"\ - ,\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.RecoveryServices/locations/allocatedStamp/read\"\ - ,\"Microsoft.RecoveryServices/locations/allocateStamp/action\",\"Microsoft.RecoveryServices/Vaults/extendedInformation/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/read\",\"Microsoft.RecoveryServices/Vaults/refreshContainers/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/registeredIdentities/operationResults/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/registeredIdentities/read\",\"Microsoft.RecoveryServices/vaults/replicationAlertSettings/read\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationEvents/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/checkConsistency/action\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/reassociateGateway/action\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/renewcertificate/action\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationNetworks/read\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationNetworks/replicationNetworkMappings/read\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/read\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectableItems/read\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/applyRecoveryPoint/action\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/failoverCommit/action\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/plannedFailover/action\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/read\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/recoveryPoints/read\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/repairReplication/action\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/reProtect/action\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/switchprotection/action\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/testFailover/action\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/testFailoverCleanup/action\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/unplannedFailover/action\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/updateMobilityService/action\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectionContainerMappings/read\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationRecoveryServicesProviders/read\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationRecoveryServicesProviders/refreshProvider/action\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationStorageClassifications/read\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationStorageClassifications/replicationStorageClassificationMappings/read\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationvCenters/read\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationJobs/*\",\"Microsoft.RecoveryServices/vaults/replicationPolicies/read\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/failoverCommit/action\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/plannedFailover/action\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/read\",\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/reProtect/action\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/testFailover/action\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/testFailoverCleanup/action\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/unplannedFailover/action\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationVaultSettings/read\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/*\"\ - ,\"Microsoft.RecoveryServices/Vaults/monitoringConfigurations/notificationConfiguration/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/storageConfig/read\",\"Microsoft.RecoveryServices/Vaults/tokenInfo/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/usages/read\",\"Microsoft.RecoveryServices/Vaults/vaultTokens/read\"\ - ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/read\"\ - ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2017-05-19T13:47:50.1341148Z\",\"updatedOn\":\"2021-11-11T20:13:52.6263418Z\"\ - ,\"createdBy\":null,\"updatedBy\":\"\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/494ae006-db33-4328-bf46-533a6560a3ca\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"494ae006-db33-4328-bf46-533a6560a3ca\"\ - },{\"properties\":{\"roleName\":\"Spatial Anchors Account Reader\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Lets you locate and read properties of\ - \ spatial anchors in your account\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/SpatialAnchorsAccounts/discovery/read\"\ - ,\"Microsoft.MixedReality/SpatialAnchorsAccounts/properties/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/query/read\"\ - ,\"Microsoft.MixedReality/SpatialAnchorsAccounts/submitdiag/read\"],\"notDataActions\"\ - :[]}],\"createdOn\":\"2018-12-21T17:57:42.9271004Z\",\"updatedOn\":\"2021-11-11T20:13:52.8013467Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5d51204f-eb77-4b1c-b86a-2ec626c49413\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5d51204f-eb77-4b1c-b86a-2ec626c49413\"\ - },{\"properties\":{\"roleName\":\"Site Recovery Reader\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Lets you view Site Recovery status but not perform other\ - \ management operations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ - actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.RecoveryServices/locations/allocatedStamp/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/extendedInformation/read\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/monitoringConfigurations/notificationConfiguration/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/read\",\"Microsoft.RecoveryServices/Vaults/refreshContainers/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/registeredIdentities/operationResults/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/registeredIdentities/read\",\"Microsoft.RecoveryServices/vaults/replicationAlertSettings/read\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationEvents/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/read\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationNetworks/read\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationNetworks/replicationNetworkMappings/read\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/read\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectableItems/read\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/read\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/recoveryPoints/read\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectionContainerMappings/read\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationRecoveryServicesProviders/read\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationStorageClassifications/read\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationStorageClassifications/replicationStorageClassificationMappings/read\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationvCenters/read\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationJobs/read\",\"Microsoft.RecoveryServices/vaults/replicationPolicies/read\"\ - ,\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/read\",\"Microsoft.RecoveryServices/vaults/replicationVaultSettings/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/storageConfig/read\",\"Microsoft.RecoveryServices/Vaults/tokenInfo/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/usages/read\",\"Microsoft.RecoveryServices/Vaults/vaultTokens/read\"\ - ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2017-05-19T13:35:40.0093634Z\",\"updatedOn\":\"2021-11-11T20:13:52.9763366Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/dbaa88c4-0c30-4179-9fb3-46319faa6149\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"dbaa88c4-0c30-4179-9fb3-46319faa6149\"\ - },{\"properties\":{\"roleName\":\"Spatial Anchors Account Owner\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Lets you manage spatial anchors in your\ - \ account, including deleting them\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/SpatialAnchorsAccounts/create/action\"\ - ,\"Microsoft.MixedReality/SpatialAnchorsAccounts/delete\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/discovery/read\"\ - ,\"Microsoft.MixedReality/SpatialAnchorsAccounts/properties/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/query/read\"\ - ,\"Microsoft.MixedReality/SpatialAnchorsAccounts/submitdiag/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/write\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2018-12-21T17:57:43.5489832Z\",\"\ - updatedOn\":\"2021-11-11T20:13:53.1663250Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/70bbe301-9835-447d-afdd-19eb3167307c\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"70bbe301-9835-447d-afdd-19eb3167307c\"\ - },{\"properties\":{\"roleName\":\"SQL Managed Instance Contributor\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Lets you manage SQL Managed Instances and\ - \ required network configuration, but can\u2019t give access to others.\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Network/networkSecurityGroups/*\",\"Microsoft.Network/routeTables/*\"\ - ,\"Microsoft.Sql/locations/*/read\",\"Microsoft.Sql/locations/instanceFailoverGroups/*\"\ - ,\"Microsoft.Sql/managedInstances/*\",\"Microsoft.Support/*\",\"Microsoft.Network/virtualNetworks/subnets/*\"\ - ,\"Microsoft.Network/virtualNetworks/*\",\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/metrics/read\",\"\ - Microsoft.Insights/metricDefinitions/read\"],\"notActions\":[\"Microsoft.Sql/managedInstances/azureADOnlyAuthentications/delete\"\ - ,\"Microsoft.Sql/managedInstances/azureADOnlyAuthentications/write\"],\"dataActions\"\ - :[],\"notDataActions\":[]}],\"createdOn\":\"2018-12-10T22:57:14.2937983Z\"\ - ,\"updatedOn\":\"2021-11-11T20:13:53.3513507Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4939a1f6-9ae0-4e48-a1e0-f2cbe897382d\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4939a1f6-9ae0-4e48-a1e0-f2cbe897382d\"\ - },{\"properties\":{\"roleName\":\"SQL DB Contributor\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Lets you manage SQL databases, but not access to them.\ - \ Also, you can't manage their security-related policies or their parent SQL\ - \ servers.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"\ - Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Sql/locations/*/read\",\"Microsoft.Sql/servers/databases/*\"\ - ,\"Microsoft.Sql/servers/read\",\"Microsoft.Support/*\",\"Microsoft.Insights/metrics/read\"\ - ,\"Microsoft.Insights/metricDefinitions/read\"],\"notActions\":[\"Microsoft.Sql/servers/databases/ledgerDigestUploads/write\"\ - ,\"Microsoft.Sql/servers/databases/ledgerDigestUploads/disable/action\",\"\ - Microsoft.Sql/managedInstances/databases/currentSensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/recommendedSensitivityLabels/*\"\ - ,\"Microsoft.Sql/managedInstances/databases/schemas/tables/columns/sensitivityLabels/*\"\ - ,\"Microsoft.Sql/managedInstances/databases/securityAlertPolicies/*\",\"Microsoft.Sql/managedInstances/databases/sensitivityLabels/*\"\ - ,\"Microsoft.Sql/managedInstances/databases/vulnerabilityAssessments/*\",\"\ - Microsoft.Sql/managedInstances/securityAlertPolicies/*\",\"Microsoft.Sql/managedInstances/vulnerabilityAssessments/*\"\ - ,\"Microsoft.Sql/servers/databases/auditingSettings/*\",\"Microsoft.Sql/servers/databases/auditRecords/read\"\ - ,\"Microsoft.Sql/servers/databases/currentSensitivityLabels/*\",\"Microsoft.Sql/servers/databases/dataMaskingPolicies/*\"\ - ,\"Microsoft.Sql/servers/databases/extendedAuditingSettings/*\",\"Microsoft.Sql/servers/databases/recommendedSensitivityLabels/*\"\ - ,\"Microsoft.Sql/servers/databases/schemas/tables/columns/sensitivityLabels/*\"\ - ,\"Microsoft.Sql/servers/databases/securityAlertPolicies/*\",\"Microsoft.Sql/servers/databases/securityMetrics/*\"\ - ,\"Microsoft.Sql/servers/databases/sensitivityLabels/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessments/*\"\ - ,\"Microsoft.Sql/servers/databases/vulnerabilityAssessmentScans/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessmentSettings/*\"\ - ,\"Microsoft.Sql/servers/vulnerabilityAssessments/*\"],\"dataActions\":[],\"\ - notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\"\ - :\"2021-11-11T20:13:53.5363219Z\",\"createdBy\":null,\"updatedBy\":null},\"\ - id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9b7fa17d-e63e-47b0-bb0a-15c516ac86ec\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"9b7fa17d-e63e-47b0-bb0a-15c516ac86ec\"\ - },{\"properties\":{\"roleName\":\"SQL Security Manager\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Lets you manage the security-related policies of SQL servers\ - \ and databases, but not access to them.\",\"assignableScopes\":[\"/\"],\"\ - permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\"\ - ,\"Microsoft.Network/virtualNetworks/subnets/joinViaServiceEndpoint/action\"\ - ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Sql/locations/administratorAzureAsyncOperation/read\"\ - ,\"Microsoft.Sql/managedInstances/advancedThreatProtectionSettings/read\"\ - ,\"Microsoft.Sql/managedInstances/advancedThreatProtectionSettings/write\"\ - ,\"Microsoft.Sql/managedInstances/databases/advancedThreatProtectionSettings/read\"\ - ,\"Microsoft.Sql/managedInstances/databases/advancedThreatProtectionSettings/write\"\ - ,\"Microsoft.Sql/managedInstances/advancedThreatProtectionSettings/read\"\ - ,\"Microsoft.Sql/managedInstances/advancedThreatProtectionSettings/write\"\ - ,\"Microsoft.Sql/managedInstances/databases/advancedThreatProtectionSettings/read\"\ - ,\"Microsoft.Sql/managedInstances/databases/advancedThreatProtectionSettings/write\"\ - ,\"Microsoft.Sql/managedInstances/databases/currentSensitivityLabels/*\",\"\ - Microsoft.Sql/managedInstances/databases/recommendedSensitivityLabels/*\"\ - ,\"Microsoft.Sql/managedInstances/databases/schemas/tables/columns/sensitivityLabels/*\"\ - ,\"Microsoft.Sql/managedInstances/databases/securityAlertPolicies/*\",\"Microsoft.Sql/managedInstances/databases/sensitivityLabels/*\"\ - ,\"Microsoft.Sql/managedInstances/databases/vulnerabilityAssessments/*\",\"\ - Microsoft.Sql/servers/advancedThreatProtectionSettings/read\",\"Microsoft.Sql/servers/advancedThreatProtectionSettings/write\"\ - ,\"Microsoft.Sql/managedInstances/securityAlertPolicies/*\",\"Microsoft.Sql/managedInstances/databases/transparentDataEncryption/*\"\ - ,\"Microsoft.Sql/managedInstances/vulnerabilityAssessments/*\",\"Microsoft.Sql/servers/advancedThreatProtectionSettings/read\"\ - ,\"Microsoft.Sql/servers/advancedThreatProtectionSettings/write\",\"Microsoft.Sql/servers/auditingSettings/*\"\ - ,\"Microsoft.Sql/servers/extendedAuditingSettings/read\",\"Microsoft.Sql/servers/databases/advancedThreatProtectionSettings/read\"\ - ,\"Microsoft.Sql/servers/databases/advancedThreatProtectionSettings/write\"\ - ,\"Microsoft.Sql/servers/databases/advancedThreatProtectionSettings/read\"\ - ,\"Microsoft.Sql/servers/databases/advancedThreatProtectionSettings/write\"\ - ,\"Microsoft.Sql/servers/databases/auditingSettings/*\",\"Microsoft.Sql/servers/databases/auditRecords/read\"\ - ,\"Microsoft.Sql/servers/databases/currentSensitivityLabels/*\",\"Microsoft.Sql/servers/databases/dataMaskingPolicies/*\"\ - ,\"Microsoft.Sql/servers/databases/extendedAuditingSettings/read\",\"Microsoft.Sql/servers/databases/read\"\ - ,\"Microsoft.Sql/servers/databases/recommendedSensitivityLabels/*\",\"Microsoft.Sql/servers/databases/schemas/read\"\ - ,\"Microsoft.Sql/servers/databases/schemas/tables/columns/read\",\"Microsoft.Sql/servers/databases/schemas/tables/columns/sensitivityLabels/*\"\ - ,\"Microsoft.Sql/servers/databases/schemas/tables/read\",\"Microsoft.Sql/servers/databases/securityAlertPolicies/*\"\ - ,\"Microsoft.Sql/servers/databases/securityMetrics/*\",\"Microsoft.Sql/servers/databases/sensitivityLabels/*\"\ - ,\"Microsoft.Sql/servers/databases/transparentDataEncryption/*\",\"Microsoft.Sql/servers/databases/sqlvulnerabilityAssessments/*\"\ - ,\"Microsoft.Sql/servers/databases/vulnerabilityAssessments/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessmentScans/*\"\ - ,\"Microsoft.Sql/servers/databases/vulnerabilityAssessmentSettings/*\",\"\ - Microsoft.Sql/servers/devOpsAuditingSettings/*\",\"Microsoft.Sql/servers/firewallRules/*\"\ - ,\"Microsoft.Sql/servers/read\",\"Microsoft.Sql/servers/securityAlertPolicies/*\"\ - ,\"Microsoft.Sql/servers/sqlvulnerabilityAssessments/*\",\"Microsoft.Sql/servers/vulnerabilityAssessments/*\"\ - ,\"Microsoft.Support/*\",\"Microsoft.Sql/servers/azureADOnlyAuthentications/*\"\ - ,\"Microsoft.Sql/managedInstances/read\",\"Microsoft.Sql/managedInstances/azureADOnlyAuthentications/*\"\ - ,\"Microsoft.Security/sqlVulnerabilityAssessments/*\",\"Microsoft.Sql/managedInstances/administrators/read\"\ - ,\"Microsoft.Sql/servers/administrators/read\",\"Microsoft.Sql/servers/databases/ledgerDigestUploads/*\"\ - ,\"Microsoft.Sql/locations/ledgerDigestUploadsAzureAsyncOperation/read\",\"\ - Microsoft.Sql/locations/ledgerDigestUploadsOperationResults/read\",\"Microsoft.Sql/servers/externalPolicyBasedAuthorizations/*\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2015-06-16T18:44:40.4607572Z\",\"updatedOn\":\"2022-12-08T21:09:48.6705495Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/056cd41c-7e88-42e1-933e-88ba6a50c9c3\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"056cd41c-7e88-42e1-933e-88ba6a50c9c3\"\ - },{\"properties\":{\"roleName\":\"Storage Account Contributor\",\"type\":\"\ - BuiltInRole\",\"description\":\"Lets you manage storage accounts, including\ - \ accessing storage account keys which provide full access to storage account\ - \ data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/diagnosticSettings/*\"\ - ,\"Microsoft.Network/virtualNetworks/subnets/joinViaServiceEndpoint/action\"\ - ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/*\"\ - ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2015-06-02T00:18:27.3542698Z\",\"updatedOn\":\"2021-11-11T20:13:54.2363539Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/17d1049b-9a84-46fb-8f53-869881c3d3ab\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"17d1049b-9a84-46fb-8f53-869881c3d3ab\"\ - },{\"properties\":{\"roleName\":\"SQL Server Contributor\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Lets you manage SQL servers and databases, but not access\ - \ to them, and not their security -related policies.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Sql/locations/*/read\",\"Microsoft.Sql/servers/*\",\"Microsoft.Support/*\"\ - ,\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\"\ - ],\"notActions\":[\"Microsoft.Sql/managedInstances/databases/currentSensitivityLabels/*\"\ - ,\"Microsoft.Sql/managedInstances/databases/recommendedSensitivityLabels/*\"\ - ,\"Microsoft.Sql/managedInstances/databases/schemas/tables/columns/sensitivityLabels/*\"\ - ,\"Microsoft.Sql/managedInstances/databases/securityAlertPolicies/*\",\"Microsoft.Sql/managedInstances/databases/sensitivityLabels/*\"\ - ,\"Microsoft.Sql/managedInstances/databases/vulnerabilityAssessments/*\",\"\ - Microsoft.Sql/managedInstances/securityAlertPolicies/*\",\"Microsoft.Sql/managedInstances/vulnerabilityAssessments/*\"\ - ,\"Microsoft.Sql/servers/auditingSettings/*\",\"Microsoft.Sql/servers/databases/auditingSettings/*\"\ - ,\"Microsoft.Sql/servers/databases/auditRecords/read\",\"Microsoft.Sql/servers/databases/currentSensitivityLabels/*\"\ - ,\"Microsoft.Sql/servers/databases/dataMaskingPolicies/*\",\"Microsoft.Sql/servers/databases/extendedAuditingSettings/*\"\ - ,\"Microsoft.Sql/servers/databases/recommendedSensitivityLabels/*\",\"Microsoft.Sql/servers/databases/schemas/tables/columns/sensitivityLabels/*\"\ - ,\"Microsoft.Sql/servers/databases/securityAlertPolicies/*\",\"Microsoft.Sql/servers/databases/securityMetrics/*\"\ - ,\"Microsoft.Sql/servers/databases/sensitivityLabels/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessments/*\"\ - ,\"Microsoft.Sql/servers/databases/vulnerabilityAssessmentScans/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessmentSettings/*\"\ - ,\"Microsoft.Sql/servers/devOpsAuditingSettings/*\",\"Microsoft.Sql/servers/extendedAuditingSettings/*\"\ - ,\"Microsoft.Sql/servers/securityAlertPolicies/*\",\"Microsoft.Sql/servers/vulnerabilityAssessments/*\"\ - ,\"Microsoft.Sql/servers/azureADOnlyAuthentications/delete\",\"Microsoft.Sql/servers/azureADOnlyAuthentications/write\"\ - ,\"Microsoft.Sql/servers/externalPolicyBasedAuthorizations/delete\",\"Microsoft.Sql/servers/externalPolicyBasedAuthorizations/write\"\ - ],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\"\ - ,\"updatedOn\":\"2022-04-28T19:08:55.4448647Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6d8ee4ec-f05a-4a1d-8b00-a9b17e38b437\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6d8ee4ec-f05a-4a1d-8b00-a9b17e38b437\"\ - },{\"properties\":{\"roleName\":\"Storage Account Key Operator Service Role\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Storage Account Key Operators\ - \ are allowed to list and regenerate keys on Storage Accounts\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/listkeys/action\"\ - ,\"Microsoft.Storage/storageAccounts/regeneratekey/action\"],\"notActions\"\ - :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-04-13T18:26:11.5770570Z\"\ - ,\"updatedOn\":\"2021-11-11T20:13:54.7697481Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/81a9662b-bebf-436f-a333-f67b29880f12\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"81a9662b-bebf-436f-a333-f67b29880f12\"\ - },{\"properties\":{\"roleName\":\"Storage Blob Data Contributor\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Allows for read, write and delete access\ - \ to Azure Storage blob containers and data\",\"assignableScopes\":[\"/\"\ - ],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/delete\"\ - ,\"Microsoft.Storage/storageAccounts/blobServices/containers/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/write\"\ - ,\"Microsoft.Storage/storageAccounts/blobServices/generateUserDelegationKey/action\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/delete\"\ - ,\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/read\"\ - ,\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/write\"\ - ,\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/move/action\"\ - ,\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/add/action\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2017-12-21T00:01:24.7972312Z\",\"\ - updatedOn\":\"2021-11-11T20:13:54.9397456Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ba92f5b4-2d11-453d-a403-e96b0029c9fe\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ba92f5b4-2d11-453d-a403-e96b0029c9fe\"\ - },{\"properties\":{\"roleName\":\"Storage Blob Data Owner\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Allows for full access to Azure Storage blob containers\ - \ and data, including assigning POSIX access control.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/*\"\ - ,\"Microsoft.Storage/storageAccounts/blobServices/generateUserDelegationKey/action\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/*\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2018-12-04T07:02:58.2775257Z\",\"\ - updatedOn\":\"2021-11-11T20:13:55.1225062Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b7e6dc6d-f1e8-4753-8033-0f276bb0955b\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b7e6dc6d-f1e8-4753-8033-0f276bb0955b\"\ - },{\"properties\":{\"roleName\":\"Storage Blob Data Reader\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Allows for read access to Azure Storage blob containers\ - \ and data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"\ - Microsoft.Storage/storageAccounts/blobServices/containers/read\",\"Microsoft.Storage/storageAccounts/blobServices/generateUserDelegationKey/action\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/read\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2017-12-21T00:01:24.7972312Z\",\"\ - updatedOn\":\"2021-11-11T20:13:55.2975076Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2a2b9908-6ea1-4ae2-8e65-a410df84e7d1\"\ - },{\"properties\":{\"roleName\":\"Storage Queue Data Contributor\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Allows for read, write, and delete access\ - \ to Azure Storage queues and queue messages\",\"assignableScopes\":[\"/\"\ - ],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/queueServices/queues/delete\"\ - ,\"Microsoft.Storage/storageAccounts/queueServices/queues/read\",\"Microsoft.Storage/storageAccounts/queueServices/queues/write\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/delete\"\ - ,\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/read\"\ - ,\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/write\"\ - ,\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/process/action\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2017-12-21T00:01:24.7972312Z\",\"\ - updatedOn\":\"2021-11-11T20:13:55.4725469Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/974c5e8b-45b9-4653-ba55-5f855dd0fb88\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"974c5e8b-45b9-4653-ba55-5f855dd0fb88\"\ - },{\"properties\":{\"roleName\":\"Storage Queue Data Message Processor\",\"\ - type\":\"BuiltInRole\",\"description\":\"Allows for peek, receive, and delete\ - \ access to Azure Storage queue messages\",\"assignableScopes\":[\"/\"],\"\ - permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/read\"\ - ,\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/process/action\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2019-01-28T22:27:04.8947111Z\",\"\ - updatedOn\":\"2021-11-11T20:13:55.6575408Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8a0f0c08-91a1-4084-bc3d-661d67233fed\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8a0f0c08-91a1-4084-bc3d-661d67233fed\"\ - },{\"properties\":{\"roleName\":\"Storage Queue Data Message Sender\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Allows for sending of Azure Storage queue\ - \ messages\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"\ - notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/add/action\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2019-01-28T22:28:34.7459724Z\",\"\ - updatedOn\":\"2021-11-11T20:13:55.8325508Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c6a89b2d-59bc-44d0-9896-0f6e12d7b80a\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c6a89b2d-59bc-44d0-9896-0f6e12d7b80a\"\ - },{\"properties\":{\"roleName\":\"Storage Queue Data Reader\",\"type\":\"\ - BuiltInRole\",\"description\":\"Allows for read access to Azure Storage queues\ - \ and queue messages\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.Storage/storageAccounts/queueServices/queues/read\"],\"notActions\"\ - :[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/read\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2017-12-21T00:01:24.7972312Z\",\"\ - updatedOn\":\"2021-11-11T20:13:56.0178497Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/19e7f393-937e-4f77-808e-94535e297925\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"19e7f393-937e-4f77-808e-94535e297925\"\ - },{\"properties\":{\"roleName\":\"Support Request Contributor\",\"type\":\"\ - BuiltInRole\",\"description\":\"Lets you create and manage Support requests\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2017-06-22T22:25:37.8053068Z\",\"updatedOn\":\"2021-11-11T20:13:56.7444481Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/cfd33db0-3dd1-45e3-aa9d-cdbdf3b6f24e\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"cfd33db0-3dd1-45e3-aa9d-cdbdf3b6f24e\"\ - },{\"properties\":{\"roleName\":\"Traffic Manager Contributor\",\"type\":\"\ - BuiltInRole\",\"description\":\"Lets you manage Traffic Manager profiles,\ - \ but does not let you control who has access to them.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Network/trafficManagerProfiles/*\"\ - ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2015-10-15T23:33:25.9730842Z\",\"updatedOn\":\"2021-11-11T20:13:57.2744497Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a4b10055-b0c7-44c2-b00f-c7b5b3550cf7\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a4b10055-b0c7-44c2-b00f-c7b5b3550cf7\"\ - },{\"properties\":{\"roleName\":\"User Access Administrator\",\"type\":\"\ - BuiltInRole\",\"description\":\"Lets you manage user access to Azure resources.\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"\ - Microsoft.Authorization/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"\ - dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\"\ - ,\"updatedOn\":\"2021-11-11T20:13:57.7932023Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"18d7d88d-d35e-4fb5-a5c3-7773c20a72d9\"\ - },{\"properties\":{\"roleName\":\"Virtual Machine Contributor\",\"type\":\"\ - BuiltInRole\",\"description\":\"Lets you manage virtual machines, but not\ - \ access to them, and not the virtual network or storage account they're connected\ - \ to.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Compute/availabilitySets/*\",\"Microsoft.Compute/locations/*\"\ - ,\"Microsoft.Compute/virtualMachines/*\",\"Microsoft.Compute/virtualMachineScaleSets/*\"\ - ,\"Microsoft.Compute/cloudServices/*\",\"Microsoft.Compute/disks/write\",\"\ - Microsoft.Compute/disks/read\",\"Microsoft.Compute/disks/delete\",\"Microsoft.DevTestLab/schedules/*\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Network/applicationGateways/backendAddressPools/join/action\"\ - ,\"Microsoft.Network/loadBalancers/backendAddressPools/join/action\",\"Microsoft.Network/loadBalancers/inboundNatPools/join/action\"\ - ,\"Microsoft.Network/loadBalancers/inboundNatRules/join/action\",\"Microsoft.Network/loadBalancers/probes/join/action\"\ - ,\"Microsoft.Network/loadBalancers/read\",\"Microsoft.Network/locations/*\"\ - ,\"Microsoft.Network/networkInterfaces/*\",\"Microsoft.Network/networkSecurityGroups/join/action\"\ - ,\"Microsoft.Network/networkSecurityGroups/read\",\"Microsoft.Network/publicIPAddresses/join/action\"\ - ,\"Microsoft.Network/publicIPAddresses/read\",\"Microsoft.Network/virtualNetworks/read\"\ - ,\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.RecoveryServices/locations/*\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/backupProtectionIntent/write\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/*/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/write\"\ - ,\"Microsoft.RecoveryServices/Vaults/backupPolicies/read\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/write\"\ - ,\"Microsoft.RecoveryServices/Vaults/read\",\"Microsoft.RecoveryServices/Vaults/usages/read\"\ - ,\"Microsoft.RecoveryServices/Vaults/write\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.SerialConsole/serialPorts/connect/action\",\"Microsoft.SqlVirtualMachine/*\"\ - ,\"Microsoft.Storage/storageAccounts/listKeys/action\",\"Microsoft.Storage/storageAccounts/read\"\ - ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2015-06-02T00:18:27.3542698Z\",\"updatedOn\":\"2021-11-11T20:13:58.3176075Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"9980e02c-c2be-4d73-94e8-173b1dc7cf3c\"\ - },{\"properties\":{\"roleName\":\"Web Plan Contributor\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Lets you manage the web plans for websites, but not access\ - \ to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"\ - Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Support/*\",\"Microsoft.Web/serverFarms/*\",\"Microsoft.Web/hostingEnvironments/Join/Action\"\ - ,\"Microsoft.Insights/autoscalesettings/*\"],\"notActions\":[],\"dataActions\"\ - :[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\"\ - ,\"updatedOn\":\"2022-09-01T21:58:00.7022464Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2cc479cb-7b4d-49a8-b449-8c00fd0f0a4b\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2cc479cb-7b4d-49a8-b449-8c00fd0f0a4b\"\ - },{\"properties\":{\"roleName\":\"Website Contributor\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Lets you manage websites (not web plans), but not access\ - \ to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"\ - Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/components/*\"\ - ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ - ,\"Microsoft.Web/certificates/*\",\"Microsoft.Web/listSitesAssignedToHostName/read\"\ - ,\"Microsoft.Web/serverFarms/join/action\",\"Microsoft.Web/serverFarms/read\"\ - ,\"Microsoft.Web/sites/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2015-05-12T23:10:23.6193952Z\",\"updatedOn\":\"2021-11-11T20:13:58.6655647Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/de139f84-1756-47ae-9be6-808fbbe84772\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"de139f84-1756-47ae-9be6-808fbbe84772\"\ - },{\"properties\":{\"roleName\":\"Azure Service Bus Data Owner\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Allows for full access to Azure Service\ - \ Bus resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.ServiceBus/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ServiceBus/*\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2019-04-16T21:33:36.7445745Z\",\"\ - updatedOn\":\"2021-11-11T20:13:59.2005807Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/090c5cfd-751d-490a-894a-3ce6f1109419\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"090c5cfd-751d-490a-894a-3ce6f1109419\"\ - },{\"properties\":{\"roleName\":\"Azure Event Hubs Data Owner\",\"type\":\"\ - BuiltInRole\",\"description\":\"Allows for full access to Azure Event Hubs\ - \ resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.EventHub/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.EventHub/*\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2019-04-16T21:34:29.8656362Z\",\"\ - updatedOn\":\"2021-11-11T20:13:59.3721538Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f526a384-b230-433a-b45c-95f59c4a2dec\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f526a384-b230-433a-b45c-95f59c4a2dec\"\ - },{\"properties\":{\"roleName\":\"Attestation Contributor\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Can read write or delete the attestation provider instance\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Attestation/attestationProviders/attestation/read\"\ - ,\"Microsoft.Attestation/attestationProviders/attestation/write\",\"Microsoft.Attestation/attestationProviders/attestation/delete\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2019-04-19T00:24:09.3354177Z\",\"updatedOn\":\"2021-11-11T20:13:59.7271218Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/bbf86eb8-f7b4-4cce-96e4-18cddf81d86e\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"bbf86eb8-f7b4-4cce-96e4-18cddf81d86e\"\ - },{\"properties\":{\"roleName\":\"HDInsight Cluster Operator\",\"type\":\"\ - BuiltInRole\",\"description\":\"Lets you read and modify HDInsight cluster\ - \ configurations.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.HDInsight/*/read\",\"Microsoft.HDInsight/clusters/getGatewaySettings/action\"\ - ,\"Microsoft.HDInsight/clusters/updateGatewaySettings/action\",\"Microsoft.HDInsight/clusters/configurations/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/operations/read\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Authorization/*/read\",\"\ - Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2019-04-20T00:03:01.7110732Z\",\"updatedOn\":\"2021-11-11T20:13:59.9052180Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/61ed4efc-fab3-44fd-b111-e24485cc132a\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"61ed4efc-fab3-44fd-b111-e24485cc132a\"\ - },{\"properties\":{\"roleName\":\"Cosmos DB Operator\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Lets you manage Azure Cosmos DB accounts, but not access\ - \ data in them. Prevents access to account keys and connection strings.\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DocumentDb/databaseAccounts/*\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Authorization/*/read\",\"\ - Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ - ,\"Microsoft.Network/virtualNetworks/subnets/joinViaServiceEndpoint/action\"\ - ],\"notActions\":[\"Microsoft.DocumentDB/databaseAccounts/readonlyKeys/*\"\ - ,\"Microsoft.DocumentDB/databaseAccounts/regenerateKey/*\",\"Microsoft.DocumentDB/databaseAccounts/listKeys/*\"\ - ,\"Microsoft.DocumentDB/databaseAccounts/listConnectionStrings/*\",\"Microsoft.DocumentDB/databaseAccounts/sqlRoleDefinitions/write\"\ - ,\"Microsoft.DocumentDB/databaseAccounts/sqlRoleDefinitions/delete\",\"Microsoft.DocumentDB/databaseAccounts/sqlRoleAssignments/write\"\ - ,\"Microsoft.DocumentDB/databaseAccounts/sqlRoleAssignments/delete\",\"Microsoft.DocumentDB/databaseAccounts/mongodbRoleDefinitions/write\"\ - ,\"Microsoft.DocumentDB/databaseAccounts/mongodbRoleDefinitions/delete\",\"\ - Microsoft.DocumentDB/databaseAccounts/mongodbUserDefinitions/write\",\"Microsoft.DocumentDB/databaseAccounts/mongodbUserDefinitions/delete\"\ - ],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-04-26T17:01:17.0169383Z\"\ - ,\"updatedOn\":\"2023-01-11T18:59:29.2865530Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/230815da-be43-4aae-9cb4-875f7bd000aa\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"230815da-be43-4aae-9cb4-875f7bd000aa\"\ - },{\"properties\":{\"roleName\":\"Hybrid Server Resource Administrator\",\"\ - type\":\"BuiltInRole\",\"description\":\"Can read, write, delete, and re-onboard\ - \ Hybrid servers to the Hybrid Resource Provider.\",\"assignableScopes\":[\"\ - /\"],\"permissions\":[{\"actions\":[\"Microsoft.HybridCompute/machines/*\"\ - ,\"Microsoft.HybridCompute/*/read\"],\"notActions\":[],\"dataActions\":[],\"\ - notDataActions\":[]}],\"createdOn\":\"2019-04-29T21:39:32.3132923Z\",\"updatedOn\"\ - :\"2021-11-11T20:14:00.2548257Z\",\"createdBy\":null,\"updatedBy\":null},\"\ - id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/48b40c6e-82e0-4eb3-90d5-19e40f49b624\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"48b40c6e-82e0-4eb3-90d5-19e40f49b624\"\ - },{\"properties\":{\"roleName\":\"Hybrid Server Onboarding\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Can onboard new Hybrid servers to the Hybrid Resource Provider.\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HybridCompute/machines/read\"\ - ,\"Microsoft.HybridCompute/machines/write\"],\"notActions\":[],\"dataActions\"\ - :[],\"notDataActions\":[]}],\"createdOn\":\"2019-04-29T22:36:28.1873756Z\"\ - ,\"updatedOn\":\"2021-11-11T20:14:00.4308999Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5d1e5ee4-7c68-4a71-ac8b-0739630a3dfb\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5d1e5ee4-7c68-4a71-ac8b-0739630a3dfb\"\ - },{\"properties\":{\"roleName\":\"Azure Event Hubs Data Receiver\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Allows receive access to Azure Event Hubs\ - \ resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.EventHub/*/eventhubs/consumergroups/read\"],\"notActions\":[],\"\ - dataActions\":[\"Microsoft.EventHub/*/receive/action\"],\"notDataActions\"\ - :[]}],\"createdOn\":\"2019-05-10T06:25:21.1056666Z\",\"updatedOn\":\"2021-11-11T20:14:01.3225169Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a638d3c7-ab3a-418d-83e6-5f17a39d4fde\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a638d3c7-ab3a-418d-83e6-5f17a39d4fde\"\ - },{\"properties\":{\"roleName\":\"Azure Event Hubs Data Sender\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Allows send access to Azure Event Hubs\ - \ resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.EventHub/*/eventhubs/read\"],\"notActions\":[],\"dataActions\"\ - :[\"Microsoft.EventHub/*/send/action\"],\"notDataActions\":[]}],\"createdOn\"\ - :\"2019-05-10T06:26:12.4673714Z\",\"updatedOn\":\"2021-11-11T20:14:01.4925583Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2b629674-e913-4c01-ae53-ef4638d8f975\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2b629674-e913-4c01-ae53-ef4638d8f975\"\ - },{\"properties\":{\"roleName\":\"Azure Service Bus Data Receiver\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Allows for receive access to Azure Service\ - \ Bus resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.ServiceBus/*/queues/read\",\"Microsoft.ServiceBus/*/topics/read\"\ - ,\"Microsoft.ServiceBus/*/topics/subscriptions/read\"],\"notActions\":[],\"\ - dataActions\":[\"Microsoft.ServiceBus/*/receive/action\"],\"notDataActions\"\ - :[]}],\"createdOn\":\"2019-05-10T06:43:01.6343849Z\",\"updatedOn\":\"2021-11-11T20:14:01.6629685Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4f6d3b9b-027b-4f4c-9142-0e5a2a2247e0\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4f6d3b9b-027b-4f4c-9142-0e5a2a2247e0\"\ - },{\"properties\":{\"roleName\":\"Azure Service Bus Data Sender\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Allows for send access to Azure Service\ - \ Bus resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.ServiceBus/*/queues/read\",\"Microsoft.ServiceBus/*/topics/read\"\ - ,\"Microsoft.ServiceBus/*/topics/subscriptions/read\"],\"notActions\":[],\"\ - dataActions\":[\"Microsoft.ServiceBus/*/send/action\"],\"notDataActions\"\ - :[]}],\"createdOn\":\"2019-05-10T06:43:46.7046934Z\",\"updatedOn\":\"2021-11-11T20:14:01.8479199Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/69a216fc-b8fb-44d8-bc22-1f3c2cd27a39\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"69a216fc-b8fb-44d8-bc22-1f3c2cd27a39\"\ - },{\"properties\":{\"roleName\":\"Storage File Data SMB Share Reader\",\"\ - type\":\"BuiltInRole\",\"description\":\"Allows for read access to Azure File\ - \ Share over SMB\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/read\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2019-07-01T20:19:31.8620471Z\",\"\ - updatedOn\":\"2021-11-11T20:14:04.3642909Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/aba4ae5f-2193-4029-9191-0cb91df5e314\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"aba4ae5f-2193-4029-9191-0cb91df5e314\"\ - },{\"properties\":{\"roleName\":\"Storage File Data SMB Share Contributor\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Allows for read, write, and delete\ - \ access in Azure Storage file shares over SMB\",\"assignableScopes\":[\"\ - /\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"\ - Microsoft.Storage/storageAccounts/fileServices/fileshares/files/read\",\"\ - Microsoft.Storage/storageAccounts/fileServices/fileshares/files/write\",\"\ - Microsoft.Storage/storageAccounts/fileServices/fileshares/files/delete\"],\"\ - notDataActions\":[]}],\"createdOn\":\"2019-07-01T20:54:35.4834310Z\",\"updatedOn\"\ - :\"2021-11-11T20:14:04.5443323Z\",\"createdBy\":null,\"updatedBy\":null},\"\ - id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0c867c2a-1d8c-454a-a3db-ab2ea1bdc8bb\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0c867c2a-1d8c-454a-a3db-ab2ea1bdc8bb\"\ - },{\"properties\":{\"roleName\":\"Private DNS Zone Contributor\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Lets you manage private DNS zone resources,\ - \ but not the virtual networks they are linked to.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Insights/alertRules/*\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Support/*\",\"Microsoft.Network/privateDnsZones/*\",\"Microsoft.Network/privateDnsOperationResults/*\"\ - ,\"Microsoft.Network/privateDnsOperationStatuses/*\",\"Microsoft.Network/virtualNetworks/read\"\ - ,\"Microsoft.Network/virtualNetworks/join/action\",\"Microsoft.Authorization/*/read\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2019-07-10T19:31:15.5645518Z\",\"updatedOn\":\"2021-11-11T20:14:04.7342851Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b12aa53e-6015-4669-85d0-8515ebb3ae7f\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b12aa53e-6015-4669-85d0-8515ebb3ae7f\"\ - },{\"properties\":{\"roleName\":\"Storage Blob Delegator\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Allows for generation of a user delegation key which can\ - \ be used to sign SAS tokens\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.Storage/storageAccounts/blobServices/generateUserDelegationKey/action\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2019-07-23T00:51:16.3376761Z\",\"updatedOn\":\"2021-11-11T20:14:05.4321714Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/db58b8e5-c6ad-4a2a-8342-4190687cbf4a\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"db58b8e5-c6ad-4a2a-8342-4190687cbf4a\"\ - },{\"properties\":{\"roleName\":\"Desktop Virtualization User\",\"type\":\"\ - BuiltInRole\",\"description\":\"Allows user to use the applications in an\ - \ application group.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[],\"notActions\":[],\"dataActions\":[\"Microsoft.DesktopVirtualization/applicationGroups/useApplications/action\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2019-08-07T00:29:03.8727621Z\",\"\ - updatedOn\":\"2021-11-11T20:14:05.9821791Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1d18fff3-a72a-46b5-b4a9-0b38a3cd7e63\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1d18fff3-a72a-46b5-b4a9-0b38a3cd7e63\"\ - },{\"properties\":{\"roleName\":\"Storage File Data SMB Share Elevated Contributor\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Allows for read, write, delete\ - \ and modify NTFS permission access in Azure Storage file shares over SMB\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\"\ - :[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/read\"\ - ,\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/write\"\ - ,\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/delete\"\ - ,\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/modifypermissions/action\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2019-08-07T01:35:36.9935457Z\",\"\ - updatedOn\":\"2021-11-11T20:14:06.1571744Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a7264617-510b-434b-a828-9731dc254ea7\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a7264617-510b-434b-a828-9731dc254ea7\"\ - },{\"properties\":{\"roleName\":\"Blueprint Contributor\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Can manage blueprint definitions, but not assign them.\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Blueprint/blueprints/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Support/*\"],\"notActions\"\ - :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-08-14T21:55:16.9683949Z\"\ - ,\"updatedOn\":\"2021-11-11T20:14:06.5171828Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/41077137-e803-4205-871c-5a86e6a753b4\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"41077137-e803-4205-871c-5a86e6a753b4\"\ - },{\"properties\":{\"roleName\":\"Blueprint Operator\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Can assign existing published blueprints, but cannot create\ - \ new blueprints. NOTE: this only works if the assignment is done with a user-assigned\ - \ managed identity.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.Authorization/*/read\",\"Microsoft.Blueprint/blueprintAssignments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2019-08-14T21:56:48.7897875Z\",\"updatedOn\":\"2021-11-11T20:14:06.6971401Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/437d2ced-4a38-4302-8479-ed2bcb43d090\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"437d2ced-4a38-4302-8479-ed2bcb43d090\"\ - },{\"properties\":{\"roleName\":\"Microsoft Sentinel Contributor\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Microsoft Sentinel Contributor\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.SecurityInsights/*\",\"\ - Microsoft.OperationalInsights/workspaces/analytics/query/action\",\"Microsoft.OperationalInsights/workspaces/*/read\"\ - ,\"Microsoft.OperationalInsights/workspaces/savedSearches/*\",\"Microsoft.OperationsManagement/solutions/read\"\ - ,\"Microsoft.OperationalInsights/workspaces/query/read\",\"Microsoft.OperationalInsights/workspaces/query/*/read\"\ - ,\"Microsoft.OperationalInsights/workspaces/dataSources/read\",\"Microsoft.OperationalInsights/querypacks/*/read\"\ - ,\"Microsoft.Insights/workbooks/*\",\"Microsoft.Insights/myworkbooks/read\"\ - ,\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"\ - Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Support/*\"],\"notActions\":[\"Microsoft.SecurityInsights/ConfidentialWatchlists/*\"\ - ,\"Microsoft.OperationalInsights/workspaces/query/ConfidentialWatchlist/*\"\ - ],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-08-28T16:39:03.8725173Z\"\ - ,\"updatedOn\":\"2022-07-22T17:40:38.3700257Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ab8e14d6-4a74-4a29-9ba8-549422addade\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ab8e14d6-4a74-4a29-9ba8-549422addade\"\ - },{\"properties\":{\"roleName\":\"Microsoft Sentinel Responder\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Microsoft Sentinel Responder\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.SecurityInsights/*/read\"\ - ,\"Microsoft.SecurityInsights/dataConnectorsCheckRequirements/action\",\"\ - Microsoft.SecurityInsights/automationRules/*\",\"Microsoft.SecurityInsights/cases/*\"\ - ,\"Microsoft.SecurityInsights/incidents/*\",\"Microsoft.SecurityInsights/threatIntelligence/indicators/appendTags/action\"\ - ,\"Microsoft.SecurityInsights/threatIntelligence/indicators/query/action\"\ - ,\"Microsoft.SecurityInsights/threatIntelligence/bulkTag/action\",\"Microsoft.SecurityInsights/threatIntelligence/indicators/appendTags/action\"\ - ,\"Microsoft.SecurityInsights/threatIntelligence/indicators/replaceTags/action\"\ - ,\"Microsoft.SecurityInsights/threatIntelligence/queryIndicators/action\"\ - ,\"Microsoft.OperationalInsights/workspaces/analytics/query/action\",\"Microsoft.OperationalInsights/workspaces/*/read\"\ - ,\"Microsoft.OperationalInsights/workspaces/dataSources/read\",\"Microsoft.OperationalInsights/workspaces/savedSearches/read\"\ - ,\"Microsoft.OperationsManagement/solutions/read\",\"Microsoft.OperationalInsights/workspaces/query/read\"\ - ,\"Microsoft.OperationalInsights/workspaces/query/*/read\",\"Microsoft.OperationalInsights/workspaces/dataSources/read\"\ - ,\"Microsoft.OperationalInsights/querypacks/*/read\",\"Microsoft.Insights/workbooks/read\"\ - ,\"Microsoft.Insights/myworkbooks/read\",\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ - ],\"notActions\":[\"Microsoft.SecurityInsights/cases/*/Delete\",\"Microsoft.SecurityInsights/incidents/*/Delete\"\ - ,\"Microsoft.SecurityInsights/ConfidentialWatchlists/*\",\"Microsoft.OperationalInsights/workspaces/query/ConfidentialWatchlist/*\"\ - ],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-08-28T16:54:07.6467264Z\"\ - ,\"updatedOn\":\"2022-07-21T23:37:54.2486838Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e150937-b8fe-4cfb-8069-0eaf05ecd056\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3e150937-b8fe-4cfb-8069-0eaf05ecd056\"\ - },{\"properties\":{\"roleName\":\"Microsoft Sentinel Reader\",\"type\":\"\ - BuiltInRole\",\"description\":\"Microsoft Sentinel Reader\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.SecurityInsights/*/read\"\ - ,\"Microsoft.SecurityInsights/dataConnectorsCheckRequirements/action\",\"\ - Microsoft.SecurityInsights/threatIntelligence/indicators/query/action\",\"\ - Microsoft.SecurityInsights/threatIntelligence/queryIndicators/action\",\"\ - Microsoft.OperationalInsights/workspaces/analytics/query/action\",\"Microsoft.OperationalInsights/workspaces/*/read\"\ - ,\"Microsoft.OperationalInsights/workspaces/LinkedServices/read\",\"Microsoft.OperationalInsights/workspaces/savedSearches/read\"\ - ,\"Microsoft.OperationsManagement/solutions/read\",\"Microsoft.OperationalInsights/workspaces/query/read\"\ - ,\"Microsoft.OperationalInsights/workspaces/query/*/read\",\"Microsoft.OperationalInsights/querypacks/*/read\"\ - ,\"Microsoft.OperationalInsights/workspaces/dataSources/read\",\"Microsoft.Insights/workbooks/read\"\ - ,\"Microsoft.Insights/myworkbooks/read\",\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/templateSpecs/*/read\"\ - ,\"Microsoft.Support/*\"],\"notActions\":[\"Microsoft.SecurityInsights/ConfidentialWatchlists/*\"\ - ,\"Microsoft.OperationalInsights/workspaces/query/ConfidentialWatchlist/*\"\ - ],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-08-28T16:58:50.1132117Z\"\ - ,\"updatedOn\":\"2022-07-22T17:40:38.3700257Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8d289c81-5878-46d4-8554-54e1e3d8b5cb\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8d289c81-5878-46d4-8554-54e1e3d8b5cb\"\ - },{\"properties\":{\"roleName\":\"Workbook Reader\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Can read workbooks.\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"microsoft.insights/workbooks/read\",\"microsoft.insights/workbooks/revisions/read\"\ - ,\"microsoft.insights/workbooktemplates/read\"],\"notActions\":[],\"dataActions\"\ - :[],\"notDataActions\":[]}],\"createdOn\":\"2019-08-28T20:56:17.6808140Z\"\ - ,\"updatedOn\":\"2022-12-08T19:53:26.7526140Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b279062a-9be3-42a0-92ae-8b3cf002ec4d\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b279062a-9be3-42a0-92ae-8b3cf002ec4d\"\ - },{\"properties\":{\"roleName\":\"Workbook Contributor\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Can save shared workbooks.\",\"assignableScopes\":[\"/\"\ - ],\"permissions\":[{\"actions\":[\"Microsoft.Insights/workbooks/write\",\"\ - Microsoft.Insights/workbooks/delete\",\"Microsoft.Insights/workbooks/read\"\ - ,\"Microsoft.Insights/workbooks/revisions/read\",\"Microsoft.Insights/workbooktemplates/write\"\ - ,\"Microsoft.Insights/workbooktemplates/delete\",\"Microsoft.Insights/workbooktemplates/read\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2019-08-28T20:59:42.4820277Z\",\"updatedOn\":\"2022-12-08T21:25:04.5651887Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e8ddcd69-c73f-4f9f-9844-4100522f16ad\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e8ddcd69-c73f-4f9f-9844-4100522f16ad\"\ - },{\"properties\":{\"roleName\":\"Policy Insights Data Writer (Preview)\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Allows read access to resource\ - \ policies and write access to resource component policy events.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/policyassignments/read\"\ - ,\"Microsoft.Authorization/policydefinitions/read\",\"Microsoft.Authorization/policyexemptions/read\"\ - ,\"Microsoft.Authorization/policysetdefinitions/read\"],\"notActions\":[],\"\ - dataActions\":[\"Microsoft.PolicyInsights/checkDataPolicyCompliance/action\"\ - ,\"Microsoft.PolicyInsights/policyEvents/logDataEvents/action\"],\"notDataActions\"\ - :[]}],\"createdOn\":\"2019-09-19T19:35:20.9504127Z\",\"updatedOn\":\"2021-11-11T20:14:09.4235132Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/66bb4e9e-b016-4a94-8249-4c0511c2be84\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"66bb4e9e-b016-4a94-8249-4c0511c2be84\"\ - },{\"properties\":{\"roleName\":\"SignalR AccessKey Reader\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Read SignalR Service Access Keys\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.SignalRService/*/read\"\ - ,\"Microsoft.SignalRService/SignalR/listkeys/action\",\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2019-09-20T09:33:19.6236874Z\",\"updatedOn\":\"2021-11-11T20:14:09.6134860Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/04165923-9d83-45d5-8227-78b77b0a687e\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"04165923-9d83-45d5-8227-78b77b0a687e\"\ - },{\"properties\":{\"roleName\":\"SignalR/Web PubSub Contributor\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Create, Read, Update, and Delete SignalR\ - \ service resources\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.SignalRService/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2019-09-20T09:58:09.0009662Z\",\"updatedOn\":\"2021-11-11T20:14:09.7884765Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8cf5e20a-e4b2-4e9d-b3a1-5ceb692c2761\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8cf5e20a-e4b2-4e9d-b3a1-5ceb692c2761\"\ - },{\"properties\":{\"roleName\":\"Azure Connected Machine Onboarding\",\"\ - type\":\"BuiltInRole\",\"description\":\"Can onboard Azure Connected Machines.\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HybridCompute/machines/read\"\ - ,\"Microsoft.HybridCompute/machines/write\",\"Microsoft.HybridCompute/privateLinkScopes/read\"\ - ,\"Microsoft.GuestConfiguration/guestConfigurationAssignments/read\"],\"notActions\"\ - :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-10-23T20:15:07.1372870Z\"\ - ,\"updatedOn\":\"2021-11-11T20:14:10.8735219Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b64e21ea-ac4e-4cdf-9dc9-5b892992bee7\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b64e21ea-ac4e-4cdf-9dc9-5b892992bee7\"\ - },{\"properties\":{\"roleName\":\"Azure Connected Machine Resource Administrator\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Can read, write, delete and re-onboard\ - \ Azure Connected Machines.\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.HybridCompute/machines/read\",\"Microsoft.HybridCompute/machines/write\"\ - ,\"Microsoft.HybridCompute/machines/delete\",\"Microsoft.HybridCompute/machines/UpgradeExtensions/action\"\ - ,\"Microsoft.HybridCompute/machines/extensions/read\",\"Microsoft.HybridCompute/machines/extensions/write\"\ - ,\"Microsoft.HybridCompute/machines/extensions/delete\",\"Microsoft.HybridCompute/privateLinkScopes/*\"\ - ,\"Microsoft.HybridCompute/*/read\",\"Microsoft.Resources/deployments/*\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2019-10-23T20:24:59.1474607Z\",\"updatedOn\":\"2021-12-15T16:10:25.5898511Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/cd570a14-e51a-42ad-bac8-bafd67325302\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"cd570a14-e51a-42ad-bac8-bafd67325302\"\ - },{\"properties\":{\"roleName\":\"Managed Services Registration assignment\ - \ Delete Role\",\"type\":\"BuiltInRole\",\"description\":\"Managed Services\ - \ Registration Assignment Delete Role allows the managing tenant users to\ - \ delete the registration assignment assigned to their tenant.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ManagedServices/registrationAssignments/read\"\ - ,\"Microsoft.ManagedServices/registrationAssignments/delete\",\"Microsoft.ManagedServices/operationStatuses/read\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2019-10-23T22:33:33.1183469Z\",\"updatedOn\":\"2021-11-11T20:14:11.2336400Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/91c1777a-f3dc-4fae-b103-61d183457e46\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"91c1777a-f3dc-4fae-b103-61d183457e46\"\ - },{\"properties\":{\"roleName\":\"App Configuration Data Owner\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Allows full access to App Configuration\ - \ data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"\ - notActions\":[],\"dataActions\":[\"Microsoft.AppConfiguration/configurationStores/*/read\"\ - ,\"Microsoft.AppConfiguration/configurationStores/*/write\",\"Microsoft.AppConfiguration/configurationStores/*/delete\"\ - ,\"Microsoft.AppConfiguration/configurationStores/*/action\"],\"notDataActions\"\ - :[]}],\"createdOn\":\"2019-10-25T18:41:40.1185063Z\",\"updatedOn\":\"2023-02-01T23:20:05.7772785Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5ae67dd6-50cb-40e7-96ff-dc2bfa4b606b\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5ae67dd6-50cb-40e7-96ff-dc2bfa4b606b\"\ - },{\"properties\":{\"roleName\":\"App Configuration Data Reader\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Allows read access to App Configuration\ - \ data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"\ - notActions\":[],\"dataActions\":[\"Microsoft.AppConfiguration/configurationStores/*/read\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2019-10-25T18:45:33.7975332Z\",\"\ - updatedOn\":\"2021-11-11T20:14:11.5885341Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/516239f1-63e1-4d78-a4de-a74fb236a071\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"516239f1-63e1-4d78-a4de-a74fb236a071\"\ - },{\"properties\":{\"roleName\":\"Kubernetes Cluster - Azure Arc Onboarding\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Role definition to authorize any\ - \ user/service to create connectedClusters resource\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\"\ - ,\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Kubernetes/connectedClusters/Write\"\ - ,\"Microsoft.Kubernetes/connectedClusters/read\",\"Microsoft.Support/*\"],\"\ - notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"\ - 2019-11-18T17:00:02.2087147Z\",\"updatedOn\":\"2021-11-11T20:14:12.4685303Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/34e09817-6cbe-4d01-b1a2-e0eac5743d41\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"34e09817-6cbe-4d01-b1a2-e0eac5743d41\"\ - },{\"properties\":{\"roleName\":\"Experimentation Contributor\",\"type\":\"\ - BuiltInRole\",\"description\":\"Experimentation Contributor\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Experimentation/experimentWorkspaces/read\"],\"notActions\":[],\"\ - dataActions\":[\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/read\"\ - ,\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/write\"\ - ,\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/delete\"\ - ,\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/experiment/action\"\ - ,\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/emergencystop/action\"\ - ,\"Microsoft.Experimentation/experimentWorkspaces/read\",\"Microsoft.Experimentation/experimentWorkspaces/write\"\ - ,\"Microsoft.Experimentation/experimentWorkspaces/delete\"],\"notDataActions\"\ - :[]}],\"createdOn\":\"2019-12-13T00:08:08.6679591Z\",\"updatedOn\":\"2021-11-11T20:14:14.6454147Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7f646f1b-fa08-80eb-a22b-edd6ce5c915c\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7f646f1b-fa08-80eb-a22b-edd6ce5c915c\"\ - },{\"properties\":{\"roleName\":\"Cognitive Services QnA Maker Reader\",\"\ - type\":\"BuiltInRole\",\"description\":\"Let\u2019s you read and test a KB\ - \ only.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"\ - ,\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/read\"\ - ,\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/download/read\"\ - ,\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/generateanswer/action\"\ - ,\"Microsoft.CognitiveServices/accounts/QnAMaker/alterations/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/endpointkeys/read\"\ - ,\"Microsoft.CognitiveServices/accounts/QnAMaker/endpointsettings/read\",\"\ - Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/read\",\"\ - Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/download/read\"\ - ,\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/generateanswer/action\"\ - ,\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/alterations/read\",\"\ - Microsoft.CognitiveServices/accounts/QnAMaker.v2/endpointkeys/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/endpointsettings/read\"\ - ,\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/read\"\ - ,\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/download/read\"\ - ,\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/generateanswer/action\"\ - ,\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/alterations/read\"\ - ,\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/endpointkeys/read\"\ - ,\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/endpointsettings/read\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2019-12-17T18:26:12.3329439Z\",\"\ - updatedOn\":\"2021-11-11T20:14:14.8254033Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/466ccd10-b268-4a11-b098-b4849f024126\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"466ccd10-b268-4a11-b098-b4849f024126\"\ - },{\"properties\":{\"roleName\":\"Cognitive Services QnA Maker Editor\",\"\ - type\":\"BuiltInRole\",\"description\":\"Let\u2019s you create, edit, import\ - \ and export a KB. You cannot publish or delete a KB.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"\ - ,\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/read\"\ - ,\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/download/read\"\ - ,\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/create/write\"\ - ,\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/write\",\"\ - Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/generateanswer/action\"\ - ,\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/train/action\"\ - ,\"Microsoft.CognitiveServices/accounts/QnAMaker/alterations/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/alterations/write\"\ - ,\"Microsoft.CognitiveServices/accounts/QnAMaker/endpointkeys/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/endpointkeys/refreshkeys/action\"\ - ,\"Microsoft.CognitiveServices/accounts/QnAMaker/endpointsettings/read\",\"\ - Microsoft.CognitiveServices/accounts/QnAMaker/endpointsettings/write\",\"\ - Microsoft.CognitiveServices/accounts/QnAMaker/operations/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/read\"\ - ,\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/download/read\"\ - ,\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/create/write\"\ - ,\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/write\"\ - ,\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/generateanswer/action\"\ - ,\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/train/action\"\ - ,\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/alterations/read\",\"\ - Microsoft.CognitiveServices/accounts/QnAMaker.v2/alterations/write\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/endpointkeys/read\"\ - ,\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/endpointkeys/refreshkeys/action\"\ - ,\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/endpointsettings/read\"\ - ,\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/endpointsettings/write\"\ - ,\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/operations/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/read\"\ - ,\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/download/read\"\ - ,\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/create/write\"\ - ,\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/write\"\ - ,\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/generateanswer/action\"\ - ,\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/train/action\"\ - ,\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/alterations/read\"\ - ,\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/alterations/write\"\ - ,\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/endpointkeys/read\"\ - ,\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/endpointkeys/refreshkeys/action\"\ - ,\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/endpointsettings/read\"\ - ,\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/endpointsettings/write\"\ - ,\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/operations/read\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2019-12-17T18:27:30.6434556Z\",\"\ - updatedOn\":\"2021-11-11T20:14:14.9961559Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f4cc2bf9-21be-47a1-bdf1-5c5804381025\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f4cc2bf9-21be-47a1-bdf1-5c5804381025\"\ - },{\"properties\":{\"roleName\":\"Experimentation Administrator\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Experimentation Administrator\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Experimentation/experimentWorkspaces/read\"],\"notActions\":[],\"\ - dataActions\":[\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/admin/action\"\ - ,\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/read\"\ - ,\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/write\"\ - ,\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/delete\"\ - ,\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/experimentadmin/action\"\ - ,\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/experiment/action\"\ - ,\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/emergencystop/action\"\ - ,\"Microsoft.Experimentation/experimentWorkspaces/read\",\"Microsoft.Experimentation/experimentWorkspaces/write\"\ - ,\"Microsoft.Experimentation/experimentWorkspaces/delete\",\"Microsoft.Experimentation/experimentWorkspaces/admin/action\"\ - ,\"Microsoft.Experimentation/experimentWorkspaces/metricwrite/action\",\"\ - Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/metricwrite/action\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2019-12-18T22:46:33.1116612Z\",\"\ - updatedOn\":\"2021-11-11T20:14:15.1811577Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7f646f1b-fa08-80eb-a33b-edd6ce5c915c\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7f646f1b-fa08-80eb-a33b-edd6ce5c915c\"\ - },{\"properties\":{\"roleName\":\"Remote Rendering Administrator\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Provides user with conversion, manage session,\ - \ rendering and diagnostics capabilities for Azure Remote Rendering\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\"\ - :[\"Microsoft.MixedReality/RemoteRenderingAccounts/convert/action\",\"Microsoft.MixedReality/RemoteRenderingAccounts/convert/read\"\ - ,\"Microsoft.MixedReality/RemoteRenderingAccounts/convert/delete\",\"Microsoft.MixedReality/RemoteRenderingAccounts/managesessions/read\"\ - ,\"Microsoft.MixedReality/RemoteRenderingAccounts/managesessions/action\"\ - ,\"Microsoft.MixedReality/RemoteRenderingAccounts/managesessions/delete\"\ - ,\"Microsoft.MixedReality/RemoteRenderingAccounts/render/read\",\"Microsoft.MixedReality/RemoteRenderingAccounts/diagnostic/read\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2020-01-23T18:15:31.3450348Z\",\"\ - updatedOn\":\"2021-11-11T20:14:16.7621737Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3df8b902-2a6f-47c7-8cc5-360e9b272a7e\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3df8b902-2a6f-47c7-8cc5-360e9b272a7e\"\ - },{\"properties\":{\"roleName\":\"Remote Rendering Client\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Provides user with manage session, rendering and diagnostics\ - \ capabilities for Azure Remote Rendering.\",\"assignableScopes\":[\"/\"],\"\ - permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/RemoteRenderingAccounts/managesessions/read\"\ - ,\"Microsoft.MixedReality/RemoteRenderingAccounts/managesessions/action\"\ - ,\"Microsoft.MixedReality/RemoteRenderingAccounts/managesessions/delete\"\ - ,\"Microsoft.MixedReality/RemoteRenderingAccounts/render/read\",\"Microsoft.MixedReality/RemoteRenderingAccounts/diagnostic/read\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2020-01-23T18:32:52.7069824Z\",\"\ - updatedOn\":\"2021-11-11T20:14:16.9421512Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d39065c4-c120-43c9-ab0a-63eed9795f0a\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d39065c4-c120-43c9-ab0a-63eed9795f0a\"\ - },{\"properties\":{\"roleName\":\"Managed Application Contributor Role\",\"\ - type\":\"BuiltInRole\",\"description\":\"Allows for creating managed application\ - \ resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"*/read\",\"Microsoft.Solutions/applications/*\",\"Microsoft.Solutions/register/action\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/*\",\"Microsoft.Resources/deployments/*\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2020-02-08T03:39:11.8933879Z\",\"updatedOn\":\"2021-11-11T20:14:19.1271536Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/641177b8-a67a-45b9-a033-47bc880bb21e\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"641177b8-a67a-45b9-a033-47bc880bb21e\"\ - },{\"properties\":{\"roleName\":\"Security Assessment Contributor\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Lets you push assessments to Security Center\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Security/assessments/write\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2020-02-13T08:23:47.7656161Z\",\"updatedOn\":\"2021-11-11T20:14:19.3021974Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/612c2aa1-cb24-443b-ac28-3ab7272de6f5\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"612c2aa1-cb24-443b-ac28-3ab7272de6f5\"\ - },{\"properties\":{\"roleName\":\"Tag Contributor\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Lets you manage tags on entities, without providing access\ - \ to the entities themselves.\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/resources/read\",\"Microsoft.Resources/subscriptions/resources/read\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Insights/alertRules/*\"\ - ,\"Microsoft.Support/*\",\"Microsoft.Resources/tags/*\"],\"notActions\":[],\"\ - dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-02-18T23:19:19.2977644Z\"\ - ,\"updatedOn\":\"2021-11-11T20:14:20.0172041Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4a9ae827-6dc8-4573-8ac7-8239d42aa03f\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4a9ae827-6dc8-4573-8ac7-8239d42aa03f\"\ - },{\"properties\":{\"roleName\":\"Integration Service Environment Developer\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Allows developers to create and\ - \ update workflows, integration accounts and API connections in integration\ - \ service environments.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ - actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Support/*\",\"Microsoft.Logic/integrationServiceEnvironments/read\"\ - ,\"Microsoft.Logic/integrationServiceEnvironments/*/join/action\"],\"notActions\"\ - :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-02-20T21:09:00.5627875Z\"\ - ,\"updatedOn\":\"2021-11-11T20:14:20.1871986Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c7aa55d3-1abb-444a-a5ca-5e51e485d6ec\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c7aa55d3-1abb-444a-a5ca-5e51e485d6ec\"\ - },{\"properties\":{\"roleName\":\"Integration Service Environment Contributor\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Lets you manage integration service\ - \ environments, but not access to them.\",\"assignableScopes\":[\"/\"],\"\ - permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Support/*\"\ - ,\"Microsoft.Logic/integrationServiceEnvironments/*\"],\"notActions\":[],\"\ - dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-02-20T21:10:44.4008319Z\"\ - ,\"updatedOn\":\"2021-11-11T20:14:20.3622058Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a41e2c5b-bd99-4a07-88f4-9bf657a760b8\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a41e2c5b-bd99-4a07-88f4-9bf657a760b8\"\ - },{\"properties\":{\"roleName\":\"Azure Kubernetes Service Contributor Role\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Grants access to read and write\ - \ Azure Kubernetes Service clusters\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.ContainerService/managedClusters/read\",\"Microsoft.ContainerService/managedClusters/write\"\ - ,\"Microsoft.Resources/deployments/*\"],\"notActions\":[],\"dataActions\"\ - :[],\"notDataActions\":[]}],\"createdOn\":\"2020-02-27T19:27:15.0739970Z\"\ - ,\"updatedOn\":\"2021-11-11T20:14:21.2621727Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ed7f3fbd-7b88-4dd4-9017-9adb7ce333f8\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ed7f3fbd-7b88-4dd4-9017-9adb7ce333f8\"\ - },{\"properties\":{\"roleName\":\"Azure Digital Twins Data Reader\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Read-only role for Digital Twins data-plane\ - \ properties\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[],\"notActions\":[],\"dataActions\":[\"Microsoft.DigitalTwins/digitaltwins/read\"\ - ,\"Microsoft.DigitalTwins/digitaltwins/relationships/read\",\"Microsoft.DigitalTwins/eventroutes/read\"\ - ,\"Microsoft.DigitalTwins/jobs/import/read\",\"Microsoft.DigitalTwins/models/read\"\ - ,\"Microsoft.DigitalTwins/query/action\"],\"notDataActions\":[]}],\"createdOn\"\ - :\"2020-03-10T23:48:14.7057381Z\",\"updatedOn\":\"2022-09-07T00:28:28.1102931Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d57506d4-4c8d-48b1-8587-93c323f6a5a3\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d57506d4-4c8d-48b1-8587-93c323f6a5a3\"\ - },{\"properties\":{\"roleName\":\"Azure Digital Twins Data Owner\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Full access role for Digital Twins data-plane\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\"\ - :[],\"dataActions\":[\"Microsoft.DigitalTwins/digitaltwins/*\",\"Microsoft.DigitalTwins/digitaltwins/commands/*\"\ - ,\"Microsoft.DigitalTwins/digitaltwins/relationships/*\",\"Microsoft.DigitalTwins/eventroutes/*\"\ - ,\"Microsoft.DigitalTwins/jobs/*\",\"Microsoft.DigitalTwins/models/*\",\"\ - Microsoft.DigitalTwins/query/*\"],\"notDataActions\":[]}],\"createdOn\":\"\ - 2020-03-10T23:49:33.7821930Z\",\"updatedOn\":\"2022-09-06T21:40:35.0694732Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/bcd981a7-7f74-457b-83e1-cceb9e632ffe\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"bcd981a7-7f74-457b-83e1-cceb9e632ffe\"\ - },{\"properties\":{\"roleName\":\"Hierarchy Settings Administrator\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Allows users to edit and delete Hierarchy\ - \ Settings\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"\ - Microsoft.Management/managementGroups/settings/write\",\"Microsoft.Management/managementGroups/settings/delete\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2020-03-13T23:55:11.0212387Z\",\"updatedOn\":\"2021-11-11T20:14:23.0882347Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/350f8d15-c687-4448-8ae1-157740a3936d\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"350f8d15-c687-4448-8ae1-157740a3936d\"\ - },{\"properties\":{\"roleName\":\"FHIR Data Contributor\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Role allows user or principal full access to FHIR Data\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\"\ - :[],\"dataActions\":[\"Microsoft.HealthcareApis/services/fhir/resources/*\"\ - ,\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/*\"],\"notDataActions\"\ - :[]}],\"createdOn\":\"2020-03-17T18:35:04.4949547Z\",\"updatedOn\":\"2021-11-11T20:14:23.6235473Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5a1fc7df-4bf1-4951-a576-89034ee01acd\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5a1fc7df-4bf1-4951-a576-89034ee01acd\"\ - },{\"properties\":{\"roleName\":\"FHIR Data Exporter\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Role allows user or principal to read and export FHIR Data\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\"\ - :[],\"dataActions\":[\"Microsoft.HealthcareApis/services/fhir/resources/read\"\ - ,\"Microsoft.HealthcareApis/services/fhir/resources/export/action\",\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/read\"\ - ,\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/export/action\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2020-03-17T18:45:01.9764073Z\",\"\ - updatedOn\":\"2021-11-11T20:14:23.7992557Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3db33094-8700-4567-8da5-1501d4e7e843\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3db33094-8700-4567-8da5-1501d4e7e843\"\ - },{\"properties\":{\"roleName\":\"FHIR Data Reader\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Role allows user or principal to read FHIR Data\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\"\ - :[\"Microsoft.HealthcareApis/services/fhir/resources/read\",\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/read\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2020-03-17T18:49:04.8353499Z\",\"\ - updatedOn\":\"2021-11-11T20:14:23.9692275Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4c8d0bbc-75d3-4935-991f-5f3c56d81508\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4c8d0bbc-75d3-4935-991f-5f3c56d81508\"\ - },{\"properties\":{\"roleName\":\"FHIR Data Writer\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Role allows user or principal to read and write FHIR Data\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\"\ - :[],\"dataActions\":[\"Microsoft.HealthcareApis/services/fhir/resources/*\"\ - ,\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/*\"],\"notDataActions\"\ - :[\"Microsoft.HealthcareApis/services/fhir/resources/hardDelete/action\",\"\ - Microsoft.HealthcareApis/workspaces/fhirservices/resources/hardDelete/action\"\ - ]}],\"createdOn\":\"2020-03-17T18:55:35.2413335Z\",\"updatedOn\":\"2021-11-11T20:14:24.1442783Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3f88fce4-5892-4214-ae73-ba5294559913\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3f88fce4-5892-4214-ae73-ba5294559913\"\ - },{\"properties\":{\"roleName\":\"Experimentation Reader\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Experimentation Reader\",\"assignableScopes\":[\"/\"],\"\ - permissions\":[{\"actions\":[\"Microsoft.Experimentation/experimentWorkspaces/read\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.Experimentation/experimentWorkspaces/read\"\ - ,\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/read\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2020-03-25T18:05:14.8375678Z\",\"\ - updatedOn\":\"2021-11-11T20:14:24.5042390Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/49632ef5-d9ac-41f4-b8e7-bbe587fa74a1\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"49632ef5-d9ac-41f4-b8e7-bbe587fa74a1\"\ - },{\"properties\":{\"roleName\":\"Object Understanding Account Owner\",\"\ - type\":\"BuiltInRole\",\"description\":\"Provides user with ingestion capabilities\ - \ for Azure Object Understanding.\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/ObjectUnderstandingAccounts/ingest/action\"\ - ,\"Microsoft.MixedReality/ObjectUnderstandingAccounts/ingest/read\"],\"notDataActions\"\ - :[]}],\"createdOn\":\"2020-04-22T19:15:09.0697923Z\",\"updatedOn\":\"2021-11-11T20:14:26.8743132Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4dd61c23-6743-42fe-a388-d8bdd41cb745\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4dd61c23-6743-42fe-a388-d8bdd41cb745\"\ - },{\"properties\":{\"roleName\":\"Azure Maps Data Contributor\",\"type\":\"\ - BuiltInRole\",\"description\":\"Grants access to read, write, and delete access\ - \ to map related data from an Azure maps account.\",\"assignableScopes\":[\"\ - /\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"\ - Microsoft.Maps/accounts/*/read\",\"Microsoft.Maps/accounts/*/write\",\"Microsoft.Maps/accounts/*/delete\"\ - ,\"Microsoft.Maps/accounts/*/action\"],\"notDataActions\":[]}],\"createdOn\"\ - :\"2020-05-07T20:55:05.0645410Z\",\"updatedOn\":\"2021-11-11T20:14:28.3092598Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8f5e0ce6-4f7b-4dcf-bddf-e6f48634a204\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8f5e0ce6-4f7b-4dcf-bddf-e6f48634a204\"\ - },{\"properties\":{\"roleName\":\"Cognitive Services Custom Vision Contributor\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Full access to the project, including\ - \ the ability to view, create, edit, or delete projects.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/*\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2020-05-08T23:47:07.0779345Z\",\"\ - updatedOn\":\"2021-11-11T20:14:28.8342655Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c1ff6cc2-c111-46fe-8896-e0ef812ad9f3\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c1ff6cc2-c111-46fe-8896-e0ef812ad9f3\"\ - },{\"properties\":{\"roleName\":\"Cognitive Services Custom Vision Deployment\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Publish, unpublish or export models.\ - \ Deployment can view the project but can\u2019t update.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/*/read\"\ - ,\"Microsoft.CognitiveServices/accounts/CustomVision/projects/predictions/*\"\ - ,\"Microsoft.CognitiveServices/accounts/CustomVision/projects/iterations/publish/*\"\ - ,\"Microsoft.CognitiveServices/accounts/CustomVision/projects/iterations/export/*\"\ - ,\"Microsoft.CognitiveServices/accounts/CustomVision/projects/quicktest/*\"\ - ,\"Microsoft.CognitiveServices/accounts/CustomVision/classify/*\",\"Microsoft.CognitiveServices/accounts/CustomVision/detect/*\"\ - ],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/projects/export/read\"\ - ]}],\"createdOn\":\"2020-05-09T01:31:05.9528620Z\",\"updatedOn\":\"2021-11-11T20:14:29.0142669Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5c4089e1-6d96-4d2f-b296-c1bc7137275f\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5c4089e1-6d96-4d2f-b296-c1bc7137275f\"\ - },{\"properties\":{\"roleName\":\"Cognitive Services Custom Vision Labeler\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"View, edit training images and\ - \ create, add, remove, or delete the image tags. Labelers can view the project\ - \ but can\u2019t update anything other than training images and tags.\",\"\ - assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/*/read\"\ - ,\"Microsoft.CognitiveServices/accounts/CustomVision/projects/predictions/query/action\"\ - ,\"Microsoft.CognitiveServices/accounts/CustomVision/projects/images/*\",\"\ - Microsoft.CognitiveServices/accounts/CustomVision/projects/tags/*\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/images/suggested/*\"\ - ,\"Microsoft.CognitiveServices/accounts/CustomVision/projects/tagsandregions/suggestions/action\"\ - ],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/projects/export/read\"\ - ]}],\"createdOn\":\"2020-05-09T01:33:20.8278896Z\",\"updatedOn\":\"2021-11-11T20:14:29.1892871Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/88424f51-ebe7-446f-bc41-7fa16989e96c\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"88424f51-ebe7-446f-bc41-7fa16989e96c\"\ - },{\"properties\":{\"roleName\":\"Cognitive Services Custom Vision Reader\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Read-only actions in the project.\ - \ Readers can\u2019t create or update the project.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/*/read\"\ - ,\"Microsoft.CognitiveServices/accounts/CustomVision/projects/predictions/query/action\"\ - ],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/projects/export/read\"\ - ]}],\"createdOn\":\"2020-05-09T01:34:18.5328818Z\",\"updatedOn\":\"2021-11-11T20:14:29.3642707Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/93586559-c37d-4a6b-ba08-b9f0940c2d73\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"93586559-c37d-4a6b-ba08-b9f0940c2d73\"\ - },{\"properties\":{\"roleName\":\"Cognitive Services Custom Vision Trainer\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"View, edit projects and train\ - \ the models, including the ability to publish, unpublish, export the models.\ - \ Trainers can\u2019t create or delete the project.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/*\"\ - ],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/projects/action\"\ - ,\"Microsoft.CognitiveServices/accounts/CustomVision/projects/delete\",\"\ - Microsoft.CognitiveServices/accounts/CustomVision/projects/import/action\"\ - ,\"Microsoft.CognitiveServices/accounts/CustomVision/projects/export/read\"\ - ]}],\"createdOn\":\"2020-05-09T01:35:13.8147804Z\",\"updatedOn\":\"2021-11-11T20:14:29.5442713Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0a5ae4ab-0d65-4eeb-be61-29fc9b54394b\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0a5ae4ab-0d65-4eeb-be61-29fc9b54394b\"\ - },{\"properties\":{\"roleName\":\"Key Vault Administrator\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Perform all data plane operations on a key vault and all\ - \ objects in it, including certificates, keys, and secrets. Cannot manage\ - \ key vault resources or manage role assignments. Only works for key vaults\ - \ that use the 'Azure role-based access control' permission model.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ - ,\"Microsoft.KeyVault/checkNameAvailability/read\",\"Microsoft.KeyVault/deletedVaults/read\"\ - ,\"Microsoft.KeyVault/locations/*/read\",\"Microsoft.KeyVault/vaults/*/read\"\ - ,\"Microsoft.KeyVault/operations/read\"],\"notActions\":[],\"dataActions\"\ - :[\"Microsoft.KeyVault/vaults/*\"],\"notDataActions\":[]}],\"createdOn\":\"\ - 2020-05-19T17:52:46.2349235Z\",\"updatedOn\":\"2021-11-11T20:14:30.2542755Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/00482a5a-887f-4fb3-b363-3b7fe8e74483\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"00482a5a-887f-4fb3-b363-3b7fe8e74483\"\ - },{\"properties\":{\"roleName\":\"Key Vault Crypto Officer\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Perform any action on the keys of a key vault, except manage\ - \ permissions. Only works for key vaults that use the 'Azure role-based access\ - \ control' permission model.\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Support/*\",\"Microsoft.KeyVault/checkNameAvailability/read\"\ - ,\"Microsoft.KeyVault/deletedVaults/read\",\"Microsoft.KeyVault/locations/*/read\"\ - ,\"Microsoft.KeyVault/vaults/*/read\",\"Microsoft.KeyVault/operations/read\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/keys/*\"\ - ,\"Microsoft.KeyVault/vaults/keyrotationpolicies/*\"],\"notDataActions\":[]}],\"\ - createdOn\":\"2020-05-19T17:52:47.0099249Z\",\"updatedOn\":\"2022-01-06T23:21:17.9760884Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/14b46e9e-c2b7-41b4-b07b-48a6ebf60603\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"14b46e9e-c2b7-41b4-b07b-48a6ebf60603\"\ - },{\"properties\":{\"roleName\":\"Key Vault Crypto User\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Perform cryptographic operations using keys. Only works\ - \ for key vaults that use the 'Azure role-based access control' permission\ - \ model.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"\ - notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/keys/read\",\"\ - Microsoft.KeyVault/vaults/keys/update/action\",\"Microsoft.KeyVault/vaults/keys/backup/action\"\ - ,\"Microsoft.KeyVault/vaults/keys/encrypt/action\",\"Microsoft.KeyVault/vaults/keys/decrypt/action\"\ - ,\"Microsoft.KeyVault/vaults/keys/wrap/action\",\"Microsoft.KeyVault/vaults/keys/unwrap/action\"\ - ,\"Microsoft.KeyVault/vaults/keys/sign/action\",\"Microsoft.KeyVault/vaults/keys/verify/action\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2020-05-19T17:52:47.0699268Z\",\"\ - updatedOn\":\"2021-11-11T20:14:30.6042921Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/12338af0-0e69-4776-bea7-57ae8d297424\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"12338af0-0e69-4776-bea7-57ae8d297424\"\ - },{\"properties\":{\"roleName\":\"Key Vault Secrets Officer\",\"type\":\"\ - BuiltInRole\",\"description\":\"Perform any action on the secrets of a key\ - \ vault, except manage permissions. Only works for key vaults that use the\ - \ 'Azure role-based access control' permission model.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ - ,\"Microsoft.KeyVault/checkNameAvailability/read\",\"Microsoft.KeyVault/deletedVaults/read\"\ - ,\"Microsoft.KeyVault/locations/*/read\",\"Microsoft.KeyVault/vaults/*/read\"\ - ,\"Microsoft.KeyVault/operations/read\"],\"notActions\":[],\"dataActions\"\ - :[\"Microsoft.KeyVault/vaults/secrets/*\"],\"notDataActions\":[]}],\"createdOn\"\ - :\"2020-05-19T17:52:47.1449242Z\",\"updatedOn\":\"2021-11-11T20:14:30.7793470Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b86a8fe4-44ce-4948-aee5-eccb2c155cd7\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b86a8fe4-44ce-4948-aee5-eccb2c155cd7\"\ - },{\"properties\":{\"roleName\":\"Key Vault Secrets User\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Read secret contents. Only works for key vaults that use\ - \ the 'Azure role-based access control' permission model.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\"\ - :[\"Microsoft.KeyVault/vaults/secrets/getSecret/action\",\"Microsoft.KeyVault/vaults/secrets/readMetadata/action\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2020-05-19T17:52:47.2049241Z\",\"\ - updatedOn\":\"2021-11-11T20:14:30.9542829Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4633458b-17de-408a-b874-0445c86b69e6\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4633458b-17de-408a-b874-0445c86b69e6\"\ - },{\"properties\":{\"roleName\":\"Key Vault Certificates Officer\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Perform any action on the certificates\ - \ of a key vault, except manage permissions. Only works for key vaults that\ - \ use the 'Azure role-based access control' permission model.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ - ,\"Microsoft.KeyVault/checkNameAvailability/read\",\"Microsoft.KeyVault/deletedVaults/read\"\ - ,\"Microsoft.KeyVault/locations/*/read\",\"Microsoft.KeyVault/vaults/*/read\"\ - ,\"Microsoft.KeyVault/operations/read\"],\"notActions\":[],\"dataActions\"\ - :[\"Microsoft.KeyVault/vaults/certificatecas/*\",\"Microsoft.KeyVault/vaults/certificates/*\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2020-05-19T17:52:47.2499247Z\",\"\ - updatedOn\":\"2021-11-11T20:14:31.1292967Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a4417e6f-fecd-4de8-b567-7b0420556985\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a4417e6f-fecd-4de8-b567-7b0420556985\"\ - },{\"properties\":{\"roleName\":\"Key Vault Reader\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Read metadata of key vaults and its certificates, keys,\ - \ and secrets. Cannot read sensitive values such as secret contents or key\ - \ material. Only works for key vaults that use the 'Azure role-based access\ - \ control' permission model.\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Support/*\",\"Microsoft.KeyVault/checkNameAvailability/read\"\ - ,\"Microsoft.KeyVault/deletedVaults/read\",\"Microsoft.KeyVault/locations/*/read\"\ - ,\"Microsoft.KeyVault/vaults/*/read\",\"Microsoft.KeyVault/operations/read\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/*/read\"\ - ,\"Microsoft.KeyVault/vaults/secrets/readMetadata/action\"],\"notDataActions\"\ - :[]}],\"createdOn\":\"2020-05-19T17:52:47.2949294Z\",\"updatedOn\":\"2021-11-11T20:14:31.3043292Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/21090545-7ca7-4776-b22c-e363652d74d2\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"21090545-7ca7-4776-b22c-e363652d74d2\"\ - },{\"properties\":{\"roleName\":\"Key Vault Crypto Service Encryption User\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Read metadata of keys and perform\ - \ wrap/unwrap operations. Only works for key vaults that use the 'Azure role-based\ - \ access control' permission model.\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.EventGrid/eventSubscriptions/write\",\"Microsoft.EventGrid/eventSubscriptions/read\"\ - ,\"Microsoft.EventGrid/eventSubscriptions/delete\"],\"notActions\":[],\"dataActions\"\ - :[\"Microsoft.KeyVault/vaults/keys/read\",\"Microsoft.KeyVault/vaults/keys/wrap/action\"\ - ,\"Microsoft.KeyVault/vaults/keys/unwrap/action\"],\"notDataActions\":[]}],\"\ - createdOn\":\"2020-05-20T20:55:19.2398470Z\",\"updatedOn\":\"2021-11-11T20:14:31.8443056Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e147488a-f6f5-4113-8e2d-b22465e65bf6\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e147488a-f6f5-4113-8e2d-b22465e65bf6\"\ - },{\"properties\":{\"roleName\":\"Azure Arc Kubernetes Viewer\",\"type\":\"\ - BuiltInRole\",\"description\":\"Lets you view all resources in cluster/namespace,\ - \ except secrets.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"\ - Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\"\ - ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Kubernetes/connectedClusters/apps/controllerrevisions/read\"\ - ,\"Microsoft.Kubernetes/connectedClusters/apps/daemonsets/read\",\"Microsoft.Kubernetes/connectedClusters/apps/deployments/read\"\ - ,\"Microsoft.Kubernetes/connectedClusters/apps/replicasets/read\",\"Microsoft.Kubernetes/connectedClusters/apps/statefulsets/read\"\ - ,\"Microsoft.Kubernetes/connectedClusters/autoscaling/horizontalpodautoscalers/read\"\ - ,\"Microsoft.Kubernetes/connectedClusters/batch/cronjobs/read\",\"Microsoft.Kubernetes/connectedClusters/batch/jobs/read\"\ - ,\"Microsoft.Kubernetes/connectedClusters/configmaps/read\",\"Microsoft.Kubernetes/connectedClusters/endpoints/read\"\ - ,\"Microsoft.Kubernetes/connectedClusters/events.k8s.io/events/read\",\"Microsoft.Kubernetes/connectedClusters/events/read\"\ - ,\"Microsoft.Kubernetes/connectedClusters/extensions/daemonsets/read\",\"\ - Microsoft.Kubernetes/connectedClusters/extensions/deployments/read\",\"Microsoft.Kubernetes/connectedClusters/extensions/ingresses/read\"\ - ,\"Microsoft.Kubernetes/connectedClusters/extensions/networkpolicies/read\"\ - ,\"Microsoft.Kubernetes/connectedClusters/extensions/replicasets/read\",\"\ - Microsoft.Kubernetes/connectedClusters/limitranges/read\",\"Microsoft.Kubernetes/connectedClusters/namespaces/read\"\ - ,\"Microsoft.Kubernetes/connectedClusters/networking.k8s.io/ingresses/read\"\ - ,\"Microsoft.Kubernetes/connectedClusters/networking.k8s.io/networkpolicies/read\"\ - ,\"Microsoft.Kubernetes/connectedClusters/persistentvolumeclaims/read\",\"\ - Microsoft.Kubernetes/connectedClusters/pods/read\",\"Microsoft.Kubernetes/connectedClusters/policy/poddisruptionbudgets/read\"\ - ,\"Microsoft.Kubernetes/connectedClusters/replicationcontrollers/read\",\"\ - Microsoft.Kubernetes/connectedClusters/replicationcontrollers/read\",\"Microsoft.Kubernetes/connectedClusters/resourcequotas/read\"\ - ,\"Microsoft.Kubernetes/connectedClusters/serviceaccounts/read\",\"Microsoft.Kubernetes/connectedClusters/services/read\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2020-06-12T20:51:12.8801199Z\",\"\ - updatedOn\":\"2021-11-11T20:14:33.8193353Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/63f0a09d-1495-4db4-a681-037d84835eb4\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"63f0a09d-1495-4db4-a681-037d84835eb4\"\ - },{\"properties\":{\"roleName\":\"Azure Arc Kubernetes Writer\",\"type\":\"\ - BuiltInRole\",\"description\":\"Lets you update everything in cluster/namespace,\ - \ except (cluster)roles and (cluster)role bindings.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\"\ - ,\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.Kubernetes/connectedClusters/apps/controllerrevisions/read\"\ - ,\"Microsoft.Kubernetes/connectedClusters/apps/daemonsets/*\",\"Microsoft.Kubernetes/connectedClusters/apps/deployments/*\"\ - ,\"Microsoft.Kubernetes/connectedClusters/apps/replicasets/*\",\"Microsoft.Kubernetes/connectedClusters/apps/statefulsets/*\"\ - ,\"Microsoft.Kubernetes/connectedClusters/autoscaling/horizontalpodautoscalers/*\"\ - ,\"Microsoft.Kubernetes/connectedClusters/batch/cronjobs/*\",\"Microsoft.Kubernetes/connectedClusters/batch/jobs/*\"\ - ,\"Microsoft.Kubernetes/connectedClusters/configmaps/*\",\"Microsoft.Kubernetes/connectedClusters/endpoints/*\"\ - ,\"Microsoft.Kubernetes/connectedClusters/events.k8s.io/events/read\",\"Microsoft.Kubernetes/connectedClusters/events/read\"\ - ,\"Microsoft.Kubernetes/connectedClusters/extensions/daemonsets/*\",\"Microsoft.Kubernetes/connectedClusters/extensions/deployments/*\"\ - ,\"Microsoft.Kubernetes/connectedClusters/extensions/ingresses/*\",\"Microsoft.Kubernetes/connectedClusters/extensions/networkpolicies/*\"\ - ,\"Microsoft.Kubernetes/connectedClusters/extensions/replicasets/*\",\"Microsoft.Kubernetes/connectedClusters/limitranges/read\"\ - ,\"Microsoft.Kubernetes/connectedClusters/namespaces/read\",\"Microsoft.Kubernetes/connectedClusters/networking.k8s.io/ingresses/*\"\ - ,\"Microsoft.Kubernetes/connectedClusters/networking.k8s.io/networkpolicies/*\"\ - ,\"Microsoft.Kubernetes/connectedClusters/persistentvolumeclaims/*\",\"Microsoft.Kubernetes/connectedClusters/pods/*\"\ - ,\"Microsoft.Kubernetes/connectedClusters/policy/poddisruptionbudgets/*\"\ - ,\"Microsoft.Kubernetes/connectedClusters/replicationcontrollers/*\",\"Microsoft.Kubernetes/connectedClusters/replicationcontrollers/*\"\ - ,\"Microsoft.Kubernetes/connectedClusters/resourcequotas/read\",\"Microsoft.Kubernetes/connectedClusters/secrets/*\"\ - ,\"Microsoft.Kubernetes/connectedClusters/serviceaccounts/*\",\"Microsoft.Kubernetes/connectedClusters/services/*\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2020-06-12T20:53:50.6749823Z\",\"\ - updatedOn\":\"2021-11-11T20:14:34.0043462Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5b999177-9696-4545-85c7-50de3797e5a1\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5b999177-9696-4545-85c7-50de3797e5a1\"\ - },{\"properties\":{\"roleName\":\"Azure Arc Kubernetes Cluster Admin\",\"\ - type\":\"BuiltInRole\",\"description\":\"Lets you manage all resources in\ - \ the cluster.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"\ - Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\"\ - ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Kubernetes/connectedClusters/*\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2020-06-12T20:55:30.9910462Z\",\"\ - updatedOn\":\"2021-11-11T20:14:34.1743694Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8393591c-06b9-48a2-a542-1bd6b377f6a2\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8393591c-06b9-48a2-a542-1bd6b377f6a2\"\ - },{\"properties\":{\"roleName\":\"Azure Arc Kubernetes Admin\",\"type\":\"\ - BuiltInRole\",\"description\":\"Lets you manage all resources under cluster/namespace,\ - \ except update or delete resource quotas and namespaces.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\"\ - ,\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.Kubernetes/connectedClusters/apps/controllerrevisions/read\"\ - ,\"Microsoft.Kubernetes/connectedClusters/apps/daemonsets/*\",\"Microsoft.Kubernetes/connectedClusters/apps/deployments/*\"\ - ,\"Microsoft.Kubernetes/connectedClusters/apps/replicasets/*\",\"Microsoft.Kubernetes/connectedClusters/apps/statefulsets/*\"\ - ,\"Microsoft.Kubernetes/connectedClusters/authorization.k8s.io/localsubjectaccessreviews/write\"\ - ,\"Microsoft.Kubernetes/connectedClusters/autoscaling/horizontalpodautoscalers/*\"\ - ,\"Microsoft.Kubernetes/connectedClusters/batch/cronjobs/*\",\"Microsoft.Kubernetes/connectedClusters/batch/jobs/*\"\ - ,\"Microsoft.Kubernetes/connectedClusters/configmaps/*\",\"Microsoft.Kubernetes/connectedClusters/endpoints/*\"\ - ,\"Microsoft.Kubernetes/connectedClusters/events.k8s.io/events/read\",\"Microsoft.Kubernetes/connectedClusters/events/read\"\ - ,\"Microsoft.Kubernetes/connectedClusters/extensions/daemonsets/*\",\"Microsoft.Kubernetes/connectedClusters/extensions/deployments/*\"\ - ,\"Microsoft.Kubernetes/connectedClusters/extensions/ingresses/*\",\"Microsoft.Kubernetes/connectedClusters/extensions/networkpolicies/*\"\ - ,\"Microsoft.Kubernetes/connectedClusters/extensions/replicasets/*\",\"Microsoft.Kubernetes/connectedClusters/limitranges/read\"\ - ,\"Microsoft.Kubernetes/connectedClusters/namespaces/read\",\"Microsoft.Kubernetes/connectedClusters/networking.k8s.io/ingresses/*\"\ - ,\"Microsoft.Kubernetes/connectedClusters/networking.k8s.io/networkpolicies/*\"\ - ,\"Microsoft.Kubernetes/connectedClusters/persistentvolumeclaims/*\",\"Microsoft.Kubernetes/connectedClusters/pods/*\"\ - ,\"Microsoft.Kubernetes/connectedClusters/policy/poddisruptionbudgets/*\"\ - ,\"Microsoft.Kubernetes/connectedClusters/rbac.authorization.k8s.io/rolebindings/*\"\ - ,\"Microsoft.Kubernetes/connectedClusters/rbac.authorization.k8s.io/roles/*\"\ - ,\"Microsoft.Kubernetes/connectedClusters/replicationcontrollers/*\",\"Microsoft.Kubernetes/connectedClusters/replicationcontrollers/*\"\ - ,\"Microsoft.Kubernetes/connectedClusters/resourcequotas/read\",\"Microsoft.Kubernetes/connectedClusters/secrets/*\"\ - ,\"Microsoft.Kubernetes/connectedClusters/serviceaccounts/*\",\"Microsoft.Kubernetes/connectedClusters/services/*\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2020-06-12T20:57:06.0391177Z\",\"\ - updatedOn\":\"2021-11-11T20:14:34.3593384Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/dffb1e0c-446f-4dde-a09f-99eb5cc68b96\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"dffb1e0c-446f-4dde-a09f-99eb5cc68b96\"\ - },{\"properties\":{\"roleName\":\"Azure Kubernetes Service RBAC Cluster Admin\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Lets you manage all resources\ - \ in the cluster.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/operationresults/read\"\ - ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.ContainerService/managedClusters/listClusterUserCredential/action\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/managedClusters/*\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2020-07-02T17:47:24.4071415Z\",\"\ - updatedOn\":\"2022-10-11T23:23:28.2303454Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b1ff04bb-8a4e-4dc4-8eb5-8693973ce19b\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b1ff04bb-8a4e-4dc4-8eb5-8693973ce19b\"\ - },{\"properties\":{\"roleName\":\"Azure Kubernetes Service RBAC Admin\",\"\ - type\":\"BuiltInRole\",\"description\":\"Lets you manage all resources under\ - \ cluster/namespace, except update or delete resource quotas and namespaces.\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ContainerService/managedClusters/listClusterUserCredential/action\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/managedClusters/*\"\ - ],\"notDataActions\":[\"Microsoft.ContainerService/managedClusters/resourcequotas/write\"\ - ,\"Microsoft.ContainerService/managedClusters/resourcequotas/delete\",\"Microsoft.ContainerService/managedClusters/namespaces/write\"\ - ,\"Microsoft.ContainerService/managedClusters/namespaces/delete\"]}],\"createdOn\"\ - :\"2020-07-02T17:50:30.4020311Z\",\"updatedOn\":\"2022-10-11T23:23:28.2459713Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3498e952-d568-435e-9b2c-8d77e338d7f7\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3498e952-d568-435e-9b2c-8d77e338d7f7\"\ - },{\"properties\":{\"roleName\":\"Azure Kubernetes Service RBAC Reader\",\"\ - type\":\"BuiltInRole\",\"description\":\"Allows read-only access to see most\ - \ objects in a namespace. It does not allow viewing roles or role bindings.\ - \ This role does not allow viewing Secrets, since reading the contents of\ - \ Secrets enables access to ServiceAccount credentials in the namespace, which\ - \ would allow API access as any ServiceAccount in the namespace (a form of\ - \ privilege escalation). Applying this role at cluster scope will give access\ - \ across all namespaces.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ - actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/operationresults/read\"\ - ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/managedClusters/apps/controllerrevisions/read\"\ - ,\"Microsoft.ContainerService/managedClusters/apps/daemonsets/read\",\"Microsoft.ContainerService/managedClusters/apps/deployments/read\"\ - ,\"Microsoft.ContainerService/managedClusters/apps/replicasets/read\",\"Microsoft.ContainerService/managedClusters/apps/statefulsets/read\"\ - ,\"Microsoft.ContainerService/managedClusters/autoscaling/horizontalpodautoscalers/read\"\ - ,\"Microsoft.ContainerService/managedClusters/batch/cronjobs/read\",\"Microsoft.ContainerService/managedClusters/batch/jobs/read\"\ - ,\"Microsoft.ContainerService/managedClusters/configmaps/read\",\"Microsoft.ContainerService/managedClusters/endpoints/read\"\ - ,\"Microsoft.ContainerService/managedClusters/events.k8s.io/events/read\"\ - ,\"Microsoft.ContainerService/managedClusters/events/read\",\"Microsoft.ContainerService/managedClusters/extensions/daemonsets/read\"\ - ,\"Microsoft.ContainerService/managedClusters/extensions/deployments/read\"\ - ,\"Microsoft.ContainerService/managedClusters/extensions/ingresses/read\"\ - ,\"Microsoft.ContainerService/managedClusters/extensions/networkpolicies/read\"\ - ,\"Microsoft.ContainerService/managedClusters/extensions/replicasets/read\"\ - ,\"Microsoft.ContainerService/managedClusters/limitranges/read\",\"Microsoft.ContainerService/managedClusters/namespaces/read\"\ - ,\"Microsoft.ContainerService/managedClusters/networking.k8s.io/ingresses/read\"\ - ,\"Microsoft.ContainerService/managedClusters/networking.k8s.io/networkpolicies/read\"\ - ,\"Microsoft.ContainerService/managedClusters/persistentvolumeclaims/read\"\ - ,\"Microsoft.ContainerService/managedClusters/pods/read\",\"Microsoft.ContainerService/managedClusters/policy/poddisruptionbudgets/read\"\ - ,\"Microsoft.ContainerService/managedClusters/replicationcontrollers/read\"\ - ,\"Microsoft.ContainerService/managedClusters/replicationcontrollers/read\"\ - ,\"Microsoft.ContainerService/managedClusters/resourcequotas/read\",\"Microsoft.ContainerService/managedClusters/serviceaccounts/read\"\ - ,\"Microsoft.ContainerService/managedClusters/services/read\"],\"notDataActions\"\ - :[]}],\"createdOn\":\"2020-07-02T17:53:05.5728294Z\",\"updatedOn\":\"2022-10-11T23:23:28.2303454Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7f6c6a51-bcf8-42ba-9220-52d62157d7db\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7f6c6a51-bcf8-42ba-9220-52d62157d7db\"\ - },{\"properties\":{\"roleName\":\"Azure Kubernetes Service RBAC Writer\",\"\ - type\":\"BuiltInRole\",\"description\":\"Allows read/write access to most\ - \ objects in a namespace.This role does not allow viewing or modifying roles\ - \ or role bindings. However, this role allows accessing Secrets and running\ - \ Pods as any ServiceAccount in the namespace, so it can be used to gain the\ - \ API access levels of any ServiceAccount in the namespace. Applying this\ - \ role at cluster scope will give access across all namespaces.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\"\ - :[],\"dataActions\":[\"Microsoft.ContainerService/managedClusters/apps/controllerrevisions/read\"\ - ,\"Microsoft.ContainerService/managedClusters/apps/daemonsets/*\",\"Microsoft.ContainerService/managedClusters/apps/deployments/*\"\ - ,\"Microsoft.ContainerService/managedClusters/apps/replicasets/*\",\"Microsoft.ContainerService/managedClusters/apps/statefulsets/*\"\ - ,\"Microsoft.ContainerService/managedClusters/autoscaling/horizontalpodautoscalers/*\"\ - ,\"Microsoft.ContainerService/managedClusters/batch/cronjobs/*\",\"Microsoft.ContainerService/managedClusters/batch/jobs/*\"\ - ,\"Microsoft.ContainerService/managedClusters/configmaps/*\",\"Microsoft.ContainerService/managedClusters/endpoints/*\"\ - ,\"Microsoft.ContainerService/managedClusters/events.k8s.io/events/read\"\ - ,\"Microsoft.ContainerService/managedClusters/events/read\",\"Microsoft.ContainerService/managedClusters/extensions/daemonsets/*\"\ - ,\"Microsoft.ContainerService/managedClusters/extensions/deployments/*\",\"\ - Microsoft.ContainerService/managedClusters/extensions/ingresses/*\",\"Microsoft.ContainerService/managedClusters/extensions/networkpolicies/*\"\ - ,\"Microsoft.ContainerService/managedClusters/extensions/replicasets/*\",\"\ - Microsoft.ContainerService/managedClusters/limitranges/read\",\"Microsoft.ContainerService/managedClusters/namespaces/read\"\ - ,\"Microsoft.ContainerService/managedClusters/networking.k8s.io/ingresses/*\"\ - ,\"Microsoft.ContainerService/managedClusters/networking.k8s.io/networkpolicies/*\"\ - ,\"Microsoft.ContainerService/managedClusters/persistentvolumeclaims/*\",\"\ - Microsoft.ContainerService/managedClusters/pods/*\",\"Microsoft.ContainerService/managedClusters/policy/poddisruptionbudgets/*\"\ - ,\"Microsoft.ContainerService/managedClusters/replicationcontrollers/*\",\"\ - Microsoft.ContainerService/managedClusters/replicationcontrollers/*\",\"Microsoft.ContainerService/managedClusters/resourcequotas/read\"\ - ,\"Microsoft.ContainerService/managedClusters/secrets/*\",\"Microsoft.ContainerService/managedClusters/serviceaccounts/*\"\ - ,\"Microsoft.ContainerService/managedClusters/services/*\"],\"notDataActions\"\ - :[]}],\"createdOn\":\"2020-07-02T17:54:51.9644983Z\",\"updatedOn\":\"2022-10-11T23:23:28.2303454Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a7ffa36f-339b-4b5c-8bdf-e2c188b2c0eb\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a7ffa36f-339b-4b5c-8bdf-e2c188b2c0eb\"\ - },{\"properties\":{\"roleName\":\"Services Hub Operator\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Services Hub Operator allows you to perform all read, write,\ - \ and deletion operations related to Services Hub Connectors.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.ServicesHub/connectors/write\",\"Microsoft.ServicesHub/connectors/read\"\ - ,\"Microsoft.ServicesHub/connectors/delete\",\"Microsoft.ServicesHub/connectors/checkAssessmentEntitlement/action\"\ - ,\"Microsoft.ServicesHub/supportOfferingEntitlement/read\",\"Microsoft.ServicesHub/workspaces/read\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2020-07-20T17:57:22.0644902Z\",\"updatedOn\":\"2021-11-11T20:14:37.5544021Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/82200a5b-e217-47a5-b665-6d8765ee745b\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"82200a5b-e217-47a5-b665-6d8765ee745b\"\ - },{\"properties\":{\"roleName\":\"Object Understanding Account Reader\",\"\ - type\":\"BuiltInRole\",\"description\":\"Lets you read ingestion jobs for\ - \ an object understanding account.\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/ObjectUnderstandingAccounts/ingest/read\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2020-07-23T19:16:31.9929119Z\",\"\ - updatedOn\":\"2021-11-11T20:14:37.9070085Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d18777c0-1514-4662-8490-608db7d334b6\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d18777c0-1514-4662-8490-608db7d334b6\"\ - },{\"properties\":{\"roleName\":\"Azure Arc Enabled Kubernetes Cluster User\ - \ Role\",\"type\":\"BuiltInRole\",\"description\":\"List cluster user credentials\ - \ action.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"\ - Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\"\ - ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Kubernetes/connectedClusters/listClusterUserCredentials/action\"\ - ,\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"\ - Microsoft.Support/*\",\"Microsoft.Kubernetes/connectedClusters/listClusterUserCredential/action\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2020-07-28T17:37:00.7637445Z\",\"updatedOn\":\"2022-02-17T02:29:05.1000798Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/00493d72-78f6-4148-b6c5-d3ce8e4799dd\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"00493d72-78f6-4148-b6c5-d3ce8e4799dd\"\ - },{\"properties\":{\"roleName\":\"SignalR REST API Owner\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Full access to Azure SignalR Service REST APIs\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\"\ - :[\"Microsoft.SignalRService/SignalR/auth/clientToken/action\",\"Microsoft.SignalRService/SignalR/hub/send/action\"\ - ,\"Microsoft.SignalRService/SignalR/group/send/action\",\"Microsoft.SignalRService/SignalR/group/read\"\ - ,\"Microsoft.SignalRService/SignalR/group/write\",\"Microsoft.SignalRService/SignalR/clientConnection/send/action\"\ - ,\"Microsoft.SignalRService/SignalR/clientConnection/read\",\"Microsoft.SignalRService/SignalR/clientConnection/write\"\ - ,\"Microsoft.SignalRService/SignalR/user/send/action\",\"Microsoft.SignalRService/SignalR/user/read\"\ - ,\"Microsoft.SignalRService/SignalR/user/write\"],\"notDataActions\":[]}],\"\ - createdOn\":\"2020-07-29T09:35:32.2764751Z\",\"updatedOn\":\"2021-11-11T20:14:38.8028020Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fd53cd77-2268-407a-8f46-7e7863d0f521\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fd53cd77-2268-407a-8f46-7e7863d0f521\"\ - },{\"properties\":{\"roleName\":\"Collaborative Data Contributor\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Can manage data packages of a collaborative.\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.IndustryDataLifecycle/custodianCollaboratives/*/read\"\ - ,\"Microsoft.IndustryDataLifecycle/memberCollaboratives/*/read\",\"Microsoft.IndustryDataLifecycle/locations/dataPackages/*\"\ - ,\"Microsoft.IndustryDataLifecycle/custodianCollaboratives/receivedDataPackages/*\"\ - ,\"Microsoft.IndustryDataLifecycle/custodianCollaboratives/rejectDataPackage/action\"\ - ,\"Microsoft.IndustryDataLifecycle/memberCollaboratives/sharedDataPackages/*\"\ - ,\"Microsoft.IndustryDataLifecycle/custodianCollaboratives/dataModels/*\"\ - ,\"Microsoft.IndustryDataLifecycle/custodianCollaboratives/auditLogs/action\"\ - ,\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"\ - Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2020-08-14T11:58:31.8973556Z\",\"updatedOn\":\"2021-11-11T20:14:40.2428145Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/daa9e50b-21df-454c-94a6-a8050adab352\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"daa9e50b-21df-454c-94a6-a8050adab352\"\ - },{\"properties\":{\"roleName\":\"Device Update Reader\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Gives you read access to management and content operations,\ - \ but does not allow making changes\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ - ,\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"\ - Microsoft.DeviceUpdate/accounts/instances/updates/read\",\"Microsoft.DeviceUpdate/accounts/instances/management/read\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2020-08-21T23:40:19.2373610Z\",\"\ - updatedOn\":\"2021-11-11T20:14:40.7922672Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e9dba6fb-3d52-4cf0-bce3-f06ce71b9e0f\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e9dba6fb-3d52-4cf0-bce3-f06ce71b9e0f\"\ - },{\"properties\":{\"roleName\":\"Device Update Administrator\",\"type\":\"\ - BuiltInRole\",\"description\":\"Gives you full access to management and content\ - \ operations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ - ,\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"\ - Microsoft.DeviceUpdate/accounts/instances/updates/read\",\"Microsoft.DeviceUpdate/accounts/instances/updates/write\"\ - ,\"Microsoft.DeviceUpdate/accounts/instances/updates/delete\",\"Microsoft.DeviceUpdate/accounts/instances/management/read\"\ - ,\"Microsoft.DeviceUpdate/accounts/instances/management/write\",\"Microsoft.DeviceUpdate/accounts/instances/management/delete\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2020-08-21T23:56:22.3520510Z\",\"\ - updatedOn\":\"2021-11-11T20:14:40.9672678Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/02ca0879-e8e4-47a5-a61e-5c618b76e64a\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"02ca0879-e8e4-47a5-a61e-5c618b76e64a\"\ - },{\"properties\":{\"roleName\":\"Device Update Content Administrator\",\"\ - type\":\"BuiltInRole\",\"description\":\"Gives you full access to content\ - \ operations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ - ,\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"\ - Microsoft.DeviceUpdate/accounts/instances/updates/read\",\"Microsoft.DeviceUpdate/accounts/instances/updates/write\"\ - ,\"Microsoft.DeviceUpdate/accounts/instances/updates/delete\"],\"notDataActions\"\ - :[]}],\"createdOn\":\"2020-08-21T23:58:18.4255500Z\",\"updatedOn\":\"2021-11-11T20:14:41.1433368Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0378884a-3af5-44ab-8323-f5b22f9f3c98\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0378884a-3af5-44ab-8323-f5b22f9f3c98\"\ - },{\"properties\":{\"roleName\":\"Device Update Deployments Administrator\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Gives you full access to management\ - \ operations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ - ,\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"\ - Microsoft.DeviceUpdate/accounts/instances/management/read\",\"Microsoft.DeviceUpdate/accounts/instances/management/write\"\ - ,\"Microsoft.DeviceUpdate/accounts/instances/management/delete\",\"Microsoft.DeviceUpdate/accounts/instances/updates/read\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2020-08-21T23:59:52.1001666Z\",\"\ - updatedOn\":\"2022-01-13T01:59:19.4616366Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e4237640-0e3d-4a46-8fda-70bc94856432\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e4237640-0e3d-4a46-8fda-70bc94856432\"\ - },{\"properties\":{\"roleName\":\"Device Update Deployments Reader\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Gives you read access to management operations,\ - \ but does not allow making changes\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ - ,\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"\ - Microsoft.DeviceUpdate/accounts/instances/management/read\",\"Microsoft.DeviceUpdate/accounts/instances/updates/read\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2020-08-22T00:01:34.7053630Z\",\"\ - updatedOn\":\"2022-01-13T01:35:51.6463216Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/49e2f5d2-7741-4835-8efa-19e1fe35e47f\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"49e2f5d2-7741-4835-8efa-19e1fe35e47f\"\ - },{\"properties\":{\"roleName\":\"Device Update Content Reader\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Gives you read access to content operations,\ - \ but does not allow making changes\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ - ,\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"\ - Microsoft.DeviceUpdate/accounts/instances/updates/read\"],\"notDataActions\"\ - :[]}],\"createdOn\":\"2020-08-22T00:02:43.3299181Z\",\"updatedOn\":\"2021-11-11T20:14:41.6754856Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d1ee9a80-8b14-47f0-bdc2-f4a351625a7b\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d1ee9a80-8b14-47f0-bdc2-f4a351625a7b\"\ - },{\"properties\":{\"roleName\":\"Cognitive Services Metrics Advisor Administrator\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Full access to the project, including\ - \ the system level configuration.\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"],\"notActions\":[],\"\ - dataActions\":[\"Microsoft.CognitiveServices/accounts/MetricsAdvisor/*\"],\"\ - notDataActions\":[]}],\"createdOn\":\"2020-09-10T07:46:47.5804491Z\",\"updatedOn\"\ - :\"2021-11-11T20:14:43.6930781Z\",\"createdBy\":null,\"updatedBy\":null},\"\ - id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/cb43c632-a144-4ec5-977c-e80c4affc34a\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"cb43c632-a144-4ec5-977c-e80c4affc34a\"\ - },{\"properties\":{\"roleName\":\"Cognitive Services Metrics Advisor User\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Access to the project.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/MetricsAdvisor/*\"\ - ],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/MetricsAdvisor/stats/*\"\ - ]}],\"createdOn\":\"2020-09-10T07:47:59.6195639Z\",\"updatedOn\":\"2021-11-11T20:14:43.8780761Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3b20f47b-3825-43cb-8114-4bd2201156a8\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3b20f47b-3825-43cb-8114-4bd2201156a8\"\ - },{\"properties\":{\"roleName\":\"Schema Registry Reader (Preview)\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Read and list Schema Registry groups and\ - \ schemas.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"\ - Microsoft.EventHub/namespaces/schemagroups/read\"],\"notActions\":[],\"dataActions\"\ - :[\"Microsoft.EventHub/namespaces/schemas/read\"],\"notDataActions\":[]}],\"\ - createdOn\":\"2020-09-13T06:31:38.0272740Z\",\"updatedOn\":\"2021-11-11T20:14:44.6350450Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2c56ea50-c6b3-40a6-83c0-9d98858bc7d2\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2c56ea50-c6b3-40a6-83c0-9d98858bc7d2\"\ - },{\"properties\":{\"roleName\":\"Schema Registry Contributor (Preview)\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Read, write, and delete Schema\ - \ Registry groups and schemas.\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.EventHub/namespaces/schemagroups/*\"],\"notActions\"\ - :[],\"dataActions\":[\"Microsoft.EventHub/namespaces/schemas/*\"],\"notDataActions\"\ - :[]}],\"createdOn\":\"2020-09-13T06:48:26.6032931Z\",\"updatedOn\":\"2021-11-11T20:14:44.8200370Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5dffeca3-4936-4216-b2bc-10343a5abb25\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5dffeca3-4936-4216-b2bc-10343a5abb25\"\ - },{\"properties\":{\"roleName\":\"AgFood Platform Service Reader\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Provides read access to AgFood Platform\ - \ Service\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"\ - notActions\":[],\"dataActions\":[\"Microsoft.AgFoodPlatform/*/list/action\"\ - ,\"Microsoft.AgFoodPlatform/*/read\",\"Microsoft.AgFoodPlatform/*/search/action\"\ - ,\"Microsoft.AgFoodPlatform/*/download/action\",\"Microsoft.AgFoodPlatform/*/overlap/action\"\ - ,\"Microsoft.AgFoodPlatform/*/checkConsent/action\"],\"notDataActions\":[]}],\"\ - createdOn\":\"2020-09-14T10:21:08.9138820Z\",\"updatedOn\":\"2022-12-09T07:32:44.6602284Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7ec7ccdc-f61e-41fe-9aaf-980df0a44eba\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7ec7ccdc-f61e-41fe-9aaf-980df0a44eba\"\ - },{\"properties\":{\"roleName\":\"AgFood Platform Service Contributor\",\"\ - type\":\"BuiltInRole\",\"description\":\"Provides contribute access to AgFood\ - \ Platform Service\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[],\"notActions\":[],\"dataActions\":[\"Microsoft.AgFoodPlatform/*/action\"\ - ,\"Microsoft.AgFoodPlatform/*/read\",\"Microsoft.AgFoodPlatform/*/write\"\ - ],\"notDataActions\":[\"Microsoft.AgFoodPlatform/farmBeats/farmers/write\"\ - ,\"Microsoft.AgFoodPlatform/farmBeats/deletionJobs/*/write\",\"Microsoft.AgFoodPlatform/farmBeats/parties/write\"\ - ]}],\"createdOn\":\"2020-09-14T10:21:09.7239169Z\",\"updatedOn\":\"2023-01-19T17:29:21.6287051Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8508508a-4469-4e45-963b-2518ee0bb728\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8508508a-4469-4e45-963b-2518ee0bb728\"\ - },{\"properties\":{\"roleName\":\"AgFood Platform Service Admin\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Provides admin access to AgFood Platform\ - \ Service\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"\ - notActions\":[],\"dataActions\":[\"Microsoft.AgFoodPlatform/*\"],\"notDataActions\"\ - :[]}],\"createdOn\":\"2020-09-14T10:21:09.8039209Z\",\"updatedOn\":\"2021-11-11T20:14:45.3613128Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f8da80de-1ff9-4747-ad80-a19b7f6079e3\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f8da80de-1ff9-4747-ad80-a19b7f6079e3\"\ - },{\"properties\":{\"roleName\":\"Managed HSM contributor\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Lets you manage managed HSM pools, but not access to them.\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.KeyVault/managedHSMs/*\"\ - ,\"Microsoft.KeyVault/deletedManagedHsms/read\",\"Microsoft.KeyVault/locations/deletedManagedHsms/read\"\ - ,\"Microsoft.KeyVault/locations/deletedManagedHsms/purge/action\",\"Microsoft.KeyVault/locations/managedHsmOperationResults/read\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2020-09-16T21:47:01.1291104Z\",\"updatedOn\":\"2022-03-07T20:20:10.2940363Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18500a29-7fe2-46b2-a342-b16a415e101d\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"18500a29-7fe2-46b2-a342-b16a415e101d\"\ - },{\"properties\":{\"roleName\":\"Security Detonation Chamber Submitter\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Allowed to create submissions\ - \ to Security Detonation Chamber\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SecurityDetonation/chambers/submissions/delete\"\ - ,\"Microsoft.SecurityDetonation/chambers/submissions/write\",\"Microsoft.SecurityDetonation/chambers/submissions/read\"\ - ,\"Microsoft.SecurityDetonation/chambers/submissions/files/read\",\"Microsoft.SecurityDetonation/chambers/submissions/accesskeyview/read\"\ - ,\"Microsoft.SecurityDetonation/chambers/platforms/metadata/read\",\"Microsoft.SecurityDetonation/chambers/workflows/metadata/read\"\ - ,\"Microsoft.SecurityDetonation/chambers/toolsets/metadata/read\"],\"notDataActions\"\ - :[]}],\"createdOn\":\"2020-10-01T08:55:21.3980274Z\",\"updatedOn\":\"2021-11-11T20:14:47.5471350Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0b555d9b-b4a7-4f43-b330-627f0e5be8f0\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0b555d9b-b4a7-4f43-b330-627f0e5be8f0\"\ - },{\"properties\":{\"roleName\":\"SignalR REST API Reader\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Read-only access to Azure SignalR Service REST APIs\",\"\ - assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\"\ - :[],\"dataActions\":[\"Microsoft.SignalRService/SignalR/group/read\",\"Microsoft.SignalRService/SignalR/clientConnection/read\"\ - ,\"Microsoft.SignalRService/SignalR/user/read\"],\"notDataActions\":[]}],\"\ - createdOn\":\"2020-10-13T09:19:05.6463616Z\",\"updatedOn\":\"2021-11-11T20:14:48.7902970Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ddde6b66-c0df-4114-a159-3618637b3035\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ddde6b66-c0df-4114-a159-3618637b3035\"\ - },{\"properties\":{\"roleName\":\"SignalR Service Owner\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Full access to Azure SignalR Service REST APIs\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\"\ - :[\"Microsoft.SignalRService/SignalR/auth/accessKey/action\",\"Microsoft.SignalRService/SignalR/auth/clientToken/action\"\ - ,\"Microsoft.SignalRService/SignalR/hub/send/action\",\"Microsoft.SignalRService/SignalR/group/send/action\"\ - ,\"Microsoft.SignalRService/SignalR/group/read\",\"Microsoft.SignalRService/SignalR/group/write\"\ - ,\"Microsoft.SignalRService/SignalR/clientConnection/send/action\",\"Microsoft.SignalRService/SignalR/clientConnection/read\"\ - ,\"Microsoft.SignalRService/SignalR/clientConnection/write\",\"Microsoft.SignalRService/SignalR/serverConnection/write\"\ - ,\"Microsoft.SignalRService/SignalR/user/send/action\",\"Microsoft.SignalRService/SignalR/user/read\"\ - ,\"Microsoft.SignalRService/SignalR/user/write\",\"Microsoft.SignalRService/SignalR/livetrace/*\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2020-10-13T09:20:32.1501410Z\",\"\ - updatedOn\":\"2022-09-14T04:23:14.1771585Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7e4f1700-ea5a-4f59-8f37-079cfe29dce3\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7e4f1700-ea5a-4f59-8f37-079cfe29dce3\"\ - },{\"properties\":{\"roleName\":\"Reservation Purchaser\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Lets you purchase reservations\",\"assignableScopes\":[\"\ - /\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/roleAssignments/read\"\ - ,\"Microsoft.Capacity/catalogs/read\",\"Microsoft.Capacity/register/action\"\ - ,\"Microsoft.Compute/register/action\",\"Microsoft.Consumption/register/action\"\ - ,\"Microsoft.Consumption/reservationRecommendationDetails/read\",\"Microsoft.Consumption/reservationRecommendations/read\"\ - ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.SQL/register/action\",\"Microsoft.Support/supporttickets/write\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2020-10-23T20:22:48.9217751Z\",\"updatedOn\":\"2022-04-13T22:08:56.7905675Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f7b75c60-3036-4b75-91c3-6b41c27c1689\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f7b75c60-3036-4b75-91c3-6b41c27c1689\"\ - },{\"properties\":{\"roleName\":\"AzureML Metrics Writer (preview)\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Lets you write metrics to AzureML workspace\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.MachineLearningServices/workspaces/metrics/*/write\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2020-10-27T16:55:19.5664950Z\",\"updatedOn\":\"2021-11-11T20:14:49.8655015Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/635dd51f-9968-44d3-b7fb-6d9a6bd613ae\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"635dd51f-9968-44d3-b7fb-6d9a6bd613ae\"\ - },{\"properties\":{\"roleName\":\"Storage Account Backup Contributor\",\"\ - type\":\"BuiltInRole\",\"description\":\"Lets you perform backup and restore\ - \ operations using Azure Backup on the storage account.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Authorization/locks/read\",\"Microsoft.Authorization/locks/write\"\ - ,\"Microsoft.Authorization/locks/delete\",\"Microsoft.Features/features/read\"\ - ,\"Microsoft.Features/providers/features/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Storage/operations/read\",\"Microsoft.Storage/storageAccounts/objectReplicationPolicies/delete\"\ - ,\"Microsoft.Storage/storageAccounts/objectReplicationPolicies/read\",\"Microsoft.Storage/storageAccounts/objectReplicationPolicies/write\"\ - ,\"Microsoft.Storage/storageAccounts/objectReplicationPolicies/restorePointMarkers/write\"\ - ,\"Microsoft.Storage/storageAccounts/blobServices/containers/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/write\"\ - ,\"Microsoft.Storage/storageAccounts/blobServices/read\",\"Microsoft.Storage/storageAccounts/blobServices/write\"\ - ,\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.Storage/storageAccounts/restoreBlobRanges/action\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2020-11-02T23:32:50.4203469Z\",\"updatedOn\":\"2022-04-20T01:44:55.2577307Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1\"\ - },{\"properties\":{\"roleName\":\"Experimentation Metric Contributor\",\"\ - type\":\"BuiltInRole\",\"description\":\"Allows for creation, writes and reads\ - \ to the metric set via the metrics service APIs.\",\"assignableScopes\":[\"\ - /\"],\"permissions\":[{\"actions\":[\"Microsoft.Experimentation/experimentWorkspaces/read\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/read\"\ - ,\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/metricwrite/action\"\ - ,\"Microsoft.Experimentation/experimentWorkspaces/metricwrite/action\",\"\ - Microsoft.Experimentation/experimentWorkspaces/read\"],\"notDataActions\"\ - :[]}],\"createdOn\":\"2020-11-10T20:07:53.7535885Z\",\"updatedOn\":\"2021-11-11T20:14:50.9524177Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6188b7c9-7d01-4f99-a59f-c88b630326c0\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6188b7c9-7d01-4f99-a59f-c88b630326c0\"\ - },{\"properties\":{\"roleName\":\"Project Babylon Data Curator\",\"type\"\ - :\"BuiltInRole\",\"description\":\"The Microsoft.ProjectBabylon data curator\ - \ can create, read, modify and delete catalog data objects and establish relationships\ - \ between objects. This role is in preview and subject to change.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ProjectBabylon/accounts/read\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.ProjectBabylon/accounts/data/read\"\ - ,\"Microsoft.ProjectBabylon/accounts/data/write\"],\"notDataActions\":[]}],\"\ - createdOn\":\"2020-11-14T02:31:33.7988825Z\",\"updatedOn\":\"2021-11-11T20:14:51.4929515Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9ef4ef9c-a049-46b0-82ab-dd8ac094c889\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"9ef4ef9c-a049-46b0-82ab-dd8ac094c889\"\ - },{\"properties\":{\"roleName\":\"Project Babylon Data Reader\",\"type\":\"\ - BuiltInRole\",\"description\":\"The Microsoft.ProjectBabylon data reader can\ - \ read catalog data objects. This role is in preview and subject to change.\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ProjectBabylon/accounts/read\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.ProjectBabylon/accounts/data/read\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2020-11-14T02:33:13.5342351Z\",\"\ - updatedOn\":\"2021-11-11T20:14:51.6729667Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c8d896ba-346d-4f50-bc1d-7d1c84130446\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c8d896ba-346d-4f50-bc1d-7d1c84130446\"\ - },{\"properties\":{\"roleName\":\"Project Babylon Data Source Administrator\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"The Microsoft.ProjectBabylon data\ - \ source administrator can manage data sources and data scans. This role is\ - \ in preview and subject to change.\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.ProjectBabylon/accounts/read\"],\"notActions\"\ - :[],\"dataActions\":[\"Microsoft.ProjectBabylon/accounts/scan/read\",\"Microsoft.ProjectBabylon/accounts/scan/write\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2020-11-14T02:34:01.8401954Z\",\"\ - updatedOn\":\"2021-11-11T20:14:51.8529643Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/05b7651b-dc44-475e-b74d-df3db49fae0f\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"05b7651b-dc44-475e-b74d-df3db49fae0f\"\ - },{\"properties\":{\"roleName\":\"Purview role 1 (Deprecated)\",\"type\":\"\ - BuiltInRole\",\"description\":\"Deprecated role.\",\"assignableScopes\":[\"\ - /\"],\"permissions\":[{\"actions\":[\"Microsoft.Purview/accounts/read\"],\"\ - notActions\":[],\"dataActions\":[\"Microsoft.Purview/accounts/data/read\"\ - ,\"Microsoft.Purview/accounts/data/write\"],\"notDataActions\":[]}],\"createdOn\"\ - :\"2020-11-14T02:37:15.0123345Z\",\"updatedOn\":\"2022-01-04T00:43:15.6924286Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8a3c2885-9b38-4fd2-9d99-91af537c1347\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8a3c2885-9b38-4fd2-9d99-91af537c1347\"\ - },{\"properties\":{\"roleName\":\"Purview role 3 (Deprecated)\",\"type\":\"\ - BuiltInRole\",\"description\":\"Deprecated role.\",\"assignableScopes\":[\"\ - /\"],\"permissions\":[{\"actions\":[\"Microsoft.Purview/accounts/read\"],\"\ - notActions\":[],\"dataActions\":[\"Microsoft.Purview/accounts/data/read\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2020-11-14T02:39:22.2344740Z\",\"\ - updatedOn\":\"2022-01-04T00:48:08.2844802Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ff100721-1b9d-43d8-af52-42b69c1272db\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ff100721-1b9d-43d8-af52-42b69c1272db\"\ - },{\"properties\":{\"roleName\":\"Purview role 2 (Deprecated)\",\"type\":\"\ - BuiltInRole\",\"description\":\"Deprecated role.\",\"assignableScopes\":[\"\ - /\"],\"permissions\":[{\"actions\":[\"Microsoft.Purview/accounts/read\"],\"\ - notActions\":[],\"dataActions\":[\"Microsoft.Purview/accounts/scan/read\"\ - ,\"Microsoft.Purview/accounts/scan/write\"],\"notDataActions\":[]}],\"createdOn\"\ - :\"2020-11-14T02:40:05.0975648Z\",\"updatedOn\":\"2022-01-04T00:47:22.9678219Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/200bba9e-f0c8-430f-892b-6f0794863803\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"200bba9e-f0c8-430f-892b-6f0794863803\"\ - },{\"properties\":{\"roleName\":\"Application Group Contributor\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Contributor of the Application Group.\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/applicationgroups/*\"\ - ,\"Microsoft.DesktopVirtualization/hostpools/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/read\"\ - ,\"Microsoft.DesktopVirtualization/workspaces/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Support/*\"],\"notActions\"\ - :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-03T23:26:00.2784962Z\"\ - ,\"updatedOn\":\"2021-11-11T20:14:52.9432015Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ca6382a4-1721-4bcf-a114-ff0c70227b6b\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ca6382a4-1721-4bcf-a114-ff0c70227b6b\"\ - },{\"properties\":{\"roleName\":\"Desktop Virtualization Reader\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Reader of Desktop Virtualization.\",\"\ - assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/*/read\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/read\"\ - ,\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/read\"\ - ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2020-12-11T21:36:19.0140629Z\",\"updatedOn\":\"2021-11-11T20:14:54.0407838Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/49a72310-ab8d-41df-bbb0-79b649203868\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"49a72310-ab8d-41df-bbb0-79b649203868\"\ - },{\"properties\":{\"roleName\":\"Desktop Virtualization Contributor\",\"\ - type\":\"BuiltInRole\",\"description\":\"Contributor of Desktop Virtualization.\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"\ - Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2020-12-11T21:37:16.2910337Z\",\"updatedOn\":\"2021-11-11T20:14:54.2107872Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/082f0a83-3be5-4ba1-904c-961cca79b387\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"082f0a83-3be5-4ba1-904c-961cca79b387\"\ - },{\"properties\":{\"roleName\":\"Desktop Virtualization Workspace Contributor\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Contributor of the Desktop Virtualization\ - \ Workspace.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.DesktopVirtualization/workspaces/*\",\"Microsoft.DesktopVirtualization/applicationgroups/read\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"\ - Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2020-12-11T21:38:29.6089216Z\",\"updatedOn\":\"2021-11-11T20:14:54.3907854Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/21efdde3-836f-432b-bf3d-3e8e734d4b2b\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"21efdde3-836f-432b-bf3d-3e8e734d4b2b\"\ - },{\"properties\":{\"roleName\":\"Desktop Virtualization User Session Operator\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Operator of the Desktop Virtualization\ - \ Uesr Session.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.DesktopVirtualization/hostpools/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/read\"\ - ,\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"\ - Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2020-12-11T21:39:16.9100273Z\",\"updatedOn\":\"2021-11-11T20:14:54.5657970Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ea4bfff8-7fb4-485a-aadd-d4129a0ffaa6\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ea4bfff8-7fb4-485a-aadd-d4129a0ffaa6\"\ - },{\"properties\":{\"roleName\":\"Desktop Virtualization Session Host Operator\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Operator of the Desktop Virtualization\ - \ Session Host.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.DesktopVirtualization/hostpools/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"\ - Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2020-12-11T21:39:53.2569741Z\",\"updatedOn\":\"2021-11-11T20:14:54.7508042Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2ad6aaab-ead9-4eaa-8ac5-da422f562408\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2ad6aaab-ead9-4eaa-8ac5-da422f562408\"\ - },{\"properties\":{\"roleName\":\"Desktop Virtualization Host Pool Reader\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Reader of the Desktop Virtualization\ - \ Host Pool.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.DesktopVirtualization/hostpools/*/read\",\"Microsoft.DesktopVirtualization/hostpools/read\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/read\"\ - ,\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/read\"\ - ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2020-12-11T21:40:33.1430834Z\",\"updatedOn\":\"2021-11-11T20:14:54.9257967Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ceadfde2-b300-400a-ab7b-6143895aa822\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ceadfde2-b300-400a-ab7b-6143895aa822\"\ - },{\"properties\":{\"roleName\":\"Desktop Virtualization Host Pool Contributor\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Contributor of the Desktop Virtualization\ - \ Host Pool.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.DesktopVirtualization/hostpools/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Support/*\"],\"notActions\"\ - :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:40:57.2976187Z\"\ - ,\"updatedOn\":\"2021-11-11T20:14:55.1057701Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e307426c-f9b6-4e81-87de-d99efb3c32bc\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e307426c-f9b6-4e81-87de-d99efb3c32bc\"\ - },{\"properties\":{\"roleName\":\"Desktop Virtualization Application Group\ - \ Reader\",\"type\":\"BuiltInRole\",\"description\":\"Reader of the Desktop\ - \ Virtualization Application Group.\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.DesktopVirtualization/applicationgroups/*/read\"\ - ,\"Microsoft.DesktopVirtualization/applicationgroups/read\",\"Microsoft.DesktopVirtualization/hostpools/read\"\ - ,\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Resources/deployments/read\",\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Insights/alertRules/read\",\"Microsoft.Support/*\"],\"notActions\"\ - :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:41:18.0287398Z\"\ - ,\"updatedOn\":\"2021-11-11T20:14:55.2858006Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/aebf23d0-b568-4e86-b8f9-fe83a2c6ab55\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"aebf23d0-b568-4e86-b8f9-fe83a2c6ab55\"\ - },{\"properties\":{\"roleName\":\"Desktop Virtualization Application Group\ - \ Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Contributor of\ - \ the Desktop Virtualization Application Group.\",\"assignableScopes\":[\"\ - /\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/applicationgroups/*\"\ - ,\"Microsoft.DesktopVirtualization/hostpools/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/read\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"\ - Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2020-12-11T21:41:38.6205531Z\",\"updatedOn\":\"2021-11-11T20:14:55.4677136Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/86240b0e-9422-4c43-887b-b61143f32ba8\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"86240b0e-9422-4c43-887b-b61143f32ba8\"\ - },{\"properties\":{\"roleName\":\"Desktop Virtualization Workspace Reader\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Reader of the Desktop Virtualization\ - \ Workspace.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.DesktopVirtualization/workspaces/read\",\"Microsoft.DesktopVirtualization/applicationgroups/read\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/read\"\ - ,\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/read\"\ - ,\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2020-12-11T21:41:58.1892707Z\",\"updatedOn\":\"2021-11-11T20:14:55.6577168Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0fa44ee9-7a7d-466b-9bb2-2bf446b1204d\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0fa44ee9-7a7d-466b-9bb2-2bf446b1204d\"\ - },{\"properties\":{\"roleName\":\"Disk Backup Reader\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Provides permission to backup vault to perform disk backup.\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Compute/disks/read\",\"Microsoft.Compute/disks/beginGetAccess/action\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2020-12-15T07:39:03.8394514Z\",\"updatedOn\":\"2021-11-11T20:14:56.0178737Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3e5e47e6-65f7-47ef-90b5-e5dd4d455f24\"\ - },{\"properties\":{\"roleName\":\"Autonomous Development Platform Data Contributor\ - \ (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Grants permissions\ - \ to upload and manage new Autonomous Development Platform measurements.\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.AutonomousDevelopmentPlatform/*/read\"\ - ,\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.AutonomousDevelopmentPlatform/accounts/dataPools/discoveries/*\"\ - ,\"Microsoft.AutonomousDevelopmentPlatform/accounts/dataPools/uploads/*\"\ - ,\"Microsoft.AutonomousDevelopmentPlatform/accounts/dataPools/measurements/states/new/*\"\ - ,\"Microsoft.AutonomousDevelopmentPlatform/accounts/dataPools/measurementCollections/*\"\ - ,\"Microsoft.AutonomousDevelopmentPlatform/accounts/measurementCollections/*\"\ - ,\"Microsoft.AutonomousDevelopmentPlatform/workspaces/read\",\"Microsoft.AutonomousDevelopmentPlatform/workspaces/discoveries/*\"\ - ,\"Microsoft.AutonomousDevelopmentPlatform/workspaces/uploads/*\",\"Microsoft.AutonomousDevelopmentPlatform/workspaces/measurements/states/new/*\"\ - ,\"Microsoft.AutonomousDevelopmentPlatform/workspaces/measurements/classifications/*\"\ - ,\"Microsoft.AutonomousDevelopmentPlatform/workspaces/measurements/dataStreams/classifications/*\"\ - ,\"Microsoft.AutonomousDevelopmentPlatform/workspaces/measurementCollections/*\"\ - ],\"notDataActions\":[\"Microsoft.AutonomousDevelopmentPlatform/accounts/dataPools/measurements/states/new/changeState/action\"\ - ,\"Microsoft.AutonomousDevelopmentPlatform/workspaces/measurements/states/new/changeState/action\"\ - ]}],\"createdOn\":\"2020-12-15T11:30:01.7459379Z\",\"updatedOn\":\"2022-09-14T15:02:38.0071890Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b8b15564-4fa6-4a59-ab12-03e1d9594795\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b8b15564-4fa6-4a59-ab12-03e1d9594795\"\ - },{\"properties\":{\"roleName\":\"Autonomous Development Platform Data Reader\ - \ (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Grants read access\ - \ to Autonomous Development Platform data.\",\"assignableScopes\":[\"/\"],\"\ - permissions\":[{\"actions\":[\"Microsoft.AutonomousDevelopmentPlatform/*/read\"\ - ,\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.AutonomousDevelopmentPlatform/*/read\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2020-12-15T12:11:31.9843256Z\",\"\ - updatedOn\":\"2022-01-04T13:21:04.3207709Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d63b75f7-47ea-4f27-92ac-e0d173aaf093\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d63b75f7-47ea-4f27-92ac-e0d173aaf093\"\ - },{\"properties\":{\"roleName\":\"Autonomous Development Platform Data Owner\ - \ (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Grants full access\ - \ to Autonomous Development Platform data.\",\"assignableScopes\":[\"/\"],\"\ - permissions\":[{\"actions\":[\"Microsoft.AutonomousDevelopmentPlatform/*/read\"\ - ,\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.AutonomousDevelopmentPlatform/*\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2020-12-15T12:13:59.9702378Z\",\"\ - updatedOn\":\"2022-01-04T13:20:26.2040404Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/27f8b550-c507-4db9-86f2-f4b8e816d59d\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"27f8b550-c507-4db9-86f2-f4b8e816d59d\"\ - },{\"properties\":{\"roleName\":\"Disk Restore Operator\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Provides permission to backup vault to perform disk restore.\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Compute/disks/write\"\ - ,\"Microsoft.Compute/disks/read\"],\"notActions\":[],\"dataActions\":[],\"\ - notDataActions\":[]}],\"createdOn\":\"2020-12-15T12:18:31.8481619Z\",\"updatedOn\"\ - :\"2021-11-11T20:14:56.7408912Z\",\"createdBy\":null,\"updatedBy\":null},\"\ - id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b50d9833-a0cb-478e-945f-707fcc997c13\"\ - },{\"properties\":{\"roleName\":\"Disk Snapshot Contributor\",\"type\":\"\ - BuiltInRole\",\"description\":\"Provides permission to backup vault to manage\ - \ disk snapshots.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Compute/snapshots/delete\",\"Microsoft.Compute/snapshots/write\"\ - ,\"Microsoft.Compute/snapshots/read\",\"Microsoft.Compute/snapshots/beginGetAccess/action\"\ - ,\"Microsoft.Compute/snapshots/endGetAccess/action\",\"Microsoft.Compute/disks/beginGetAccess/action\"\ - ,\"Microsoft.Storage/storageAccounts/listkeys/action\",\"Microsoft.Storage/storageAccounts/write\"\ - ,\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.Storage/storageAccounts/delete\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2020-12-15T12:18:51.4471411Z\",\"updatedOn\":\"2021-11-11T20:14:56.9158814Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7efff54f-a5b4-42b5-a1c5-5411624893ce\"\ - },{\"properties\":{\"roleName\":\"Microsoft.Kubernetes connected cluster role\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Microsoft.Kubernetes connected\ - \ cluster role.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.Kubernetes/connectedClusters/read\",\"Microsoft.Kubernetes/connectedClusters/write\"\ - ,\"Microsoft.Kubernetes/connectedClusters/delete\",\"Microsoft.Kubernetes/registeredSubscriptions/read\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2021-01-07T23:57:10.9923232Z\",\"updatedOn\":\"2021-11-11T20:14:58.2039838Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5548b2cf-c94c-4228-90ba-30851930a12f\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5548b2cf-c94c-4228-90ba-30851930a12f\"\ - },{\"properties\":{\"roleName\":\"Security Detonation Chamber Submission Manager\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Allowed to create and manage submissions\ - \ to Security Detonation Chamber\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SecurityDetonation/chambers/submissions/delete\"\ - ,\"Microsoft.SecurityDetonation/chambers/submissions/write\",\"Microsoft.SecurityDetonation/chambers/submissions/read\"\ - ,\"Microsoft.SecurityDetonation/chambers/submissions/files/read\",\"Microsoft.SecurityDetonation/chambers/submissions/accesskeyview/read\"\ - ,\"Microsoft.SecurityDetonation/chambers/submissions/adminview/read\",\"Microsoft.SecurityDetonation/chambers/submissions/analystview/read\"\ - ,\"Microsoft.SecurityDetonation/chambers/submissions/publicview/read\",\"\ - Microsoft.SecurityDetonation/chambers/platforms/metadata/read\",\"Microsoft.SecurityDetonation/chambers/workflows/metadata/read\"\ - ,\"Microsoft.SecurityDetonation/chambers/toolsets/metadata/read\"],\"notDataActions\"\ - :[]}],\"createdOn\":\"2021-01-18T09:35:36.5739297Z\",\"updatedOn\":\"2021-11-11T20:14:58.3939604Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a37b566d-3efa-4beb-a2f2-698963fa42ce\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a37b566d-3efa-4beb-a2f2-698963fa42ce\"\ - },{\"properties\":{\"roleName\":\"Security Detonation Chamber Publisher\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Allowed to publish and modify\ - \ platforms, workflows and toolsets to Security Detonation Chamber\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\"\ - :[\"Microsoft.SecurityDetonation/chambers/platforms/read\",\"Microsoft.SecurityDetonation/chambers/platforms/write\"\ - ,\"Microsoft.SecurityDetonation/chambers/platforms/delete\",\"Microsoft.SecurityDetonation/chambers/platforms/metadata/read\"\ - ,\"Microsoft.SecurityDetonation/chambers/workflows/read\",\"Microsoft.SecurityDetonation/chambers/workflows/write\"\ - ,\"Microsoft.SecurityDetonation/chambers/workflows/delete\",\"Microsoft.SecurityDetonation/chambers/workflows/metadata/read\"\ - ,\"Microsoft.SecurityDetonation/chambers/toolsets/read\",\"Microsoft.SecurityDetonation/chambers/toolsets/write\"\ - ,\"Microsoft.SecurityDetonation/chambers/toolsets/delete\",\"Microsoft.SecurityDetonation/chambers/toolsets/metadata/read\"\ - ,\"Microsoft.SecurityDetonation/chambers/publishRequests/read\",\"Microsoft.SecurityDetonation/chambers/publishRequests/cancel/action\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2021-01-18T11:43:14.0858184Z\",\"\ - updatedOn\":\"2021-11-11T20:14:58.5639749Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/352470b3-6a9c-4686-b503-35deb827e500\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"352470b3-6a9c-4686-b503-35deb827e500\"\ - },{\"properties\":{\"roleName\":\"Collaborative Runtime Operator\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Can manage resources created by AICS at\ - \ runtime\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"\ - Microsoft.IndustryDataLifecycle/derivedModels/*\",\"Microsoft.IndustryDataLifecycle/pipelineSets/*\"\ - ,\"Microsoft.IndustryDataLifecycle/modelMappings/*\",\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2021-01-19T10:00:27.3464971Z\",\"updatedOn\":\"2021-11-11T20:14:58.7442136Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7a6f0e70-c033-4fb1-828c-08514e5f4102\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7a6f0e70-c033-4fb1-828c-08514e5f4102\"\ - },{\"properties\":{\"roleName\":\"CosmosRestoreOperator\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Can perform restore action for Cosmos DB database account\ - \ with continuous backup mode\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.DocumentDB/locations/restorableDatabaseAccounts/restore/action\"\ - ,\"Microsoft.DocumentDB/locations/restorableDatabaseAccounts/*/read\",\"Microsoft.DocumentDB/locations/restorableDatabaseAccounts/read\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2021-01-21T19:51:35.3884884Z\",\"updatedOn\":\"2021-11-11T20:14:59.4892686Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5432c526-bc82-444a-b7ba-57c5b0b5b34f\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5432c526-bc82-444a-b7ba-57c5b0b5b34f\"\ - },{\"properties\":{\"roleName\":\"FHIR Data Converter\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Role allows user or principal to convert data from legacy\ - \ format to FHIR\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[],\"notActions\":[],\"dataActions\":[\"Microsoft.HealthcareApis/services/fhir/resources/convertData/action\"\ - ,\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/convertData/action\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2021-01-22T19:39:01.1601069Z\",\"\ - updatedOn\":\"2021-11-11T20:14:59.8605937Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a1705bd2-3a8f-45a5-8683-466fcfd5cc24\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a1705bd2-3a8f-45a5-8683-466fcfd5cc24\"\ - },{\"properties\":{\"roleName\":\"Microsoft Sentinel Automation Contributor\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Microsoft Sentinel Automation\ - \ Contributor\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.Authorization/*/read\",\"Microsoft.Logic/workflows/triggers/read\"\ - ,\"Microsoft.Logic/workflows/triggers/listCallbackUrl/action\",\"Microsoft.Logic/workflows/runs/read\"\ - ,\"Microsoft.Web/sites/hostruntime/webhooks/api/workflows/triggers/read\"\ - ,\"Microsoft.Web/sites/hostruntime/webhooks/api/workflows/triggers/listCallbackUrl/action\"\ - ,\"Microsoft.Web/sites/hostruntime/webhooks/api/workflows/runs/read\"],\"\ - notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"\ - 2021-01-24T08:50:52.0382991Z\",\"updatedOn\":\"2022-01-26T09:25:00.4699337Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f4c81013-99ee-4d62-a7ee-b3f1f648599a\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f4c81013-99ee-4d62-a7ee-b3f1f648599a\"\ - },{\"properties\":{\"roleName\":\"Quota Request Operator\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Read and create quota requests, get quota request status,\ - \ and create support tickets.\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.Capacity/resourceProviders/locations/serviceLimits/read\"\ - ,\"Microsoft.Capacity/resourceProviders/locations/serviceLimits/write\",\"\ - Microsoft.Capacity/resourceProviders/locations/serviceLimitsRequests/read\"\ - ,\"Microsoft.Capacity/register/action\",\"Microsoft.Quota/usages/read\",\"\ - Microsoft.Quota/quotas/read\",\"Microsoft.Quota/quotas/write\",\"Microsoft.Quota/quotaRequests/read\"\ - ,\"Microsoft.Quota/register/action\",\"Microsoft.Authorization/*/read\",\"\ - Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"\ - Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2021-02-03T00:06:35.8404575Z\",\"updatedOn\":\"2022-12-05T21:28:33.3264217Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0e5f05e5-9ab9-446b-b98d-1e2157c94125\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0e5f05e5-9ab9-446b-b98d-1e2157c94125\"\ - },{\"properties\":{\"roleName\":\"EventGrid Contributor\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Lets you manage EventGrid operations.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.EventGrid/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2021-02-08T18:46:18.8999557Z\",\"updatedOn\":\"2021-11-11T20:15:01.6867802Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1e241071-0855-49ea-94dc-649edcd759de\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1e241071-0855-49ea-94dc-649edcd759de\"\ - },{\"properties\":{\"roleName\":\"Security Detonation Chamber Reader\",\"\ - type\":\"BuiltInRole\",\"description\":\"Allowed to query submission info\ - \ and files from Security Detonation Chamber\",\"assignableScopes\":[\"/\"\ - ],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SecurityDetonation/chambers/submissions/read\"\ - ,\"Microsoft.SecurityDetonation/chambers/submissions/files/read\"],\"notDataActions\"\ - :[]}],\"createdOn\":\"2021-03-01T14:06:46.2814905Z\",\"updatedOn\":\"2021-11-11T20:15:03.3274090Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/28241645-39f8-410b-ad48-87863e2951d5\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"28241645-39f8-410b-ad48-87863e2951d5\"\ - },{\"properties\":{\"roleName\":\"Object Anchors Account Reader\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Lets you read ingestion jobs for an object\ - \ anchors account.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/ObjectAnchorsAccounts/ingest/read\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2021-03-02T01:20:47.0279813Z\",\"\ - updatedOn\":\"2021-11-11T20:15:03.5006082Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4a167cdf-cb95-4554-9203-2347fe489bd9\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4a167cdf-cb95-4554-9203-2347fe489bd9\"\ - },{\"properties\":{\"roleName\":\"Object Anchors Account Owner\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Provides user with ingestion capabilities\ - \ for an object anchors account.\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/ObjectAnchorsAccounts/ingest/action\"\ - ,\"Microsoft.MixedReality/ObjectAnchorsAccounts/ingest/read\"],\"notDataActions\"\ - :[]}],\"createdOn\":\"2021-03-02T01:42:02.0014737Z\",\"updatedOn\":\"2021-11-11T20:15:03.6855873Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ca0835dd-bacc-42dd-8ed2-ed5e7230d15b\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ca0835dd-bacc-42dd-8ed2-ed5e7230d15b\"\ - },{\"properties\":{\"roleName\":\"WorkloadBuilder Migration Agent Role\",\"\ - type\":\"BuiltInRole\",\"description\":\"WorkloadBuilder Migration Agent Role.\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.WorkloadBuilder/migrationAgents/Read\"\ - ,\"Microsoft.WorkloadBuilder/migrationAgents/Write\"],\"notActions\":[],\"\ - dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-03-11T17:07:20.0828003Z\"\ - ,\"updatedOn\":\"2021-11-11T20:15:04.2456706Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d17ce0a2-0697-43bc-aac5-9113337ab61c\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d17ce0a2-0697-43bc-aac5-9113337ab61c\"\ - },{\"properties\":{\"roleName\":\"Azure Spring Cloud Data Reader\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Allow read access to Azure Spring Cloud\ - \ Data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"\ - notActions\":[],\"dataActions\":[\"Microsoft.AppPlatform/Spring/*/read\"],\"\ - notDataActions\":[]}],\"createdOn\":\"2021-03-25T11:12:12.6786010Z\",\"updatedOn\"\ - :\"2021-11-11T20:15:05.3368606Z\",\"createdBy\":null,\"updatedBy\":null},\"\ - id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b5537268-8956-4941-a8f0-646150406f0c\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b5537268-8956-4941-a8f0-646150406f0c\"\ - },{\"properties\":{\"roleName\":\"Cognitive Services Speech User\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Access to the real-time speech recognition\ - \ and batch transcription APIs, real-time speech synthesis and long audio\ - \ APIs, as well as to read the data/test/model/endpoint for custom models,\ - \ but can\u2019t create, delete or modify the data/test/model/endpoint for\ - \ custom models.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\"\ - ,\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\"\ - :[\"Microsoft.CognitiveServices/accounts/SpeechServices/*/read\",\"Microsoft.CognitiveServices/accounts/SpeechServices/*/transcriptions/read\"\ - ,\"Microsoft.CognitiveServices/accounts/SpeechServices/*/transcriptions/write\"\ - ,\"Microsoft.CognitiveServices/accounts/SpeechServices/*/transcriptions/delete\"\ - ,\"Microsoft.CognitiveServices/accounts/SpeechServices/*/frontend/action\"\ - ,\"Microsoft.CognitiveServices/accounts/SpeechServices/text-dependent/*/action\"\ - ,\"Microsoft.CognitiveServices/accounts/SpeechServices/text-independent/*/action\"\ - ,\"Microsoft.CognitiveServices/accounts/CustomVoice/*/read\",\"Microsoft.CognitiveServices/accounts/CustomVoice/evaluations/*\"\ - ,\"Microsoft.CognitiveServices/accounts/CustomVoice/longaudiosynthesis/*\"\ - ,\"Microsoft.CognitiveServices/accounts/AudioContentCreation/*\"],\"notDataActions\"\ - :[\"Microsoft.CognitiveServices/accounts/CustomVoice/datasets/files/read\"\ - ,\"Microsoft.CognitiveServices/accounts/CustomVoice/datasets/utterances/read\"\ - ]}],\"createdOn\":\"2021-03-30T11:28:27.4339032Z\",\"updatedOn\":\"2022-05-19T23:26:56.1473805Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f2dc8367-1007-4938-bd23-fe263f013447\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f2dc8367-1007-4938-bd23-fe263f013447\"\ - },{\"properties\":{\"roleName\":\"Cognitive Services Speech Contributor\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Full access to Speech projects,\ - \ including read, write and delete all entities, for real-time speech recognition\ - \ and batch transcription tasks, real-time speech synthesis and long audio\ - \ tasks, custom speech and custom voice.\",\"assignableScopes\":[\"/\"],\"\ - permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\"\ - ,\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\"\ - :[\"Microsoft.CognitiveServices/accounts/SpeechServices/*\",\"Microsoft.CognitiveServices/accounts/CustomVoice/*\"\ - ,\"Microsoft.CognitiveServices/accounts/AudioContentCreation/*\"],\"notDataActions\"\ - :[]}],\"createdOn\":\"2021-03-30T11:28:49.7826633Z\",\"updatedOn\":\"2022-05-19T23:26:56.1473805Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0e75ca1e-0464-4b4d-8b93-68208a576181\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0e75ca1e-0464-4b4d-8b93-68208a576181\"\ - },{\"properties\":{\"roleName\":\"Cognitive Services Face Recognizer\",\"\ - type\":\"BuiltInRole\",\"description\":\"Lets you perform detect, verify,\ - \ identify, group, and find similar operations on Face API. This role does\ - \ not allow create or delete operations, which makes it well suited for endpoints\ - \ that only need inferencing capabilities, following 'least privilege' best\ - \ practices.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/Face/detect/action\"\ - ,\"Microsoft.CognitiveServices/accounts/Face/verify/action\",\"Microsoft.CognitiveServices/accounts/Face/identify/action\"\ - ,\"Microsoft.CognitiveServices/accounts/Face/group/action\",\"Microsoft.CognitiveServices/accounts/Face/findsimilars/action\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2021-03-31T01:51:41.3557295Z\",\"\ - updatedOn\":\"2021-11-11T20:15:05.8818362Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9894cab4-e18a-44aa-828b-cb588cd6f2d7\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"9894cab4-e18a-44aa-828b-cb588cd6f2d7\"\ - },{\"properties\":{\"roleName\":\"Media Services Account Administrator\",\"\ - type\":\"BuiltInRole\",\"description\":\"Create, read, modify, and delete\ - \ Media Services accounts; read-only access to other Media Services resources.\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/metrics/read\",\"\ - Microsoft.Insights/metricDefinitions/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ - ,\"Microsoft.Media/mediaservices/*/read\",\"Microsoft.Media/mediaservices/assets/listStreamingLocators/action\"\ - ,\"Microsoft.Media/mediaservices/streamingLocators/listPaths/action\",\"Microsoft.Media/mediaservices/write\"\ - ,\"Microsoft.Media/mediaservices/delete\",\"Microsoft.Media/mediaservices/privateEndpointConnectionsApproval/action\"\ - ,\"Microsoft.Media/mediaservices/privateEndpointConnections/*\"],\"notActions\"\ - :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-04-19T23:20:32.2956636Z\"\ - ,\"updatedOn\":\"2021-11-11T20:15:07.1518844Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/054126f8-9a2b-4f1c-a9ad-eca461f08466\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"054126f8-9a2b-4f1c-a9ad-eca461f08466\"\ - },{\"properties\":{\"roleName\":\"Media Services Live Events Administrator\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Create, read, modify, and delete\ - \ Live Events, Assets, Asset Filters, and Streaming Locators; read-only access\ - \ to other Media Services resources.\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\"\ - ,\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Media/mediaservices/*/read\"\ - ,\"Microsoft.Media/mediaservices/assets/*\",\"Microsoft.Media/mediaservices/assets/assetfilters/*\"\ - ,\"Microsoft.Media/mediaservices/streamingLocators/*\",\"Microsoft.Media/mediaservices/liveEvents/*\"\ - ],\"notActions\":[\"Microsoft.Media/mediaservices/assets/getEncryptionKey/action\"\ - ,\"Microsoft.Media/mediaservices/streamingLocators/listContentKeys/action\"\ - ],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-04-19T23:21:00.6119555Z\"\ - ,\"updatedOn\":\"2021-11-11T20:15:07.3318873Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/532bc159-b25e-42c0-969e-a1d439f60d77\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"532bc159-b25e-42c0-969e-a1d439f60d77\"\ - },{\"properties\":{\"roleName\":\"Media Services Media Operator\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Create, read, modify, and delete Assets,\ - \ Asset Filters, Streaming Locators, and Jobs; read-only access to other Media\ - \ Services resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ - actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\"\ - ,\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Media/mediaservices/*/read\"\ - ,\"Microsoft.Media/mediaservices/assets/*\",\"Microsoft.Media/mediaservices/assets/assetfilters/*\"\ - ,\"Microsoft.Media/mediaservices/streamingLocators/*\",\"Microsoft.Media/mediaservices/transforms/jobs/*\"\ - ],\"notActions\":[\"Microsoft.Media/mediaservices/assets/getEncryptionKey/action\"\ - ,\"Microsoft.Media/mediaservices/streamingLocators/listContentKeys/action\"\ - ],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-04-19T23:21:23.2236495Z\"\ - ,\"updatedOn\":\"2021-11-11T20:15:07.5068487Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e4395492-1534-4db2-bedf-88c14621589c\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e4395492-1534-4db2-bedf-88c14621589c\"\ - },{\"properties\":{\"roleName\":\"Media Services Policy Administrator\",\"\ - type\":\"BuiltInRole\",\"description\":\"Create, read, modify, and delete\ - \ Account Filters, Streaming Policies, Content Key Policies, and Transforms;\ - \ read-only access to other Media Services resources. Cannot create Jobs,\ - \ Assets or Streaming resources.\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\"\ - ,\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Media/mediaservices/*/read\"\ - ,\"Microsoft.Media/mediaservices/assets/listStreamingLocators/action\",\"\ - Microsoft.Media/mediaservices/streamingLocators/listPaths/action\",\"Microsoft.Media/mediaservices/accountFilters/*\"\ - ,\"Microsoft.Media/mediaservices/streamingPolicies/*\",\"Microsoft.Media/mediaservices/contentKeyPolicies/*\"\ - ,\"Microsoft.Media/mediaservices/transforms/*\"],\"notActions\":[\"Microsoft.Media/mediaservices/contentKeyPolicies/getPolicyPropertiesWithSecrets/action\"\ - ],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-04-19T23:21:46.9534330Z\"\ - ,\"updatedOn\":\"2021-11-11T20:15:07.6968496Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c4bba371-dacd-4a26-b320-7250bca963ae\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c4bba371-dacd-4a26-b320-7250bca963ae\"\ - },{\"properties\":{\"roleName\":\"Media Services Streaming Endpoints Administrator\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Create, read, modify, and delete\ - \ Streaming Endpoints; read-only access to other Media Services resources.\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/metrics/read\",\"\ - Microsoft.Insights/metricDefinitions/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ - ,\"Microsoft.Media/mediaservices/*/read\",\"Microsoft.Media/mediaservices/assets/listStreamingLocators/action\"\ - ,\"Microsoft.Media/mediaservices/streamingLocators/listPaths/action\",\"Microsoft.Media/mediaservices/streamingEndpoints/*\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2021-04-19T23:22:04.4594851Z\",\"updatedOn\":\"2021-11-11T20:15:07.8718907Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/99dba123-b5fe-44d5-874c-ced7199a5804\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"99dba123-b5fe-44d5-874c-ced7199a5804\"\ - },{\"properties\":{\"roleName\":\"Stream Analytics Query Tester\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Lets you perform query testing without\ - \ creating a stream analytics job first\",\"assignableScopes\":[\"/\"],\"\ - permissions\":[{\"actions\":[\"Microsoft.StreamAnalytics/locations/TestQuery/action\"\ - ,\"Microsoft.StreamAnalytics/locations/OperationResults/read\",\"Microsoft.StreamAnalytics/locations/SampleInput/action\"\ - ,\"Microsoft.StreamAnalytics/locations/CompileQuery/action\"],\"notActions\"\ - :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-04-20T17:33:24.5727870Z\"\ - ,\"updatedOn\":\"2021-11-11T20:15:08.0481551Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1ec5b3c1-b17e-4e25-8312-2acb3c3c5abf\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1ec5b3c1-b17e-4e25-8312-2acb3c3c5abf\"\ - },{\"properties\":{\"roleName\":\"AnyBuild Builder\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Basic user role for AnyBuild. This role allows listing\ - \ of agent information and execution of remote build capabilities.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\"\ - :[\"Microsoft.AnyBuild/clusters/build/write\",\"Microsoft.AnyBuild/clusters/build/read\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2021-04-20T22:07:00.4963853Z\",\"\ - updatedOn\":\"2021-11-11T20:15:08.4254134Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a2138dac-4907-4679-a376-736901ed8ad8\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a2138dac-4907-4679-a376-736901ed8ad8\"\ - },{\"properties\":{\"roleName\":\"IoT Hub Data Reader\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Allows for full read access to IoT Hub data-plane properties\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\"\ - :[],\"dataActions\":[\"Microsoft.Devices/IotHubs/*/read\",\"Microsoft.Devices/IotHubs/fileUpload/notifications/action\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2021-04-22T18:03:29.8843192Z\",\"\ - updatedOn\":\"2021-11-11T20:15:08.6054154Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b447c946-2db7-41ec-983d-d8bf3b1c77e3\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b447c946-2db7-41ec-983d-d8bf3b1c77e3\"\ - },{\"properties\":{\"roleName\":\"IoT Hub Twin Contributor\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Allows for read and write access to all IoT Hub device\ - \ and module twins.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[],\"notActions\":[],\"dataActions\":[\"Microsoft.Devices/IotHubs/twins/*\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2021-04-22T20:36:10.1136903Z\",\"\ - updatedOn\":\"2021-11-11T20:15:08.7855063Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/494bdba2-168f-4f31-a0a1-191d2f7c028c\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"494bdba2-168f-4f31-a0a1-191d2f7c028c\"\ - },{\"properties\":{\"roleName\":\"IoT Hub Registry Contributor\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Allows for full access to IoT Hub device\ - \ registry.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"\ - notActions\":[],\"dataActions\":[\"Microsoft.Devices/IotHubs/devices/*\"],\"\ - notDataActions\":[]}],\"createdOn\":\"2021-04-22T20:36:47.5532704Z\",\"updatedOn\"\ - :\"2021-11-11T20:15:08.9804295Z\",\"createdBy\":null,\"updatedBy\":null},\"\ - id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4ea46cd5-c1b2-4a8e-910b-273211f9ce47\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4ea46cd5-c1b2-4a8e-910b-273211f9ce47\"\ - },{\"properties\":{\"roleName\":\"IoT Hub Data Contributor\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Allows for full access to IoT Hub data plane operations.\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\"\ - :[],\"dataActions\":[\"Microsoft.Devices/IotHubs/*\"],\"notDataActions\":[]}],\"\ - createdOn\":\"2021-04-22T20:37:16.9927761Z\",\"updatedOn\":\"2021-11-11T20:15:09.1754206Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4fc6c259-987e-4a07-842e-c321cc9d413f\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4fc6c259-987e-4a07-842e-c321cc9d413f\"\ - },{\"properties\":{\"roleName\":\"Test Base Reader\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Let you view and download packages and test results.\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.TestBase/testBaseAccounts/packages/testResults/getDownloadUrl/action\"\ - ,\"Microsoft.TestBase/testBaseAccounts/packages/testResults/getVideoDownloadUrl/action\"\ - ,\"Microsoft.TestBase/testBaseAccounts/packages/getDownloadUrl/action\",\"\ - Microsoft.TestBase/*/read\",\"Microsoft.TestBase/testBaseAccounts/customerEvents/write\"\ - ,\"Microsoft.TestBase/testBaseAccounts/customerEvents/delete\"],\"notActions\"\ - :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-05-11T23:41:33.1038367Z\"\ - ,\"updatedOn\":\"2021-11-11T20:15:10.8004347Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/15e0f5a1-3450-4248-8e25-e2afe88a9e85\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"15e0f5a1-3450-4248-8e25-e2afe88a9e85\"\ - },{\"properties\":{\"roleName\":\"Search Index Data Reader\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Grants read access to Azure Cognitive Search index data.\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\"\ - :[],\"dataActions\":[\"Microsoft.Search/searchServices/indexes/documents/read\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2021-06-01T20:26:13.4850461Z\",\"\ - updatedOn\":\"2021-11-11T20:15:11.3604371Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1407120a-92aa-4202-b7e9-c0e197c71c8f\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1407120a-92aa-4202-b7e9-c0e197c71c8f\"\ - },{\"properties\":{\"roleName\":\"Search Index Data Contributor\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Grants full access to Azure Cognitive Search\ - \ index data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[],\"notActions\":[],\"dataActions\":[\"Microsoft.Search/searchServices/indexes/documents/*\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2021-06-01T22:15:16.5388472Z\",\"\ - updatedOn\":\"2021-11-11T20:15:11.5504385Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8ebe5a00-799e-43f5-93ac-243d3dce84a7\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8ebe5a00-799e-43f5-93ac-243d3dce84a7\"\ - },{\"properties\":{\"roleName\":\"Storage Table Data Reader\",\"type\":\"\ - BuiltInRole\",\"description\":\"Allows for read access to Azure Storage tables\ - \ and entities\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.Storage/storageAccounts/tableServices/tables/read\"],\"notActions\"\ - :[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/tableServices/tables/entities/read\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2021-06-15T06:40:54.9150717Z\",\"\ - updatedOn\":\"2021-11-11T20:15:12.1005298Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/76199698-9eea-4c19-bc75-cec21354c6b6\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"76199698-9eea-4c19-bc75-cec21354c6b6\"\ - },{\"properties\":{\"roleName\":\"Storage Table Data Contributor\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Allows for read, write and delete access\ - \ to Azure Storage tables and entities\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.Storage/storageAccounts/tableServices/tables/read\"\ - ,\"Microsoft.Storage/storageAccounts/tableServices/tables/write\",\"Microsoft.Storage/storageAccounts/tableServices/tables/delete\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/tableServices/tables/entities/read\"\ - ,\"Microsoft.Storage/storageAccounts/tableServices/tables/entities/write\"\ - ,\"Microsoft.Storage/storageAccounts/tableServices/tables/entities/delete\"\ - ,\"Microsoft.Storage/storageAccounts/tableServices/tables/entities/add/action\"\ - ,\"Microsoft.Storage/storageAccounts/tableServices/tables/entities/update/action\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2021-06-15T06:51:59.8207610Z\",\"\ - updatedOn\":\"2021-11-11T20:15:12.2854966Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0a9a7e1f-b9d0-4cc4-a60d-0319b160aaa3\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0a9a7e1f-b9d0-4cc4-a60d-0319b160aaa3\"\ - },{\"properties\":{\"roleName\":\"DICOM Data Reader\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Read and search DICOM data.\",\"assignableScopes\":[\"\ - /\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"\ - Microsoft.HealthcareApis/workspaces/dicomservices/resources/read\"],\"notDataActions\"\ - :[]}],\"createdOn\":\"2021-06-17T20:58:30.1630494Z\",\"updatedOn\":\"2021-11-11T20:15:13.0154948Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e89c7a3c-2f64-4fa1-a847-3e4c9ba4283a\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e89c7a3c-2f64-4fa1-a847-3e4c9ba4283a\"\ - },{\"properties\":{\"roleName\":\"DICOM Data Owner\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Full access to DICOM data.\",\"assignableScopes\":[\"/\"\ - ],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.HealthcareApis/workspaces/dicomservices/resources/*\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2021-06-17T20:59:30.8659515Z\",\"\ - updatedOn\":\"2021-11-11T20:15:13.1904985Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/58a3b984-7adf-4c20-983a-32417c86fbc8\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"58a3b984-7adf-4c20-983a-32417c86fbc8\"\ - },{\"properties\":{\"roleName\":\"EventGrid Data Sender\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Allows send access to event grid events.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.EventGrid/topics/read\",\"Microsoft.EventGrid/domains/read\"\ - ,\"Microsoft.EventGrid/partnerNamespaces/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.EventGrid/events/send/action\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2021-07-02T21:55:40.4847495Z\",\"\ - updatedOn\":\"2021-11-11T20:15:13.5605134Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d5a91429-5739-47e2-a06b-3470a27159e7\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d5a91429-5739-47e2-a06b-3470a27159e7\"\ - },{\"properties\":{\"roleName\":\"Disk Pool Operator\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Used by the StoragePool Resource Provider to manage Disks\ - \ added to a Disk Pool.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ - actions\":[\"Microsoft.Compute/disks/write\",\"Microsoft.Compute/disks/read\"\ - ,\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"\ - Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2021-07-08T17:26:05.1079972Z\",\"updatedOn\":\"2021-11-11T20:15:13.9154612Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/60fc6e62-5479-42d4-8bf4-67625fcc2840\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"60fc6e62-5479-42d4-8bf4-67625fcc2840\"\ - },{\"properties\":{\"roleName\":\"AzureML Data Scientist\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Can perform all actions within an Azure Machine Learning\ - \ workspace, except for creating or deleting compute resources and modifying\ - \ the workspace itself.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ - actions\":[\"Microsoft.MachineLearningServices/workspaces/*/read\",\"Microsoft.MachineLearningServices/workspaces/*/action\"\ - ,\"Microsoft.MachineLearningServices/workspaces/*/delete\",\"Microsoft.MachineLearningServices/workspaces/*/write\"\ - ],\"notActions\":[\"Microsoft.MachineLearningServices/workspaces/delete\"\ - ,\"Microsoft.MachineLearningServices/workspaces/write\",\"Microsoft.MachineLearningServices/workspaces/computes/*/write\"\ - ,\"Microsoft.MachineLearningServices/workspaces/computes/*/delete\",\"Microsoft.MachineLearningServices/workspaces/computes/listKeys/action\"\ - ,\"Microsoft.MachineLearningServices/workspaces/listKeys/action\"],\"dataActions\"\ - :[],\"notDataActions\":[]}],\"createdOn\":\"2021-07-14T21:51:06.0361218Z\"\ - ,\"updatedOn\":\"2021-11-11T20:15:14.6405263Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f6c7c914-8db3-469d-8ca1-694a8f32e121\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f6c7c914-8db3-469d-8ca1-694a8f32e121\"\ - },{\"properties\":{\"roleName\":\"Grafana Admin\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Built-in Grafana admin role\",\"assignableScopes\":[\"\ - /\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"\ - Microsoft.Dashboard/grafana/ActAsGrafanaAdmin/action\"],\"notDataActions\"\ - :[]}],\"createdOn\":\"2021-07-15T21:32:35.3802340Z\",\"updatedOn\":\"2021-11-11T20:15:14.8104670Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/22926164-76b3-42b3-bc55-97df8dab3e41\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"22926164-76b3-42b3-bc55-97df8dab3e41\"\ - },{\"properties\":{\"roleName\":\"Azure Connected SQL Server Onboarding\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Microsoft.AzureArcData\_service\_\ - role\_to\_access\_the\_resources\_of\_Microsoft.AzureArcData\_stored\_with\_\ - RPSAAS.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.AzureArcData/sqlServerInstances/read\"\ - ,\"Microsoft.AzureArcData/sqlServerInstances/write\"],\"notActions\":[],\"\ - dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-07-19T23:52:15.8885739Z\"\ - ,\"updatedOn\":\"2021-11-11T20:15:15.1754742Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e8113dce-c529-4d33-91fa-e9b972617508\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e8113dce-c529-4d33-91fa-e9b972617508\"\ - },{\"properties\":{\"roleName\":\"Azure Relay Sender\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Allows for send access to Azure Relay resources.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Relay/*/wcfRelays/read\"\ - ,\"Microsoft.Relay/*/hybridConnections/read\"],\"notActions\":[],\"dataActions\"\ - :[\"Microsoft.Relay/*/send/action\"],\"notDataActions\":[]}],\"createdOn\"\ - :\"2021-07-20T15:37:20.7558643Z\",\"updatedOn\":\"2021-11-11T20:15:15.5454755Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/26baccc8-eea7-41f1-98f4-1762cc7f685d\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"26baccc8-eea7-41f1-98f4-1762cc7f685d\"\ - },{\"properties\":{\"roleName\":\"Azure Relay Owner\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Allows for full access to Azure Relay resources.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Relay/*\"],\"notActions\"\ - :[],\"dataActions\":[\"Microsoft.Relay/*\"],\"notDataActions\":[]}],\"createdOn\"\ - :\"2021-07-20T15:44:26.3023126Z\",\"updatedOn\":\"2021-11-11T20:15:15.7154782Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2787bf04-f1f5-4bfe-8383-c8a24483ee38\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2787bf04-f1f5-4bfe-8383-c8a24483ee38\"\ - },{\"properties\":{\"roleName\":\"Azure Relay Listener\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Allows for listen access to Azure Relay resources.\",\"\ - assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Relay/*/wcfRelays/read\"\ - ,\"Microsoft.Relay/*/hybridConnections/read\"],\"notActions\":[],\"dataActions\"\ - :[\"Microsoft.Relay/*/listen/action\"],\"notDataActions\":[]}],\"createdOn\"\ - :\"2021-07-20T18:38:03.1437496Z\",\"updatedOn\":\"2021-11-11T20:15:15.9005232Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/26e0b698-aa6d-4085-9386-aadae190014d\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"26e0b698-aa6d-4085-9386-aadae190014d\"\ - },{\"properties\":{\"roleName\":\"Grafana Viewer\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Built-in Grafana Viewer role\",\"assignableScopes\":[\"\ - /\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"\ - Microsoft.Dashboard/grafana/ActAsGrafanaViewer/action\"],\"notDataActions\"\ - :[]}],\"createdOn\":\"2021-08-05T16:36:18.7737511Z\",\"updatedOn\":\"2021-11-11T20:15:16.9904932Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/60921a7e-fef1-4a43-9b16-a26c52ad4769\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"60921a7e-fef1-4a43-9b16-a26c52ad4769\"\ - },{\"properties\":{\"roleName\":\"Grafana Editor\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Built-in Grafana Editor role\",\"assignableScopes\":[\"\ - /\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"\ - Microsoft.Dashboard/grafana/ActAsGrafanaEditor/action\"],\"notDataActions\"\ - :[]}],\"createdOn\":\"2021-08-05T16:37:32.5299593Z\",\"updatedOn\":\"2021-11-11T20:15:17.1805426Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a79a5197-3a5c-4973-a920-486035ffd60f\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a79a5197-3a5c-4973-a920-486035ffd60f\"\ - },{\"properties\":{\"roleName\":\"Automation Contributor\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Manage azure automation resources and other resources using\ - \ azure automation.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.Automation/automationAccounts/*\",\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Support/*\",\"Microsoft.Insights/ActionGroups/*\",\"Microsoft.Insights/ActivityLogAlerts/*\"\ - ,\"Microsoft.Insights/MetricAlerts/*\",\"Microsoft.Insights/ScheduledQueryRules/*\"\ - ,\"Microsoft.Insights/diagnosticSettings/*\",\"Microsoft.OperationalInsights/workspaces/sharedKeys/action\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2021-08-09T10:18:19.1054699Z\",\"updatedOn\":\"2021-11-11T20:15:17.7304954Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f353d9bd-d4a6-484e-a77a-8050b599b867\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f353d9bd-d4a6-484e-a77a-8050b599b867\"\ - },{\"properties\":{\"roleName\":\"Kubernetes Extension Contributor\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Can create, update, get, list and delete\ - \ Kubernetes Extensions, and get extension async operations\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.KubernetesConfiguration/extensions/write\"\ - ,\"Microsoft.KubernetesConfiguration/extensions/read\",\"Microsoft.KubernetesConfiguration/extensions/delete\"\ - ,\"Microsoft.KubernetesConfiguration/extensions/operations/read\"],\"notActions\"\ - :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-08-09T19:47:50.6828896Z\"\ - ,\"updatedOn\":\"2021-11-11T20:15:17.9155393Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/85cb6faf-e071-4c9b-8136-154b5a04f717\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"85cb6faf-e071-4c9b-8136-154b5a04f717\"\ - },{\"properties\":{\"roleName\":\"Device Provisioning Service Data Reader\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Allows for full read access to\ - \ Device Provisioning Service data-plane properties.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\"\ - :[\"Microsoft.Devices/provisioningServices/*/read\"],\"notDataActions\":[]}],\"\ - createdOn\":\"2021-08-09T19:53:12.1374732Z\",\"updatedOn\":\"2021-11-11T20:15:18.0905503Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/10745317-c249-44a1-a5ce-3a4353c0bbd8\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"10745317-c249-44a1-a5ce-3a4353c0bbd8\"\ - },{\"properties\":{\"roleName\":\"Device Provisioning Service Data Contributor\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Allows for full access to Device\ - \ Provisioning Service data-plane operations.\",\"assignableScopes\":[\"/\"\ - ],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Devices/provisioningServices/*\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2021-08-09T19:54:03.2783227Z\",\"\ - updatedOn\":\"2021-11-11T20:15:18.2605302Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/dfce44e4-17b7-4bd1-a6d1-04996ec95633\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"dfce44e4-17b7-4bd1-a6d1-04996ec95633\"\ - },{\"properties\":{\"roleName\":\"Code Signing Certificate Profile Signer\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Sign files with a certificate\ - \ profile. This role is in preview and subject to change.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CodeSigning/*/read\",\"\ - Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"\ - Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"\ - dataActions\":[\"Microsoft.CodeSigning/certificateProfiles/Sign/action\"],\"\ - notDataActions\":[]}],\"createdOn\":\"2021-08-16T23:17:53.0002693Z\",\"updatedOn\"\ - :\"2022-12-12T16:05:53.8213702Z\",\"createdBy\":null,\"updatedBy\":null},\"\ - id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2837e146-70d7-4cfd-ad55-7efa6464f958\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2837e146-70d7-4cfd-ad55-7efa6464f958\"\ - },{\"properties\":{\"roleName\":\"Azure Spring Cloud Service Registry Reader\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Allow read access to Azure Spring\ - \ Cloud Service Registry\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ - actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AppPlatform/Spring/eurekaService/read\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2021-08-20T04:40:17.9785063Z\",\"\ - updatedOn\":\"2021-11-11T20:15:18.9655101Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/cff1b556-2399-4e7e-856d-a8f754be7b65\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"cff1b556-2399-4e7e-856d-a8f754be7b65\"\ - },{\"properties\":{\"roleName\":\"Azure Spring Cloud Service Registry Contributor\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Allow read, write and delete access\ - \ to Azure Spring Cloud Service Registry\",\"assignableScopes\":[\"/\"],\"\ - permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AppPlatform/Spring/eurekaService/read\"\ - ,\"Microsoft.AppPlatform/Spring/eurekaService/write\",\"Microsoft.AppPlatform/Spring/eurekaService/delete\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2021-08-20T04:42:38.9153779Z\",\"\ - updatedOn\":\"2021-11-11T20:15:19.1405497Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f5880b48-c26d-48be-b172-7927bfa1c8f1\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f5880b48-c26d-48be-b172-7927bfa1c8f1\"\ - },{\"properties\":{\"roleName\":\"Azure Spring Cloud Config Server Reader\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Allow read access to Azure Spring\ - \ Cloud Config Server\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ - actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AppPlatform/Spring/configService/read\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2021-08-26T01:50:51.5123701Z\",\"\ - updatedOn\":\"2021-11-11T20:15:19.3155517Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d04c6db6-4947-4782-9e91-30a88feb7be7\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d04c6db6-4947-4782-9e91-30a88feb7be7\"\ - },{\"properties\":{\"roleName\":\"Azure Spring Cloud Config Server Contributor\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Allow read, write and delete access\ - \ to Azure Spring Cloud Config Server\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AppPlatform/Spring/configService/read\"\ - ,\"Microsoft.AppPlatform/Spring/configService/write\",\"Microsoft.AppPlatform/Spring/configService/delete\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2021-09-06T02:30:47.8611580Z\",\"\ - updatedOn\":\"2021-11-11T20:15:20.0405208Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a06f5c24-21a7-4e1a-aa2b-f19eb6684f5b\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a06f5c24-21a7-4e1a-aa2b-f19eb6684f5b\"\ - },{\"properties\":{\"roleName\":\"Azure VM Managed identities restore Contributor\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Azure VM Managed identities restore\ - \ Contributors are allowed to perform Azure VM Restores with managed identities\ - \ both user and system\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ - actions\":[\"Microsoft.Authorization/*/read\"],\"notActions\":[],\"dataActions\"\ - :[],\"notDataActions\":[]}],\"createdOn\":\"2021-09-13T05:27:59.2180214Z\"\ - ,\"updatedOn\":\"2021-11-11T20:15:20.5805266Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6ae96244-5829-4925-a7d3-5975537d91dd\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6ae96244-5829-4925-a7d3-5975537d91dd\"\ - },{\"properties\":{\"roleName\":\"Azure Maps Search and Render Data Reader\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Grants access to very limited\ - \ set of data APIs for common visual web SDK scenarios. Specifically, render\ - \ and search data APIs.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ - actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Maps/accounts/services/render/read\"\ - ,\"Microsoft.Maps/accounts/services/search/read\"],\"notDataActions\":[]}],\"\ - createdOn\":\"2021-10-01T22:17:50.5178931Z\",\"updatedOn\":\"2021-11-11T20:15:22.0455410Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6be48352-4f82-47c9-ad5e-0acacefdb005\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6be48352-4f82-47c9-ad5e-0acacefdb005\"\ - },{\"properties\":{\"roleName\":\"Azure Maps Contributor\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Grants access all Azure Maps resource management.\",\"\ - assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Maps/*\"\ - ,\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\"\ - :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-10-01T22:19:13.1357904Z\"\ - ,\"updatedOn\":\"2021-11-11T20:15:22.2455414Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/dba33070-676a-4fb0-87fa-064dc56ff7fb\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"dba33070-676a-4fb0-87fa-064dc56ff7fb\"\ - },{\"properties\":{\"roleName\":\"Azure Arc VMware VM Contributor\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Arc VMware VM Contributor has permissions\ - \ to perform all VM actions.\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.ConnectedVMwarevSphere/virtualmachines/*\",\"\ - Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\"\ - ,\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\"\ - ,\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\"\ - ,\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Resources/deployments/read\"\ - ,\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\"\ - ,\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\"\ - ,\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\"\ - ,\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\"\ - ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\",\"\ - Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\"\ - ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\"\ - ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Resources/subscriptions/operationresults/read\"],\"notActions\"\ - :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-10-18T20:19:53.0087024Z\"\ - ,\"updatedOn\":\"2021-11-11T20:15:23.8706020Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b748a06d-6150-4f8a-aaa9-ce3940cd96cb\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b748a06d-6150-4f8a-aaa9-ce3940cd96cb\"\ - },{\"properties\":{\"roleName\":\"Azure Arc VMware Private Cloud User\",\"\ - type\":\"BuiltInRole\",\"description\":\"Azure Arc VMware Private Cloud User\ - \ has permissions to use the VMware cloud resources to deploy VMs.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Insights/AlertRules/Write\"\ - ,\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\"\ - ,\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\"\ - ,\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\"\ - ,\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\"\ - ,\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\"\ - ,\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\"\ - ,\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\"\ - ,\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\"\ - ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"\ - Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\"\ - ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\"\ - ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.ConnectedVMwarevSphere/virtualnetworks/join/action\"\ - ,\"Microsoft.ConnectedVMwarevSphere/virtualnetworks/Read\",\"Microsoft.ConnectedVMwarevSphere/virtualmachinetemplates/clone/action\"\ - ,\"Microsoft.ConnectedVMwarevSphere/virtualmachinetemplates/Read\",\"Microsoft.ConnectedVMwarevSphere/resourcepools/deploy/action\"\ - ,\"Microsoft.ConnectedVMwarevSphere/resourcepools/Read\",\"Microsoft.ConnectedVMwarevSphere/hosts/deploy/action\"\ - ,\"Microsoft.ConnectedVMwarevSphere/hosts/Read\",\"Microsoft.ConnectedVMwarevSphere/clusters/deploy/action\"\ - ,\"Microsoft.ConnectedVMwarevSphere/clusters/Read\",\"Microsoft.ConnectedVMwarevSphere/datastores/allocateSpace/action\"\ - ,\"Microsoft.ConnectedVMwarevSphere/datastores/Read\",\"Microsoft.ExtendedLocation/customLocations/Read\"\ - ,\"Microsoft.ExtendedLocation/customLocations/deploy/action\"],\"notActions\"\ - :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-10-18T20:20:46.5105444Z\"\ - ,\"updatedOn\":\"2022-11-04T08:03:56.3033480Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ce551c02-7c42-47e0-9deb-e3b6fc3a9a83\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ce551c02-7c42-47e0-9deb-e3b6fc3a9a83\"\ - },{\"properties\":{\"roleName\":\"Azure Arc VMware Administrator role \",\"\ - type\":\"BuiltInRole\",\"description\":\"Arc VMware VM Contributor has permissions\ - \ to perform all connected VMwarevSphere actions.\",\"assignableScopes\":[\"\ - /\"],\"permissions\":[{\"actions\":[\"Microsoft.ConnectedVMwarevSphere/*\"\ - ,\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\"\ - ,\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\"\ - ,\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\"\ - ,\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Resources/deployments/read\"\ - ,\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\"\ - ,\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\"\ - ,\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\"\ - ,\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\"\ - ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\",\"\ - Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\"\ - ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\"\ - ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Resources/subscriptions/operationresults/read\"],\"notActions\"\ - :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-11-01T17:12:42.6172725Z\"\ - ,\"updatedOn\":\"2021-11-11T20:15:25.1275776Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ddc140ed-e463-4246-9145-7c664192013f\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ddc140ed-e463-4246-9145-7c664192013f\"\ - },{\"properties\":{\"roleName\":\"Cognitive Services LUIS Owner\",\"type\"\ - :\"BuiltInRole\",\"description\":\" Has access to all Read, Test, Write, Deploy\ - \ and Delete functions under LUIS\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.CognitiveServices/accounts/listkeys/action\"\ - ,\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/LUIS/*\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2021-11-04T03:28:02.9611800Z\",\"\ - updatedOn\":\"2021-11-11T20:15:25.4884913Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f72c8140-2111-481c-87ff-72b910f6e3f8\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f72c8140-2111-481c-87ff-72b910f6e3f8\"\ - },{\"properties\":{\"roleName\":\"Cognitive Services Language Reader\",\"\ - type\":\"BuiltInRole\",\"description\":\"Has access to Read and Test functions\ - \ under Language portal\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ - actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\"\ - ,\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\"\ - :[\"Microsoft.CognitiveServices/accounts/LanguageAuthoring/*/read\",\"Microsoft.CognitiveServices/accounts/ConversationalLanguageUnderstanding/*/read\"\ - ,\"Microsoft.CognitiveServices/accounts/ConversationalLanguageUnderstanding/projects/export/action\"\ - ,\"Microsoft.CognitiveServices/accounts/Language/*/read\",\"Microsoft.CognitiveServices/accounts/Language/*/projects/export/action\"\ - ,\"Microsoft.CognitiveServices/accounts/Language/query-text/action\",\"Microsoft.CognitiveServices/accounts/Language/query-dataverse/action\"\ - ,\"Microsoft.CognitiveServices/accounts/Language/analyze-text/jobs/action\"\ - ,\"Microsoft.CognitiveServices/accounts/Language/analyze-text/action\",\"\ - Microsoft.CognitiveServices/accounts/Language/analyze-text/jobscancel/action\"\ - ,\"Microsoft.CognitiveServices/accounts/Language/analyze-conversations/action\"\ - ,\"Microsoft.CognitiveServices/accounts/Language/analyze-conversations/jobscancel/action\"\ - ,\"Microsoft.CognitiveServices/accounts/Language/analyze-conversations/jobs/action\"\ - ,\"Microsoft.CognitiveServices/accounts/Language/query-knowledgebases/action\"\ - ,\"Microsoft.CognitiveServices/accounts/TextAnalytics/*\"],\"notDataActions\"\ - :[\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnaMaker/*\"]}],\"\ - createdOn\":\"2021-11-04T03:29:14.7643336Z\",\"updatedOn\":\"2022-06-16T06:07:21.3821763Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7628b7b8-a8b2-4cdc-b46f-e9b35248918e\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7628b7b8-a8b2-4cdc-b46f-e9b35248918e\"\ - },{\"properties\":{\"roleName\":\"Cognitive Services Language Writer\",\"\ - type\":\"BuiltInRole\",\"description\":\" Has access to all Read, Test, and\ - \ Write functions under Language Portal\",\"assignableScopes\":[\"/\"],\"\ - permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\"\ - ,\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\"\ - :[\"Microsoft.CognitiveServices/accounts/LanguageAuthoring/*\",\"Microsoft.CognitiveServices/accounts/ConversationalLanguageUnderstanding/*\"\ - ,\"Microsoft.CognitiveServices/accounts/Language/*\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/*\"\ - ],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/LanguageAuthoring/projects/publish/action\"\ - ,\"Microsoft.CognitiveServices/accounts/ConversationalLanguageUnderstanding/projects/deployments/write\"\ - ,\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnaMaker/*\",\"Microsoft.CognitiveServices/accounts/Language/*/projects/delete\"\ - ,\"Microsoft.CognitiveServices/accounts/Language/*/projects/deployments/write\"\ - ,\"Microsoft.CognitiveServices/accounts/Language/*/projects/deployments/delete\"\ - ,\"Microsoft.CognitiveServices/accounts/Language/*/projects/deployments/swap/action\"\ - ]}],\"createdOn\":\"2021-11-04T03:29:39.5761019Z\",\"updatedOn\":\"2022-03-29T18:03:27.1607583Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f2310ca1-dc64-4889-bb49-c8e0fa3d47a8\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f2310ca1-dc64-4889-bb49-c8e0fa3d47a8\"\ - },{\"properties\":{\"roleName\":\"Cognitive Services Language Owner\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Has access to all Read, Test, Write, Deploy\ - \ and Delete functions under Language portal\",\"assignableScopes\":[\"/\"\ - ],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"\ - Microsoft.CognitiveServices/accounts/listkeys/action\",\"Microsoft.Authorization/roleAssignments/read\"\ - ,\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\"\ - :[\"Microsoft.CognitiveServices/accounts/LanguageAuthoring/*\",\"Microsoft.CognitiveServices/accounts/ConversationalLanguageUnderstanding/*\"\ - ,\"Microsoft.CognitiveServices/accounts/Language/*\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/*\"\ - ],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnaMaker/*\"\ - ]}],\"createdOn\":\"2021-11-04T03:30:07.6173528Z\",\"updatedOn\":\"2022-03-29T18:03:50.9741690Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f07febfe-79bc-46b1-8b37-790e26e6e498\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f07febfe-79bc-46b1-8b37-790e26e6e498\"\ - },{\"properties\":{\"roleName\":\"Cognitive Services LUIS Reader\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Has access to Read and Test functions under\ - \ LUIS.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"\ - ,\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/LUIS/*/read\"\ - ,\"Microsoft.CognitiveServices/accounts/LUIS/apps/testdatasets/write\"],\"\ - notDataActions\":[]}],\"createdOn\":\"2021-11-04T03:30:31.2704834Z\",\"updatedOn\"\ - :\"2021-11-11T20:15:26.2134821Z\",\"createdBy\":null,\"updatedBy\":null},\"\ - id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18e81cdc-4e98-4e29-a639-e7d10c5a6226\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"18e81cdc-4e98-4e29-a639-e7d10c5a6226\"\ - },{\"properties\":{\"roleName\":\"Cognitive Services LUIS Writer\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Has access to all Read, Test, and Write\ - \ functions under LUIS\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ - actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\"\ - ,\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\"\ - :[\"Microsoft.CognitiveServices/accounts/LUIS/*\"],\"notDataActions\":[\"\ - Microsoft.CognitiveServices/accounts/LUIS/apps/delete\",\"Microsoft.CognitiveServices/accounts/LUIS/apps/move/action\"\ - ,\"Microsoft.CognitiveServices/accounts/LUIS/apps/publish/action\",\"Microsoft.CognitiveServices/accounts/LUIS/apps/settings/write\"\ - ,\"Microsoft.CognitiveServices/accounts/LUIS/apps/azureaccounts/action\",\"\ - Microsoft.CognitiveServices/accounts/LUIS/apps/azureaccounts/delete\"]}],\"\ - createdOn\":\"2021-11-04T03:31:12.1580052Z\",\"updatedOn\":\"2021-11-11T20:15:26.3934523Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6322a993-d5c9-4bed-b113-e49bbea25b27\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6322a993-d5c9-4bed-b113-e49bbea25b27\"\ - },{\"properties\":{\"roleName\":\"PlayFab Reader\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Provides read access to PlayFab resources\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Authorization/*/read\",\"Microsoft.PlayFab/*/read\"],\"notActions\"\ - :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-11-04T23:26:57.2248605Z\"\ - ,\"updatedOn\":\"2021-11-11T20:15:26.5784834Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a9a19cc5-31f4-447c-901f-56c0bb18fcaf\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a9a19cc5-31f4-447c-901f-56c0bb18fcaf\"\ - },{\"properties\":{\"roleName\":\"Load Test Contributor\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"View, create, update, delete and execute load tests. View\ - \ and list load test resources but can not make any changes.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.LoadTestService/*/read\"\ - ,\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Insights/alertRules/*\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.LoadTestService/loadtests/*\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2021-11-09T08:11:21.0936461Z\",\"\ - updatedOn\":\"2021-11-11T20:15:27.1189225Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/749a398d-560b-491b-bb21-08924219302e\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"749a398d-560b-491b-bb21-08924219302e\"\ - },{\"properties\":{\"roleName\":\"Load Test Owner\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Execute all operations on load test resources and load\ - \ tests\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.LoadTestService/*\"\ - ,\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Insights/alertRules/*\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.LoadTestService/*\"],\"notDataActions\"\ - :[]}],\"createdOn\":\"2021-11-09T08:12:24.5500195Z\",\"updatedOn\":\"2021-11-11T20:15:27.2897153Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/45bb0b16-2f0c-4e78-afaa-a07599b003f6\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"45bb0b16-2f0c-4e78-afaa-a07599b003f6\"\ - },{\"properties\":{\"roleName\":\"PlayFab Contributor\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Provides contributor access to PlayFab resources\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.PlayFab/*/read\",\"Microsoft.PlayFab/*/write\",\"Microsoft.PlayFab/*/delete\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2021-11-10T00:55:37.3326276Z\",\"updatedOn\":\"2021-11-11T20:15:28.0547167Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0c8b84dc-067c-4039-9615-fa1a4b77c726\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0c8b84dc-067c-4039-9615-fa1a4b77c726\"\ - },{\"properties\":{\"roleName\":\"Load Test Reader\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"View and list all load tests and load test resources but\ - \ can not make any changes\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.LoadTestService/*/read\",\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"\ - Microsoft.LoadTestService/loadtests/readTest/action\"],\"notDataActions\"\ - :[]}],\"createdOn\":\"2021-11-10T06:14:08.3903105Z\",\"updatedOn\":\"2021-11-11T20:15:28.2297181Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3ae3fb29-0000-4ccd-bf80-542e7b26e081\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3ae3fb29-0000-4ccd-bf80-542e7b26e081\"\ - },{\"properties\":{\"roleName\":\"Cognitive Services Immersive Reader User\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Provides access to create Immersive\ - \ Reader sessions and call APIs\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/ImmersiveReader/getcontentmodelforreader/action\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2021-11-10T19:52:14.4487503Z\",\"\ - updatedOn\":\"2021-11-11T20:15:28.4146975Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b2de6794-95db-4659-8781-7e080d3f2b9d\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b2de6794-95db-4659-8781-7e080d3f2b9d\"\ - },{\"properties\":{\"roleName\":\"Lab Services Contributor\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"The lab services contributor role\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.LabServices/*\",\"Microsoft.Insights/alertRules/*\"\ - ,\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\"\ - :[],\"dataActions\":[\"Microsoft.LabServices/labPlans/createLab/action\"],\"\ - notDataActions\":[]}],\"createdOn\":\"2021-11-11T00:51:03.3308981Z\",\"updatedOn\"\ - :\"2021-11-11T20:15:28.7792013Z\",\"createdBy\":null,\"updatedBy\":null},\"\ - id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f69b8690-cc87-41d6-b77a-a4bc3c0a966f\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f69b8690-cc87-41d6-b77a-a4bc3c0a966f\"\ - },{\"properties\":{\"roleName\":\"Lab Services Reader\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"The lab services reader role\",\"assignableScopes\":[\"\ - /\"],\"permissions\":[{\"actions\":[\"Microsoft.LabServices/*/read\",\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2021-11-11T00:55:30.4208618Z\",\"updatedOn\":\"2021-11-11T20:15:28.9592032Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a5c394f-5eb7-4d4f-9c8e-e8eae39faebc\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2a5c394f-5eb7-4d4f-9c8e-e8eae39faebc\"\ - },{\"properties\":{\"roleName\":\"Lab Assistant\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"The lab assistant role\",\"assignableScopes\":[\"/\"],\"\ - permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\"\ - ,\"Microsoft.LabServices/labPlans/images/read\",\"Microsoft.LabServices/labPlans/read\"\ - ,\"Microsoft.LabServices/labs/read\",\"Microsoft.LabServices/labs/schedules/read\"\ - ,\"Microsoft.LabServices/labs/users/read\",\"Microsoft.LabServices/labs/users/invite/action\"\ - ,\"Microsoft.LabServices/labs/virtualMachines/read\",\"Microsoft.LabServices/labs/virtualMachines/start/action\"\ - ,\"Microsoft.LabServices/labs/virtualMachines/stop/action\",\"Microsoft.LabServices/labs/virtualMachines/reimage/action\"\ - ,\"Microsoft.LabServices/labs/virtualMachines/redeploy/action\",\"Microsoft.LabServices/locations/usages/read\"\ - ,\"Microsoft.LabServices/skus/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\"\ - :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-11-11T00:56:10.4295443Z\"\ - ,\"updatedOn\":\"2021-11-11T20:15:29.1442530Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ce40b423-cede-4313-a93f-9b28290b72e1\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ce40b423-cede-4313-a93f-9b28290b72e1\"\ - },{\"properties\":{\"roleName\":\"Lab Operator\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"The lab operator role\",\"assignableScopes\":[\"/\"],\"\ - permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\"\ - ,\"Microsoft.LabServices/labPlans/images/read\",\"Microsoft.LabServices/labPlans/read\"\ - ,\"Microsoft.LabServices/labPlans/saveImage/action\",\"Microsoft.LabServices/labs/publish/action\"\ - ,\"Microsoft.LabServices/labs/read\",\"Microsoft.LabServices/labs/schedules/read\"\ - ,\"Microsoft.LabServices/labs/schedules/write\",\"Microsoft.LabServices/labs/schedules/delete\"\ - ,\"Microsoft.LabServices/labs/users/read\",\"Microsoft.LabServices/labs/users/write\"\ - ,\"Microsoft.LabServices/labs/users/delete\",\"Microsoft.LabServices/labs/users/invite/action\"\ - ,\"Microsoft.LabServices/labs/virtualMachines/read\",\"Microsoft.LabServices/labs/virtualMachines/start/action\"\ - ,\"Microsoft.LabServices/labs/virtualMachines/stop/action\",\"Microsoft.LabServices/labs/virtualMachines/reimage/action\"\ - ,\"Microsoft.LabServices/labs/virtualMachines/redeploy/action\",\"Microsoft.LabServices/labs/virtualMachines/resetPassword/action\"\ - ,\"Microsoft.LabServices/locations/usages/read\",\"Microsoft.LabServices/skus/read\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2021-11-11T00:56:41.9942935Z\",\"updatedOn\":\"2021-11-11T20:15:29.3242664Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a36e6959-b6be-4b12-8e9f-ef4b474d304d\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a36e6959-b6be-4b12-8e9f-ef4b474d304d\"\ - },{\"properties\":{\"roleName\":\"Lab Contributor\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"The lab contributor role\",\"assignableScopes\":[\"/\"\ - ],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\"\ - ,\"Microsoft.LabServices/labPlans/images/read\",\"Microsoft.LabServices/labPlans/read\"\ - ,\"Microsoft.LabServices/labPlans/saveImage/action\",\"Microsoft.LabServices/labs/read\"\ - ,\"Microsoft.LabServices/labs/write\",\"Microsoft.LabServices/labs/delete\"\ - ,\"Microsoft.LabServices/labs/publish/action\",\"Microsoft.LabServices/labs/syncGroup/action\"\ - ,\"Microsoft.LabServices/labs/schedules/read\",\"Microsoft.LabServices/labs/schedules/write\"\ - ,\"Microsoft.LabServices/labs/schedules/delete\",\"Microsoft.LabServices/labs/users/read\"\ - ,\"Microsoft.LabServices/labs/users/write\",\"Microsoft.LabServices/labs/users/delete\"\ - ,\"Microsoft.LabServices/labs/users/invite/action\",\"Microsoft.LabServices/labs/virtualMachines/read\"\ - ,\"Microsoft.LabServices/labs/virtualMachines/start/action\",\"Microsoft.LabServices/labs/virtualMachines/stop/action\"\ - ,\"Microsoft.LabServices/labs/virtualMachines/reimage/action\",\"Microsoft.LabServices/labs/virtualMachines/redeploy/action\"\ - ,\"Microsoft.LabServices/labs/virtualMachines/resetPassword/action\",\"Microsoft.LabServices/locations/usages/read\"\ - ,\"Microsoft.LabServices/skus/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\"\ - :[],\"dataActions\":[\"Microsoft.LabServices/labPlans/createLab/action\"],\"\ - notDataActions\":[]}],\"createdOn\":\"2021-11-11T00:57:05.9018065Z\",\"updatedOn\"\ - :\"2021-11-11T20:15:29.4992096Z\",\"createdBy\":null,\"updatedBy\":null},\"\ - id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5daaa2af-1fe8-407c-9122-bba179798270\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5daaa2af-1fe8-407c-9122-bba179798270\"\ - },{\"properties\":{\"roleName\":\"Security Admin\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Security Admin Role\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Authorization/policyAssignments/*\"\ - ,\"Microsoft.Authorization/policyDefinitions/*\",\"Microsoft.Authorization/policyExemptions/*\"\ - ,\"Microsoft.Authorization/policySetDefinitions/*\",\"Microsoft.Insights/alertRules/*\"\ - ,\"Microsoft.Management/managementGroups/read\",\"Microsoft.operationalInsights/workspaces/*/read\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Security/*\",\"Microsoft.IoTSecurity/*\",\"Microsoft.Support/*\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2017-05-03T07:51:23.0917487Z\",\"updatedOn\":\"2021-11-15T06:42:49.8263550Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fb1c8493-542b-48eb-b624-b4c8fea62acd\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fb1c8493-542b-48eb-b624-b4c8fea62acd\"\ - },{\"properties\":{\"roleName\":\"Web PubSub Service Owner (Preview)\",\"\ - type\":\"BuiltInRole\",\"description\":\"Full access to Azure Web PubSub Service\ - \ REST APIs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"\ - notActions\":[],\"dataActions\":[\"Microsoft.SignalRService/WebPubSub/*\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2021-03-24T09:10:11.8335180Z\",\"\ - updatedOn\":\"2021-11-16T05:16:52.6491279Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/12cf5a90-567b-43ae-8102-96cf46c7d9b4\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"12cf5a90-567b-43ae-8102-96cf46c7d9b4\"\ - },{\"properties\":{\"roleName\":\"Web PubSub Service Reader (Preview)\",\"\ - type\":\"BuiltInRole\",\"description\":\"Read-only access to Azure Web PubSub\ - \ Service REST APIs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[],\"notActions\":[],\"dataActions\":[\"Microsoft.SignalRService/WebPubSub/*/read\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2021-03-24T09:11:12.6235436Z\",\"\ - updatedOn\":\"2021-11-16T05:17:12.8340953Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/bfb1c7d2-fb1a-466b-b2ba-aee63b92deaf\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"bfb1c7d2-fb1a-466b-b2ba-aee63b92deaf\"\ - },{\"properties\":{\"roleName\":\"SignalR App Server\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Lets your app server access SignalR Service with AAD auth\ - \ options.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"\ - notActions\":[],\"dataActions\":[\"Microsoft.SignalRService/SignalR/auth/accessKey/action\"\ - ,\"Microsoft.SignalRService/SignalR/serverConnection/write\",\"Microsoft.SignalRService/SignalR/clientConnection/write\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2020-07-29T06:54:40.1201435Z\",\"\ - updatedOn\":\"2021-11-16T05:19:04.8579948Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/420fcaa2-552c-430f-98ca-3264be4806c7\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"420fcaa2-552c-430f-98ca-3264be4806c7\"\ - },{\"properties\":{\"roleName\":\"Virtual Machine User Login\",\"type\":\"\ - BuiltInRole\",\"description\":\"View Virtual Machines in the portal and login\ - \ as a regular user.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.Network/publicIPAddresses/read\",\"Microsoft.Network/virtualNetworks/read\"\ - ,\"Microsoft.Network/loadBalancers/read\",\"Microsoft.Network/networkInterfaces/read\"\ - ,\"Microsoft.Compute/virtualMachines/*/read\",\"Microsoft.HybridCompute/machines/*/read\"\ - ,\"Microsoft.HybridConnectivity/endpoints/listCredentials/action\"],\"notActions\"\ - :[],\"dataActions\":[\"Microsoft.Compute/virtualMachines/login/action\",\"\ - Microsoft.HybridCompute/machines/login/action\"],\"notDataActions\":[]}],\"\ - createdOn\":\"2018-02-09T18:36:13.3315744Z\",\"updatedOn\":\"2021-11-18T00:55:50.6185845Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fb879df8-f326-4884-b1cf-06f3ad86be52\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fb879df8-f326-4884-b1cf-06f3ad86be52\"\ - },{\"properties\":{\"roleName\":\"Virtual Machine Administrator Login\",\"\ - type\":\"BuiltInRole\",\"description\":\"View Virtual Machines in the portal\ - \ and login as administrator\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.Network/publicIPAddresses/read\",\"Microsoft.Network/virtualNetworks/read\"\ - ,\"Microsoft.Network/loadBalancers/read\",\"Microsoft.Network/networkInterfaces/read\"\ - ,\"Microsoft.Compute/virtualMachines/*/read\",\"Microsoft.HybridCompute/machines/*/read\"\ - ,\"Microsoft.HybridConnectivity/endpoints/listCredentials/action\"],\"notActions\"\ - :[],\"dataActions\":[\"Microsoft.Compute/virtualMachines/login/action\",\"\ - Microsoft.Compute/virtualMachines/loginAsAdmin/action\",\"Microsoft.HybridCompute/machines/login/action\"\ - ,\"Microsoft.HybridCompute/machines/loginAsAdmin/action\"],\"notDataActions\"\ - :[]}],\"createdOn\":\"2018-02-09T18:36:13.3315744Z\",\"updatedOn\":\"2021-11-18T00:56:53.8134295Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1c0163c0-47e6-4577-8991-ea5c82e286e4\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1c0163c0-47e6-4577-8991-ea5c82e286e4\"\ - },{\"properties\":{\"roleName\":\"Azure Arc VMware Private Clouds Onboarding\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Azure Arc VMware Private Clouds\ - \ Onboarding role has permissions to provision all the required resources\ - \ for onboard and deboard vCenter instances to Azure.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ConnectedVMwarevSphere/vcenters/Write\"\ - ,\"Microsoft.ConnectedVMwarevSphere/vcenters/Read\",\"Microsoft.ConnectedVMwarevSphere/vcenters/Delete\"\ - ,\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\"\ - ,\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\"\ - ,\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\"\ - ,\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Resources/deployments/read\"\ - ,\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\"\ - ,\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\"\ - ,\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\"\ - ,\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\"\ - ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\",\"\ - Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\"\ - ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\"\ - ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.KubernetesConfiguration/extensions/Write\"\ - ,\"Microsoft.KubernetesConfiguration/extensions/Read\",\"Microsoft.KubernetesConfiguration/extensions/Delete\"\ - ,\"Microsoft.KubernetesConfiguration/operations/read\",\"Microsoft.ExtendedLocation/customLocations/Read\"\ - ,\"Microsoft.ExtendedLocation/customLocations/Write\",\"Microsoft.ExtendedLocation/customLocations/Delete\"\ - ,\"Microsoft.ExtendedLocation/customLocations/deploy/action\",\"Microsoft.ResourceConnector/appliances/Read\"\ - ,\"Microsoft.ResourceConnector/appliances/Write\",\"Microsoft.ResourceConnector/appliances/Delete\"\ - ,\"Microsoft.BackupSolutions/vmwareapplications/write\",\"Microsoft.BackupSolutions/vmwareapplications/delete\"\ - ,\"Microsoft.BackupSolutions/vmwareapplications/read\"],\"notActions\":[],\"\ - dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-11-01T22:18:08.4480747Z\"\ - ,\"updatedOn\":\"2022-09-26T15:06:14.2584743Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/67d33e57-3129-45e6-bb0b-7cc522f762fa\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"67d33e57-3129-45e6-bb0b-7cc522f762fa\"\ - },{\"properties\":{\"roleName\":\"Chamber Admin\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Lets you manage everything under your Modeling and Simulation\ - \ Workbench chamber.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.ModSimWorkbench/*/read\",\"Microsoft.ModSimWorkbench/workbenches/chambers/*\"\ - ,\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\"\ - :[\"Microsoft.ModSimWorkbench/workbenches/chambers/fileRequests/manage/action\"\ - ],\"dataActions\":[\"Microsoft.ModSimWorkbench/workbenches/chambers/upload/action\"\ - ,\"Microsoft.ModSimWorkbench/workbenches/chambers/files/*\"],\"notDataActions\"\ - :[]}],\"createdOn\":\"2021-12-15T20:53:14.4428297Z\",\"updatedOn\":\"2023-02-08T21:48:40.8992376Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4e9b8407-af2e-495b-ae54-bb60a55b1b5a\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4e9b8407-af2e-495b-ae54-bb60a55b1b5a\"\ - },{\"properties\":{\"roleName\":\"Chamber User\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Lets you view everything under your Modeling and Simulation\ - \ Workbench chamber, but not make any changes.\",\"assignableScopes\":[\"\ - /\"],\"permissions\":[{\"actions\":[\"Microsoft.ModSimWorkbench/workbenches/chambers/*/read\"\ - ,\"Microsoft.ModSimWorkbench/workbenches/chambers/workloads/*\",\"Microsoft.ModSimWorkbench/workbenches/chambers/getUploadUri/action\"\ - ,\"Microsoft.ModSimWorkbench/workbenches/chambers/fileRequests/getDownloadUri/action\"\ - ,\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\"\ - :[],\"dataActions\":[\"Microsoft.ModSimWorkbench/workbenches/chambers/upload/action\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2021-12-15T20:51:06.2119764Z\",\"\ - updatedOn\":\"2023-02-08T21:48:40.8982384Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4447db05-44ed-4da3-ae60-6cbece780e32\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4447db05-44ed-4da3-ae60-6cbece780e32\"\ - },{\"properties\":{\"roleName\":\"Windows Admin Center Administrator Login\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Let's you manage the OS of your\ - \ resource via Windows Admin Center as an administrator.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HybridCompute/machines/*/read\"\ - ,\"Microsoft.HybridCompute/machines/extensions/*\",\"Microsoft.HybridCompute/machines/upgradeExtensions/action\"\ - ,\"Microsoft.HybridCompute/operations/read\",\"Microsoft.Network/networkInterfaces/read\"\ - ,\"Microsoft.Network/loadBalancers/read\",\"Microsoft.Network/publicIPAddresses/read\"\ - ,\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/networkSecurityGroups/read\"\ - ,\"Microsoft.Network/networkSecurityGroups/defaultSecurityRules/read\",\"\ - Microsoft.Network/networkWatchers/securityGroupView/action\",\"Microsoft.Network/networkSecurityGroups/securityRules/read\"\ - ,\"Microsoft.Network/networkSecurityGroups/securityRules/write\",\"Microsoft.HybridConnectivity/endpoints/write\"\ - ,\"Microsoft.HybridConnectivity/endpoints/read\",\"Microsoft.HybridConnectivity/endpoints/listManagedProxyDetails/action\"\ - ,\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Compute/virtualMachines/patchAssessmentResults/latest/read\"\ - ,\"Microsoft.Compute/virtualMachines/patchAssessmentResults/latest/softwarePatches/read\"\ - ,\"Microsoft.Compute/virtualMachines/patchInstallationResults/read\",\"Microsoft.Compute/virtualMachines/patchInstallationResults/softwarePatches/read\"\ - ,\"Microsoft.Compute/virtualMachines/extensions/read\",\"Microsoft.Compute/virtualMachines/instanceView/read\"\ - ,\"Microsoft.Compute/virtualMachines/runCommands/read\",\"Microsoft.Compute/virtualMachines/vmSizes/read\"\ - ,\"Microsoft.Compute/locations/publishers/artifacttypes/types/read\",\"Microsoft.Compute/locations/publishers/artifacttypes/types/versions/read\"\ - ,\"Microsoft.Compute/diskAccesses/read\",\"Microsoft.Compute/galleries/images/read\"\ - ,\"Microsoft.Compute/images/read\",\"Microsoft.AzureStackHCI/Clusters/Read\"\ - ,\"Microsoft.AzureStackHCI/Clusters/ArcSettings/Read\",\"Microsoft.AzureStackHCI/Clusters/ArcSettings/Extensions/Read\"\ - ,\"Microsoft.AzureStackHCI/Clusters/ArcSettings/Extensions/Write\",\"Microsoft.AzureStackHCI/Clusters/ArcSettings/Extensions/Delete\"\ - ,\"Microsoft.AzureStackHCI/Operations/Read\",\"Microsoft.ConnectedVMwarevSphere/VirtualMachines/Read\"\ - ,\"Microsoft.ConnectedVMwarevSphere/VirtualMachines/Extensions/Write\",\"\ - Microsoft.ConnectedVMwarevSphere/VirtualMachines/Extensions/Read\"],\"notActions\"\ - :[],\"dataActions\":[\"Microsoft.HybridCompute/machines/WACLoginAsAdmin/action\"\ - ,\"Microsoft.Compute/virtualMachines/WACloginAsAdmin/action\",\"Microsoft.AzureStackHCI/Clusters/WACloginAsAdmin/Action\"\ - ,\"Microsoft.ConnectedVMwarevSphere/virtualmachines/WACloginAsAdmin/action\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2022-01-12T00:51:19.5581155Z\",\"\ - updatedOn\":\"2022-12-06T08:55:26.6040760Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a6333a3e-0164-44c3-b281-7a577aff287f\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a6333a3e-0164-44c3-b281-7a577aff287f\"\ - },{\"properties\":{\"roleName\":\"Azure Kubernetes Service Policy Add-on Deployment\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Deploy the Azure Policy add-on\ - \ on Azure Kubernetes Service clusters\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.Resources/deployments/*\",\"Microsoft.Network/virtualNetworks/subnets/join/action\"\ - ,\"Microsoft.Network/publicIPPrefixes/join/action\",\"Microsoft.Network/publicIPAddresses/join/action\"\ - ,\"Microsoft.Compute/diskEncryptionSets/read\",\"Microsoft.Compute/proximityPlacementGroups/write\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2022-02-07T20:51:48.5662807Z\",\"updatedOn\":\"2022-03-15T19:19:34.9035909Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18ed5180-3e48-46fd-8541-4ea054d57064\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"18ed5180-3e48-46fd-8541-4ea054d57064\"\ - },{\"properties\":{\"roleName\":\"Guest Configuration Resource Contributor\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Lets you read, write Guest Configuration\ - \ Resource.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"\ - Microsoft.GuestConfiguration/guestConfigurationAssignments/write\",\"Microsoft.GuestConfiguration/guestConfigurationAssignments/read\"\ - ,\"Microsoft.GuestConfiguration/guestConfigurationAssignments/*/read\",\"\ - Microsoft.Resources/deployments/*\"],\"notActions\":[],\"dataActions\":[],\"\ - notDataActions\":[]}],\"createdOn\":\"2022-01-13T21:31:41.9626667Z\",\"updatedOn\"\ - :\"2022-02-10T19:22:44.9057916Z\",\"createdBy\":null,\"updatedBy\":null},\"\ - id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/088ab73d-1256-47ae-bea9-9de8e7131f31\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"088ab73d-1256-47ae-bea9-9de8e7131f31\"\ - },{\"properties\":{\"roleName\":\"Domain Services Reader\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Can view Azure AD Domain Services and related network configurations\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/operations/read\"\ - ,\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Incidents/Read\"\ - ,\"Microsoft.Insights/Logs/Read\",\"Microsoft.Insights/Metrics/read\",\"Microsoft.Insights/DiagnosticSettings/read\"\ - ,\"Microsoft.Insights/DiagnosticSettingsCategories/Read\",\"Microsoft.AAD/domainServices/*/read\"\ - ,\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/subnets/read\"\ - ,\"Microsoft.Network/virtualNetworks/virtualNetworkPeerings/read\",\"Microsoft.Network/virtualNetworks/providers/Microsoft.Insights/diagnosticSettings/read\"\ - ,\"Microsoft.Network/virtualNetworks/providers/Microsoft.Insights/metricDefinitions/read\"\ - ,\"Microsoft.Network/azureFirewalls/read\",\"Microsoft.Network/ddosProtectionPlans/read\"\ - ,\"Microsoft.Network/loadBalancers/read\",\"Microsoft.Network/loadBalancers/*/read\"\ - ,\"Microsoft.Network/natGateways/read\",\"Microsoft.Network/networkInterfaces/read\"\ - ,\"Microsoft.Network/networkSecurityGroups/defaultSecurityRules/read\",\"\ - Microsoft.Network/networkSecurityGroups/read\",\"Microsoft.Network/networkSecurityGroups/securityRules/read\"\ - ,\"Microsoft.Network/routeTables/read\",\"Microsoft.Network/routeTables/routes/read\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2022-02-15T19:38:46.9043170Z\",\"updatedOn\":\"2022-06-24T19:00:35.7895894Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/361898ef-9ed1-48c2-849c-a832951106bb\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"361898ef-9ed1-48c2-849c-a832951106bb\"\ - },{\"properties\":{\"roleName\":\"Domain Services Contributor\",\"type\":\"\ - BuiltInRole\",\"description\":\"Can manage Azure AD Domain Services and related\ - \ network configurations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ - actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/read\"\ - ,\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\"\ - ,\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\"\ - ,\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\"\ - ,\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Insights/AlertRules/Write\"\ - ,\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\"\ - ,\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\"\ - ,\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\"\ - ,\"Microsoft.Insights/Logs/Read\",\"Microsoft.Insights/Metrics/Read\",\"Microsoft.Insights/DiagnosticSettings/*\"\ - ,\"Microsoft.Insights/DiagnosticSettingsCategories/Read\",\"Microsoft.AAD/register/action\"\ - ,\"Microsoft.AAD/unregister/action\",\"Microsoft.AAD/domainServices/*\",\"\ - Microsoft.Network/register/action\",\"Microsoft.Network/unregister/action\"\ - ,\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/write\"\ - ,\"Microsoft.Network/virtualNetworks/delete\",\"Microsoft.Network/virtualNetworks/peer/action\"\ - ,\"Microsoft.Network/virtualNetworks/join/action\",\"Microsoft.Network/virtualNetworks/subnets/read\"\ - ,\"Microsoft.Network/virtualNetworks/subnets/write\",\"Microsoft.Network/virtualNetworks/subnets/delete\"\ - ,\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/virtualNetworks/virtualNetworkPeerings/read\"\ - ,\"Microsoft.Network/virtualNetworks/virtualNetworkPeerings/write\",\"Microsoft.Network/virtualNetworks/virtualNetworkPeerings/delete\"\ - ,\"Microsoft.Network/virtualNetworks/providers/Microsoft.Insights/diagnosticSettings/read\"\ - ,\"Microsoft.Network/virtualNetworks/providers/Microsoft.Insights/metricDefinitions/read\"\ - ,\"Microsoft.Network/azureFirewalls/read\",\"Microsoft.Network/ddosProtectionPlans/read\"\ - ,\"Microsoft.Network/ddosProtectionPlans/join/action\",\"Microsoft.Network/loadBalancers/read\"\ - ,\"Microsoft.Network/loadBalancers/delete\",\"Microsoft.Network/loadBalancers/*/read\"\ - ,\"Microsoft.Network/loadBalancers/backendAddressPools/join/action\",\"Microsoft.Network/loadBalancers/inboundNatRules/join/action\"\ - ,\"Microsoft.Network/natGateways/join/action\",\"Microsoft.Network/networkInterfaces/read\"\ - ,\"Microsoft.Network/networkInterfaces/write\",\"Microsoft.Network/networkInterfaces/delete\"\ - ,\"Microsoft.Network/networkInterfaces/join/action\",\"Microsoft.Network/networkSecurityGroups/defaultSecurityRules/read\"\ - ,\"Microsoft.Network/networkSecurityGroups/read\",\"Microsoft.Network/networkSecurityGroups/write\"\ - ,\"Microsoft.Network/networkSecurityGroups/delete\",\"Microsoft.Network/networkSecurityGroups/join/action\"\ - ,\"Microsoft.Network/networkSecurityGroups/securityRules/read\",\"Microsoft.Network/networkSecurityGroups/securityRules/write\"\ - ,\"Microsoft.Network/networkSecurityGroups/securityRules/delete\",\"Microsoft.Network/routeTables/read\"\ - ,\"Microsoft.Network/routeTables/write\",\"Microsoft.Network/routeTables/delete\"\ - ,\"Microsoft.Network/routeTables/join/action\",\"Microsoft.Network/routeTables/routes/read\"\ - ,\"Microsoft.Network/routeTables/routes/write\",\"Microsoft.Network/routeTables/routes/delete\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2022-02-15T19:40:22.3943189Z\",\"updatedOn\":\"2022-06-24T19:00:35.7895894Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/eeaeda52-9324-47f6-8069-5d5bade478b2\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"eeaeda52-9324-47f6-8069-5d5bade478b2\"\ - },{\"properties\":{\"roleName\":\"DNS Resolver Contributor\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Lets you manage DNS resolver resources.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Network/dnsResolvers/read\"\ - ,\"Microsoft.Network/dnsResolvers/write\",\"Microsoft.Network/dnsResolvers/delete\"\ - ,\"Microsoft.Network/dnsResolvers/join/action\",\"Microsoft.Network/dnsResolvers/inboundEndpoints/read\"\ - ,\"Microsoft.Network/dnsResolvers/inboundEndpoints/write\",\"Microsoft.Network/dnsResolvers/inboundEndpoints/delete\"\ - ,\"Microsoft.Network/dnsResolvers/inboundEndpoints/join/action\",\"Microsoft.Network/dnsResolvers/outboundEndpoints/read\"\ - ,\"Microsoft.Network/dnsResolvers/outboundEndpoints/write\",\"Microsoft.Network/dnsResolvers/outboundEndpoints/delete\"\ - ,\"Microsoft.Network/dnsResolvers/outboundEndpoints/join/action\",\"Microsoft.Network/dnsForwardingRulesets/read\"\ - ,\"Microsoft.Network/dnsForwardingRulesets/write\",\"Microsoft.Network/dnsForwardingRulesets/delete\"\ - ,\"Microsoft.Network/dnsForwardingRulesets/join/action\",\"Microsoft.Network/dnsForwardingRulesets/forwardingRules/read\"\ - ,\"Microsoft.Network/dnsForwardingRulesets/forwardingRules/write\",\"Microsoft.Network/dnsForwardingRulesets/forwardingRules/delete\"\ - ,\"Microsoft.Network/dnsForwardingRulesets/virtualNetworkLinks/read\",\"Microsoft.Network/dnsForwardingRulesets/virtualNetworkLinks/write\"\ - ,\"Microsoft.Network/dnsForwardingRulesets/virtualNetworkLinks/delete\",\"\ - Microsoft.Network/locations/dnsResolverOperationResults/read\",\"Microsoft.Network/locations/dnsResolverOperationStatuses/read\"\ - ,\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/join/action\"\ - ,\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Network/virtualNetworks/subnets/write\"\ - ,\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/virtualNetworks/join/action\"\ - ,\"Microsoft.Network/virtualNetworks/joinLoadBalancer/action\",\"Microsoft.Network/virtualNetworks/subnets/join/action\"\ - ,\"Microsoft.Network/virtualNetworks/subnets/joinLoadBalancer/action\",\"\ - Microsoft.Network/natGateways/join/action\",\"Microsoft.Network/networkSecurityGroups/join/action\"\ - ,\"Microsoft.Network/routeTables/join/action\",\"Microsoft.Network/serviceEndpointPolicies/join/action\"\ - ,\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2022-02-16T23:25:04.4308795Z\",\"updatedOn\":\"2022-03-11T20:54:26.6355690Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0f2ebee7-ffd4-4fc0-b3b7-664099fdad5d\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0f2ebee7-ffd4-4fc0-b3b7-664099fdad5d\"\ - },{\"properties\":{\"roleName\":\"Data Operator for Managed Disks\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Provides permissions to upload data to\ - \ empty managed disks, read, or export data of managed disks (not attached\ - \ to running VMs) and snapshots using SAS URIs and Azure AD authentication.\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\"\ - :[],\"dataActions\":[\"Microsoft.Compute/disks/download/action\",\"Microsoft.Compute/disks/upload/action\"\ - ,\"Microsoft.Compute/snapshots/download/action\",\"Microsoft.Compute/snapshots/upload/action\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2022-03-01T01:28:23.8601778Z\",\"\ - updatedOn\":\"2022-03-01T01:28:23.8601778Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/959f8984-c045-4866-89c7-12bf9737be2e\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"959f8984-c045-4866-89c7-12bf9737be2e\"\ - },{\"properties\":{\"roleName\":\"AgFood Platform Sensor Partner Contributor\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Provides contribute access to\ - \ manage sensor related entities in AgFood Platform Service\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\"\ - :[\"Microsoft.AgFoodPlatform/farmBeats/sensorPartnerScope/*\"],\"notDataActions\"\ - :[\"Microsoft.AgFoodPlatform/farmBeats/sensorPartnerScope/sensors/delete\"\ - ]}],\"createdOn\":\"2022-03-09T04:58:21.1168561Z\",\"updatedOn\":\"2022-10-26T05:24:21.6704842Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6b77f0a0-0d89-41cc-acd1-579c22c17a67\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6b77f0a0-0d89-41cc-acd1-579c22c17a67\"\ - },{\"properties\":{\"roleName\":\"Compute Gallery Sharing Admin\",\"type\"\ - :\"BuiltInRole\",\"description\":\"This role allows user to share gallery\ - \ to another subscription/tenant or share it to the public.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/galleries/share/action\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2022-03-10T00:33:29.0395291Z\",\"updatedOn\":\"2022-03-25T20:37:05.1839457Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1ef6a3be-d0ac-425d-8c01-acb62866290b\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1ef6a3be-d0ac-425d-8c01-acb62866290b\"\ - },{\"properties\":{\"roleName\":\"Scheduled Patching Contributor\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Provides access to manage maintenance configurations\ - \ with maintenance scope InGuestPatch and corresponding configuration assignments\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Maintenance/maintenanceConfigurations/read\"\ - ,\"Microsoft.Maintenance/maintenanceConfigurations/write\",\"Microsoft.Maintenance/maintenanceConfigurations/delete\"\ - ,\"Microsoft.Maintenance/configurationAssignments/read\",\"Microsoft.Maintenance/configurationAssignments/write\"\ - ,\"Microsoft.Maintenance/configurationAssignments/delete\",\"Microsoft.Maintenance/configurationAssignments/maintenanceScope/InGuestPatch/read\"\ - ,\"Microsoft.Maintenance/configurationAssignments/maintenanceScope/InGuestPatch/write\"\ - ,\"Microsoft.Maintenance/configurationAssignments/maintenanceScope/InGuestPatch/delete\"\ - ,\"Microsoft.Maintenance/maintenanceConfigurations/maintenanceScope/InGuestPatch/read\"\ - ,\"Microsoft.Maintenance/maintenanceConfigurations/maintenanceScope/InGuestPatch/write\"\ - ,\"Microsoft.Maintenance/maintenanceConfigurations/maintenanceScope/InGuestPatch/delete\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2022-03-21T10:28:02.1319658Z\",\"updatedOn\":\"2022-04-13T08:04:33.5842713Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/cd08ab90-6b14-449c-ad9a-8f8e549482c6\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"cd08ab90-6b14-449c-ad9a-8f8e549482c6\"\ - },{\"properties\":{\"roleName\":\"DevCenter Dev Box User\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Provides access to create and manage dev boxes.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DevCenter/projects/read\"\ - ,\"Microsoft.DevCenter/projects/*/read\",\"Microsoft.Fidalgo/projects/read\"\ - ,\"Microsoft.Fidalgo/projects/*/read\",\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\"\ - :[],\"dataActions\":[\"Microsoft.DevCenter/projects/users/devboxes/userStop/action\"\ - ,\"Microsoft.DevCenter/projects/users/devboxes/userStart/action\",\"Microsoft.DevCenter/projects/users/devboxes/userGetRemoteConnection/action\"\ - ,\"Microsoft.DevCenter/projects/users/devboxes/userRead/action\",\"Microsoft.DevCenter/projects/users/devboxes/userWrite/action\"\ - ,\"Microsoft.DevCenter/projects/users/devboxes/userDelete/action\",\"Microsoft.DevCenter/projects/users/devboxes/userUpcomingActionRead/action\"\ - ,\"Microsoft.DevCenter/projects/users/devboxes/userUpcomingActionManage/action\"\ - ,\"Microsoft.Fidalgo/projects/users/virtualMachines/userStop/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userStart/action\"\ - ,\"Microsoft.Fidalgo/projects/users/virtualMachines/userGetRdpFileContent/action\"\ - ,\"Microsoft.Fidalgo/projects/users/virtualMachines/userRead/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userWrite/action\"\ - ,\"Microsoft.Fidalgo/projects/users/virtualMachines/userDelete/action\"],\"\ - notDataActions\":[]}],\"createdOn\":\"2022-03-31T18:38:03.5210123Z\",\"updatedOn\"\ - :\"2023-01-09T21:52:29.5985029Z\",\"createdBy\":null,\"updatedBy\":null},\"\ - id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/45d50f46-0b78-4001-a660-4198cbe8cd05\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"45d50f46-0b78-4001-a660-4198cbe8cd05\"\ - },{\"properties\":{\"roleName\":\"DevCenter Project Admin\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Provides access to manage project resources.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DevCenter/projects/*\"\ - ,\"Microsoft.Fidalgo/projects/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\"\ - :[\"Microsoft.DevCenter/projects/write\",\"Microsoft.DevCenter/projects/delete\"\ - ,\"Microsoft.Fidalgo/projects/write\",\"Microsoft.Fidalgo/projects/delete\"\ - ],\"dataActions\":[\"Microsoft.DevCenter/projects/users/devboxes/adminStart/action\"\ - ,\"Microsoft.DevCenter/projects/users/devboxes/adminStop/action\",\"Microsoft.DevCenter/projects/users/devboxes/adminRead/action\"\ - ,\"Microsoft.DevCenter/projects/users/devboxes/adminWrite/action\",\"Microsoft.DevCenter/projects/users/devboxes/adminDelete/action\"\ - ,\"Microsoft.DevCenter/projects/users/devboxes/userStop/action\",\"Microsoft.DevCenter/projects/users/devboxes/userStart/action\"\ - ,\"Microsoft.DevCenter/projects/users/devboxes/userGetRemoteConnection/action\"\ - ,\"Microsoft.DevCenter/projects/users/devboxes/userRead/action\",\"Microsoft.DevCenter/projects/users/devboxes/userWrite/action\"\ - ,\"Microsoft.DevCenter/projects/users/devboxes/userDelete/action\",\"Microsoft.DevCenter/projects/users/environments/adminRead/action\"\ - ,\"Microsoft.DevCenter/projects/users/environments/userWrite/action\",\"Microsoft.DevCenter/projects/users/environments/userDelete/action\"\ - ,\"Microsoft.DevCenter/projects/users/environments/adminDelete/action\",\"\ - Microsoft.DevCenter/projects/users/environments/adminAction/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/adminStart/action\"\ - ,\"Microsoft.Fidalgo/projects/users/virtualMachines/adminStop/action\",\"\ - Microsoft.Fidalgo/projects/users/virtualMachines/adminRead/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/adminWrite/action\"\ - ,\"Microsoft.Fidalgo/projects/users/virtualMachines/adminDelete/action\",\"\ - Microsoft.Fidalgo/projects/users/virtualMachines/userStop/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userStart/action\"\ - ,\"Microsoft.Fidalgo/projects/users/virtualMachines/userGetRdpFileContent/action\"\ - ,\"Microsoft.Fidalgo/projects/users/virtualMachines/userRead/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userWrite/action\"\ - ,\"Microsoft.Fidalgo/projects/users/virtualMachines/userDelete/action\"],\"\ - notDataActions\":[]}],\"createdOn\":\"2022-03-31T19:42:55.7106886Z\",\"updatedOn\"\ - :\"2022-10-11T07:53:29.7067755Z\",\"createdBy\":null,\"updatedBy\":null},\"\ - id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/331c37c6-af14-46d9-b9f4-e1909e1b95a0\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"331c37c6-af14-46d9-b9f4-e1909e1b95a0\"\ - },{\"properties\":{\"roleName\":\"Virtual Machine Local User Login\",\"type\"\ - :\"BuiltInRole\",\"description\":\"View Virtual Machines in the portal and\ - \ login as a local user configured on the arc server\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HybridCompute/machines/*/read\"\ - ,\"Microsoft.HybridConnectivity/endpoints/listCredentials/action\"],\"notActions\"\ - :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-04-06T23:57:10.4104571Z\"\ - ,\"updatedOn\":\"2022-04-16T18:55:26.3037328Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/602da2ba-a5c2-41da-b01d-5360126ab525\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"602da2ba-a5c2-41da-b01d-5360126ab525\"\ - },{\"properties\":{\"roleName\":\"Azure Arc ScVmm VM Contributor\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Arc ScVmm VM Contributor has permissions\ - \ to perform all VM actions.\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"microsoft.scvmm/virtualmachines/*\",\"Microsoft.Insights/AlertRules/Write\"\ - ,\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\"\ - ,\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\"\ - ,\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\"\ - ,\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\"\ - ,\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\"\ - ,\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\"\ - ,\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\"\ - ,\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\"\ - ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"\ - Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\"\ - ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\"\ - ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Resources/subscriptions/operationresults/read\"],\"notActions\"\ - :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-04-13T17:19:45.4667566Z\"\ - ,\"updatedOn\":\"2022-05-05T20:34:37.0090465Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e582369a-e17b-42a5-b10c-874c387c530b\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e582369a-e17b-42a5-b10c-874c387c530b\"\ - },{\"properties\":{\"roleName\":\"Azure Arc ScVmm Private Clouds Onboarding\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Azure Arc ScVmm Private Clouds\ - \ Onboarding role has permissions to provision all the required resources\ - \ for onboard and deboard vmm server instances to Azure.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"microsoft.scvmm/vmmservers/Read\"\ - ,\"microsoft.scvmm/vmmservers/Write\",\"microsoft.scvmm/vmmservers/Delete\"\ - ,\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\"\ - ,\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\"\ - ,\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\"\ - ,\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Resources/deployments/read\"\ - ,\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\"\ - ,\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\"\ - ,\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\"\ - ,\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\"\ - ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\",\"\ - Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\"\ - ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\"\ - ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Resources/subscriptions/operationresults/read\"],\"notActions\"\ - :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-04-13T17:20:24.2592061Z\"\ - ,\"updatedOn\":\"2022-05-05T20:34:37.0246727Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6aac74c4-6311-40d2-bbdd-7d01e7c6e3a9\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6aac74c4-6311-40d2-bbdd-7d01e7c6e3a9\"\ - },{\"properties\":{\"roleName\":\"Azure Arc ScVmm Private Cloud User\",\"\ - type\":\"BuiltInRole\",\"description\":\"Azure Arc ScVmm Private Cloud User\ - \ has permissions to use the ScVmm resources to deploy VMs.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Insights/AlertRules/Write\"\ - ,\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\"\ - ,\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\"\ - ,\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\"\ - ,\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\"\ - ,\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\"\ - ,\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\"\ - ,\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\"\ - ,\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\"\ - ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"\ - Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\"\ - ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\"\ - ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Resources/subscriptions/operationresults/read\",\"microsoft.scvmm/virtualnetworks/join/action\"\ - ,\"microsoft.scvmm/virtualnetworks/Read\",\"microsoft.scvmm/virtualmachinetemplates/clone/action\"\ - ,\"microsoft.scvmm/virtualmachinetemplates/Read\",\"microsoft.scvmm/clouds/deploy/action\"\ - ,\"microsoft.scvmm/clouds/Read\"],\"notActions\":[],\"dataActions\":[],\"\ - notDataActions\":[]}],\"createdOn\":\"2022-04-13T17:21:33.4624374Z\",\"updatedOn\"\ - :\"2022-05-05T20:34:37.0246727Z\",\"createdBy\":null,\"updatedBy\":null},\"\ - id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c0781e91-8102-4553-8951-97c6d4243cda\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c0781e91-8102-4553-8951-97c6d4243cda\"\ - },{\"properties\":{\"roleName\":\"Azure Arc ScVmm Administrator role\",\"\ - type\":\"BuiltInRole\",\"description\":\"Arc ScVmm VM Administrator has permissions\ - \ to perform all ScVmm actions.\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.ScVmm/*\",\"Microsoft.Insights/AlertRules/Write\"\ - ,\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\"\ - ,\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\"\ - ,\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\"\ - ,\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\"\ - ,\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\"\ - ,\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\"\ - ,\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\"\ - ,\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\"\ - ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"\ - Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\"\ - ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\"\ - ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Resources/subscriptions/operationresults/read\"],\"notActions\"\ - :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-04-13T17:23:36.5115227Z\"\ - ,\"updatedOn\":\"2022-05-05T20:34:37.0246727Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a92dfd61-77f9-4aec-a531-19858b406c87\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a92dfd61-77f9-4aec-a531-19858b406c87\"\ - },{\"properties\":{\"roleName\":\"FHIR Data Importer\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Role allows user or principal to read and import FHIR Data\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\"\ - :[],\"dataActions\":[\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/read\"\ - ,\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/import/action\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2022-04-19T07:59:50.0236181Z\",\"\ - updatedOn\":\"2022-04-21T09:16:15.3849248Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4465e953-8ced-4406-a58e-0f6e3f3b530b\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4465e953-8ced-4406-a58e-0f6e3f3b530b\"\ - },{\"properties\":{\"roleName\":\"API Management Developer Portal Content\ - \ Editor\",\"type\":\"BuiltInRole\",\"description\":\"Can customize the developer\ - \ portal, edit its content, and publish it.\",\"assignableScopes\":[\"/\"\ - ],\"permissions\":[{\"actions\":[\"Microsoft.ApiManagement/service/portalRevisions/read\"\ - ,\"Microsoft.ApiManagement/service/portalRevisions/write\",\"Microsoft.ApiManagement/service/contentTypes/read\"\ - ,\"Microsoft.ApiManagement/service/contentTypes/delete\",\"Microsoft.ApiManagement/service/contentTypes/write\"\ - ,\"Microsoft.ApiManagement/service/contentTypes/contentItems/read\",\"Microsoft.ApiManagement/service/contentTypes/contentItems/write\"\ - ,\"Microsoft.ApiManagement/service/contentTypes/contentItems/delete\"],\"\ - notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"\ - 2022-05-06T17:42:10.1276527Z\",\"updatedOn\":\"2022-05-10T21:44:17.7458996Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c031e6a8-4391-4de0-8d69-4706a7ed3729\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c031e6a8-4391-4de0-8d69-4706a7ed3729\"\ - },{\"properties\":{\"roleName\":\"VM Scanner Operator\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Role that provides access to disk snapshot for security\ - \ analysis.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"\ - Microsoft.Compute/disks/read\",\"Microsoft.Compute/disks/beginGetAccess/action\"\ - ,\"Microsoft.Compute/virtualMachines/instanceView/read\",\"Microsoft.Compute/virtualMachines/read\"\ - ,\"Microsoft.Compute/virtualMachineScaleSets/instanceView/read\",\"Microsoft.Compute/virtualMachineScaleSets/read\"\ - ,\"Microsoft.Compute/virtualMachineScaleSets/virtualMachines/read\",\"Microsoft.Compute/virtualMachineScaleSets/virtualMachines/instanceView/read\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2022-05-15T14:44:58.0697864Z\",\"updatedOn\":\"2022-06-06T17:44:18.2603469Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d24ecba3-c1f4-40fa-a7bb-4588a071e8fd\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d24ecba3-c1f4-40fa-a7bb-4588a071e8fd\"\ - },{\"properties\":{\"roleName\":\"Elastic SAN Owner\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Allows for full access to all resources under Azure Elastic\ - \ SAN including changing network security policies to unblock data path access\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ElasticSan/elasticSans/*\"\ - ,\"Microsoft.ElasticSan/locations/*\"],\"notActions\":[],\"dataActions\":[],\"\ - notDataActions\":[]}],\"createdOn\":\"2022-05-25T10:31:53.7129003Z\",\"updatedOn\"\ - :\"2022-08-22T15:27:30.0884957Z\",\"createdBy\":null,\"updatedBy\":null},\"\ - id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/80dcbedb-47ef-405d-95bd-188a1b4ac406\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"80dcbedb-47ef-405d-95bd-188a1b4ac406\"\ - },{\"properties\":{\"roleName\":\"Elastic SAN Reader\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Allows for control path read access to Azure Elastic SAN\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/roleAssignments/read\"\ - ,\"Microsoft.Authorization/roleDefinitions/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ElasticSan/elasticSans/*/read\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2022-05-31T04:56:26.3763359Z\",\"updatedOn\":\"2022-08-22T15:27:30.0884957Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/af6a70f8-3c9f-4105-acf1-d719e9fca4ca\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"af6a70f8-3c9f-4105-acf1-d719e9fca4ca\"\ - },{\"properties\":{\"roleName\":\"Desktop Virtualization Virtual Machine Contributor\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"This role is in preview and subject\ - \ to change. Provide permission to the Azure Virtual Desktop Resource Provider\ - \ to create, delete, update, start, and stop virtual machines.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/hostpools/read\"\ - ,\"Microsoft.DesktopVirtualization/hostpools/write\",\"Microsoft.DesktopVirtualization/hostpools/retrieveRegistrationToken/action\"\ - ,\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/write\"\ - ,\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/delete\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/read\"\ - ,\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/disconnect/action\"\ - ,\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/sendMessage/action\"\ - ,\"Microsoft.DesktopVirtualization/hostpools/sessionHostConfigurations/read\"\ - ,\"Microsoft.Compute/availabilitySets/read\",\"Microsoft.Compute/availabilitySets/write\"\ - ,\"Microsoft.Compute/availabilitySets/vmSizes/read\",\"Microsoft.Compute/disks/read\"\ - ,\"Microsoft.Compute/disks/write\",\"Microsoft.Compute/disks/delete\",\"Microsoft.Compute/galleries/read\"\ - ,\"Microsoft.Compute/galleries/images/read\",\"Microsoft.Compute/galleries/images/versions/read\"\ - ,\"Microsoft.Compute/images/read\",\"Microsoft.Compute/locations/usages/read\"\ - ,\"Microsoft.Compute/locations/vmSizes/read\",\"Microsoft.Compute/operations/read\"\ - ,\"Microsoft.Compute/skus/read\",\"Microsoft.Compute/virtualMachines/read\"\ - ,\"Microsoft.Compute/virtualMachines/write\",\"Microsoft.Compute/virtualMachines/delete\"\ - ,\"Microsoft.Compute/virtualMachines/start/action\",\"Microsoft.Compute/virtualMachines/powerOff/action\"\ - ,\"Microsoft.Compute/virtualMachines/restart/action\",\"Microsoft.Compute/virtualMachines/deallocate/action\"\ - ,\"Microsoft.Compute/virtualMachines/runCommand/action\",\"Microsoft.Compute/virtualMachines/extensions/read\"\ - ,\"Microsoft.Compute/virtualMachines/extensions/write\",\"Microsoft.Compute/virtualMachines/extensions/delete\"\ - ,\"Microsoft.Compute/virtualMachines/runCommands/read\",\"Microsoft.Compute/virtualMachines/runCommands/write\"\ - ,\"Microsoft.Compute/virtualMachines/vmSizes/read\",\"Microsoft.Network/networkSecurityGroups/read\"\ - ,\"Microsoft.Network/networkInterfaces/write\",\"Microsoft.Network/networkInterfaces/read\"\ - ,\"Microsoft.Network/networkInterfaces/join/action\",\"Microsoft.Network/networkInterfaces/delete\"\ - ,\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Network/virtualNetworks/subnets/join/action\"\ - ,\"Microsoft.Marketplace/offerTypes/publishers/offers/plans/agreements/read\"\ - ,\"Microsoft.KeyVault/vaults/deploy/action\",\"Microsoft.Storage/storageAccounts/read\"\ - ,\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"\ - Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2022-06-27T23:34:34.2924270Z\",\"updatedOn\":\"2022-07-14T23:59:09.6368154Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a959dbd1-f747-45e3-8ba6-dd80f235f97c\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a959dbd1-f747-45e3-8ba6-dd80f235f97c\"\ - },{\"properties\":{\"roleName\":\"Desktop Virtualization Power On Contributor\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"This role is in preview and subject\ - \ to change. Provide permission to the Azure Virtual Desktop Resource Provider\ - \ to start virtual machines.\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.Compute/virtualMachines/start/action\",\"Microsoft.Compute/virtualMachines/read\"\ - ,\"Microsoft.Compute/virtualMachines/instanceView/read\",\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\"\ - :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-06-27T23:34:34.8048994Z\"\ - ,\"updatedOn\":\"2022-07-14T23:59:09.6368154Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/489581de-a3bd-480d-9518-53dea7416b33\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"489581de-a3bd-480d-9518-53dea7416b33\"\ - },{\"properties\":{\"roleName\":\"Desktop Virtualization Power On Off Contributor\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"This role is in preview and subject\ - \ to change. Provide permission to the Azure Virtual Desktop Resource Provider\ - \ to start and stop virtual machines.\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.Compute/virtualMachines/start/action\",\"Microsoft.Compute/virtualMachines/read\"\ - ,\"Microsoft.Compute/virtualMachines/instanceView/read\",\"Microsoft.Compute/virtualMachines/deallocate/action\"\ - ,\"Microsoft.Compute/virtualMachines/restart/action\",\"Microsoft.Compute/virtualMachines/powerOff/action\"\ - ,\"Microsoft.Insights/eventtypes/values/read\",\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.DesktopVirtualization/hostpools/read\"\ - ,\"Microsoft.DesktopVirtualization/hostpools/write\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/read\"\ - ,\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/write\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/delete\"\ - ,\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/read\"\ - ,\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/sendMessage/action\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2022-06-27T23:34:34.8048994Z\",\"updatedOn\":\"2022-07-14T23:59:09.6368154Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/40c5ff49-9181-41f8-ae61-143b0e78555e\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"40c5ff49-9181-41f8-ae61-143b0e78555e\"\ - },{\"properties\":{\"roleName\":\"Elastic SAN Volume Group Owner\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Allows for full access to a volume group\ - \ in Azure Elastic SAN including changing network security policies to unblock\ - \ data path access\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"\ - ,\"Microsoft.ElasticSan/elasticSans/volumeGroups/*\",\"Microsoft.ElasticSan/locations/asyncoperations/read\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2022-07-01T12:56:46.0182642Z\",\"updatedOn\":\"2022-08-22T15:27:30.0884957Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a8281131-f312-4f34-8d98-ae12be9f0d23\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a8281131-f312-4f34-8d98-ae12be9f0d23\"\ - },{\"properties\":{\"roleName\":\"Access Review Operator Service Role\",\"\ - type\":\"BuiltInRole\",\"description\":\"Lets you grant Access Review System\ - \ app permissions to discover and revoke access as needed by the access review\ - \ process.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"\ - Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleAssignments/delete\"\ - ,\"Microsoft.Management/getEntities/action\"],\"notActions\":[],\"dataActions\"\ - :[],\"notDataActions\":[]}],\"createdOn\":\"2022-07-01T20:18:33.8473541Z\"\ - ,\"updatedOn\":\"2022-07-01T20:18:33.8473541Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/76cc9ee4-d5d3-4a45-a930-26add3d73475\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"76cc9ee4-d5d3-4a45-a930-26add3d73475\"\ - },{\"properties\":{\"roleName\":\"Code Signing Identity Verifier\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Manage identity or business verification\ - \ requests. This role is in preview and subject to change.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CodeSigning/*/read\"],\"\ - notActions\":[],\"dataActions\":[\"Microsoft.CodeSigning/IdentityVerification/Read\"\ - ,\"Microsoft.CodeSigning/IdentityVerification/Write\"],\"notDataActions\"\ - :[]}],\"createdOn\":\"2022-07-28T05:30:15.0114431Z\",\"updatedOn\":\"2022-11-01T05:16:07.2974025Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4339b7cf-9826-4e41-b4ed-c7f4505dac08\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4339b7cf-9826-4e41-b4ed-c7f4505dac08\"\ - },{\"properties\":{\"roleName\":\"Video Indexer Restricted Viewer\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Has access to view and search through all\ - \ video's insights and transcription in the Video Indexer portal. No access\ - \ to model customization, embedding of widget, downloading videos, or sharing\ - \ the account.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.VideoIndexer/*/read\",\"Microsoft.VideoIndexer/accounts/*/action\"\ - ],\"notActions\":[\"Microsoft.VideoIndexer/*/write\",\"Microsoft.VideoIndexer/*/delete\"\ - ,\"Microsoft.VideoIndexer/accounts/generateAccessToken/action\"],\"dataActions\"\ - :[],\"notDataActions\":[]}],\"createdOn\":\"2022-08-08T18:06:28.4761091Z\"\ - ,\"updatedOn\":\"2022-08-08T18:06:28.4761091Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a2c4a527-7dc0-4ee3-897b-403ade70fafb\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a2c4a527-7dc0-4ee3-897b-403ade70fafb\"\ - },{\"properties\":{\"roleName\":\"Monitoring Data Reader\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Can access the data in an Azure Monitor Workspace.\",\"\ - assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\"\ - :[],\"dataActions\":[\"Microsoft.Monitor/accounts/data/metrics/read\"],\"\ - notDataActions\":[]}],\"createdOn\":\"2022-08-18T21:42:07.5907559Z\",\"updatedOn\"\ - :\"2022-10-06T18:45:11.9001059Z\",\"createdBy\":null,\"updatedBy\":null},\"\ - id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b0d8363b-8ddd-447d-831f-62ca05bff136\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b0d8363b-8ddd-447d-831f-62ca05bff136\"\ - },{\"properties\":{\"roleName\":\"Azure Kubernetes Fleet Manager RBAC Writer\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Allows read/write access to most\ - \ objects in a namespace.This role does not allow viewing or modifying roles\ - \ or role bindings. However, this role allows accessing Secrets as any ServiceAccount\ - \ in the namespace, so it can be used to gain the API access levels of any\ - \ ServiceAccount in the namespace. Applying this role at cluster scope will\ - \ give access across all namespaces.\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/operationresults/read\"\ - ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.ContainerService/fleets/read\",\"Microsoft.ContainerService/fleets/listCredentials/action\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/fleets/apps/controllerrevisions/read\"\ - ,\"Microsoft.ContainerService/fleets/apps/daemonsets/*\",\"Microsoft.ContainerService/fleets/apps/deployments/*\"\ - ,\"Microsoft.ContainerService/fleets/apps/statefulsets/*\",\"Microsoft.ContainerService/fleets/autoscaling/horizontalpodautoscalers/*\"\ - ,\"Microsoft.ContainerService/fleets/batch/cronjobs/*\",\"Microsoft.ContainerService/fleets/batch/jobs/*\"\ - ,\"Microsoft.ContainerService/fleets/configmaps/*\",\"Microsoft.ContainerService/fleets/endpoints/*\"\ - ,\"Microsoft.ContainerService/fleets/events.k8s.io/events/read\",\"Microsoft.ContainerService/fleets/events/read\"\ - ,\"Microsoft.ContainerService/fleets/extensions/daemonsets/*\",\"Microsoft.ContainerService/fleets/extensions/deployments/*\"\ - ,\"Microsoft.ContainerService/fleets/extensions/ingresses/*\",\"Microsoft.ContainerService/fleets/extensions/networkpolicies/*\"\ - ,\"Microsoft.ContainerService/fleets/limitranges/read\",\"Microsoft.ContainerService/fleets/namespaces/read\"\ - ,\"Microsoft.ContainerService/fleets/networking.k8s.io/ingresses/*\",\"Microsoft.ContainerService/fleets/networking.k8s.io/networkpolicies/*\"\ - ,\"Microsoft.ContainerService/fleets/persistentvolumeclaims/*\",\"Microsoft.ContainerService/fleets/policy/poddisruptionbudgets/*\"\ - ,\"Microsoft.ContainerService/fleets/replicationcontrollers/*\",\"Microsoft.ContainerService/fleets/replicationcontrollers/*\"\ - ,\"Microsoft.ContainerService/fleets/resourcequotas/read\",\"Microsoft.ContainerService/fleets/secrets/*\"\ - ,\"Microsoft.ContainerService/fleets/serviceaccounts/*\",\"Microsoft.ContainerService/fleets/services/*\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2022-08-19T21:54:44.6234342Z\",\"\ - updatedOn\":\"2022-08-25T18:08:36.2213166Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5af6afb3-c06c-4fa4-8848-71a8aee05683\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5af6afb3-c06c-4fa4-8848-71a8aee05683\"\ - },{\"properties\":{\"roleName\":\"Azure Kubernetes Fleet Manager Contributor\ - \ Role\",\"type\":\"BuiltInRole\",\"description\":\"Grants access to read\ - \ and write Azure Kubernetes Fleet Manager clusters\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerService/fleets/*\"\ - ,\"Microsoft.Resources/deployments/*\"],\"notActions\":[],\"dataActions\"\ - :[],\"notDataActions\":[]}],\"createdOn\":\"2022-08-19T21:54:44.6234342Z\"\ - ,\"updatedOn\":\"2022-08-19T21:54:44.6234342Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/63bb64ad-9799-4770-b5c3-24ed299a07bf\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"63bb64ad-9799-4770-b5c3-24ed299a07bf\"\ - },{\"properties\":{\"roleName\":\"Azure Kubernetes Fleet Manager RBAC Cluster\ - \ Admin\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage all resources\ - \ in the fleet manager cluster.\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/operationresults/read\"\ - ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.ContainerService/fleets/read\",\"Microsoft.ContainerService/fleets/listCredentials/action\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/fleets/*\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2022-08-19T21:54:44.6234342Z\",\"\ - updatedOn\":\"2022-08-19T21:54:44.6234342Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18ab4d3d-a1bf-4477-8ad9-8359bc988f69\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"18ab4d3d-a1bf-4477-8ad9-8359bc988f69\"\ - },{\"properties\":{\"roleName\":\"Azure Kubernetes Fleet Manager RBAC Admin\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"This role grants admin access\ - \ - provides write permissions on most objects within a a namespace, with\ - \ the exception of ResourceQuota object and the namespace object itself. Applying\ - \ this role at cluster scope will give access across all namespaces.\",\"\ - assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ContainerService/fleets/read\"\ - ,\"Microsoft.ContainerService/fleets/listCredentials/action\"],\"notActions\"\ - :[],\"dataActions\":[\"Microsoft.ContainerService/fleets/apps/controllerrevisions/read\"\ - ,\"Microsoft.ContainerService/fleets/apps/daemonsets/*\",\"Microsoft.ContainerService/fleets/apps/deployments/*\"\ - ,\"Microsoft.ContainerService/fleets/apps/statefulsets/*\",\"Microsoft.ContainerService/fleets/authorization.k8s.io/localsubjectaccessreviews/write\"\ - ,\"Microsoft.ContainerService/fleets/autoscaling/horizontalpodautoscalers/*\"\ - ,\"Microsoft.ContainerService/fleets/batch/cronjobs/*\",\"Microsoft.ContainerService/fleets/batch/jobs/*\"\ - ,\"Microsoft.ContainerService/fleets/configmaps/*\",\"Microsoft.ContainerService/fleets/endpoints/*\"\ - ,\"Microsoft.ContainerService/fleets/events.k8s.io/events/read\",\"Microsoft.ContainerService/fleets/events/read\"\ - ,\"Microsoft.ContainerService/fleets/extensions/daemonsets/*\",\"Microsoft.ContainerService/fleets/extensions/deployments/*\"\ - ,\"Microsoft.ContainerService/fleets/extensions/ingresses/*\",\"Microsoft.ContainerService/fleets/extensions/networkpolicies/*\"\ - ,\"Microsoft.ContainerService/fleets/limitranges/read\",\"Microsoft.ContainerService/fleets/namespaces/read\"\ - ,\"Microsoft.ContainerService/fleets/networking.k8s.io/ingresses/*\",\"Microsoft.ContainerService/fleets/networking.k8s.io/networkpolicies/*\"\ - ,\"Microsoft.ContainerService/fleets/persistentvolumeclaims/*\",\"Microsoft.ContainerService/fleets/policy/poddisruptionbudgets/*\"\ - ,\"Microsoft.ContainerService/fleets/rbac.authorization.k8s.io/rolebindings/*\"\ - ,\"Microsoft.ContainerService/fleets/rbac.authorization.k8s.io/roles/*\",\"\ - Microsoft.ContainerService/fleets/replicationcontrollers/*\",\"Microsoft.ContainerService/fleets/replicationcontrollers/*\"\ - ,\"Microsoft.ContainerService/fleets/resourcequotas/read\",\"Microsoft.ContainerService/fleets/secrets/*\"\ - ,\"Microsoft.ContainerService/fleets/serviceaccounts/*\",\"Microsoft.ContainerService/fleets/services/*\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2022-08-19T21:54:44.6234342Z\",\"\ - updatedOn\":\"2022-08-25T18:08:36.2213166Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/434fb43a-c01c-447e-9f67-c3ad923cfaba\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"434fb43a-c01c-447e-9f67-c3ad923cfaba\"\ - },{\"properties\":{\"roleName\":\"Azure Kubernetes Fleet Manager RBAC Reader\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Allows read-only access to see\ - \ most objects in a namespace. It does not allow viewing roles or role bindings.\ - \ This role does not allow viewing Secrets, since reading the contents of\ - \ Secrets enables access to ServiceAccount credentials in the namespace, which\ - \ would allow API access as any ServiceAccount in the namespace (a form of\ - \ privilege escalation). Applying this role at cluster scope will give access\ - \ across all namespaces.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ - actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/operationresults/read\"\ - ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.ContainerService/fleets/read\",\"Microsoft.ContainerService/fleets/listCredentials/action\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/fleets/apps/controllerrevisions/read\"\ - ,\"Microsoft.ContainerService/fleets/apps/daemonsets/read\",\"Microsoft.ContainerService/fleets/apps/deployments/read\"\ - ,\"Microsoft.ContainerService/fleets/apps/statefulsets/read\",\"Microsoft.ContainerService/fleets/autoscaling/horizontalpodautoscalers/read\"\ - ,\"Microsoft.ContainerService/fleets/batch/cronjobs/read\",\"Microsoft.ContainerService/fleets/batch/jobs/read\"\ - ,\"Microsoft.ContainerService/fleets/configmaps/read\",\"Microsoft.ContainerService/fleets/endpoints/read\"\ - ,\"Microsoft.ContainerService/fleets/events.k8s.io/events/read\",\"Microsoft.ContainerService/fleets/events/read\"\ - ,\"Microsoft.ContainerService/fleets/extensions/daemonsets/read\",\"Microsoft.ContainerService/fleets/extensions/deployments/read\"\ - ,\"Microsoft.ContainerService/fleets/extensions/ingresses/read\",\"Microsoft.ContainerService/fleets/extensions/networkpolicies/read\"\ - ,\"Microsoft.ContainerService/fleets/limitranges/read\",\"Microsoft.ContainerService/fleets/namespaces/read\"\ - ,\"Microsoft.ContainerService/fleets/networking.k8s.io/ingresses/read\",\"\ - Microsoft.ContainerService/fleets/networking.k8s.io/networkpolicies/read\"\ - ,\"Microsoft.ContainerService/fleets/persistentvolumeclaims/read\",\"Microsoft.ContainerService/fleets/policy/poddisruptionbudgets/read\"\ - ,\"Microsoft.ContainerService/fleets/replicationcontrollers/read\",\"Microsoft.ContainerService/fleets/replicationcontrollers/read\"\ - ,\"Microsoft.ContainerService/fleets/resourcequotas/read\",\"Microsoft.ContainerService/fleets/serviceaccounts/read\"\ - ,\"Microsoft.ContainerService/fleets/services/read\"],\"notDataActions\":[]}],\"\ - createdOn\":\"2022-08-19T21:54:44.6234342Z\",\"updatedOn\":\"2022-08-25T18:08:36.2213166Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/30b27cfc-9c84-438e-b0ce-70e35255df80\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"30b27cfc-9c84-438e-b0ce-70e35255df80\"\ - },{\"properties\":{\"roleName\":\"Kubernetes Namespace User\",\"type\":\"\ - BuiltInRole\",\"description\":\"Allows a user to read namespace resources\ - \ and retrieve kubeconfig for the cluster\",\"assignableScopes\":[\"/\"],\"\ - permissions\":[{\"actions\":[\"Microsoft.KubernetesConfiguration/namespaces/read\"\ - ,\"Microsoft.KubernetesConfiguration/namespaces/listUserCredential/action\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2022-08-23T05:53:29.2401441Z\",\"updatedOn\":\"2022-08-23T05:53:29.2401441Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ba79058c-0414-4a34-9e42-c3399d80cd5a\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ba79058c-0414-4a34-9e42-c3399d80cd5a\"\ - },{\"properties\":{\"roleName\":\"Data Labeling - Labeler\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Can label data in Labeling.\",\"assignableScopes\":[\"\ - /\"],\"permissions\":[{\"actions\":[\"Microsoft.MachineLearningServices/workspaces/read\"\ - ,\"Microsoft.MachineLearningServices/workspaces/experiments/runs/read\",\"\ - Microsoft.MachineLearningServices/workspaces/labeling/projects/read\",\"Microsoft.MachineLearningServices/workspaces/labeling/projects/summary/read\"\ - ,\"Microsoft.MachineLearningServices/workspaces/labeling/labels/read\",\"\ - Microsoft.MachineLearningServices/workspaces/labeling/labels/write\"],\"notActions\"\ - :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-09-01T18:26:59.8559741Z\"\ - ,\"updatedOn\":\"2022-09-07T18:52:08.6907182Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c6decf44-fd0a-444c-a844-d653c394e7ab\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c6decf44-fd0a-444c-a844-d653c394e7ab\"\ - },{\"properties\":{\"roleName\":\"Template Spec Contributor\",\"type\":\"\ - BuiltInRole\",\"description\":\"Allows full access to Template Spec operations\ - \ at the assigned scope.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ - actions\":[\"Microsoft.Resources/templateSpecs/*\",\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2022-09-06T21:40:35.0538486Z\",\"updatedOn\":\"2022-09-06T21:40:35.0538486Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1c9b6475-caf0-4164-b5a1-2142a7116f4b\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1c9b6475-caf0-4164-b5a1-2142a7116f4b\"\ - },{\"properties\":{\"roleName\":\"Template Spec Reader\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Allows read access to Template Specs at the assigned scope.\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Resources/templateSpecs/*/read\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2022-09-06T21:40:35.0538486Z\",\"updatedOn\":\"2022-09-06T21:40:35.0538486Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/392ae280-861d-42bd-9ea5-08ee6d83b80e\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"392ae280-861d-42bd-9ea5-08ee6d83b80e\"\ - },{\"properties\":{\"roleName\":\"Role Based Access Control Administrator\ - \ (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Manage access to\ - \ Azure resources by assigning roles using Azure RBAC. This role does not\ - \ allow you to manage access using other ways, such as Azure Policy.\",\"\ - assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/roleAssignments/write\"\ - ,\"Microsoft.Authorization/roleAssignments/delete\",\"*/read\",\"Microsoft.Support/*\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2022-09-06T22:11:11.4458675Z\",\"updatedOn\":\"2022-09-06T22:11:11.4458675Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f58310d9-a9f6-439a-9e8d-f62e7b41a168\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f58310d9-a9f6-439a-9e8d-f62e7b41a168\"\ - },{\"properties\":{\"roleName\":\"Microsoft Sentinel Playbook Operator\",\"\ - type\":\"BuiltInRole\",\"description\":\"Microsoft Sentinel Playbook Operator\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Logic/workflows/read\"\ - ,\"Microsoft.Logic/workflows/triggers/listCallbackUrl/action\",\"Microsoft.Web/sites/hostruntime/webhooks/api/workflows/triggers/listCallbackUrl/action\"\ - ,\"Microsoft.Web/sites/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2022-09-19T15:10:00.4803785Z\",\"updatedOn\":\"2022-12-05T18:09:08.3556749Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/51d6186e-6489-4900-b93f-92e23144cca5\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"51d6186e-6489-4900-b93f-92e23144cca5\"\ - },{\"properties\":{\"roleName\":\"Deployment Environments User\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Provides access to manage environment resources.\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DevCenter/projects/read\"\ - ,\"Microsoft.DevCenter/projects/*/read\",\"Microsoft.Fidalgo/projects/read\"\ - ,\"Microsoft.Fidalgo/projects/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Authorization/*/read\"],\"notActions\":[\"Microsoft.DevCenter/projects/pools/read\"\ - ,\"Microsoft.Fidalgo/projects/pools/read\",\"Microsoft.DevCenter/projects/pools/schedules/read\"\ - ],\"dataActions\":[\"Microsoft.DevCenter/projects/users/environments/adminRead/action\"\ - ,\"Microsoft.DevCenter/projects/users/environments/userWrite/action\",\"Microsoft.DevCenter/projects/users/environments/userDelete/action\"\ - ,\"Microsoft.DevCenter/projects/users/environments/adminAction/action\"],\"\ - notDataActions\":[]}],\"createdOn\":\"2022-09-20T20:51:42.7384536Z\",\"updatedOn\"\ - :\"2022-10-11T07:53:29.7067755Z\",\"createdBy\":null,\"updatedBy\":null},\"\ - id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18e40d4e-8d2e-438d-97e1-9528336e149c\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"18e40d4e-8d2e-438d-97e1-9528336e149c\"\ - },{\"properties\":{\"roleName\":\"Azure Spring Apps Connect Role\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Azure Spring Apps Connect Role\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\"\ - :[\"Microsoft.AppPlatform/Spring/apps/deployments/connect/action\"],\"notDataActions\"\ - :[]}],\"createdOn\":\"2022-09-22T06:55:16.9189450Z\",\"updatedOn\":\"2022-09-22T06:55:16.9189450Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/80558df3-64f9-4c0f-b32d-e5094b036b0b\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"80558df3-64f9-4c0f-b32d-e5094b036b0b\"\ - },{\"properties\":{\"roleName\":\"Azure Spring Apps Remote Debugging Role\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Azure Spring Apps Remote Debugging\ - \ Role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"\ - notActions\":[],\"dataActions\":[\"Microsoft.AppPlatform/Spring/apps/deployments/remotedebugging/action\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2022-09-22T07:10:29.3874610Z\",\"\ - updatedOn\":\"2022-09-22T07:10:29.3874610Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a99b0159-1064-4c22-a57b-c9b3caa1c054\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a99b0159-1064-4c22-a57b-c9b3caa1c054\"\ - },{\"properties\":{\"roleName\":\"AzureML Registry User\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Can perform all actions on Machine Learning Services Registry\ - \ assets\_as well as get Registry resources.\",\"assignableScopes\":[\"/\"\ - ],\"permissions\":[{\"actions\":[\"Microsoft.MachineLearningServices/registries/read\"\ - ,\"Microsoft.MachineLearningServices/registries/assets/*\"],\"notActions\"\ - :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-09-26T15:06:14.4270097Z\"\ - ,\"updatedOn\":\"2022-09-26T15:06:14.4270097Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1823dd4f-9b8c-4ab6-ab4e-7397a3684615\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1823dd4f-9b8c-4ab6-ab4e-7397a3684615\"\ - },{\"properties\":{\"roleName\":\"AzureML Compute Operator\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Can access and perform CRUD operations on Machine Learning\ - \ Services managed compute resources (including Notebook VMs).\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.MachineLearningServices/workspaces/computes/*\"\ - ,\"Microsoft.MachineLearningServices/workspaces/notebooks/vm/*\"],\"notActions\"\ - :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-09-26T15:06:14.4270097Z\"\ - ,\"updatedOn\":\"2022-09-26T15:06:14.4270097Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e503ece1-11d0-4e8e-8e2c-7a6c3bf38815\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e503ece1-11d0-4e8e-8e2c-7a6c3bf38815\"\ - },{\"properties\":{\"roleName\":\"Azure Center for SAP solutions reader\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"This role provides read access\ - \ to all capabilities of Azure Center for SAP solutions.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Workloads/sapvirtualInstances/*/read\"\ - ,\"Microsoft.Workloads/Locations/*/action\",\"Microsoft.Workloads/Operations/read\"\ - ,\"Microsoft.Workloads/Locations/OperationStatuses/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/metrics/read\",\"\ - Microsoft.Insights/metricDefinitions/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/read\"\ - ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ - ,\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/providers/Microsoft.Insights/metricDefinitions/read\"\ - ,\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Network/virtualNetworks/subnets/virtualMachines/read\"\ - ,\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Network/networkInterfaces/ipconfigurations/read\"\ - ,\"Microsoft.Network/networkInterfaces/loadBalancers/read\",\"Microsoft.Network/networkInterfaces/providers/Microsoft.Insights/metricDefinitions/read\"\ - ,\"Microsoft.Network/loadBalancers/read\",\"Microsoft.Network/loadBalancers/backendAddressPools/read\"\ - ,\"Microsoft.Network/loadBalancers/frontendIPConfigurations/read\",\"Microsoft.Network/loadBalancers/loadBalancingRules/read\"\ - ,\"Microsoft.Network/loadBalancers/inboundNatRules/read\",\"Microsoft.Network/loadBalancers/providers/Microsoft.Insights/logDefinitions/read\"\ - ,\"Microsoft.Network/loadBalancers/networkInterfaces/read\",\"Microsoft.Network/loadBalancers/outboundRules/read\"\ - ,\"Microsoft.Network/loadBalancers/virtualMachines/read\",\"Microsoft.Network/loadBalancers/providers/Microsoft.Insights/metricDefinitions/read\"\ - ,\"Microsoft.Network/privateEndpoints/read\",\"Microsoft.Storage/storageAccounts/read\"\ - ,\"Microsoft.Storage/storageAccounts/blobServices/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/read\"\ - ,\"Microsoft.Storage/storageAccounts/fileServices/read\",\"Microsoft.Storage/storageAccounts/fileServices/shares/read\"\ - ,\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Compute/availabilitySets/read\"\ - ,\"Microsoft.Compute/virtualMachines/extensions/read\",\"Microsoft.Compute/disks/read\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2022-09-30T06:12:33.9068922Z\",\"updatedOn\":\"2023-01-31T07:06:15.6671218Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/05352d14-a920-4328-a0de-4cbe7430e26b\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"05352d14-a920-4328-a0de-4cbe7430e26b\"\ - },{\"properties\":{\"roleName\":\"Azure Center for SAP solutions service role\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Azure Center for SAP solutions\ - \ service role - This role is intended to be used for providing the permissions\ - \ to user assigned managed identity. Azure Center for SAP solutions will use\ - \ this identity to deploy and manage SAP systems.\",\"assignableScopes\":[\"\ - /\"],\"permissions\":[{\"actions\":[\"Microsoft.Resources/subscriptions/resourceGroups/write\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\"\ - ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/*\"\ - ,\"Microsoft.Network/loadBalancers/read\",\"Microsoft.Network/loadBalancers/write\"\ - ,\"Microsoft.Network/loadBalancers/backendAddressPools/read\",\"Microsoft.Network/loadBalancers/backendAddressPools/write\"\ - ,\"Microsoft.Network/loadBalancers/frontendIPConfigurations/read\",\"Microsoft.Network/loadBalancers/loadBalancingRules/read\"\ - ,\"Microsoft.Network/loadBalancers/inboundNatRules/read\",\"Microsoft.Network/loadBalancers/providers/Microsoft.Insights/logDefinitions/read\"\ - ,\"Microsoft.Network/loadBalancers/networkInterfaces/read\",\"Microsoft.Network/loadBalancers/outboundRules/read\"\ - ,\"Microsoft.Network/loadBalancers/virtualMachines/read\",\"Microsoft.Network/loadBalancers/providers/Microsoft.Insights/metricDefinitions/read\"\ - ,\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Network/networkInterfaces/write\"\ - ,\"Microsoft.Network/networkInterfaces/ipconfigurations/read\",\"Microsoft.Network/networkInterfaces/loadBalancers/read\"\ - ,\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/checkIpAddressAvailability/read\"\ - ,\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Network/virtualNetworks/subnets/virtualMachines/read\"\ - ,\"Microsoft.Network/virtualNetworks/virtualMachines/read\",\"Microsoft.Network/networkInterfaces/ipconfigurations/join/action\"\ - ,\"Microsoft.Network/privateEndpoints/read\",\"Microsoft.Network/privateEndpoints/write\"\ - ,\"Microsoft.Network/networkInterfaces/join/action\",\"Microsoft.Network/loadBalancers/backendAddressPools/join/action\"\ - ,\"Microsoft.Network/loadBalancers/frontendIPConfigurations/join/action\"\ - ,\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/virtualNetworks/subnets/joinLoadBalancer/action\"\ - ,\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.Storage/storageAccounts/write\"\ - ,\"Microsoft.Storage/storageAccounts/PrivateEndpointConnectionsApproval/action\"\ - ,\"Microsoft.Storage/storageAccounts/blobServices/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/read\"\ - ,\"Microsoft.Storage/storageAccounts/fileServices/read\",\"Microsoft.Storage/storageAccounts/fileServices/write\"\ - ,\"Microsoft.Storage/storageAccounts/fileServices/shares/read\",\"Microsoft.Storage/storageAccounts/fileServices/shares/write\"\ - ,\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Compute/virtualMachines/write\"\ - ,\"Microsoft.Compute/virtualMachines/instanceView/read\",\"Microsoft.Compute/availabilitySets/read\"\ - ,\"Microsoft.Compute/availabilitySets/write\",\"Microsoft.Compute/skus/read\"\ - ,\"Microsoft.Compute/sshPublicKeys/read\",\"Microsoft.Compute/virtualMachines/extensions/read\"\ - ,\"Microsoft.Compute/virtualMachines/extensions/write\",\"Microsoft.Compute/virtualMachines/extensions/delete\"\ - ,\"Microsoft.Compute/disks/read\",\"Microsoft.Compute/disks/write\"],\"notActions\"\ - :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-09-30T06:12:34.4541883Z\"\ - ,\"updatedOn\":\"2023-01-31T07:21:28.5445523Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/aabbc5dd-1af0-458b-a942-81af88f9c138\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"aabbc5dd-1af0-458b-a942-81af88f9c138\"\ - },{\"properties\":{\"roleName\":\"Azure Center for SAP solutions administrator\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"This role provides read and write\ - \ access to all capabilities of Azure Center for SAP solutions.\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Workloads/sapvirtualInstances/*/read\"\ - ,\"Microsoft.Workloads/sapVirtualInstances/*/write\",\"Microsoft.Workloads/sapVirtualInstances/*/delete\"\ - ,\"Microsoft.Workloads/Locations/*/action\",\"Microsoft.Workloads/Locations/*/read\"\ - ,\"Microsoft.Workloads/sapVirtualInstances/*/start/action\",\"Microsoft.Workloads/sapVirtualInstances/*/stop/action\"\ - ,\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Insights/alertRules/*\"\ - ,\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Authorization/*/read\"\ - ,\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/write\"\ - ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ - ,\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/providers/Microsoft.Insights/metricDefinitions/read\"\ - ,\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Network/virtualNetworks/subnets/write\"\ - ,\"Microsoft.Network/virtualNetworks/subnets/virtualMachines/read\",\"Microsoft.Network/networkInterfaces/read\"\ - ,\"Microsoft.Network/networkInterfaces/ipconfigurations/read\",\"Microsoft.Network/networkInterfaces/loadBalancers/read\"\ - ,\"Microsoft.Network/networkInterfaces/providers/Microsoft.Insights/metricDefinitions/read\"\ - ,\"Microsoft.Network/loadBalancers/read\",\"Microsoft.Network/loadBalancers/backendAddressPools/read\"\ - ,\"Microsoft.Network/loadBalancers/frontendIPConfigurations/read\",\"Microsoft.Network/loadBalancers/loadBalancingRules/read\"\ - ,\"Microsoft.Network/loadBalancers/inboundNatRules/read\",\"Microsoft.Network/loadBalancers/providers/Microsoft.Insights/logDefinitions/read\"\ - ,\"Microsoft.Network/loadBalancers/networkInterfaces/read\",\"Microsoft.Network/loadBalancers/outboundRules/read\"\ - ,\"Microsoft.Network/loadBalancers/virtualMachines/read\",\"Microsoft.Network/loadBalancers/providers/Microsoft.Insights/metricDefinitions/read\"\ - ,\"Microsoft.Network/privateEndpoints/read\",\"Microsoft.Network/networkSecurityGroups/join/action\"\ - ,\"Microsoft.Network/routeTables/join/action\",\"Microsoft.Storage/storageAccounts/read\"\ - ,\"Microsoft.Storage/storageAccounts/blobServices/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/read\"\ - ,\"Microsoft.Storage/storageAccounts/fileServices/read\",\"Microsoft.Storage/storageAccounts/fileServices/shares/read\"\ - ,\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Compute/availabilitySets/read\"\ - ,\"Microsoft.Compute/sshPublicKeys/read\",\"Microsoft.Compute/sshPublicKeys/write\"\ - ,\"Microsoft.Compute/sshPublicKeys/*/generateKeyPair/action\",\"Microsoft.Compute/virtualMachines/extensions/read\"\ - ,\"Microsoft.Compute/virtualMachines/extensions/delete\",\"Microsoft.Compute/disks/read\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/read\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2022-10-03T15:02:12.4663451Z\",\"\ - updatedOn\":\"2023-02-01T17:46:41.4114907Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7b0c7e81-271f-4c71-90bf-e30bdfdbc2f7\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7b0c7e81-271f-4c71-90bf-e30bdfdbc2f7\"\ - },{\"properties\":{\"roleName\":\"Azure Traffic Controller Configuration Manager\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Allows access to traffic controller\ - \ resource. Also allows all confiuration Updates on traffic controller\",\"\ - assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ServiceNetworking/trafficControllers/read\"\ - ,\"Microsoft.ServiceNetworking/trafficControllers/write\",\"Microsoft.ServiceNetworking/trafficControllers/delete\"\ - ,\"Microsoft.ServiceNetworking/trafficControllers/frontends/read\",\"Microsoft.ServiceNetworking/trafficControllers/frontends/write\"\ - ,\"Microsoft.ServiceNetworking/trafficControllers/frontends/delete\",\"Microsoft.ServiceNetworking/trafficControllers/associations/read\"\ - ,\"Microsoft.ServiceNetworking/trafficControllers/associations/write\",\"\ - Microsoft.ServiceNetworking/trafficControllers/associations/delete\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\"\ - ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"\ - Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\"\ - ,\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.ServiceNetworking/trafficControllers/serviceRoutingConfigurations/read\"\ - ,\"Microsoft.ServiceNetworking/trafficControllers/serviceRoutingConfigurations/write\"\ - ,\"Microsoft.ServiceNetworking/trafficControllers/serviceRoutingConfigurations/delete\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2022-10-05T01:07:25.0493972Z\",\"\ - updatedOn\":\"2022-10-26T23:56:58.2547550Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fbc52c3f-28ad-4303-a892-8a056630b8f1\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fbc52c3f-28ad-4303-a892-8a056630b8f1\"\ - },{\"properties\":{\"roleName\":\"FHIR SMART User\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Role allows user to access FHIR Service according to SMART\ - \ on FHIR specification\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ - actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.HealthcareApis/services/fhir/resources/read\"\ - ,\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/read\",\"Microsoft.HealthcareApis/services/fhir/resources/smart/action\"\ - ,\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/smart/action\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2022-10-25T15:11:56.8461766Z\",\"\ - updatedOn\":\"2022-12-05T20:11:06.0992340Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4ba50f17-9666-485c-a643-ff00808643f0\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4ba50f17-9666-485c-a643-ff00808643f0\"\ - },{\"properties\":{\"roleName\":\"Cognitive Services OpenAI Contributor\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Full access including the ability\ - \ to fine-tune, deploy and generate text\",\"assignableScopes\":[\"/\"],\"\ - permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\"\ - ,\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\"\ - :[\"Microsoft.CognitiveServices/accounts/OpenAI/*\"],\"notDataActions\":[]}],\"\ - createdOn\":\"2022-10-25T20:16:34.9493725Z\",\"updatedOn\":\"2022-10-25T20:16:34.9493725Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a001fd3d-188f-4b5d-821b-7da978bf7442\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a001fd3d-188f-4b5d-821b-7da978bf7442\"\ - },{\"properties\":{\"roleName\":\"Cognitive Services OpenAI User\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Ability to view files, models, deployments.\ - \ Readers can't make any changes They can inference\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"\ - ,\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"\ - ],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/OpenAI/*/read\"\ - ,\"Microsoft.CognitiveServices/accounts/OpenAI/engines/completions/action\"\ - ,\"Microsoft.CognitiveServices/accounts/OpenAI/engines/search/action\",\"\ - Microsoft.CognitiveServices/accounts/OpenAI/engines/generate/action\",\"Microsoft.CognitiveServices/accounts/OpenAI/engines/completions/write\"\ - ,\"Microsoft.CognitiveServices/accounts/OpenAI/deployments/search/action\"\ - ,\"Microsoft.CognitiveServices/accounts/OpenAI/deployments/completions/action\"\ - ,\"Microsoft.CognitiveServices/accounts/OpenAI/deployments/embeddings/action\"\ - ,\"Microsoft.CognitiveServices/accounts/OpenAI/deployments/completions/write\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2022-10-25T20:16:34.9493725Z\",\"\ - updatedOn\":\"2022-10-25T20:16:34.9493725Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5e0bd9bd-7b93-4f28-af87-19fc36ad61bd\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5e0bd9bd-7b93-4f28-af87-19fc36ad61bd\"\ - },{\"properties\":{\"roleName\":\"Impact Reporter\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Allows access to create/report, read and delete impacts\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Impact/WorkloadImpacts/*\"\ - ,\"Microsoft.Impact/ImpactCategories/read\"],\"notActions\":[],\"dataActions\"\ - :[],\"notDataActions\":[]}],\"createdOn\":\"2022-10-26T20:23:26.2218757Z\"\ - ,\"updatedOn\":\"2022-11-04T20:01:52.7464373Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/36e80216-a7e8-4f42-a7e1-f12c98cbaf8a\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"36e80216-a7e8-4f42-a7e1-f12c98cbaf8a\"\ - },{\"properties\":{\"roleName\":\"Impact Reader\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"Allows read-only access to reported impacts and impact\ - \ categories\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.Impact/WorkloadImpacts/read\",\"Microsoft.Impact/ImpactCategories/read\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2022-10-26T20:38:41.9711782Z\",\"updatedOn\":\"2022-11-04T20:01:52.7464373Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/68ff5d27-c7f5-4fa9-a21c-785d0df7bd9e\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"68ff5d27-c7f5-4fa9-a21c-785d0df7bd9e\"\ - },{\"properties\":{\"roleName\":\"ContainerApp Reader\",\"type\":\"BuiltInRole\"\ - ,\"description\":\"View all containerapp resources, but does not allow you\ - \ to make any changes.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ - actions\":[\"Microsoft.App/containerApps/*/read\",\"Microsoft.App/containerApps/read\"\ - ,\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"\ - Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2022-11-04T22:03:42.8478872Z\",\"updatedOn\":\"2022-12-20T18:33:40.2659251Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ad2dd5fb-cd4b-4fd4-a9b6-4fed3630980b\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ad2dd5fb-cd4b-4fd4-a9b6-4fed3630980b\"\ - },{\"properties\":{\"roleName\":\"Azure Kubernetes Service Cluster Monitoring\ - \ User\",\"type\":\"BuiltInRole\",\"description\":\"List cluster monitoring\ - \ user credential action.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ - actions\":[\"Microsoft.ContainerService/managedClusters/listClusterMonitoringUserCredential/action\"\ - ,\"Microsoft.ContainerService/managedClusters/read\"],\"notActions\":[],\"\ - dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-11-07T16:03:48.7116491Z\"\ - ,\"updatedOn\":\"2023-02-02T03:07:23.3237688Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1afdec4b-e479-420e-99e7-f82237c7c5e6\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1afdec4b-e479-420e-99e7-f82237c7c5e6\"\ - },{\"properties\":{\"roleName\":\"Azure Connected Machine Resource Manager\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Custom Role for AzureStackHCI\ - \ RP to manage hybrid compute machines and hybrid connectivity endpoints in\ - \ a resource group\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.HybridConnectivity/endpoints/read\",\"Microsoft.HybridConnectivity/endpoints/write\"\ - ,\"Microsoft.HybridCompute/machines/read\",\"Microsoft.HybridCompute/machines/write\"\ - ,\"Microsoft.HybridCompute/machines/delete\",\"Microsoft.HybridCompute/machines/extensions/read\"\ - ,\"Microsoft.HybridCompute/machines/extensions/write\",\"Microsoft.HybridCompute/machines/extensions/delete\"\ - ,\"Microsoft.HybridCompute/*/read\",\"Microsoft.HybridCompute/machines/UpgradeExtensions/action\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2022-11-11T07:00:46.0732593Z\",\"updatedOn\":\"2022-11-15T20:31:55.6998835Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f5819b54-e033-4d82-ac66-4fec3cbf3f4c\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f5819b54-e033-4d82-ac66-4fec3cbf3f4c\"\ - },{\"properties\":{\"roleName\":\"Bayer Ag Powered Services Imagery Solution\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Provide access to Imagery Solution\ - \ by Bayer Ag Powered Services\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AgFoodPlatform/farmBeats/parties/boundaries/read\"\ - ,\"Microsoft.AgFoodPlatform/farmBeats/parties/boundaries/write\",\"Microsoft.AgFoodPlatform/farmBeats/ingestionJobs/satelliteDataIngestionJobs/*\"\ - ,\"Microsoft.AgFoodPlatform/farmBeats/scenes/*\",\"Microsoft.AgFoodPlatform/farmBeats/parties/models/resourceTypes/resources/insights/*\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2023-01-10T09:47:50.1779616Z\",\"\ - updatedOn\":\"2023-01-23T16:15:00.1034258Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ef29765d-0d37-4119-a4f8-f9f9902c9588\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ef29765d-0d37-4119-a4f8-f9f9902c9588\"\ - },{\"properties\":{\"roleName\":\"Bayer Ag Powered Services GDU Solution\"\ - ,\"type\":\"BuiltInRole\",\"description\":\"Provide access to GDU Solution\ - \ by Bayer Ag Powered Services\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AgFoodPlatform/farmBeats/parties/boundaries/read\"\ - ,\"Microsoft.AgFoodPlatform/farmBeats/parties/models/resourceTypes/resources/insights/*\"\ - ],\"notDataActions\":[]}],\"createdOn\":\"2023-01-10T09:47:50.1779616Z\",\"\ - updatedOn\":\"2023-01-23T16:15:00.1034258Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c4bc862a-3b64-4a35-a021-a380c159b042\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c4bc862a-3b64-4a35-a021-a380c159b042\"\ - },{\"properties\":{\"roleName\":\"Azure Center for SAP solutions Service role\ - \ for management\",\"type\":\"BuiltInRole\",\"description\":\"This role has\ - \ permissions that the user assigned managed identity must have to enable\ - \ registration for the existing systems.\",\"assignableScopes\":[\"/\"],\"\ - permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[],\"notDataActions\"\ - :[]}],\"createdOn\":\"2023-01-11T08:53:15.6986879Z\",\"updatedOn\":\"2023-01-31T07:21:28.5445523Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0105a6b0-4bb9-43d2-982a-12806f9faddb\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0105a6b0-4bb9-43d2-982a-12806f9faddb\"\ - },{\"properties\":{\"roleName\":\"Azure Center for SAP solutions Management\ - \ role\",\"type\":\"BuiltInRole\",\"description\":\"This role has permissions\ - \ which allow users to register existing systems, view and manage systems.\"\ - ,\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\"\ - :[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2023-01-11T08:53:15.6986879Z\"\ - ,\"updatedOn\":\"2023-01-31T07:21:28.5445523Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6d949e1d-41e2-46e3-8920-c6e4f31a8310\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6d949e1d-41e2-46e3-8920-c6e4f31a8310\"\ - },{\"properties\":{\"roleName\":\"Azure Usage Billing Data Sender\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Azure Usage Billing shared BuiltIn role\ - \ to be used for all Customer Account Authentication\",\"assignableScopes\"\ - :[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\"\ - :[\"Microsoft.UsageBilling/accounts/inputs/send/action\"],\"notDataActions\"\ - :[]}],\"createdOn\":\"2023-01-11T20:30:19.7013219Z\",\"updatedOn\":\"2023-01-24T19:01:11.7372358Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f0310ce6-e953-4cf8-b892-fb1c87eaf7f6\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f0310ce6-e953-4cf8-b892-fb1c87eaf7f6\"\ - },{\"properties\":{\"roleName\":\"Azure Front Door Secret Reader\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Can view Azure Front Door secrets, but\ - \ can't make changes.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ - actions\":[\"Microsoft.Cdn/operationresults/profileresults/secretresults/read\"\ - ,\"Microsoft.Cdn/profiles/secrets/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2023-01-31T15:27:34.9715174Z\",\"updatedOn\":\"2023-01-31T15:27:34.9715174Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0db238c4-885e-4c4f-a933-aa2cef684fca\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0db238c4-885e-4c4f-a933-aa2cef684fca\"\ - },{\"properties\":{\"roleName\":\"Azure Front Door Domain Contributor\",\"\ - type\":\"BuiltInRole\",\"description\":\"Can manage Azure Front Door domains,\ - \ but can't grant access to other users.\",\"assignableScopes\":[\"/\"],\"\ - permissions\":[{\"actions\":[\"Microsoft.Cdn/operationresults/profileresults/customdomainresults/read\"\ - ,\"Microsoft.Cdn/profiles/customdomains/read\",\"Microsoft.Cdn/profiles/customdomains/write\"\ - ,\"Microsoft.Cdn/profiles/customdomains/delete\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2023-01-31T15:27:34.9715174Z\",\"updatedOn\":\"2023-01-31T15:27:34.9715174Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0ab34830-df19-4f8c-b84e-aa85b8afa6e8\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0ab34830-df19-4f8c-b84e-aa85b8afa6e8\"\ - },{\"properties\":{\"roleName\":\"Azure Front Door Domain Reader\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Can view Azure Front Door domains, but\ - \ can't make changes.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ - actions\":[\"Microsoft.Cdn/operationresults/profileresults/customdomainresults/read\"\ - ,\"Microsoft.Cdn/profiles/customdomains/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2023-01-31T15:27:34.9725169Z\",\"updatedOn\":\"2023-01-31T15:27:34.9725169Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0f99d363-226e-4dca-9920-b807cf8e1a5f\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0f99d363-226e-4dca-9920-b807cf8e1a5f\"\ - },{\"properties\":{\"roleName\":\"Azure Front Door Secret Contributor\",\"\ - type\":\"BuiltInRole\",\"description\":\"Can manage Azure Front Door secrets,\ - \ but can't grant access to other users.\",\"assignableScopes\":[\"/\"],\"\ - permissions\":[{\"actions\":[\"Microsoft.Cdn/operationresults/profileresults/secretresults/read\"\ - ,\"Microsoft.Cdn/profiles/secrets/read\",\"Microsoft.Cdn/profiles/secrets/write\"\ - ,\"Microsoft.Cdn/profiles/secrets/delete\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2023-01-31T15:27:34.9715174Z\",\"updatedOn\":\"2023-01-31T15:27:34.9715174Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3f2eb865-5811-4578-b90a-6fc6fa0df8e5\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3f2eb865-5811-4578-b90a-6fc6fa0df8e5\"\ - },{\"properties\":{\"roleName\":\"Azure Stack HCI registration role\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Custom Azure role to allow subscription-level\ - \ access to register Azure Stack HCI\",\"assignableScopes\":[\"/\"],\"permissions\"\ - :[{\"actions\":[\"Microsoft.AzureStackHCI/register/action\",\"Microsoft.AzureStackHCI/Unregister/Action\"\ - ,\"Microsoft.AzureStackHCI/clusters/*\"],\"notActions\":[],\"dataActions\"\ - :[],\"notDataActions\":[]}],\"createdOn\":\"2023-02-01T05:07:09.8184980Z\"\ - ,\"updatedOn\":\"2023-02-01T05:07:09.8184980Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/bda0d508-adf1-4af0-9c28-88919fc3ae06\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"bda0d508-adf1-4af0-9c28-88919fc3ae06\"\ - },{\"properties\":{\"roleName\":\"MySQL Backup And Export Operator\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Grants full access to manage backup and\ - \ export resources\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\"\ - :[\"Microsoft.DBforMySQL/flexibleServers/validateBackup/action\",\"Microsoft.DBforMySQL/flexibleServers/backupAndExport/action\"\ - ,\"Microsoft.DBforMySQL/locations/operationResults/read\",\"Microsoft.DBforMySQL/locations/azureAsyncOperation/read\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2023-02-01T06:07:53.2476095Z\",\"updatedOn\":\"2023-02-10T01:05:53.9294183Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d18ad5f3-1baf-4119-b49b-d944edb1f9d0\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d18ad5f3-1baf-4119-b49b-d944edb1f9d0\"\ - },{\"properties\":{\"roleName\":\"LocalNGFirewallAdministrator role\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Allows user to create, modify, describe,\ - \ or delete NGFirewalls.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ - actions\":[\"PaloAltoNetworks.Cloudngfw/firewalls/*\",\"PaloAltoNetworks.Cloudngfw/localRulestacks/read\"\ - ,\"PaloAltoNetworks.Cloudngfw/globalRulestacks/read\",\"PaloAltoNetworks.Cloudngfw/Locations/operationStatuses/read\"\ - ,\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"\ - Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.ResourceHealth/availabilityStatuses/read\"],\"notActions\":[],\"\ - dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2023-02-01T11:41:41.0153565Z\"\ - ,\"updatedOn\":\"2023-02-08T05:23:32.2826735Z\",\"createdBy\":null,\"updatedBy\"\ - :null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a8835c7d-b5cb-47fa-b6f0-65ea10ce07a2\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a8835c7d-b5cb-47fa-b6f0-65ea10ce07a2\"\ - },{\"properties\":{\"roleName\":\"LocalRulestacksAdministrator role\",\"type\"\ - :\"BuiltInRole\",\"description\":\"Allows users to create, modify, describe,\ - \ or delete Rulestacks.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"\ - actions\":[\"PaloAltoNetworks.Cloudngfw/localRulestacks/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"\ - ,\"Microsoft.Authorization/*/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\"\ - ,\"Microsoft.Resources/deployments/*\",\"Microsoft.Insights/alertRules/*\"\ - ],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\"\ - :\"2023-02-01T11:41:41.0153565Z\",\"updatedOn\":\"2023-02-08T05:23:32.2806744Z\"\ - ,\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/bfc3b73d-c6ff-45eb-9a5f-40298295bf20\"\ - ,\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"bfc3b73d-c6ff-45eb-9a5f-40298295bf20\"\ - }]}" + string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#servicePrincipals","value":[]}' headers: cache-control: - no-cache content-length: - - '469134' + - '92' content-type: - - application/json; charset=utf-8 + - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 date: - - Mon, 13 Feb 2023 07:39:42 GMT - expires: - - '-1' - pragma: - - no-cache + - Mon, 05 Sep 2022 11:49:47 GMT + odata-version: + - '4.0' + request-id: + - 89614de0-eb8c-4844-b45c-1361cc221cf6 strict-transport-security: - - max-age=31536000; includeSubDomains + - max-age=31536000 transfer-encoding: - chunked vary: - Accept-Encoding - x-content-type-options: - - nosniff + x-ms-ags-diagnostic: + - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"000","RoleInstance":"MA1PEPF00002511"}}' + x-ms-resource-unit: + - '1' status: code: 200 message: OK - request: - body: '{"ids": ["b864e281-c12e-45c6-a0c7-6046a7de5481"], "types": ["user", "group", + body: '{"ids": ["f41bd262-eb21-47f1-9706-f12132d865e3"], "types": ["user", "group", "servicePrincipal", "directoryObjectPartnerReference"]}' headers: Accept: @@ -12747,30 +3675,30 @@ interactions: Content-Type: - application/json ParameterSetName: - - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance - --keyvault-id --yes + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes User-Agent: - - python/3.10.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.45.0 (PIP) + - python/3.8.5 (Windows-10-10.0.22000-SP0) AZURECLI/2.39.0 method: POST uri: https://graph.microsoft.com/v1.0/directoryObjects/getByIds response: body: - string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#directoryObjects","value":[{"@odata.type":"#microsoft.graph.servicePrincipal","id":"b864e281-c12e-45c6-a0c7-6046a7de5481","deletedDateTime":null,"accountEnabled":true,"alternativeNames":["isExplicit=False","/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault"],"appDisplayName":null,"appDescription":null,"appId":"49bc63b1-190a-4f4e-a962-58db2c2f7112","applicationTemplateId":null,"appOwnerOrganizationId":null,"appRoleAssignmentRequired":false,"createdDateTime":"2021-08-26T09:13:20Z","description":null,"disabledByMicrosoftStatus":null,"displayName":"oss-clitest-vault","homepage":null,"loginUrl":null,"logoutUrl":null,"notes":null,"notificationEmailAddresses":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyThumbprint":null,"replyUrls":[],"servicePrincipalNames":["49bc63b1-190a-4f4e-a962-58db2c2f7112","https://identity.azure.net/QVMExgU4rxwt5XEm5whEdHZLrmsaL9M/n/eZXzCcN54="],"servicePrincipalType":"ManagedIdentity","signInAudience":null,"tags":[],"tokenEncryptionKeyId":null,"info":null,"samlSingleSignOnSettings":null,"addIns":[],"appRoles":[],"keyCredentials":[{"customKeyIdentifier":"D81E29CF74F0D83AE8C4D6E335C80A846694493A","displayName":"CN=49bc63b1-190a-4f4e-a962-58db2c2f7112","endDateTime":"2023-05-07T10:47:00Z","key":null,"keyId":"ba62a45a-7c3e-48d9-8a26-4674ca0d2e6b","startDateTime":"2023-02-06T10:47:00Z","type":"AsymmetricX509Cert","usage":"Verify"},{"customKeyIdentifier":"50D92789D8B8CDCCD8F24C7C3E728CC31A604273","displayName":"CN=49bc63b1-190a-4f4e-a962-58db2c2f7112","endDateTime":"2023-03-20T10:44:00Z","key":null,"keyId":"889476c3-7ce1-4171-a0f1-8e5deff2b55c","startDateTime":"2022-12-20T10:44:00Z","type":"AsymmetricX509Cert","usage":"Verify"},{"customKeyIdentifier":"EA95E9828C3105C61A487EB9C460DD23219283B7","displayName":"CN=49bc63b1-190a-4f4e-a962-58db2c2f7112","endDateTime":"2023-01-31T10:42:00Z","key":null,"keyId":"a12bf698-5738-4bf0-9f17-e514f4365719","startDateTime":"2022-11-02T10:42:00Z","type":"AsymmetricX509Cert","usage":"Verify"}],"oauth2PermissionScopes":[],"passwordCredentials":[],"resourceSpecificApplicationPermissions":[],"verifiedPublisher":{"displayName":null,"verifiedPublisherId":null,"addedDateTime":null}}]}' + string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#directoryObjects","value":[{"@odata.type":"#microsoft.graph.servicePrincipal","id":"f41bd262-eb21-47f1-9706-f12132d865e3","deletedDateTime":null,"accountEnabled":true,"alternativeNames":["isExplicit=False","/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg/providers/Microsoft.DataProtection/BackupVaults/cli-test-new-vault"],"appDisplayName":null,"appDescription":null,"appId":"1666ae40-2096-498b-9acd-d5cc76560b85","applicationTemplateId":null,"appOwnerOrganizationId":null,"appRoleAssignmentRequired":false,"createdDateTime":"2022-09-05T11:45:43Z","description":null,"disabledByMicrosoftStatus":null,"displayName":"cli-test-new-vault","homepage":null,"loginUrl":null,"logoutUrl":null,"notes":null,"notificationEmailAddresses":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyThumbprint":null,"replyUrls":[],"servicePrincipalNames":["1666ae40-2096-498b-9acd-d5cc76560b85","https://identity.azure.net/yHvRErNNmOMZ4EezrAqFKc6Ca0cDdhCvjeK23cGv1hE="],"servicePrincipalType":"ManagedIdentity","signInAudience":null,"tags":[],"tokenEncryptionKeyId":null,"info":null,"samlSingleSignOnSettings":null,"addIns":[],"appRoles":[],"keyCredentials":[{"customKeyIdentifier":"2E54114573727C7AB82A79610024368806BB3E76","displayName":"CN=1666ae40-2096-498b-9acd-d5cc76560b85","endDateTime":"2022-12-04T11:40:00Z","key":null,"keyId":"091f0c89-7baf-4d09-9c75-83c18191f1f0","startDateTime":"2022-09-05T11:40:00Z","type":"AsymmetricX509Cert","usage":"Verify"}],"oauth2PermissionScopes":[],"passwordCredentials":[],"resourceSpecificApplicationPermissions":[],"verifiedPublisher":{"displayName":null,"verifiedPublisherId":null,"addedDateTime":null}}]}' headers: cache-control: - no-cache content-length: - - '2337' + - '1730' content-type: - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 date: - - Mon, 13 Feb 2023 07:39:43 GMT + - Mon, 05 Sep 2022 11:49:48 GMT location: - https://graph.microsoft.com odata-version: - '4.0' request-id: - - 160ad172-732e-46dd-88a7-20b887516534 + - f9b5ed0c-6b8a-49c1-b08e-c2ea6f79867b strict-transport-security: - max-age=31536000 transfer-encoding: @@ -12778,7 +3706,7 @@ interactions: vary: - Accept-Encoding x-ms-ags-diagnostic: - - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"001","RoleInstance":"MA1PEPF0000272F"}}' + - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"000","RoleInstance":"MA1PEPF000012F4"}}' x-ms-resource-unit: - '3' status: @@ -12796,146 +3724,105 @@ interactions: Connection: - keep-alive ParameterSetName: - - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance - --keyvault-id --yes + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-rdbms/10.2.0b6 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 + Azure-SDK-For-Python AZURECLI/2.39.0 + accept-language: + - en-US method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/firewallRules?api-version=2017-12-01 - response: - body: - string: '{"value":[]}' - headers: - cache-control: - - no-cache - content-length: - - '12' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 13 Feb 2023 07:39:45 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: '{"properties": {"startIpAddress": "0.0.0.0", "endIpAddress": "0.0.0.0"}}' - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-instance update-msi-permissions - Connection: - - keep-alive - Content-Length: - - '72' - Content-Type: - - application/json - ParameterSetName: - - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance - --keyvault-id --yes - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-rdbms/10.2.0b6 Python/3.10.7 (Windows-10-10.0.22621-SP0) - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/firewallRules/AllowAllWindowsAzureIps?api-version=2017-12-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Disk%20Snapshot%20Contributor%27&api-version=2018-01-01-preview response: body: - string: '{"operation":"UpsertElasticServerFirewallRules","startTime":"2023-02-13T07:39:45.673Z"}' + string: '{"value":[{"properties":{"roleName":"Disk Snapshot Contributor","type":"BuiltInRole","description":"Provides + permission to backup vault to manage disk snapshots.","assignableScopes":["/"],"permissions":[{"actions":["Microsoft.Authorization/*/read","Microsoft.Resources/subscriptions/resourceGroups/read","Microsoft.Compute/snapshots/delete","Microsoft.Compute/snapshots/write","Microsoft.Compute/snapshots/read","Microsoft.Compute/snapshots/beginGetAccess/action","Microsoft.Compute/snapshots/endGetAccess/action","Microsoft.Compute/disks/beginGetAccess/action","Microsoft.Storage/storageAccounts/listkeys/action","Microsoft.Storage/storageAccounts/write","Microsoft.Storage/storageAccounts/read","Microsoft.Storage/storageAccounts/delete"],"notActions":[],"dataActions":[],"notDataActions":[]}],"createdOn":"2020-12-15T12:18:51.4471411Z","updatedOn":"2021-11-11T20:14:56.9158814Z","createdBy":null,"updatedBy":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","type":"Microsoft.Authorization/roleDefinitions","name":"7efff54f-a5b4-42b5-a1c5-5411624893ce"}]}' headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DBforPostgreSQL/locations/centraluseuap/azureAsyncOperation/54d19a62-e6a4-4954-9ab6-6fcb310d0ad2?api-version=2017-12-01 cache-control: - no-cache content-length: - - '87' + - '1160' content-type: - application/json; charset=utf-8 date: - - Mon, 13 Feb 2023 07:39:45 GMT + - Mon, 05 Sep 2022 11:49:48 GMT expires: - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DBforPostgreSQL/locations/centraluseuap/operationResults/54d19a62-e6a4-4954-9ab6-6fcb310d0ad2?api-version=2017-12-01 pragma: - - no-cache - server: - - Microsoft-HTTPAPI/2.0 + - no-cache + set-cookie: + - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly strict-transport-security: - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1193' status: - code: 202 - message: Accepted + code: 200 + message: OK - request: - body: null + body: '{"properties": {"roleDefinitionId": "/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce", + "principalId": "f41bd262-eb21-47f1-9706-f12132d865e3", "principalType": "ServicePrincipal"}}' headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - dataprotection backup-instance update-msi-permissions Connection: - keep-alive + Content-Length: + - '270' + Content-Type: + - application/json; charset=utf-8 + Cookie: + - x-ms-gateway-slice=Production ParameterSetName: - - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance - --keyvault-id --yes + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-rdbms/10.2.0b6 Python/3.10.7 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DBforPostgreSQL/locations/centraluseuap/azureAsyncOperation/54d19a62-e6a4-4954-9ab6-6fcb310d0ad2?api-version=2017-12-01 + - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 + Azure-SDK-For-Python AZURECLI/2.39.0 + accept-language: + - en-US + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/14d078a0-ff7d-4677-aba3-9dc54afca23f?api-version=2020-04-01-preview response: body: - string: '{"name":"54d19a62-e6a4-4954-9ab6-6fcb310d0ad2","status":"Succeeded","startTime":"2023-02-13T07:39:45.673Z"}' + string: '{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"f41bd262-eb21-47f1-9706-f12132d865e3","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:49:49.5928772Z","updatedOn":"2022-09-05T11:49:50.0303876Z","createdBy":null,"updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/14d078a0-ff7d-4677-aba3-9dc54afca23f","type":"Microsoft.Authorization/roleAssignments","name":"14d078a0-ff7d-4677-aba3-9dc54afca23f"}' headers: cache-control: - no-cache content-length: - - '107' + - '873' content-type: - application/json; charset=utf-8 date: - - Mon, 13 Feb 2023 07:40:01 GMT + - Mon, 05 Sep 2022 11:49:54 GMT expires: - '-1' pragma: - no-cache - server: - - Microsoft-HTTPAPI/2.0 + set-cookie: + - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly strict-transport-security: - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding x-content-type-options: - nosniff + x-ms-ratelimit-remaining-subscription-writes: + - '1199' status: - code: 200 - message: OK + code: 201 + message: Created - request: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: @@ -12943,30 +3830,30 @@ interactions: Connection: - keep-alive ParameterSetName: - - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance - --keyvault-id --yes + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-rdbms/10.2.0b6 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/firewallRules/AllowAllWindowsAzureIps?api-version=2017-12-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault?api-version=2022-05-01 response: body: - string: '{"properties":{"startIpAddress":"0.0.0.0","endIpAddress":"0.0.0.0"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/firewallRules/AllowAllWindowsAzureIps","name":"AllowAllWindowsAzureIps","type":"Microsoft.DBforPostgreSQL/servers/firewallRules"}' + string: '{"location":"centraluseuap","identity":{"type":"SystemAssigned","principalId":"f41bd262-eb21-47f1-9706-f12132d865e3","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"properties":{"provisioningState":"Succeeded","storageSettings":[{"datastoreType":"VaultStore","type":"LocallyRedundant"}],"isVaultProtectedByResourceGuard":false,"monitoringSettings":{"azureMonitorAlertSettings":{"alertsForAllJobFailures":"Disabled"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault","name":"cli-test-new-vault","type":"Microsoft.DataProtection/backupVaults"}' headers: cache-control: - no-cache content-length: - - '348' + - '648' content-type: - - application/json; charset=utf-8 + - application/json date: - - Mon, 13 Feb 2023 07:40:01 GMT + - Mon, 05 Sep 2022 11:50:56 GMT expires: - '-1' pragma: - no-cache server: - - Microsoft-HTTPAPI/2.0 + - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -12975,6 +3862,10 @@ interactions: - Accept-Encoding x-content-type-options: - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '499' + x-powered-by: + - ASP.NET status: code: 200 message: OK @@ -12986,15 +3877,16 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - role assignment create + - dataprotection backup-instance update-msi-permissions Connection: - keep-alive ParameterSetName: - - --assignee --role --scope + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes User-Agent: - - python/3.10.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.45.0 (PIP) + - python/3.8.5 (Windows-10-10.0.22000-SP0) AZURECLI/2.39.0 method: GET - uri: https://graph.microsoft.com/v1.0/servicePrincipals?$filter=servicePrincipalNames%2Fany%28c%3Ac%20eq%20%2741753b57-b4fa-4774-80aa-414a3af0f706%27%29 + uri: https://graph.microsoft.com/v1.0/servicePrincipals?$filter=servicePrincipalNames%2Fany%28c%3Ac%20eq%20%27f41bd262-eb21-47f1-9706-f12132d865e3%27%29 response: body: string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#servicePrincipals","value":[]}' @@ -13006,11 +3898,11 @@ interactions: content-type: - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 date: - - Mon, 13 Feb 2023 07:41:02 GMT + - Mon, 05 Sep 2022 11:50:56 GMT odata-version: - '4.0' request-id: - - a473a16a-3dab-46d1-8cfb-bf14d23f3458 + - cb52e6c1-5dbe-4b72-a4af-b39353e2341d strict-transport-security: - max-age=31536000 transfer-encoding: @@ -13018,14 +3910,14 @@ interactions: vary: - Accept-Encoding x-ms-ags-diagnostic: - - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"000","RoleInstance":"MA1PEPF00004251"}}' + - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"000","RoleInstance":"MA1PEPF00002728"}}' x-ms-resource-unit: - '1' status: code: 200 message: OK - request: - body: '{"ids": ["41753b57-b4fa-4774-80aa-414a3af0f706"], "types": ["user", "group", + body: '{"ids": ["f41bd262-eb21-47f1-9706-f12132d865e3"], "types": ["user", "group", "servicePrincipal", "directoryObjectPartnerReference"]}' headers: Accept: @@ -13033,7 +3925,7 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - role assignment create + - dataprotection backup-instance update-msi-permissions Connection: - keep-alive Content-Length: @@ -13041,29 +3933,30 @@ interactions: Content-Type: - application/json ParameterSetName: - - --assignee --role --scope + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes User-Agent: - - python/3.10.7 (Windows-10-10.0.22621-SP0) AZURECLI/2.45.0 (PIP) + - python/3.8.5 (Windows-10-10.0.22000-SP0) AZURECLI/2.39.0 method: POST uri: https://graph.microsoft.com/v1.0/directoryObjects/getByIds response: body: - string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#directoryObjects","value":[{"@odata.type":"#microsoft.graph.servicePrincipal","id":"41753b57-b4fa-4774-80aa-414a3af0f706","deletedDateTime":null,"accountEnabled":true,"alternativeNames":["isExplicit=False","/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg/providers/Microsoft.DataProtection/BackupVaults/cli-test-new-vault1"],"appDisplayName":null,"appDescription":null,"appId":"fea0857b-fd83-4708-b252-0c5f0a38d6b0","applicationTemplateId":null,"appOwnerOrganizationId":null,"appRoleAssignmentRequired":false,"createdDateTime":"2023-02-13T07:30:29Z","description":null,"disabledByMicrosoftStatus":null,"displayName":"cli-test-new-vault1","homepage":null,"loginUrl":null,"logoutUrl":null,"notes":null,"notificationEmailAddresses":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyThumbprint":null,"replyUrls":[],"servicePrincipalNames":["fea0857b-fd83-4708-b252-0c5f0a38d6b0","https://identity.azure.net/2czira6fp81UmSQY0i+P6p1ObGIy33lZb5C/K/6SyDY="],"servicePrincipalType":"ManagedIdentity","signInAudience":null,"tags":[],"tokenEncryptionKeyId":null,"info":null,"samlSingleSignOnSettings":null,"addIns":[],"appRoles":[],"keyCredentials":[{"customKeyIdentifier":"81B4BF05CBCD13C46538514E74E2057DB2DD092E","displayName":"CN=fea0857b-fd83-4708-b252-0c5f0a38d6b0","endDateTime":"2023-05-14T07:25:00Z","key":null,"keyId":"3dac063a-25ed-4f07-a638-ed0fc6455a6e","startDateTime":"2023-02-13T07:25:00Z","type":"AsymmetricX509Cert","usage":"Verify"}],"oauth2PermissionScopes":[],"passwordCredentials":[],"resourceSpecificApplicationPermissions":[],"verifiedPublisher":{"displayName":null,"verifiedPublisherId":null,"addedDateTime":null}}]}' + string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#directoryObjects","value":[{"@odata.type":"#microsoft.graph.servicePrincipal","id":"f41bd262-eb21-47f1-9706-f12132d865e3","deletedDateTime":null,"accountEnabled":true,"alternativeNames":["isExplicit=False","/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg/providers/Microsoft.DataProtection/BackupVaults/cli-test-new-vault"],"appDisplayName":null,"appDescription":null,"appId":"1666ae40-2096-498b-9acd-d5cc76560b85","applicationTemplateId":null,"appOwnerOrganizationId":null,"appRoleAssignmentRequired":false,"createdDateTime":"2022-09-05T11:45:43Z","description":null,"disabledByMicrosoftStatus":null,"displayName":"cli-test-new-vault","homepage":null,"loginUrl":null,"logoutUrl":null,"notes":null,"notificationEmailAddresses":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyThumbprint":null,"replyUrls":[],"servicePrincipalNames":["1666ae40-2096-498b-9acd-d5cc76560b85","https://identity.azure.net/yHvRErNNmOMZ4EezrAqFKc6Ca0cDdhCvjeK23cGv1hE="],"servicePrincipalType":"ManagedIdentity","signInAudience":null,"tags":[],"tokenEncryptionKeyId":null,"info":null,"samlSingleSignOnSettings":null,"addIns":[],"appRoles":[],"keyCredentials":[{"customKeyIdentifier":"2E54114573727C7AB82A79610024368806BB3E76","displayName":"CN=1666ae40-2096-498b-9acd-d5cc76560b85","endDateTime":"2022-12-04T11:40:00Z","key":null,"keyId":"091f0c89-7baf-4d09-9c75-83c18191f1f0","startDateTime":"2022-09-05T11:40:00Z","type":"AsymmetricX509Cert","usage":"Verify"}],"oauth2PermissionScopes":[],"passwordCredentials":[],"resourceSpecificApplicationPermissions":[],"verifiedPublisher":{"displayName":null,"verifiedPublisherId":null,"addedDateTime":null}}]}' headers: cache-control: - no-cache content-length: - - '1732' + - '1730' content-type: - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 date: - - Mon, 13 Feb 2023 07:41:02 GMT + - Mon, 05 Sep 2022 11:50:56 GMT location: - https://graph.microsoft.com odata-version: - '4.0' request-id: - - fc13837d-2091-4e02-ba2b-69a1999878f6 + - 2bb9bd4d-1c7d-4647-a1f7-53a9c957a924 strict-transport-security: - max-age=31536000 transfer-encoding: @@ -13071,7 +3964,7 @@ interactions: vary: - Accept-Encoding x-ms-ags-diagnostic: - - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"000","RoleInstance":"MA1PEPF00002722"}}' + - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"000","RoleInstance":"MA1PEPF00002511"}}' x-ms-resource-unit: - '3' status: @@ -13085,31 +3978,32 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - role assignment create + - dataprotection backup-instance update-msi-permissions Connection: - keep-alive ParameterSetName: - - --assignee --role --scope + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes User-Agent: - - python/3.10.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 - azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.45.0 (PIP) + - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 + Azure-SDK-For-Python AZURECLI/2.39.0 accept-language: - en-US method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Disk%20Restore%20Operator%27&api-version=2018-01-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount/providers/Microsoft.Authorization/roleAssignments?$filter=atScope%28%29&api-version=2020-04-01-preview response: body: - string: '{"value":[{"properties":{"roleName":"Disk Restore Operator","type":"BuiltInRole","description":"Provides - permission to backup vault to perform disk restore.","assignableScopes":["/"],"permissions":[{"actions":["Microsoft.Authorization/*/read","Microsoft.Resources/subscriptions/resourceGroups/read","Microsoft.Compute/disks/write","Microsoft.Compute/disks/read"],"notActions":[],"dataActions":[],"notDataActions":[]}],"createdOn":"2020-12-15T12:18:31.8481619Z","updatedOn":"2021-11-11T20:14:56.7408912Z","createdBy":null,"updatedBy":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","type":"Microsoft.Authorization/roleDefinitions","name":"b50d9833-a0cb-478e-945f-707fcc997c13"}]}' + string: '{"value":[{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"5c617d2b-99f8-4c90-98fe-dfe040fa33c1","principalType":"ServicePrincipal","scope":"/","condition":null,"conditionVersion":null,"createdOn":"2018-02-27T19:19:50.2663941Z","updatedOn":"2018-02-27T19:19:50.2663941Z","createdBy":null,"updatedBy":null,"delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Authorization/roleAssignments/3e883d24-b106-42ff-ad13-d7bf271b964d","type":"Microsoft.Authorization/roleAssignments","name":"3e883d24-b106-42ff-ad13-d7bf271b964d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"1d8b8d73-0cc6-4db8-b112-724b4a932253","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-26T12:22:13.7498923Z","updatedOn":"2019-08-26T12:22:13.7498923Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8c3a4de9-1ebd-47ce-9dd9-bebf87a4e28f","type":"Microsoft.Authorization/roleAssignments","name":"8c3a4de9-1ebd-47ce-9dd9-bebf87a4e28f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"1e845bc3-37db-4639-be09-d0cf1e448221","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-05-24T11:02:27.8515917Z","updatedOn":"2019-05-24T11:02:27.8515917Z","createdBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","updatedBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b5eee4d7-5f9f-4f63-8040-8aec158c289b","type":"Microsoft.Authorization/roleAssignments","name":"b5eee4d7-5f9f-4f63-8040-8aec158c289b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"235b2664-75e2-4741-bb6f-37e49babf6cd","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-02-12T11:34:59.7104212Z","updatedOn":"2020-02-12T11:34:59.7104212Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/f0618702-8404-4858-9a26-e61f23e7d44f","type":"Microsoft.Authorization/roleAssignments","name":"f0618702-8404-4858-9a26-e61f23e7d44f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8bb5b214-1182-465c-892f-ca7235abe1e7","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-11-14T08:52:42.2795010Z","updatedOn":"2019-11-14T08:52:42.2795010Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/77daac38-9839-4b00-921b-e5d5a03e728c","type":"Microsoft.Authorization/roleAssignments","name":"77daac38-9839-4b00-921b-e5d5a03e728c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"9693df58-7f72-4974-9bd3-1c3ceb0382f1","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-11-29T09:40:04.3180033Z","updatedOn":"2018-11-29T09:40:04.3180033Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ed3bf874-9c97-43f9-a5e9-b4ee6f8982f7","type":"Microsoft.Authorization/roleAssignments","name":"ed3bf874-9c97-43f9-a5e9-b4ee6f8982f7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"d1f96755-9bcf-44b8-ab82-df67360496c4","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-05-08T10:28:08.2854940Z","updatedOn":"2020-05-08T10:28:08.2854940Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/dfb3ca56-a0d4-44ce-ba35-b716c3fdab86","type":"Microsoft.Authorization/roleAssignments","name":"dfb3ca56-a0d4-44ce-ba35-b716c3fdab86"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-12-31T09:26:43.6440415Z","updatedOn":"2018-12-31T09:26:43.6440415Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/45744ea8-780f-4f3e-88aa-b73d7f6997b2","type":"Microsoft.Authorization/roleAssignments","name":"45744ea8-780f-4f3e-88aa-b73d7f6997b2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e65078fb-6b02-434a-9f11-d06bf9bc0600","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-10-25T23:42:36.3444507Z","updatedOn":"2018-10-25T23:42:36.3444507Z","createdBy":"66cb55a5-e2a8-44ef-ae4b-5ab8fa2ec8d9","updatedBy":"66cb55a5-e2a8-44ef-ae4b-5ab8fa2ec8d9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e7ce51e8-4109-41d7-bc10-538b089599db","type":"Microsoft.Authorization/roleAssignments","name":"e7ce51e8-4109-41d7-bc10-538b089599db"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"a7782e0f-1f9a-4882-b2c9-11227aad244e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-06-16T04:32:50.9673703Z","updatedOn":"2020-06-16T04:32:50.9673703Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9fa21f2f-81c3-47b6-b706-650b359b96c3","type":"Microsoft.Authorization/roleAssignments","name":"9fa21f2f-81c3-47b6-b706-650b359b96c3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"00b14177-f4d2-4a4b-94f6-6e80f75745c9","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-03-12T09:49:11.3750683Z","updatedOn":"2020-03-12T09:49:11.3750683Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fff0abf3-3cf7-46be-8bc7-1d1619a160fb","type":"Microsoft.Authorization/roleAssignments","name":"fff0abf3-3cf7-46be-8bc7-1d1619a160fb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"1d8b8d73-0cc6-4db8-b112-724b4a932253","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-26T10:28:45.4880023Z","updatedOn":"2019-08-26T10:28:45.4880023Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/397a3c9c-c258-4d4e-834d-00cc08227796","type":"Microsoft.Authorization/roleAssignments","name":"397a3c9c-c258-4d4e-834d-00cc08227796"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"235b2664-75e2-4741-bb6f-37e49babf6cd","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-12-05T04:29:28.7359096Z","updatedOn":"2018-12-05T04:29:28.7359096Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3c830f42-5f89-4d8b-8f93-d3dc936f33bd","type":"Microsoft.Authorization/roleAssignments","name":"3c830f42-5f89-4d8b-8f93-d3dc936f33bd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-04-08T08:38:50.1742930Z","updatedOn":"2020-04-08T08:38:50.1742930Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/5293a96b-830e-45f4-9e9e-22d7d020f0d8","type":"Microsoft.Authorization/roleAssignments","name":"5293a96b-830e-45f4-9e9e-22d7d020f0d8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3421d717-ca60-44e7-a9a1-773acec4e503","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-10-23T09:40:14.7658272Z","updatedOn":"2019-10-23T09:40:14.7658272Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/34b29558-faf9-43f0-a194-35ca0aa99fc5","type":"Microsoft.Authorization/roleAssignments","name":"34b29558-faf9-43f0-a194-35ca0aa99fc5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3dc88d41-4d03-4105-970d-937e56de3839","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-06-27T12:59:44.6557891Z","updatedOn":"2019-06-27T12:59:44.6557891Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e57ab8d1-ce9a-4925-b09f-2567492d9b22","type":"Microsoft.Authorization/roleAssignments","name":"e57ab8d1-ce9a-4925-b09f-2567492d9b22"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"62c799b8-9b54-4c3d-97c9-9490d16a6a9a","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-08T13:01:20.9953919Z","updatedOn":"2019-08-08T13:01:20.9953919Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e1b91810-0781-462d-9517-764e4a033822","type":"Microsoft.Authorization/roleAssignments","name":"e1b91810-0781-462d-9517-764e4a033822"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8bb5b214-1182-465c-892f-ca7235abe1e7","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-10-23T08:03:15.6803676Z","updatedOn":"2019-10-23T08:03:15.6803676Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/facbac06-ddab-437d-949a-207593fddfff","type":"Microsoft.Authorization/roleAssignments","name":"facbac06-ddab-437d-949a-207593fddfff"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"978b254a-54be-42af-80f5-e2a37b2e40e5","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-07-08T06:57:57.0377373Z","updatedOn":"2019-07-08T06:57:57.0377373Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/89be5b0a-dfa8-4bdf-b667-c6f63f7f3f0e","type":"Microsoft.Authorization/roleAssignments","name":"89be5b0a-dfa8-4bdf-b667-c6f63f7f3f0e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"9c973a07-b207-473c-9687-bd693ba8e460","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-04-17T09:14:08.7913669Z","updatedOn":"2020-04-17T09:14:08.7913669Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/950c635a-23a5-4a0e-8eb6-c53e929c9699","type":"Microsoft.Authorization/roleAssignments","name":"950c635a-23a5-4a0e-8eb6-c53e929c9699"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a4eae46b-a9d0-4586-8ac9-ba91b29f1d57","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-02-01T10:05:44.6784242Z","updatedOn":"2022-02-01T10:05:44.6784242Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8af2fb3a-292c-42a8-a870-1751c4ec4870","type":"Microsoft.Authorization/roleAssignments","name":"8af2fb3a-292c-42a8-a870-1751c4ec4870"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"662a0ec2-cfbc-45f9-ae31-2cc53070e765","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T12:46:49.6216206Z","updatedOn":"2022-04-12T12:46:49.6216206Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/85cc2dff-c5d4-42a3-acb6-255cd4208ef4","type":"Microsoft.Authorization/roleAssignments","name":"85cc2dff-c5d4-42a3-acb6-255cd4208ef4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"662a0ec2-cfbc-45f9-ae31-2cc53070e765","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T12:46:57.1459341Z","updatedOn":"2022-04-12T12:46:57.1459341Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/aba8e90d-d951-4cb5-a346-b71e478f4d1b","type":"Microsoft.Authorization/roleAssignments","name":"aba8e90d-d951-4cb5-a346-b71e478f4d1b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"30bc1f3b-ca1a-4c55-96ff-4c026f12eaa1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T13:09:28.3678603Z","updatedOn":"2022-04-12T13:09:28.3678603Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/79d87d90-f984-4f53-a169-2eca51c00104","type":"Microsoft.Authorization/roleAssignments","name":"79d87d90-f984-4f53-a169-2eca51c00104"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"30bc1f3b-ca1a-4c55-96ff-4c026f12eaa1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-12T13:09:33.3916295Z","updatedOn":"2022-04-12T13:09:33.3916295Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/5e185742-c91a-4efe-b0d8-db9524685ec5","type":"Microsoft.Authorization/roleAssignments","name":"5e185742-c91a-4efe-b0d8-db9524685ec5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3c582fc7-e68a-4991-a2f6-3d8a7a1f23c1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:01:02.2689248Z","updatedOn":"2022-04-13T07:01:02.2689248Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/c9b4f9ab-d687-4a65-910a-5bcb2f974bfe","type":"Microsoft.Authorization/roleAssignments","name":"c9b4f9ab-d687-4a65-910a-5bcb2f974bfe"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"3c582fc7-e68a-4991-a2f6-3d8a7a1f23c1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:01:09.3571703Z","updatedOn":"2022-04-13T07:01:09.3571703Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/8bedf13c-aa1a-4191-aa97-573f14fd97ee","type":"Microsoft.Authorization/roleAssignments","name":"8bedf13c-aa1a-4191-aa97-573f14fd97ee"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"a31004b5-ce06-49e1-8706-e8c7afe68695","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:43:04.6456354Z","updatedOn":"2022-04-13T07:43:04.6456354Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/bd0fc30a-6ccf-4c22-a26b-0e31aba16035","type":"Microsoft.Authorization/roleAssignments","name":"bd0fc30a-6ccf-4c22-a26b-0e31aba16035"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"a31004b5-ce06-49e1-8706-e8c7afe68695","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T07:43:10.1186881Z","updatedOn":"2022-04-13T07:43:10.1186881Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/dadaa3cd-f442-4d5c-aed3-7cbab2fba3e0","type":"Microsoft.Authorization/roleAssignments","name":"dadaa3cd-f442-4d5c-aed3-7cbab2fba3e0"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"6f6a803e-4dc5-488a-8566-a4f0a984975e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T08:58:57.7706882Z","updatedOn":"2022-04-13T08:58:57.7706882Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9e3d10bf-9bfa-4a97-9ab1-b972a348abd0","type":"Microsoft.Authorization/roleAssignments","name":"9e3d10bf-9bfa-4a97-9ab1-b972a348abd0"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"6f6a803e-4dc5-488a-8566-a4f0a984975e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T08:59:03.2414961Z","updatedOn":"2022-04-13T08:59:03.2414961Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/66eefd94-4bda-46df-9c61-7e92f83d91e7","type":"Microsoft.Authorization/roleAssignments","name":"66eefd94-4bda-46df-9c61-7e92f83d91e7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"829da4fd-a5f4-4ca7-bc3d-0679d104c5f0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T10:17:35.8887781Z","updatedOn":"2022-04-13T10:17:35.8887781Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/77f4f7a3-a377-49f7-a094-945b82b2bfff","type":"Microsoft.Authorization/roleAssignments","name":"77f4f7a3-a377-49f7-a094-945b82b2bfff"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"829da4fd-a5f4-4ca7-bc3d-0679d104c5f0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-13T10:17:41.2233089Z","updatedOn":"2022-04-13T10:17:41.2233089Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/1a71aac6-e9ce-40ff-a39f-7594df2ea6e9","type":"Microsoft.Authorization/roleAssignments","name":"1a71aac6-e9ce-40ff-a39f-7594df2ea6e9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3f74f5b7-f4f6-4b65-a45d-f1c60467e115","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-21T06:57:19.4532093Z","updatedOn":"2022-04-21T06:57:19.4532093Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/eede4548-9f71-44b7-8077-c49aa44894b4","type":"Microsoft.Authorization/roleAssignments","name":"eede4548-9f71-44b7-8077-c49aa44894b4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"3f74f5b7-f4f6-4b65-a45d-f1c60467e115","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-04-21T06:57:24.3439247Z","updatedOn":"2022-04-21T06:57:24.3439247Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/c011acd2-8b5d-45d6-b6c1-4ffe1867ce31","type":"Microsoft.Authorization/roleAssignments","name":"c011acd2-8b5d-45d6-b6c1-4ffe1867ce31"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"85c33f6f-5d69-4b0e-bc06-95a7d3193519","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-05-04T09:52:52.7340040Z","updatedOn":"2022-05-04T09:52:52.7340040Z","createdBy":"447bbed8-9839-4d6e-9e39-fb9aeee1ec1d","updatedBy":"447bbed8-9839-4d6e-9e39-fb9aeee1ec1d","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/6a4f635c-309c-4a1d-8eea-86fb5aa91d80","type":"Microsoft.Authorization/roleAssignments","name":"6a4f635c-309c-4a1d-8eea-86fb5aa91d80"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"e6234342-a3d7-4b04-9041-3e8526f5861a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-05-12T06:55:02.9137483Z","updatedOn":"2022-05-12T06:55:02.9137483Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a5bd1b6d-0084-40ec-9126-2250536b4778","type":"Microsoft.Authorization/roleAssignments","name":"a5bd1b6d-0084-40ec-9126-2250536b4778"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"0b2dcd24-9585-4bb4-a7c3-83e0e3bd0dc7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-05-24T11:54:25.7258076Z","updatedOn":"2022-05-24T11:54:25.7258076Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9a7dc348-d24e-438b-84b0-c7cda5bf92c4","type":"Microsoft.Authorization/roleAssignments","name":"9a7dc348-d24e-438b-84b0-c7cda5bf92c4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"0b2dcd24-9585-4bb4-a7c3-83e0e3bd0dc7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-05-24T11:54:29.8931759Z","updatedOn":"2022-05-24T11:54:29.8931759Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/aeb54d04-84b8-4530-bd7e-fe01dafd82ab","type":"Microsoft.Authorization/roleAssignments","name":"aeb54d04-84b8-4530-bd7e-fe01dafd82ab"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"f2cee52e-3d75-4f49-acc4-b5aaf72232ee","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T11:01:05.6238088Z","updatedOn":"2022-06-03T11:01:05.6238088Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2bd63fbe-e197-434f-ba1e-016bad298ff7","type":"Microsoft.Authorization/roleAssignments","name":"2bd63fbe-e197-434f-ba1e-016bad298ff7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"8be185b2-5cbf-45c1-b9af-cbbd9b59144d","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T13:20:41.1511200Z","updatedOn":"2022-06-03T13:22:39.1076287Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/f12c7867-43e5-5530-98e9-9d8a2f39fb92","type":"Microsoft.Authorization/roleAssignments","name":"f12c7867-43e5-5530-98e9-9d8a2f39fb92"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"8be185b2-5cbf-45c1-b9af-cbbd9b59144d","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T13:37:09.9515887Z","updatedOn":"2022-06-03T14:40:22.4040874Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/bace23ac-6978-5318-a146-d49599599b02","type":"Microsoft.Authorization/roleAssignments","name":"bace23ac-6978-5318-a146-d49599599b02"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"e6234342-a3d7-4b04-9041-3e8526f5861a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-06T11:22:08.5127363Z","updatedOn":"2022-06-06T11:22:08.5127363Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/df253c65-35fc-4ff6-9a32-39b3fe20a6e3","type":"Microsoft.Authorization/roleAssignments","name":"df253c65-35fc-4ff6-9a32-39b3fe20a6e3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"5f137a67-1b88-4f98-aa20-b71a7082dc56","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-10T14:11:57.5623976Z","updatedOn":"2022-06-10T14:11:57.5623976Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e409f573-8bda-4b7e-854a-61c445d36c6f","type":"Microsoft.Authorization/roleAssignments","name":"e409f573-8bda-4b7e-854a-61c445d36c6f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"961a41dc-cbb6-4777-9b6c-a6d4d1ea4faa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:02:09.6478601Z","updatedOn":"2022-06-21T12:02:09.6478601Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/efc8d400-cd5e-41d3-99e6-65878c1f888c","type":"Microsoft.Authorization/roleAssignments","name":"efc8d400-cd5e-41d3-99e6-65878c1f888c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"961a41dc-cbb6-4777-9b6c-a6d4d1ea4faa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:02:31.1213523Z","updatedOn":"2022-06-21T12:02:31.1213523Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/1ad6de95-d660-4f0a-84cf-1b297eafe5f6","type":"Microsoft.Authorization/roleAssignments","name":"1ad6de95-d660-4f0a-84cf-1b297eafe5f6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"1831aada-7907-4673-a5e2-b11217764c9e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:22:14.2181104Z","updatedOn":"2022-06-21T12:22:14.2181104Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/c5856647-b5ff-4264-a966-049b6a58a42f","type":"Microsoft.Authorization/roleAssignments","name":"c5856647-b5ff-4264-a966-049b6a58a42f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"1831aada-7907-4673-a5e2-b11217764c9e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-21T12:22:40.2874069Z","updatedOn":"2022-06-21T12:22:40.2874069Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/a3560e50-7085-48f4-85a1-97487179cc5d","type":"Microsoft.Authorization/roleAssignments","name":"a3560e50-7085-48f4-85a1-97487179cc5d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-22T11:28:57.2073063Z","updatedOn":"2022-06-22T11:28:57.2073063Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c5b3bcf3-fd4c-4b57-9f73-f075ce7afccb","type":"Microsoft.Authorization/roleAssignments","name":"c5b3bcf3-fd4c-4b57-9f73-f075ce7afccb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-23T09:19:22.2256200Z","updatedOn":"2022-06-23T09:19:22.2256200Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/344b17ae-cabf-4a33-9a9d-ba30fefcbadc","type":"Microsoft.Authorization/roleAssignments","name":"344b17ae-cabf-4a33-9a9d-ba30fefcbadc"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"2b81557b-8e7a-4df8-9a41-e59844f627c2","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-23T09:25:03.9969293Z","updatedOn":"2022-06-23T09:25:03.9969293Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/13a7f7c7-7364-4f9b-ba92-5430f17b29b5","type":"Microsoft.Authorization/roleAssignments","name":"13a7f7c7-7364-4f9b-ba92-5430f17b29b5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-24T07:04:04.5965087Z","updatedOn":"2022-06-24T07:04:04.5965087Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ba604c54-80e1-490e-a123-9ef9d477536b","type":"Microsoft.Authorization/roleAssignments","name":"ba604c54-80e1-490e-a123-9ef9d477536b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-25T04:10:10.7065168Z","updatedOn":"2022-06-25T04:10:10.7065168Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/916a749f-b61f-4ba4-8c28-46217c3a7b4e","type":"Microsoft.Authorization/roleAssignments","name":"916a749f-b61f-4ba4-8c28-46217c3a7b4e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T07:37:58.3152810Z","updatedOn":"2022-06-27T07:37:58.3152810Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/0a1046d6-ba58-491f-b473-403ec29cd2be","type":"Microsoft.Authorization/roleAssignments","name":"0a1046d6-ba58-491f-b473-403ec29cd2be"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:21:12.2347431Z","updatedOn":"2022-06-27T08:21:12.2347431Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/abc6fbbe-d4a8-4315-9532-82e90334dcc9","type":"Microsoft.Authorization/roleAssignments","name":"abc6fbbe-d4a8-4315-9532-82e90334dcc9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"381295fa-e67d-4943-a2eb-90ffcf09577b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:43:17.8582970Z","updatedOn":"2022-06-27T08:43:17.8582970Z","createdBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","updatedBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b8f0bb0e-1495-48f0-aa68-33c364310cfb","type":"Microsoft.Authorization/roleAssignments","name":"b8f0bb0e-1495-48f0-aa68-33c364310cfb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"381295fa-e67d-4943-a2eb-90ffcf09577b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:43:18.7801612Z","updatedOn":"2022-06-27T08:43:18.7801612Z","createdBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","updatedBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b8eb5d9d-85e3-4ba8-9458-fdd2c48ba8e1","type":"Microsoft.Authorization/roleAssignments","name":"b8eb5d9d-85e3-4ba8-9458-fdd2c48ba8e1"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"3de34697-a180-45dc-aff8-c16061f1143b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-01T08:15:11.7388086Z","updatedOn":"2022-07-01T08:15:11.7388086Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/86db086e-0442-5eef-8ebc-1d8d28a4d03a","type":"Microsoft.Authorization/roleAssignments","name":"86db086e-0442-5eef-8ebc-1d8d28a4d03a"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3de34697-a180-45dc-aff8-c16061f1143b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-01T08:15:12.7940996Z","updatedOn":"2022-07-01T08:15:12.7940996Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/cbcefba6-df6c-5670-9e02-9e09f7964d9c","type":"Microsoft.Authorization/roleAssignments","name":"cbcefba6-df6c-5670-9e02-9e09f7964d9c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"fe7b070d-f778-4cfd-8acf-eda94f397a89","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-29T07:15:07.9544255Z","updatedOn":"2022-07-29T07:15:07.9544255Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/efb13d06-875d-40e3-81d5-195824e19188","type":"Microsoft.Authorization/roleAssignments","name":"efb13d06-875d-40e3-81d5-195824e19188"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"aa7a0e3a-c2c6-41e2-9838-2ae541c08a88","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-01T10:57:25.8183048Z","updatedOn":"2022-08-01T10:57:25.8183048Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/e179ab30-f6f9-44c6-9806-801d4240a604","type":"Microsoft.Authorization/roleAssignments","name":"e179ab30-f6f9-44c6-9806-801d4240a604"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"da112a02-e7cf-4b53-93a0-96958f47f77f","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-01T12:19:56.7716607Z","updatedOn":"2022-08-01T12:19:56.7716607Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/859af8cf-cf8d-4a41-b5cb-b492bbebfa96","type":"Microsoft.Authorization/roleAssignments","name":"859af8cf-cf8d-4a41-b5cb-b492bbebfa96"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"d9334401-f342-4fc7-88c4-6fb936fb3a6f","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-02T06:53:24.5190593Z","updatedOn":"2022-08-02T06:53:24.5190593Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/babd18e7-662a-4f61-b03b-d2790ad8ad2b","type":"Microsoft.Authorization/roleAssignments","name":"babd18e7-662a-4f61-b03b-d2790ad8ad2b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"d9334401-f342-4fc7-88c4-6fb936fb3a6f","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-08-02T06:56:06.5673047Z","updatedOn":"2022-08-02T06:56:06.5673047Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9b61e48d-b011-4da0-8daa-a65f34af5a33","type":"Microsoft.Authorization/roleAssignments","name":"9b61e48d-b011-4da0-8daa-a65f34af5a33"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f8520195-1c62-47ff-8c01-e394155b52f1","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-10T11:13:36.6792855Z","updatedOn":"2022-08-10T11:13:36.6792855Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3c9150af-abd1-4d00-9c16-acb375857df6","type":"Microsoft.Authorization/roleAssignments","name":"3c9150af-abd1-4d00-9c16-acb375857df6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f4bfeb83-a4cc-43e8-bee0-9808b5d0918d","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-24T05:51:56.3337713Z","updatedOn":"2022-08-24T05:51:56.3337713Z","createdBy":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","updatedBy":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3caa2a04-62bf-4a33-80f5-056840e59fb4","type":"Microsoft.Authorization/roleAssignments","name":"3caa2a04-62bf-4a33-80f5-056840e59fb4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"608ca1e9-e854-46c6-984f-d812d0e657e6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-30T13:32:28.1332524Z","updatedOn":"2022-08-30T13:32:28.1332524Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2719b245-3aeb-4cc0-92bc-6f63eea0dcbf","type":"Microsoft.Authorization/roleAssignments","name":"2719b245-3aeb-4cc0-92bc-6f63eea0dcbf"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"76710889-6dec-4b99-a529-cfd36fcb16ec","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:30:49.7733486Z","updatedOn":"2022-09-05T11:30:49.7733486Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/bbc4ec43-5e44-4b5d-8de0-cdf89486bb41","type":"Microsoft.Authorization/roleAssignments","name":"bbc4ec43-5e44-4b5d-8de0-cdf89486bb41"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"76710889-6dec-4b99-a529-cfd36fcb16ec","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:33:36.9049436Z","updatedOn":"2022-09-05T11:33:36.9049436Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/3f21962f-d606-4223-b80f-43344d5dc933","type":"Microsoft.Authorization/roleAssignments","name":"3f21962f-d606-4223-b80f-43344d5dc933"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"f41bd262-eb21-47f1-9706-f12132d865e3","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:49:52.6105159Z","updatedOn":"2022-09-05T11:49:52.6105159Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/14d078a0-ff7d-4677-aba3-9dc54afca23f","type":"Microsoft.Authorization/roleAssignments","name":"14d078a0-ff7d-4677-aba3-9dc54afca23f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a51d0ef9-9895-4b63-b3f8-354bb7d1a6bb","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-05-21T08:47:39.8177538Z","updatedOn":"2021-05-21T08:47:39.8177538Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/17db6abb-bc45-4967-b313-e470ec9cbbd7","type":"Microsoft.Authorization/roleAssignments","name":"17db6abb-bc45-4967-b313-e470ec9cbbd7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"7c567124-5292-4819-aa73-0224bf1c42e1","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-05-23T13:38:54.7542852Z","updatedOn":"2021-05-23T13:38:54.7542852Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/0809d692-f58f-43f2-b597-7f115957407e","type":"Microsoft.Authorization/roleAssignments","name":"0809d692-f58f-43f2-b597-7f115957407e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"955c9d1b-0cb6-4ff6-91c9-f4aadf67ffe8","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-05-24T16:45:08.3835615Z","updatedOn":"2021-05-24T16:45:08.3835615Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/1b1ac6ab-19e7-4c4f-91d2-5be73096da2c","type":"Microsoft.Authorization/roleAssignments","name":"1b1ac6ab-19e7-4c4f-91d2-5be73096da2c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"7221c906-782c-44a0-ab2f-f23d8a95ce25","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-05-24T16:56:16.2751421Z","updatedOn":"2021-05-24T16:56:16.2751421Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/ca8f2433-76dc-49fa-828d-9cd2861ec25c","type":"Microsoft.Authorization/roleAssignments","name":"ca8f2433-76dc-49fa-828d-9cd2861ec25c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"e1a3bbaa-4ffb-41a6-a154-b4870d9e86b4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T06:40:53.5542743Z","updatedOn":"2021-06-04T06:40:53.5542743Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/9d9ac2a8-dbac-41bb-9f17-c473f02c6370","type":"Microsoft.Authorization/roleAssignments","name":"9d9ac2a8-dbac-41bb-9f17-c473f02c6370"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"e1a3bbaa-4ffb-41a6-a154-b4870d9e86b4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T06:40:57.1326805Z","updatedOn":"2021-06-04T06:40:57.1326805Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/14b1338c-95f6-44f9-ad22-395f8ebbb1fe","type":"Microsoft.Authorization/roleAssignments","name":"14b1338c-95f6-44f9-ad22-395f8ebbb1fe"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"1da90707-df56-4d40-a805-2e646c9d95ab","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:02:18.2829699Z","updatedOn":"2021-06-04T07:02:18.2829699Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/bf5f4821-9baa-4dc6-9bd5-8c62f31c1a93","type":"Microsoft.Authorization/roleAssignments","name":"bf5f4821-9baa-4dc6-9bd5-8c62f31c1a93"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"1da90707-df56-4d40-a805-2e646c9d95ab","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:02:22.4343547Z","updatedOn":"2021-06-04T07:02:22.4343547Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/26bab283-0772-4c03-8dc1-a50c8ffa597d","type":"Microsoft.Authorization/roleAssignments","name":"26bab283-0772-4c03-8dc1-a50c8ffa597d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"ab6b1184-ff37-4d3e-b460-fbe654f7ad5c","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:19:08.8293677Z","updatedOn":"2021-06-04T07:19:08.8293677Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/d972f611-a4bd-4b80-9e78-980984602450","type":"Microsoft.Authorization/roleAssignments","name":"d972f611-a4bd-4b80-9e78-980984602450"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"ab6b1184-ff37-4d3e-b460-fbe654f7ad5c","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T07:19:12.8400651Z","updatedOn":"2021-06-04T07:19:12.8400651Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/b9393755-f5ca-41ef-a631-fb62184c57a8","type":"Microsoft.Authorization/roleAssignments","name":"b9393755-f5ca-41ef-a631-fb62184c57a8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3ffa4e46-39a3-4002-9292-e2adf0d1a8c6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T09:14:15.2633798Z","updatedOn":"2021-06-04T09:14:15.2633798Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/094981c0-d59c-4f5b-9581-72c08da65454","type":"Microsoft.Authorization/roleAssignments","name":"094981c0-d59c-4f5b-9581-72c08da65454"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"3ffa4e46-39a3-4002-9292-e2adf0d1a8c6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-06-04T09:14:19.9554484Z","updatedOn":"2021-06-04T09:14:19.9554484Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/0cac59e0-0464-4bf6-9bef-f1fadc2b08f4","type":"Microsoft.Authorization/roleAssignments","name":"0cac59e0-0464-4bf6-9bef-f1fadc2b08f4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"93e2b483-3ffa-44f8-9965-fdb104b541a2","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-06-29T05:43:19.7216795Z","updatedOn":"2021-06-29T05:43:19.7216795Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c6aff8c2-08b1-5b1a-9c80-d91164226985","type":"Microsoft.Authorization/roleAssignments","name":"c6aff8c2-08b1-5b1a-9c80-d91164226985"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"4f285ac8-5610-4d2f-854c-bfa3d16a2679","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-11T06:55:02.4909144Z","updatedOn":"2021-07-11T06:55:02.4909144Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/0cec2ad2-d080-4126-a99f-f61c559b799c","type":"Microsoft.Authorization/roleAssignments","name":"0cec2ad2-d080-4126-a99f-f61c559b799c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"630db480-3ee6-47ec-ae72-5f917d466bad","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:16:28.8833400Z","updatedOn":"2021-07-13T10:16:28.8833400Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/37fe4b2d-0aca-4c27-8511-1e0d18063ec8","type":"Microsoft.Authorization/roleAssignments","name":"37fe4b2d-0aca-4c27-8511-1e0d18063ec8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"279982e7-46cf-4e40-9a3b-156c98285cb7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:18:48.5647062Z","updatedOn":"2021-07-13T10:18:48.5647062Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/7907f38d-57a7-431d-82d7-5dfa2ef0a628","type":"Microsoft.Authorization/roleAssignments","name":"7907f38d-57a7-431d-82d7-5dfa2ef0a628"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"790004d0-0112-41ad-92e8-95c464c34476","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:18:48.6068337Z","updatedOn":"2021-07-13T10:18:48.6068337Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8c9bda26-83c4-4d4c-b00b-c4b58301e539","type":"Microsoft.Authorization/roleAssignments","name":"8c9bda26-83c4-4d4c-b00b-c4b58301e539"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-21T06:38:43.9281998Z","updatedOn":"2021-07-21T06:38:43.9281998Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b553fa81-60dd-45d6-9781-8c2313d68b03","type":"Microsoft.Authorization/roleAssignments","name":"b553fa81-60dd-45d6-9781-8c2313d68b03"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:20.4258578Z","updatedOn":"2021-07-27T04:31:20.4258578Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/4b2f7b08-f9ef-4fc1-b9c4-2bb34fdef258","type":"Microsoft.Authorization/roleAssignments","name":"4b2f7b08-f9ef-4fc1-b9c4-2bb34fdef258"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:32.4566300Z","updatedOn":"2021-07-27T04:31:32.4566300Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8176bf09-8e96-448a-ab12-eeed360ecce2","type":"Microsoft.Authorization/roleAssignments","name":"8176bf09-8e96-448a-ab12-eeed360ecce2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:48.4577322Z","updatedOn":"2021-07-27T04:31:48.4577322Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/45949217-58cc-4c18-93f3-f4c90710ae2d","type":"Microsoft.Authorization/roleAssignments","name":"45949217-58cc-4c18-93f3-f4c90710ae2d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:20.8138038Z","updatedOn":"2021-07-27T10:13:20.8138038Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2382b52f-1ec5-430e-ae2a-74f9ed331ced","type":"Microsoft.Authorization/roleAssignments","name":"2382b52f-1ec5-430e-ae2a-74f9ed331ced"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:23.6551958Z","updatedOn":"2021-07-27T10:13:23.6551958Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e5863947-0b21-41b7-9997-c0dfc73eec29","type":"Microsoft.Authorization/roleAssignments","name":"e5863947-0b21-41b7-9997-c0dfc73eec29"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:29.6985440Z","updatedOn":"2021-07-27T10:13:29.6985440Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/28c1cefa-942f-44c5-a4d4-c33bb92abd45","type":"Microsoft.Authorization/roleAssignments","name":"28c1cefa-942f-44c5-a4d4-c33bb92abd45"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8039a424-299a-4014-8b22-4f6d6cc60065","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-11T07:08:31.9935560Z","updatedOn":"2021-08-11T07:08:31.9935560Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/69e0bcfc-b024-4d8b-a3d5-dac447f8986c","type":"Microsoft.Authorization/roleAssignments","name":"69e0bcfc-b024-4d8b-a3d5-dac447f8986c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"8f0340b8-4b70-412b-be19-c4612d49e353","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-20T11:58:29.6857641Z","updatedOn":"2021-08-20T11:58:29.6857641Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fd88236f-eacb-5303-912f-ba1741cf02bd","type":"Microsoft.Authorization/roleAssignments","name":"fd88236f-eacb-5303-912f-ba1741cf02bd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"0d8f6e68-d6c5-4a67-b6c4-3107609bbdbc","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-20T12:31:58.7980661Z","updatedOn":"2021-08-20T12:31:58.7980661Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/146f4a11-8712-583d-89eb-a7b8b82dbaa9","type":"Microsoft.Authorization/roleAssignments","name":"146f4a11-8712-583d-89eb-a7b8b82dbaa9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"e2072d83-2379-4f36-ab51-b5df7460c61e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-21T14:40:08.5987892Z","updatedOn":"2021-08-21T14:40:10.5055205Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/842af679-0b58-5eb5-b94c-ff59e4105d7e","type":"Microsoft.Authorization/roleAssignments","name":"842af679-0b58-5eb5-b94c-ff59e4105d7e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"0242778c-29df-4863-ac18-2fb8fd004135","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-08-30T06:31:52.6766200Z","updatedOn":"2021-08-30T06:31:52.6766200Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/f67c65e2-e609-4ffe-b504-294b00cbd2fd","type":"Microsoft.Authorization/roleAssignments","name":"f67c65e2-e609-4ffe-b504-294b00cbd2fd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"0242778c-29df-4863-ac18-2fb8fd004135","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-08-30T06:31:57.1552781Z","updatedOn":"2021-08-30T06:31:57.1552781Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/aaeab926-d6e2-4bb6-9e9e-0607e75cc75f","type":"Microsoft.Authorization/roleAssignments","name":"aaeab926-d6e2-4bb6-9e9e-0607e75cc75f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"2ab5fb95-b72e-4d12-948b-4223754d8ffa","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2021-09-08T08:24:19.3547440Z","updatedOn":"2021-09-08T08:24:19.3547440Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/43ee13b8-5abd-51e0-88e3-ae84049da70e","type":"Microsoft.Authorization/roleAssignments","name":"43ee13b8-5abd-51e0-88e3-ae84049da70e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-17T09:41:38.5634940Z","updatedOn":"2021-09-17T09:41:38.5634940Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":"for + temp testing purpose"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/98fe0117-1e9c-4e37-b8a7-c4a1031d6916","type":"Microsoft.Authorization/roleAssignments","name":"98fe0117-1e9c-4e37-b8a7-c4a1031d6916"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"9c973a07-b207-473c-9687-bd693ba8e460","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-25T15:23:32.6168771Z","updatedOn":"2021-09-25T15:23:32.6168771Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/d852f084-bc9f-4258-9e2c-fcf48b9eaf85","type":"Microsoft.Authorization/roleAssignments","name":"d852f084-bc9f-4258-9e2c-fcf48b9eaf85"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"2778738c-452b-45ca-b8d6-f085836a1458","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-30T07:51:25.2399474Z","updatedOn":"2021-09-30T07:51:25.2399474Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b04a3bdf-b6a6-5ffb-9394-ee5743741597","type":"Microsoft.Authorization/roleAssignments","name":"b04a3bdf-b6a6-5ffb-9394-ee5743741597"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"0ac1f52a-325b-486a-a095-f46ffdd6a9e4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-10-26T01:59:18.6998395Z","updatedOn":"2021-10-26T01:59:18.6998395Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/53a3b238-b4b0-4d3f-b416-8d6dc8d755f6","type":"Microsoft.Authorization/roleAssignments","name":"53a3b238-b4b0-4d3f-b416-8d6dc8d755f6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"c3c0d020-16f0-44d8-9950-0250120a33ff","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-02T06:11:03.5575284Z","updatedOn":"2021-11-02T06:11:03.5575284Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/1d017732-f67e-5aa1-a4a6-47570078d9f3","type":"Microsoft.Authorization/roleAssignments","name":"1d017732-f67e-5aa1-a4a6-47570078d9f3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-10T08:59:19.7285159Z","updatedOn":"2021-11-10T08:59:19.7285159Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a60357fa-dc0a-4479-a2a9-4329c2d0ae89","type":"Microsoft.Authorization/roleAssignments","name":"a60357fa-dc0a-4479-a2a9-4329c2d0ae89"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8dd77695-d6a5-450d-a43c-67ca01be9fbc","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-12T10:55:38.3698246Z","updatedOn":"2021-11-12T10:55:38.3698246Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/dda5bb75-b74a-4430-975f-5bc9611c4b2d","type":"Microsoft.Authorization/roleAssignments","name":"dda5bb75-b74a-4430-975f-5bc9611c4b2d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/36243c78-bf99-498c-9df9-86d9f8d28608","principalId":"2152c794-9ca2-41fe-a313-2d0e1ee3eb80","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-18T06:28:12.0181010Z","updatedOn":"2021-02-18T06:28:12.0181010Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/804f6223-03eb-4091-b460-82160fc5f818","type":"Microsoft.Authorization/roleAssignments","name":"804f6223-03eb-4091-b460-82160fc5f818"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"2152c794-9ca2-41fe-a313-2d0e1ee3eb80","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-18T06:28:12.0168587Z","updatedOn":"2021-02-18T06:28:12.0168587Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8d80e2d6-315c-495c-ab2c-91ddf75edf41","type":"Microsoft.Authorization/roleAssignments","name":"8d80e2d6-315c-495c-ab2c-91ddf75edf41"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"cf46d636-b6c1-406c-aba7-b2c3d9ed07da","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-26T13:53:53.1151640Z","updatedOn":"2021-02-26T13:53:53.1151640Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/735e98ed-f4b8-4b7d-9cc9-af4f8ae77252","type":"Microsoft.Authorization/roleAssignments","name":"735e98ed-f4b8-4b7d-9cc9-af4f8ae77252"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8505e3f4-1ee7-427c-a175-a06595231d46","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-26T13:54:27.5624477Z","updatedOn":"2021-02-26T13:54:27.5624477Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/98c87a9f-b9e7-414b-8b59-bf3ec62dbc74","type":"Microsoft.Authorization/roleAssignments","name":"98c87a9f-b9e7-414b-8b59-bf3ec62dbc74"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-25T12:25:27.2277610Z","updatedOn":"2020-07-25T12:25:27.2277610Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fd6b8ff4-9edb-43f5-aa2a-32133fa09b1d","type":"Microsoft.Authorization/roleAssignments","name":"fd6b8ff4-9edb-43f5-aa2a-32133fa09b1d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"21ae6127-c385-4ae0-b895-a8559e9aa574","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-31T08:35:35.2993523Z","updatedOn":"2020-07-31T08:35:35.2993523Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/6af9fbf3-7085-4bcb-b399-88b89fac16d3","type":"Microsoft.Authorization/roleAssignments","name":"6af9fbf3-7085-4bcb-b399-88b89fac16d3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"1e845bc3-37db-4639-be09-d0cf1e448221","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-31T08:44:16.2909420Z","updatedOn":"2020-07-31T08:44:16.2909420Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/65080390-e9b5-4566-b362-d1e96c23dae2","type":"Microsoft.Authorization/roleAssignments","name":"65080390-e9b5-4566-b362-d1e96c23dae2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-11-03T06:12:01.6760584Z","updatedOn":"2020-11-03T06:12:01.6760584Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a7a12420-2dce-4a47-822e-68cadf239da3","type":"Microsoft.Authorization/roleAssignments","name":"a7a12420-2dce-4a47-822e-68cadf239da3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3282af51-433d-47e8-b2b5-633fbe0fecc0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-11-03T06:25:32.6790913Z","updatedOn":"2020-11-03T06:25:32.6790913Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/36da831d-10ce-4f42-ba28-362960f6ea36","type":"Microsoft.Authorization/roleAssignments","name":"36da831d-10ce-4f42-ba28-362960f6ea36"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-10-04T07:35:39.6626948Z","updatedOn":"2019-10-04T07:35:39.6626948Z","createdBy":"8031e009-cc05-4950-8a8d-78942c4492ac","updatedBy":"8031e009-cc05-4950-8a8d-78942c4492ac","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/730fa65e-c74c-4c3d-9cc3-9457f9b97274","type":"Microsoft.Authorization/roleAssignments","name":"730fa65e-c74c-4c3d-9cc3-9457f9b97274"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-04-08T01:03:29.8241478Z","updatedOn":"2021-04-08T01:03:29.8241478Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/63818ccb-a05c-4083-9e1d-64b4c7c0e1cd","type":"Microsoft.Authorization/roleAssignments","name":"63818ccb-a05c-4083-9e1d-64b4c7c0e1cd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"c87d9afe-4463-41d5-81e3-3bd162af9183","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-07-10T09:38:17.4348497Z","updatedOn":"2019-07-10T09:38:17.4348497Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/ebc56c6d-c5de-4d99-b166-89d4ac815acd","type":"Microsoft.Authorization/roleAssignments","name":"ebc56c6d-c5de-4d99-b166-89d4ac815acd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-03-15T11:01:18.6794974Z","updatedOn":"2019-03-15T11:01:18.6794974Z","createdBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","updatedBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/9fb9b151-1d53-4eff-9336-75cf634e1e3d","type":"Microsoft.Authorization/roleAssignments","name":"9fb9b151-1d53-4eff-9336-75cf634e1e3d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f87f6638-3a1b-4562-8603-aacd59537149","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-05-03T06:47:05.1411825Z","updatedOn":"2019-05-03T06:47:05.1411825Z","createdBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","updatedBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/24ffbb29-061f-4b1d-8c26-c6e90ef53303","type":"Microsoft.Authorization/roleAssignments","name":"24ffbb29-061f-4b1d-8c26-c6e90ef53303"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"becb4b6b-fe16-413b-a5c3-90355e0b2982","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-06-26T06:33:50.1123976Z","updatedOn":"2019-06-26T06:33:50.1123976Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/4c3721e8-06f4-4115-a2d8-90c4a9a57d56","type":"Microsoft.Authorization/roleAssignments","name":"4c3721e8-06f4-4115-a2d8-90c4a9a57d56"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-04-07T16:59:19.6098216Z","updatedOn":"2021-04-07T16:59:19.6098216Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/9d2de631-e451-450b-8237-e5bc19624eee","type":"Microsoft.Authorization/roleAssignments","name":"9d2de631-e451-450b-8237-e5bc19624eee"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"b1b96a90-235c-4668-a931-ee1c08db7681","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-02-01T04:47:38.5676012Z","updatedOn":"2021-02-01T04:47:38.5676012Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/a9e38032-c21b-4c41-8960-1c9c982d98e2","type":"Microsoft.Authorization/roleAssignments","name":"a9e38032-c21b-4c41-8960-1c9c982d98e2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a51d0ef9-9895-4b63-b3f8-354bb7d1a6bb","principalType":"Group","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-03-03T05:31:57.4716459Z","updatedOn":"2021-03-03T05:31:57.4716459Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/77aa0ff2-42c2-4e01-a51d-01cf2dd7ce04","type":"Microsoft.Authorization/roleAssignments","name":"77aa0ff2-42c2-4e01-a51d-01cf2dd7ce04"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"ce2366a6-64d7-441b-939c-c9d23f91cccd","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47","condition":null,"conditionVersion":null,"createdOn":"2020-03-12T20:43:06.5941189Z","updatedOn":"2020-03-12T20:43:06.5941189Z","createdBy":"606f48c8-d219-4875-991d-ae6befaf0756","updatedBy":"606f48c8-d219-4875-991d-ae6befaf0756","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47/providers/Microsoft.Authorization/roleAssignments/ad9e2cd7-0ff7-4931-9b17-656c8f17934b","type":"Microsoft.Authorization/roleAssignments","name":"ad9e2cd7-0ff7-4931-9b17-656c8f17934b"}]}' headers: cache-control: - no-cache content-length: - - '782' + - '110881' content-type: - application/json; charset=utf-8 date: - - Mon, 13 Feb 2023 07:41:03 GMT + - Mon, 05 Sep 2022 11:50:57 GMT expires: - '-1' pragma: @@ -13128,150 +4022,201 @@ interactions: code: 200 message: OK - request: - body: '{"properties": {"roleDefinitionId": "/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13", - "principalId": "41753b57-b4fa-4774-80aa-414a3af0f706", "principalType": "ServicePrincipal"}}' + body: null headers: Accept: - application/json Accept-Encoding: - gzip, deflate CommandName: - - role assignment create + - dataprotection backup-instance update-msi-permissions Connection: - keep-alive - Content-Length: - - '270' - Content-Type: - - application/json; charset=utf-8 Cookie: - x-ms-gateway-slice=Production ParameterSetName: - - --assignee --role --scope + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes User-Agent: - - python/3.10.7 (Windows-10-10.0.22621-SP0) msrest/0.7.1 msrest_azure/0.6.4 - azure-mgmt-authorization/0.61.0 Azure-SDK-For-Python AZURECLI/2.45.0 (PIP) + - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 + Azure-SDK-For-Python AZURECLI/2.39.0 accept-language: - en-US - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/4667bb60-5b20-4f5e-9ba8-7b3c1ac1e7bb?api-version=2020-04-01-preview + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Storage%20Account%20Backup%20Contributor%27&api-version=2018-01-01-preview response: body: - string: '{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"41753b57-b4fa-4774-80aa-414a3af0f706","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2023-02-13T07:41:04.4291083Z","updatedOn":"2023-02-13T07:41:05.3954237Z","createdBy":null,"updatedBy":"12f8ea5c-1212-449e-b31c-0a574f43076e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/4667bb60-5b20-4f5e-9ba8-7b3c1ac1e7bb","type":"Microsoft.Authorization/roleAssignments","name":"4667bb60-5b20-4f5e-9ba8-7b3c1ac1e7bb"}' + string: '{"value":[{"properties":{"roleName":"Storage Account Backup Contributor","type":"BuiltInRole","description":"Lets + you perform backup and restore operations using Azure Backup on the storage + account.","assignableScopes":["/"],"permissions":[{"actions":["Microsoft.Authorization/*/read","Microsoft.Authorization/locks/read","Microsoft.Authorization/locks/write","Microsoft.Authorization/locks/delete","Microsoft.Features/features/read","Microsoft.Features/providers/features/read","Microsoft.Resources/subscriptions/resourceGroups/read","Microsoft.Storage/operations/read","Microsoft.Storage/storageAccounts/objectReplicationPolicies/delete","Microsoft.Storage/storageAccounts/objectReplicationPolicies/read","Microsoft.Storage/storageAccounts/objectReplicationPolicies/write","Microsoft.Storage/storageAccounts/objectReplicationPolicies/restorePointMarkers/write","Microsoft.Storage/storageAccounts/blobServices/containers/read","Microsoft.Storage/storageAccounts/blobServices/containers/write","Microsoft.Storage/storageAccounts/blobServices/read","Microsoft.Storage/storageAccounts/blobServices/write","Microsoft.Storage/storageAccounts/read","Microsoft.Storage/storageAccounts/restoreBlobRanges/action"],"notActions":[],"dataActions":[],"notDataActions":[]}],"createdOn":"2020-11-02T23:32:50.4203469Z","updatedOn":"2022-04-20T01:44:53.5887074Z","createdBy":null,"updatedBy":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","type":"Microsoft.Authorization/roleDefinitions","name":"e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1"}]}' headers: cache-control: - no-cache content-length: - - '873' + - '1625' content-type: - application/json; charset=utf-8 date: - - Mon, 13 Feb 2023 07:41:07 GMT + - Mon, 05 Sep 2022 11:50:58 GMT expires: - '-1' pragma: - no-cache + set-cookie: + - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly strict-transport-security: - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1192' status: - code: 201 - message: Created + code: 200 + message: OK - request: - body: '{"backupInstance": {"dataSourceInfo": {"datasourceType": "Microsoft.Compute/disks", - "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1", - "resourceLocation": "centraluseuap", "resourceName": "cli-test-disk-new1", "resourceType": - "Microsoft.Compute/disks", "resourceUri": ""}, "policyInfo": {"policyId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy", - "policyParameters": {"dataStoreParametersList": [{"objectType": "AzureOperationalStoreParameters", - "dataStoreType": "OperationalStore", "resourceGroupId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}}, - "objectType": "BackupInstance"}}' + body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance validate-for-backup + - dataprotection backup-instance update-msi-permissions + Connection: + - keep-alive + ParameterSetName: + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes + User-Agent: + - python/3.8.5 (Windows-10-10.0.22000-SP0) AZURECLI/2.39.0 + method: GET + uri: https://graph.microsoft.com/v1.0/servicePrincipals?$filter=servicePrincipalNames%2Fany%28c%3Ac%20eq%20%27f41bd262-eb21-47f1-9706-f12132d865e3%27%29 + response: + body: + string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#servicePrincipals","value":[]}' + headers: + cache-control: + - no-cache + content-length: + - '92' + content-type: + - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 + date: + - Mon, 05 Sep 2022 11:50:58 GMT + odata-version: + - '4.0' + request-id: + - e3060f31-1947-4bdb-90e0-68fe6f7ec0ca + strict-transport-security: + - max-age=31536000 + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-ms-ags-diagnostic: + - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"000","RoleInstance":"MA1PEPF00002725"}}' + x-ms-resource-unit: + - '1' + status: + code: 200 + message: OK +- request: + body: '{"ids": ["f41bd262-eb21-47f1-9706-f12132d865e3"], "types": ["user", "group", + "servicePrincipal", "directoryObjectPartnerReference"]}' + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-instance update-msi-permissions Connection: - keep-alive Content-Length: - - '869' + - '132' Content-Type: - application/json ParameterSetName: - - -g --vault-name --backup-instance + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - python/3.8.5 (Windows-10-10.0.22000-SP0) AZURECLI/2.39.0 method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/validateForBackup?api-version=2022-05-01 + uri: https://graph.microsoft.com/v1.0/directoryObjects/getByIds response: body: - string: '' + string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#directoryObjects","value":[{"@odata.type":"#microsoft.graph.servicePrincipal","id":"f41bd262-eb21-47f1-9706-f12132d865e3","deletedDateTime":null,"accountEnabled":true,"alternativeNames":["isExplicit=False","/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg/providers/Microsoft.DataProtection/BackupVaults/cli-test-new-vault"],"appDisplayName":null,"appDescription":null,"appId":"1666ae40-2096-498b-9acd-d5cc76560b85","applicationTemplateId":null,"appOwnerOrganizationId":null,"appRoleAssignmentRequired":false,"createdDateTime":"2022-09-05T11:45:43Z","description":null,"disabledByMicrosoftStatus":null,"displayName":"cli-test-new-vault","homepage":null,"loginUrl":null,"logoutUrl":null,"notes":null,"notificationEmailAddresses":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyThumbprint":null,"replyUrls":[],"servicePrincipalNames":["1666ae40-2096-498b-9acd-d5cc76560b85","https://identity.azure.net/yHvRErNNmOMZ4EezrAqFKc6Ca0cDdhCvjeK23cGv1hE="],"servicePrincipalType":"ManagedIdentity","signInAudience":null,"tags":[],"tokenEncryptionKeyId":null,"info":null,"samlSingleSignOnSettings":null,"addIns":[],"appRoles":[],"keyCredentials":[{"customKeyIdentifier":"2E54114573727C7AB82A79610024368806BB3E76","displayName":"CN=1666ae40-2096-498b-9acd-d5cc76560b85","endDateTime":"2022-12-04T11:40:00Z","key":null,"keyId":"091f0c89-7baf-4d09-9c75-83c18191f1f0","startDateTime":"2022-09-05T11:40:00Z","type":"AsymmetricX509Cert","usage":"Verify"}],"oauth2PermissionScopes":[],"passwordCredentials":[],"resourceSpecificApplicationPermissions":[],"verifiedPublisher":{"displayName":null,"verifiedPublisherId":null,"addedDateTime":null}}]}' headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzM1YmJkMzkzLTZmMzAtNDUwMC04NDExLTMzMWJjNzIyMWU2Mw==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '0' + - '1730' + content-type: + - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 date: - - Mon, 13 Feb 2023 07:43:09 GMT - expires: - - '-1' + - Mon, 05 Sep 2022 11:50:58 GMT location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzM1YmJkMzkzLTZmMzAtNDUwMC04NDExLTMzMWJjNzIyMWU2Mw==?api-version=2022-05-01 - pragma: - - no-cache + - https://graph.microsoft.com + odata-version: + - '4.0' + request-id: + - a2368aa1-31b5-4a0c-860e-dadf0ed82d23 strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1199' - x-powered-by: - - ASP.NET + - max-age=31536000 + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-ms-ags-diagnostic: + - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"000","RoleInstance":"MA1PEPF00002029"}}' + x-ms-resource-unit: + - '3' status: - code: 202 - message: Accepted + code: 200 + message: OK - request: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance validate-for-backup + - dataprotection backup-instance update-msi-permissions Connection: - keep-alive ParameterSetName: - - -g --vault-name --backup-instance + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 + Azure-SDK-For-Python AZURECLI/2.39.0 + accept-language: + - en-US method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzM1YmJkMzkzLTZmMzAtNDUwMC04NDExLTMzMWJjNzIyMWU2Mw==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Storage%20Account%20Backup%20Contributor%27&api-version=2018-01-01-preview response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzM1YmJkMzkzLTZmMzAtNDUwMC04NDExLTMzMWJjNzIyMWU2Mw==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzM1YmJkMzkzLTZmMzAtNDUwMC04NDExLTMzMWJjNzIyMWU2Mw==","status":"Inprogress","startTime":"2023-02-13T07:43:09.0170897Z","endTime":"0001-01-01T00:00:00Z"}' + string: '{"value":[{"properties":{"roleName":"Storage Account Backup Contributor","type":"BuiltInRole","description":"Lets + you perform backup and restore operations using Azure Backup on the storage + account.","assignableScopes":["/"],"permissions":[{"actions":["Microsoft.Authorization/*/read","Microsoft.Authorization/locks/read","Microsoft.Authorization/locks/write","Microsoft.Authorization/locks/delete","Microsoft.Features/features/read","Microsoft.Features/providers/features/read","Microsoft.Resources/subscriptions/resourceGroups/read","Microsoft.Storage/operations/read","Microsoft.Storage/storageAccounts/objectReplicationPolicies/delete","Microsoft.Storage/storageAccounts/objectReplicationPolicies/read","Microsoft.Storage/storageAccounts/objectReplicationPolicies/write","Microsoft.Storage/storageAccounts/objectReplicationPolicies/restorePointMarkers/write","Microsoft.Storage/storageAccounts/blobServices/containers/read","Microsoft.Storage/storageAccounts/blobServices/containers/write","Microsoft.Storage/storageAccounts/blobServices/read","Microsoft.Storage/storageAccounts/blobServices/write","Microsoft.Storage/storageAccounts/read","Microsoft.Storage/storageAccounts/restoreBlobRanges/action"],"notActions":[],"dataActions":[],"notDataActions":[]}],"createdOn":"2020-11-02T23:32:50.4203469Z","updatedOn":"2022-04-20T01:44:53.5887074Z","createdBy":null,"updatedBy":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","type":"Microsoft.Authorization/roleDefinitions","name":"e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1"}]}' headers: cache-control: - no-cache content-length: - - '478' + - '1625' content-type: - - application/json + - application/json; charset=utf-8 date: - - Mon, 13 Feb 2023 07:43:19 GMT + - Mon, 05 Sep 2022 11:51:00 GMT expires: - '-1' pragma: - no-cache - server: - - Microsoft-IIS/10.0 + set-cookie: + - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -13280,94 +4225,94 @@ interactions: - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '999' - x-powered-by: - - ASP.NET status: code: 200 message: OK - request: - body: null + body: '{"properties": {"roleDefinitionId": "/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1", + "principalId": "f41bd262-eb21-47f1-9706-f12132d865e3", "principalType": "ServicePrincipal"}}' headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance validate-for-backup + - dataprotection backup-instance update-msi-permissions Connection: - keep-alive + Content-Length: + - '270' + Content-Type: + - application/json; charset=utf-8 + Cookie: + - x-ms-gateway-slice=Production ParameterSetName: - - -g --vault-name --backup-instance + - --datasource-type --operation --permissions-scope -g --vault-name --backup-instance + --yes User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzM1YmJkMzkzLTZmMzAtNDUwMC04NDExLTMzMWJjNzIyMWU2Mw==?api-version=2022-05-01 + - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 + Azure-SDK-For-Python AZURECLI/2.39.0 + accept-language: + - en-US + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount/providers/Microsoft.Authorization/roleAssignments/fdcda295-388d-4940-8d28-4d5a0046dedb?api-version=2020-04-01-preview response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzM1YmJkMzkzLTZmMzAtNDUwMC04NDExLTMzMWJjNzIyMWU2Mw==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzM1YmJkMzkzLTZmMzAtNDUwMC04NDExLTMzMWJjNzIyMWU2Mw==","status":"Inprogress","startTime":"2023-02-13T07:43:09.0170897Z","endTime":"0001-01-01T00:00:00Z"}' + string: '{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"f41bd262-eb21-47f1-9706-f12132d865e3","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:51:01.5900752Z","updatedOn":"2022-09-05T11:51:02.1525771Z","createdBy":null,"updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount/providers/Microsoft.Authorization/roleAssignments/fdcda295-388d-4940-8d28-4d5a0046dedb","type":"Microsoft.Authorization/roleAssignments","name":"fdcda295-388d-4940-8d28-4d5a0046dedb"}' headers: cache-control: - no-cache content-length: - - '478' + - '1001' content-type: - - application/json + - application/json; charset=utf-8 date: - - Mon, 13 Feb 2023 07:43:50 GMT + - Mon, 05 Sep 2022 11:51:07 GMT expires: - '-1' pragma: - no-cache - server: - - Microsoft-IIS/10.0 + set-cookie: + - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly strict-transport-security: - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '998' - x-powered-by: - - ASP.NET + - nosniff + x-ms-ratelimit-remaining-subscription-writes: + - '1197' status: - code: 200 - message: OK + code: 201 + message: Created - request: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance validate-for-backup + - dataprotection backup-instance update-msi-permissions Connection: - keep-alive ParameterSetName: - - -g --vault-name --backup-instance + - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance + --keyvault-id --yes User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzM1YmJkMzkzLTZmMzAtNDUwMC04NDExLTMzMWJjNzIyMWU2Mw==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzM1YmJkMzkzLTZmMzAtNDUwMC04NDExLTMzMWJjNzIyMWU2Mw==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzM1YmJkMzkzLTZmMzAtNDUwMC04NDExLTMzMWJjNzIyMWU2Mw==","status":"Succeeded","startTime":"2023-02-13T07:43:09.0170897Z","endTime":"2023-02-13T07:43:51Z"}' + string: '{"location":"centraluseuap","tags":{"Owner":"akneema","Purpose":"Testing","MABUsed":"Yes","DeleteBy":"12-9999"},"identity":{"type":"SystemAssigned","principalId":"b864e281-c12e-45c6-a0c7-6046a7de5481","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"properties":{"provisioningState":"Succeeded","storageSettings":[{"datastoreType":"VaultStore","type":"LocallyRedundant"}],"isVaultProtectedByResourceGuard":false},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault","name":"oss-clitest-vault","type":"Microsoft.DataProtection/backupVaults"}' headers: cache-control: - no-cache content-length: - - '477' + - '645' content-type: - application/json date: - - Mon, 13 Feb 2023 07:44:20 GMT + - Mon, 05 Sep 2022 11:52:10 GMT expires: - '-1' pragma: @@ -13383,7 +4328,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '997' + - '497' x-powered-by: - ASP.NET status: @@ -13393,34 +4338,32 @@ interactions: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance validate-for-backup + - dataprotection backup-instance update-msi-permissions Connection: - keep-alive ParameterSetName: - - -g --vault-name --backup-instance + - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance + --keyvault-id --yes User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-keyvault/10.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzM1YmJkMzkzLTZmMzAtNDUwMC04NDExLTMzMWJjNzIyMWU2Mw==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.KeyVault/vaults/oss-clitest-keyvault?api-version=2022-07-01 response: body: - string: '{"objectType":"OperationJobExtendedInfo"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.KeyVault/vaults/oss-clitest-keyvault","name":"oss-clitest-keyvault","type":"Microsoft.KeyVault/vaults","location":"centraluseuap","tags":{"Owner":"akneema","Purpose":"Testing","MABUsed":"Yes","DeleteBy":"12-9999"},"systemData":{"lastModifiedBy":"akneema@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-08-02T07:30:26.388Z"},"properties":{"sku":{"family":"A","name":"Standard"},"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","networkAcls":{"bypass":"AzureServices","defaultAction":"Allow","ipRules":[{"value":"20.69.149.128/32"}],"virtualNetworkRules":[]},"accessPolicies":[{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"5095196a-def9-4146-8d92-e38f24b6e378","permissions":{"keys":["Get","List","Update","Create","Import","Delete","Recover","Backup","Restore","Decrypt","Encrypt","UnwrapKey","WrapKey","Verify","Sign","Purge","Release","Rotate","GetRotationPolicy","SetRotationPolicy"],"secrets":["Get","List","Set","Delete","Recover","Backup","Restore","Purge"],"certificates":["Get","List","Update","Create","Import","Delete","Recover","Backup","Restore","ManageContacts","ManageIssuers","GetIssuers","ListIssuers","SetIssuers","DeleteIssuers","Purge"]}},{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","permissions":{"keys":["Get","List","Update","Create","Import","Delete","Recover","Backup","Restore","Decrypt","Encrypt","UnwrapKey","WrapKey","Verify","Sign","Purge","Release","Rotate","GetRotationPolicy","SetRotationPolicy"],"secrets":["Get","List","Set","Delete","Recover","Backup","Restore","Purge"],"certificates":["Get","List","Update","Create","Import","Delete","Recover","Backup","Restore","ManageContacts","ManageIssuers","GetIssuers","ListIssuers","SetIssuers","DeleteIssuers","Purge"]}},{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"f40e18f0-6544-45c2-9d24-639a8bb3b41a","permissions":{"keys":["Get","List","Backup"],"secrets":["Get","List","Backup"],"certificates":[]}},{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"b864e281-c12e-45c6-a0c7-6046a7de5481","permissions":{"secrets":["List","Get"],"keys":[],"certificates":[]}}],"enabledForDeployment":false,"enabledForDiskEncryption":false,"enabledForTemplateDeployment":false,"enableSoftDelete":true,"softDeleteRetentionInDays":90,"enableRbacAuthorization":false,"vaultUri":"https://oss-clitest-keyvault.vault.azure.net/","provisioningState":"Succeeded","publicNetworkAccess":"Enabled"}}' headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzM1YmJkMzkzLTZmMzAtNDUwMC04NDExLTMzMWJjNzIyMWU2Mw==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '41' + - '2584' content-type: - - application/json + - application/json; charset=utf-8 date: - - Mon, 13 Feb 2023 07:44:20 GMT + - Mon, 05 Sep 2022 11:52:12 GMT expires: - '-1' pragma: @@ -13433,117 +4376,118 @@ interactions: - chunked vary: - Accept-Encoding + x-aspnet-version: + - 4.0.30319 x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + x-ms-keyvault-service-version: + - 1.5.486.0 x-powered-by: - ASP.NET status: code: 200 message: OK - request: - body: '{"backupInstance": {"dataSourceInfo": {"datasourceType": "Microsoft.Storage/storageAccounts/blobServices", - "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount", - "resourceLocation": "centraluseuap", "resourceName": "cliteststoreaccount", - "resourceType": "Microsoft.Storage/storageAccounts", "resourceUri": ""}, "policyInfo": - {"policyId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/storagepolicy"}, - "objectType": "BackupInstance"}}' + body: '' headers: Accept: - application/json Accept-Encoding: - gzip, deflate - CommandName: - - dataprotection backup-instance validate-for-backup Connection: - keep-alive Content-Length: - - '679' + - 0 Content-Type: - - application/json - ParameterSetName: - - -g --vault-name --backup-instance + - application/json; charset=utf-8 User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/validateForBackup?api-version=2022-05-01 + - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-keyvault/7.0 + Azure-SDK-For-Python + accept-language: + - en-US + method: GET + uri: https://oss-clitest-keyvault.vault.azure.net/secrets?api-version=7.0 response: body: - string: '' + string: '{"error":{"code":"Unauthorized","message":"AKV10000: Request is missing + a Bearer or PoP token."}}' headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzkwOWUzNmI0LTU3NjEtNGU4Yi1hZTM0LWRmMjYwMTU2OWI0MA==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '0' + - '97' + content-type: + - application/json; charset=utf-8 date: - - Mon, 13 Feb 2023 07:44:22 GMT + - Mon, 05 Sep 2022 11:52:13 GMT expires: - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzkwOWUzNmI0LTU3NjEtNGU4Yi1hZTM0LWRmMjYwMTU2OWI0MA==?api-version=2022-05-01 pragma: - no-cache strict-transport-security: - - max-age=31536000; includeSubDomains + - max-age=31536000;includeSubDomains + www-authenticate: + - Bearer authorization="https://login.microsoftonline.com/72f988bf-86f1-41af-91ab-2d7cd011db47", + resource="https://vault.azure.net" x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1199' + x-ms-keyvault-network-info: + - conn_type=Ipv4;addr=167.220.238.154;act_addr_fam=InterNetwork; + x-ms-keyvault-region: + - centraluseuap + x-ms-keyvault-service-version: + - 1.9.501.1 x-powered-by: - ASP.NET status: - code: 202 - message: Accepted + code: 401 + message: Unauthorized - request: - body: null + body: '' headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate - CommandName: - - dataprotection backup-instance validate-for-backup Connection: - keep-alive - ParameterSetName: - - -g --vault-name --backup-instance + Content-Length: + - 0 + Content-Type: + - application/json; charset=utf-8 User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-keyvault/7.0 + Azure-SDK-For-Python + accept-language: + - en-US method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzkwOWUzNmI0LTU3NjEtNGU4Yi1hZTM0LWRmMjYwMTU2OWI0MA==?api-version=2022-05-01 + uri: https://oss-clitest-keyvault.vault.azure.net/secrets?api-version=7.0 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzkwOWUzNmI0LTU3NjEtNGU4Yi1hZTM0LWRmMjYwMTU2OWI0MA==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzkwOWUzNmI0LTU3NjEtNGU4Yi1hZTM0LWRmMjYwMTU2OWI0MA==","status":"Inprogress","startTime":"2023-02-13T07:44:22.839471Z","endTime":"0001-01-01T00:00:00Z"}' + string: '{"value":[{"contentType":"Wrapped BEK","id":"https://oss-clitest-keyvault.vault.azure.net/secrets/ADEA19F9-2D87-46AC-91CD-492758A0C8A7","attributes":{"enabled":true,"created":1645419092,"updated":1645419092,"recoveryLevel":"Recoverable+Purgeable"},"tags":{"DiskEncryptionKeyFileName":"ADEA19F9-2D87-46AC-91CD-492758A0C8A7.BEK","VolumeLetter":"C:\\","VolumeLabel":"Windows","MachineName":"sql-clicloudtes","DiskEncryptionKeyEncryptionKeyURL":"https://oss-clitest-keyvault.vault.azure.net/keys/sql-clitest-key/fad6b3422cc1472c8bfd9f6f5b923d0d","DiskEncryptionKeyEncryptionAlgorithm":"RSA-OAEP"}},{"id":"https://oss-clitest-keyvault.vault.azure.net/secrets/oss-clitest-secret","attributes":{"enabled":true,"created":1629969650,"updated":1629969650,"recoveryLevel":"Recoverable+Purgeable"},"tags":{}}],"nextLink":null}' headers: cache-control: - no-cache content-length: - - '477' + - '814' content-type: - - application/json + - application/json; charset=utf-8 date: - - Mon, 13 Feb 2023 07:44:32 GMT + - Mon, 05 Sep 2022 11:52:14 GMT expires: - '-1' pragma: - no-cache - server: - - Microsoft-IIS/10.0 strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding + - max-age=31536000;includeSubDomains x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '997' + x-ms-keyvault-network-info: + - conn_type=Ipv4;addr=167.220.238.154;act_addr_fam=InterNetwork; + x-ms-keyvault-region: + - centraluseuap + x-ms-keyvault-service-version: + - 1.9.501.1 x-powered-by: - ASP.NET status: @@ -13557,97 +4501,96 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance validate-for-backup + - dataprotection backup-instance update-msi-permissions Connection: - keep-alive ParameterSetName: - - -g --vault-name --backup-instance + - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance + --keyvault-id --yes User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - python/3.8.5 (Windows-10-10.0.22000-SP0) AZURECLI/2.39.0 method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzkwOWUzNmI0LTU3NjEtNGU4Yi1hZTM0LWRmMjYwMTU2OWI0MA==?api-version=2022-05-01 + uri: https://graph.microsoft.com/v1.0/servicePrincipals?$filter=servicePrincipalNames%2Fany%28c%3Ac%20eq%20%27b864e281-c12e-45c6-a0c7-6046a7de5481%27%29 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzkwOWUzNmI0LTU3NjEtNGU4Yi1hZTM0LWRmMjYwMTU2OWI0MA==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzkwOWUzNmI0LTU3NjEtNGU4Yi1hZTM0LWRmMjYwMTU2OWI0MA==","status":"Inprogress","startTime":"2023-02-13T07:44:22.839471Z","endTime":"0001-01-01T00:00:00Z"}' + string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#servicePrincipals","value":[]}' headers: cache-control: - no-cache content-length: - - '477' + - '92' content-type: - - application/json + - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 date: - - Mon, 13 Feb 2023 07:45:02 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 + - Mon, 05 Sep 2022 11:52:15 GMT + odata-version: + - '4.0' + request-id: + - 1c6e36f9-1845-414a-a1d7-0bbcd3b5496c strict-transport-security: - - max-age=31536000; includeSubDomains + - max-age=31536000 transfer-encoding: - chunked vary: - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '996' - x-powered-by: - - ASP.NET + x-ms-ags-diagnostic: + - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"001","RoleInstance":"MA1PEPF00002731"}}' + x-ms-resource-unit: + - '1' status: code: 200 message: OK - request: - body: null + body: '{"ids": ["b864e281-c12e-45c6-a0c7-6046a7de5481"], "types": ["user", "group", + "servicePrincipal", "directoryObjectPartnerReference"]}' headers: Accept: - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance validate-for-backup + - dataprotection backup-instance update-msi-permissions Connection: - keep-alive + Content-Length: + - '132' + Content-Type: + - application/json ParameterSetName: - - -g --vault-name --backup-instance + - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance + --keyvault-id --yes User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzkwOWUzNmI0LTU3NjEtNGU4Yi1hZTM0LWRmMjYwMTU2OWI0MA==?api-version=2022-05-01 + - python/3.8.5 (Windows-10-10.0.22000-SP0) AZURECLI/2.39.0 + method: POST + uri: https://graph.microsoft.com/v1.0/directoryObjects/getByIds response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzkwOWUzNmI0LTU3NjEtNGU4Yi1hZTM0LWRmMjYwMTU2OWI0MA==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzkwOWUzNmI0LTU3NjEtNGU4Yi1hZTM0LWRmMjYwMTU2OWI0MA==","status":"Inprogress","startTime":"2023-02-13T07:44:22.839471Z","endTime":"0001-01-01T00:00:00Z"}' + string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#directoryObjects","value":[{"@odata.type":"#microsoft.graph.servicePrincipal","id":"b864e281-c12e-45c6-a0c7-6046a7de5481","deletedDateTime":null,"accountEnabled":true,"alternativeNames":["isExplicit=False","/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault"],"appDisplayName":null,"appDescription":null,"appId":"49bc63b1-190a-4f4e-a962-58db2c2f7112","applicationTemplateId":null,"appOwnerOrganizationId":null,"appRoleAssignmentRequired":false,"createdDateTime":"2021-08-26T09:13:20Z","description":null,"disabledByMicrosoftStatus":null,"displayName":"oss-clitest-vault","homepage":null,"loginUrl":null,"logoutUrl":null,"notes":null,"notificationEmailAddresses":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyThumbprint":null,"replyUrls":[],"servicePrincipalNames":["49bc63b1-190a-4f4e-a962-58db2c2f7112","https://identity.azure.net/QVMExgU4rxwt5XEm5whEdHZLrmsaL9M/n/eZXzCcN54="],"servicePrincipalType":"ManagedIdentity","signInAudience":null,"tags":[],"tokenEncryptionKeyId":null,"info":null,"samlSingleSignOnSettings":null,"addIns":[],"appRoles":[],"keyCredentials":[{"customKeyIdentifier":"06DD62CA457312E21DDF22C874328A49AF671767","displayName":"CN=49bc63b1-190a-4f4e-a962-58db2c2f7112","endDateTime":"2022-10-12T18:18:00Z","key":null,"keyId":"38633d99-d5b8-4a29-b73c-49341b7f7b4f","startDateTime":"2022-07-14T18:18:00Z","type":"AsymmetricX509Cert","usage":"Verify"},{"customKeyIdentifier":"10296B63A1DD090AB64281F85000C1822BB84F58","displayName":"CN=49bc63b1-190a-4f4e-a962-58db2c2f7112","endDateTime":"2022-08-27T17:02:00Z","key":null,"keyId":"bbf02149-b332-4456-83c8-e66d2d66c8a1","startDateTime":"2022-05-29T17:02:00Z","type":"AsymmetricX509Cert","usage":"Verify"},{"customKeyIdentifier":"F0931109872A337B348A716A953CBFF5C7994B9B","displayName":"CN=49bc63b1-190a-4f4e-a962-58db2c2f7112","endDateTime":"2022-07-12T15:44:00Z","key":null,"keyId":"c6e3d740-2fe2-4b79-9125-f45fa0deca41","startDateTime":"2022-04-13T15:44:00Z","type":"AsymmetricX509Cert","usage":"Verify"}],"oauth2PermissionScopes":[],"passwordCredentials":[],"resourceSpecificApplicationPermissions":[],"verifiedPublisher":{"displayName":null,"verifiedPublisherId":null,"addedDateTime":null}}]}' headers: cache-control: - no-cache content-length: - - '477' + - '2337' content-type: - - application/json + - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 date: - - Mon, 13 Feb 2023 07:45:34 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 + - Mon, 05 Sep 2022 11:52:15 GMT + location: + - https://graph.microsoft.com + odata-version: + - '4.0' + request-id: + - b04381ed-dd92-4d8d-80d8-2ba8e284ea02 strict-transport-security: - - max-age=31536000; includeSubDomains + - max-age=31536000 transfer-encoding: - chunked vary: - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '995' - x-powered-by: - - ASP.NET + x-ms-ags-diagnostic: + - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"001","RoleInstance":"MA1PEPF00001FEF"}}' + x-ms-resource-unit: + - '3' status: code: 200 message: OK @@ -13655,38 +4598,42 @@ interactions: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance validate-for-backup + - dataprotection backup-instance update-msi-permissions Connection: - keep-alive ParameterSetName: - - -g --vault-name --backup-instance + - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance + --keyvault-id --yes User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 + Azure-SDK-For-Python AZURECLI/2.39.0 + accept-language: + - en-US method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzkwOWUzNmI0LTU3NjEtNGU4Yi1hZTM0LWRmMjYwMTU2OWI0MA==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/providers/Microsoft.Authorization/roleAssignments?$filter=atScope%28%29&api-version=2020-04-01-preview response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzkwOWUzNmI0LTU3NjEtNGU4Yi1hZTM0LWRmMjYwMTU2OWI0MA==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzkwOWUzNmI0LTU3NjEtNGU4Yi1hZTM0LWRmMjYwMTU2OWI0MA==","status":"Succeeded","startTime":"2023-02-13T07:44:22.839471Z","endTime":"2023-02-13T07:46:02Z"}' + string: '{"value":[{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"5c617d2b-99f8-4c90-98fe-dfe040fa33c1","principalType":"ServicePrincipal","scope":"/","condition":null,"conditionVersion":null,"createdOn":"2018-02-27T19:19:50.2663941Z","updatedOn":"2018-02-27T19:19:50.2663941Z","createdBy":null,"updatedBy":null,"delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Authorization/roleAssignments/3e883d24-b106-42ff-ad13-d7bf271b964d","type":"Microsoft.Authorization/roleAssignments","name":"3e883d24-b106-42ff-ad13-d7bf271b964d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"1d8b8d73-0cc6-4db8-b112-724b4a932253","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-26T12:22:13.7498923Z","updatedOn":"2019-08-26T12:22:13.7498923Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8c3a4de9-1ebd-47ce-9dd9-bebf87a4e28f","type":"Microsoft.Authorization/roleAssignments","name":"8c3a4de9-1ebd-47ce-9dd9-bebf87a4e28f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"1e845bc3-37db-4639-be09-d0cf1e448221","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-05-24T11:02:27.8515917Z","updatedOn":"2019-05-24T11:02:27.8515917Z","createdBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","updatedBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b5eee4d7-5f9f-4f63-8040-8aec158c289b","type":"Microsoft.Authorization/roleAssignments","name":"b5eee4d7-5f9f-4f63-8040-8aec158c289b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"235b2664-75e2-4741-bb6f-37e49babf6cd","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-02-12T11:34:59.7104212Z","updatedOn":"2020-02-12T11:34:59.7104212Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/f0618702-8404-4858-9a26-e61f23e7d44f","type":"Microsoft.Authorization/roleAssignments","name":"f0618702-8404-4858-9a26-e61f23e7d44f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8bb5b214-1182-465c-892f-ca7235abe1e7","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-11-14T08:52:42.2795010Z","updatedOn":"2019-11-14T08:52:42.2795010Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/77daac38-9839-4b00-921b-e5d5a03e728c","type":"Microsoft.Authorization/roleAssignments","name":"77daac38-9839-4b00-921b-e5d5a03e728c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"9693df58-7f72-4974-9bd3-1c3ceb0382f1","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-11-29T09:40:04.3180033Z","updatedOn":"2018-11-29T09:40:04.3180033Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ed3bf874-9c97-43f9-a5e9-b4ee6f8982f7","type":"Microsoft.Authorization/roleAssignments","name":"ed3bf874-9c97-43f9-a5e9-b4ee6f8982f7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"d1f96755-9bcf-44b8-ab82-df67360496c4","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-05-08T10:28:08.2854940Z","updatedOn":"2020-05-08T10:28:08.2854940Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/dfb3ca56-a0d4-44ce-ba35-b716c3fdab86","type":"Microsoft.Authorization/roleAssignments","name":"dfb3ca56-a0d4-44ce-ba35-b716c3fdab86"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-12-31T09:26:43.6440415Z","updatedOn":"2018-12-31T09:26:43.6440415Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/45744ea8-780f-4f3e-88aa-b73d7f6997b2","type":"Microsoft.Authorization/roleAssignments","name":"45744ea8-780f-4f3e-88aa-b73d7f6997b2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e65078fb-6b02-434a-9f11-d06bf9bc0600","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-10-25T23:42:36.3444507Z","updatedOn":"2018-10-25T23:42:36.3444507Z","createdBy":"66cb55a5-e2a8-44ef-ae4b-5ab8fa2ec8d9","updatedBy":"66cb55a5-e2a8-44ef-ae4b-5ab8fa2ec8d9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e7ce51e8-4109-41d7-bc10-538b089599db","type":"Microsoft.Authorization/roleAssignments","name":"e7ce51e8-4109-41d7-bc10-538b089599db"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"a7782e0f-1f9a-4882-b2c9-11227aad244e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-06-16T04:32:50.9673703Z","updatedOn":"2020-06-16T04:32:50.9673703Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9fa21f2f-81c3-47b6-b706-650b359b96c3","type":"Microsoft.Authorization/roleAssignments","name":"9fa21f2f-81c3-47b6-b706-650b359b96c3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"00b14177-f4d2-4a4b-94f6-6e80f75745c9","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-03-12T09:49:11.3750683Z","updatedOn":"2020-03-12T09:49:11.3750683Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fff0abf3-3cf7-46be-8bc7-1d1619a160fb","type":"Microsoft.Authorization/roleAssignments","name":"fff0abf3-3cf7-46be-8bc7-1d1619a160fb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"1d8b8d73-0cc6-4db8-b112-724b4a932253","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-26T10:28:45.4880023Z","updatedOn":"2019-08-26T10:28:45.4880023Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/397a3c9c-c258-4d4e-834d-00cc08227796","type":"Microsoft.Authorization/roleAssignments","name":"397a3c9c-c258-4d4e-834d-00cc08227796"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"235b2664-75e2-4741-bb6f-37e49babf6cd","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-12-05T04:29:28.7359096Z","updatedOn":"2018-12-05T04:29:28.7359096Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3c830f42-5f89-4d8b-8f93-d3dc936f33bd","type":"Microsoft.Authorization/roleAssignments","name":"3c830f42-5f89-4d8b-8f93-d3dc936f33bd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-04-08T08:38:50.1742930Z","updatedOn":"2020-04-08T08:38:50.1742930Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/5293a96b-830e-45f4-9e9e-22d7d020f0d8","type":"Microsoft.Authorization/roleAssignments","name":"5293a96b-830e-45f4-9e9e-22d7d020f0d8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3421d717-ca60-44e7-a9a1-773acec4e503","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-10-23T09:40:14.7658272Z","updatedOn":"2019-10-23T09:40:14.7658272Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/34b29558-faf9-43f0-a194-35ca0aa99fc5","type":"Microsoft.Authorization/roleAssignments","name":"34b29558-faf9-43f0-a194-35ca0aa99fc5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3dc88d41-4d03-4105-970d-937e56de3839","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-06-27T12:59:44.6557891Z","updatedOn":"2019-06-27T12:59:44.6557891Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e57ab8d1-ce9a-4925-b09f-2567492d9b22","type":"Microsoft.Authorization/roleAssignments","name":"e57ab8d1-ce9a-4925-b09f-2567492d9b22"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"62c799b8-9b54-4c3d-97c9-9490d16a6a9a","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-08T13:01:20.9953919Z","updatedOn":"2019-08-08T13:01:20.9953919Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e1b91810-0781-462d-9517-764e4a033822","type":"Microsoft.Authorization/roleAssignments","name":"e1b91810-0781-462d-9517-764e4a033822"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8bb5b214-1182-465c-892f-ca7235abe1e7","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-10-23T08:03:15.6803676Z","updatedOn":"2019-10-23T08:03:15.6803676Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/facbac06-ddab-437d-949a-207593fddfff","type":"Microsoft.Authorization/roleAssignments","name":"facbac06-ddab-437d-949a-207593fddfff"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"978b254a-54be-42af-80f5-e2a37b2e40e5","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-07-08T06:57:57.0377373Z","updatedOn":"2019-07-08T06:57:57.0377373Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/89be5b0a-dfa8-4bdf-b667-c6f63f7f3f0e","type":"Microsoft.Authorization/roleAssignments","name":"89be5b0a-dfa8-4bdf-b667-c6f63f7f3f0e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"9c973a07-b207-473c-9687-bd693ba8e460","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-04-17T09:14:08.7913669Z","updatedOn":"2020-04-17T09:14:08.7913669Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/950c635a-23a5-4a0e-8eb6-c53e929c9699","type":"Microsoft.Authorization/roleAssignments","name":"950c635a-23a5-4a0e-8eb6-c53e929c9699"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a4eae46b-a9d0-4586-8ac9-ba91b29f1d57","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-02-01T10:05:44.6784242Z","updatedOn":"2022-02-01T10:05:44.6784242Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8af2fb3a-292c-42a8-a870-1751c4ec4870","type":"Microsoft.Authorization/roleAssignments","name":"8af2fb3a-292c-42a8-a870-1751c4ec4870"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"85c33f6f-5d69-4b0e-bc06-95a7d3193519","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-05-04T09:52:52.7340040Z","updatedOn":"2022-05-04T09:52:52.7340040Z","createdBy":"447bbed8-9839-4d6e-9e39-fb9aeee1ec1d","updatedBy":"447bbed8-9839-4d6e-9e39-fb9aeee1ec1d","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/6a4f635c-309c-4a1d-8eea-86fb5aa91d80","type":"Microsoft.Authorization/roleAssignments","name":"6a4f635c-309c-4a1d-8eea-86fb5aa91d80"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"e6234342-a3d7-4b04-9041-3e8526f5861a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-05-12T06:55:02.9137483Z","updatedOn":"2022-05-12T06:55:02.9137483Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a5bd1b6d-0084-40ec-9126-2250536b4778","type":"Microsoft.Authorization/roleAssignments","name":"a5bd1b6d-0084-40ec-9126-2250536b4778"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"f2cee52e-3d75-4f49-acc4-b5aaf72232ee","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T11:01:05.6238088Z","updatedOn":"2022-06-03T11:01:05.6238088Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2bd63fbe-e197-434f-ba1e-016bad298ff7","type":"Microsoft.Authorization/roleAssignments","name":"2bd63fbe-e197-434f-ba1e-016bad298ff7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"8be185b2-5cbf-45c1-b9af-cbbd9b59144d","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T13:20:41.1511200Z","updatedOn":"2022-06-03T13:22:39.1076287Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/f12c7867-43e5-5530-98e9-9d8a2f39fb92","type":"Microsoft.Authorization/roleAssignments","name":"f12c7867-43e5-5530-98e9-9d8a2f39fb92"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"8be185b2-5cbf-45c1-b9af-cbbd9b59144d","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T13:37:09.9515887Z","updatedOn":"2022-06-03T14:40:22.4040874Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/bace23ac-6978-5318-a146-d49599599b02","type":"Microsoft.Authorization/roleAssignments","name":"bace23ac-6978-5318-a146-d49599599b02"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"e6234342-a3d7-4b04-9041-3e8526f5861a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-06T11:22:08.5127363Z","updatedOn":"2022-06-06T11:22:08.5127363Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/df253c65-35fc-4ff6-9a32-39b3fe20a6e3","type":"Microsoft.Authorization/roleAssignments","name":"df253c65-35fc-4ff6-9a32-39b3fe20a6e3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"5f137a67-1b88-4f98-aa20-b71a7082dc56","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-10T14:11:57.5623976Z","updatedOn":"2022-06-10T14:11:57.5623976Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e409f573-8bda-4b7e-854a-61c445d36c6f","type":"Microsoft.Authorization/roleAssignments","name":"e409f573-8bda-4b7e-854a-61c445d36c6f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-22T11:28:57.2073063Z","updatedOn":"2022-06-22T11:28:57.2073063Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c5b3bcf3-fd4c-4b57-9f73-f075ce7afccb","type":"Microsoft.Authorization/roleAssignments","name":"c5b3bcf3-fd4c-4b57-9f73-f075ce7afccb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-23T09:19:22.2256200Z","updatedOn":"2022-06-23T09:19:22.2256200Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/344b17ae-cabf-4a33-9a9d-ba30fefcbadc","type":"Microsoft.Authorization/roleAssignments","name":"344b17ae-cabf-4a33-9a9d-ba30fefcbadc"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"2b81557b-8e7a-4df8-9a41-e59844f627c2","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-23T09:25:03.9969293Z","updatedOn":"2022-06-23T09:25:03.9969293Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/13a7f7c7-7364-4f9b-ba92-5430f17b29b5","type":"Microsoft.Authorization/roleAssignments","name":"13a7f7c7-7364-4f9b-ba92-5430f17b29b5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-24T07:04:04.5965087Z","updatedOn":"2022-06-24T07:04:04.5965087Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ba604c54-80e1-490e-a123-9ef9d477536b","type":"Microsoft.Authorization/roleAssignments","name":"ba604c54-80e1-490e-a123-9ef9d477536b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-25T04:10:10.7065168Z","updatedOn":"2022-06-25T04:10:10.7065168Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/916a749f-b61f-4ba4-8c28-46217c3a7b4e","type":"Microsoft.Authorization/roleAssignments","name":"916a749f-b61f-4ba4-8c28-46217c3a7b4e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T07:37:58.3152810Z","updatedOn":"2022-06-27T07:37:58.3152810Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/0a1046d6-ba58-491f-b473-403ec29cd2be","type":"Microsoft.Authorization/roleAssignments","name":"0a1046d6-ba58-491f-b473-403ec29cd2be"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:21:12.2347431Z","updatedOn":"2022-06-27T08:21:12.2347431Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/abc6fbbe-d4a8-4315-9532-82e90334dcc9","type":"Microsoft.Authorization/roleAssignments","name":"abc6fbbe-d4a8-4315-9532-82e90334dcc9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"381295fa-e67d-4943-a2eb-90ffcf09577b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:43:17.8582970Z","updatedOn":"2022-06-27T08:43:17.8582970Z","createdBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","updatedBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b8f0bb0e-1495-48f0-aa68-33c364310cfb","type":"Microsoft.Authorization/roleAssignments","name":"b8f0bb0e-1495-48f0-aa68-33c364310cfb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"381295fa-e67d-4943-a2eb-90ffcf09577b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:43:18.7801612Z","updatedOn":"2022-06-27T08:43:18.7801612Z","createdBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","updatedBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b8eb5d9d-85e3-4ba8-9458-fdd2c48ba8e1","type":"Microsoft.Authorization/roleAssignments","name":"b8eb5d9d-85e3-4ba8-9458-fdd2c48ba8e1"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"b864e281-c12e-45c6-a0c7-6046a7de5481","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-30T10:50:49.6196941Z","updatedOn":"2022-06-30T10:50:49.6196941Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.Authorization/roleAssignments/61b7cfe4-f4db-49b0-b329-bb5fad775973","type":"Microsoft.Authorization/roleAssignments","name":"61b7cfe4-f4db-49b0-b329-bb5fad775973"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"3de34697-a180-45dc-aff8-c16061f1143b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-01T08:15:11.7388086Z","updatedOn":"2022-07-01T08:15:11.7388086Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/86db086e-0442-5eef-8ebc-1d8d28a4d03a","type":"Microsoft.Authorization/roleAssignments","name":"86db086e-0442-5eef-8ebc-1d8d28a4d03a"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3de34697-a180-45dc-aff8-c16061f1143b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-01T08:15:12.7940996Z","updatedOn":"2022-07-01T08:15:12.7940996Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/cbcefba6-df6c-5670-9e02-9e09f7964d9c","type":"Microsoft.Authorization/roleAssignments","name":"cbcefba6-df6c-5670-9e02-9e09f7964d9c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"fe7b070d-f778-4cfd-8acf-eda94f397a89","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-29T07:15:07.9544255Z","updatedOn":"2022-07-29T07:15:07.9544255Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/efb13d06-875d-40e3-81d5-195824e19188","type":"Microsoft.Authorization/roleAssignments","name":"efb13d06-875d-40e3-81d5-195824e19188"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f8520195-1c62-47ff-8c01-e394155b52f1","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-10T11:13:36.6792855Z","updatedOn":"2022-08-10T11:13:36.6792855Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3c9150af-abd1-4d00-9c16-acb375857df6","type":"Microsoft.Authorization/roleAssignments","name":"3c9150af-abd1-4d00-9c16-acb375857df6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f4bfeb83-a4cc-43e8-bee0-9808b5d0918d","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-24T05:51:56.3337713Z","updatedOn":"2022-08-24T05:51:56.3337713Z","createdBy":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","updatedBy":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3caa2a04-62bf-4a33-80f5-056840e59fb4","type":"Microsoft.Authorization/roleAssignments","name":"3caa2a04-62bf-4a33-80f5-056840e59fb4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"608ca1e9-e854-46c6-984f-d812d0e657e6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-30T13:32:28.1332524Z","updatedOn":"2022-08-30T13:32:28.1332524Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2719b245-3aeb-4cc0-92bc-6f63eea0dcbf","type":"Microsoft.Authorization/roleAssignments","name":"2719b245-3aeb-4cc0-92bc-6f63eea0dcbf"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a51d0ef9-9895-4b63-b3f8-354bb7d1a6bb","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-05-21T08:47:39.8177538Z","updatedOn":"2021-05-21T08:47:39.8177538Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/17db6abb-bc45-4967-b313-e470ec9cbbd7","type":"Microsoft.Authorization/roleAssignments","name":"17db6abb-bc45-4967-b313-e470ec9cbbd7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"93e2b483-3ffa-44f8-9965-fdb104b541a2","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-06-29T05:43:19.7216795Z","updatedOn":"2021-06-29T05:43:19.7216795Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c6aff8c2-08b1-5b1a-9c80-d91164226985","type":"Microsoft.Authorization/roleAssignments","name":"c6aff8c2-08b1-5b1a-9c80-d91164226985"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"4f285ac8-5610-4d2f-854c-bfa3d16a2679","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-11T06:55:02.4909144Z","updatedOn":"2021-07-11T06:55:02.4909144Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/0cec2ad2-d080-4126-a99f-f61c559b799c","type":"Microsoft.Authorization/roleAssignments","name":"0cec2ad2-d080-4126-a99f-f61c559b799c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"630db480-3ee6-47ec-ae72-5f917d466bad","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:16:28.8833400Z","updatedOn":"2021-07-13T10:16:28.8833400Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/37fe4b2d-0aca-4c27-8511-1e0d18063ec8","type":"Microsoft.Authorization/roleAssignments","name":"37fe4b2d-0aca-4c27-8511-1e0d18063ec8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"279982e7-46cf-4e40-9a3b-156c98285cb7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:18:48.5647062Z","updatedOn":"2021-07-13T10:18:48.5647062Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/7907f38d-57a7-431d-82d7-5dfa2ef0a628","type":"Microsoft.Authorization/roleAssignments","name":"7907f38d-57a7-431d-82d7-5dfa2ef0a628"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"790004d0-0112-41ad-92e8-95c464c34476","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:18:48.6068337Z","updatedOn":"2021-07-13T10:18:48.6068337Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8c9bda26-83c4-4d4c-b00b-c4b58301e539","type":"Microsoft.Authorization/roleAssignments","name":"8c9bda26-83c4-4d4c-b00b-c4b58301e539"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-21T06:38:43.9281998Z","updatedOn":"2021-07-21T06:38:43.9281998Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b553fa81-60dd-45d6-9781-8c2313d68b03","type":"Microsoft.Authorization/roleAssignments","name":"b553fa81-60dd-45d6-9781-8c2313d68b03"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:20.4258578Z","updatedOn":"2021-07-27T04:31:20.4258578Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/4b2f7b08-f9ef-4fc1-b9c4-2bb34fdef258","type":"Microsoft.Authorization/roleAssignments","name":"4b2f7b08-f9ef-4fc1-b9c4-2bb34fdef258"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:32.4566300Z","updatedOn":"2021-07-27T04:31:32.4566300Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8176bf09-8e96-448a-ab12-eeed360ecce2","type":"Microsoft.Authorization/roleAssignments","name":"8176bf09-8e96-448a-ab12-eeed360ecce2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:48.4577322Z","updatedOn":"2021-07-27T04:31:48.4577322Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/45949217-58cc-4c18-93f3-f4c90710ae2d","type":"Microsoft.Authorization/roleAssignments","name":"45949217-58cc-4c18-93f3-f4c90710ae2d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:20.8138038Z","updatedOn":"2021-07-27T10:13:20.8138038Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2382b52f-1ec5-430e-ae2a-74f9ed331ced","type":"Microsoft.Authorization/roleAssignments","name":"2382b52f-1ec5-430e-ae2a-74f9ed331ced"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:23.6551958Z","updatedOn":"2021-07-27T10:13:23.6551958Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e5863947-0b21-41b7-9997-c0dfc73eec29","type":"Microsoft.Authorization/roleAssignments","name":"e5863947-0b21-41b7-9997-c0dfc73eec29"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:29.6985440Z","updatedOn":"2021-07-27T10:13:29.6985440Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/28c1cefa-942f-44c5-a4d4-c33bb92abd45","type":"Microsoft.Authorization/roleAssignments","name":"28c1cefa-942f-44c5-a4d4-c33bb92abd45"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8039a424-299a-4014-8b22-4f6d6cc60065","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-11T07:08:31.9935560Z","updatedOn":"2021-08-11T07:08:31.9935560Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/69e0bcfc-b024-4d8b-a3d5-dac447f8986c","type":"Microsoft.Authorization/roleAssignments","name":"69e0bcfc-b024-4d8b-a3d5-dac447f8986c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"8f0340b8-4b70-412b-be19-c4612d49e353","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-20T11:58:29.6857641Z","updatedOn":"2021-08-20T11:58:29.6857641Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fd88236f-eacb-5303-912f-ba1741cf02bd","type":"Microsoft.Authorization/roleAssignments","name":"fd88236f-eacb-5303-912f-ba1741cf02bd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"0d8f6e68-d6c5-4a67-b6c4-3107609bbdbc","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-20T12:31:58.7980661Z","updatedOn":"2021-08-20T12:31:58.7980661Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/146f4a11-8712-583d-89eb-a7b8b82dbaa9","type":"Microsoft.Authorization/roleAssignments","name":"146f4a11-8712-583d-89eb-a7b8b82dbaa9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"e2072d83-2379-4f36-ab51-b5df7460c61e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-21T14:40:08.5987892Z","updatedOn":"2021-08-21T14:40:10.5055205Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/842af679-0b58-5eb5-b94c-ff59e4105d7e","type":"Microsoft.Authorization/roleAssignments","name":"842af679-0b58-5eb5-b94c-ff59e4105d7e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-17T09:41:38.5634940Z","updatedOn":"2021-09-17T09:41:38.5634940Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":"for + temp testing purpose"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/98fe0117-1e9c-4e37-b8a7-c4a1031d6916","type":"Microsoft.Authorization/roleAssignments","name":"98fe0117-1e9c-4e37-b8a7-c4a1031d6916"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"9c973a07-b207-473c-9687-bd693ba8e460","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-25T15:23:32.6168771Z","updatedOn":"2021-09-25T15:23:32.6168771Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/d852f084-bc9f-4258-9e2c-fcf48b9eaf85","type":"Microsoft.Authorization/roleAssignments","name":"d852f084-bc9f-4258-9e2c-fcf48b9eaf85"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"2778738c-452b-45ca-b8d6-f085836a1458","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-30T07:51:25.2399474Z","updatedOn":"2021-09-30T07:51:25.2399474Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b04a3bdf-b6a6-5ffb-9394-ee5743741597","type":"Microsoft.Authorization/roleAssignments","name":"b04a3bdf-b6a6-5ffb-9394-ee5743741597"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"0ac1f52a-325b-486a-a095-f46ffdd6a9e4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-10-26T01:59:18.6998395Z","updatedOn":"2021-10-26T01:59:18.6998395Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/53a3b238-b4b0-4d3f-b416-8d6dc8d755f6","type":"Microsoft.Authorization/roleAssignments","name":"53a3b238-b4b0-4d3f-b416-8d6dc8d755f6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"c3c0d020-16f0-44d8-9950-0250120a33ff","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-02T06:11:03.5575284Z","updatedOn":"2021-11-02T06:11:03.5575284Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/1d017732-f67e-5aa1-a4a6-47570078d9f3","type":"Microsoft.Authorization/roleAssignments","name":"1d017732-f67e-5aa1-a4a6-47570078d9f3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-10T08:59:19.7285159Z","updatedOn":"2021-11-10T08:59:19.7285159Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a60357fa-dc0a-4479-a2a9-4329c2d0ae89","type":"Microsoft.Authorization/roleAssignments","name":"a60357fa-dc0a-4479-a2a9-4329c2d0ae89"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8dd77695-d6a5-450d-a43c-67ca01be9fbc","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-12T10:55:38.3698246Z","updatedOn":"2021-11-12T10:55:38.3698246Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/dda5bb75-b74a-4430-975f-5bc9611c4b2d","type":"Microsoft.Authorization/roleAssignments","name":"dda5bb75-b74a-4430-975f-5bc9611c4b2d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/36243c78-bf99-498c-9df9-86d9f8d28608","principalId":"2152c794-9ca2-41fe-a313-2d0e1ee3eb80","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-18T06:28:12.0181010Z","updatedOn":"2021-02-18T06:28:12.0181010Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/804f6223-03eb-4091-b460-82160fc5f818","type":"Microsoft.Authorization/roleAssignments","name":"804f6223-03eb-4091-b460-82160fc5f818"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"2152c794-9ca2-41fe-a313-2d0e1ee3eb80","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-18T06:28:12.0168587Z","updatedOn":"2021-02-18T06:28:12.0168587Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8d80e2d6-315c-495c-ab2c-91ddf75edf41","type":"Microsoft.Authorization/roleAssignments","name":"8d80e2d6-315c-495c-ab2c-91ddf75edf41"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"cf46d636-b6c1-406c-aba7-b2c3d9ed07da","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-26T13:53:53.1151640Z","updatedOn":"2021-02-26T13:53:53.1151640Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/735e98ed-f4b8-4b7d-9cc9-af4f8ae77252","type":"Microsoft.Authorization/roleAssignments","name":"735e98ed-f4b8-4b7d-9cc9-af4f8ae77252"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8505e3f4-1ee7-427c-a175-a06595231d46","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-26T13:54:27.5624477Z","updatedOn":"2021-02-26T13:54:27.5624477Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/98c87a9f-b9e7-414b-8b59-bf3ec62dbc74","type":"Microsoft.Authorization/roleAssignments","name":"98c87a9f-b9e7-414b-8b59-bf3ec62dbc74"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-25T12:25:27.2277610Z","updatedOn":"2020-07-25T12:25:27.2277610Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fd6b8ff4-9edb-43f5-aa2a-32133fa09b1d","type":"Microsoft.Authorization/roleAssignments","name":"fd6b8ff4-9edb-43f5-aa2a-32133fa09b1d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"21ae6127-c385-4ae0-b895-a8559e9aa574","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-31T08:35:35.2993523Z","updatedOn":"2020-07-31T08:35:35.2993523Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/6af9fbf3-7085-4bcb-b399-88b89fac16d3","type":"Microsoft.Authorization/roleAssignments","name":"6af9fbf3-7085-4bcb-b399-88b89fac16d3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"1e845bc3-37db-4639-be09-d0cf1e448221","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-31T08:44:16.2909420Z","updatedOn":"2020-07-31T08:44:16.2909420Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/65080390-e9b5-4566-b362-d1e96c23dae2","type":"Microsoft.Authorization/roleAssignments","name":"65080390-e9b5-4566-b362-d1e96c23dae2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-11-03T06:12:01.6760584Z","updatedOn":"2020-11-03T06:12:01.6760584Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a7a12420-2dce-4a47-822e-68cadf239da3","type":"Microsoft.Authorization/roleAssignments","name":"a7a12420-2dce-4a47-822e-68cadf239da3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3282af51-433d-47e8-b2b5-633fbe0fecc0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-11-03T06:25:32.6790913Z","updatedOn":"2020-11-03T06:25:32.6790913Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/36da831d-10ce-4f42-ba28-362960f6ea36","type":"Microsoft.Authorization/roleAssignments","name":"36da831d-10ce-4f42-ba28-362960f6ea36"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-10-04T07:35:39.6626948Z","updatedOn":"2019-10-04T07:35:39.6626948Z","createdBy":"8031e009-cc05-4950-8a8d-78942c4492ac","updatedBy":"8031e009-cc05-4950-8a8d-78942c4492ac","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/730fa65e-c74c-4c3d-9cc3-9457f9b97274","type":"Microsoft.Authorization/roleAssignments","name":"730fa65e-c74c-4c3d-9cc3-9457f9b97274"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-04-08T01:03:29.8241478Z","updatedOn":"2021-04-08T01:03:29.8241478Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/63818ccb-a05c-4083-9e1d-64b4c7c0e1cd","type":"Microsoft.Authorization/roleAssignments","name":"63818ccb-a05c-4083-9e1d-64b4c7c0e1cd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"c87d9afe-4463-41d5-81e3-3bd162af9183","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-07-10T09:38:17.4348497Z","updatedOn":"2019-07-10T09:38:17.4348497Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/ebc56c6d-c5de-4d99-b166-89d4ac815acd","type":"Microsoft.Authorization/roleAssignments","name":"ebc56c6d-c5de-4d99-b166-89d4ac815acd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-03-15T11:01:18.6794974Z","updatedOn":"2019-03-15T11:01:18.6794974Z","createdBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","updatedBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/9fb9b151-1d53-4eff-9336-75cf634e1e3d","type":"Microsoft.Authorization/roleAssignments","name":"9fb9b151-1d53-4eff-9336-75cf634e1e3d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f87f6638-3a1b-4562-8603-aacd59537149","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-05-03T06:47:05.1411825Z","updatedOn":"2019-05-03T06:47:05.1411825Z","createdBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","updatedBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/24ffbb29-061f-4b1d-8c26-c6e90ef53303","type":"Microsoft.Authorization/roleAssignments","name":"24ffbb29-061f-4b1d-8c26-c6e90ef53303"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"becb4b6b-fe16-413b-a5c3-90355e0b2982","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-06-26T06:33:50.1123976Z","updatedOn":"2019-06-26T06:33:50.1123976Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/4c3721e8-06f4-4115-a2d8-90c4a9a57d56","type":"Microsoft.Authorization/roleAssignments","name":"4c3721e8-06f4-4115-a2d8-90c4a9a57d56"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-04-07T16:59:19.6098216Z","updatedOn":"2021-04-07T16:59:19.6098216Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/9d2de631-e451-450b-8237-e5bc19624eee","type":"Microsoft.Authorization/roleAssignments","name":"9d2de631-e451-450b-8237-e5bc19624eee"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"b1b96a90-235c-4668-a931-ee1c08db7681","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-02-01T04:47:38.5676012Z","updatedOn":"2021-02-01T04:47:38.5676012Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/a9e38032-c21b-4c41-8960-1c9c982d98e2","type":"Microsoft.Authorization/roleAssignments","name":"a9e38032-c21b-4c41-8960-1c9c982d98e2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a51d0ef9-9895-4b63-b3f8-354bb7d1a6bb","principalType":"Group","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-03-03T05:31:57.4716459Z","updatedOn":"2021-03-03T05:31:57.4716459Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/77aa0ff2-42c2-4e01-a51d-01cf2dd7ce04","type":"Microsoft.Authorization/roleAssignments","name":"77aa0ff2-42c2-4e01-a51d-01cf2dd7ce04"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"ce2366a6-64d7-441b-939c-c9d23f91cccd","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47","condition":null,"conditionVersion":null,"createdOn":"2020-03-12T20:43:06.5941189Z","updatedOn":"2020-03-12T20:43:06.5941189Z","createdBy":"606f48c8-d219-4875-991d-ae6befaf0756","updatedBy":"606f48c8-d219-4875-991d-ae6befaf0756","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47/providers/Microsoft.Authorization/roleAssignments/ad9e2cd7-0ff7-4931-9b17-656c8f17934b","type":"Microsoft.Authorization/roleAssignments","name":"ad9e2cd7-0ff7-4931-9b17-656c8f17934b"}]}' headers: cache-control: - no-cache content-length: - - '476' + - '74571' content-type: - - application/json + - application/json; charset=utf-8 date: - - Mon, 13 Feb 2023 07:46:03 GMT + - Mon, 05 Sep 2022 11:52:16 GMT expires: - '-1' pragma: - no-cache - server: - - Microsoft-IIS/10.0 + set-cookie: + - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -13695,10 +4642,6 @@ interactions: - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '994' - x-powered-by: - - ASP.NET status: code: 200 message: OK @@ -13706,40 +4649,44 @@ interactions: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance validate-for-backup + - dataprotection backup-instance update-msi-permissions Connection: - keep-alive + Cookie: + - x-ms-gateway-slice=Production ParameterSetName: - - -g --vault-name --backup-instance + - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance + --keyvault-id --yes User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 + Azure-SDK-For-Python AZURECLI/2.39.0 + accept-language: + - en-US method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzkwOWUzNmI0LTU3NjEtNGU4Yi1hZTM0LWRmMjYwMTU2OWI0MA==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Reader%27&api-version=2018-01-01-preview response: body: - string: '{"objectType":"OperationJobExtendedInfo"}' + string: '{"value":[{"properties":{"roleName":"Reader","type":"BuiltInRole","description":"View + all resources, but does not allow you to make any changes.","assignableScopes":["/"],"permissions":[{"actions":["*/read"],"notActions":[],"dataActions":[],"notDataActions":[]}],"createdOn":"2015-02-02T21:55:09.8806423Z","updatedOn":"2021-11-11T20:13:47.8628684Z","createdBy":null,"updatedBy":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","type":"Microsoft.Authorization/roleDefinitions","name":"acdd72a7-3385-48ef-bd42-f606fba81ae7"}]}' headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzkwOWUzNmI0LTU3NjEtNGU4Yi1hZTM0LWRmMjYwMTU2OWI0MA==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '41' + - '627' content-type: - - application/json + - application/json; charset=utf-8 date: - - Mon, 13 Feb 2023 07:46:04 GMT + - Mon, 05 Sep 2022 11:52:16 GMT expires: - '-1' pragma: - no-cache - server: - - Microsoft-IIS/10.0 + set-cookie: + - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -13748,123 +4695,957 @@ interactions: - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' - x-powered-by: - - ASP.NET status: code: 200 message: OK - request: - body: '{"backupInstance": {"dataSourceInfo": {"datasourceType": "Microsoft.DBforPostgreSQL/servers/databases", - "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres", - "resourceLocation": "centraluseuap", "resourceName": "postgres", "resourceType": - "Microsoft.DBforPostgreSQL/servers/databases", "resourceUri": ""}, "dataSourceSetInfo": - {"datasourceType": "Microsoft.DBforPostgreSQL/servers/databases", "objectType": - "DatasourceSet", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server", - "resourceLocation": "centraluseuap", "resourceName": "oss-clitest-server", "resourceType": - "Microsoft.DBforPostgreSQL/servers", "resourceUri": ""}, "policyInfo": {"policyId": - "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy"}, - "datasourceAuthCredentials": {"objectType": "SecretStoreBasedAuthCredentials", - "secretStoreResource": {"uri": "https://oss-clitest-keyvault.vault.azure.net/secrets/oss-clitest-secret", - "secretStoreType": "AzureKeyVault"}}, "objectType": "BackupInstance"}}' + body: null headers: Accept: - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance validate-for-backup + - dataprotection backup-instance update-msi-permissions Connection: - - keep-alive - Content-Length: - - '1357' - Content-Type: - - application/json + - keep-alive + Cookie: + - x-ms-gateway-slice=Production ParameterSetName: - - -g --vault-name --backup-instance + - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance + --keyvault-id --yes User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/validateForBackup?api-version=2022-05-01 + - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 + Azure-SDK-For-Python AZURECLI/2.39.0 + accept-language: + - en-US + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/providers/Microsoft.Authorization/roleDefinitions?api-version=2018-01-01-preview response: body: - string: '' - headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzU5NzM0ZmFlLWJiYTEtNDg1ZS1iNzRiLWI5NzYyNTQzN2I0MQ==?api-version=2022-05-01 - cache-control: - - no-cache - content-length: - - '0' + string: "{\"value\":[{\"properties\":{\"roleName\":\"Avere Cluster Create\",\"type\":\"CustomRole\",\"description\":\"Avere + cluster create role used by the Avere controller to create a vFXT cluster.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Authorization/roleAssignments/*\",\"Microsoft.Authorization/roleDefinitions/*\",\"Microsoft.Compute/*/read\",\"Microsoft.Compute/availabilitySets/*\",\"Microsoft.Compute/virtualMachines/*\",\"Microsoft.Network/*/read\",\"Microsoft.Network/networkInterfaces/*\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/resourceGroups/resources/read\",\"Microsoft.Storage/*/read\",\"Microsoft.Storage/storageAccounts/listKeys/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-11-29T18:46:55.0492387Z\",\"updatedOn\":\"2018-11-29T18:46:55.0492387Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a7b1b19a-0e83-4fe5-935c-faaefbfd18c3\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a7b1b19a-0e83-4fe5-935c-faaefbfd18c3\"},{\"properties\":{\"roleName\":\"Avere + Cluster Runtime Operator\",\"type\":\"CustomRole\",\"description\":\"Avere + cluster runtime role used by Avere clusters running in subscriptions, for + the purpose of failing over IP addresses, accessing BLOB storage, etc\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Network/networkInterfaces/write\",\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/networkSecurityGroups/join/action\",\"Microsoft.Network/routeTables/read\",\"Microsoft.Network/routeTables/routes/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/delete\",\"Microsoft.Storage/storageAccounts/blobServices/containers/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/write\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/delete\",\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/write\"],\"notDataActions\":[]}],\"createdOn\":\"2018-08-26T00:41:26.2170858Z\",\"updatedOn\":\"2018-08-26T00:41:26.2170858Z\",\"createdBy\":\"dda50086-5e3d-4a4b-b8bc-f54771104d89\",\"updatedBy\":\"dda50086-5e3d-4a4b-b8bc-f54771104d89\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e078ab98-ef3a-4c9a-aba7-12f5172b45d0\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e078ab98-ef3a-4c9a-aba7-12f5172b45d0\"},{\"properties\":{\"roleName\":\"Azure + Service Deploy Release Management Contributor\",\"type\":\"CustomRole\",\"description\":\"Contributor + role for services deploying through Azure Service Deploy.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*\"],\"notActions\":[\"Microsoft.Authorization/*/Delete\",\"Microsoft.Authorization/*/Write\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-02-04T02:26:31.5413362Z\",\"updatedOn\":\"2018-01-08T20:20:16.3660174Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/21d96096-b162-414a-8302-d8354f9d91b2\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"21d96096-b162-414a-8302-d8354f9d91b2\"},{\"properties\":{\"roleName\":\"CAL-Custom-Role\",\"type\":\"CustomRole\",\"description\":\"Lets + SAP Cloud Appliance Library application manage Network and Compute services, + manage Resource Groups and Management locks.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/locks/*\",\"Microsoft.Authorization/roleDefinitions/*\",\"Microsoft.Authorization/roleAssignments/*\",\"Microsoft.Compute/*\",\"Microsoft.Network/*\",\"Microsoft.Resources/*\",\"Microsoft.Storage/*\",\"Microsoft.ContainerService/*\",\"Microsoft.ContainerRegistry/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-05-14T19:30:51.0664585Z\",\"updatedOn\":\"2019-02-19T19:11:57.5963229Z\",\"createdBy\":\"dda50086-5e3d-4a4b-b8bc-f54771104d89\",\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7b266cd7-0bba-4ae2-8423-90ede5e1e898\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7b266cd7-0bba-4ae2-8423-90ede5e1e898\"},{\"properties\":{\"roleName\":\"Dsms + Role (deprecated)\",\"type\":\"CustomRole\",\"description\":\"Custom role + used by Dsms to perform operations. Can list and regnerate storage account + keys.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ClassicStorage/storageAccounts/listKeys/action\",\"Microsoft.ClassicStorage/storageAccounts/regenerateKey/action\",\"Microsoft.Storage/storageAccounts/listkeys/action\",\"Microsoft.Storage/storageAccounts/regeneratekey/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-05-17T18:02:11.1225951Z\",\"updatedOn\":\"2018-01-13T00:21:52.7211696Z\",\"createdBy\":\"ca5f3715-e7dd-427b-b2db-45b6a4a2df87\",\"updatedBy\":\"ca5f3715-e7dd-427b-b2db-45b6a4a2df87\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b91f4c0b-46e3-47bb-a242-eecfe23b3b5b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b91f4c0b-46e3-47bb-a242-eecfe23b3b5b\"},{\"properties\":{\"roleName\":\"Dsms + Role (do not use)\",\"type\":\"CustomRole\",\"description\":\"Custom role + used by Dsms to perform operations. Can list and regnerate storage account + keys.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ClassicStorage/storageAccounts/listKeys/action\",\"Microsoft.ClassicStorage/storageAccounts/regenerateKey/action\",\"Microsoft.Storage/storageAccounts/listkeys/action\",\"Microsoft.Storage/storageAccounts/regeneratekey/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-02-01T07:56:12.5880222Z\",\"updatedOn\":\"2018-08-09T17:53:48.5432297Z\",\"createdBy\":\"becb4b6b-fe16-413b-a5c3-90355e0b2982\",\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7aff565e-6c55-448d-83db-ccf482c6da2f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7aff565e-6c55-448d-83db-ccf482c6da2f\"},{\"properties\":{\"roleName\":\"ExpressRoute + Administrator\",\"type\":\"CustomRole\",\"description\":\"Can create, delete + and manage ExpressRoutes\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/locks/*\",\"Microsoft.Authorization/policyAssignments/*\",\"Microsoft.Authorization/policyDefinitions/*\",\"Microsoft.Authorization/roleAssignments/*\",\"Microsoft.ClassicNetwork/*\",\"Microsoft.EventGrid/*\",\"Microsoft.Insights/*\",\"Microsoft.Network/*\",\"Microsoft.Resources/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-08-31T03:51:32.2843055Z\",\"updatedOn\":\"2019-03-20T22:55:18.8222085Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a48d7896-14b4-4889-afef-fbb65a96e5a2\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a48d7896-14b4-4889-afef-fbb65a96e5a2\"},{\"properties\":{\"roleName\":\"GenevaWarmPathResourceContributor\",\"type\":\"CustomRole\",\"description\":\"Can + manage service bus and storage accounts.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.EventHub/namespaces/*\",\"Microsoft.Resources/subscriptions/resourceGroups/*\",\"Microsoft.ServiceBus/namespaces/*\",\"Microsoft.Storage/storageAccounts/*\",\"Microsoft.Storage/storageAccounts/managementPolicies/write\",\"Microsoft.Storage/storageAccounts/managementPolicies/read\",\"Microsoft.Storage/storageAccounts/managementPolicies/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-03-14T22:30:10.1999436Z\",\"updatedOn\":\"2022-02-28T23:26:40.0052537Z\",\"createdBy\":null,\"updatedBy\":\"acis\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9f15f5f5-77bd-413a-aa88-4b9c68b1e7bc\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"9f15f5f5-77bd-413a-aa88-4b9c68b1e7bc\"},{\"properties\":{\"roleName\":\"masterreader\",\"type\":\"CustomRole\",\"description\":\"Lets + you view everything, but not make any changes.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-11-14T23:38:05.3353858Z\",\"updatedOn\":\"2017-11-14T23:38:05.3353858Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a48d7796-14b4-4889-afef-fbb65a93e5a2\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a48d7796-14b4-4889-afef-fbb65a93e5a2\"},{\"properties\":{\"roleName\":\"Microsoft + OneAsset Reader\",\"type\":\"CustomRole\",\"description\":\"This role is for + Microsoft OneAsset team (CSEO) to track internal security compliance and resource + utilization.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/virtualMachines/*/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-03-27T23:51:08.6333052Z\",\"updatedOn\":\"2019-04-02T20:35:43.3396263Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fd1bb084-1503-4bd2-99c0-630220046786\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fd1bb084-1503-4bd2-99c0-630220046786\"},{\"properties\":{\"roleName\":\"Office + DevOps\",\"type\":\"CustomRole\",\"description\":\"Custom access for developers + to operations but not secrets.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/virtualMachineScaleSets/restart/action\",\"Microsoft.Compute/virtualMachineScaleSets/virtualMachines/restart/action\",\"Microsoft.Sql/servers/databases/replicationLinks/delete\",\"Microsoft.Sql/servers/databases/replicationLinks/failover/action\",\"Microsoft.Sql/servers/databases/replicationLinks/forceFailoverAllowDataLoss/action\",\"Microsoft.Sql/servers/databases/replicationLinks/operationResults/read\",\"Microsoft.Sql/servers/databases/replicationLinks/read\",\"Microsoft.Sql/servers/databases/replicationLinks/unlink/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-10-07T08:11:46.1639398Z\",\"updatedOn\":\"2017-03-16T18:43:08.3234306Z\",\"createdBy\":\"25aea6be-b605-4347-a92d-33e178e412ec\",\"updatedBy\":\"25aea6be-b605-4347-a92d-33e178e412ec\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7fd64851-3279-459b-b614-e2b2ba760f5b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7fd64851-3279-459b-b614-e2b2ba760f5b\"},{\"properties\":{\"roleName\":\"GenevaWarmPathStorageBlobContributor\",\"type\":\"CustomRole\",\"description\":\"Geneva + Warm Path Storage Blob Contributor\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/delete\",\"Microsoft.Storage/storageAccounts/blobServices/containers/lease/action\",\"Microsoft.Storage/storageAccounts/blobServices/containers/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/write\",\"Microsoft.Storage/storageAccounts/blobServices/containers/immutabilityPolicies/lock/action\",\"Microsoft.Storage/storageAccounts/blobServices/containers/immutabilityPolicies/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/immutabilityPolicies/write\",\"Microsoft.Storage/storageAccounts/blobServices/containers/immutabilityPolicies/extend/action\",\"Microsoft.Storage/storageAccounts/blobServices/containers/immutabilityPolicies/delete\",\"Microsoft.Storage/storageAccounts/managementPolicies/write\",\"Microsoft.Storage/storageAccounts/managementPolicies/read\",\"Microsoft.Storage/storageAccounts/managementPolicies/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-12-06T22:46:27.1365630Z\",\"updatedOn\":\"2022-02-28T23:26:40.4152515Z\",\"createdBy\":null,\"updatedBy\":\"acis\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a16c43ca-2d67-4dcd-9ded-6412f5edc51a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a16c43ca-2d67-4dcd-9ded-6412f5edc51a\"},{\"properties\":{\"roleName\":\"Azure + Service Deploy Release Management Restricted Owner\",\"type\":\"CustomRole\",\"description\":\"Restricted + owner role for services deploying through Azure Service Deploy.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*\"],\"notActions\":[\"Microsoft.Authorization/*/Delete\",\"Microsoft.Authorization/*/Write\"],\"dataActions\":[],\"notDataActions\":[]},{\"actions\":[\"Microsoft.Authorization/roleAssignments/write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]},{\"actions\":[\"Microsoft.Authorization/locks/write\",\"Microsoft.Authorization/policyassignments/write\",\"Microsoft.Authorization/policydefinitions/write\",\"Microsoft.Authorization/policysetdefinitions/write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-03-07T22:16:06.8803898Z\",\"updatedOn\":\"2022-03-07T22:16:06.8803898Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/94ddc4bc-25f5-4f3e-b527-c587da93cfe4\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"94ddc4bc-25f5-4f3e-b527-c587da93cfe4\"},{\"properties\":{\"roleName\":\"Azure + Service Deploy Test Release Management Key Vault Secrets User\",\"type\":\"CustomRole\",\"description\":\"Read + secret and certificate contents. Only works for key vaults that use the 'Azure + role-based access control' permission model.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/secrets/getSecret/action\",\"Microsoft.KeyVault/vaults/certificates/read\"],\"notDataActions\":[]}],\"createdOn\":\"2022-07-20T22:52:19.9944274Z\",\"updatedOn\":\"2022-08-31T23:25:32.0649353Z\",\"createdBy\":\"19669f00-ee56-44ec-94c3-83159a41292e\",\"updatedBy\":\"19669f00-ee56-44ec-94c3-83159a41292e\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/87d31636-ad85-4caa-802d-1535972b5612\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"87d31636-ad85-4caa-802d-1535972b5612\"},{\"properties\":{\"roleName\":\"AcrPush\",\"type\":\"BuiltInRole\",\"description\":\"acr + push\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerRegistry/registries/pull/read\",\"Microsoft.ContainerRegistry/registries/push/write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-10-29T17:52:32.5201177Z\",\"updatedOn\":\"2021-11-11T20:13:07.4993029Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8311e382-0749-4cb8-b61a-304f252e45ec\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8311e382-0749-4cb8-b61a-304f252e45ec\"},{\"properties\":{\"roleName\":\"API + Management Service Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can + manage service and the APIs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ApiManagement/service/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8650193Z\",\"updatedOn\":\"2021-11-11T20:13:08.3179618Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/312a565d-c81f-4fd8-895a-4e21e48d571c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"312a565d-c81f-4fd8-895a-4e21e48d571c\"},{\"properties\":{\"roleName\":\"AcrPull\",\"type\":\"BuiltInRole\",\"description\":\"acr + pull\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerRegistry/registries/pull/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-10-22T19:01:56.8227182Z\",\"updatedOn\":\"2021-11-11T20:13:08.8779328Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7f951dda-4ed3-4680-a7ca-43fe172d538d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7f951dda-4ed3-4680-a7ca-43fe172d538d\"},{\"properties\":{\"roleName\":\"AcrImageSigner\",\"type\":\"BuiltInRole\",\"description\":\"acr + image signer\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerRegistry/registries/sign/write\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerRegistry/registries/trustedCollections/write\"],\"notDataActions\":[]}],\"createdOn\":\"2018-03-15T23:23:08.4038322Z\",\"updatedOn\":\"2021-11-11T20:13:09.6070759Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6cef56e8-d556-48e5-a04f-b8e64114680f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6cef56e8-d556-48e5-a04f-b8e64114680f\"},{\"properties\":{\"roleName\":\"AcrDelete\",\"type\":\"BuiltInRole\",\"description\":\"acr + delete\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerRegistry/registries/artifacts/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-03-11T20:19:31.6682804Z\",\"updatedOn\":\"2021-11-11T20:13:09.9631744Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c2f4ef07-c644-48eb-af81-4b1b4947fb11\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c2f4ef07-c644-48eb-af81-4b1b4947fb11\"},{\"properties\":{\"roleName\":\"AcrQuarantineReader\",\"type\":\"BuiltInRole\",\"description\":\"acr + quarantine data reader\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerRegistry/registries/quarantine/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerRegistry/registries/quarantinedArtifacts/read\"],\"notDataActions\":[]}],\"createdOn\":\"2018-03-16T00:27:39.9596835Z\",\"updatedOn\":\"2021-11-11T20:13:10.3188052Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/cdda3590-29a3-44f6-95f2-9f980659eb04\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"cdda3590-29a3-44f6-95f2-9f980659eb04\"},{\"properties\":{\"roleName\":\"AcrQuarantineWriter\",\"type\":\"BuiltInRole\",\"description\":\"acr + quarantine data writer\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerRegistry/registries/quarantine/read\",\"Microsoft.ContainerRegistry/registries/quarantine/write\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerRegistry/registries/quarantinedArtifacts/read\",\"Microsoft.ContainerRegistry/registries/quarantinedArtifacts/write\"],\"notDataActions\":[]}],\"createdOn\":\"2018-03-16T00:26:37.5871820Z\",\"updatedOn\":\"2021-11-11T20:13:11.3488079Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c8d4ff99-41c3-41a8-9f60-21dfdad59608\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c8d4ff99-41c3-41a8-9f60-21dfdad59608\"},{\"properties\":{\"roleName\":\"API + Management Service Operator Role\",\"type\":\"BuiltInRole\",\"description\":\"Can + manage service but not the APIs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ApiManagement/service/*/read\",\"Microsoft.ApiManagement/service/backup/action\",\"Microsoft.ApiManagement/service/delete\",\"Microsoft.ApiManagement/service/managedeployments/action\",\"Microsoft.ApiManagement/service/read\",\"Microsoft.ApiManagement/service/restore/action\",\"Microsoft.ApiManagement/service/updatecertificate/action\",\"Microsoft.ApiManagement/service/updatehostname/action\",\"Microsoft.ApiManagement/service/write\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[\"Microsoft.ApiManagement/service/users/keys/read\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-11-09T00:03:42.1194019Z\",\"updatedOn\":\"2021-11-11T20:13:11.5244023Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e022efe7-f5ba-4159-bbe4-b44f577e9b61\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e022efe7-f5ba-4159-bbe4-b44f577e9b61\"},{\"properties\":{\"roleName\":\"API + Management Service Reader Role\",\"type\":\"BuiltInRole\",\"description\":\"Read-only + access to service and APIs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ApiManagement/service/*/read\",\"Microsoft.ApiManagement/service/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[\"Microsoft.ApiManagement/service/users/keys/read\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-11-09T00:26:45.1540473Z\",\"updatedOn\":\"2021-11-11T20:13:11.8704466Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/71522526-b88f-4d52-b57f-d31fc3546d0d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"71522526-b88f-4d52-b57f-d31fc3546d0d\"},{\"properties\":{\"roleName\":\"Application + Insights Component Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can + manage Application Insights components\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/generateLiveToken/read\",\"Microsoft.Insights/metricAlerts/*\",\"Microsoft.Insights/components/*\",\"Microsoft.Insights/scheduledqueryrules/*\",\"Microsoft.Insights/topology/read\",\"Microsoft.Insights/transactions/read\",\"Microsoft.Insights/webtests/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:12.6428401Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ae349356-3a1b-4a5e-921d-050484c6347e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ae349356-3a1b-4a5e-921d-050484c6347e\"},{\"properties\":{\"roleName\":\"Application + Insights Snapshot Debugger\",\"type\":\"BuiltInRole\",\"description\":\"Gives + user permission to use Application Insights Snapshot Debugger features\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/components/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-04-19T21:25:12.3728747Z\",\"updatedOn\":\"2021-11-11T20:13:13.0034435Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/08954f03-6346-4c2e-81c0-ec3a5cfae23b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"08954f03-6346-4c2e-81c0-ec3a5cfae23b\"},{\"properties\":{\"roleName\":\"Attestation + Reader\",\"type\":\"BuiltInRole\",\"description\":\"Can read the attestation + provider properties\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Attestation/attestationProviders/attestation/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-03-25T19:42:59.1576710Z\",\"updatedOn\":\"2021-11-11T20:13:13.3634724Z\",\"createdBy\":null,\"updatedBy\":\"SYSTEM\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fd1bd22b-8476-40bc-a0bc-69b95687b9f3\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fd1bd22b-8476-40bc-a0bc-69b95687b9f3\"},{\"properties\":{\"roleName\":\"Automation + Job Operator\",\"type\":\"BuiltInRole\",\"description\":\"Create and Manage + Jobs using Automation Runbooks.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Automation/automationAccounts/hybridRunbookWorkerGroups/read\",\"Microsoft.Automation/automationAccounts/jobs/read\",\"Microsoft.Automation/automationAccounts/jobs/resume/action\",\"Microsoft.Automation/automationAccounts/jobs/stop/action\",\"Microsoft.Automation/automationAccounts/jobs/streams/read\",\"Microsoft.Automation/automationAccounts/jobs/suspend/action\",\"Microsoft.Automation/automationAccounts/jobs/write\",\"Microsoft.Automation/automationAccounts/jobs/output/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-04-19T20:52:41.0020018Z\",\"updatedOn\":\"2021-11-11T20:13:13.7065660Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4fe576fe-1146-4730-92eb-48519fa6bf9f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4fe576fe-1146-4730-92eb-48519fa6bf9f\"},{\"properties\":{\"roleName\":\"Automation + Runbook Operator\",\"type\":\"BuiltInRole\",\"description\":\"Read Runbook + properties - to be able to create Jobs of the runbook.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Automation/automationAccounts/runbooks/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-04-19T20:47:49.5640674Z\",\"updatedOn\":\"2021-11-11T20:13:13.8815461Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5fb5aef8-1081-4b8e-bb16-9d5d0385bab5\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5fb5aef8-1081-4b8e-bb16-9d5d0385bab5\"},{\"properties\":{\"roleName\":\"Automation + Operator\",\"type\":\"BuiltInRole\",\"description\":\"Automation Operators + are able to start, stop, suspend, and resume jobs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Automation/automationAccounts/hybridRunbookWorkerGroups/read\",\"Microsoft.Automation/automationAccounts/jobs/read\",\"Microsoft.Automation/automationAccounts/jobs/resume/action\",\"Microsoft.Automation/automationAccounts/jobs/stop/action\",\"Microsoft.Automation/automationAccounts/jobs/streams/read\",\"Microsoft.Automation/automationAccounts/jobs/suspend/action\",\"Microsoft.Automation/automationAccounts/jobs/write\",\"Microsoft.Automation/automationAccounts/jobSchedules/read\",\"Microsoft.Automation/automationAccounts/jobSchedules/write\",\"Microsoft.Automation/automationAccounts/linkedWorkspace/read\",\"Microsoft.Automation/automationAccounts/read\",\"Microsoft.Automation/automationAccounts/runbooks/read\",\"Microsoft.Automation/automationAccounts/schedules/read\",\"Microsoft.Automation/automationAccounts/schedules/write\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Automation/automationAccounts/jobs/output/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-08-18T01:05:03.3916130Z\",\"updatedOn\":\"2021-11-11T20:13:14.0515408Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d3881f73-407a-4167-8283-e981cbba0404\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d3881f73-407a-4167-8283-e981cbba0404\"},{\"properties\":{\"roleName\":\"Avere + Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can create and manage + an Avere vFXT cluster.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Compute/*/read\",\"Microsoft.Compute/availabilitySets/*\",\"Microsoft.Compute/proximityPlacementGroups/*\",\"Microsoft.Compute/virtualMachines/*\",\"Microsoft.Compute/disks/*\",\"Microsoft.Network/*/read\",\"Microsoft.Network/networkInterfaces/*\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/virtualNetworks/subnets/joinViaServiceEndpoint/action\",\"Microsoft.Network/networkSecurityGroups/join/action\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/*/read\",\"Microsoft.Storage/storageAccounts/*\",\"Microsoft.Support/*\",\"Microsoft.Resources/subscriptions/resourceGroups/resources/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/delete\",\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/write\"],\"notDataActions\":[]}],\"createdOn\":\"2019-03-18T20:00:58.9207889Z\",\"updatedOn\":\"2021-11-11T20:13:14.2265665Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4f8fab4f-1852-4a58-a46a-8eaf358af14a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4f8fab4f-1852-4a58-a46a-8eaf358af14a\"},{\"properties\":{\"roleName\":\"Avere + Operator\",\"type\":\"BuiltInRole\",\"description\":\"Used by the Avere vFXT + cluster to manage the cluster\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Network/networkInterfaces/write\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/networkSecurityGroups/join/action\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/delete\",\"Microsoft.Storage/storageAccounts/blobServices/containers/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/write\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/delete\",\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/write\"],\"notDataActions\":[]}],\"createdOn\":\"2019-03-18T20:02:38.3399857Z\",\"updatedOn\":\"2021-11-11T20:13:15.1065886Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c025889f-8102-4ebf-b32c-fc0c6f0c6bd9\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c025889f-8102-4ebf-b32c-fc0c6f0c6bd9\"},{\"properties\":{\"roleName\":\"Azure + Kubernetes Service Cluster Admin Role\",\"type\":\"BuiltInRole\",\"description\":\"List + cluster admin credential action.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerService/managedClusters/listClusterAdminCredential/action\",\"Microsoft.ContainerService/managedClusters/accessProfiles/listCredential/action\",\"Microsoft.ContainerService/managedClusters/read\",\"Microsoft.ContainerService/managedClusters/runcommand/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-08-15T21:38:18.5953853Z\",\"updatedOn\":\"2022-05-16T21:40:14.0457546Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0ab0b1a8-8aac-4efd-b8c2-3ee1fb270be8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0ab0b1a8-8aac-4efd-b8c2-3ee1fb270be8\"},{\"properties\":{\"roleName\":\"Azure + Kubernetes Service Cluster User Role\",\"type\":\"BuiltInRole\",\"description\":\"List + cluster user credential action.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerService/managedClusters/listClusterUserCredential/action\",\"Microsoft.ContainerService/managedClusters/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-08-15T22:04:53.4037241Z\",\"updatedOn\":\"2021-11-11T20:13:20.4351976Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4abbcc35-e782-43d8-92c5-2d3f1bd2253f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4abbcc35-e782-43d8-92c5-2d3f1bd2253f\"},{\"properties\":{\"roleName\":\"Azure + Maps Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Grants access + to read map related data from an Azure maps account.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Maps/accounts/*/read\"],\"notDataActions\":[]}],\"createdOn\":\"2018-10-05T19:47:03.4723070Z\",\"updatedOn\":\"2021-11-11T20:13:20.9582685Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/423170ca-a8f6-4b0f-8487-9e4eb8f49bfa\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"423170ca-a8f6-4b0f-8487-9e4eb8f49bfa\"},{\"properties\":{\"roleName\":\"Azure + Stack Registration Owner\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you manage Azure Stack registrations.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.AzureStack/edgeSubscriptions/read\",\"Microsoft.AzureStack/registrations/products/*/action\",\"Microsoft.AzureStack/registrations/products/read\",\"Microsoft.AzureStack/registrations/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-11-13T23:42:06.2161827Z\",\"updatedOn\":\"2021-11-11T20:13:23.2957820Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6f12a6df-dd06-4f3e-bcb1-ce8be600526a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6f12a6df-dd06-4f3e-bcb1-ce8be600526a\"},{\"properties\":{\"roleName\":\"Backup + Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage backup + service,but can't create vaults and give access to others\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.RecoveryServices/locations/*\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/operationResults/*\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/*\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/refreshContainers/action\",\"Microsoft.RecoveryServices/Vaults/backupJobs/*\",\"Microsoft.RecoveryServices/Vaults/backupJobsExport/action\",\"Microsoft.RecoveryServices/Vaults/backupOperationResults/*\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/*\",\"Microsoft.RecoveryServices/Vaults/backupProtectableItems/*\",\"Microsoft.RecoveryServices/Vaults/backupProtectedItems/*\",\"Microsoft.RecoveryServices/Vaults/backupProtectionContainers/*\",\"Microsoft.RecoveryServices/Vaults/backupSecurityPIN/*\",\"Microsoft.RecoveryServices/Vaults/backupUsageSummaries/read\",\"Microsoft.RecoveryServices/Vaults/certificates/*\",\"Microsoft.RecoveryServices/Vaults/extendedInformation/*\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/read\",\"Microsoft.RecoveryServices/Vaults/monitoringConfigurations/*\",\"Microsoft.RecoveryServices/Vaults/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/*\",\"Microsoft.RecoveryServices/Vaults/usages/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.RecoveryServices/Vaults/backupstorageconfig/*\",\"Microsoft.RecoveryServices/Vaults/backupconfig/*\",\"Microsoft.RecoveryServices/Vaults/backupValidateOperation/action\",\"Microsoft.RecoveryServices/Vaults/write\",\"Microsoft.RecoveryServices/Vaults/backupOperations/read\",\"Microsoft.RecoveryServices/Vaults/backupEngines/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/backupProtectionIntent/*\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectableContainers/read\",\"Microsoft.RecoveryServices/locations/backupStatus/action\",\"Microsoft.RecoveryServices/locations/backupPreValidateProtection/action\",\"Microsoft.RecoveryServices/locations/backupValidateFeatures/action\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/write\",\"Microsoft.RecoveryServices/operations/read\",\"Microsoft.RecoveryServices/locations/operationStatus/read\",\"Microsoft.RecoveryServices/Vaults/backupProtectionIntents/read\",\"Microsoft.Support/*\",\"Microsoft.DataProtection/locations/getBackupStatus/action\",\"Microsoft.DataProtection/backupVaults/backupInstances/write\",\"Microsoft.DataProtection/backupVaults/backupInstances/delete\",\"Microsoft.DataProtection/backupVaults/backupInstances/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/backup/action\",\"Microsoft.DataProtection/backupVaults/backupInstances/validateRestore/action\",\"Microsoft.DataProtection/backupVaults/backupInstances/restore/action\",\"Microsoft.DataProtection/backupVaults/backupPolicies/write\",\"Microsoft.DataProtection/backupVaults/backupPolicies/delete\",\"Microsoft.DataProtection/backupVaults/backupPolicies/read\",\"Microsoft.DataProtection/backupVaults/backupPolicies/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/findRestorableTimeRanges/action\",\"Microsoft.DataProtection/backupVaults/write\",\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/backupVaults/operationResults/read\",\"Microsoft.DataProtection/locations/checkNameAvailability/action\",\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/locations/operationStatus/read\",\"Microsoft.DataProtection/locations/operationResults/read\",\"Microsoft.DataProtection/backupVaults/validateForBackup/action\",\"Microsoft.DataProtection/operations/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-01-03T13:12:15.7321344Z\",\"updatedOn\":\"2022-07-25T15:10:35.9457674Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5e467623-bb1f-42f4-a55d-6e525e11384b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5e467623-bb1f-42f4-a55d-6e525e11384b\"},{\"properties\":{\"roleName\":\"Billing + Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows read access to + billing data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Billing/*/read\",\"Microsoft.Commerce/*/read\",\"Microsoft.Consumption/*/read\",\"Microsoft.Management/managementGroups/read\",\"Microsoft.CostManagement/*/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-04-25T02:13:38.9054151Z\",\"updatedOn\":\"2021-11-11T20:13:24.5342563Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fa23ad8b-c56e-40d8-ac0c-ce449e1d2c64\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fa23ad8b-c56e-40d8-ac0c-ce449e1d2c64\"},{\"properties\":{\"roleName\":\"Backup + Operator\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage backup + services, except removal of backup, vault creation and giving access to others\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/backup/action\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/operationsStatus/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/recoveryPoints/provisionInstantItemRecovery/action\",\"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/recoveryPoints/accessToken/action\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/recoveryPoints/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/recoveryPoints/restore/action\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/recoveryPoints/revokeInstantItemRecovery/action\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/write\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/refreshContainers/action\",\"Microsoft.RecoveryServices/Vaults/backupJobs/*\",\"Microsoft.RecoveryServices/Vaults/backupJobsExport/action\",\"Microsoft.RecoveryServices/Vaults/backupOperationResults/*\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/read\",\"Microsoft.RecoveryServices/Vaults/backupProtectableItems/*\",\"Microsoft.RecoveryServices/Vaults/backupProtectedItems/read\",\"Microsoft.RecoveryServices/Vaults/backupProtectionContainers/read\",\"Microsoft.RecoveryServices/Vaults/backupUsageSummaries/read\",\"Microsoft.RecoveryServices/Vaults/certificates/write\",\"Microsoft.RecoveryServices/Vaults/extendedInformation/read\",\"Microsoft.RecoveryServices/Vaults/extendedInformation/write\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/read\",\"Microsoft.RecoveryServices/Vaults/monitoringConfigurations/*\",\"Microsoft.RecoveryServices/Vaults/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/write\",\"Microsoft.RecoveryServices/Vaults/usages/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.RecoveryServices/Vaults/backupstorageconfig/*\",\"Microsoft.RecoveryServices/Vaults/backupValidateOperation/action\",\"Microsoft.RecoveryServices/Vaults/backupTriggerValidateOperation/action\",\"Microsoft.RecoveryServices/Vaults/backupValidateOperationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupValidateOperationsStatuses/read\",\"Microsoft.RecoveryServices/Vaults/backupOperations/read\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/operations/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/write\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/inquire/action\",\"Microsoft.RecoveryServices/Vaults/backupEngines/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/backupProtectionIntent/write\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/backupProtectionIntent/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectableContainers/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/items/read\",\"Microsoft.RecoveryServices/locations/backupStatus/action\",\"Microsoft.RecoveryServices/locations/backupPreValidateProtection/action\",\"Microsoft.RecoveryServices/locations/backupValidateFeatures/action\",\"Microsoft.RecoveryServices/locations/backupAadProperties/read\",\"Microsoft.RecoveryServices/locations/backupCrrJobs/action\",\"Microsoft.RecoveryServices/locations/backupCrrJob/action\",\"Microsoft.RecoveryServices/locations/backupCrossRegionRestore/action\",\"Microsoft.RecoveryServices/locations/backupCrrOperationResults/read\",\"Microsoft.RecoveryServices/locations/backupCrrOperationsStatus/read\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/write\",\"Microsoft.RecoveryServices/operations/read\",\"Microsoft.RecoveryServices/locations/operationStatus/read\",\"Microsoft.RecoveryServices/Vaults/backupProtectionIntents/read\",\"Microsoft.Support/*\",\"Microsoft.DataProtection/backupVaults/backupInstances/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/read\",\"Microsoft.DataProtection/backupVaults/backupPolicies/read\",\"Microsoft.DataProtection/backupVaults/backupPolicies/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/findRestorableTimeRanges/action\",\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/backupVaults/operationResults/read\",\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/locations/operationStatus/read\",\"Microsoft.DataProtection/locations/operationResults/read\",\"Microsoft.DataProtection/providers/operations/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-01-03T13:21:11.8947640Z\",\"updatedOn\":\"2021-12-16T12:53:00.0624003Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/00c29273-979b-4161-815c-10b084fb9324\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"00c29273-979b-4161-815c-10b084fb9324\"},{\"properties\":{\"roleName\":\"Backup + Reader\",\"type\":\"BuiltInRole\",\"description\":\"Can view backup services, + but can't make changes\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.RecoveryServices/locations/allocatedStamp/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/operationsStatus/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/recoveryPoints/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/read\",\"Microsoft.RecoveryServices/Vaults/backupJobs/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupJobs/read\",\"Microsoft.RecoveryServices/Vaults/backupJobsExport/action\",\"Microsoft.RecoveryServices/Vaults/backupOperationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/read\",\"Microsoft.RecoveryServices/Vaults/backupProtectedItems/read\",\"Microsoft.RecoveryServices/Vaults/backupProtectionContainers/read\",\"Microsoft.RecoveryServices/Vaults/backupUsageSummaries/read\",\"Microsoft.RecoveryServices/Vaults/extendedInformation/read\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/read\",\"Microsoft.RecoveryServices/Vaults/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/read\",\"Microsoft.RecoveryServices/Vaults/backupstorageconfig/read\",\"Microsoft.RecoveryServices/Vaults/backupconfig/read\",\"Microsoft.RecoveryServices/Vaults/backupOperations/read\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/operations/read\",\"Microsoft.RecoveryServices/Vaults/backupEngines/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/backupProtectionIntent/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/items/read\",\"Microsoft.RecoveryServices/locations/backupStatus/action\",\"Microsoft.RecoveryServices/Vaults/monitoringConfigurations/*\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/write\",\"Microsoft.RecoveryServices/operations/read\",\"Microsoft.RecoveryServices/locations/operationStatus/read\",\"Microsoft.RecoveryServices/Vaults/backupProtectionIntents/read\",\"Microsoft.RecoveryServices/Vaults/usages/read\",\"Microsoft.RecoveryServices/locations/backupValidateFeatures/action\",\"Microsoft.RecoveryServices/locations/backupCrrJobs/action\",\"Microsoft.RecoveryServices/locations/backupCrrJob/action\",\"Microsoft.RecoveryServices/locations/backupCrrOperationResults/read\",\"Microsoft.RecoveryServices/locations/backupCrrOperationsStatus/read\",\"Microsoft.DataProtection/locations/getBackupStatus/action\",\"Microsoft.DataProtection/backupVaults/backupInstances/write\",\"Microsoft.DataProtection/backupVaults/backupInstances/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/backup/action\",\"Microsoft.DataProtection/backupVaults/backupInstances/validateRestore/action\",\"Microsoft.DataProtection/backupVaults/backupInstances/restore/action\",\"Microsoft.DataProtection/backupVaults/backupPolicies/read\",\"Microsoft.DataProtection/backupVaults/backupPolicies/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/findRestorableTimeRanges/action\",\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/backupVaults/operationResults/read\",\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/locations/operationStatus/read\",\"Microsoft.DataProtection/locations/operationResults/read\",\"Microsoft.DataProtection/backupVaults/validateForBackup/action\",\"Microsoft.DataProtection/providers/operations/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-01-03T13:18:41.3893065Z\",\"updatedOn\":\"2021-11-11T20:13:24.8792711Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a795c7a0-d4a2-40c1-ae25-d81f01202912\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a795c7a0-d4a2-40c1-ae25-d81f01202912\"},{\"properties\":{\"roleName\":\"Blockchain + Member Node Access (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Allows + for access to Blockchain Member nodes\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Blockchain/blockchainMembers/transactionNodes/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Blockchain/blockchainMembers/transactionNodes/connect/action\"],\"notDataActions\":[]}],\"createdOn\":\"2018-12-21T10:33:01.9604839Z\",\"updatedOn\":\"2021-11-11T20:13:25.0558920Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/31a002a1-acaf-453e-8a5b-297c9ca1ea24\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"31a002a1-acaf-453e-8a5b-297c9ca1ea24\"},{\"properties\":{\"roleName\":\"BizTalk + Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage BizTalk + services, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.BizTalkServices/BizTalk/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:25.2359269Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5e3c6656-6cfa-4708-81fe-0de47ac73342\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5e3c6656-6cfa-4708-81fe-0de47ac73342\"},{\"properties\":{\"roleName\":\"CDN + Endpoint Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can manage + CDN endpoints, but can\u2019t grant access to other users.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Cdn/edgenodes/read\",\"Microsoft.Cdn/operationresults/*\",\"Microsoft.Cdn/profiles/endpoints/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-01-23T02:48:46.4996252Z\",\"updatedOn\":\"2021-11-11T20:13:25.4059314Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/426e0c7f-0c7e-4658-b36f-ff54d6c29b45\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"426e0c7f-0c7e-4658-b36f-ff54d6c29b45\"},{\"properties\":{\"roleName\":\"CDN + Endpoint Reader\",\"type\":\"BuiltInRole\",\"description\":\"Can view CDN + endpoints, but can\u2019t make changes.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Cdn/edgenodes/read\",\"Microsoft.Cdn/operationresults/*\",\"Microsoft.Cdn/profiles/endpoints/*/read\",\"Microsoft.Cdn/profiles/afdendpoints/validateCustomDomain/action\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-01-23T02:48:46.4996252Z\",\"updatedOn\":\"2022-01-26T19:51:29.2636610Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/871e35f6-b5c1-49cc-a043-bde969a0f2cd\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"871e35f6-b5c1-49cc-a043-bde969a0f2cd\"},{\"properties\":{\"roleName\":\"CDN + Profile Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can manage + CDN profiles and their endpoints, but can\u2019t grant access to other users.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Cdn/edgenodes/read\",\"Microsoft.Cdn/operationresults/*\",\"Microsoft.Cdn/profiles/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-01-23T02:48:46.4996252Z\",\"updatedOn\":\"2021-11-11T20:13:25.9224344Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ec156ff8-a8d1-4d15-830c-5b80698ca432\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ec156ff8-a8d1-4d15-830c-5b80698ca432\"},{\"properties\":{\"roleName\":\"CDN + Profile Reader\",\"type\":\"BuiltInRole\",\"description\":\"Can view CDN profiles + and their endpoints, but can\u2019t make changes.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Cdn/edgenodes/read\",\"Microsoft.Cdn/operationresults/*\",\"Microsoft.Cdn/profiles/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-01-23T02:48:46.4996252Z\",\"updatedOn\":\"2021-11-11T20:13:26.0983652Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8f96442b-4075-438f-813d-ad51ab4019af\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8f96442b-4075-438f-813d-ad51ab4019af\"},{\"properties\":{\"roleName\":\"Classic + Network Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + manage classic networks, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.ClassicNetwork/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:26.4433301Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b34d265f-36f7-4a0d-a4d4-e158ca92e90f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b34d265f-36f7-4a0d-a4d4-e158ca92e90f\"},{\"properties\":{\"roleName\":\"Classic + Storage Account Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you manage classic storage accounts, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.ClassicStorage/storageAccounts/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:26.6183566Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/86e8f5dc-a6e9-4c67-9d15-de283e8eac25\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"86e8f5dc-a6e9-4c67-9d15-de283e8eac25\"},{\"properties\":{\"roleName\":\"Classic + Storage Account Key Operator Service Role\",\"type\":\"BuiltInRole\",\"description\":\"Classic + Storage Account Key Operators are allowed to list and regenerate keys on Classic + Storage Accounts\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ClassicStorage/storageAccounts/listkeys/action\",\"Microsoft.ClassicStorage/storageAccounts/regeneratekey/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-04-13T18:22:52.1461100Z\",\"updatedOn\":\"2021-11-11T20:13:26.9796021Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/985d6b00-f706-48f5-a6fe-d0ca12fb668d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"985d6b00-f706-48f5-a6fe-d0ca12fb668d\"},{\"properties\":{\"roleName\":\"ClearDB + MySQL DB Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + manage ClearDB MySQL databases, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"successbricks.cleardb/databases/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:27.1646373Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9106cda0-8a86-4e81-b686-29a22c54effe\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"9106cda0-8a86-4e81-b686-29a22c54effe\"},{\"properties\":{\"roleName\":\"Classic + Virtual Machine Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you manage classic virtual machines, but not access to them, and not the virtual + network or storage account they\u2019re connected to.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.ClassicCompute/domainNames/*\",\"Microsoft.ClassicCompute/virtualMachines/*\",\"Microsoft.ClassicNetwork/networkSecurityGroups/join/action\",\"Microsoft.ClassicNetwork/reservedIps/link/action\",\"Microsoft.ClassicNetwork/reservedIps/read\",\"Microsoft.ClassicNetwork/virtualNetworks/join/action\",\"Microsoft.ClassicNetwork/virtualNetworks/read\",\"Microsoft.ClassicStorage/storageAccounts/disks/read\",\"Microsoft.ClassicStorage/storageAccounts/images/read\",\"Microsoft.ClassicStorage/storageAccounts/listKeys/action\",\"Microsoft.ClassicStorage/storageAccounts/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-04-25T00:37:56.5416086Z\",\"updatedOn\":\"2021-11-11T20:13:27.3446332Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d73bb868-a0df-4d4d-bd69-98a00b01fccb\"},{\"properties\":{\"roleName\":\"Cognitive + Services User\",\"type\":\"BuiltInRole\",\"description\":\"Lets you read and + list keys of Cognitive Services.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.CognitiveServices/accounts/listkeys/action\",\"Microsoft.Insights/alertRules/read\",\"Microsoft.Insights/diagnosticSettings/read\",\"Microsoft.Insights/logDefinitions/read\",\"Microsoft.Insights/metricdefinitions/read\",\"Microsoft.Insights/metrics/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/*\"],\"notDataActions\":[]}],\"createdOn\":\"2018-08-08T23:23:43.7701274Z\",\"updatedOn\":\"2021-11-11T20:13:27.5316443Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a97b65f3-24c7-4388-baec-2e87135dc908\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a97b65f3-24c7-4388-baec-2e87135dc908\"},{\"properties\":{\"roleName\":\"Cognitive + Services Data Reader (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you read Cognitive Services data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/*/read\"],\"notDataActions\":[]}],\"createdOn\":\"2019-02-13T20:02:12.6849986Z\",\"updatedOn\":\"2021-11-11T20:13:27.7138054Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b59867f0-fa02-499b-be73-45a86b5b3e1c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b59867f0-fa02-499b-be73-45a86b5b3e1c\"},{\"properties\":{\"roleName\":\"Cognitive + Services Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + create, read, update, delete and manage keys of Cognitive Services.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.CognitiveServices/*\",\"Microsoft.Features/features/read\",\"Microsoft.Features/providers/features/read\",\"Microsoft.Features/providers/features/register/action\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/diagnosticSettings/*\",\"Microsoft.Insights/logDefinitions/read\",\"Microsoft.Insights/metricdefinitions/read\",\"Microsoft.Insights/metrics/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-08-08T23:18:39.2257848Z\",\"updatedOn\":\"2021-11-11T20:13:27.9116230Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/25fbc0a9-bd7c-42a3-aa1a-3b75d497ee68\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"25fbc0a9-bd7c-42a3-aa1a-3b75d497ee68\"},{\"properties\":{\"roleName\":\"CosmosBackupOperator\",\"type\":\"BuiltInRole\",\"description\":\"Can + submit restore request for a Cosmos DB database or a container for an account\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DocumentDB/databaseAccounts/backup/action\",\"Microsoft.DocumentDB/databaseAccounts/restore/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-12-07T19:47:14.9651560Z\",\"updatedOn\":\"2021-11-11T20:13:28.4333692Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/db7b14f2-5adf-42da-9f96-f2ee17bab5cb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"db7b14f2-5adf-42da-9f96-f2ee17bab5cb\"},{\"properties\":{\"roleName\":\"Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Grants + full access to manage all resources, but does not allow you to assign roles + in Azure RBAC, manage assignments in Azure Blueprints, or share image galleries.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*\"],\"notActions\":[\"Microsoft.Authorization/*/Delete\",\"Microsoft.Authorization/*/Write\",\"Microsoft.Authorization/elevateAccess/Action\",\"Microsoft.Blueprint/blueprintAssignments/write\",\"Microsoft.Blueprint/blueprintAssignments/delete\",\"Microsoft.Compute/galleries/share/action\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:28.6061853Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b24988ac-6180-42a0-ab88-20f7382dd24c\"},{\"properties\":{\"roleName\":\"Cosmos + DB Account Reader Role\",\"type\":\"BuiltInRole\",\"description\":\"Can read + Azure Cosmos DB Accounts data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.DocumentDB/*/read\",\"Microsoft.DocumentDB/databaseAccounts/readonlykeys/action\",\"Microsoft.Insights/MetricDefinitions/read\",\"Microsoft.Insights/Metrics/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-10-30T17:53:54.6005577Z\",\"updatedOn\":\"2021-11-11T20:13:28.7911765Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fbdf93bf-df7d-467e-a4d2-9458aa1360c8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fbdf93bf-df7d-467e-a4d2-9458aa1360c8\"},{\"properties\":{\"roleName\":\"Cost + Management Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can view + costs and manage cost configuration (e.g. budgets, exports)\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Consumption/*\",\"Microsoft.CostManagement/*\",\"Microsoft.Billing/billingPeriods/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Advisor/configurations/read\",\"Microsoft.Advisor/recommendations/read\",\"Microsoft.Management/managementGroups/read\",\"Microsoft.Billing/billingProperty/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-03-14T16:09:22.8834827Z\",\"updatedOn\":\"2021-11-11T20:13:29.4851851Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/434105ed-43f6-45c7-a02f-909b2ba83430\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"434105ed-43f6-45c7-a02f-909b2ba83430\"},{\"properties\":{\"roleName\":\"Cost + Management Reader\",\"type\":\"BuiltInRole\",\"description\":\"Can view cost + data and configuration (e.g. budgets, exports)\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Consumption/*/read\",\"Microsoft.CostManagement/*/read\",\"Microsoft.Billing/billingPeriods/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Advisor/configurations/read\",\"Microsoft.Advisor/recommendations/read\",\"Microsoft.Management/managementGroups/read\",\"Microsoft.Billing/billingProperty/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-03-14T16:09:22.8834827Z\",\"updatedOn\":\"2021-11-11T20:13:29.6601800Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/72fafb9e-0641-4937-9268-a91bfd8191a3\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"72fafb9e-0641-4937-9268-a91bfd8191a3\"},{\"properties\":{\"roleName\":\"Data + Box Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage + everything under Data Box Service except giving access to others.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Databox/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-07-27T08:28:42.7140210Z\",\"updatedOn\":\"2021-11-11T20:13:30.3737856Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/add466c9-e687-43fc-8d98-dfcf8d720be5\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"add466c9-e687-43fc-8d98-dfcf8d720be5\"},{\"properties\":{\"roleName\":\"Data + Box Reader\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage Data + Box Service except creating order or editing order details and giving access + to others.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Databox/*/read\",\"Microsoft.Databox/jobs/listsecrets/action\",\"Microsoft.Databox/jobs/listcredentials/action\",\"Microsoft.Databox/locations/availableSkus/action\",\"Microsoft.Databox/locations/validateInputs/action\",\"Microsoft.Databox/locations/regionConfiguration/action\",\"Microsoft.Databox/locations/validateAddress/action\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-07-27T08:26:21.9284772Z\",\"updatedOn\":\"2021-11-11T20:13:30.5546117Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/028f4ed7-e2a9-465e-a8f4-9c0ffdfdc027\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"028f4ed7-e2a9-465e-a8f4-9c0ffdfdc027\"},{\"properties\":{\"roleName\":\"Data + Factory Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Create and + manage data factories, as well as child resources within them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.DataFactory/dataFactories/*\",\"Microsoft.DataFactory/factories/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.EventGrid/eventSubscriptions/write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:30.7420174Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/673868aa-7521-48a0-acc6-0f60742d39f5\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"673868aa-7521-48a0-acc6-0f60742d39f5\"},{\"properties\":{\"roleName\":\"Data + Purger\",\"type\":\"BuiltInRole\",\"description\":\"Can purge analytics data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Insights/components/*/read\",\"Microsoft.Insights/components/purge/action\",\"Microsoft.OperationalInsights/workspaces/*/read\",\"Microsoft.OperationalInsights/workspaces/purge/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-04-30T22:39:49.6167700Z\",\"updatedOn\":\"2021-11-11T20:13:31.2788395Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/150f5e0c-0603-4f03-8c7f-cf70034c4e90\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"150f5e0c-0603-4f03-8c7f-cf70034c4e90\"},{\"properties\":{\"roleName\":\"Data + Lake Analytics Developer\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you submit, monitor, and manage your own jobs but not create or delete Data + Lake Analytics accounts.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.BigAnalytics/accounts/*\",\"Microsoft.DataLakeAnalytics/accounts/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[\"Microsoft.BigAnalytics/accounts/Delete\",\"Microsoft.BigAnalytics/accounts/TakeOwnership/action\",\"Microsoft.BigAnalytics/accounts/Write\",\"Microsoft.DataLakeAnalytics/accounts/Delete\",\"Microsoft.DataLakeAnalytics/accounts/TakeOwnership/action\",\"Microsoft.DataLakeAnalytics/accounts/Write\",\"Microsoft.DataLakeAnalytics/accounts/dataLakeStoreAccounts/Write\",\"Microsoft.DataLakeAnalytics/accounts/dataLakeStoreAccounts/Delete\",\"Microsoft.DataLakeAnalytics/accounts/storageAccounts/Write\",\"Microsoft.DataLakeAnalytics/accounts/storageAccounts/Delete\",\"Microsoft.DataLakeAnalytics/accounts/firewallRules/Write\",\"Microsoft.DataLakeAnalytics/accounts/firewallRules/Delete\",\"Microsoft.DataLakeAnalytics/accounts/computePolicies/Write\",\"Microsoft.DataLakeAnalytics/accounts/computePolicies/Delete\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-10-20T00:33:29.3115234Z\",\"updatedOn\":\"2021-11-11T20:13:31.4688491Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/47b7735b-770e-4598-a7da-8b91488b4c88\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"47b7735b-770e-4598-a7da-8b91488b4c88\"},{\"properties\":{\"roleName\":\"DevTest + Labs User\",\"type\":\"BuiltInRole\",\"description\":\"Lets you connect, start, + restart, and shutdown your virtual machines in your Azure DevTest Labs.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Compute/availabilitySets/read\",\"Microsoft.Compute/virtualMachines/*/read\",\"Microsoft.Compute/virtualMachines/deallocate/action\",\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Compute/virtualMachines/restart/action\",\"Microsoft.Compute/virtualMachines/start/action\",\"Microsoft.DevTestLab/*/read\",\"Microsoft.DevTestLab/labs/claimAnyVm/action\",\"Microsoft.DevTestLab/labs/createEnvironment/action\",\"Microsoft.DevTestLab/labs/ensureCurrentUserProfile/action\",\"Microsoft.DevTestLab/labs/formulas/delete\",\"Microsoft.DevTestLab/labs/formulas/read\",\"Microsoft.DevTestLab/labs/formulas/write\",\"Microsoft.DevTestLab/labs/policySets/evaluatePolicies/action\",\"Microsoft.DevTestLab/labs/virtualMachines/claim/action\",\"Microsoft.DevTestLab/labs/virtualmachines/listApplicableSchedules/action\",\"Microsoft.DevTestLab/labs/virtualMachines/getRdpFileContents/action\",\"Microsoft.Network/loadBalancers/backendAddressPools/join/action\",\"Microsoft.Network/loadBalancers/inboundNatRules/join/action\",\"Microsoft.Network/networkInterfaces/*/read\",\"Microsoft.Network/networkInterfaces/join/action\",\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Network/networkInterfaces/write\",\"Microsoft.Network/publicIPAddresses/*/read\",\"Microsoft.Network/publicIPAddresses/join/action\",\"Microsoft.Network/publicIPAddresses/read\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/listKeys/action\"],\"notActions\":[\"Microsoft.Compute/virtualMachines/vmSizes/read\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-06-08T21:52:45.0657582Z\",\"updatedOn\":\"2021-11-11T20:13:32.1746507Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/76283e04-6283-4c54-8f91-bcf1374a3c64\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"76283e04-6283-4c54-8f91-bcf1374a3c64\"},{\"properties\":{\"roleName\":\"DocumentDB + Account Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + manage DocumentDB accounts, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.DocumentDb/databaseAccounts/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Network/virtualNetworks/subnets/joinViaServiceEndpoint/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:32.3496502Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5bd9cd88-fe45-4216-938b-f97437e15450\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5bd9cd88-fe45-4216-938b-f97437e15450\"},{\"properties\":{\"roleName\":\"DNS + Zone Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage + DNS zones and record sets in Azure DNS, but does not let you control who has + access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Network/dnsZones/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-10-15T23:33:25.9730842Z\",\"updatedOn\":\"2021-11-11T20:13:32.5233957Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/befefa01-2a29-4197-83a8-272ff33ce314\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"befefa01-2a29-4197-83a8-272ff33ce314\"},{\"properties\":{\"roleName\":\"EventGrid + EventSubscription Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you manage EventGrid event subscription operations.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.EventGrid/eventSubscriptions/*\",\"Microsoft.EventGrid/topicTypes/eventSubscriptions/read\",\"Microsoft.EventGrid/locations/eventSubscriptions/read\",\"Microsoft.EventGrid/locations/topicTypes/eventSubscriptions/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-10-08T23:27:28.3130743Z\",\"updatedOn\":\"2021-11-11T20:13:33.4166738Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/428e0ff0-5e57-4d9c-a221-2c70d0e0a443\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"428e0ff0-5e57-4d9c-a221-2c70d0e0a443\"},{\"properties\":{\"roleName\":\"EventGrid + EventSubscription Reader\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you read EventGrid event subscriptions.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.EventGrid/eventSubscriptions/read\",\"Microsoft.EventGrid/topicTypes/eventSubscriptions/read\",\"Microsoft.EventGrid/locations/eventSubscriptions/read\",\"Microsoft.EventGrid/locations/topicTypes/eventSubscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-10-09T17:29:28.1417894Z\",\"updatedOn\":\"2021-11-11T20:13:33.7846748Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2414bbcf-6497-4faf-8c65-045460748405\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2414bbcf-6497-4faf-8c65-045460748405\"},{\"properties\":{\"roleName\":\"Graph + Owner\",\"type\":\"BuiltInRole\",\"description\":\"Create and manage all aspects + of the Enterprise Graph - Ontology, Schema mapping, Conflation and Conversational + AI and Ingestions\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.EnterpriseKnowledgeGraph/services/conflation/read\",\"Microsoft.EnterpriseKnowledgeGraph/services/conflation/write\",\"Microsoft.EnterpriseKnowledgeGraph/services/sourceschema/read\",\"Microsoft.EnterpriseKnowledgeGraph/services/sourceschema/write\",\"Microsoft.EnterpriseKnowledgeGraph/services/knowledge/read\",\"Microsoft.EnterpriseKnowledgeGraph/services/knowledge/write\",\"Microsoft.EnterpriseKnowledgeGraph/services/intentclassification/read\",\"Microsoft.EnterpriseKnowledgeGraph/services/intentclassification/write\",\"Microsoft.EnterpriseKnowledgeGraph/services/ingestion/read\",\"Microsoft.EnterpriseKnowledgeGraph/services/ingestion/write\",\"Microsoft.EnterpriseKnowledgeGraph/services/ontology/read\",\"Microsoft.EnterpriseKnowledgeGraph/services/ontology/write\",\"Microsoft.EnterpriseKnowledgeGraph/services/delete\",\"Microsoft.EnterpriseKnowledgeGraph/operations/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-02-23T21:07:22.5844236Z\",\"updatedOn\":\"2021-11-11T20:13:34.6707886Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b60367af-1334-4454-b71e-769d9a4f83d9\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b60367af-1334-4454-b71e-769d9a4f83d9\"},{\"properties\":{\"roleName\":\"HDInsight + Domain Services Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can + Read, Create, Modify and Delete Domain Services related operations needed + for HDInsight Enterprise Security Package\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.AAD/*/read\",\"Microsoft.AAD/domainServices/*/read\",\"Microsoft.AAD/domainServices/oucontainer/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-09-12T22:42:51.7451109Z\",\"updatedOn\":\"2021-11-11T20:13:35.3921342Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8d8d5a11-05d3-4bda-a417-a08778121c7c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8d8d5a11-05d3-4bda-a417-a08778121c7c\"},{\"properties\":{\"roleName\":\"Intelligent + Systems Account Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you manage Intelligent Systems accounts, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.IntelligentSystems/accounts/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:35.9371582Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/03a6d094-3444-4b3d-88af-7477090a9e5e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"03a6d094-3444-4b3d-88af-7477090a9e5e\"},{\"properties\":{\"roleName\":\"Key + Vault Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage + key vaults, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.KeyVault/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[\"Microsoft.KeyVault/locations/deletedVaults/purge/action\",\"Microsoft.KeyVault/hsmPools/*\",\"Microsoft.KeyVault/managedHsms/*\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-02-25T17:08:28.5184971Z\",\"updatedOn\":\"2021-11-11T20:13:36.1170988Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f25e0fa2-a7c8-4377-a976-54943a77a395\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f25e0fa2-a7c8-4377-a976-54943a77a395\"},{\"properties\":{\"roleName\":\"Knowledge + Consumer\",\"type\":\"BuiltInRole\",\"description\":\"Knowledge Read permission + to consume Enterprise Graph Knowledge using entity search and graph query\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.EnterpriseKnowledgeGraph/services/knowledge/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-02-23T21:23:31.4037552Z\",\"updatedOn\":\"2021-11-11T20:13:37.0021342Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ee361c5d-f7b5-4119-b4b6-892157c8f64c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ee361c5d-f7b5-4119-b4b6-892157c8f64c\"},{\"properties\":{\"roleName\":\"Lab + Creator\",\"type\":\"BuiltInRole\",\"description\":\"Lets you create new labs + under your Azure Lab Accounts.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.LabServices/labAccounts/*/read\",\"Microsoft.LabServices/labAccounts/createLab/action\",\"Microsoft.LabServices/labAccounts/getPricingAndAvailability/action\",\"Microsoft.LabServices/labAccounts/getRestrictionsAndUsage/action\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.LabServices/labPlans/images/read\",\"Microsoft.LabServices/labPlans/read\",\"Microsoft.LabServices/labPlans/saveImage/action\",\"Microsoft.LabServices/labs/read\",\"Microsoft.LabServices/labs/schedules/read\",\"Microsoft.LabServices/labs/users/read\",\"Microsoft.LabServices/labs/virtualMachines/read\",\"Microsoft.LabServices/locations/usages/read\",\"Microsoft.LabServices/skus/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.LabServices/labPlans/createLab/action\"],\"notDataActions\":[]}],\"createdOn\":\"2018-01-18T23:38:58.1036141Z\",\"updatedOn\":\"2021-11-11T20:13:37.1821588Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b97fb8bc-a8b2-4522-a38b-dd33c7e65ead\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b97fb8bc-a8b2-4522-a38b-dd33c7e65ead\"},{\"properties\":{\"roleName\":\"Log + Analytics Reader\",\"type\":\"BuiltInRole\",\"description\":\"Log Analytics + Reader can view and search all monitoring data as well as and view monitoring + settings, including viewing the configuration of Azure diagnostics on all + Azure resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.OperationalInsights/workspaces/analytics/query/action\",\"Microsoft.OperationalInsights/workspaces/search/action\",\"Microsoft.Support/*\"],\"notActions\":[\"Microsoft.OperationalInsights/workspaces/sharedKeys/read\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-05-02T00:20:28.1449012Z\",\"updatedOn\":\"2021-11-11T20:13:37.7071371Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/73c42c96-874c-492b-b04d-ab87d138a893\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"73c42c96-874c-492b-b04d-ab87d138a893\"},{\"properties\":{\"roleName\":\"Log + Analytics Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Log Analytics + Contributor can read all monitoring data and edit monitoring settings. Editing + monitoring settings includes adding the VM extension to VMs; reading storage + account keys to be able to configure collection of logs from Azure Storage; + adding solutions; and configuring Azure diagnostics on all Azure resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.ClassicCompute/virtualMachines/extensions/*\",\"Microsoft.ClassicStorage/storageAccounts/listKeys/action\",\"Microsoft.Compute/virtualMachines/extensions/*\",\"Microsoft.HybridCompute/machines/extensions/write\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/diagnosticSettings/*\",\"Microsoft.OperationalInsights/*\",\"Microsoft.OperationsManagement/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/*\",\"Microsoft.Storage/storageAccounts/listKeys/action\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-04-25T21:51:45.3174711Z\",\"updatedOn\":\"2021-11-11T20:13:37.8823618Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/92aaf0da-9dab-42b6-94a3-d43ce8d16293\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"92aaf0da-9dab-42b6-94a3-d43ce8d16293\"},{\"properties\":{\"roleName\":\"Logic + App Operator\",\"type\":\"BuiltInRole\",\"description\":\"Lets you read, enable + and disable logic app.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*/read\",\"Microsoft.Insights/metricAlerts/*/read\",\"Microsoft.Insights/diagnosticSettings/*/read\",\"Microsoft.Insights/metricDefinitions/*/read\",\"Microsoft.Logic/*/read\",\"Microsoft.Logic/workflows/disable/action\",\"Microsoft.Logic/workflows/enable/action\",\"Microsoft.Logic/workflows/validate/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Web/connectionGateways/*/read\",\"Microsoft.Web/connections/*/read\",\"Microsoft.Web/customApis/*/read\",\"Microsoft.Web/serverFarms/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-04-28T21:33:30.4656007Z\",\"updatedOn\":\"2021-11-11T20:13:38.0573444Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/515c2055-d9d4-4321-b1b9-bd0c9a0f79fe\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"515c2055-d9d4-4321-b1b9-bd0c9a0f79fe\"},{\"properties\":{\"roleName\":\"Logic + App Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage + logic app, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.ClassicStorage/storageAccounts/listKeys/action\",\"Microsoft.ClassicStorage/storageAccounts/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/metricAlerts/*\",\"Microsoft.Insights/diagnosticSettings/*\",\"Microsoft.Insights/logdefinitions/*\",\"Microsoft.Insights/metricDefinitions/*\",\"Microsoft.Logic/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/listkeys/action\",\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.Support/*\",\"Microsoft.Web/connectionGateways/*\",\"Microsoft.Web/connections/*\",\"Microsoft.Web/customApis/*\",\"Microsoft.Web/serverFarms/join/action\",\"Microsoft.Web/serverFarms/read\",\"Microsoft.Web/sites/functions/listSecrets/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-04-28T21:33:30.4656007Z\",\"updatedOn\":\"2021-11-11T20:13:38.2523833Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/87a39d53-fc1b-424a-814c-f7e04687dc9e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"87a39d53-fc1b-424a-814c-f7e04687dc9e\"},{\"properties\":{\"roleName\":\"Managed + Application Operator Role\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you read and perform actions on Managed Application resources\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.Solutions/applications/read\",\"Microsoft.Solutions/*/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-07-27T00:59:33.7988813Z\",\"updatedOn\":\"2021-11-11T20:13:38.5973763Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c7393b34-138c-406f-901b-d8cf2b17e6ae\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c7393b34-138c-406f-901b-d8cf2b17e6ae\"},{\"properties\":{\"roleName\":\"Managed + Applications Reader\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + read resources in a managed app and request JIT access.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Solutions/jitRequests/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-09-06T00:33:58.3651522Z\",\"updatedOn\":\"2021-11-11T20:13:38.7723523Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b9331d33-8a36-4f8c-b097-4f54124fdb44\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b9331d33-8a36-4f8c-b097-4f54124fdb44\"},{\"properties\":{\"roleName\":\"Managed + Identity Operator\",\"type\":\"BuiltInRole\",\"description\":\"Read and Assign + User Assigned Identity\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ManagedIdentity/userAssignedIdentities/*/read\",\"Microsoft.ManagedIdentity/userAssignedIdentities/*/assign/action\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-12-14T19:52:04.3924594Z\",\"updatedOn\":\"2021-11-11T20:13:38.9523759Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f1a07417-d97a-45cb-824c-7a7467783830\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f1a07417-d97a-45cb-824c-7a7467783830\"},{\"properties\":{\"roleName\":\"Managed + Identity Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Create, + Read, Update, and Delete User Assigned Identity\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ManagedIdentity/userAssignedIdentities/read\",\"Microsoft.ManagedIdentity/userAssignedIdentities/write\",\"Microsoft.ManagedIdentity/userAssignedIdentities/delete\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-12-14T19:53:42.8804692Z\",\"updatedOn\":\"2021-11-11T20:13:39.3023761Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e40ec5ca-96e0-45a2-b4ff-59039f2c2b59\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e40ec5ca-96e0-45a2-b4ff-59039f2c2b59\"},{\"properties\":{\"roleName\":\"Management + Group Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Management + Group Contributor Role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Management/managementGroups/delete\",\"Microsoft.Management/managementGroups/read\",\"Microsoft.Management/managementGroups/subscriptions/delete\",\"Microsoft.Management/managementGroups/subscriptions/write\",\"Microsoft.Management/managementGroups/write\",\"Microsoft.Management/managementGroups/subscriptions/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-06-22T00:28:29.0523964Z\",\"updatedOn\":\"2021-11-11T20:13:39.6573851Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5d58bcaf-24a5-4b20-bdb6-eed9f69fbe4c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5d58bcaf-24a5-4b20-bdb6-eed9f69fbe4c\"},{\"properties\":{\"roleName\":\"Management + Group Reader\",\"type\":\"BuiltInRole\",\"description\":\"Management Group + Reader Role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Management/managementGroups/read\",\"Microsoft.Management/managementGroups/subscriptions/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-06-22T00:31:03.4295347Z\",\"updatedOn\":\"2021-11-11T20:13:39.8274007Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ac63b705-f282-497d-ac71-919bf39d939d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ac63b705-f282-497d-ac71-919bf39d939d\"},{\"properties\":{\"roleName\":\"Monitoring + Metrics Publisher\",\"type\":\"BuiltInRole\",\"description\":\"Enables publishing + metrics against Azure resources\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Insights/Register/Action\",\"Microsoft.Support/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Insights/Metrics/Write\",\"Microsoft.Insights/Telemetry/Write\"],\"notDataActions\":[]}],\"createdOn\":\"2018-08-14T00:36:16.5610279Z\",\"updatedOn\":\"2022-01-04T00:38:04.0289073Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3913510d-42f4-4e42-8a64-420c390055eb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3913510d-42f4-4e42-8a64-420c390055eb\"},{\"properties\":{\"roleName\":\"Monitoring + Reader\",\"type\":\"BuiltInRole\",\"description\":\"Can read all monitoring + data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.OperationalInsights/workspaces/search/action\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Monitor/accounts/data/metrics/read\"],\"notDataActions\":[]}],\"createdOn\":\"2016-09-21T19:19:52.4939376Z\",\"updatedOn\":\"2022-07-07T00:23:17.8373589Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/43d0d8ad-25c7-4714-9337-8ba259a9fe05\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"43d0d8ad-25c7-4714-9337-8ba259a9fe05\"},{\"properties\":{\"roleName\":\"Network + Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage networks, + but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Network/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-06-02T00:18:27.3542698Z\",\"updatedOn\":\"2021-11-11T20:13:44.6328966Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4d97b98b-1d4f-4787-a291-c67834d212e7\"},{\"properties\":{\"roleName\":\"Monitoring + Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can read all monitoring + data and update monitoring settings.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.AlertsManagement/alerts/*\",\"Microsoft.AlertsManagement/alertsSummary/*\",\"Microsoft.Insights/actiongroups/*\",\"Microsoft.Insights/activityLogAlerts/*\",\"Microsoft.Insights/AlertRules/*\",\"Microsoft.Insights/components/*\",\"Microsoft.Insights/createNotifications/*\",\"Microsoft.Insights/dataCollectionEndpoints/*\",\"Microsoft.Insights/dataCollectionRules/*\",\"Microsoft.Insights/dataCollectionRuleAssociations/*\",\"Microsoft.Insights/DiagnosticSettings/*\",\"Microsoft.Insights/eventtypes/*\",\"Microsoft.Insights/LogDefinitions/*\",\"Microsoft.Insights/metricalerts/*\",\"Microsoft.Insights/MetricDefinitions/*\",\"Microsoft.Insights/Metrics/*\",\"Microsoft.Insights/notificationStatus/*\",\"Microsoft.Insights/Register/Action\",\"Microsoft.Insights/scheduledqueryrules/*\",\"Microsoft.Insights/webtests/*\",\"Microsoft.Insights/workbooks/*\",\"Microsoft.Insights/workbooktemplates/*\",\"Microsoft.Insights/privateLinkScopes/*\",\"Microsoft.Insights/privateLinkScopeOperationStatuses/*\",\"Microsoft.OperationalInsights/workspaces/write\",\"Microsoft.OperationalInsights/workspaces/intelligencepacks/*\",\"Microsoft.OperationalInsights/workspaces/savedSearches/*\",\"Microsoft.OperationalInsights/workspaces/search/action\",\"Microsoft.OperationalInsights/workspaces/sharedKeys/action\",\"Microsoft.OperationalInsights/workspaces/storageinsightconfigs/*\",\"Microsoft.Support/*\",\"Microsoft.WorkloadMonitor/monitors/*\",\"Microsoft.AlertsManagement/smartDetectorAlertRules/*\",\"Microsoft.AlertsManagement/actionRules/*\",\"Microsoft.AlertsManagement/smartGroups/*\",\"Microsoft.AlertsManagement/migrateFromSmartDetection/*\"],\"notActions\":[],\"dataActions\":[\"microsoft.monitor/accounts/data/metrics/read\"],\"notDataActions\":[]}],\"createdOn\":\"2016-09-21T19:21:08.4345976Z\",\"updatedOn\":\"2022-07-25T15:10:35.9301356Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/749f88d5-cbae-40b8-bcfc-e573ddc772fa\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"749f88d5-cbae-40b8-bcfc-e573ddc772fa\"},{\"properties\":{\"roleName\":\"New + Relic APM Account Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you manage New Relic Application Performance Management accounts and applications, + but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"NewRelic.APM/accounts/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:45.7178576Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5d28c62d-5b37-4476-8438-e587778df237\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5d28c62d-5b37-4476-8438-e587778df237\"},{\"properties\":{\"roleName\":\"Owner\",\"type\":\"BuiltInRole\",\"description\":\"Grants + full access to manage all resources, including the ability to assign roles + in Azure RBAC.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:45.8978856Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8e3af657-a8ff-443c-a75c-2fe8c4bcb635\"},{\"properties\":{\"roleName\":\"Reader\",\"type\":\"BuiltInRole\",\"description\":\"View + all resources, but does not allow you to make any changes.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:47.8628684Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"acdd72a7-3385-48ef-bd42-f606fba81ae7\"},{\"properties\":{\"roleName\":\"Redis + Cache Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage + Redis caches, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Cache/register/action\",\"Microsoft.Cache/redis/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:48.0528671Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e0f68234-74aa-48ed-b826-c38b57376e17\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e0f68234-74aa-48ed-b826-c38b57376e17\"},{\"properties\":{\"roleName\":\"Reader + and Data Access\",\"type\":\"BuiltInRole\",\"description\":\"Lets you view + everything but will not let you delete or create a storage account or contained + resource. It will also allow read/write access to all data contained in a + storage account via access to storage account keys.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/listKeys/action\",\"Microsoft.Storage/storageAccounts/ListAccountSas/action\",\"Microsoft.Storage/storageAccounts/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-03-27T23:20:46.1498906Z\",\"updatedOn\":\"2021-11-11T20:13:48.2278951Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c12c1c16-33a1-487b-954d-41c89c60f349\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c12c1c16-33a1-487b-954d-41c89c60f349\"},{\"properties\":{\"roleName\":\"Resource + Policy Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Users with + rights to create/modify resource policy, create support ticket and read resources/hierarchy.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.Authorization/policyassignments/*\",\"Microsoft.Authorization/policydefinitions/*\",\"Microsoft.Authorization/policyexemptions/*\",\"Microsoft.Authorization/policysetdefinitions/*\",\"Microsoft.PolicyInsights/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-08-25T19:08:01.3861639Z\",\"updatedOn\":\"2021-11-11T20:13:49.6679217Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/36243c78-bf99-498c-9df9-86d9f8d28608\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"36243c78-bf99-498c-9df9-86d9f8d28608\"},{\"properties\":{\"roleName\":\"Scheduler + Job Collections Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you manage Scheduler job collections, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Scheduler/jobcollections/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:49.8429293Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/188a0f2f-5c9e-469b-ae67-2aa5ce574b94\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"188a0f2f-5c9e-469b-ae67-2aa5ce574b94\"},{\"properties\":{\"roleName\":\"Search + Service Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + manage Search services, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Search/searchServices/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:50.0229309Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7ca78c08-252a-4471-8644-bb5ff32d4ba0\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7ca78c08-252a-4471-8644-bb5ff32d4ba0\"},{\"properties\":{\"roleName\":\"Security + Admin\",\"type\":\"BuiltInRole\",\"description\":\"Security Admin Role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Authorization/policyAssignments/*\",\"Microsoft.Authorization/policyDefinitions/*\",\"Microsoft.Authorization/policyExemptions/*\",\"Microsoft.Authorization/policySetDefinitions/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Management/managementGroups/read\",\"Microsoft.operationalInsights/workspaces/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Security/*\",\"Microsoft.IoTSecurity/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-05-03T07:51:23.0917487Z\",\"updatedOn\":\"2021-11-15T06:42:49.8263550Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fb1c8493-542b-48eb-b624-b4c8fea62acd\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fb1c8493-542b-48eb-b624-b4c8fea62acd\"},{\"properties\":{\"roleName\":\"Security + Manager (Legacy)\",\"type\":\"BuiltInRole\",\"description\":\"This is a legacy + role. Please use Security Administrator instead\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.ClassicCompute/*/read\",\"Microsoft.ClassicCompute/virtualMachines/*/write\",\"Microsoft.ClassicNetwork/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Security/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-06-22T17:45:15.8986455Z\",\"updatedOn\":\"2021-11-11T20:13:50.5729549Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e3d13bf0-dd5a-482e-ba6b-9b8433878d10\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e3d13bf0-dd5a-482e-ba6b-9b8433878d10\"},{\"properties\":{\"roleName\":\"Security + Reader\",\"type\":\"BuiltInRole\",\"description\":\"Security Reader Role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/read\",\"Microsoft.operationalInsights/workspaces/*/read\",\"Microsoft.Resources/deployments/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Security/*/read\",\"Microsoft.IoTSecurity/*/read\",\"Microsoft.Support/*/read\",\"Microsoft.Security/iotDefenderSettings/packageDownloads/action\",\"Microsoft.Security/iotDefenderSettings/downloadManagerActivation/action\",\"Microsoft.Security/iotSensors/downloadResetPassword/action\",\"Microsoft.IoTSecurity/defenderSettings/packageDownloads/action\",\"Microsoft.IoTSecurity/defenderSettings/downloadManagerActivation/action\",\"Microsoft.Management/managementGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-05-03T07:48:49.0516559Z\",\"updatedOn\":\"2021-11-11T20:13:50.7479015Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/39bc4728-0917-49c7-9d2c-d95423bc2eb4\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"39bc4728-0917-49c7-9d2c-d95423bc2eb4\"},{\"properties\":{\"roleName\":\"Spatial + Anchors Account Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you manage spatial anchors in your account, but not delete them\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/SpatialAnchorsAccounts/create/action\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/discovery/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/properties/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/query/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/submitdiag/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/write\"],\"notDataActions\":[]}],\"createdOn\":\"2018-12-21T17:57:41.1420864Z\",\"updatedOn\":\"2021-11-11T20:13:52.2829400Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8bbe83f1-e2a6-4df7-8cb4-4e04d4e5c827\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8bbe83f1-e2a6-4df7-8cb4-4e04d4e5c827\"},{\"properties\":{\"roleName\":\"Site + Recovery Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + manage Site Recovery service except vault creation and role assignment\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.RecoveryServices/locations/allocatedStamp/read\",\"Microsoft.RecoveryServices/locations/allocateStamp/action\",\"Microsoft.RecoveryServices/Vaults/certificates/write\",\"Microsoft.RecoveryServices/Vaults/extendedInformation/*\",\"Microsoft.RecoveryServices/Vaults/read\",\"Microsoft.RecoveryServices/Vaults/refreshContainers/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/*\",\"Microsoft.RecoveryServices/vaults/replicationAlertSettings/*\",\"Microsoft.RecoveryServices/vaults/replicationEvents/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/*\",\"Microsoft.RecoveryServices/vaults/replicationJobs/*\",\"Microsoft.RecoveryServices/vaults/replicationPolicies/*\",\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/*\",\"Microsoft.RecoveryServices/vaults/replicationVaultSettings/*\",\"Microsoft.RecoveryServices/Vaults/storageConfig/*\",\"Microsoft.RecoveryServices/Vaults/tokenInfo/read\",\"Microsoft.RecoveryServices/Vaults/usages/read\",\"Microsoft.RecoveryServices/Vaults/vaultTokens/read\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/*\",\"Microsoft.RecoveryServices/Vaults/monitoringConfigurations/notificationConfiguration/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.RecoveryServices/vaults/replicationOperationStatus/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-05-19T13:46:17.4592776Z\",\"updatedOn\":\"2021-11-11T20:13:52.4579503Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6670b86e-a3f7-4917-ac9b-5d6ab1be4567\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6670b86e-a3f7-4917-ac9b-5d6ab1be4567\"},{\"properties\":{\"roleName\":\"Site + Recovery Operator\",\"type\":\"BuiltInRole\",\"description\":\"Lets you failover + and failback but not perform other Site Recovery management operations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.RecoveryServices/locations/allocatedStamp/read\",\"Microsoft.RecoveryServices/locations/allocateStamp/action\",\"Microsoft.RecoveryServices/Vaults/extendedInformation/read\",\"Microsoft.RecoveryServices/Vaults/read\",\"Microsoft.RecoveryServices/Vaults/refreshContainers/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/read\",\"Microsoft.RecoveryServices/vaults/replicationAlertSettings/read\",\"Microsoft.RecoveryServices/vaults/replicationEvents/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/checkConsistency/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/reassociateGateway/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/renewcertificate/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationNetworks/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationNetworks/replicationNetworkMappings/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectableItems/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/applyRecoveryPoint/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/failoverCommit/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/plannedFailover/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/recoveryPoints/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/repairReplication/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/reProtect/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/switchprotection/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/testFailover/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/testFailoverCleanup/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/unplannedFailover/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/updateMobilityService/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectionContainerMappings/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationRecoveryServicesProviders/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationRecoveryServicesProviders/refreshProvider/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationStorageClassifications/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationStorageClassifications/replicationStorageClassificationMappings/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationvCenters/read\",\"Microsoft.RecoveryServices/vaults/replicationJobs/*\",\"Microsoft.RecoveryServices/vaults/replicationPolicies/read\",\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/failoverCommit/action\",\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/plannedFailover/action\",\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/read\",\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/reProtect/action\",\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/testFailover/action\",\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/testFailoverCleanup/action\",\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/unplannedFailover/action\",\"Microsoft.RecoveryServices/vaults/replicationVaultSettings/read\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/*\",\"Microsoft.RecoveryServices/Vaults/monitoringConfigurations/notificationConfiguration/read\",\"Microsoft.RecoveryServices/Vaults/storageConfig/read\",\"Microsoft.RecoveryServices/Vaults/tokenInfo/read\",\"Microsoft.RecoveryServices/Vaults/usages/read\",\"Microsoft.RecoveryServices/Vaults/vaultTokens/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-05-19T13:47:50.1341148Z\",\"updatedOn\":\"2021-11-11T20:13:52.6263418Z\",\"createdBy\":null,\"updatedBy\":\"\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/494ae006-db33-4328-bf46-533a6560a3ca\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"494ae006-db33-4328-bf46-533a6560a3ca\"},{\"properties\":{\"roleName\":\"Spatial + Anchors Account Reader\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + locate and read properties of spatial anchors in your account\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/SpatialAnchorsAccounts/discovery/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/properties/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/query/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/submitdiag/read\"],\"notDataActions\":[]}],\"createdOn\":\"2018-12-21T17:57:42.9271004Z\",\"updatedOn\":\"2021-11-11T20:13:52.8013467Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5d51204f-eb77-4b1c-b86a-2ec626c49413\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5d51204f-eb77-4b1c-b86a-2ec626c49413\"},{\"properties\":{\"roleName\":\"Site + Recovery Reader\",\"type\":\"BuiltInRole\",\"description\":\"Lets you view + Site Recovery status but not perform other management operations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.RecoveryServices/locations/allocatedStamp/read\",\"Microsoft.RecoveryServices/Vaults/extendedInformation/read\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/read\",\"Microsoft.RecoveryServices/Vaults/monitoringConfigurations/notificationConfiguration/read\",\"Microsoft.RecoveryServices/Vaults/read\",\"Microsoft.RecoveryServices/Vaults/refreshContainers/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/read\",\"Microsoft.RecoveryServices/vaults/replicationAlertSettings/read\",\"Microsoft.RecoveryServices/vaults/replicationEvents/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationNetworks/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationNetworks/replicationNetworkMappings/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectableItems/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/recoveryPoints/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectionContainerMappings/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationRecoveryServicesProviders/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationStorageClassifications/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationStorageClassifications/replicationStorageClassificationMappings/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationvCenters/read\",\"Microsoft.RecoveryServices/vaults/replicationJobs/read\",\"Microsoft.RecoveryServices/vaults/replicationPolicies/read\",\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/read\",\"Microsoft.RecoveryServices/vaults/replicationVaultSettings/read\",\"Microsoft.RecoveryServices/Vaults/storageConfig/read\",\"Microsoft.RecoveryServices/Vaults/tokenInfo/read\",\"Microsoft.RecoveryServices/Vaults/usages/read\",\"Microsoft.RecoveryServices/Vaults/vaultTokens/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-05-19T13:35:40.0093634Z\",\"updatedOn\":\"2021-11-11T20:13:52.9763366Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/dbaa88c4-0c30-4179-9fb3-46319faa6149\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"dbaa88c4-0c30-4179-9fb3-46319faa6149\"},{\"properties\":{\"roleName\":\"Spatial + Anchors Account Owner\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + manage spatial anchors in your account, including deleting them\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/SpatialAnchorsAccounts/create/action\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/delete\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/discovery/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/properties/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/query/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/submitdiag/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/write\"],\"notDataActions\":[]}],\"createdOn\":\"2018-12-21T17:57:43.5489832Z\",\"updatedOn\":\"2021-11-11T20:13:53.1663250Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/70bbe301-9835-447d-afdd-19eb3167307c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"70bbe301-9835-447d-afdd-19eb3167307c\"},{\"properties\":{\"roleName\":\"SQL + Managed Instance Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you manage SQL Managed Instances and required network configuration, but can\u2019t + give access to others.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Network/networkSecurityGroups/*\",\"Microsoft.Network/routeTables/*\",\"Microsoft.Sql/locations/*/read\",\"Microsoft.Sql/locations/instanceFailoverGroups/*\",\"Microsoft.Sql/managedInstances/*\",\"Microsoft.Support/*\",\"Microsoft.Network/virtualNetworks/subnets/*\",\"Microsoft.Network/virtualNetworks/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\"],\"notActions\":[\"Microsoft.Sql/managedInstances/azureADOnlyAuthentications/delete\",\"Microsoft.Sql/managedInstances/azureADOnlyAuthentications/write\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-12-10T22:57:14.2937983Z\",\"updatedOn\":\"2021-11-11T20:13:53.3513507Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4939a1f6-9ae0-4e48-a1e0-f2cbe897382d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4939a1f6-9ae0-4e48-a1e0-f2cbe897382d\"},{\"properties\":{\"roleName\":\"SQL + DB Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage + SQL databases, but not access to them. Also, you can't manage their security-related + policies or their parent SQL servers.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Sql/locations/*/read\",\"Microsoft.Sql/servers/databases/*\",\"Microsoft.Sql/servers/read\",\"Microsoft.Support/*\",\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\"],\"notActions\":[\"Microsoft.Sql/servers/databases/ledgerDigestUploads/write\",\"Microsoft.Sql/servers/databases/ledgerDigestUploads/disable/action\",\"Microsoft.Sql/managedInstances/databases/currentSensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/recommendedSensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/schemas/tables/columns/sensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/securityAlertPolicies/*\",\"Microsoft.Sql/managedInstances/databases/sensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/vulnerabilityAssessments/*\",\"Microsoft.Sql/managedInstances/securityAlertPolicies/*\",\"Microsoft.Sql/managedInstances/vulnerabilityAssessments/*\",\"Microsoft.Sql/servers/databases/auditingSettings/*\",\"Microsoft.Sql/servers/databases/auditRecords/read\",\"Microsoft.Sql/servers/databases/currentSensitivityLabels/*\",\"Microsoft.Sql/servers/databases/dataMaskingPolicies/*\",\"Microsoft.Sql/servers/databases/extendedAuditingSettings/*\",\"Microsoft.Sql/servers/databases/recommendedSensitivityLabels/*\",\"Microsoft.Sql/servers/databases/schemas/tables/columns/sensitivityLabels/*\",\"Microsoft.Sql/servers/databases/securityAlertPolicies/*\",\"Microsoft.Sql/servers/databases/securityMetrics/*\",\"Microsoft.Sql/servers/databases/sensitivityLabels/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessments/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessmentScans/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessmentSettings/*\",\"Microsoft.Sql/servers/vulnerabilityAssessments/*\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:53.5363219Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9b7fa17d-e63e-47b0-bb0a-15c516ac86ec\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"9b7fa17d-e63e-47b0-bb0a-15c516ac86ec\"},{\"properties\":{\"roleName\":\"SQL + Security Manager\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage + the security-related policies of SQL servers and databases, but not access + to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Network/virtualNetworks/subnets/joinViaServiceEndpoint/action\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Sql/locations/administratorAzureAsyncOperation/read\",\"Microsoft.Sql/managedInstances/databases/currentSensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/recommendedSensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/schemas/tables/columns/sensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/securityAlertPolicies/*\",\"Microsoft.Sql/managedInstances/databases/sensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/vulnerabilityAssessments/*\",\"Microsoft.Sql/managedInstances/securityAlertPolicies/*\",\"Microsoft.Sql/managedInstances/databases/transparentDataEncryption/*\",\"Microsoft.Sql/managedInstances/vulnerabilityAssessments/*\",\"Microsoft.Sql/servers/auditingSettings/*\",\"Microsoft.Sql/servers/extendedAuditingSettings/read\",\"Microsoft.Sql/servers/databases/auditingSettings/*\",\"Microsoft.Sql/servers/databases/auditRecords/read\",\"Microsoft.Sql/servers/databases/currentSensitivityLabels/*\",\"Microsoft.Sql/servers/databases/dataMaskingPolicies/*\",\"Microsoft.Sql/servers/databases/extendedAuditingSettings/read\",\"Microsoft.Sql/servers/databases/read\",\"Microsoft.Sql/servers/databases/recommendedSensitivityLabels/*\",\"Microsoft.Sql/servers/databases/schemas/read\",\"Microsoft.Sql/servers/databases/schemas/tables/columns/read\",\"Microsoft.Sql/servers/databases/schemas/tables/columns/sensitivityLabels/*\",\"Microsoft.Sql/servers/databases/schemas/tables/read\",\"Microsoft.Sql/servers/databases/securityAlertPolicies/*\",\"Microsoft.Sql/servers/databases/securityMetrics/*\",\"Microsoft.Sql/servers/databases/sensitivityLabels/*\",\"Microsoft.Sql/servers/databases/transparentDataEncryption/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessments/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessmentScans/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessmentSettings/*\",\"Microsoft.Sql/servers/devOpsAuditingSettings/*\",\"Microsoft.Sql/servers/firewallRules/*\",\"Microsoft.Sql/servers/read\",\"Microsoft.Sql/servers/securityAlertPolicies/*\",\"Microsoft.Sql/servers/vulnerabilityAssessments/*\",\"Microsoft.Support/*\",\"Microsoft.Sql/servers/azureADOnlyAuthentications/*\",\"Microsoft.Sql/managedInstances/read\",\"Microsoft.Sql/managedInstances/azureADOnlyAuthentications/*\",\"Microsoft.Security/sqlVulnerabilityAssessments/*\",\"Microsoft.Sql/managedInstances/administrators/read\",\"Microsoft.Sql/servers/administrators/read\",\"Microsoft.Sql/servers/externalPolicyBasedAuthorizations/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-06-16T18:44:40.4607572Z\",\"updatedOn\":\"2022-04-27T21:08:08.4474437Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/056cd41c-7e88-42e1-933e-88ba6a50c9c3\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"056cd41c-7e88-42e1-933e-88ba6a50c9c3\"},{\"properties\":{\"roleName\":\"Storage + Account Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + manage storage accounts, including accessing storage account keys which provide + full access to storage account data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/diagnosticSettings/*\",\"Microsoft.Network/virtualNetworks/subnets/joinViaServiceEndpoint/action\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-06-02T00:18:27.3542698Z\",\"updatedOn\":\"2021-11-11T20:13:54.2363539Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/17d1049b-9a84-46fb-8f53-869881c3d3ab\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"17d1049b-9a84-46fb-8f53-869881c3d3ab\"},{\"properties\":{\"roleName\":\"SQL + Server Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage + SQL servers and databases, but not access to them, and not their security + -related policies.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Sql/locations/*/read\",\"Microsoft.Sql/servers/*\",\"Microsoft.Support/*\",\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\"],\"notActions\":[\"Microsoft.Sql/managedInstances/databases/currentSensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/recommendedSensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/schemas/tables/columns/sensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/securityAlertPolicies/*\",\"Microsoft.Sql/managedInstances/databases/sensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/vulnerabilityAssessments/*\",\"Microsoft.Sql/managedInstances/securityAlertPolicies/*\",\"Microsoft.Sql/managedInstances/vulnerabilityAssessments/*\",\"Microsoft.Sql/servers/auditingSettings/*\",\"Microsoft.Sql/servers/databases/auditingSettings/*\",\"Microsoft.Sql/servers/databases/auditRecords/read\",\"Microsoft.Sql/servers/databases/currentSensitivityLabels/*\",\"Microsoft.Sql/servers/databases/dataMaskingPolicies/*\",\"Microsoft.Sql/servers/databases/extendedAuditingSettings/*\",\"Microsoft.Sql/servers/databases/recommendedSensitivityLabels/*\",\"Microsoft.Sql/servers/databases/schemas/tables/columns/sensitivityLabels/*\",\"Microsoft.Sql/servers/databases/securityAlertPolicies/*\",\"Microsoft.Sql/servers/databases/securityMetrics/*\",\"Microsoft.Sql/servers/databases/sensitivityLabels/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessments/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessmentScans/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessmentSettings/*\",\"Microsoft.Sql/servers/devOpsAuditingSettings/*\",\"Microsoft.Sql/servers/extendedAuditingSettings/*\",\"Microsoft.Sql/servers/securityAlertPolicies/*\",\"Microsoft.Sql/servers/vulnerabilityAssessments/*\",\"Microsoft.Sql/servers/azureADOnlyAuthentications/delete\",\"Microsoft.Sql/servers/azureADOnlyAuthentications/write\",\"Microsoft.Sql/servers/externalPolicyBasedAuthorizations/delete\",\"Microsoft.Sql/servers/externalPolicyBasedAuthorizations/write\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2022-04-28T19:00:53.9963035Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6d8ee4ec-f05a-4a1d-8b00-a9b17e38b437\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6d8ee4ec-f05a-4a1d-8b00-a9b17e38b437\"},{\"properties\":{\"roleName\":\"Storage + Account Key Operator Service Role\",\"type\":\"BuiltInRole\",\"description\":\"Storage + Account Key Operators are allowed to list and regenerate keys on Storage Accounts\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/listkeys/action\",\"Microsoft.Storage/storageAccounts/regeneratekey/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-04-13T18:26:11.5770570Z\",\"updatedOn\":\"2021-11-11T20:13:54.7697481Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/81a9662b-bebf-436f-a333-f67b29880f12\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"81a9662b-bebf-436f-a333-f67b29880f12\"},{\"properties\":{\"roleName\":\"Storage + Blob Data Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allows + for read, write and delete access to Azure Storage blob containers and data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/delete\",\"Microsoft.Storage/storageAccounts/blobServices/containers/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/write\",\"Microsoft.Storage/storageAccounts/blobServices/generateUserDelegationKey/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/delete\",\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/write\",\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/move/action\",\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/add/action\"],\"notDataActions\":[]}],\"createdOn\":\"2017-12-21T00:01:24.7972312Z\",\"updatedOn\":\"2021-11-11T20:13:54.9397456Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ba92f5b4-2d11-453d-a403-e96b0029c9fe\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ba92f5b4-2d11-453d-a403-e96b0029c9fe\"},{\"properties\":{\"roleName\":\"Storage + Blob Data Owner\",\"type\":\"BuiltInRole\",\"description\":\"Allows for full + access to Azure Storage blob containers and data, including assigning POSIX + access control.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/*\",\"Microsoft.Storage/storageAccounts/blobServices/generateUserDelegationKey/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/*\"],\"notDataActions\":[]}],\"createdOn\":\"2018-12-04T07:02:58.2775257Z\",\"updatedOn\":\"2021-11-11T20:13:55.1225062Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b7e6dc6d-f1e8-4753-8033-0f276bb0955b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b7e6dc6d-f1e8-4753-8033-0f276bb0955b\"},{\"properties\":{\"roleName\":\"Storage + Blob Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows for read + access to Azure Storage blob containers and data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/read\",\"Microsoft.Storage/storageAccounts/blobServices/generateUserDelegationKey/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/read\"],\"notDataActions\":[]}],\"createdOn\":\"2017-12-21T00:01:24.7972312Z\",\"updatedOn\":\"2021-11-11T20:13:55.2975076Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2a2b9908-6ea1-4ae2-8e65-a410df84e7d1\"},{\"properties\":{\"roleName\":\"Storage + Queue Data Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allows + for read, write, and delete access to Azure Storage queues and queue messages\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/queueServices/queues/delete\",\"Microsoft.Storage/storageAccounts/queueServices/queues/read\",\"Microsoft.Storage/storageAccounts/queueServices/queues/write\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/delete\",\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/read\",\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/write\",\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/process/action\"],\"notDataActions\":[]}],\"createdOn\":\"2017-12-21T00:01:24.7972312Z\",\"updatedOn\":\"2021-11-11T20:13:55.4725469Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/974c5e8b-45b9-4653-ba55-5f855dd0fb88\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"974c5e8b-45b9-4653-ba55-5f855dd0fb88\"},{\"properties\":{\"roleName\":\"Storage + Queue Data Message Processor\",\"type\":\"BuiltInRole\",\"description\":\"Allows + for peek, receive, and delete access to Azure Storage queue messages\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/read\",\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/process/action\"],\"notDataActions\":[]}],\"createdOn\":\"2019-01-28T22:27:04.8947111Z\",\"updatedOn\":\"2021-11-11T20:13:55.6575408Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8a0f0c08-91a1-4084-bc3d-661d67233fed\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8a0f0c08-91a1-4084-bc3d-661d67233fed\"},{\"properties\":{\"roleName\":\"Storage + Queue Data Message Sender\",\"type\":\"BuiltInRole\",\"description\":\"Allows + for sending of Azure Storage queue messages\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/add/action\"],\"notDataActions\":[]}],\"createdOn\":\"2019-01-28T22:28:34.7459724Z\",\"updatedOn\":\"2021-11-11T20:13:55.8325508Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c6a89b2d-59bc-44d0-9896-0f6e12d7b80a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c6a89b2d-59bc-44d0-9896-0f6e12d7b80a\"},{\"properties\":{\"roleName\":\"Storage + Queue Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows for + read access to Azure Storage queues and queue messages\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/queueServices/queues/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/read\"],\"notDataActions\":[]}],\"createdOn\":\"2017-12-21T00:01:24.7972312Z\",\"updatedOn\":\"2021-11-11T20:13:56.0178497Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/19e7f393-937e-4f77-808e-94535e297925\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"19e7f393-937e-4f77-808e-94535e297925\"},{\"properties\":{\"roleName\":\"Support + Request Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + create and manage Support requests\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-06-22T22:25:37.8053068Z\",\"updatedOn\":\"2021-11-11T20:13:56.7444481Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/cfd33db0-3dd1-45e3-aa9d-cdbdf3b6f24e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"cfd33db0-3dd1-45e3-aa9d-cdbdf3b6f24e\"},{\"properties\":{\"roleName\":\"Traffic + Manager Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + manage Traffic Manager profiles, but does not let you control who has access + to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Network/trafficManagerProfiles/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-10-15T23:33:25.9730842Z\",\"updatedOn\":\"2021-11-11T20:13:57.2744497Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a4b10055-b0c7-44c2-b00f-c7b5b3550cf7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a4b10055-b0c7-44c2-b00f-c7b5b3550cf7\"},{\"properties\":{\"roleName\":\"Virtual + Machine Administrator Login\",\"type\":\"BuiltInRole\",\"description\":\"View + Virtual Machines in the portal and login as administrator\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Network/publicIPAddresses/read\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/loadBalancers/read\",\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Compute/virtualMachines/*/read\",\"Microsoft.HybridCompute/machines/*/read\",\"Microsoft.HybridConnectivity/endpoints/listCredentials/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Compute/virtualMachines/login/action\",\"Microsoft.Compute/virtualMachines/loginAsAdmin/action\",\"Microsoft.HybridCompute/machines/login/action\",\"Microsoft.HybridCompute/machines/loginAsAdmin/action\"],\"notDataActions\":[]}],\"createdOn\":\"2018-02-09T18:36:13.3315744Z\",\"updatedOn\":\"2021-11-18T00:56:53.8134295Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1c0163c0-47e6-4577-8991-ea5c82e286e4\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1c0163c0-47e6-4577-8991-ea5c82e286e4\"},{\"properties\":{\"roleName\":\"User + Access Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + manage user access to Azure resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.Authorization/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:57.7932023Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"18d7d88d-d35e-4fb5-a5c3-7773c20a72d9\"},{\"properties\":{\"roleName\":\"Virtual + Machine User Login\",\"type\":\"BuiltInRole\",\"description\":\"View Virtual + Machines in the portal and login as a regular user.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Network/publicIPAddresses/read\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/loadBalancers/read\",\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Compute/virtualMachines/*/read\",\"Microsoft.HybridCompute/machines/*/read\",\"Microsoft.HybridConnectivity/endpoints/listCredentials/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Compute/virtualMachines/login/action\",\"Microsoft.HybridCompute/machines/login/action\"],\"notDataActions\":[]}],\"createdOn\":\"2018-02-09T18:36:13.3315744Z\",\"updatedOn\":\"2021-11-18T00:55:50.6185845Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fb879df8-f326-4884-b1cf-06f3ad86be52\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fb879df8-f326-4884-b1cf-06f3ad86be52\"},{\"properties\":{\"roleName\":\"Virtual + Machine Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + manage virtual machines, but not access to them, and not the virtual network + or storage account they're connected to.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Compute/availabilitySets/*\",\"Microsoft.Compute/locations/*\",\"Microsoft.Compute/virtualMachines/*\",\"Microsoft.Compute/virtualMachineScaleSets/*\",\"Microsoft.Compute/cloudServices/*\",\"Microsoft.Compute/disks/write\",\"Microsoft.Compute/disks/read\",\"Microsoft.Compute/disks/delete\",\"Microsoft.DevTestLab/schedules/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Network/applicationGateways/backendAddressPools/join/action\",\"Microsoft.Network/loadBalancers/backendAddressPools/join/action\",\"Microsoft.Network/loadBalancers/inboundNatPools/join/action\",\"Microsoft.Network/loadBalancers/inboundNatRules/join/action\",\"Microsoft.Network/loadBalancers/probes/join/action\",\"Microsoft.Network/loadBalancers/read\",\"Microsoft.Network/locations/*\",\"Microsoft.Network/networkInterfaces/*\",\"Microsoft.Network/networkSecurityGroups/join/action\",\"Microsoft.Network/networkSecurityGroups/read\",\"Microsoft.Network/publicIPAddresses/join/action\",\"Microsoft.Network/publicIPAddresses/read\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.RecoveryServices/locations/*\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/backupProtectionIntent/write\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/*/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/write\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/read\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/write\",\"Microsoft.RecoveryServices/Vaults/read\",\"Microsoft.RecoveryServices/Vaults/usages/read\",\"Microsoft.RecoveryServices/Vaults/write\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.SerialConsole/serialPorts/connect/action\",\"Microsoft.SqlVirtualMachine/*\",\"Microsoft.Storage/storageAccounts/listKeys/action\",\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-06-02T00:18:27.3542698Z\",\"updatedOn\":\"2021-11-11T20:13:58.3176075Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"9980e02c-c2be-4d73-94e8-173b1dc7cf3c\"},{\"properties\":{\"roleName\":\"Web + Plan Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage + the web plans for websites, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Web/serverFarms/*\",\"Microsoft.Web/hostingEnvironments/Join/Action\",\"Microsoft.Insights/autoscalesettings/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2022-09-02T22:05:21.2973929Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2cc479cb-7b4d-49a8-b449-8c00fd0f0a4b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2cc479cb-7b4d-49a8-b449-8c00fd0f0a4b\"},{\"properties\":{\"roleName\":\"Website + Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage websites + (not web plans), but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/components/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Web/certificates/*\",\"Microsoft.Web/listSitesAssignedToHostName/read\",\"Microsoft.Web/serverFarms/join/action\",\"Microsoft.Web/serverFarms/read\",\"Microsoft.Web/sites/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-05-12T23:10:23.6193952Z\",\"updatedOn\":\"2021-11-11T20:13:58.6655647Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/de139f84-1756-47ae-9be6-808fbbe84772\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"de139f84-1756-47ae-9be6-808fbbe84772\"},{\"properties\":{\"roleName\":\"Azure + Service Bus Data Owner\",\"type\":\"BuiltInRole\",\"description\":\"Allows + for full access to Azure Service Bus resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ServiceBus/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ServiceBus/*\"],\"notDataActions\":[]}],\"createdOn\":\"2019-04-16T21:33:36.7445745Z\",\"updatedOn\":\"2021-11-11T20:13:59.2005807Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/090c5cfd-751d-490a-894a-3ce6f1109419\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"090c5cfd-751d-490a-894a-3ce6f1109419\"},{\"properties\":{\"roleName\":\"Azure + Event Hubs Data Owner\",\"type\":\"BuiltInRole\",\"description\":\"Allows + for full access to Azure Event Hubs resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.EventHub/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.EventHub/*\"],\"notDataActions\":[]}],\"createdOn\":\"2019-04-16T21:34:29.8656362Z\",\"updatedOn\":\"2021-11-11T20:13:59.3721538Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f526a384-b230-433a-b45c-95f59c4a2dec\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f526a384-b230-433a-b45c-95f59c4a2dec\"},{\"properties\":{\"roleName\":\"Attestation + Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can read write or + delete the attestation provider instance\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Attestation/attestationProviders/attestation/read\",\"Microsoft.Attestation/attestationProviders/attestation/write\",\"Microsoft.Attestation/attestationProviders/attestation/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-04-19T00:24:09.3354177Z\",\"updatedOn\":\"2021-11-11T20:13:59.7271218Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/bbf86eb8-f7b4-4cce-96e4-18cddf81d86e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"bbf86eb8-f7b4-4cce-96e4-18cddf81d86e\"},{\"properties\":{\"roleName\":\"HDInsight + Cluster Operator\",\"type\":\"BuiltInRole\",\"description\":\"Lets you read + and modify HDInsight cluster configurations.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HDInsight/*/read\",\"Microsoft.HDInsight/clusters/getGatewaySettings/action\",\"Microsoft.HDInsight/clusters/updateGatewaySettings/action\",\"Microsoft.HDInsight/clusters/configurations/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-04-20T00:03:01.7110732Z\",\"updatedOn\":\"2021-11-11T20:13:59.9052180Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/61ed4efc-fab3-44fd-b111-e24485cc132a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"61ed4efc-fab3-44fd-b111-e24485cc132a\"},{\"properties\":{\"roleName\":\"Cosmos + DB Operator\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage Azure + Cosmos DB accounts, but not access data in them. Prevents access to account + keys and connection strings.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DocumentDb/databaseAccounts/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Network/virtualNetworks/subnets/joinViaServiceEndpoint/action\"],\"notActions\":[\"Microsoft.DocumentDB/databaseAccounts/readonlyKeys/*\",\"Microsoft.DocumentDB/databaseAccounts/regenerateKey/*\",\"Microsoft.DocumentDB/databaseAccounts/listKeys/*\",\"Microsoft.DocumentDB/databaseAccounts/listConnectionStrings/*\",\"Microsoft.DocumentDB/databaseAccounts/sqlRoleDefinitions/write\",\"Microsoft.DocumentDB/databaseAccounts/sqlRoleDefinitions/delete\",\"Microsoft.DocumentDB/databaseAccounts/sqlRoleAssignments/write\",\"Microsoft.DocumentDB/databaseAccounts/sqlRoleAssignments/delete\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-04-26T17:01:17.0169383Z\",\"updatedOn\":\"2021-11-11T20:14:00.0802032Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/230815da-be43-4aae-9cb4-875f7bd000aa\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"230815da-be43-4aae-9cb4-875f7bd000aa\"},{\"properties\":{\"roleName\":\"Hybrid + Server Resource Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Can + read, write, delete, and re-onboard Hybrid servers to the Hybrid Resource + Provider.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HybridCompute/machines/*\",\"Microsoft.HybridCompute/*/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-04-29T21:39:32.3132923Z\",\"updatedOn\":\"2021-11-11T20:14:00.2548257Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/48b40c6e-82e0-4eb3-90d5-19e40f49b624\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"48b40c6e-82e0-4eb3-90d5-19e40f49b624\"},{\"properties\":{\"roleName\":\"Hybrid + Server Onboarding\",\"type\":\"BuiltInRole\",\"description\":\"Can onboard + new Hybrid servers to the Hybrid Resource Provider.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HybridCompute/machines/read\",\"Microsoft.HybridCompute/machines/write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-04-29T22:36:28.1873756Z\",\"updatedOn\":\"2021-11-11T20:14:00.4308999Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5d1e5ee4-7c68-4a71-ac8b-0739630a3dfb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5d1e5ee4-7c68-4a71-ac8b-0739630a3dfb\"},{\"properties\":{\"roleName\":\"Azure + Event Hubs Data Receiver\",\"type\":\"BuiltInRole\",\"description\":\"Allows + receive access to Azure Event Hubs resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.EventHub/*/eventhubs/consumergroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.EventHub/*/receive/action\"],\"notDataActions\":[]}],\"createdOn\":\"2019-05-10T06:25:21.1056666Z\",\"updatedOn\":\"2021-11-11T20:14:01.3225169Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a638d3c7-ab3a-418d-83e6-5f17a39d4fde\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a638d3c7-ab3a-418d-83e6-5f17a39d4fde\"},{\"properties\":{\"roleName\":\"Azure + Event Hubs Data Sender\",\"type\":\"BuiltInRole\",\"description\":\"Allows + send access to Azure Event Hubs resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.EventHub/*/eventhubs/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.EventHub/*/send/action\"],\"notDataActions\":[]}],\"createdOn\":\"2019-05-10T06:26:12.4673714Z\",\"updatedOn\":\"2021-11-11T20:14:01.4925583Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2b629674-e913-4c01-ae53-ef4638d8f975\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2b629674-e913-4c01-ae53-ef4638d8f975\"},{\"properties\":{\"roleName\":\"Azure + Service Bus Data Receiver\",\"type\":\"BuiltInRole\",\"description\":\"Allows + for receive access to Azure Service Bus resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ServiceBus/*/queues/read\",\"Microsoft.ServiceBus/*/topics/read\",\"Microsoft.ServiceBus/*/topics/subscriptions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ServiceBus/*/receive/action\"],\"notDataActions\":[]}],\"createdOn\":\"2019-05-10T06:43:01.6343849Z\",\"updatedOn\":\"2021-11-11T20:14:01.6629685Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4f6d3b9b-027b-4f4c-9142-0e5a2a2247e0\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4f6d3b9b-027b-4f4c-9142-0e5a2a2247e0\"},{\"properties\":{\"roleName\":\"Azure + Service Bus Data Sender\",\"type\":\"BuiltInRole\",\"description\":\"Allows + for send access to Azure Service Bus resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ServiceBus/*/queues/read\",\"Microsoft.ServiceBus/*/topics/read\",\"Microsoft.ServiceBus/*/topics/subscriptions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ServiceBus/*/send/action\"],\"notDataActions\":[]}],\"createdOn\":\"2019-05-10T06:43:46.7046934Z\",\"updatedOn\":\"2021-11-11T20:14:01.8479199Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/69a216fc-b8fb-44d8-bc22-1f3c2cd27a39\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"69a216fc-b8fb-44d8-bc22-1f3c2cd27a39\"},{\"properties\":{\"roleName\":\"Storage + File Data SMB Share Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows + for read access to Azure File Share over SMB\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/read\"],\"notDataActions\":[]}],\"createdOn\":\"2019-07-01T20:19:31.8620471Z\",\"updatedOn\":\"2021-11-11T20:14:04.3642909Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/aba4ae5f-2193-4029-9191-0cb91df5e314\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"aba4ae5f-2193-4029-9191-0cb91df5e314\"},{\"properties\":{\"roleName\":\"Storage + File Data SMB Share Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allows + for read, write, and delete access in Azure Storage file shares over SMB\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/read\",\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/write\",\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/delete\"],\"notDataActions\":[]}],\"createdOn\":\"2019-07-01T20:54:35.4834310Z\",\"updatedOn\":\"2021-11-11T20:14:04.5443323Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0c867c2a-1d8c-454a-a3db-ab2ea1bdc8bb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0c867c2a-1d8c-454a-a3db-ab2ea1bdc8bb\"},{\"properties\":{\"roleName\":\"Private + DNS Zone Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + manage private DNS zone resources, but not the virtual networks they are linked + to.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Network/privateDnsZones/*\",\"Microsoft.Network/privateDnsOperationResults/*\",\"Microsoft.Network/privateDnsOperationStatuses/*\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/join/action\",\"Microsoft.Authorization/*/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-07-10T19:31:15.5645518Z\",\"updatedOn\":\"2021-11-11T20:14:04.7342851Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b12aa53e-6015-4669-85d0-8515ebb3ae7f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b12aa53e-6015-4669-85d0-8515ebb3ae7f\"},{\"properties\":{\"roleName\":\"Storage + Blob Delegator\",\"type\":\"BuiltInRole\",\"description\":\"Allows for generation + of a user delegation key which can be used to sign SAS tokens\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/blobServices/generateUserDelegationKey/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-07-23T00:51:16.3376761Z\",\"updatedOn\":\"2021-11-11T20:14:05.4321714Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/db58b8e5-c6ad-4a2a-8342-4190687cbf4a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"db58b8e5-c6ad-4a2a-8342-4190687cbf4a\"},{\"properties\":{\"roleName\":\"Desktop + Virtualization User\",\"type\":\"BuiltInRole\",\"description\":\"Allows user + to use the applications in an application group.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.DesktopVirtualization/applicationGroups/useApplications/action\"],\"notDataActions\":[]}],\"createdOn\":\"2019-08-07T00:29:03.8727621Z\",\"updatedOn\":\"2021-11-11T20:14:05.9821791Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1d18fff3-a72a-46b5-b4a9-0b38a3cd7e63\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1d18fff3-a72a-46b5-b4a9-0b38a3cd7e63\"},{\"properties\":{\"roleName\":\"Storage + File Data SMB Share Elevated Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allows + for read, write, delete and modify NTFS permission access in Azure Storage + file shares over SMB\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/read\",\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/write\",\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/delete\",\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/modifypermissions/action\"],\"notDataActions\":[]}],\"createdOn\":\"2019-08-07T01:35:36.9935457Z\",\"updatedOn\":\"2021-11-11T20:14:06.1571744Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a7264617-510b-434b-a828-9731dc254ea7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a7264617-510b-434b-a828-9731dc254ea7\"},{\"properties\":{\"roleName\":\"Blueprint + Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can manage blueprint + definitions, but not assign them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Blueprint/blueprints/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-08-14T21:55:16.9683949Z\",\"updatedOn\":\"2021-11-11T20:14:06.5171828Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/41077137-e803-4205-871c-5a86e6a753b4\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"41077137-e803-4205-871c-5a86e6a753b4\"},{\"properties\":{\"roleName\":\"Blueprint + Operator\",\"type\":\"BuiltInRole\",\"description\":\"Can assign existing + published blueprints, but cannot create new blueprints. NOTE: this only works + if the assignment is done with a user-assigned managed identity.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Blueprint/blueprintAssignments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-08-14T21:56:48.7897875Z\",\"updatedOn\":\"2021-11-11T20:14:06.6971401Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/437d2ced-4a38-4302-8479-ed2bcb43d090\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"437d2ced-4a38-4302-8479-ed2bcb43d090\"},{\"properties\":{\"roleName\":\"Microsoft + Sentinel Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Microsoft + Sentinel Contributor\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.SecurityInsights/*\",\"Microsoft.OperationalInsights/workspaces/analytics/query/action\",\"Microsoft.OperationalInsights/workspaces/*/read\",\"Microsoft.OperationalInsights/workspaces/savedSearches/*\",\"Microsoft.OperationsManagement/solutions/read\",\"Microsoft.OperationalInsights/workspaces/query/read\",\"Microsoft.OperationalInsights/workspaces/query/*/read\",\"Microsoft.OperationalInsights/workspaces/dataSources/read\",\"Microsoft.OperationalInsights/querypacks/*/read\",\"Microsoft.Insights/workbooks/*\",\"Microsoft.Insights/myworkbooks/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[\"Microsoft.SecurityInsights/ConfidentialWatchlists/*\",\"Microsoft.OperationalInsights/workspaces/query/ConfidentialWatchlist/*\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-08-28T16:39:03.8725173Z\",\"updatedOn\":\"2022-08-01T16:51:27.7345004Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ab8e14d6-4a74-4a29-9ba8-549422addade\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ab8e14d6-4a74-4a29-9ba8-549422addade\"},{\"properties\":{\"roleName\":\"Microsoft + Sentinel Responder\",\"type\":\"BuiltInRole\",\"description\":\"Microsoft + Sentinel Responder\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.SecurityInsights/*/read\",\"Microsoft.SecurityInsights/dataConnectorsCheckRequirements/action\",\"Microsoft.SecurityInsights/automationRules/*\",\"Microsoft.SecurityInsights/cases/*\",\"Microsoft.SecurityInsights/incidents/*\",\"Microsoft.SecurityInsights/threatIntelligence/indicators/appendTags/action\",\"Microsoft.SecurityInsights/threatIntelligence/indicators/query/action\",\"Microsoft.SecurityInsights/threatIntelligence/bulkTag/action\",\"Microsoft.SecurityInsights/threatIntelligence/indicators/appendTags/action\",\"Microsoft.SecurityInsights/threatIntelligence/indicators/replaceTags/action\",\"Microsoft.SecurityInsights/threatIntelligence/queryIndicators/action\",\"Microsoft.OperationalInsights/workspaces/analytics/query/action\",\"Microsoft.OperationalInsights/workspaces/*/read\",\"Microsoft.OperationalInsights/workspaces/dataSources/read\",\"Microsoft.OperationalInsights/workspaces/savedSearches/read\",\"Microsoft.OperationsManagement/solutions/read\",\"Microsoft.OperationalInsights/workspaces/query/read\",\"Microsoft.OperationalInsights/workspaces/query/*/read\",\"Microsoft.OperationalInsights/workspaces/dataSources/read\",\"Microsoft.OperationalInsights/querypacks/*/read\",\"Microsoft.Insights/workbooks/read\",\"Microsoft.Insights/myworkbooks/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[\"Microsoft.SecurityInsights/cases/*/Delete\",\"Microsoft.SecurityInsights/incidents/*/Delete\",\"Microsoft.SecurityInsights/ConfidentialWatchlists/*\",\"Microsoft.OperationalInsights/workspaces/query/ConfidentialWatchlist/*\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-08-28T16:54:07.6467264Z\",\"updatedOn\":\"2022-08-01T16:51:27.7345004Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e150937-b8fe-4cfb-8069-0eaf05ecd056\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3e150937-b8fe-4cfb-8069-0eaf05ecd056\"},{\"properties\":{\"roleName\":\"Microsoft + Sentinel Reader\",\"type\":\"BuiltInRole\",\"description\":\"Microsoft Sentinel + Reader\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.SecurityInsights/*/read\",\"Microsoft.SecurityInsights/dataConnectorsCheckRequirements/action\",\"Microsoft.SecurityInsights/threatIntelligence/indicators/query/action\",\"Microsoft.SecurityInsights/threatIntelligence/queryIndicators/action\",\"Microsoft.OperationalInsights/workspaces/analytics/query/action\",\"Microsoft.OperationalInsights/workspaces/*/read\",\"Microsoft.OperationalInsights/workspaces/LinkedServices/read\",\"Microsoft.OperationalInsights/workspaces/savedSearches/read\",\"Microsoft.OperationsManagement/solutions/read\",\"Microsoft.OperationalInsights/workspaces/query/read\",\"Microsoft.OperationalInsights/workspaces/query/*/read\",\"Microsoft.OperationalInsights/querypacks/*/read\",\"Microsoft.OperationalInsights/workspaces/dataSources/read\",\"Microsoft.Insights/workbooks/read\",\"Microsoft.Insights/myworkbooks/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/templateSpecs/*/read\",\"Microsoft.Support/*\"],\"notActions\":[\"Microsoft.SecurityInsights/ConfidentialWatchlists/*\",\"Microsoft.OperationalInsights/workspaces/query/ConfidentialWatchlist/*\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-08-28T16:58:50.1132117Z\",\"updatedOn\":\"2022-08-01T16:51:27.7657525Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8d289c81-5878-46d4-8554-54e1e3d8b5cb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8d289c81-5878-46d4-8554-54e1e3d8b5cb\"},{\"properties\":{\"roleName\":\"Workbook + Reader\",\"type\":\"BuiltInRole\",\"description\":\"Can read workbooks.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"microsoft.insights/workbooks/read\",\"microsoft.insights/workbooktemplates/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-08-28T20:56:17.6808140Z\",\"updatedOn\":\"2022-01-03T19:15:12.6968428Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b279062a-9be3-42a0-92ae-8b3cf002ec4d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b279062a-9be3-42a0-92ae-8b3cf002ec4d\"},{\"properties\":{\"roleName\":\"Workbook + Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can save shared workbooks.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Insights/workbooks/write\",\"Microsoft.Insights/workbooks/delete\",\"Microsoft.Insights/workbooks/read\",\"Microsoft.Insights/workbooktemplates/write\",\"Microsoft.Insights/workbooktemplates/delete\",\"Microsoft.Insights/workbooktemplates/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-08-28T20:59:42.4820277Z\",\"updatedOn\":\"2022-01-03T19:14:31.2372561Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e8ddcd69-c73f-4f9f-9844-4100522f16ad\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e8ddcd69-c73f-4f9f-9844-4100522f16ad\"},{\"properties\":{\"roleName\":\"Policy + Insights Data Writer (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Allows + read access to resource policies and write access to resource component policy + events.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/policyassignments/read\",\"Microsoft.Authorization/policydefinitions/read\",\"Microsoft.Authorization/policyexemptions/read\",\"Microsoft.Authorization/policysetdefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.PolicyInsights/checkDataPolicyCompliance/action\",\"Microsoft.PolicyInsights/policyEvents/logDataEvents/action\"],\"notDataActions\":[]}],\"createdOn\":\"2019-09-19T19:35:20.9504127Z\",\"updatedOn\":\"2021-11-11T20:14:09.4235132Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/66bb4e9e-b016-4a94-8249-4c0511c2be84\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"66bb4e9e-b016-4a94-8249-4c0511c2be84\"},{\"properties\":{\"roleName\":\"SignalR + AccessKey Reader\",\"type\":\"BuiltInRole\",\"description\":\"Read SignalR + Service Access Keys\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.SignalRService/*/read\",\"Microsoft.SignalRService/SignalR/listkeys/action\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-09-20T09:33:19.6236874Z\",\"updatedOn\":\"2021-11-11T20:14:09.6134860Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/04165923-9d83-45d5-8227-78b77b0a687e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"04165923-9d83-45d5-8227-78b77b0a687e\"},{\"properties\":{\"roleName\":\"SignalR/Web + PubSub Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Create, Read, + Update, and Delete SignalR service resources\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.SignalRService/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-09-20T09:58:09.0009662Z\",\"updatedOn\":\"2021-11-11T20:14:09.7884765Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8cf5e20a-e4b2-4e9d-b3a1-5ceb692c2761\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8cf5e20a-e4b2-4e9d-b3a1-5ceb692c2761\"},{\"properties\":{\"roleName\":\"Azure + Connected Machine Onboarding\",\"type\":\"BuiltInRole\",\"description\":\"Can + onboard Azure Connected Machines.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HybridCompute/machines/read\",\"Microsoft.HybridCompute/machines/write\",\"Microsoft.HybridCompute/privateLinkScopes/read\",\"Microsoft.GuestConfiguration/guestConfigurationAssignments/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-10-23T20:15:07.1372870Z\",\"updatedOn\":\"2021-11-11T20:14:10.8735219Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b64e21ea-ac4e-4cdf-9dc9-5b892992bee7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b64e21ea-ac4e-4cdf-9dc9-5b892992bee7\"},{\"properties\":{\"roleName\":\"Azure + Connected Machine Resource Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Can + read, write, delete and re-onboard Azure Connected Machines.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HybridCompute/machines/read\",\"Microsoft.HybridCompute/machines/write\",\"Microsoft.HybridCompute/machines/delete\",\"Microsoft.HybridCompute/machines/UpgradeExtensions/action\",\"Microsoft.HybridCompute/machines/extensions/read\",\"Microsoft.HybridCompute/machines/extensions/write\",\"Microsoft.HybridCompute/machines/extensions/delete\",\"Microsoft.HybridCompute/privateLinkScopes/*\",\"Microsoft.HybridCompute/*/read\",\"Microsoft.Resources/deployments/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-10-23T20:24:59.1474607Z\",\"updatedOn\":\"2021-12-15T16:10:25.5898511Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/cd570a14-e51a-42ad-bac8-bafd67325302\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"cd570a14-e51a-42ad-bac8-bafd67325302\"},{\"properties\":{\"roleName\":\"Managed + Services Registration assignment Delete Role\",\"type\":\"BuiltInRole\",\"description\":\"Managed + Services Registration Assignment Delete Role allows the managing tenant users + to delete the registration assignment assigned to their tenant.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ManagedServices/registrationAssignments/read\",\"Microsoft.ManagedServices/registrationAssignments/delete\",\"Microsoft.ManagedServices/operationStatuses/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-10-23T22:33:33.1183469Z\",\"updatedOn\":\"2021-11-11T20:14:11.2336400Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/91c1777a-f3dc-4fae-b103-61d183457e46\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"91c1777a-f3dc-4fae-b103-61d183457e46\"},{\"properties\":{\"roleName\":\"App + Configuration Data Owner\",\"type\":\"BuiltInRole\",\"description\":\"Allows + full access to App Configuration data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AppConfiguration/configurationStores/*/read\",\"Microsoft.AppConfiguration/configurationStores/*/write\",\"Microsoft.AppConfiguration/configurationStores/*/delete\"],\"notDataActions\":[]}],\"createdOn\":\"2019-10-25T18:41:40.1185063Z\",\"updatedOn\":\"2021-11-11T20:14:11.4035314Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5ae67dd6-50cb-40e7-96ff-dc2bfa4b606b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5ae67dd6-50cb-40e7-96ff-dc2bfa4b606b\"},{\"properties\":{\"roleName\":\"App + Configuration Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows + read access to App Configuration data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AppConfiguration/configurationStores/*/read\"],\"notDataActions\":[]}],\"createdOn\":\"2019-10-25T18:45:33.7975332Z\",\"updatedOn\":\"2021-11-11T20:14:11.5885341Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/516239f1-63e1-4d78-a4de-a74fb236a071\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"516239f1-63e1-4d78-a4de-a74fb236a071\"},{\"properties\":{\"roleName\":\"Kubernetes + Cluster - Azure Arc Onboarding\",\"type\":\"BuiltInRole\",\"description\":\"Role + definition to authorize any user/service to create connectedClusters resource\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Kubernetes/connectedClusters/Write\",\"Microsoft.Kubernetes/connectedClusters/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-11-18T17:00:02.2087147Z\",\"updatedOn\":\"2021-11-11T20:14:12.4685303Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/34e09817-6cbe-4d01-b1a2-e0eac5743d41\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"34e09817-6cbe-4d01-b1a2-e0eac5743d41\"},{\"properties\":{\"roleName\":\"Experimentation + Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Experimentation Contributor\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Experimentation/experimentWorkspaces/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/read\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/write\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/delete\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/experiment/action\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/emergencystop/action\",\"Microsoft.Experimentation/experimentWorkspaces/read\",\"Microsoft.Experimentation/experimentWorkspaces/write\",\"Microsoft.Experimentation/experimentWorkspaces/delete\"],\"notDataActions\":[]}],\"createdOn\":\"2019-12-13T00:08:08.6679591Z\",\"updatedOn\":\"2021-11-11T20:14:14.6454147Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7f646f1b-fa08-80eb-a22b-edd6ce5c915c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7f646f1b-fa08-80eb-a22b-edd6ce5c915c\"},{\"properties\":{\"roleName\":\"Cognitive + Services QnA Maker Reader\",\"type\":\"BuiltInRole\",\"description\":\"Let\u2019s + you read and test a KB only.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/download/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/generateanswer/action\",\"Microsoft.CognitiveServices/accounts/QnAMaker/alterations/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/endpointkeys/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/endpointsettings/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/download/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/generateanswer/action\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/alterations/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/endpointkeys/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/endpointsettings/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/download/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/generateanswer/action\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/alterations/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/endpointkeys/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/endpointsettings/read\"],\"notDataActions\":[]}],\"createdOn\":\"2019-12-17T18:26:12.3329439Z\",\"updatedOn\":\"2021-11-11T20:14:14.8254033Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/466ccd10-b268-4a11-b098-b4849f024126\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"466ccd10-b268-4a11-b098-b4849f024126\"},{\"properties\":{\"roleName\":\"Cognitive + Services QnA Maker Editor\",\"type\":\"BuiltInRole\",\"description\":\"Let\u2019s + you create, edit, import and export a KB. You cannot publish or delete a KB.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/download/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/create/write\",\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/write\",\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/generateanswer/action\",\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/train/action\",\"Microsoft.CognitiveServices/accounts/QnAMaker/alterations/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/alterations/write\",\"Microsoft.CognitiveServices/accounts/QnAMaker/endpointkeys/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/endpointkeys/refreshkeys/action\",\"Microsoft.CognitiveServices/accounts/QnAMaker/endpointsettings/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/endpointsettings/write\",\"Microsoft.CognitiveServices/accounts/QnAMaker/operations/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/download/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/create/write\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/write\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/generateanswer/action\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/train/action\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/alterations/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/alterations/write\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/endpointkeys/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/endpointkeys/refreshkeys/action\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/endpointsettings/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/endpointsettings/write\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/operations/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/download/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/create/write\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/write\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/generateanswer/action\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/train/action\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/alterations/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/alterations/write\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/endpointkeys/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/endpointkeys/refreshkeys/action\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/endpointsettings/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/endpointsettings/write\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/operations/read\"],\"notDataActions\":[]}],\"createdOn\":\"2019-12-17T18:27:30.6434556Z\",\"updatedOn\":\"2021-11-11T20:14:14.9961559Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f4cc2bf9-21be-47a1-bdf1-5c5804381025\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f4cc2bf9-21be-47a1-bdf1-5c5804381025\"},{\"properties\":{\"roleName\":\"Experimentation + Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Experimentation + Administrator\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Experimentation/experimentWorkspaces/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/admin/action\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/read\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/write\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/delete\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/experimentadmin/action\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/experiment/action\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/emergencystop/action\",\"Microsoft.Experimentation/experimentWorkspaces/read\",\"Microsoft.Experimentation/experimentWorkspaces/write\",\"Microsoft.Experimentation/experimentWorkspaces/delete\",\"Microsoft.Experimentation/experimentWorkspaces/admin/action\",\"Microsoft.Experimentation/experimentWorkspaces/metricwrite/action\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/metricwrite/action\"],\"notDataActions\":[]}],\"createdOn\":\"2019-12-18T22:46:33.1116612Z\",\"updatedOn\":\"2021-11-11T20:14:15.1811577Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7f646f1b-fa08-80eb-a33b-edd6ce5c915c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7f646f1b-fa08-80eb-a33b-edd6ce5c915c\"},{\"properties\":{\"roleName\":\"Remote + Rendering Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Provides + user with conversion, manage session, rendering and diagnostics capabilities + for Azure Remote Rendering\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/RemoteRenderingAccounts/convert/action\",\"Microsoft.MixedReality/RemoteRenderingAccounts/convert/read\",\"Microsoft.MixedReality/RemoteRenderingAccounts/convert/delete\",\"Microsoft.MixedReality/RemoteRenderingAccounts/managesessions/read\",\"Microsoft.MixedReality/RemoteRenderingAccounts/managesessions/action\",\"Microsoft.MixedReality/RemoteRenderingAccounts/managesessions/delete\",\"Microsoft.MixedReality/RemoteRenderingAccounts/render/read\",\"Microsoft.MixedReality/RemoteRenderingAccounts/diagnostic/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-01-23T18:15:31.3450348Z\",\"updatedOn\":\"2021-11-11T20:14:16.7621737Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3df8b902-2a6f-47c7-8cc5-360e9b272a7e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3df8b902-2a6f-47c7-8cc5-360e9b272a7e\"},{\"properties\":{\"roleName\":\"Remote + Rendering Client\",\"type\":\"BuiltInRole\",\"description\":\"Provides user + with manage session, rendering and diagnostics capabilities for Azure Remote + Rendering.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/RemoteRenderingAccounts/managesessions/read\",\"Microsoft.MixedReality/RemoteRenderingAccounts/managesessions/action\",\"Microsoft.MixedReality/RemoteRenderingAccounts/managesessions/delete\",\"Microsoft.MixedReality/RemoteRenderingAccounts/render/read\",\"Microsoft.MixedReality/RemoteRenderingAccounts/diagnostic/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-01-23T18:32:52.7069824Z\",\"updatedOn\":\"2021-11-11T20:14:16.9421512Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d39065c4-c120-43c9-ab0a-63eed9795f0a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d39065c4-c120-43c9-ab0a-63eed9795f0a\"},{\"properties\":{\"roleName\":\"Managed + Application Contributor Role\",\"type\":\"BuiltInRole\",\"description\":\"Allows + for creating managed application resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.Solutions/applications/*\",\"Microsoft.Solutions/register/action\",\"Microsoft.Resources/subscriptions/resourceGroups/*\",\"Microsoft.Resources/deployments/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-02-08T03:39:11.8933879Z\",\"updatedOn\":\"2021-11-11T20:14:19.1271536Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/641177b8-a67a-45b9-a033-47bc880bb21e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"641177b8-a67a-45b9-a033-47bc880bb21e\"},{\"properties\":{\"roleName\":\"Security + Assessment Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + push assessments to Security Center\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Security/assessments/write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-02-13T08:23:47.7656161Z\",\"updatedOn\":\"2021-11-11T20:14:19.3021974Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/612c2aa1-cb24-443b-ac28-3ab7272de6f5\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"612c2aa1-cb24-443b-ac28-3ab7272de6f5\"},{\"properties\":{\"roleName\":\"Tag + Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage tags + on entities, without providing access to the entities themselves.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/resourceGroups/resources/read\",\"Microsoft.Resources/subscriptions/resources/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Support/*\",\"Microsoft.Resources/tags/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-02-18T23:19:19.2977644Z\",\"updatedOn\":\"2021-11-11T20:14:20.0172041Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4a9ae827-6dc8-4573-8ac7-8239d42aa03f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4a9ae827-6dc8-4573-8ac7-8239d42aa03f\"},{\"properties\":{\"roleName\":\"Integration + Service Environment Developer\",\"type\":\"BuiltInRole\",\"description\":\"Allows + developers to create and update workflows, integration accounts and API connections + in integration service environments.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Support/*\",\"Microsoft.Logic/integrationServiceEnvironments/read\",\"Microsoft.Logic/integrationServiceEnvironments/*/join/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-02-20T21:09:00.5627875Z\",\"updatedOn\":\"2021-11-11T20:14:20.1871986Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c7aa55d3-1abb-444a-a5ca-5e51e485d6ec\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c7aa55d3-1abb-444a-a5ca-5e51e485d6ec\"},{\"properties\":{\"roleName\":\"Integration + Service Environment Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you manage integration service environments, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Support/*\",\"Microsoft.Logic/integrationServiceEnvironments/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-02-20T21:10:44.4008319Z\",\"updatedOn\":\"2021-11-11T20:14:20.3622058Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a41e2c5b-bd99-4a07-88f4-9bf657a760b8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a41e2c5b-bd99-4a07-88f4-9bf657a760b8\"},{\"properties\":{\"roleName\":\"Azure + Kubernetes Service Contributor Role\",\"type\":\"BuiltInRole\",\"description\":\"Grants + access to read and write Azure Kubernetes Service clusters\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerService/managedClusters/read\",\"Microsoft.ContainerService/managedClusters/write\",\"Microsoft.Resources/deployments/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-02-27T19:27:15.0739970Z\",\"updatedOn\":\"2021-11-11T20:14:21.2621727Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ed7f3fbd-7b88-4dd4-9017-9adb7ce333f8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ed7f3fbd-7b88-4dd4-9017-9adb7ce333f8\"},{\"properties\":{\"roleName\":\"Azure + Digital Twins Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Read-only + role for Digital Twins data-plane properties\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.DigitalTwins/digitaltwins/read\",\"Microsoft.DigitalTwins/digitaltwins/relationships/read\",\"Microsoft.DigitalTwins/eventroutes/read\",\"Microsoft.DigitalTwins/models/read\",\"Microsoft.DigitalTwins/query/action\"],\"notDataActions\":[]}],\"createdOn\":\"2020-03-10T23:48:14.7057381Z\",\"updatedOn\":\"2021-11-11T20:14:22.3621788Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d57506d4-4c8d-48b1-8587-93c323f6a5a3\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d57506d4-4c8d-48b1-8587-93c323f6a5a3\"},{\"properties\":{\"roleName\":\"Azure + Digital Twins Data Owner\",\"type\":\"BuiltInRole\",\"description\":\"Full + access role for Digital Twins data-plane\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.DigitalTwins/eventroutes/*\",\"Microsoft.DigitalTwins/digitaltwins/*\",\"Microsoft.DigitalTwins/digitaltwins/commands/*\",\"Microsoft.DigitalTwins/digitaltwins/relationships/*\",\"Microsoft.DigitalTwins/models/*\",\"Microsoft.DigitalTwins/query/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-03-10T23:49:33.7821930Z\",\"updatedOn\":\"2021-11-11T20:14:22.5471888Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/bcd981a7-7f74-457b-83e1-cceb9e632ffe\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"bcd981a7-7f74-457b-83e1-cceb9e632ffe\"},{\"properties\":{\"roleName\":\"Hierarchy + Settings Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Allows + users to edit and delete Hierarchy Settings\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Management/managementGroups/settings/write\",\"Microsoft.Management/managementGroups/settings/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-03-13T23:55:11.0212387Z\",\"updatedOn\":\"2021-11-11T20:14:23.0882347Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/350f8d15-c687-4448-8ae1-157740a3936d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"350f8d15-c687-4448-8ae1-157740a3936d\"},{\"properties\":{\"roleName\":\"FHIR + Data Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Role allows + user or principal full access to FHIR Data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.HealthcareApis/services/fhir/resources/*\",\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-03-17T18:35:04.4949547Z\",\"updatedOn\":\"2021-11-11T20:14:23.6235473Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5a1fc7df-4bf1-4951-a576-89034ee01acd\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5a1fc7df-4bf1-4951-a576-89034ee01acd\"},{\"properties\":{\"roleName\":\"FHIR + Data Exporter\",\"type\":\"BuiltInRole\",\"description\":\"Role allows user + or principal to read and export FHIR Data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.HealthcareApis/services/fhir/resources/read\",\"Microsoft.HealthcareApis/services/fhir/resources/export/action\",\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/read\",\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/export/action\"],\"notDataActions\":[]}],\"createdOn\":\"2020-03-17T18:45:01.9764073Z\",\"updatedOn\":\"2021-11-11T20:14:23.7992557Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3db33094-8700-4567-8da5-1501d4e7e843\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3db33094-8700-4567-8da5-1501d4e7e843\"},{\"properties\":{\"roleName\":\"FHIR + Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Role allows user + or principal to read FHIR Data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.HealthcareApis/services/fhir/resources/read\",\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-03-17T18:49:04.8353499Z\",\"updatedOn\":\"2021-11-11T20:14:23.9692275Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4c8d0bbc-75d3-4935-991f-5f3c56d81508\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4c8d0bbc-75d3-4935-991f-5f3c56d81508\"},{\"properties\":{\"roleName\":\"FHIR + Data Writer\",\"type\":\"BuiltInRole\",\"description\":\"Role allows user + or principal to read and write FHIR Data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.HealthcareApis/services/fhir/resources/*\",\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/*\"],\"notDataActions\":[\"Microsoft.HealthcareApis/services/fhir/resources/hardDelete/action\",\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/hardDelete/action\"]}],\"createdOn\":\"2020-03-17T18:55:35.2413335Z\",\"updatedOn\":\"2021-11-11T20:14:24.1442783Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3f88fce4-5892-4214-ae73-ba5294559913\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3f88fce4-5892-4214-ae73-ba5294559913\"},{\"properties\":{\"roleName\":\"Experimentation + Reader\",\"type\":\"BuiltInRole\",\"description\":\"Experimentation Reader\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Experimentation/experimentWorkspaces/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Experimentation/experimentWorkspaces/read\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-03-25T18:05:14.8375678Z\",\"updatedOn\":\"2021-11-11T20:14:24.5042390Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/49632ef5-d9ac-41f4-b8e7-bbe587fa74a1\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"49632ef5-d9ac-41f4-b8e7-bbe587fa74a1\"},{\"properties\":{\"roleName\":\"Object + Understanding Account Owner\",\"type\":\"BuiltInRole\",\"description\":\"Provides + user with ingestion capabilities for Azure Object Understanding.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/ObjectUnderstandingAccounts/ingest/action\",\"Microsoft.MixedReality/ObjectUnderstandingAccounts/ingest/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-04-22T19:15:09.0697923Z\",\"updatedOn\":\"2021-11-11T20:14:26.8743132Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4dd61c23-6743-42fe-a388-d8bdd41cb745\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4dd61c23-6743-42fe-a388-d8bdd41cb745\"},{\"properties\":{\"roleName\":\"Azure + Maps Data Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Grants + access to read, write, and delete access to map related data from an Azure + maps account.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Maps/accounts/*/read\",\"Microsoft.Maps/accounts/*/write\",\"Microsoft.Maps/accounts/*/delete\",\"Microsoft.Maps/accounts/*/action\"],\"notDataActions\":[]}],\"createdOn\":\"2020-05-07T20:55:05.0645410Z\",\"updatedOn\":\"2021-11-11T20:14:28.3092598Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8f5e0ce6-4f7b-4dcf-bddf-e6f48634a204\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8f5e0ce6-4f7b-4dcf-bddf-e6f48634a204\"},{\"properties\":{\"roleName\":\"Cognitive + Services Custom Vision Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Full + access to the project, including the ability to view, create, edit, or delete + projects.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-05-08T23:47:07.0779345Z\",\"updatedOn\":\"2021-11-11T20:14:28.8342655Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c1ff6cc2-c111-46fe-8896-e0ef812ad9f3\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c1ff6cc2-c111-46fe-8896-e0ef812ad9f3\"},{\"properties\":{\"roleName\":\"Cognitive + Services Custom Vision Deployment\",\"type\":\"BuiltInRole\",\"description\":\"Publish, + unpublish or export models. Deployment can view the project but can\u2019t + update.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/*/read\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/predictions/*\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/iterations/publish/*\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/iterations/export/*\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/quicktest/*\",\"Microsoft.CognitiveServices/accounts/CustomVision/classify/*\",\"Microsoft.CognitiveServices/accounts/CustomVision/detect/*\"],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/projects/export/read\"]}],\"createdOn\":\"2020-05-09T01:31:05.9528620Z\",\"updatedOn\":\"2021-11-11T20:14:29.0142669Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5c4089e1-6d96-4d2f-b296-c1bc7137275f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5c4089e1-6d96-4d2f-b296-c1bc7137275f\"},{\"properties\":{\"roleName\":\"Cognitive + Services Custom Vision Labeler\",\"type\":\"BuiltInRole\",\"description\":\"View, + edit training images and create, add, remove, or delete the image tags. Labelers + can view the project but can\u2019t update anything other than training images + and tags.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/*/read\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/predictions/query/action\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/images/*\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/tags/*\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/images/suggested/*\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/tagsandregions/suggestions/action\"],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/projects/export/read\"]}],\"createdOn\":\"2020-05-09T01:33:20.8278896Z\",\"updatedOn\":\"2021-11-11T20:14:29.1892871Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/88424f51-ebe7-446f-bc41-7fa16989e96c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"88424f51-ebe7-446f-bc41-7fa16989e96c\"},{\"properties\":{\"roleName\":\"Cognitive + Services Custom Vision Reader\",\"type\":\"BuiltInRole\",\"description\":\"Read-only + actions in the project. Readers can\u2019t create or update the project.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/*/read\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/predictions/query/action\"],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/projects/export/read\"]}],\"createdOn\":\"2020-05-09T01:34:18.5328818Z\",\"updatedOn\":\"2021-11-11T20:14:29.3642707Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/93586559-c37d-4a6b-ba08-b9f0940c2d73\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"93586559-c37d-4a6b-ba08-b9f0940c2d73\"},{\"properties\":{\"roleName\":\"Cognitive + Services Custom Vision Trainer\",\"type\":\"BuiltInRole\",\"description\":\"View, + edit projects and train the models, including the ability to publish, unpublish, + export the models. Trainers can\u2019t create or delete the project.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/*\"],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/projects/action\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/delete\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/import/action\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/export/read\"]}],\"createdOn\":\"2020-05-09T01:35:13.8147804Z\",\"updatedOn\":\"2021-11-11T20:14:29.5442713Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0a5ae4ab-0d65-4eeb-be61-29fc9b54394b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0a5ae4ab-0d65-4eeb-be61-29fc9b54394b\"},{\"properties\":{\"roleName\":\"Key + Vault Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Perform all + data plane operations on a key vault and all objects in it, including certificates, + keys, and secrets. Cannot manage key vault resources or manage role assignments. + Only works for key vaults that use the 'Azure role-based access control' permission + model.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.KeyVault/checkNameAvailability/read\",\"Microsoft.KeyVault/deletedVaults/read\",\"Microsoft.KeyVault/locations/*/read\",\"Microsoft.KeyVault/vaults/*/read\",\"Microsoft.KeyVault/operations/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-05-19T17:52:46.2349235Z\",\"updatedOn\":\"2021-11-11T20:14:30.2542755Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/00482a5a-887f-4fb3-b363-3b7fe8e74483\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"00482a5a-887f-4fb3-b363-3b7fe8e74483\"},{\"properties\":{\"roleName\":\"Key + Vault Crypto Officer\",\"type\":\"BuiltInRole\",\"description\":\"Perform + any action on the keys of a key vault, except manage permissions. Only works + for key vaults that use the 'Azure role-based access control' permission model.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.KeyVault/checkNameAvailability/read\",\"Microsoft.KeyVault/deletedVaults/read\",\"Microsoft.KeyVault/locations/*/read\",\"Microsoft.KeyVault/vaults/*/read\",\"Microsoft.KeyVault/operations/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/keys/*\",\"Microsoft.KeyVault/vaults/keyrotationpolicies/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-05-19T17:52:47.0099249Z\",\"updatedOn\":\"2022-01-06T23:21:17.9760884Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/14b46e9e-c2b7-41b4-b07b-48a6ebf60603\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"14b46e9e-c2b7-41b4-b07b-48a6ebf60603\"},{\"properties\":{\"roleName\":\"Key + Vault Crypto User\",\"type\":\"BuiltInRole\",\"description\":\"Perform cryptographic + operations using keys. Only works for key vaults that use the 'Azure role-based + access control' permission model.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/keys/read\",\"Microsoft.KeyVault/vaults/keys/update/action\",\"Microsoft.KeyVault/vaults/keys/backup/action\",\"Microsoft.KeyVault/vaults/keys/encrypt/action\",\"Microsoft.KeyVault/vaults/keys/decrypt/action\",\"Microsoft.KeyVault/vaults/keys/wrap/action\",\"Microsoft.KeyVault/vaults/keys/unwrap/action\",\"Microsoft.KeyVault/vaults/keys/sign/action\",\"Microsoft.KeyVault/vaults/keys/verify/action\"],\"notDataActions\":[]}],\"createdOn\":\"2020-05-19T17:52:47.0699268Z\",\"updatedOn\":\"2021-11-11T20:14:30.6042921Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/12338af0-0e69-4776-bea7-57ae8d297424\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"12338af0-0e69-4776-bea7-57ae8d297424\"},{\"properties\":{\"roleName\":\"Key + Vault Secrets Officer\",\"type\":\"BuiltInRole\",\"description\":\"Perform + any action on the secrets of a key vault, except manage permissions. Only + works for key vaults that use the 'Azure role-based access control' permission + model.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.KeyVault/checkNameAvailability/read\",\"Microsoft.KeyVault/deletedVaults/read\",\"Microsoft.KeyVault/locations/*/read\",\"Microsoft.KeyVault/vaults/*/read\",\"Microsoft.KeyVault/operations/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/secrets/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-05-19T17:52:47.1449242Z\",\"updatedOn\":\"2021-11-11T20:14:30.7793470Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b86a8fe4-44ce-4948-aee5-eccb2c155cd7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b86a8fe4-44ce-4948-aee5-eccb2c155cd7\"},{\"properties\":{\"roleName\":\"Key + Vault Secrets User\",\"type\":\"BuiltInRole\",\"description\":\"Read secret + contents. Only works for key vaults that use the 'Azure role-based access + control' permission model.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/secrets/getSecret/action\",\"Microsoft.KeyVault/vaults/secrets/readMetadata/action\"],\"notDataActions\":[]}],\"createdOn\":\"2020-05-19T17:52:47.2049241Z\",\"updatedOn\":\"2021-11-11T20:14:30.9542829Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4633458b-17de-408a-b874-0445c86b69e6\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4633458b-17de-408a-b874-0445c86b69e6\"},{\"properties\":{\"roleName\":\"Key + Vault Certificates Officer\",\"type\":\"BuiltInRole\",\"description\":\"Perform + any action on the certificates of a key vault, except manage permissions. + Only works for key vaults that use the 'Azure role-based access control' permission + model.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.KeyVault/checkNameAvailability/read\",\"Microsoft.KeyVault/deletedVaults/read\",\"Microsoft.KeyVault/locations/*/read\",\"Microsoft.KeyVault/vaults/*/read\",\"Microsoft.KeyVault/operations/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/certificatecas/*\",\"Microsoft.KeyVault/vaults/certificates/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-05-19T17:52:47.2499247Z\",\"updatedOn\":\"2021-11-11T20:14:31.1292967Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a4417e6f-fecd-4de8-b567-7b0420556985\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a4417e6f-fecd-4de8-b567-7b0420556985\"},{\"properties\":{\"roleName\":\"Key + Vault Reader\",\"type\":\"BuiltInRole\",\"description\":\"Read metadata of + key vaults and its certificates, keys, and secrets. Cannot read sensitive + values such as secret contents or key material. Only works for key vaults + that use the 'Azure role-based access control' permission model.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.KeyVault/checkNameAvailability/read\",\"Microsoft.KeyVault/deletedVaults/read\",\"Microsoft.KeyVault/locations/*/read\",\"Microsoft.KeyVault/vaults/*/read\",\"Microsoft.KeyVault/operations/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/*/read\",\"Microsoft.KeyVault/vaults/secrets/readMetadata/action\"],\"notDataActions\":[]}],\"createdOn\":\"2020-05-19T17:52:47.2949294Z\",\"updatedOn\":\"2021-11-11T20:14:31.3043292Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/21090545-7ca7-4776-b22c-e363652d74d2\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"21090545-7ca7-4776-b22c-e363652d74d2\"},{\"properties\":{\"roleName\":\"Key + Vault Crypto Service Encryption User\",\"type\":\"BuiltInRole\",\"description\":\"Read + metadata of keys and perform wrap/unwrap operations. Only works for key vaults + that use the 'Azure role-based access control' permission model.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.EventGrid/eventSubscriptions/write\",\"Microsoft.EventGrid/eventSubscriptions/read\",\"Microsoft.EventGrid/eventSubscriptions/delete\"],\"notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/keys/read\",\"Microsoft.KeyVault/vaults/keys/wrap/action\",\"Microsoft.KeyVault/vaults/keys/unwrap/action\"],\"notDataActions\":[]}],\"createdOn\":\"2020-05-20T20:55:19.2398470Z\",\"updatedOn\":\"2021-11-11T20:14:31.8443056Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e147488a-f6f5-4113-8e2d-b22465e65bf6\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e147488a-f6f5-4113-8e2d-b22465e65bf6\"},{\"properties\":{\"roleName\":\"Azure + Arc Kubernetes Viewer\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + view all resources in cluster/namespace, except secrets.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Kubernetes/connectedClusters/apps/controllerrevisions/read\",\"Microsoft.Kubernetes/connectedClusters/apps/daemonsets/read\",\"Microsoft.Kubernetes/connectedClusters/apps/deployments/read\",\"Microsoft.Kubernetes/connectedClusters/apps/replicasets/read\",\"Microsoft.Kubernetes/connectedClusters/apps/statefulsets/read\",\"Microsoft.Kubernetes/connectedClusters/autoscaling/horizontalpodautoscalers/read\",\"Microsoft.Kubernetes/connectedClusters/batch/cronjobs/read\",\"Microsoft.Kubernetes/connectedClusters/batch/jobs/read\",\"Microsoft.Kubernetes/connectedClusters/configmaps/read\",\"Microsoft.Kubernetes/connectedClusters/endpoints/read\",\"Microsoft.Kubernetes/connectedClusters/events.k8s.io/events/read\",\"Microsoft.Kubernetes/connectedClusters/events/read\",\"Microsoft.Kubernetes/connectedClusters/extensions/daemonsets/read\",\"Microsoft.Kubernetes/connectedClusters/extensions/deployments/read\",\"Microsoft.Kubernetes/connectedClusters/extensions/ingresses/read\",\"Microsoft.Kubernetes/connectedClusters/extensions/networkpolicies/read\",\"Microsoft.Kubernetes/connectedClusters/extensions/replicasets/read\",\"Microsoft.Kubernetes/connectedClusters/limitranges/read\",\"Microsoft.Kubernetes/connectedClusters/namespaces/read\",\"Microsoft.Kubernetes/connectedClusters/networking.k8s.io/ingresses/read\",\"Microsoft.Kubernetes/connectedClusters/networking.k8s.io/networkpolicies/read\",\"Microsoft.Kubernetes/connectedClusters/persistentvolumeclaims/read\",\"Microsoft.Kubernetes/connectedClusters/pods/read\",\"Microsoft.Kubernetes/connectedClusters/policy/poddisruptionbudgets/read\",\"Microsoft.Kubernetes/connectedClusters/replicationcontrollers/read\",\"Microsoft.Kubernetes/connectedClusters/replicationcontrollers/read\",\"Microsoft.Kubernetes/connectedClusters/resourcequotas/read\",\"Microsoft.Kubernetes/connectedClusters/serviceaccounts/read\",\"Microsoft.Kubernetes/connectedClusters/services/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-06-12T20:51:12.8801199Z\",\"updatedOn\":\"2021-11-11T20:14:33.8193353Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/63f0a09d-1495-4db4-a681-037d84835eb4\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"63f0a09d-1495-4db4-a681-037d84835eb4\"},{\"properties\":{\"roleName\":\"Azure + Arc Kubernetes Writer\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + update everything in cluster/namespace, except (cluster)roles and (cluster)role + bindings.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Kubernetes/connectedClusters/apps/controllerrevisions/read\",\"Microsoft.Kubernetes/connectedClusters/apps/daemonsets/*\",\"Microsoft.Kubernetes/connectedClusters/apps/deployments/*\",\"Microsoft.Kubernetes/connectedClusters/apps/replicasets/*\",\"Microsoft.Kubernetes/connectedClusters/apps/statefulsets/*\",\"Microsoft.Kubernetes/connectedClusters/autoscaling/horizontalpodautoscalers/*\",\"Microsoft.Kubernetes/connectedClusters/batch/cronjobs/*\",\"Microsoft.Kubernetes/connectedClusters/batch/jobs/*\",\"Microsoft.Kubernetes/connectedClusters/configmaps/*\",\"Microsoft.Kubernetes/connectedClusters/endpoints/*\",\"Microsoft.Kubernetes/connectedClusters/events.k8s.io/events/read\",\"Microsoft.Kubernetes/connectedClusters/events/read\",\"Microsoft.Kubernetes/connectedClusters/extensions/daemonsets/*\",\"Microsoft.Kubernetes/connectedClusters/extensions/deployments/*\",\"Microsoft.Kubernetes/connectedClusters/extensions/ingresses/*\",\"Microsoft.Kubernetes/connectedClusters/extensions/networkpolicies/*\",\"Microsoft.Kubernetes/connectedClusters/extensions/replicasets/*\",\"Microsoft.Kubernetes/connectedClusters/limitranges/read\",\"Microsoft.Kubernetes/connectedClusters/namespaces/read\",\"Microsoft.Kubernetes/connectedClusters/networking.k8s.io/ingresses/*\",\"Microsoft.Kubernetes/connectedClusters/networking.k8s.io/networkpolicies/*\",\"Microsoft.Kubernetes/connectedClusters/persistentvolumeclaims/*\",\"Microsoft.Kubernetes/connectedClusters/pods/*\",\"Microsoft.Kubernetes/connectedClusters/policy/poddisruptionbudgets/*\",\"Microsoft.Kubernetes/connectedClusters/replicationcontrollers/*\",\"Microsoft.Kubernetes/connectedClusters/replicationcontrollers/*\",\"Microsoft.Kubernetes/connectedClusters/resourcequotas/read\",\"Microsoft.Kubernetes/connectedClusters/secrets/*\",\"Microsoft.Kubernetes/connectedClusters/serviceaccounts/*\",\"Microsoft.Kubernetes/connectedClusters/services/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-06-12T20:53:50.6749823Z\",\"updatedOn\":\"2021-11-11T20:14:34.0043462Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5b999177-9696-4545-85c7-50de3797e5a1\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5b999177-9696-4545-85c7-50de3797e5a1\"},{\"properties\":{\"roleName\":\"Azure + Arc Kubernetes Cluster Admin\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you manage all resources in the cluster.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Kubernetes/connectedClusters/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-06-12T20:55:30.9910462Z\",\"updatedOn\":\"2021-11-11T20:14:34.1743694Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8393591c-06b9-48a2-a542-1bd6b377f6a2\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8393591c-06b9-48a2-a542-1bd6b377f6a2\"},{\"properties\":{\"roleName\":\"Azure + Arc Kubernetes Admin\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + manage all resources under cluster/namespace, except update or delete resource + quotas and namespaces.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Kubernetes/connectedClusters/apps/controllerrevisions/read\",\"Microsoft.Kubernetes/connectedClusters/apps/daemonsets/*\",\"Microsoft.Kubernetes/connectedClusters/apps/deployments/*\",\"Microsoft.Kubernetes/connectedClusters/apps/replicasets/*\",\"Microsoft.Kubernetes/connectedClusters/apps/statefulsets/*\",\"Microsoft.Kubernetes/connectedClusters/authorization.k8s.io/localsubjectaccessreviews/write\",\"Microsoft.Kubernetes/connectedClusters/autoscaling/horizontalpodautoscalers/*\",\"Microsoft.Kubernetes/connectedClusters/batch/cronjobs/*\",\"Microsoft.Kubernetes/connectedClusters/batch/jobs/*\",\"Microsoft.Kubernetes/connectedClusters/configmaps/*\",\"Microsoft.Kubernetes/connectedClusters/endpoints/*\",\"Microsoft.Kubernetes/connectedClusters/events.k8s.io/events/read\",\"Microsoft.Kubernetes/connectedClusters/events/read\",\"Microsoft.Kubernetes/connectedClusters/extensions/daemonsets/*\",\"Microsoft.Kubernetes/connectedClusters/extensions/deployments/*\",\"Microsoft.Kubernetes/connectedClusters/extensions/ingresses/*\",\"Microsoft.Kubernetes/connectedClusters/extensions/networkpolicies/*\",\"Microsoft.Kubernetes/connectedClusters/extensions/replicasets/*\",\"Microsoft.Kubernetes/connectedClusters/limitranges/read\",\"Microsoft.Kubernetes/connectedClusters/namespaces/read\",\"Microsoft.Kubernetes/connectedClusters/networking.k8s.io/ingresses/*\",\"Microsoft.Kubernetes/connectedClusters/networking.k8s.io/networkpolicies/*\",\"Microsoft.Kubernetes/connectedClusters/persistentvolumeclaims/*\",\"Microsoft.Kubernetes/connectedClusters/pods/*\",\"Microsoft.Kubernetes/connectedClusters/policy/poddisruptionbudgets/*\",\"Microsoft.Kubernetes/connectedClusters/rbac.authorization.k8s.io/rolebindings/*\",\"Microsoft.Kubernetes/connectedClusters/rbac.authorization.k8s.io/roles/*\",\"Microsoft.Kubernetes/connectedClusters/replicationcontrollers/*\",\"Microsoft.Kubernetes/connectedClusters/replicationcontrollers/*\",\"Microsoft.Kubernetes/connectedClusters/resourcequotas/read\",\"Microsoft.Kubernetes/connectedClusters/secrets/*\",\"Microsoft.Kubernetes/connectedClusters/serviceaccounts/*\",\"Microsoft.Kubernetes/connectedClusters/services/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-06-12T20:57:06.0391177Z\",\"updatedOn\":\"2021-11-11T20:14:34.3593384Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/dffb1e0c-446f-4dde-a09f-99eb5cc68b96\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"dffb1e0c-446f-4dde-a09f-99eb5cc68b96\"},{\"properties\":{\"roleName\":\"Azure + Kubernetes Service RBAC Cluster Admin\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you manage all resources in the cluster.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.ContainerService/managedClusters/listClusterUserCredential/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/managedClusters/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-07-02T17:47:24.4071415Z\",\"updatedOn\":\"2021-11-11T20:14:35.5993607Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b1ff04bb-8a4e-4dc4-8eb5-8693973ce19b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b1ff04bb-8a4e-4dc4-8eb5-8693973ce19b\"},{\"properties\":{\"roleName\":\"Azure + Kubernetes Service RBAC Admin\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you manage all resources under cluster/namespace, except update or delete + resource quotas and namespaces.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.ContainerService/managedClusters/listClusterUserCredential/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/managedClusters/*\"],\"notDataActions\":[\"Microsoft.ContainerService/managedClusters/resourcequotas/write\",\"Microsoft.ContainerService/managedClusters/resourcequotas/delete\",\"Microsoft.ContainerService/managedClusters/namespaces/write\",\"Microsoft.ContainerService/managedClusters/namespaces/delete\"]}],\"createdOn\":\"2020-07-02T17:50:30.4020311Z\",\"updatedOn\":\"2021-11-11T20:14:35.7743651Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3498e952-d568-435e-9b2c-8d77e338d7f7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3498e952-d568-435e-9b2c-8d77e338d7f7\"},{\"properties\":{\"roleName\":\"Azure + Kubernetes Service RBAC Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows + read-only access to see most objects in a namespace. It does not allow viewing + roles or role bindings. This role does not allow viewing Secrets, since reading + the contents of Secrets enables access to ServiceAccount credentials in the + namespace, which would allow API access as any ServiceAccount in the namespace + (a form of privilege escalation). Applying this role at cluster scope will + give access across all namespaces.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/managedClusters/apps/controllerrevisions/read\",\"Microsoft.ContainerService/managedClusters/apps/daemonsets/read\",\"Microsoft.ContainerService/managedClusters/apps/deployments/read\",\"Microsoft.ContainerService/managedClusters/apps/replicasets/read\",\"Microsoft.ContainerService/managedClusters/apps/statefulsets/read\",\"Microsoft.ContainerService/managedClusters/autoscaling/horizontalpodautoscalers/read\",\"Microsoft.ContainerService/managedClusters/batch/cronjobs/read\",\"Microsoft.ContainerService/managedClusters/batch/jobs/read\",\"Microsoft.ContainerService/managedClusters/configmaps/read\",\"Microsoft.ContainerService/managedClusters/endpoints/read\",\"Microsoft.ContainerService/managedClusters/events.k8s.io/events/read\",\"Microsoft.ContainerService/managedClusters/events/read\",\"Microsoft.ContainerService/managedClusters/extensions/daemonsets/read\",\"Microsoft.ContainerService/managedClusters/extensions/deployments/read\",\"Microsoft.ContainerService/managedClusters/extensions/ingresses/read\",\"Microsoft.ContainerService/managedClusters/extensions/networkpolicies/read\",\"Microsoft.ContainerService/managedClusters/extensions/replicasets/read\",\"Microsoft.ContainerService/managedClusters/limitranges/read\",\"Microsoft.ContainerService/managedClusters/namespaces/read\",\"Microsoft.ContainerService/managedClusters/networking.k8s.io/ingresses/read\",\"Microsoft.ContainerService/managedClusters/networking.k8s.io/networkpolicies/read\",\"Microsoft.ContainerService/managedClusters/persistentvolumeclaims/read\",\"Microsoft.ContainerService/managedClusters/pods/read\",\"Microsoft.ContainerService/managedClusters/policy/poddisruptionbudgets/read\",\"Microsoft.ContainerService/managedClusters/replicationcontrollers/read\",\"Microsoft.ContainerService/managedClusters/replicationcontrollers/read\",\"Microsoft.ContainerService/managedClusters/resourcequotas/read\",\"Microsoft.ContainerService/managedClusters/serviceaccounts/read\",\"Microsoft.ContainerService/managedClusters/services/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-07-02T17:53:05.5728294Z\",\"updatedOn\":\"2021-11-11T20:14:35.9544048Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7f6c6a51-bcf8-42ba-9220-52d62157d7db\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7f6c6a51-bcf8-42ba-9220-52d62157d7db\"},{\"properties\":{\"roleName\":\"Azure + Kubernetes Service RBAC Writer\",\"type\":\"BuiltInRole\",\"description\":\"Allows + read/write access to most objects in a namespace.This role does not allow + viewing or modifying roles or role bindings. However, this role allows accessing + Secrets and running Pods as any ServiceAccount in the namespace, so it can + be used to gain the API access levels of any ServiceAccount in the namespace. + Applying this role at cluster scope will give access across all namespaces.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/managedClusters/apps/controllerrevisions/read\",\"Microsoft.ContainerService/managedClusters/apps/daemonsets/*\",\"Microsoft.ContainerService/managedClusters/apps/deployments/*\",\"Microsoft.ContainerService/managedClusters/apps/replicasets/*\",\"Microsoft.ContainerService/managedClusters/apps/statefulsets/*\",\"Microsoft.ContainerService/managedClusters/autoscaling/horizontalpodautoscalers/*\",\"Microsoft.ContainerService/managedClusters/batch/cronjobs/*\",\"Microsoft.ContainerService/managedClusters/batch/jobs/*\",\"Microsoft.ContainerService/managedClusters/configmaps/*\",\"Microsoft.ContainerService/managedClusters/endpoints/*\",\"Microsoft.ContainerService/managedClusters/events.k8s.io/events/read\",\"Microsoft.ContainerService/managedClusters/events/read\",\"Microsoft.ContainerService/managedClusters/extensions/daemonsets/*\",\"Microsoft.ContainerService/managedClusters/extensions/deployments/*\",\"Microsoft.ContainerService/managedClusters/extensions/ingresses/*\",\"Microsoft.ContainerService/managedClusters/extensions/networkpolicies/*\",\"Microsoft.ContainerService/managedClusters/extensions/replicasets/*\",\"Microsoft.ContainerService/managedClusters/limitranges/read\",\"Microsoft.ContainerService/managedClusters/namespaces/read\",\"Microsoft.ContainerService/managedClusters/networking.k8s.io/ingresses/*\",\"Microsoft.ContainerService/managedClusters/networking.k8s.io/networkpolicies/*\",\"Microsoft.ContainerService/managedClusters/persistentvolumeclaims/*\",\"Microsoft.ContainerService/managedClusters/pods/*\",\"Microsoft.ContainerService/managedClusters/policy/poddisruptionbudgets/*\",\"Microsoft.ContainerService/managedClusters/replicationcontrollers/*\",\"Microsoft.ContainerService/managedClusters/replicationcontrollers/*\",\"Microsoft.ContainerService/managedClusters/resourcequotas/read\",\"Microsoft.ContainerService/managedClusters/secrets/*\",\"Microsoft.ContainerService/managedClusters/serviceaccounts/*\",\"Microsoft.ContainerService/managedClusters/services/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-07-02T17:54:51.9644983Z\",\"updatedOn\":\"2021-11-11T20:14:36.1293406Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a7ffa36f-339b-4b5c-8bdf-e2c188b2c0eb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a7ffa36f-339b-4b5c-8bdf-e2c188b2c0eb\"},{\"properties\":{\"roleName\":\"Services + Hub Operator\",\"type\":\"BuiltInRole\",\"description\":\"Services Hub Operator + allows you to perform all read, write, and deletion operations related to + Services Hub Connectors.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.ServicesHub/connectors/write\",\"Microsoft.ServicesHub/connectors/read\",\"Microsoft.ServicesHub/connectors/delete\",\"Microsoft.ServicesHub/connectors/checkAssessmentEntitlement/action\",\"Microsoft.ServicesHub/supportOfferingEntitlement/read\",\"Microsoft.ServicesHub/workspaces/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-07-20T17:57:22.0644902Z\",\"updatedOn\":\"2021-11-11T20:14:37.5544021Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/82200a5b-e217-47a5-b665-6d8765ee745b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"82200a5b-e217-47a5-b665-6d8765ee745b\"},{\"properties\":{\"roleName\":\"Object + Understanding Account Reader\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you read ingestion jobs for an object understanding account.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/ObjectUnderstandingAccounts/ingest/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-07-23T19:16:31.9929119Z\",\"updatedOn\":\"2021-11-11T20:14:37.9070085Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d18777c0-1514-4662-8490-608db7d334b6\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d18777c0-1514-4662-8490-608db7d334b6\"},{\"properties\":{\"roleName\":\"Azure + Arc Enabled Kubernetes Cluster User Role\",\"type\":\"BuiltInRole\",\"description\":\"List + cluster user credentials action.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Kubernetes/connectedClusters/listClusterUserCredentials/action\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Support/*\",\"Microsoft.Kubernetes/connectedClusters/listClusterUserCredential/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-07-28T17:37:00.7637445Z\",\"updatedOn\":\"2022-02-17T02:29:05.1000798Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/00493d72-78f6-4148-b6c5-d3ce8e4799dd\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"00493d72-78f6-4148-b6c5-d3ce8e4799dd\"},{\"properties\":{\"roleName\":\"SignalR + App Server\",\"type\":\"BuiltInRole\",\"description\":\"Lets your app server + access SignalR Service with AAD auth options.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SignalRService/SignalR/auth/accessKey/action\",\"Microsoft.SignalRService/SignalR/serverConnection/write\",\"Microsoft.SignalRService/SignalR/clientConnection/write\"],\"notDataActions\":[]}],\"createdOn\":\"2020-07-29T06:54:40.1201435Z\",\"updatedOn\":\"2021-11-16T05:19:04.8579948Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/420fcaa2-552c-430f-98ca-3264be4806c7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"420fcaa2-552c-430f-98ca-3264be4806c7\"},{\"properties\":{\"roleName\":\"SignalR + REST API Owner\",\"type\":\"BuiltInRole\",\"description\":\"Full access to + Azure SignalR Service REST APIs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SignalRService/SignalR/auth/clientToken/action\",\"Microsoft.SignalRService/SignalR/hub/send/action\",\"Microsoft.SignalRService/SignalR/group/send/action\",\"Microsoft.SignalRService/SignalR/group/read\",\"Microsoft.SignalRService/SignalR/group/write\",\"Microsoft.SignalRService/SignalR/clientConnection/send/action\",\"Microsoft.SignalRService/SignalR/clientConnection/read\",\"Microsoft.SignalRService/SignalR/clientConnection/write\",\"Microsoft.SignalRService/SignalR/user/send/action\",\"Microsoft.SignalRService/SignalR/user/read\",\"Microsoft.SignalRService/SignalR/user/write\"],\"notDataActions\":[]}],\"createdOn\":\"2020-07-29T09:35:32.2764751Z\",\"updatedOn\":\"2021-11-11T20:14:38.8028020Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fd53cd77-2268-407a-8f46-7e7863d0f521\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fd53cd77-2268-407a-8f46-7e7863d0f521\"},{\"properties\":{\"roleName\":\"Collaborative + Data Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can manage data + packages of a collaborative.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.IndustryDataLifecycle/custodianCollaboratives/*/read\",\"Microsoft.IndustryDataLifecycle/memberCollaboratives/*/read\",\"Microsoft.IndustryDataLifecycle/locations/dataPackages/*\",\"Microsoft.IndustryDataLifecycle/custodianCollaboratives/receivedDataPackages/*\",\"Microsoft.IndustryDataLifecycle/custodianCollaboratives/rejectDataPackage/action\",\"Microsoft.IndustryDataLifecycle/memberCollaboratives/sharedDataPackages/*\",\"Microsoft.IndustryDataLifecycle/custodianCollaboratives/dataModels/*\",\"Microsoft.IndustryDataLifecycle/custodianCollaboratives/auditLogs/action\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-08-14T11:58:31.8973556Z\",\"updatedOn\":\"2021-11-11T20:14:40.2428145Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/daa9e50b-21df-454c-94a6-a8050adab352\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"daa9e50b-21df-454c-94a6-a8050adab352\"},{\"properties\":{\"roleName\":\"Device + Update Reader\",\"type\":\"BuiltInRole\",\"description\":\"Gives you read + access to management and content operations, but does not allow making changes\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.DeviceUpdate/accounts/instances/updates/read\",\"Microsoft.DeviceUpdate/accounts/instances/management/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-08-21T23:40:19.2373610Z\",\"updatedOn\":\"2021-11-11T20:14:40.7922672Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e9dba6fb-3d52-4cf0-bce3-f06ce71b9e0f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e9dba6fb-3d52-4cf0-bce3-f06ce71b9e0f\"},{\"properties\":{\"roleName\":\"Device + Update Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Gives you + full access to management and content operations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.DeviceUpdate/accounts/instances/updates/read\",\"Microsoft.DeviceUpdate/accounts/instances/updates/write\",\"Microsoft.DeviceUpdate/accounts/instances/updates/delete\",\"Microsoft.DeviceUpdate/accounts/instances/management/read\",\"Microsoft.DeviceUpdate/accounts/instances/management/write\",\"Microsoft.DeviceUpdate/accounts/instances/management/delete\"],\"notDataActions\":[]}],\"createdOn\":\"2020-08-21T23:56:22.3520510Z\",\"updatedOn\":\"2021-11-11T20:14:40.9672678Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/02ca0879-e8e4-47a5-a61e-5c618b76e64a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"02ca0879-e8e4-47a5-a61e-5c618b76e64a\"},{\"properties\":{\"roleName\":\"Device + Update Content Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Gives + you full access to content operations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.DeviceUpdate/accounts/instances/updates/read\",\"Microsoft.DeviceUpdate/accounts/instances/updates/write\",\"Microsoft.DeviceUpdate/accounts/instances/updates/delete\"],\"notDataActions\":[]}],\"createdOn\":\"2020-08-21T23:58:18.4255500Z\",\"updatedOn\":\"2021-11-11T20:14:41.1433368Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0378884a-3af5-44ab-8323-f5b22f9f3c98\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0378884a-3af5-44ab-8323-f5b22f9f3c98\"},{\"properties\":{\"roleName\":\"Device + Update Deployments Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Gives + you full access to management operations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.DeviceUpdate/accounts/instances/management/read\",\"Microsoft.DeviceUpdate/accounts/instances/management/write\",\"Microsoft.DeviceUpdate/accounts/instances/management/delete\",\"Microsoft.DeviceUpdate/accounts/instances/updates/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-08-21T23:59:52.1001666Z\",\"updatedOn\":\"2022-01-13T01:59:19.4616366Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e4237640-0e3d-4a46-8fda-70bc94856432\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e4237640-0e3d-4a46-8fda-70bc94856432\"},{\"properties\":{\"roleName\":\"Device + Update Deployments Reader\",\"type\":\"BuiltInRole\",\"description\":\"Gives + you read access to management operations, but does not allow making changes\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.DeviceUpdate/accounts/instances/management/read\",\"Microsoft.DeviceUpdate/accounts/instances/updates/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-08-22T00:01:34.7053630Z\",\"updatedOn\":\"2022-01-13T01:35:51.6463216Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/49e2f5d2-7741-4835-8efa-19e1fe35e47f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"49e2f5d2-7741-4835-8efa-19e1fe35e47f\"},{\"properties\":{\"roleName\":\"Device + Update Content Reader\",\"type\":\"BuiltInRole\",\"description\":\"Gives you + read access to content operations, but does not allow making changes\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.DeviceUpdate/accounts/instances/updates/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-08-22T00:02:43.3299181Z\",\"updatedOn\":\"2021-11-11T20:14:41.6754856Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d1ee9a80-8b14-47f0-bdc2-f4a351625a7b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d1ee9a80-8b14-47f0-bdc2-f4a351625a7b\"},{\"properties\":{\"roleName\":\"Cognitive + Services Metrics Advisor Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Full + access to the project, including the system level configuration.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/MetricsAdvisor/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-09-10T07:46:47.5804491Z\",\"updatedOn\":\"2021-11-11T20:14:43.6930781Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/cb43c632-a144-4ec5-977c-e80c4affc34a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"cb43c632-a144-4ec5-977c-e80c4affc34a\"},{\"properties\":{\"roleName\":\"Cognitive + Services Metrics Advisor User\",\"type\":\"BuiltInRole\",\"description\":\"Access + to the project.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/MetricsAdvisor/*\"],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/MetricsAdvisor/stats/*\"]}],\"createdOn\":\"2020-09-10T07:47:59.6195639Z\",\"updatedOn\":\"2021-11-11T20:14:43.8780761Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3b20f47b-3825-43cb-8114-4bd2201156a8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3b20f47b-3825-43cb-8114-4bd2201156a8\"},{\"properties\":{\"roleName\":\"Schema + Registry Reader (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Read + and list Schema Registry groups and schemas.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.EventHub/namespaces/schemagroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.EventHub/namespaces/schemas/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-09-13T06:31:38.0272740Z\",\"updatedOn\":\"2021-11-11T20:14:44.6350450Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2c56ea50-c6b3-40a6-83c0-9d98858bc7d2\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2c56ea50-c6b3-40a6-83c0-9d98858bc7d2\"},{\"properties\":{\"roleName\":\"Schema + Registry Contributor (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Read, + write, and delete Schema Registry groups and schemas.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.EventHub/namespaces/schemagroups/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.EventHub/namespaces/schemas/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-09-13T06:48:26.6032931Z\",\"updatedOn\":\"2021-11-11T20:14:44.8200370Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5dffeca3-4936-4216-b2bc-10343a5abb25\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5dffeca3-4936-4216-b2bc-10343a5abb25\"},{\"properties\":{\"roleName\":\"AgFood + Platform Service Reader\",\"type\":\"BuiltInRole\",\"description\":\"Provides + read access to AgFood Platform Service\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AgFoodPlatform/*/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-09-14T10:21:08.9138820Z\",\"updatedOn\":\"2021-11-11T20:14:45.0056815Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7ec7ccdc-f61e-41fe-9aaf-980df0a44eba\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7ec7ccdc-f61e-41fe-9aaf-980df0a44eba\"},{\"properties\":{\"roleName\":\"AgFood + Platform Service Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Provides + contribute access to AgFood Platform Service\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AgFoodPlatform/*/action\",\"Microsoft.AgFoodPlatform/*/read\",\"Microsoft.AgFoodPlatform/*/write\"],\"notDataActions\":[\"Microsoft.AgFoodPlatform/farmers/write\",\"Microsoft.AgFoodPlatform/deletionJobs/*/write\"]}],\"createdOn\":\"2020-09-14T10:21:09.7239169Z\",\"updatedOn\":\"2021-11-11T20:14:45.1806787Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8508508a-4469-4e45-963b-2518ee0bb728\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8508508a-4469-4e45-963b-2518ee0bb728\"},{\"properties\":{\"roleName\":\"AgFood + Platform Service Admin\",\"type\":\"BuiltInRole\",\"description\":\"Provides + admin access to AgFood Platform Service\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AgFoodPlatform/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-09-14T10:21:09.8039209Z\",\"updatedOn\":\"2021-11-11T20:14:45.3613128Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f8da80de-1ff9-4747-ad80-a19b7f6079e3\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f8da80de-1ff9-4747-ad80-a19b7f6079e3\"},{\"properties\":{\"roleName\":\"Managed + HSM contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage + managed HSM pools, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.KeyVault/managedHSMs/*\",\"Microsoft.KeyVault/deletedManagedHsms/read\",\"Microsoft.KeyVault/locations/deletedManagedHsms/read\",\"Microsoft.KeyVault/locations/deletedManagedHsms/purge/action\",\"Microsoft.KeyVault/locations/managedHsmOperationResults/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-09-16T21:47:01.1291104Z\",\"updatedOn\":\"2022-03-07T20:20:03.1782149Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18500a29-7fe2-46b2-a342-b16a415e101d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"18500a29-7fe2-46b2-a342-b16a415e101d\"},{\"properties\":{\"roleName\":\"Security + Detonation Chamber Submitter\",\"type\":\"BuiltInRole\",\"description\":\"Allowed + to create submissions to Security Detonation Chamber\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SecurityDetonation/chambers/submissions/delete\",\"Microsoft.SecurityDetonation/chambers/submissions/write\",\"Microsoft.SecurityDetonation/chambers/submissions/read\",\"Microsoft.SecurityDetonation/chambers/submissions/files/read\",\"Microsoft.SecurityDetonation/chambers/submissions/accesskeyview/read\",\"Microsoft.SecurityDetonation/chambers/platforms/metadata/read\",\"Microsoft.SecurityDetonation/chambers/workflows/metadata/read\",\"Microsoft.SecurityDetonation/chambers/toolsets/metadata/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-10-01T08:55:21.3980274Z\",\"updatedOn\":\"2021-11-11T20:14:47.5471350Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0b555d9b-b4a7-4f43-b330-627f0e5be8f0\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0b555d9b-b4a7-4f43-b330-627f0e5be8f0\"},{\"properties\":{\"roleName\":\"SignalR + REST API Reader\",\"type\":\"BuiltInRole\",\"description\":\"Read-only access + to Azure SignalR Service REST APIs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SignalRService/SignalR/group/read\",\"Microsoft.SignalRService/SignalR/clientConnection/read\",\"Microsoft.SignalRService/SignalR/user/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-10-13T09:19:05.6463616Z\",\"updatedOn\":\"2021-11-11T20:14:48.7902970Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ddde6b66-c0df-4114-a159-3618637b3035\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ddde6b66-c0df-4114-a159-3618637b3035\"},{\"properties\":{\"roleName\":\"SignalR + Service Owner\",\"type\":\"BuiltInRole\",\"description\":\"Full access to + Azure SignalR Service REST APIs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SignalRService/SignalR/auth/accessKey/action\",\"Microsoft.SignalRService/SignalR/auth/clientToken/action\",\"Microsoft.SignalRService/SignalR/hub/send/action\",\"Microsoft.SignalRService/SignalR/group/send/action\",\"Microsoft.SignalRService/SignalR/group/read\",\"Microsoft.SignalRService/SignalR/group/write\",\"Microsoft.SignalRService/SignalR/clientConnection/send/action\",\"Microsoft.SignalRService/SignalR/clientConnection/read\",\"Microsoft.SignalRService/SignalR/clientConnection/write\",\"Microsoft.SignalRService/SignalR/serverConnection/write\",\"Microsoft.SignalRService/SignalR/user/send/action\",\"Microsoft.SignalRService/SignalR/user/read\",\"Microsoft.SignalRService/SignalR/user/write\"],\"notDataActions\":[]}],\"createdOn\":\"2020-10-13T09:20:32.1501410Z\",\"updatedOn\":\"2021-11-11T20:14:48.9653162Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7e4f1700-ea5a-4f59-8f37-079cfe29dce3\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7e4f1700-ea5a-4f59-8f37-079cfe29dce3\"},{\"properties\":{\"roleName\":\"Reservation + Purchaser\",\"type\":\"BuiltInRole\",\"description\":\"Lets you purchase reservations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Capacity/catalogs/read\",\"Microsoft.Capacity/register/action\",\"Microsoft.Compute/register/action\",\"Microsoft.Consumption/register/action\",\"Microsoft.Consumption/reservationRecommendationDetails/read\",\"Microsoft.Consumption/reservationRecommendations/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.SQL/register/action\",\"Microsoft.Support/supporttickets/write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-10-23T20:22:48.9217751Z\",\"updatedOn\":\"2022-04-25T20:55:26.9790121Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f7b75c60-3036-4b75-91c3-6b41c27c1689\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f7b75c60-3036-4b75-91c3-6b41c27c1689\"},{\"properties\":{\"roleName\":\"AzureML + Metrics Writer (preview)\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you write metrics to AzureML workspace\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.MachineLearningServices/workspaces/metrics/*/write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-10-27T16:55:19.5664950Z\",\"updatedOn\":\"2021-11-11T20:14:49.8655015Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/635dd51f-9968-44d3-b7fb-6d9a6bd613ae\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"635dd51f-9968-44d3-b7fb-6d9a6bd613ae\"},{\"properties\":{\"roleName\":\"Storage + Account Backup Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you perform backup and restore operations using Azure Backup on the storage + account.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Authorization/locks/read\",\"Microsoft.Authorization/locks/write\",\"Microsoft.Authorization/locks/delete\",\"Microsoft.Features/features/read\",\"Microsoft.Features/providers/features/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/operations/read\",\"Microsoft.Storage/storageAccounts/objectReplicationPolicies/delete\",\"Microsoft.Storage/storageAccounts/objectReplicationPolicies/read\",\"Microsoft.Storage/storageAccounts/objectReplicationPolicies/write\",\"Microsoft.Storage/storageAccounts/objectReplicationPolicies/restorePointMarkers/write\",\"Microsoft.Storage/storageAccounts/blobServices/containers/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/write\",\"Microsoft.Storage/storageAccounts/blobServices/read\",\"Microsoft.Storage/storageAccounts/blobServices/write\",\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.Storage/storageAccounts/restoreBlobRanges/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-11-02T23:32:50.4203469Z\",\"updatedOn\":\"2022-04-20T01:44:53.5887074Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1\"},{\"properties\":{\"roleName\":\"Experimentation + Metric Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allows for + creation, writes and reads to the metric set via the metrics service APIs.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Experimentation/experimentWorkspaces/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/read\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/metricwrite/action\",\"Microsoft.Experimentation/experimentWorkspaces/metricwrite/action\",\"Microsoft.Experimentation/experimentWorkspaces/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-11-10T20:07:53.7535885Z\",\"updatedOn\":\"2021-11-11T20:14:50.9524177Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6188b7c9-7d01-4f99-a59f-c88b630326c0\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6188b7c9-7d01-4f99-a59f-c88b630326c0\"},{\"properties\":{\"roleName\":\"Project + Babylon Data Curator\",\"type\":\"BuiltInRole\",\"description\":\"The Microsoft.ProjectBabylon + data curator can create, read, modify and delete catalog data objects and + establish relationships between objects. This role is in preview and subject + to change.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ProjectBabylon/accounts/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ProjectBabylon/accounts/data/read\",\"Microsoft.ProjectBabylon/accounts/data/write\"],\"notDataActions\":[]}],\"createdOn\":\"2020-11-14T02:31:33.7988825Z\",\"updatedOn\":\"2021-11-11T20:14:51.4929515Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9ef4ef9c-a049-46b0-82ab-dd8ac094c889\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"9ef4ef9c-a049-46b0-82ab-dd8ac094c889\"},{\"properties\":{\"roleName\":\"Project + Babylon Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"The Microsoft.ProjectBabylon + data reader can read catalog data objects. This role is in preview and subject + to change.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ProjectBabylon/accounts/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ProjectBabylon/accounts/data/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-11-14T02:33:13.5342351Z\",\"updatedOn\":\"2021-11-11T20:14:51.6729667Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c8d896ba-346d-4f50-bc1d-7d1c84130446\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c8d896ba-346d-4f50-bc1d-7d1c84130446\"},{\"properties\":{\"roleName\":\"Project + Babylon Data Source Administrator\",\"type\":\"BuiltInRole\",\"description\":\"The + Microsoft.ProjectBabylon data source administrator can manage data sources + and data scans. This role is in preview and subject to change.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ProjectBabylon/accounts/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ProjectBabylon/accounts/scan/read\",\"Microsoft.ProjectBabylon/accounts/scan/write\"],\"notDataActions\":[]}],\"createdOn\":\"2020-11-14T02:34:01.8401954Z\",\"updatedOn\":\"2021-11-11T20:14:51.8529643Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/05b7651b-dc44-475e-b74d-df3db49fae0f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"05b7651b-dc44-475e-b74d-df3db49fae0f\"},{\"properties\":{\"roleName\":\"Purview + role 1 (Deprecated)\",\"type\":\"BuiltInRole\",\"description\":\"Deprecated + role.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Purview/accounts/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Purview/accounts/data/read\",\"Microsoft.Purview/accounts/data/write\"],\"notDataActions\":[]}],\"createdOn\":\"2020-11-14T02:37:15.0123345Z\",\"updatedOn\":\"2022-01-04T00:43:15.6924286Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8a3c2885-9b38-4fd2-9d99-91af537c1347\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8a3c2885-9b38-4fd2-9d99-91af537c1347\"},{\"properties\":{\"roleName\":\"Purview + role 3 (Deprecated)\",\"type\":\"BuiltInRole\",\"description\":\"Deprecated + role.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Purview/accounts/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Purview/accounts/data/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-11-14T02:39:22.2344740Z\",\"updatedOn\":\"2022-01-04T00:48:08.2844802Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ff100721-1b9d-43d8-af52-42b69c1272db\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ff100721-1b9d-43d8-af52-42b69c1272db\"},{\"properties\":{\"roleName\":\"Purview + role 2 (Deprecated)\",\"type\":\"BuiltInRole\",\"description\":\"Deprecated + role.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Purview/accounts/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Purview/accounts/scan/read\",\"Microsoft.Purview/accounts/scan/write\"],\"notDataActions\":[]}],\"createdOn\":\"2020-11-14T02:40:05.0975648Z\",\"updatedOn\":\"2022-01-04T00:47:22.9678219Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/200bba9e-f0c8-430f-892b-6f0794863803\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"200bba9e-f0c8-430f-892b-6f0794863803\"},{\"properties\":{\"roleName\":\"Application + Group Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Contributor + of the Application Group.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/applicationgroups/*\",\"Microsoft.DesktopVirtualization/hostpools/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/read\",\"Microsoft.DesktopVirtualization/workspaces/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-03T23:26:00.2784962Z\",\"updatedOn\":\"2021-11-11T20:14:52.9432015Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ca6382a4-1721-4bcf-a114-ff0c70227b6b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ca6382a4-1721-4bcf-a114-ff0c70227b6b\"},{\"properties\":{\"roleName\":\"Desktop + Virtualization Reader\",\"type\":\"BuiltInRole\",\"description\":\"Reader + of Desktop Virtualization.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:36:19.0140629Z\",\"updatedOn\":\"2021-11-11T20:14:54.0407838Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/49a72310-ab8d-41df-bbb0-79b649203868\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"49a72310-ab8d-41df-bbb0-79b649203868\"},{\"properties\":{\"roleName\":\"Desktop + Virtualization Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Contributor + of Desktop Virtualization.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:37:16.2910337Z\",\"updatedOn\":\"2021-11-11T20:14:54.2107872Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/082f0a83-3be5-4ba1-904c-961cca79b387\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"082f0a83-3be5-4ba1-904c-961cca79b387\"},{\"properties\":{\"roleName\":\"Desktop + Virtualization Workspace Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Contributor + of the Desktop Virtualization Workspace.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/workspaces/*\",\"Microsoft.DesktopVirtualization/applicationgroups/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:38:29.6089216Z\",\"updatedOn\":\"2021-11-11T20:14:54.3907854Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/21efdde3-836f-432b-bf3d-3e8e734d4b2b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"21efdde3-836f-432b-bf3d-3e8e734d4b2b\"},{\"properties\":{\"roleName\":\"Desktop + Virtualization User Session Operator\",\"type\":\"BuiltInRole\",\"description\":\"Operator + of the Desktop Virtualization Uesr Session.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/hostpools/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:39:16.9100273Z\",\"updatedOn\":\"2021-11-11T20:14:54.5657970Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ea4bfff8-7fb4-485a-aadd-d4129a0ffaa6\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ea4bfff8-7fb4-485a-aadd-d4129a0ffaa6\"},{\"properties\":{\"roleName\":\"Desktop + Virtualization Session Host Operator\",\"type\":\"BuiltInRole\",\"description\":\"Operator + of the Desktop Virtualization Session Host.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/hostpools/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:39:53.2569741Z\",\"updatedOn\":\"2021-11-11T20:14:54.7508042Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2ad6aaab-ead9-4eaa-8ac5-da422f562408\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2ad6aaab-ead9-4eaa-8ac5-da422f562408\"},{\"properties\":{\"roleName\":\"Desktop + Virtualization Host Pool Reader\",\"type\":\"BuiltInRole\",\"description\":\"Reader + of the Desktop Virtualization Host Pool.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/hostpools/*/read\",\"Microsoft.DesktopVirtualization/hostpools/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:40:33.1430834Z\",\"updatedOn\":\"2021-11-11T20:14:54.9257967Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ceadfde2-b300-400a-ab7b-6143895aa822\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ceadfde2-b300-400a-ab7b-6143895aa822\"},{\"properties\":{\"roleName\":\"Desktop + Virtualization Host Pool Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Contributor + of the Desktop Virtualization Host Pool.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/hostpools/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:40:57.2976187Z\",\"updatedOn\":\"2021-11-11T20:14:55.1057701Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e307426c-f9b6-4e81-87de-d99efb3c32bc\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e307426c-f9b6-4e81-87de-d99efb3c32bc\"},{\"properties\":{\"roleName\":\"Desktop + Virtualization Application Group Reader\",\"type\":\"BuiltInRole\",\"description\":\"Reader + of the Desktop Virtualization Application Group.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/applicationgroups/*/read\",\"Microsoft.DesktopVirtualization/applicationgroups/read\",\"Microsoft.DesktopVirtualization/hostpools/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:41:18.0287398Z\",\"updatedOn\":\"2021-11-11T20:14:55.2858006Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/aebf23d0-b568-4e86-b8f9-fe83a2c6ab55\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"aebf23d0-b568-4e86-b8f9-fe83a2c6ab55\"},{\"properties\":{\"roleName\":\"Desktop + Virtualization Application Group Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Contributor + of the Desktop Virtualization Application Group.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/applicationgroups/*\",\"Microsoft.DesktopVirtualization/hostpools/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:41:38.6205531Z\",\"updatedOn\":\"2021-11-11T20:14:55.4677136Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/86240b0e-9422-4c43-887b-b61143f32ba8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"86240b0e-9422-4c43-887b-b61143f32ba8\"},{\"properties\":{\"roleName\":\"Desktop + Virtualization Workspace Reader\",\"type\":\"BuiltInRole\",\"description\":\"Reader + of the Desktop Virtualization Workspace.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/workspaces/read\",\"Microsoft.DesktopVirtualization/applicationgroups/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:41:58.1892707Z\",\"updatedOn\":\"2021-11-11T20:14:55.6577168Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0fa44ee9-7a7d-466b-9bb2-2bf446b1204d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0fa44ee9-7a7d-466b-9bb2-2bf446b1204d\"},{\"properties\":{\"roleName\":\"Disk + Backup Reader\",\"type\":\"BuiltInRole\",\"description\":\"Provides permission + to backup vault to perform disk backup.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Compute/disks/read\",\"Microsoft.Compute/disks/beginGetAccess/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-15T07:39:03.8394514Z\",\"updatedOn\":\"2021-11-11T20:14:56.0178737Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3e5e47e6-65f7-47ef-90b5-e5dd4d455f24\"},{\"properties\":{\"roleName\":\"Autonomous + Development Platform Data Contributor (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Grants + permissions to upload and manage new Autonomous Development Platform measurements.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.AutonomousDevelopmentPlatform/*/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.AutonomousDevelopmentPlatform/accounts/dataPools/discoveries/*\",\"Microsoft.AutonomousDevelopmentPlatform/accounts/dataPools/uploads/*\",\"Microsoft.AutonomousDevelopmentPlatform/accounts/dataPools/measurements/states/new/*\",\"Microsoft.AutonomousDevelopmentPlatform/accounts/dataPools/measurementCollections/*\",\"Microsoft.AutonomousDevelopmentPlatform/accounts/measurementCollections/*\",\"Microsoft.AutonomousDevelopmentPlatform/workspaces/read\",\"Microsoft.AutonomousDevelopmentPlatform/workspaces/discoveries/*\",\"Microsoft.AutonomousDevelopmentPlatform/workspaces/uploads/*\",\"Microsoft.AutonomousDevelopmentPlatform/workspaces/measurements/states/new/*\",\"Microsoft.AutonomousDevelopmentPlatform/workspaces/measurementCollections/*\"],\"notDataActions\":[\"Microsoft.AutonomousDevelopmentPlatform/accounts/dataPools/measurements/states/new/changeState/action\",\"Microsoft.AutonomousDevelopmentPlatform/workspaces/measurements/states/new/changeState/action\"]}],\"createdOn\":\"2020-12-15T11:30:01.7459379Z\",\"updatedOn\":\"2022-05-31T15:19:41.8949991Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b8b15564-4fa6-4a59-ab12-03e1d9594795\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b8b15564-4fa6-4a59-ab12-03e1d9594795\"},{\"properties\":{\"roleName\":\"Autonomous + Development Platform Data Reader (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Grants + read access to Autonomous Development Platform data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.AutonomousDevelopmentPlatform/*/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.AutonomousDevelopmentPlatform/*/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-12-15T12:11:31.9843256Z\",\"updatedOn\":\"2022-01-04T13:21:04.3207709Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d63b75f7-47ea-4f27-92ac-e0d173aaf093\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d63b75f7-47ea-4f27-92ac-e0d173aaf093\"},{\"properties\":{\"roleName\":\"Autonomous + Development Platform Data Owner (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Grants + full access to Autonomous Development Platform data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.AutonomousDevelopmentPlatform/*/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.AutonomousDevelopmentPlatform/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-12-15T12:13:59.9702378Z\",\"updatedOn\":\"2022-01-04T13:20:26.2040404Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/27f8b550-c507-4db9-86f2-f4b8e816d59d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"27f8b550-c507-4db9-86f2-f4b8e816d59d\"},{\"properties\":{\"roleName\":\"Disk + Restore Operator\",\"type\":\"BuiltInRole\",\"description\":\"Provides permission + to backup vault to perform disk restore.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Compute/disks/write\",\"Microsoft.Compute/disks/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-15T12:18:31.8481619Z\",\"updatedOn\":\"2021-11-11T20:14:56.7408912Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b50d9833-a0cb-478e-945f-707fcc997c13\"},{\"properties\":{\"roleName\":\"Disk + Snapshot Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Provides + permission to backup vault to manage disk snapshots.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Compute/snapshots/delete\",\"Microsoft.Compute/snapshots/write\",\"Microsoft.Compute/snapshots/read\",\"Microsoft.Compute/snapshots/beginGetAccess/action\",\"Microsoft.Compute/snapshots/endGetAccess/action\",\"Microsoft.Compute/disks/beginGetAccess/action\",\"Microsoft.Storage/storageAccounts/listkeys/action\",\"Microsoft.Storage/storageAccounts/write\",\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.Storage/storageAccounts/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-15T12:18:51.4471411Z\",\"updatedOn\":\"2021-11-11T20:14:56.9158814Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7efff54f-a5b4-42b5-a1c5-5411624893ce\"},{\"properties\":{\"roleName\":\"Microsoft.Kubernetes + connected cluster role\",\"type\":\"BuiltInRole\",\"description\":\"Microsoft.Kubernetes + connected cluster role.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Kubernetes/connectedClusters/read\",\"Microsoft.Kubernetes/connectedClusters/write\",\"Microsoft.Kubernetes/connectedClusters/delete\",\"Microsoft.Kubernetes/registeredSubscriptions/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-01-07T23:57:10.9923232Z\",\"updatedOn\":\"2021-11-11T20:14:58.2039838Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5548b2cf-c94c-4228-90ba-30851930a12f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5548b2cf-c94c-4228-90ba-30851930a12f\"},{\"properties\":{\"roleName\":\"Security + Detonation Chamber Submission Manager\",\"type\":\"BuiltInRole\",\"description\":\"Allowed + to create and manage submissions to Security Detonation Chamber\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SecurityDetonation/chambers/submissions/delete\",\"Microsoft.SecurityDetonation/chambers/submissions/write\",\"Microsoft.SecurityDetonation/chambers/submissions/read\",\"Microsoft.SecurityDetonation/chambers/submissions/files/read\",\"Microsoft.SecurityDetonation/chambers/submissions/accesskeyview/read\",\"Microsoft.SecurityDetonation/chambers/submissions/adminview/read\",\"Microsoft.SecurityDetonation/chambers/submissions/analystview/read\",\"Microsoft.SecurityDetonation/chambers/submissions/publicview/read\",\"Microsoft.SecurityDetonation/chambers/platforms/metadata/read\",\"Microsoft.SecurityDetonation/chambers/workflows/metadata/read\",\"Microsoft.SecurityDetonation/chambers/toolsets/metadata/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-01-18T09:35:36.5739297Z\",\"updatedOn\":\"2021-11-11T20:14:58.3939604Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a37b566d-3efa-4beb-a2f2-698963fa42ce\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a37b566d-3efa-4beb-a2f2-698963fa42ce\"},{\"properties\":{\"roleName\":\"Security + Detonation Chamber Publisher\",\"type\":\"BuiltInRole\",\"description\":\"Allowed + to publish and modify platforms, workflows and toolsets to Security Detonation + Chamber\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SecurityDetonation/chambers/platforms/read\",\"Microsoft.SecurityDetonation/chambers/platforms/write\",\"Microsoft.SecurityDetonation/chambers/platforms/delete\",\"Microsoft.SecurityDetonation/chambers/platforms/metadata/read\",\"Microsoft.SecurityDetonation/chambers/workflows/read\",\"Microsoft.SecurityDetonation/chambers/workflows/write\",\"Microsoft.SecurityDetonation/chambers/workflows/delete\",\"Microsoft.SecurityDetonation/chambers/workflows/metadata/read\",\"Microsoft.SecurityDetonation/chambers/toolsets/read\",\"Microsoft.SecurityDetonation/chambers/toolsets/write\",\"Microsoft.SecurityDetonation/chambers/toolsets/delete\",\"Microsoft.SecurityDetonation/chambers/toolsets/metadata/read\",\"Microsoft.SecurityDetonation/chambers/publishRequests/read\",\"Microsoft.SecurityDetonation/chambers/publishRequests/cancel/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-01-18T11:43:14.0858184Z\",\"updatedOn\":\"2021-11-11T20:14:58.5639749Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/352470b3-6a9c-4686-b503-35deb827e500\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"352470b3-6a9c-4686-b503-35deb827e500\"},{\"properties\":{\"roleName\":\"Collaborative + Runtime Operator\",\"type\":\"BuiltInRole\",\"description\":\"Can manage resources + created by AICS at runtime\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.IndustryDataLifecycle/derivedModels/*\",\"Microsoft.IndustryDataLifecycle/pipelineSets/*\",\"Microsoft.IndustryDataLifecycle/modelMappings/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-01-19T10:00:27.3464971Z\",\"updatedOn\":\"2021-11-11T20:14:58.7442136Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7a6f0e70-c033-4fb1-828c-08514e5f4102\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7a6f0e70-c033-4fb1-828c-08514e5f4102\"},{\"properties\":{\"roleName\":\"CosmosRestoreOperator\",\"type\":\"BuiltInRole\",\"description\":\"Can + perform restore action for Cosmos DB database account with continuous backup + mode\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DocumentDB/locations/restorableDatabaseAccounts/restore/action\",\"Microsoft.DocumentDB/locations/restorableDatabaseAccounts/*/read\",\"Microsoft.DocumentDB/locations/restorableDatabaseAccounts/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-01-21T19:51:35.3884884Z\",\"updatedOn\":\"2021-11-11T20:14:59.4892686Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5432c526-bc82-444a-b7ba-57c5b0b5b34f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5432c526-bc82-444a-b7ba-57c5b0b5b34f\"},{\"properties\":{\"roleName\":\"FHIR + Data Converter\",\"type\":\"BuiltInRole\",\"description\":\"Role allows user + or principal to convert data from legacy format to FHIR\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.HealthcareApis/services/fhir/resources/convertData/action\",\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/convertData/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-01-22T19:39:01.1601069Z\",\"updatedOn\":\"2021-11-11T20:14:59.8605937Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a1705bd2-3a8f-45a5-8683-466fcfd5cc24\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a1705bd2-3a8f-45a5-8683-466fcfd5cc24\"},{\"properties\":{\"roleName\":\"Microsoft + Sentinel Automation Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Microsoft + Sentinel Automation Contributor\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Logic/workflows/triggers/read\",\"Microsoft.Logic/workflows/triggers/listCallbackUrl/action\",\"Microsoft.Logic/workflows/runs/read\",\"Microsoft.Web/sites/hostruntime/webhooks/api/workflows/triggers/read\",\"Microsoft.Web/sites/hostruntime/webhooks/api/workflows/triggers/listCallbackUrl/action\",\"Microsoft.Web/sites/hostruntime/webhooks/api/workflows/runs/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-01-24T08:50:52.0382991Z\",\"updatedOn\":\"2022-01-26T09:25:00.4699337Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f4c81013-99ee-4d62-a7ee-b3f1f648599a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f4c81013-99ee-4d62-a7ee-b3f1f648599a\"},{\"properties\":{\"roleName\":\"Quota + Request Operator\",\"type\":\"BuiltInRole\",\"description\":\"Read and create + quota requests, get quota request status, and create support tickets.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Capacity/resourceProviders/locations/serviceLimits/read\",\"Microsoft.Capacity/resourceProviders/locations/serviceLimits/write\",\"Microsoft.Capacity/resourceProviders/locations/serviceLimitsRequests/read\",\"Microsoft.Capacity/register/action\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-02-03T00:06:35.8404575Z\",\"updatedOn\":\"2021-11-11T20:15:00.9583919Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0e5f05e5-9ab9-446b-b98d-1e2157c94125\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0e5f05e5-9ab9-446b-b98d-1e2157c94125\"},{\"properties\":{\"roleName\":\"EventGrid + Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage EventGrid + operations.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.EventGrid/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-02-08T18:46:18.8999557Z\",\"updatedOn\":\"2021-11-11T20:15:01.6867802Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1e241071-0855-49ea-94dc-649edcd759de\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1e241071-0855-49ea-94dc-649edcd759de\"},{\"properties\":{\"roleName\":\"Security + Detonation Chamber Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allowed + to query submission info and files from Security Detonation Chamber\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SecurityDetonation/chambers/submissions/read\",\"Microsoft.SecurityDetonation/chambers/submissions/files/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-03-01T14:06:46.2814905Z\",\"updatedOn\":\"2021-11-11T20:15:03.3274090Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/28241645-39f8-410b-ad48-87863e2951d5\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"28241645-39f8-410b-ad48-87863e2951d5\"},{\"properties\":{\"roleName\":\"Object + Anchors Account Reader\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + read ingestion jobs for an object anchors account.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/ObjectAnchorsAccounts/ingest/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-03-02T01:20:47.0279813Z\",\"updatedOn\":\"2021-11-11T20:15:03.5006082Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4a167cdf-cb95-4554-9203-2347fe489bd9\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4a167cdf-cb95-4554-9203-2347fe489bd9\"},{\"properties\":{\"roleName\":\"Object + Anchors Account Owner\",\"type\":\"BuiltInRole\",\"description\":\"Provides + user with ingestion capabilities for an object anchors account.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/ObjectAnchorsAccounts/ingest/action\",\"Microsoft.MixedReality/ObjectAnchorsAccounts/ingest/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-03-02T01:42:02.0014737Z\",\"updatedOn\":\"2021-11-11T20:15:03.6855873Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ca0835dd-bacc-42dd-8ed2-ed5e7230d15b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ca0835dd-bacc-42dd-8ed2-ed5e7230d15b\"},{\"properties\":{\"roleName\":\"WorkloadBuilder + Migration Agent Role\",\"type\":\"BuiltInRole\",\"description\":\"WorkloadBuilder + Migration Agent Role.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.WorkloadBuilder/migrationAgents/Read\",\"Microsoft.WorkloadBuilder/migrationAgents/Write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-03-11T17:07:20.0828003Z\",\"updatedOn\":\"2021-11-11T20:15:04.2456706Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d17ce0a2-0697-43bc-aac5-9113337ab61c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d17ce0a2-0697-43bc-aac5-9113337ab61c\"},{\"properties\":{\"roleName\":\"Web + PubSub Service Owner (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Full + access to Azure Web PubSub Service REST APIs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SignalRService/WebPubSub/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-03-24T09:10:11.8335180Z\",\"updatedOn\":\"2021-11-16T05:16:52.6491279Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/12cf5a90-567b-43ae-8102-96cf46c7d9b4\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"12cf5a90-567b-43ae-8102-96cf46c7d9b4\"},{\"properties\":{\"roleName\":\"Web + PubSub Service Reader (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Read-only + access to Azure Web PubSub Service REST APIs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SignalRService/WebPubSub/*/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-03-24T09:11:12.6235436Z\",\"updatedOn\":\"2021-11-16T05:17:12.8340953Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/bfb1c7d2-fb1a-466b-b2ba-aee63b92deaf\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"bfb1c7d2-fb1a-466b-b2ba-aee63b92deaf\"},{\"properties\":{\"roleName\":\"Azure + Spring Cloud Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allow + read access to Azure Spring Cloud Data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AppPlatform/Spring/*/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-03-25T11:12:12.6786010Z\",\"updatedOn\":\"2021-11-11T20:15:05.3368606Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b5537268-8956-4941-a8f0-646150406f0c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b5537268-8956-4941-a8f0-646150406f0c\"},{\"properties\":{\"roleName\":\"Cognitive + Services Speech User\",\"type\":\"BuiltInRole\",\"description\":\"Access to + the real-time speech recognition and batch transcription APIs, real-time speech + synthesis and long audio APIs, as well as to read the data/test/model/endpoint + for custom models, but can\u2019t create, delete or modify the data/test/model/endpoint + for custom models.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/SpeechServices/*/read\",\"Microsoft.CognitiveServices/accounts/SpeechServices/*/transcriptions/read\",\"Microsoft.CognitiveServices/accounts/SpeechServices/*/transcriptions/write\",\"Microsoft.CognitiveServices/accounts/SpeechServices/*/transcriptions/delete\",\"Microsoft.CognitiveServices/accounts/SpeechServices/*/frontend/action\",\"Microsoft.CognitiveServices/accounts/SpeechServices/text-dependent/*/action\",\"Microsoft.CognitiveServices/accounts/SpeechServices/text-independent/*/action\",\"Microsoft.CognitiveServices/accounts/CustomVoice/*/read\",\"Microsoft.CognitiveServices/accounts/CustomVoice/evaluations/*\",\"Microsoft.CognitiveServices/accounts/CustomVoice/longaudiosynthesis/*\",\"Microsoft.CognitiveServices/accounts/AudioContentCreation/*\"],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVoice/datasets/files/read\",\"Microsoft.CognitiveServices/accounts/CustomVoice/datasets/utterances/read\"]}],\"createdOn\":\"2021-03-30T11:28:27.4339032Z\",\"updatedOn\":\"2022-05-23T15:08:46.2082116Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f2dc8367-1007-4938-bd23-fe263f013447\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f2dc8367-1007-4938-bd23-fe263f013447\"},{\"properties\":{\"roleName\":\"Cognitive + Services Speech Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Full + access to Speech projects, including read, write and delete all entities, + for real-time speech recognition and batch transcription tasks, real-time + speech synthesis and long audio tasks, custom speech and custom voice.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/SpeechServices/*\",\"Microsoft.CognitiveServices/accounts/CustomVoice/*\",\"Microsoft.CognitiveServices/accounts/AudioContentCreation/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-03-30T11:28:49.7826633Z\",\"updatedOn\":\"2022-05-23T15:08:46.1925859Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0e75ca1e-0464-4b4d-8b93-68208a576181\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0e75ca1e-0464-4b4d-8b93-68208a576181\"},{\"properties\":{\"roleName\":\"Cognitive + Services Face Recognizer\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you perform detect, verify, identify, group, and find similar operations on + Face API. This role does not allow create or delete operations, which makes + it well suited for endpoints that only need inferencing capabilities, following + 'least privilege' best practices.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/Face/detect/action\",\"Microsoft.CognitiveServices/accounts/Face/verify/action\",\"Microsoft.CognitiveServices/accounts/Face/identify/action\",\"Microsoft.CognitiveServices/accounts/Face/group/action\",\"Microsoft.CognitiveServices/accounts/Face/findsimilars/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-03-31T01:51:41.3557295Z\",\"updatedOn\":\"2021-11-11T20:15:05.8818362Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9894cab4-e18a-44aa-828b-cb588cd6f2d7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"9894cab4-e18a-44aa-828b-cb588cd6f2d7\"},{\"properties\":{\"roleName\":\"Media + Services Account Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Create, + read, modify, and delete Media Services accounts; read-only access to other + Media Services resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Media/mediaservices/*/read\",\"Microsoft.Media/mediaservices/assets/listStreamingLocators/action\",\"Microsoft.Media/mediaservices/streamingLocators/listPaths/action\",\"Microsoft.Media/mediaservices/write\",\"Microsoft.Media/mediaservices/delete\",\"Microsoft.Media/mediaservices/privateEndpointConnectionsApproval/action\",\"Microsoft.Media/mediaservices/privateEndpointConnections/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-04-19T23:20:32.2956636Z\",\"updatedOn\":\"2021-11-11T20:15:07.1518844Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/054126f8-9a2b-4f1c-a9ad-eca461f08466\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"054126f8-9a2b-4f1c-a9ad-eca461f08466\"},{\"properties\":{\"roleName\":\"Media + Services Live Events Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Create, + read, modify, and delete Live Events, Assets, Asset Filters, and Streaming + Locators; read-only access to other Media Services resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Media/mediaservices/*/read\",\"Microsoft.Media/mediaservices/assets/*\",\"Microsoft.Media/mediaservices/assets/assetfilters/*\",\"Microsoft.Media/mediaservices/streamingLocators/*\",\"Microsoft.Media/mediaservices/liveEvents/*\"],\"notActions\":[\"Microsoft.Media/mediaservices/assets/getEncryptionKey/action\",\"Microsoft.Media/mediaservices/streamingLocators/listContentKeys/action\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-04-19T23:21:00.6119555Z\",\"updatedOn\":\"2021-11-11T20:15:07.3318873Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/532bc159-b25e-42c0-969e-a1d439f60d77\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"532bc159-b25e-42c0-969e-a1d439f60d77\"},{\"properties\":{\"roleName\":\"Media + Services Media Operator\",\"type\":\"BuiltInRole\",\"description\":\"Create, + read, modify, and delete Assets, Asset Filters, Streaming Locators, and Jobs; + read-only access to other Media Services resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Media/mediaservices/*/read\",\"Microsoft.Media/mediaservices/assets/*\",\"Microsoft.Media/mediaservices/assets/assetfilters/*\",\"Microsoft.Media/mediaservices/streamingLocators/*\",\"Microsoft.Media/mediaservices/transforms/jobs/*\"],\"notActions\":[\"Microsoft.Media/mediaservices/assets/getEncryptionKey/action\",\"Microsoft.Media/mediaservices/streamingLocators/listContentKeys/action\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-04-19T23:21:23.2236495Z\",\"updatedOn\":\"2021-11-11T20:15:07.5068487Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e4395492-1534-4db2-bedf-88c14621589c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e4395492-1534-4db2-bedf-88c14621589c\"},{\"properties\":{\"roleName\":\"Media + Services Policy Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Create, + read, modify, and delete Account Filters, Streaming Policies, Content Key + Policies, and Transforms; read-only access to other Media Services resources. + Cannot create Jobs, Assets or Streaming resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Media/mediaservices/*/read\",\"Microsoft.Media/mediaservices/assets/listStreamingLocators/action\",\"Microsoft.Media/mediaservices/streamingLocators/listPaths/action\",\"Microsoft.Media/mediaservices/accountFilters/*\",\"Microsoft.Media/mediaservices/streamingPolicies/*\",\"Microsoft.Media/mediaservices/contentKeyPolicies/*\",\"Microsoft.Media/mediaservices/transforms/*\"],\"notActions\":[\"Microsoft.Media/mediaservices/contentKeyPolicies/getPolicyPropertiesWithSecrets/action\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-04-19T23:21:46.9534330Z\",\"updatedOn\":\"2021-11-11T20:15:07.6968496Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c4bba371-dacd-4a26-b320-7250bca963ae\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c4bba371-dacd-4a26-b320-7250bca963ae\"},{\"properties\":{\"roleName\":\"Media + Services Streaming Endpoints Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Create, + read, modify, and delete Streaming Endpoints; read-only access to other Media + Services resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Media/mediaservices/*/read\",\"Microsoft.Media/mediaservices/assets/listStreamingLocators/action\",\"Microsoft.Media/mediaservices/streamingLocators/listPaths/action\",\"Microsoft.Media/mediaservices/streamingEndpoints/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-04-19T23:22:04.4594851Z\",\"updatedOn\":\"2021-11-11T20:15:07.8718907Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/99dba123-b5fe-44d5-874c-ced7199a5804\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"99dba123-b5fe-44d5-874c-ced7199a5804\"},{\"properties\":{\"roleName\":\"Stream + Analytics Query Tester\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + perform query testing without creating a stream analytics job first\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.StreamAnalytics/locations/TestQuery/action\",\"Microsoft.StreamAnalytics/locations/OperationResults/read\",\"Microsoft.StreamAnalytics/locations/SampleInput/action\",\"Microsoft.StreamAnalytics/locations/CompileQuery/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-04-20T17:33:24.5727870Z\",\"updatedOn\":\"2021-11-11T20:15:08.0481551Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1ec5b3c1-b17e-4e25-8312-2acb3c3c5abf\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1ec5b3c1-b17e-4e25-8312-2acb3c3c5abf\"},{\"properties\":{\"roleName\":\"AnyBuild + Builder\",\"type\":\"BuiltInRole\",\"description\":\"Basic user role for AnyBuild. + This role allows listing of agent information and execution of remote build + capabilities.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AnyBuild/clusters/build/write\",\"Microsoft.AnyBuild/clusters/build/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-04-20T22:07:00.4963853Z\",\"updatedOn\":\"2021-11-11T20:15:08.4254134Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a2138dac-4907-4679-a376-736901ed8ad8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a2138dac-4907-4679-a376-736901ed8ad8\"},{\"properties\":{\"roleName\":\"IoT + Hub Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows for full + read access to IoT Hub data-plane properties\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Devices/IotHubs/*/read\",\"Microsoft.Devices/IotHubs/fileUpload/notifications/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-04-22T18:03:29.8843192Z\",\"updatedOn\":\"2021-11-11T20:15:08.6054154Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b447c946-2db7-41ec-983d-d8bf3b1c77e3\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b447c946-2db7-41ec-983d-d8bf3b1c77e3\"},{\"properties\":{\"roleName\":\"IoT + Hub Twin Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allows for + read and write access to all IoT Hub device and module twins.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Devices/IotHubs/twins/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-04-22T20:36:10.1136903Z\",\"updatedOn\":\"2021-11-11T20:15:08.7855063Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/494bdba2-168f-4f31-a0a1-191d2f7c028c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"494bdba2-168f-4f31-a0a1-191d2f7c028c\"},{\"properties\":{\"roleName\":\"IoT + Hub Registry Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allows + for full access to IoT Hub device registry.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Devices/IotHubs/devices/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-04-22T20:36:47.5532704Z\",\"updatedOn\":\"2021-11-11T20:15:08.9804295Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4ea46cd5-c1b2-4a8e-910b-273211f9ce47\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4ea46cd5-c1b2-4a8e-910b-273211f9ce47\"},{\"properties\":{\"roleName\":\"IoT + Hub Data Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allows for + full access to IoT Hub data plane operations.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Devices/IotHubs/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-04-22T20:37:16.9927761Z\",\"updatedOn\":\"2021-11-11T20:15:09.1754206Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4fc6c259-987e-4a07-842e-c321cc9d413f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4fc6c259-987e-4a07-842e-c321cc9d413f\"},{\"properties\":{\"roleName\":\"Test + Base Reader\",\"type\":\"BuiltInRole\",\"description\":\"Let you view and + download packages and test results.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.TestBase/testBaseAccounts/packages/testResults/getDownloadUrl/action\",\"Microsoft.TestBase/testBaseAccounts/packages/testResults/getVideoDownloadUrl/action\",\"Microsoft.TestBase/testBaseAccounts/packages/getDownloadUrl/action\",\"Microsoft.TestBase/*/read\",\"Microsoft.TestBase/testBaseAccounts/customerEvents/write\",\"Microsoft.TestBase/testBaseAccounts/customerEvents/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-05-11T23:41:33.1038367Z\",\"updatedOn\":\"2021-11-11T20:15:10.8004347Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/15e0f5a1-3450-4248-8e25-e2afe88a9e85\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"15e0f5a1-3450-4248-8e25-e2afe88a9e85\"},{\"properties\":{\"roleName\":\"Search + Index Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Grants read + access to Azure Cognitive Search index data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Search/searchServices/indexes/documents/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-06-01T20:26:13.4850461Z\",\"updatedOn\":\"2021-11-11T20:15:11.3604371Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1407120a-92aa-4202-b7e9-c0e197c71c8f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1407120a-92aa-4202-b7e9-c0e197c71c8f\"},{\"properties\":{\"roleName\":\"Search + Index Data Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Grants + full access to Azure Cognitive Search index data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Search/searchServices/indexes/documents/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-06-01T22:15:16.5388472Z\",\"updatedOn\":\"2021-11-11T20:15:11.5504385Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8ebe5a00-799e-43f5-93ac-243d3dce84a7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8ebe5a00-799e-43f5-93ac-243d3dce84a7\"},{\"properties\":{\"roleName\":\"Storage + Table Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows for + read access to Azure Storage tables and entities\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/tableServices/tables/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/tableServices/tables/entities/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-06-15T06:40:54.9150717Z\",\"updatedOn\":\"2021-11-11T20:15:12.1005298Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/76199698-9eea-4c19-bc75-cec21354c6b6\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"76199698-9eea-4c19-bc75-cec21354c6b6\"},{\"properties\":{\"roleName\":\"Storage + Table Data Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allows + for read, write and delete access to Azure Storage tables and entities\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/tableServices/tables/read\",\"Microsoft.Storage/storageAccounts/tableServices/tables/write\",\"Microsoft.Storage/storageAccounts/tableServices/tables/delete\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/tableServices/tables/entities/read\",\"Microsoft.Storage/storageAccounts/tableServices/tables/entities/write\",\"Microsoft.Storage/storageAccounts/tableServices/tables/entities/delete\",\"Microsoft.Storage/storageAccounts/tableServices/tables/entities/add/action\",\"Microsoft.Storage/storageAccounts/tableServices/tables/entities/update/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-06-15T06:51:59.8207610Z\",\"updatedOn\":\"2021-11-11T20:15:12.2854966Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0a9a7e1f-b9d0-4cc4-a60d-0319b160aaa3\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0a9a7e1f-b9d0-4cc4-a60d-0319b160aaa3\"},{\"properties\":{\"roleName\":\"DICOM + Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Read and search DICOM + data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.HealthcareApis/workspaces/dicomservices/resources/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-06-17T20:58:30.1630494Z\",\"updatedOn\":\"2021-11-11T20:15:13.0154948Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e89c7a3c-2f64-4fa1-a847-3e4c9ba4283a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e89c7a3c-2f64-4fa1-a847-3e4c9ba4283a\"},{\"properties\":{\"roleName\":\"DICOM + Data Owner\",\"type\":\"BuiltInRole\",\"description\":\"Full access to DICOM + data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.HealthcareApis/workspaces/dicomservices/resources/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-06-17T20:59:30.8659515Z\",\"updatedOn\":\"2021-11-11T20:15:13.1904985Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/58a3b984-7adf-4c20-983a-32417c86fbc8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"58a3b984-7adf-4c20-983a-32417c86fbc8\"},{\"properties\":{\"roleName\":\"EventGrid + Data Sender\",\"type\":\"BuiltInRole\",\"description\":\"Allows send access + to event grid events.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.EventGrid/topics/read\",\"Microsoft.EventGrid/domains/read\",\"Microsoft.EventGrid/partnerNamespaces/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.EventGrid/events/send/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-07-02T21:55:40.4847495Z\",\"updatedOn\":\"2021-11-11T20:15:13.5605134Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d5a91429-5739-47e2-a06b-3470a27159e7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d5a91429-5739-47e2-a06b-3470a27159e7\"},{\"properties\":{\"roleName\":\"Disk + Pool Operator\",\"type\":\"BuiltInRole\",\"description\":\"Used by the StoragePool + Resource Provider to manage Disks added to a Disk Pool.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/disks/write\",\"Microsoft.Compute/disks/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-07-08T17:26:05.1079972Z\",\"updatedOn\":\"2021-11-11T20:15:13.9154612Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/60fc6e62-5479-42d4-8bf4-67625fcc2840\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"60fc6e62-5479-42d4-8bf4-67625fcc2840\"},{\"properties\":{\"roleName\":\"AzureML + Data Scientist\",\"type\":\"BuiltInRole\",\"description\":\"Can perform all + actions within an Azure Machine Learning workspace, except for creating or + deleting compute resources and modifying the workspace itself.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.MachineLearningServices/workspaces/*/read\",\"Microsoft.MachineLearningServices/workspaces/*/action\",\"Microsoft.MachineLearningServices/workspaces/*/delete\",\"Microsoft.MachineLearningServices/workspaces/*/write\"],\"notActions\":[\"Microsoft.MachineLearningServices/workspaces/delete\",\"Microsoft.MachineLearningServices/workspaces/write\",\"Microsoft.MachineLearningServices/workspaces/computes/*/write\",\"Microsoft.MachineLearningServices/workspaces/computes/*/delete\",\"Microsoft.MachineLearningServices/workspaces/computes/listKeys/action\",\"Microsoft.MachineLearningServices/workspaces/listKeys/action\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-07-14T21:51:06.0361218Z\",\"updatedOn\":\"2021-11-11T20:15:14.6405263Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f6c7c914-8db3-469d-8ca1-694a8f32e121\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f6c7c914-8db3-469d-8ca1-694a8f32e121\"},{\"properties\":{\"roleName\":\"Grafana + Admin\",\"type\":\"BuiltInRole\",\"description\":\"Built-in Grafana admin + role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Dashboard/grafana/ActAsGrafanaAdmin/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-07-15T21:32:35.3802340Z\",\"updatedOn\":\"2021-11-11T20:15:14.8104670Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/22926164-76b3-42b3-bc55-97df8dab3e41\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"22926164-76b3-42b3-bc55-97df8dab3e41\"},{\"properties\":{\"roleName\":\"Azure + Connected SQL Server Onboarding\",\"type\":\"BuiltInRole\",\"description\":\"Microsoft.AzureArcData\_service\_role\_to\_access\_the\_resources\_of\_Microsoft.AzureArcData\_stored\_with\_RPSAAS.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.AzureArcData/sqlServerInstances/read\",\"Microsoft.AzureArcData/sqlServerInstances/write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-07-19T23:52:15.8885739Z\",\"updatedOn\":\"2021-11-11T20:15:15.1754742Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e8113dce-c529-4d33-91fa-e9b972617508\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e8113dce-c529-4d33-91fa-e9b972617508\"},{\"properties\":{\"roleName\":\"Azure + Relay Sender\",\"type\":\"BuiltInRole\",\"description\":\"Allows for send + access to Azure Relay resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Relay/*/wcfRelays/read\",\"Microsoft.Relay/*/hybridConnections/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Relay/*/send/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-07-20T15:37:20.7558643Z\",\"updatedOn\":\"2021-11-11T20:15:15.5454755Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/26baccc8-eea7-41f1-98f4-1762cc7f685d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"26baccc8-eea7-41f1-98f4-1762cc7f685d\"},{\"properties\":{\"roleName\":\"Azure + Relay Owner\",\"type\":\"BuiltInRole\",\"description\":\"Allows for full access + to Azure Relay resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Relay/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Relay/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-07-20T15:44:26.3023126Z\",\"updatedOn\":\"2021-11-11T20:15:15.7154782Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2787bf04-f1f5-4bfe-8383-c8a24483ee38\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2787bf04-f1f5-4bfe-8383-c8a24483ee38\"},{\"properties\":{\"roleName\":\"Azure + Relay Listener\",\"type\":\"BuiltInRole\",\"description\":\"Allows for listen + access to Azure Relay resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Relay/*/wcfRelays/read\",\"Microsoft.Relay/*/hybridConnections/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Relay/*/listen/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-07-20T18:38:03.1437496Z\",\"updatedOn\":\"2021-11-11T20:15:15.9005232Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/26e0b698-aa6d-4085-9386-aadae190014d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"26e0b698-aa6d-4085-9386-aadae190014d\"},{\"properties\":{\"roleName\":\"Grafana + Viewer\",\"type\":\"BuiltInRole\",\"description\":\"Built-in Grafana Viewer + role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Dashboard/grafana/ActAsGrafanaViewer/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-08-05T16:36:18.7737511Z\",\"updatedOn\":\"2021-11-11T20:15:16.9904932Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/60921a7e-fef1-4a43-9b16-a26c52ad4769\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"60921a7e-fef1-4a43-9b16-a26c52ad4769\"},{\"properties\":{\"roleName\":\"Grafana + Editor\",\"type\":\"BuiltInRole\",\"description\":\"Built-in Grafana Editor + role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Dashboard/grafana/ActAsGrafanaEditor/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-08-05T16:37:32.5299593Z\",\"updatedOn\":\"2021-11-11T20:15:17.1805426Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a79a5197-3a5c-4973-a920-486035ffd60f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a79a5197-3a5c-4973-a920-486035ffd60f\"},{\"properties\":{\"roleName\":\"Automation + Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Manage azure automation + resources and other resources using azure automation.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Automation/automationAccounts/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Insights/ActionGroups/*\",\"Microsoft.Insights/ActivityLogAlerts/*\",\"Microsoft.Insights/MetricAlerts/*\",\"Microsoft.Insights/ScheduledQueryRules/*\",\"Microsoft.Insights/diagnosticSettings/*\",\"Microsoft.OperationalInsights/workspaces/sharedKeys/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-08-09T10:18:19.1054699Z\",\"updatedOn\":\"2021-11-11T20:15:17.7304954Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f353d9bd-d4a6-484e-a77a-8050b599b867\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f353d9bd-d4a6-484e-a77a-8050b599b867\"},{\"properties\":{\"roleName\":\"Kubernetes + Extension Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can create, + update, get, list and delete Kubernetes Extensions, and get extension async + operations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.KubernetesConfiguration/extensions/write\",\"Microsoft.KubernetesConfiguration/extensions/read\",\"Microsoft.KubernetesConfiguration/extensions/delete\",\"Microsoft.KubernetesConfiguration/extensions/operations/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-08-09T19:47:50.6828896Z\",\"updatedOn\":\"2021-11-11T20:15:17.9155393Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/85cb6faf-e071-4c9b-8136-154b5a04f717\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"85cb6faf-e071-4c9b-8136-154b5a04f717\"},{\"properties\":{\"roleName\":\"Device + Provisioning Service Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows + for full read access to Device Provisioning Service data-plane properties.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Devices/provisioningServices/*/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-08-09T19:53:12.1374732Z\",\"updatedOn\":\"2021-11-11T20:15:18.0905503Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/10745317-c249-44a1-a5ce-3a4353c0bbd8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"10745317-c249-44a1-a5ce-3a4353c0bbd8\"},{\"properties\":{\"roleName\":\"Device + Provisioning Service Data Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allows + for full access to Device Provisioning Service data-plane operations.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Devices/provisioningServices/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-08-09T19:54:03.2783227Z\",\"updatedOn\":\"2021-11-11T20:15:18.2605302Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/dfce44e4-17b7-4bd1-a6d1-04996ec95633\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"dfce44e4-17b7-4bd1-a6d1-04996ec95633\"},{\"properties\":{\"roleName\":\"CodeSigning + Certificate Profile Signer\",\"type\":\"BuiltInRole\",\"description\":\"Sign + files with a certificate profile. This role is in preview and subject to change.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CodeSigning/certificateProfiles/Sign/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-08-16T23:17:53.0002693Z\",\"updatedOn\":\"2021-11-11T20:15:18.6105679Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2837e146-70d7-4cfd-ad55-7efa6464f958\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2837e146-70d7-4cfd-ad55-7efa6464f958\"},{\"properties\":{\"roleName\":\"Azure + Spring Cloud Service Registry Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allow + read access to Azure Spring Cloud Service Registry\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AppPlatform/Spring/eurekaService/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-08-20T04:40:17.9785063Z\",\"updatedOn\":\"2021-11-11T20:15:18.9655101Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/cff1b556-2399-4e7e-856d-a8f754be7b65\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"cff1b556-2399-4e7e-856d-a8f754be7b65\"},{\"properties\":{\"roleName\":\"Azure + Spring Cloud Service Registry Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allow + read, write and delete access to Azure Spring Cloud Service Registry\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AppPlatform/Spring/eurekaService/read\",\"Microsoft.AppPlatform/Spring/eurekaService/write\",\"Microsoft.AppPlatform/Spring/eurekaService/delete\"],\"notDataActions\":[]}],\"createdOn\":\"2021-08-20T04:42:38.9153779Z\",\"updatedOn\":\"2021-11-11T20:15:19.1405497Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f5880b48-c26d-48be-b172-7927bfa1c8f1\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f5880b48-c26d-48be-b172-7927bfa1c8f1\"},{\"properties\":{\"roleName\":\"Azure + Spring Cloud Config Server Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allow + read access to Azure Spring Cloud Config Server\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AppPlatform/Spring/configService/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-08-26T01:50:51.5123701Z\",\"updatedOn\":\"2021-11-11T20:15:19.3155517Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d04c6db6-4947-4782-9e91-30a88feb7be7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d04c6db6-4947-4782-9e91-30a88feb7be7\"},{\"properties\":{\"roleName\":\"Azure + Spring Cloud Config Server Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allow + read, write and delete access to Azure Spring Cloud Config Server\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AppPlatform/Spring/configService/read\",\"Microsoft.AppPlatform/Spring/configService/write\",\"Microsoft.AppPlatform/Spring/configService/delete\"],\"notDataActions\":[]}],\"createdOn\":\"2021-09-06T02:30:47.8611580Z\",\"updatedOn\":\"2021-11-11T20:15:20.0405208Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a06f5c24-21a7-4e1a-aa2b-f19eb6684f5b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a06f5c24-21a7-4e1a-aa2b-f19eb6684f5b\"},{\"properties\":{\"roleName\":\"Azure + VM Managed identities restore Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Azure + VM Managed identities restore Contributors are allowed to perform Azure VM + Restores with managed identities both user and system\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-09-13T05:27:59.2180214Z\",\"updatedOn\":\"2021-11-11T20:15:20.5805266Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6ae96244-5829-4925-a7d3-5975537d91dd\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6ae96244-5829-4925-a7d3-5975537d91dd\"},{\"properties\":{\"roleName\":\"Azure + Maps Search and Render Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Grants + access to very limited set of data APIs for common visual web SDK scenarios. + Specifically, render and search data APIs.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Maps/accounts/services/render/read\",\"Microsoft.Maps/accounts/services/search/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-10-01T22:17:50.5178931Z\",\"updatedOn\":\"2021-11-11T20:15:22.0455410Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6be48352-4f82-47c9-ad5e-0acacefdb005\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6be48352-4f82-47c9-ad5e-0acacefdb005\"},{\"properties\":{\"roleName\":\"Azure + Maps Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Grants access + all Azure Maps resource management.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Maps/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-10-01T22:19:13.1357904Z\",\"updatedOn\":\"2021-11-11T20:15:22.2455414Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/dba33070-676a-4fb0-87fa-064dc56ff7fb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"dba33070-676a-4fb0-87fa-064dc56ff7fb\"},{\"properties\":{\"roleName\":\"Azure + Arc VMware VM Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Arc + VMware VM Contributor has permissions to perform all VM actions.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ConnectedVMwarevSphere/virtualmachines/*\",\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/operationresults/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-10-18T20:19:53.0087024Z\",\"updatedOn\":\"2021-11-11T20:15:23.8706020Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b748a06d-6150-4f8a-aaa9-ce3940cd96cb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b748a06d-6150-4f8a-aaa9-ce3940cd96cb\"},{\"properties\":{\"roleName\":\"Azure + Arc VMware Private Cloud User\",\"type\":\"BuiltInRole\",\"description\":\"Azure + Arc VMware Private Cloud User has permissions to use the VMware cloud resources + to deploy VMs.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.ConnectedVMwarevSphere/virtualnetworks/join/action\",\"Microsoft.ConnectedVMwarevSphere/virtualnetworks/Read\",\"Microsoft.ConnectedVMwarevSphere/virtualmachinetemplates/clone/action\",\"Microsoft.ConnectedVMwarevSphere/virtualmachinetemplates/Read\",\"Microsoft.ConnectedVMwarevSphere/resourcepools/deploy/action\",\"Microsoft.ConnectedVMwarevSphere/resourcepools/Read\",\"Microsoft.ConnectedVMwarevSphere/hosts/deploy/action\",\"Microsoft.ConnectedVMwarevSphere/hosts/Read\",\"Microsoft.ConnectedVMwarevSphere/clusters/deploy/action\",\"Microsoft.ConnectedVMwarevSphere/clusters/Read\",\"Microsoft.ConnectedVMwarevSphere/datastores/allocateSpace/action\",\"Microsoft.ConnectedVMwarevSphere/datastores/Read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-10-18T20:20:46.5105444Z\",\"updatedOn\":\"2021-11-11T20:15:24.0456080Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ce551c02-7c42-47e0-9deb-e3b6fc3a9a83\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ce551c02-7c42-47e0-9deb-e3b6fc3a9a83\"},{\"properties\":{\"roleName\":\"Azure + Arc VMware Administrator role \",\"type\":\"BuiltInRole\",\"description\":\"Arc + VMware VM Contributor has permissions to perform all connected VMwarevSphere + actions.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ConnectedVMwarevSphere/*\",\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/operationresults/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-11-01T17:12:42.6172725Z\",\"updatedOn\":\"2021-11-11T20:15:25.1275776Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ddc140ed-e463-4246-9145-7c664192013f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ddc140ed-e463-4246-9145-7c664192013f\"},{\"properties\":{\"roleName\":\"Azure + Arc VMware Private Clouds Onboarding\",\"type\":\"BuiltInRole\",\"description\":\"Azure + Arc VMware Private Clouds Onboarding role has permissions to provision all + the required resources for onboard and deboard vCenter instances to Azure.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ConnectedVMwarevSphere/vcenters/Write\",\"Microsoft.ConnectedVMwarevSphere/vcenters/Read\",\"Microsoft.ConnectedVMwarevSphere/vcenters/Delete\",\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.KubernetesConfiguration/extensions/Write\",\"Microsoft.KubernetesConfiguration/extensions/Read\",\"Microsoft.KubernetesConfiguration/extensions/Delete\",\"Microsoft.KubernetesConfiguration/operations/read\",\"Microsoft.ExtendedLocation/customLocations/Read\",\"Microsoft.ExtendedLocation/customLocations/Write\",\"Microsoft.ExtendedLocation/customLocations/Delete\",\"Microsoft.ExtendedLocation/customLocations/deploy/action\",\"Microsoft.ResourceConnector/appliances/Read\",\"Microsoft.ResourceConnector/appliances/Write\",\"Microsoft.ResourceConnector/appliances/Delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-11-01T22:18:08.4480747Z\",\"updatedOn\":\"2022-01-14T02:51:08.7237156Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/67d33e57-3129-45e6-bb0b-7cc522f762fa\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"67d33e57-3129-45e6-bb0b-7cc522f762fa\"},{\"properties\":{\"roleName\":\"Cognitive + Services LUIS Owner\",\"type\":\"BuiltInRole\",\"description\":\" Has access + to all Read, Test, Write, Deploy and Delete functions under LUIS\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.CognitiveServices/accounts/listkeys/action\",\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/LUIS/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-11-04T03:28:02.9611800Z\",\"updatedOn\":\"2021-11-11T20:15:25.4884913Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f72c8140-2111-481c-87ff-72b910f6e3f8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f72c8140-2111-481c-87ff-72b910f6e3f8\"},{\"properties\":{\"roleName\":\"Cognitive + Services Language Reader\",\"type\":\"BuiltInRole\",\"description\":\"Has + access to Read and Test functions under Language portal\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/LanguageAuthoring/*/read\",\"Microsoft.CognitiveServices/accounts/ConversationalLanguageUnderstanding/*/read\",\"Microsoft.CognitiveServices/accounts/ConversationalLanguageUnderstanding/projects/export/action\",\"Microsoft.CognitiveServices/accounts/Language/*/read\",\"Microsoft.CognitiveServices/accounts/Language/*/projects/export/action\",\"Microsoft.CognitiveServices/accounts/Language/query-text/action\",\"Microsoft.CognitiveServices/accounts/Language/query-dataverse/action\",\"Microsoft.CognitiveServices/accounts/Language/analyze-text/jobs/action\",\"Microsoft.CognitiveServices/accounts/Language/analyze-text/action\",\"Microsoft.CognitiveServices/accounts/Language/analyze-text/jobscancel/action\",\"Microsoft.CognitiveServices/accounts/Language/analyze-conversations/action\",\"Microsoft.CognitiveServices/accounts/Language/analyze-conversations/jobscancel/action\",\"Microsoft.CognitiveServices/accounts/Language/analyze-conversations/jobs/action\",\"Microsoft.CognitiveServices/accounts/Language/query-knowledgebases/action\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/*\"],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnaMaker/*\"]}],\"createdOn\":\"2021-11-04T03:29:14.7643336Z\",\"updatedOn\":\"2022-06-17T06:19:08.0395330Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7628b7b8-a8b2-4cdc-b46f-e9b35248918e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7628b7b8-a8b2-4cdc-b46f-e9b35248918e\"},{\"properties\":{\"roleName\":\"Cognitive + Services Language Writer\",\"type\":\"BuiltInRole\",\"description\":\" Has + access to all Read, Test, and Write functions under Language Portal\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/LanguageAuthoring/*\",\"Microsoft.CognitiveServices/accounts/ConversationalLanguageUnderstanding/*\",\"Microsoft.CognitiveServices/accounts/Language/*\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/*\"],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/LanguageAuthoring/projects/publish/action\",\"Microsoft.CognitiveServices/accounts/ConversationalLanguageUnderstanding/projects/deployments/write\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnaMaker/*\",\"Microsoft.CognitiveServices/accounts/Language/*/projects/delete\",\"Microsoft.CognitiveServices/accounts/Language/*/projects/deployments/write\",\"Microsoft.CognitiveServices/accounts/Language/*/projects/deployments/delete\",\"Microsoft.CognitiveServices/accounts/Language/*/projects/deployments/swap/action\"]}],\"createdOn\":\"2021-11-04T03:29:39.5761019Z\",\"updatedOn\":\"2022-03-29T18:03:23.4902754Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f2310ca1-dc64-4889-bb49-c8e0fa3d47a8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f2310ca1-dc64-4889-bb49-c8e0fa3d47a8\"},{\"properties\":{\"roleName\":\"Cognitive + Services Language Owner\",\"type\":\"BuiltInRole\",\"description\":\"Has access + to all Read, Test, Write, Deploy and Delete functions under Language portal\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.CognitiveServices/accounts/listkeys/action\",\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/LanguageAuthoring/*\",\"Microsoft.CognitiveServices/accounts/ConversationalLanguageUnderstanding/*\",\"Microsoft.CognitiveServices/accounts/Language/*\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/*\"],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnaMaker/*\"]}],\"createdOn\":\"2021-11-04T03:30:07.6173528Z\",\"updatedOn\":\"2022-03-29T18:03:46.5617184Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f07febfe-79bc-46b1-8b37-790e26e6e498\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f07febfe-79bc-46b1-8b37-790e26e6e498\"},{\"properties\":{\"roleName\":\"Cognitive + Services LUIS Reader\",\"type\":\"BuiltInRole\",\"description\":\"Has access + to Read and Test functions under LUIS.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/LUIS/*/read\",\"Microsoft.CognitiveServices/accounts/LUIS/apps/testdatasets/write\"],\"notDataActions\":[]}],\"createdOn\":\"2021-11-04T03:30:31.2704834Z\",\"updatedOn\":\"2021-11-11T20:15:26.2134821Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18e81cdc-4e98-4e29-a639-e7d10c5a6226\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"18e81cdc-4e98-4e29-a639-e7d10c5a6226\"},{\"properties\":{\"roleName\":\"Cognitive + Services LUIS Writer\",\"type\":\"BuiltInRole\",\"description\":\"Has access + to all Read, Test, and Write functions under LUIS\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/LUIS/*\"],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/LUIS/apps/delete\",\"Microsoft.CognitiveServices/accounts/LUIS/apps/move/action\",\"Microsoft.CognitiveServices/accounts/LUIS/apps/publish/action\",\"Microsoft.CognitiveServices/accounts/LUIS/apps/settings/write\",\"Microsoft.CognitiveServices/accounts/LUIS/apps/azureaccounts/action\",\"Microsoft.CognitiveServices/accounts/LUIS/apps/azureaccounts/delete\"]}],\"createdOn\":\"2021-11-04T03:31:12.1580052Z\",\"updatedOn\":\"2021-11-11T20:15:26.3934523Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6322a993-d5c9-4bed-b113-e49bbea25b27\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6322a993-d5c9-4bed-b113-e49bbea25b27\"},{\"properties\":{\"roleName\":\"PlayFab + Reader\",\"type\":\"BuiltInRole\",\"description\":\"Provides read access to + PlayFab resources\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.PlayFab/*/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-11-04T23:26:57.2248605Z\",\"updatedOn\":\"2021-11-11T20:15:26.5784834Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a9a19cc5-31f4-447c-901f-56c0bb18fcaf\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a9a19cc5-31f4-447c-901f-56c0bb18fcaf\"},{\"properties\":{\"roleName\":\"Load + Test Contributor\",\"type\":\"BuiltInRole\",\"description\":\"View, create, + update, delete and execute load tests. View and list load test resources but + can not make any changes.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.LoadTestService/*/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.LoadTestService/loadtests/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-11-09T08:11:21.0936461Z\",\"updatedOn\":\"2021-11-11T20:15:27.1189225Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/749a398d-560b-491b-bb21-08924219302e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"749a398d-560b-491b-bb21-08924219302e\"},{\"properties\":{\"roleName\":\"Load + Test Owner\",\"type\":\"BuiltInRole\",\"description\":\"Execute all operations + on load test resources and load tests\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.LoadTestService/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.LoadTestService/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-11-09T08:12:24.5500195Z\",\"updatedOn\":\"2021-11-11T20:15:27.2897153Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/45bb0b16-2f0c-4e78-afaa-a07599b003f6\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"45bb0b16-2f0c-4e78-afaa-a07599b003f6\"},{\"properties\":{\"roleName\":\"PlayFab + Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Provides contributor + access to PlayFab resources\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.PlayFab/*/read\",\"Microsoft.PlayFab/*/write\",\"Microsoft.PlayFab/*/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-11-10T00:55:37.3326276Z\",\"updatedOn\":\"2021-11-11T20:15:28.0547167Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0c8b84dc-067c-4039-9615-fa1a4b77c726\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0c8b84dc-067c-4039-9615-fa1a4b77c726\"},{\"properties\":{\"roleName\":\"Load + Test Reader\",\"type\":\"BuiltInRole\",\"description\":\"View and list all + load tests and load test resources but can not make any changes\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.LoadTestService/*/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.LoadTestService/loadtests/readTest/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-11-10T06:14:08.3903105Z\",\"updatedOn\":\"2021-11-11T20:15:28.2297181Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3ae3fb29-0000-4ccd-bf80-542e7b26e081\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3ae3fb29-0000-4ccd-bf80-542e7b26e081\"},{\"properties\":{\"roleName\":\"Cognitive + Services Immersive Reader User\",\"type\":\"BuiltInRole\",\"description\":\"Provides + access to create Immersive Reader sessions and call APIs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/ImmersiveReader/getcontentmodelforreader/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-11-10T19:52:14.4487503Z\",\"updatedOn\":\"2021-11-11T20:15:28.4146975Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b2de6794-95db-4659-8781-7e080d3f2b9d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b2de6794-95db-4659-8781-7e080d3f2b9d\"},{\"properties\":{\"roleName\":\"Lab + Services Contributor\",\"type\":\"BuiltInRole\",\"description\":\"The lab + services contributor role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.LabServices/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.LabServices/labPlans/createLab/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-11-11T00:51:03.3308981Z\",\"updatedOn\":\"2021-11-11T20:15:28.7792013Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f69b8690-cc87-41d6-b77a-a4bc3c0a966f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f69b8690-cc87-41d6-b77a-a4bc3c0a966f\"},{\"properties\":{\"roleName\":\"Lab + Services Reader\",\"type\":\"BuiltInRole\",\"description\":\"The lab services + reader role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.LabServices/*/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-11-11T00:55:30.4208618Z\",\"updatedOn\":\"2021-11-11T20:15:28.9592032Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a5c394f-5eb7-4d4f-9c8e-e8eae39faebc\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2a5c394f-5eb7-4d4f-9c8e-e8eae39faebc\"},{\"properties\":{\"roleName\":\"Lab + Assistant\",\"type\":\"BuiltInRole\",\"description\":\"The lab assistant role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.LabServices/labPlans/images/read\",\"Microsoft.LabServices/labPlans/read\",\"Microsoft.LabServices/labs/read\",\"Microsoft.LabServices/labs/schedules/read\",\"Microsoft.LabServices/labs/users/read\",\"Microsoft.LabServices/labs/users/invite/action\",\"Microsoft.LabServices/labs/virtualMachines/read\",\"Microsoft.LabServices/labs/virtualMachines/start/action\",\"Microsoft.LabServices/labs/virtualMachines/stop/action\",\"Microsoft.LabServices/labs/virtualMachines/reimage/action\",\"Microsoft.LabServices/labs/virtualMachines/redeploy/action\",\"Microsoft.LabServices/locations/usages/read\",\"Microsoft.LabServices/skus/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-11-11T00:56:10.4295443Z\",\"updatedOn\":\"2021-11-11T20:15:29.1442530Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ce40b423-cede-4313-a93f-9b28290b72e1\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ce40b423-cede-4313-a93f-9b28290b72e1\"},{\"properties\":{\"roleName\":\"Lab + Operator\",\"type\":\"BuiltInRole\",\"description\":\"The lab operator role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.LabServices/labPlans/images/read\",\"Microsoft.LabServices/labPlans/read\",\"Microsoft.LabServices/labPlans/saveImage/action\",\"Microsoft.LabServices/labs/publish/action\",\"Microsoft.LabServices/labs/read\",\"Microsoft.LabServices/labs/schedules/read\",\"Microsoft.LabServices/labs/schedules/write\",\"Microsoft.LabServices/labs/schedules/delete\",\"Microsoft.LabServices/labs/users/read\",\"Microsoft.LabServices/labs/users/write\",\"Microsoft.LabServices/labs/users/delete\",\"Microsoft.LabServices/labs/users/invite/action\",\"Microsoft.LabServices/labs/virtualMachines/read\",\"Microsoft.LabServices/labs/virtualMachines/start/action\",\"Microsoft.LabServices/labs/virtualMachines/stop/action\",\"Microsoft.LabServices/labs/virtualMachines/reimage/action\",\"Microsoft.LabServices/labs/virtualMachines/redeploy/action\",\"Microsoft.LabServices/labs/virtualMachines/resetPassword/action\",\"Microsoft.LabServices/locations/usages/read\",\"Microsoft.LabServices/skus/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-11-11T00:56:41.9942935Z\",\"updatedOn\":\"2021-11-11T20:15:29.3242664Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a36e6959-b6be-4b12-8e9f-ef4b474d304d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a36e6959-b6be-4b12-8e9f-ef4b474d304d\"},{\"properties\":{\"roleName\":\"Lab + Contributor\",\"type\":\"BuiltInRole\",\"description\":\"The lab contributor + role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.LabServices/labPlans/images/read\",\"Microsoft.LabServices/labPlans/read\",\"Microsoft.LabServices/labPlans/saveImage/action\",\"Microsoft.LabServices/labs/read\",\"Microsoft.LabServices/labs/write\",\"Microsoft.LabServices/labs/delete\",\"Microsoft.LabServices/labs/publish/action\",\"Microsoft.LabServices/labs/syncGroup/action\",\"Microsoft.LabServices/labs/schedules/read\",\"Microsoft.LabServices/labs/schedules/write\",\"Microsoft.LabServices/labs/schedules/delete\",\"Microsoft.LabServices/labs/users/read\",\"Microsoft.LabServices/labs/users/write\",\"Microsoft.LabServices/labs/users/delete\",\"Microsoft.LabServices/labs/users/invite/action\",\"Microsoft.LabServices/labs/virtualMachines/read\",\"Microsoft.LabServices/labs/virtualMachines/start/action\",\"Microsoft.LabServices/labs/virtualMachines/stop/action\",\"Microsoft.LabServices/labs/virtualMachines/reimage/action\",\"Microsoft.LabServices/labs/virtualMachines/redeploy/action\",\"Microsoft.LabServices/labs/virtualMachines/resetPassword/action\",\"Microsoft.LabServices/locations/usages/read\",\"Microsoft.LabServices/skus/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.LabServices/labPlans/createLab/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-11-11T00:57:05.9018065Z\",\"updatedOn\":\"2021-11-11T20:15:29.4992096Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5daaa2af-1fe8-407c-9122-bba179798270\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5daaa2af-1fe8-407c-9122-bba179798270\"},{\"properties\":{\"roleName\":\"Chamber + User\",\"type\":\"BuiltInRole\",\"description\":\"Lets you view everything + under your HPC Workbench chamber, but not make any changes.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HpcWorkbench/instances/chambers/*/read\",\"Microsoft.HpcWorkbench/instances/chambers/workloads/*\",\"Microsoft.HpcWorkbench/instances/chambers/getUploadUri/action\",\"Microsoft.HpcWorkbench/instances/consortiums/*/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-12-15T20:51:06.2119764Z\",\"updatedOn\":\"2022-01-27T04:54:22.9559555Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4447db05-44ed-4da3-ae60-6cbece780e32\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4447db05-44ed-4da3-ae60-6cbece780e32\"},{\"properties\":{\"roleName\":\"Chamber + Admin\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage everything + under your HPC Workbench chamber.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HpcWorkbench/*/read\",\"Microsoft.HpcWorkbench/instances/chambers/*\",\"Microsoft.HpcWorkbench/instances/consortiums/*/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-12-15T20:53:14.4428297Z\",\"updatedOn\":\"2022-01-20T05:04:48.3694000Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4e9b8407-af2e-495b-ae54-bb60a55b1b5a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4e9b8407-af2e-495b-ae54-bb60a55b1b5a\"},{\"properties\":{\"roleName\":\"Windows + Admin Center Administrator Login\",\"type\":\"BuiltInRole\",\"description\":\"Let's + you manage the OS of your resource via Windows Admin Center as an administrator.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HybridCompute/machines/*/read\",\"Microsoft.HybridCompute/machines/extensions/*\",\"Microsoft.HybridCompute/machines/upgradeExtensions/action\",\"Microsoft.HybridCompute/operations/read\",\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Network/loadBalancers/read\",\"Microsoft.Network/publicIPAddresses/read\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/networkSecurityGroups/read\",\"Microsoft.Network/networkSecurityGroups/defaultSecurityRules/read\",\"Microsoft.Network/networkWatchers/securityGroupView/action\",\"Microsoft.Network/networkSecurityGroups/securityRules/read\",\"Microsoft.Network/networkSecurityGroups/securityRules/write\",\"Microsoft.HybridConnectivity/endpoints/write\",\"Microsoft.HybridConnectivity/endpoints/read\",\"Microsoft.HybridConnectivity/endpoints/listManagedProxyDetails/action\",\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Compute/virtualMachines/patchAssessmentResults/latest/read\",\"Microsoft.Compute/virtualMachines/patchAssessmentResults/latest/softwarePatches/read\",\"Microsoft.Compute/virtualMachines/patchInstallationResults/read\",\"Microsoft.Compute/virtualMachines/patchInstallationResults/softwarePatches/read\",\"Microsoft.Compute/virtualMachines/extensions/read\",\"Microsoft.Compute/virtualMachines/instanceView/read\",\"Microsoft.Compute/virtualMachines/runCommands/read\",\"Microsoft.Compute/virtualMachines/vmSizes/read\",\"Microsoft.Compute/locations/publishers/artifacttypes/types/read\",\"Microsoft.Compute/locations/publishers/artifacttypes/types/versions/read\",\"Microsoft.Compute/diskAccesses/read\",\"Microsoft.Compute/galleries/images/read\",\"Microsoft.Compute/images/read\",\"Microsoft.AzureStackHCI/Clusters/Read\",\"Microsoft.AzureStackHCI/Clusters/ArcSettings/Read\",\"Microsoft.AzureStackHCI/Clusters/ArcSettings/Extensions/Read\",\"Microsoft.AzureStackHCI/Clusters/ArcSettings/Extensions/Write\",\"Microsoft.AzureStackHCI/Clusters/ArcSettings/Extensions/Delete\",\"Microsoft.AzureStackHCI/Operations/Read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.HybridCompute/machines/WACLoginAsAdmin/action\",\"Microsoft.Compute/virtualMachines/WACloginAsAdmin/action\",\"Microsoft.AzureStackHCI/Clusters/WACloginAsAdmin/Action\"],\"notDataActions\":[]}],\"createdOn\":\"2022-01-12T00:51:19.5581155Z\",\"updatedOn\":\"2022-07-12T21:33:45.2330879Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a6333a3e-0164-44c3-b281-7a577aff287f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a6333a3e-0164-44c3-b281-7a577aff287f\"},{\"properties\":{\"roleName\":\"Guest + Configuration Resource Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you read, write Guest Configuration Resource.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.GuestConfiguration/guestConfigurationAssignments/write\",\"Microsoft.GuestConfiguration/guestConfigurationAssignments/read\",\"Microsoft.GuestConfiguration/guestConfigurationAssignments/*/read\",\"Microsoft.Resources/deployments/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-01-13T21:31:41.9626667Z\",\"updatedOn\":\"2022-02-10T19:22:44.9057916Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/088ab73d-1256-47ae-bea9-9de8e7131f31\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"088ab73d-1256-47ae-bea9-9de8e7131f31\"},{\"properties\":{\"roleName\":\"Azure + Kubernetes Service Policy Add-on Deployment\",\"type\":\"BuiltInRole\",\"description\":\"Deploy + the Azure Policy add-on on Azure Kubernetes Service clusters\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Resources/deployments/*\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/publicIPPrefixes/join/action\",\"Microsoft.Network/publicIPAddresses/join/action\",\"Microsoft.Compute/diskEncryptionSets/read\",\"Microsoft.Compute/proximityPlacementGroups/write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-02-07T20:51:48.5662807Z\",\"updatedOn\":\"2022-03-15T19:19:25.6182575Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18ed5180-3e48-46fd-8541-4ea054d57064\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"18ed5180-3e48-46fd-8541-4ea054d57064\"},{\"properties\":{\"roleName\":\"Domain + Services Reader\",\"type\":\"BuiltInRole\",\"description\":\"Can view Azure + AD Domain Services and related network configurations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Insights/Logs/Read\",\"Microsoft.Insights/Metrics/read\",\"Microsoft.Insights/DiagnosticSettings/read\",\"Microsoft.Insights/DiagnosticSettingsCategories/Read\",\"Microsoft.AAD/domainServices/*/read\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Network/virtualNetworks/virtualNetworkPeerings/read\",\"Microsoft.Network/virtualNetworks/providers/Microsoft.Insights/diagnosticSettings/read\",\"Microsoft.Network/virtualNetworks/providers/Microsoft.Insights/metricDefinitions/read\",\"Microsoft.Network/azureFirewalls/read\",\"Microsoft.Network/ddosProtectionPlans/read\",\"Microsoft.Network/loadBalancers/read\",\"Microsoft.Network/loadBalancers/*/read\",\"Microsoft.Network/natGateways/read\",\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Network/networkSecurityGroups/defaultSecurityRules/read\",\"Microsoft.Network/networkSecurityGroups/read\",\"Microsoft.Network/networkSecurityGroups/securityRules/read\",\"Microsoft.Network/routeTables/read\",\"Microsoft.Network/routeTables/routes/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-02-15T19:38:46.9043170Z\",\"updatedOn\":\"2022-06-27T15:26:25.8631939Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/361898ef-9ed1-48c2-849c-a832951106bb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"361898ef-9ed1-48c2-849c-a832951106bb\"},{\"properties\":{\"roleName\":\"Domain + Services Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can manage + Azure AD Domain Services and related network configurations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Insights/Logs/Read\",\"Microsoft.Insights/Metrics/Read\",\"Microsoft.Insights/DiagnosticSettings/*\",\"Microsoft.Insights/DiagnosticSettingsCategories/Read\",\"Microsoft.AAD/register/action\",\"Microsoft.AAD/unregister/action\",\"Microsoft.AAD/domainServices/*\",\"Microsoft.Network/register/action\",\"Microsoft.Network/unregister/action\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/write\",\"Microsoft.Network/virtualNetworks/delete\",\"Microsoft.Network/virtualNetworks/peer/action\",\"Microsoft.Network/virtualNetworks/join/action\",\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Network/virtualNetworks/subnets/write\",\"Microsoft.Network/virtualNetworks/subnets/delete\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/virtualNetworks/virtualNetworkPeerings/read\",\"Microsoft.Network/virtualNetworks/virtualNetworkPeerings/write\",\"Microsoft.Network/virtualNetworks/virtualNetworkPeerings/delete\",\"Microsoft.Network/virtualNetworks/providers/Microsoft.Insights/diagnosticSettings/read\",\"Microsoft.Network/virtualNetworks/providers/Microsoft.Insights/metricDefinitions/read\",\"Microsoft.Network/azureFirewalls/read\",\"Microsoft.Network/ddosProtectionPlans/read\",\"Microsoft.Network/ddosProtectionPlans/join/action\",\"Microsoft.Network/loadBalancers/read\",\"Microsoft.Network/loadBalancers/delete\",\"Microsoft.Network/loadBalancers/*/read\",\"Microsoft.Network/loadBalancers/backendAddressPools/join/action\",\"Microsoft.Network/loadBalancers/inboundNatRules/join/action\",\"Microsoft.Network/natGateways/join/action\",\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Network/networkInterfaces/write\",\"Microsoft.Network/networkInterfaces/delete\",\"Microsoft.Network/networkInterfaces/join/action\",\"Microsoft.Network/networkSecurityGroups/defaultSecurityRules/read\",\"Microsoft.Network/networkSecurityGroups/read\",\"Microsoft.Network/networkSecurityGroups/write\",\"Microsoft.Network/networkSecurityGroups/delete\",\"Microsoft.Network/networkSecurityGroups/join/action\",\"Microsoft.Network/networkSecurityGroups/securityRules/read\",\"Microsoft.Network/networkSecurityGroups/securityRules/write\",\"Microsoft.Network/networkSecurityGroups/securityRules/delete\",\"Microsoft.Network/routeTables/read\",\"Microsoft.Network/routeTables/write\",\"Microsoft.Network/routeTables/delete\",\"Microsoft.Network/routeTables/join/action\",\"Microsoft.Network/routeTables/routes/read\",\"Microsoft.Network/routeTables/routes/write\",\"Microsoft.Network/routeTables/routes/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-02-15T19:40:22.3943189Z\",\"updatedOn\":\"2022-06-27T15:26:25.8631939Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/eeaeda52-9324-47f6-8069-5d5bade478b2\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"eeaeda52-9324-47f6-8069-5d5bade478b2\"},{\"properties\":{\"roleName\":\"DNS + Resolver Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + manage DNS resolver resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Network/dnsResolvers/read\",\"Microsoft.Network/dnsResolvers/write\",\"Microsoft.Network/dnsResolvers/delete\",\"Microsoft.Network/dnsResolvers/join/action\",\"Microsoft.Network/dnsResolvers/inboundEndpoints/read\",\"Microsoft.Network/dnsResolvers/inboundEndpoints/write\",\"Microsoft.Network/dnsResolvers/inboundEndpoints/delete\",\"Microsoft.Network/dnsResolvers/inboundEndpoints/join/action\",\"Microsoft.Network/dnsResolvers/outboundEndpoints/read\",\"Microsoft.Network/dnsResolvers/outboundEndpoints/write\",\"Microsoft.Network/dnsResolvers/outboundEndpoints/delete\",\"Microsoft.Network/dnsResolvers/outboundEndpoints/join/action\",\"Microsoft.Network/dnsForwardingRulesets/read\",\"Microsoft.Network/dnsForwardingRulesets/write\",\"Microsoft.Network/dnsForwardingRulesets/delete\",\"Microsoft.Network/dnsForwardingRulesets/join/action\",\"Microsoft.Network/dnsForwardingRulesets/forwardingRules/read\",\"Microsoft.Network/dnsForwardingRulesets/forwardingRules/write\",\"Microsoft.Network/dnsForwardingRulesets/forwardingRules/delete\",\"Microsoft.Network/dnsForwardingRulesets/virtualNetworkLinks/read\",\"Microsoft.Network/dnsForwardingRulesets/virtualNetworkLinks/write\",\"Microsoft.Network/dnsForwardingRulesets/virtualNetworkLinks/delete\",\"Microsoft.Network/locations/dnsResolverOperationResults/read\",\"Microsoft.Network/locations/dnsResolverOperationStatuses/read\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/join/action\",\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Network/virtualNetworks/subnets/write\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/virtualNetworks/join/action\",\"Microsoft.Network/virtualNetworks/joinLoadBalancer/action\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/virtualNetworks/subnets/joinLoadBalancer/action\",\"Microsoft.Network/natGateways/join/action\",\"Microsoft.Network/networkSecurityGroups/join/action\",\"Microsoft.Network/routeTables/join/action\",\"Microsoft.Network/serviceEndpointPolicies/join/action\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-02-16T23:25:04.4308795Z\",\"updatedOn\":\"2022-03-11T20:54:15.0659022Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0f2ebee7-ffd4-4fc0-b3b7-664099fdad5d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0f2ebee7-ffd4-4fc0-b3b7-664099fdad5d\"},{\"properties\":{\"roleName\":\"Data + Operator for Managed Disks\",\"type\":\"BuiltInRole\",\"description\":\"Provides + permissions to upload data to empty managed disks, read, or export data of + managed disks (not attached to running VMs) and snapshots using SAS URIs and + Azure AD authentication.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Compute/disks/download/action\",\"Microsoft.Compute/disks/upload/action\",\"Microsoft.Compute/snapshots/download/action\",\"Microsoft.Compute/snapshots/upload/action\"],\"notDataActions\":[]}],\"createdOn\":\"2022-03-01T01:28:16.0862180Z\",\"updatedOn\":\"2022-03-01T01:28:16.0862180Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/959f8984-c045-4866-89c7-12bf9737be2e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"959f8984-c045-4866-89c7-12bf9737be2e\"},{\"properties\":{\"roleName\":\"AgFood + Platform Sensor Partner Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Provides + contribute access to manage sensor related entities in AgFood Platform Service\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AgFoodPlatform/sensorPartnerScope/*\"],\"notDataActions\":[\"Microsoft.AgFoodPlatform/sensorPartnerScope/sensors/delete\"]}],\"createdOn\":\"2022-03-09T04:58:18.4183393Z\",\"updatedOn\":\"2022-03-09T04:58:18.4183393Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6b77f0a0-0d89-41cc-acd1-579c22c17a67\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6b77f0a0-0d89-41cc-acd1-579c22c17a67\"},{\"properties\":{\"roleName\":\"Compute + Gallery Sharing Admin\",\"type\":\"BuiltInRole\",\"description\":\"This role + allows user to share gallery to another subscription/tenant or share it to + the public.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/galleries/share/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-03-10T00:33:23.4134686Z\",\"updatedOn\":\"2022-03-25T20:36:59.8004672Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1ef6a3be-d0ac-425d-8c01-acb62866290b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1ef6a3be-d0ac-425d-8c01-acb62866290b\"},{\"properties\":{\"roleName\":\"Scheduled + Patching Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Provides + access to manage maintenance configurations with maintenance scope InGuestPatch + and corresponding configuration assignments\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Maintenance/maintenanceConfigurations/read\",\"Microsoft.Maintenance/maintenanceConfigurations/write\",\"Microsoft.Maintenance/maintenanceConfigurations/delete\",\"Microsoft.Maintenance/configurationAssignments/read\",\"Microsoft.Maintenance/configurationAssignments/write\",\"Microsoft.Maintenance/configurationAssignments/delete\",\"Microsoft.Maintenance/configurationAssignments/maintenanceScope/InGuestPatch/read\",\"Microsoft.Maintenance/configurationAssignments/maintenanceScope/InGuestPatch/write\",\"Microsoft.Maintenance/configurationAssignments/maintenanceScope/InGuestPatch/delete\",\"Microsoft.Maintenance/maintenanceConfigurations/maintenanceScope/InGuestPatch/read\",\"Microsoft.Maintenance/maintenanceConfigurations/maintenanceScope/InGuestPatch/write\",\"Microsoft.Maintenance/maintenanceConfigurations/maintenanceScope/InGuestPatch/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-03-21T10:27:57.4429306Z\",\"updatedOn\":\"2022-04-13T08:04:30.2446363Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/cd08ab90-6b14-449c-ad9a-8f8e549482c6\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"cd08ab90-6b14-449c-ad9a-8f8e549482c6\"},{\"properties\":{\"roleName\":\"DevCenter + Dev Box User\",\"type\":\"BuiltInRole\",\"description\":\"Provides access + to create and manage dev boxes.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DevCenter/projects/read\",\"Microsoft.DevCenter/projects/*/read\",\"Microsoft.Fidalgo/projects/read\",\"Microsoft.Fidalgo/projects/*/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.DevCenter/projects/users/devboxes/userStop/action\",\"Microsoft.DevCenter/projects/users/devboxes/userStart/action\",\"Microsoft.DevCenter/projects/users/devboxes/userGetRemoteConnection/action\",\"Microsoft.DevCenter/projects/users/devboxes/userRead/action\",\"Microsoft.DevCenter/projects/users/devboxes/userWrite/action\",\"Microsoft.DevCenter/projects/users/devboxes/userDelete/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userStop/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userStart/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userGetRdpFileContent/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userRead/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userWrite/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userDelete/action\"],\"notDataActions\":[]}],\"createdOn\":\"2022-03-30T19:23:03.9063898Z\",\"updatedOn\":\"2022-07-25T15:10:35.9457674Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/45d50f46-0b78-4001-a660-4198cbe8cd05\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"45d50f46-0b78-4001-a660-4198cbe8cd05\"},{\"properties\":{\"roleName\":\"DevCenter + Project Admin\",\"type\":\"BuiltInRole\",\"description\":\"Provides access + to manage project resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DevCenter/projects/*\",\"Microsoft.Fidalgo/projects/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[\"Microsoft.DevCenter/projects/write\",\"Microsoft.DevCenter/projects/delete\",\"Microsoft.Fidalgo/projects/write\",\"Microsoft.Fidalgo/projects/delete\"],\"dataActions\":[\"Microsoft.DevCenter/projects/users/devboxes/adminStart/action\",\"Microsoft.DevCenter/projects/users/devboxes/adminStop/action\",\"Microsoft.DevCenter/projects/users/devboxes/adminRead/action\",\"Microsoft.DevCenter/projects/users/devboxes/adminWrite/action\",\"Microsoft.DevCenter/projects/users/devboxes/adminDelete/action\",\"Microsoft.DevCenter/projects/users/devboxes/userStop/action\",\"Microsoft.DevCenter/projects/users/devboxes/userStart/action\",\"Microsoft.DevCenter/projects/users/devboxes/userGetRemoteConnection/action\",\"Microsoft.DevCenter/projects/users/devboxes/userRead/action\",\"Microsoft.DevCenter/projects/users/devboxes/userWrite/action\",\"Microsoft.DevCenter/projects/users/devboxes/userDelete/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/adminStart/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/adminStop/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/adminRead/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/adminWrite/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/adminDelete/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userStop/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userStart/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userGetRdpFileContent/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userRead/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userWrite/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userDelete/action\"],\"notDataActions\":[]}],\"createdOn\":\"2022-03-31T19:42:53.1063939Z\",\"updatedOn\":\"2022-07-25T15:10:35.9301356Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/331c37c6-af14-46d9-b9f4-e1909e1b95a0\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"331c37c6-af14-46d9-b9f4-e1909e1b95a0\"},{\"properties\":{\"roleName\":\"Virtual + Machine Local User Login\",\"type\":\"BuiltInRole\",\"description\":\"View + Virtual Machines in the portal and login as a local user configured on the + arc server\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HybridCompute/machines/*/read\",\"Microsoft.HybridConnectivity/endpoints/listCredentials/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-04-06T23:57:08.4960876Z\",\"updatedOn\":\"2022-04-16T18:55:22.3226785Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/602da2ba-a5c2-41da-b01d-5360126ab525\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"602da2ba-a5c2-41da-b01d-5360126ab525\"},{\"properties\":{\"roleName\":\"Azure + Arc ScVmm VM Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Arc + ScVmm VM Contributor has permissions to perform all VM actions.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"microsoft.scvmm/virtualmachines/*\",\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/operationresults/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-04-13T17:19:43.4978394Z\",\"updatedOn\":\"2022-05-05T20:21:52.7065718Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e582369a-e17b-42a5-b10c-874c387c530b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e582369a-e17b-42a5-b10c-874c387c530b\"},{\"properties\":{\"roleName\":\"Azure + Arc ScVmm Private Clouds Onboarding\",\"type\":\"BuiltInRole\",\"description\":\"Azure + Arc ScVmm Private Clouds Onboarding role has permissions to provision all + the required resources for onboard and deboard vmm server instances to Azure.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"microsoft.scvmm/vmmservers/Read\",\"microsoft.scvmm/vmmservers/Write\",\"microsoft.scvmm/vmmservers/Delete\",\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/operationresults/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-04-13T17:20:22.0259391Z\",\"updatedOn\":\"2022-05-05T20:21:42.0160634Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6aac74c4-6311-40d2-bbdd-7d01e7c6e3a9\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6aac74c4-6311-40d2-bbdd-7d01e7c6e3a9\"},{\"properties\":{\"roleName\":\"Azure + Arc ScVmm Private Cloud User\",\"type\":\"BuiltInRole\",\"description\":\"Azure + Arc ScVmm Private Cloud User has permissions to use the ScVmm resources to + deploy VMs.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"microsoft.scvmm/virtualnetworks/join/action\",\"microsoft.scvmm/virtualnetworks/Read\",\"microsoft.scvmm/virtualmachinetemplates/clone/action\",\"microsoft.scvmm/virtualmachinetemplates/Read\",\"microsoft.scvmm/clouds/deploy/action\",\"microsoft.scvmm/clouds/Read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-04-13T17:21:31.8768952Z\",\"updatedOn\":\"2022-05-05T20:22:10.3489590Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c0781e91-8102-4553-8951-97c6d4243cda\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c0781e91-8102-4553-8951-97c6d4243cda\"},{\"properties\":{\"roleName\":\"Azure + Arc ScVmm Administrator role\",\"type\":\"BuiltInRole\",\"description\":\"Arc + ScVmm VM Administrator has permissions to perform all ScVmm actions.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ScVmm/*\",\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/operationresults/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-04-13T17:23:34.5429371Z\",\"updatedOn\":\"2022-05-05T20:23:15.0154893Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a92dfd61-77f9-4aec-a531-19858b406c87\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a92dfd61-77f9-4aec-a531-19858b406c87\"},{\"properties\":{\"roleName\":\"FHIR + Data Importer\",\"type\":\"BuiltInRole\",\"description\":\"Role allows user + or principal to read and import FHIR Data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/read\",\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/import/action\"],\"notDataActions\":[]}],\"createdOn\":\"2022-04-19T07:59:47.5802132Z\",\"updatedOn\":\"2022-04-21T09:08:14.6059986Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4465e953-8ced-4406-a58e-0f6e3f3b530b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4465e953-8ced-4406-a58e-0f6e3f3b530b\"},{\"properties\":{\"roleName\":\"API + Management Developer Portal Content Editor\",\"type\":\"BuiltInRole\",\"description\":\"Can + customize the developer portal, edit its content, and publish it.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ApiManagement/service/portalRevisions/read\",\"Microsoft.ApiManagement/service/portalRevisions/write\",\"Microsoft.ApiManagement/service/contentTypes/read\",\"Microsoft.ApiManagement/service/contentTypes/delete\",\"Microsoft.ApiManagement/service/contentTypes/write\",\"Microsoft.ApiManagement/service/contentTypes/contentItems/read\",\"Microsoft.ApiManagement/service/contentTypes/contentItems/write\",\"Microsoft.ApiManagement/service/contentTypes/contentItems/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-05-06T17:39:17.7581243Z\",\"updatedOn\":\"2022-05-10T21:30:34.1382013Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c031e6a8-4391-4de0-8d69-4706a7ed3729\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c031e6a8-4391-4de0-8d69-4706a7ed3729\"},{\"properties\":{\"roleName\":\"VM + Scanner Operator\",\"type\":\"BuiltInRole\",\"description\":\"Role that provides + access to disk snapshot for security analysis.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/disks/read\",\"Microsoft.Compute/disks/beginGetAccess/action\",\"Microsoft.Compute/virtualMachines/instanceView/read\",\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Compute/virtualMachineScaleSets/instanceView/read\",\"Microsoft.Compute/virtualMachineScaleSets/read\",\"Microsoft.Compute/virtualMachineScaleSets/virtualMachines/read\",\"Microsoft.Compute/virtualMachineScaleSets/virtualMachines/instanceView/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-05-15T13:31:34.0748579Z\",\"updatedOn\":\"2022-06-07T17:46:56.0797280Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d24ecba3-c1f4-40fa-a7bb-4588a071e8fd\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d24ecba3-c1f4-40fa-a7bb-4588a071e8fd\"},{\"properties\":{\"roleName\":\"Elastic + SAN Owner\",\"type\":\"BuiltInRole\",\"description\":\"Allows for full access + to all resources under Azure Elastic SAN including changing network security + policies to unblock data path access\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ElasticSan/elasticSans/*\",\"Microsoft.ElasticSan/locations/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-05-26T10:38:46.9791574Z\",\"updatedOn\":\"2022-08-23T15:33:50.1290558Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/80dcbedb-47ef-405d-95bd-188a1b4ac406\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"80dcbedb-47ef-405d-95bd-188a1b4ac406\"},{\"properties\":{\"roleName\":\"Elastic + SAN Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows for control + path read access to Azure Elastic SAN\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ElasticSan/elasticSans/*/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-06-01T05:03:02.6894404Z\",\"updatedOn\":\"2022-08-23T15:33:50.1290558Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/af6a70f8-3c9f-4105-acf1-d719e9fca4ca\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"af6a70f8-3c9f-4105-acf1-d719e9fca4ca\"},{\"properties\":{\"roleName\":\"Desktop + Virtualization Power On Contributor\",\"type\":\"BuiltInRole\",\"description\":\"This + role is in preview and subject to change. Provide permission to the Azure + Virtual Desktop Resource Provider to start virtual machines.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/virtualMachines/start/action\",\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Compute/virtualMachines/instanceView/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-06-28T23:42:01.8059413Z\",\"updatedOn\":\"2022-07-18T15:09:56.4105816Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/489581de-a3bd-480d-9518-53dea7416b33\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"489581de-a3bd-480d-9518-53dea7416b33\"},{\"properties\":{\"roleName\":\"Desktop + Virtualization Virtual Machine Contributor\",\"type\":\"BuiltInRole\",\"description\":\"This + role is in preview and subject to change. Provide permission to the Azure + Virtual Desktop Resource Provider to create, delete, update, start, and stop + virtual machines.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/hostpools/read\",\"Microsoft.DesktopVirtualization/hostpools/write\",\"Microsoft.DesktopVirtualization/hostpools/retrieveRegistrationToken/action\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/write\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/delete\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/disconnect/action\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/sendMessage/action\",\"Microsoft.DesktopVirtualization/hostpools/sessionHostConfigurations/read\",\"Microsoft.Compute/availabilitySets/read\",\"Microsoft.Compute/availabilitySets/write\",\"Microsoft.Compute/availabilitySets/vmSizes/read\",\"Microsoft.Compute/disks/read\",\"Microsoft.Compute/disks/write\",\"Microsoft.Compute/disks/delete\",\"Microsoft.Compute/galleries/read\",\"Microsoft.Compute/galleries/images/read\",\"Microsoft.Compute/galleries/images/versions/read\",\"Microsoft.Compute/images/read\",\"Microsoft.Compute/locations/usages/read\",\"Microsoft.Compute/locations/vmSizes/read\",\"Microsoft.Compute/operations/read\",\"Microsoft.Compute/skus/read\",\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Compute/virtualMachines/write\",\"Microsoft.Compute/virtualMachines/delete\",\"Microsoft.Compute/virtualMachines/start/action\",\"Microsoft.Compute/virtualMachines/powerOff/action\",\"Microsoft.Compute/virtualMachines/restart/action\",\"Microsoft.Compute/virtualMachines/deallocate/action\",\"Microsoft.Compute/virtualMachines/runCommand/action\",\"Microsoft.Compute/virtualMachines/extensions/read\",\"Microsoft.Compute/virtualMachines/extensions/write\",\"Microsoft.Compute/virtualMachines/extensions/delete\",\"Microsoft.Compute/virtualMachines/runCommands/read\",\"Microsoft.Compute/virtualMachines/runCommands/write\",\"Microsoft.Compute/virtualMachines/vmSizes/read\",\"Microsoft.Network/networkSecurityGroups/read\",\"Microsoft.Network/networkInterfaces/write\",\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Network/networkInterfaces/join/action\",\"Microsoft.Network/networkInterfaces/delete\",\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Marketplace/offerTypes/publishers/offers/plans/agreements/read\",\"Microsoft.KeyVault/vaults/deploy/action\",\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-06-28T23:42:01.8059413Z\",\"updatedOn\":\"2022-07-18T15:09:56.4418349Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a959dbd1-f747-45e3-8ba6-dd80f235f97c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a959dbd1-f747-45e3-8ba6-dd80f235f97c\"},{\"properties\":{\"roleName\":\"Desktop + Virtualization Power On Off Contributor\",\"type\":\"BuiltInRole\",\"description\":\"This + role is in preview and subject to change. Provide permission to the Azure + Virtual Desktop Resource Provider to start and stop virtual machines.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/virtualMachines/start/action\",\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Compute/virtualMachines/instanceView/read\",\"Microsoft.Compute/virtualMachines/deallocate/action\",\"Microsoft.Compute/virtualMachines/restart/action\",\"Microsoft.Compute/virtualMachines/powerOff/action\",\"Microsoft.Insights/eventtypes/values/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.DesktopVirtualization/hostpools/read\",\"Microsoft.DesktopVirtualization/hostpools/write\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/write\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/delete\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/sendMessage/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-06-28T23:42:01.8059413Z\",\"updatedOn\":\"2022-07-18T15:09:56.4105816Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/40c5ff49-9181-41f8-ae61-143b0e78555e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"40c5ff49-9181-41f8-ae61-143b0e78555e\"},{\"properties\":{\"roleName\":\"Elastic + SAN Volume Group Owner\",\"type\":\"BuiltInRole\",\"description\":\"Allows + for full access to a volume group in Azure Elastic SAN including changing + network security policies to unblock data path access\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\",\"Microsoft.ElasticSan/elasticSans/volumeGroups/*\",\"Microsoft.ElasticSan/locations/asyncoperations/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-07-04T15:02:16.2021423Z\",\"updatedOn\":\"2022-08-23T15:33:50.1290558Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a8281131-f312-4f34-8d98-ae12be9f0d23\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a8281131-f312-4f34-8d98-ae12be9f0d23\"},{\"properties\":{\"roleName\":\"Access + Review Operator Service Role\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you grant Access Review System app permissions to discover and revoke access + as needed by the access review process.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleAssignments/delete\",\"Microsoft.Management/getEntities/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-07-04T15:02:16.2021423Z\",\"updatedOn\":\"2022-07-04T15:02:16.2021423Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/76cc9ee4-d5d3-4a45-a930-26add3d73475\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"76cc9ee4-d5d3-4a45-a930-26add3d73475\"},{\"properties\":{\"roleName\":\"Code + Signing Identity Verifier\",\"type\":\"BuiltInRole\",\"description\":\"Manage + identity or business verification requests. This role is in preview and subject + to change.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.CodeSigning/IdentityVerification/Read\",\"Microsoft.CodeSigning/IdentityVerification/Write\"],\"notDataActions\":[]}],\"createdOn\":\"2022-07-29T05:35:29.1033854Z\",\"updatedOn\":\"2022-07-29T05:35:29.1033854Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4339b7cf-9826-4e41-b4ed-c7f4505dac08\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4339b7cf-9826-4e41-b4ed-c7f4505dac08\"},{\"properties\":{\"roleName\":\"Video + Indexer Restricted Viewer\",\"type\":\"BuiltInRole\",\"description\":\"Has + access to view and search through all video's insights and transcription in + the Video Indexer portal. No access to model customization, embedding of widget, + downloading videos, or sharing the account.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.VideoIndexer/*/read\",\"Microsoft.VideoIndexer/accounts/*/action\"],\"notActions\":[\"Microsoft.VideoIndexer/*/write\",\"Microsoft.VideoIndexer/*/delete\",\"Microsoft.VideoIndexer/accounts/generateAccessToken/action\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-08-09T18:13:17.0570830Z\",\"updatedOn\":\"2022-08-09T18:13:17.0570830Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a2c4a527-7dc0-4ee3-897b-403ade70fafb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a2c4a527-7dc0-4ee3-897b-403ade70fafb\"},{\"properties\":{\"roleName\":\"Monitoring + Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Can read all monitoring + data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Monitor/accounts/data/metrics/read\"],\"notDataActions\":[]}],\"createdOn\":\"2022-08-19T21:54:43.4996119Z\",\"updatedOn\":\"2022-08-19T21:54:43.4996119Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b0d8363b-8ddd-447d-831f-62ca05bff136\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b0d8363b-8ddd-447d-831f-62ca05bff136\"},{\"properties\":{\"roleName\":\"Azure + Kubernetes Fleet Manager Contributor Role\",\"type\":\"BuiltInRole\",\"description\":\"Grants + access to read and write Azure Kubernetes Fleet Manager clusters\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerService/fleets/*\",\"Microsoft.Resources/deployments/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-08-22T15:27:28.6518806Z\",\"updatedOn\":\"2022-08-22T15:27:28.6518806Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/63bb64ad-9799-4770-b5c3-24ed299a07bf\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"63bb64ad-9799-4770-b5c3-24ed299a07bf\"},{\"properties\":{\"roleName\":\"Azure + Kubernetes Fleet Manager RBAC Writer\",\"type\":\"BuiltInRole\",\"description\":\"Allows + read/write access to most objects in a namespace.This role does not allow + viewing or modifying roles or role bindings. However, this role allows accessing + Secrets as any ServiceAccount in the namespace, so it can be used to gain + the API access levels of any ServiceAccount in the namespace. Applying this + role at cluster scope will give access across all namespaces.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ContainerService/fleets/read\",\"Microsoft.ContainerService/fleets/listCredentials/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/fleets/apps/controllerrevisions/read\",\"Microsoft.ContainerService/fleets/apps/daemonsets/*\",\"Microsoft.ContainerService/fleets/apps/deployments/*\",\"Microsoft.ContainerService/fleets/apps/statefulsets/*\",\"Microsoft.ContainerService/fleets/autoscaling/horizontalpodautoscalers/*\",\"Microsoft.ContainerService/fleets/batch/cronjobs/*\",\"Microsoft.ContainerService/fleets/batch/jobs/*\",\"Microsoft.ContainerService/fleets/configmaps/*\",\"Microsoft.ContainerService/fleets/endpoints/*\",\"Microsoft.ContainerService/fleets/events.k8s.io/events/read\",\"Microsoft.ContainerService/fleets/events/read\",\"Microsoft.ContainerService/fleets/extensions/daemonsets/*\",\"Microsoft.ContainerService/fleets/extensions/deployments/*\",\"Microsoft.ContainerService/fleets/extensions/ingresses/*\",\"Microsoft.ContainerService/fleets/extensions/networkpolicies/*\",\"Microsoft.ContainerService/fleets/limitranges/read\",\"Microsoft.ContainerService/fleets/namespaces/read\",\"Microsoft.ContainerService/fleets/networking.k8s.io/ingresses/*\",\"Microsoft.ContainerService/fleets/networking.k8s.io/networkpolicies/*\",\"Microsoft.ContainerService/fleets/persistentvolumeclaims/*\",\"Microsoft.ContainerService/fleets/policy/poddisruptionbudgets/*\",\"Microsoft.ContainerService/fleets/replicationcontrollers/*\",\"Microsoft.ContainerService/fleets/replicationcontrollers/*\",\"Microsoft.ContainerService/fleets/resourcequotas/read\",\"Microsoft.ContainerService/fleets/secrets/*\",\"Microsoft.ContainerService/fleets/serviceaccounts/*\",\"Microsoft.ContainerService/fleets/services/*\"],\"notDataActions\":[]}],\"createdOn\":\"2022-08-22T15:27:28.6674315Z\",\"updatedOn\":\"2022-08-26T18:15:47.1975516Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5af6afb3-c06c-4fa4-8848-71a8aee05683\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5af6afb3-c06c-4fa4-8848-71a8aee05683\"},{\"properties\":{\"roleName\":\"Azure + Kubernetes Fleet Manager RBAC Admin\",\"type\":\"BuiltInRole\",\"description\":\"This + role grants admin access - provides write permissions on most objects within + a a namespace, with the exception of ResourceQuota object and the namespace + object itself. Applying this role at cluster scope will give access across + all namespaces.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ContainerService/fleets/read\",\"Microsoft.ContainerService/fleets/listCredentials/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/fleets/apps/controllerrevisions/read\",\"Microsoft.ContainerService/fleets/apps/daemonsets/*\",\"Microsoft.ContainerService/fleets/apps/deployments/*\",\"Microsoft.ContainerService/fleets/apps/statefulsets/*\",\"Microsoft.ContainerService/fleets/authorization.k8s.io/localsubjectaccessreviews/write\",\"Microsoft.ContainerService/fleets/autoscaling/horizontalpodautoscalers/*\",\"Microsoft.ContainerService/fleets/batch/cronjobs/*\",\"Microsoft.ContainerService/fleets/batch/jobs/*\",\"Microsoft.ContainerService/fleets/configmaps/*\",\"Microsoft.ContainerService/fleets/endpoints/*\",\"Microsoft.ContainerService/fleets/events.k8s.io/events/read\",\"Microsoft.ContainerService/fleets/events/read\",\"Microsoft.ContainerService/fleets/extensions/daemonsets/*\",\"Microsoft.ContainerService/fleets/extensions/deployments/*\",\"Microsoft.ContainerService/fleets/extensions/ingresses/*\",\"Microsoft.ContainerService/fleets/extensions/networkpolicies/*\",\"Microsoft.ContainerService/fleets/limitranges/read\",\"Microsoft.ContainerService/fleets/namespaces/read\",\"Microsoft.ContainerService/fleets/networking.k8s.io/ingresses/*\",\"Microsoft.ContainerService/fleets/networking.k8s.io/networkpolicies/*\",\"Microsoft.ContainerService/fleets/persistentvolumeclaims/*\",\"Microsoft.ContainerService/fleets/policy/poddisruptionbudgets/*\",\"Microsoft.ContainerService/fleets/rbac.authorization.k8s.io/rolebindings/*\",\"Microsoft.ContainerService/fleets/rbac.authorization.k8s.io/roles/*\",\"Microsoft.ContainerService/fleets/replicationcontrollers/*\",\"Microsoft.ContainerService/fleets/replicationcontrollers/*\",\"Microsoft.ContainerService/fleets/resourcequotas/read\",\"Microsoft.ContainerService/fleets/secrets/*\",\"Microsoft.ContainerService/fleets/serviceaccounts/*\",\"Microsoft.ContainerService/fleets/services/*\"],\"notDataActions\":[]}],\"createdOn\":\"2022-08-22T15:27:28.6518806Z\",\"updatedOn\":\"2022-08-26T18:15:47.2131785Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/434fb43a-c01c-447e-9f67-c3ad923cfaba\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"434fb43a-c01c-447e-9f67-c3ad923cfaba\"},{\"properties\":{\"roleName\":\"Azure + Kubernetes Fleet Manager RBAC Cluster Admin\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you manage all resources in the fleet manager cluster.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ContainerService/fleets/read\",\"Microsoft.ContainerService/fleets/listCredentials/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/fleets/*\"],\"notDataActions\":[]}],\"createdOn\":\"2022-08-22T15:27:28.6674315Z\",\"updatedOn\":\"2022-08-22T15:27:28.6674315Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18ab4d3d-a1bf-4477-8ad9-8359bc988f69\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"18ab4d3d-a1bf-4477-8ad9-8359bc988f69\"},{\"properties\":{\"roleName\":\"Azure + Kubernetes Fleet Manager RBAC Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows + read-only access to see most objects in a namespace. It does not allow viewing + roles or role bindings. This role does not allow viewing Secrets, since reading + the contents of Secrets enables access to ServiceAccount credentials in the + namespace, which would allow API access as any ServiceAccount in the namespace + (a form of privilege escalation). Applying this role at cluster scope will + give access across all namespaces.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ContainerService/fleets/read\",\"Microsoft.ContainerService/fleets/listCredentials/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/fleets/apps/controllerrevisions/read\",\"Microsoft.ContainerService/fleets/apps/daemonsets/read\",\"Microsoft.ContainerService/fleets/apps/deployments/read\",\"Microsoft.ContainerService/fleets/apps/statefulsets/read\",\"Microsoft.ContainerService/fleets/autoscaling/horizontalpodautoscalers/read\",\"Microsoft.ContainerService/fleets/batch/cronjobs/read\",\"Microsoft.ContainerService/fleets/batch/jobs/read\",\"Microsoft.ContainerService/fleets/configmaps/read\",\"Microsoft.ContainerService/fleets/endpoints/read\",\"Microsoft.ContainerService/fleets/events.k8s.io/events/read\",\"Microsoft.ContainerService/fleets/events/read\",\"Microsoft.ContainerService/fleets/extensions/daemonsets/read\",\"Microsoft.ContainerService/fleets/extensions/deployments/read\",\"Microsoft.ContainerService/fleets/extensions/ingresses/read\",\"Microsoft.ContainerService/fleets/extensions/networkpolicies/read\",\"Microsoft.ContainerService/fleets/limitranges/read\",\"Microsoft.ContainerService/fleets/namespaces/read\",\"Microsoft.ContainerService/fleets/networking.k8s.io/ingresses/read\",\"Microsoft.ContainerService/fleets/networking.k8s.io/networkpolicies/read\",\"Microsoft.ContainerService/fleets/persistentvolumeclaims/read\",\"Microsoft.ContainerService/fleets/policy/poddisruptionbudgets/read\",\"Microsoft.ContainerService/fleets/replicationcontrollers/read\",\"Microsoft.ContainerService/fleets/replicationcontrollers/read\",\"Microsoft.ContainerService/fleets/resourcequotas/read\",\"Microsoft.ContainerService/fleets/serviceaccounts/read\",\"Microsoft.ContainerService/fleets/services/read\"],\"notDataActions\":[]}],\"createdOn\":\"2022-08-22T15:27:28.6674315Z\",\"updatedOn\":\"2022-08-26T18:15:47.2131785Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/30b27cfc-9c84-438e-b0ce-70e35255df80\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"30b27cfc-9c84-438e-b0ce-70e35255df80\"},{\"properties\":{\"roleName\":\"Kubernetes + Namespace User\",\"type\":\"BuiltInRole\",\"description\":\"Allows a user + to read namespace resources and retrieve kubeconfig for the cluster\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.KubernetesConfiguration/namespaces/read\",\"Microsoft.KubernetesConfiguration/namespaces/listUserCredential/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-08-24T06:03:16.2733663Z\",\"updatedOn\":\"2022-08-24T06:03:16.2733663Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ba79058c-0414-4a34-9e42-c3399d80cd5a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ba79058c-0414-4a34-9e42-c3399d80cd5a\"}]}" + headers: + cache-control: + - no-cache + content-length: + - '425586' + content-type: + - application/json; charset=utf-8 date: - - Mon, 13 Feb 2023 07:46:06 GMT + - Mon, 05 Sep 2022 11:52:17 GMT expires: - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzU5NzM0ZmFlLWJiYTEtNDg1ZS1iNzRiLWI5NzYyNTQzN2I0MQ==?api-version=2022-05-01 pragma: - no-cache + set-cookie: + - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly strict-transport-security: - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1199' - x-powered-by: - - ASP.NET status: - code: 202 - message: Accepted + code: 200 + message: OK - request: - body: null + body: '{"ids": ["b864e281-c12e-45c6-a0c7-6046a7de5481"], "types": ["user", "group", + "servicePrincipal", "directoryObjectPartnerReference"]}' headers: Accept: - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance validate-for-backup + - dataprotection backup-instance update-msi-permissions Connection: - keep-alive + Content-Length: + - '132' + Content-Type: + - application/json ParameterSetName: - - -g --vault-name --backup-instance + - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance + --keyvault-id --yes User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzU5NzM0ZmFlLWJiYTEtNDg1ZS1iNzRiLWI5NzYyNTQzN2I0MQ==?api-version=2022-05-01 + - python/3.8.5 (Windows-10-10.0.22000-SP0) AZURECLI/2.39.0 + method: POST + uri: https://graph.microsoft.com/v1.0/directoryObjects/getByIds response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzU5NzM0ZmFlLWJiYTEtNDg1ZS1iNzRiLWI5NzYyNTQzN2I0MQ==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzU5NzM0ZmFlLWJiYTEtNDg1ZS1iNzRiLWI5NzYyNTQzN2I0MQ==","status":"Inprogress","startTime":"2023-02-13T07:46:07.1066179Z","endTime":"0001-01-01T00:00:00Z"}' + string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#directoryObjects","value":[{"@odata.type":"#microsoft.graph.servicePrincipal","id":"b864e281-c12e-45c6-a0c7-6046a7de5481","deletedDateTime":null,"accountEnabled":true,"alternativeNames":["isExplicit=False","/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault"],"appDisplayName":null,"appDescription":null,"appId":"49bc63b1-190a-4f4e-a962-58db2c2f7112","applicationTemplateId":null,"appOwnerOrganizationId":null,"appRoleAssignmentRequired":false,"createdDateTime":"2021-08-26T09:13:20Z","description":null,"disabledByMicrosoftStatus":null,"displayName":"oss-clitest-vault","homepage":null,"loginUrl":null,"logoutUrl":null,"notes":null,"notificationEmailAddresses":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyThumbprint":null,"replyUrls":[],"servicePrincipalNames":["49bc63b1-190a-4f4e-a962-58db2c2f7112","https://identity.azure.net/QVMExgU4rxwt5XEm5whEdHZLrmsaL9M/n/eZXzCcN54="],"servicePrincipalType":"ManagedIdentity","signInAudience":null,"tags":[],"tokenEncryptionKeyId":null,"info":null,"samlSingleSignOnSettings":null,"addIns":[],"appRoles":[],"keyCredentials":[{"customKeyIdentifier":"06DD62CA457312E21DDF22C874328A49AF671767","displayName":"CN=49bc63b1-190a-4f4e-a962-58db2c2f7112","endDateTime":"2022-10-12T18:18:00Z","key":null,"keyId":"38633d99-d5b8-4a29-b73c-49341b7f7b4f","startDateTime":"2022-07-14T18:18:00Z","type":"AsymmetricX509Cert","usage":"Verify"},{"customKeyIdentifier":"10296B63A1DD090AB64281F85000C1822BB84F58","displayName":"CN=49bc63b1-190a-4f4e-a962-58db2c2f7112","endDateTime":"2022-08-27T17:02:00Z","key":null,"keyId":"bbf02149-b332-4456-83c8-e66d2d66c8a1","startDateTime":"2022-05-29T17:02:00Z","type":"AsymmetricX509Cert","usage":"Verify"},{"customKeyIdentifier":"F0931109872A337B348A716A953CBFF5C7994B9B","displayName":"CN=49bc63b1-190a-4f4e-a962-58db2c2f7112","endDateTime":"2022-07-12T15:44:00Z","key":null,"keyId":"c6e3d740-2fe2-4b79-9125-f45fa0deca41","startDateTime":"2022-04-13T15:44:00Z","type":"AsymmetricX509Cert","usage":"Verify"}],"oauth2PermissionScopes":[],"passwordCredentials":[],"resourceSpecificApplicationPermissions":[],"verifiedPublisher":{"displayName":null,"verifiedPublisherId":null,"addedDateTime":null}}]}' headers: cache-control: - no-cache content-length: - - '481' + - '2337' content-type: - - application/json + - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 date: - - Mon, 13 Feb 2023 07:46:17 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 + - Mon, 05 Sep 2022 11:52:17 GMT + location: + - https://graph.microsoft.com + odata-version: + - '4.0' + request-id: + - 1a7de589-437a-47af-8e1c-3e9d156633ab strict-transport-security: - - max-age=31536000; includeSubDomains + - max-age=31536000 transfer-encoding: - chunked vary: - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '997' - x-powered-by: - - ASP.NET + x-ms-ags-diagnostic: + - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"001","RoleInstance":"MA1PEPF00003103"}}' + x-ms-resource-unit: + - '3' status: code: 200 message: OK @@ -13872,38 +5653,38 @@ interactions: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance validate-for-backup + - dataprotection backup-instance update-msi-permissions Connection: - keep-alive ParameterSetName: - - -g --vault-name --backup-instance + - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance + --keyvault-id --yes User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-rdbms/10.2.0b3 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzU5NzM0ZmFlLWJiYTEtNDg1ZS1iNzRiLWI5NzYyNTQzN2I0MQ==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/firewallRules?api-version=2017-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzU5NzM0ZmFlLWJiYTEtNDg1ZS1iNzRiLWI5NzYyNTQzN2I0MQ==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzU5NzM0ZmFlLWJiYTEtNDg1ZS1iNzRiLWI5NzYyNTQzN2I0MQ==","status":"Succeeded","startTime":"2023-02-13T07:46:07.1066179Z","endTime":"2023-02-13T07:46:28Z"}' + string: '{"value":[{"properties":{"startIpAddress":"0.0.0.0","endIpAddress":"0.0.0.0"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/firewallRules/AllowAllWindowsAzureIps","name":"AllowAllWindowsAzureIps","type":"Microsoft.DBforPostgreSQL/servers/firewallRules"}]}' headers: cache-control: - no-cache content-length: - - '480' + - '360' content-type: - - application/json + - application/json; charset=utf-8 date: - - Mon, 13 Feb 2023 07:46:48 GMT + - Mon, 05 Sep 2022 11:52:19 GMT expires: - '-1' pragma: - no-cache server: - - Microsoft-IIS/10.0 + - Microsoft-HTTPAPI/2.0 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -13912,10 +5693,6 @@ interactions: - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '996' - x-powered-by: - - ASP.NET status: code: 200 message: OK @@ -13927,136 +5704,136 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance validate-for-backup + - role assignment create Connection: - keep-alive ParameterSetName: - - -g --vault-name --backup-instance + - --assignee --role --scope User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - python/3.8.5 (Windows-10-10.0.22000-SP0) AZURECLI/2.39.0 method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzU5NzM0ZmFlLWJiYTEtNDg1ZS1iNzRiLWI5NzYyNTQzN2I0MQ==?api-version=2022-05-01 + uri: https://graph.microsoft.com/v1.0/servicePrincipals?$filter=servicePrincipalNames%2Fany%28c%3Ac%20eq%20%27f41bd262-eb21-47f1-9706-f12132d865e3%27%29 response: body: - string: '{"objectType":"OperationJobExtendedInfo"}' + string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#servicePrincipals","value":[]}' headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzU5NzM0ZmFlLWJiYTEtNDg1ZS1iNzRiLWI5NzYyNTQzN2I0MQ==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '41' + - '92' content-type: - - application/json + - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 date: - - Mon, 13 Feb 2023 07:46:48 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 + - Mon, 05 Sep 2022 11:52:20 GMT + odata-version: + - '4.0' + request-id: + - 27128e48-a826-4f23-8847-d3785132b2b4 strict-transport-security: - - max-age=31536000; includeSubDomains + - max-age=31536000 transfer-encoding: - chunked vary: - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' - x-powered-by: - - ASP.NET + x-ms-ags-diagnostic: + - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"001","RoleInstance":"MA1PEPF0000272F"}}' + x-ms-resource-unit: + - '1' status: code: 200 message: OK - request: - body: null + body: '{"ids": ["f41bd262-eb21-47f1-9706-f12132d865e3"], "types": ["user", "group", + "servicePrincipal", "directoryObjectPartnerReference"]}' headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - postgres server firewall-rule delete + - role assignment create Connection: - keep-alive Content-Length: - - '0' + - '132' + Content-Type: + - application/json ParameterSetName: - - -g -s -n --yes + - --assignee --role --scope User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-rdbms/10.2.0b6 Python/3.10.7 (Windows-10-10.0.22621-SP0) - method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/firewallRules/AllowAllWindowsAzureIps?api-version=2017-12-01 + - python/3.8.5 (Windows-10-10.0.22000-SP0) AZURECLI/2.39.0 + method: POST + uri: https://graph.microsoft.com/v1.0/directoryObjects/getByIds response: body: - string: '{"operation":"DropElasticServerFirewallRule","startTime":"2023-02-13T07:46:50.13Z"}' + string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#directoryObjects","value":[{"@odata.type":"#microsoft.graph.servicePrincipal","id":"f41bd262-eb21-47f1-9706-f12132d865e3","deletedDateTime":null,"accountEnabled":true,"alternativeNames":["isExplicit=False","/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/sarath-rg/providers/Microsoft.DataProtection/BackupVaults/cli-test-new-vault"],"appDisplayName":null,"appDescription":null,"appId":"1666ae40-2096-498b-9acd-d5cc76560b85","applicationTemplateId":null,"appOwnerOrganizationId":null,"appRoleAssignmentRequired":false,"createdDateTime":"2022-09-05T11:45:43Z","description":null,"disabledByMicrosoftStatus":null,"displayName":"cli-test-new-vault","homepage":null,"loginUrl":null,"logoutUrl":null,"notes":null,"notificationEmailAddresses":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyThumbprint":null,"replyUrls":[],"servicePrincipalNames":["1666ae40-2096-498b-9acd-d5cc76560b85","https://identity.azure.net/yHvRErNNmOMZ4EezrAqFKc6Ca0cDdhCvjeK23cGv1hE="],"servicePrincipalType":"ManagedIdentity","signInAudience":null,"tags":[],"tokenEncryptionKeyId":null,"info":null,"samlSingleSignOnSettings":null,"addIns":[],"appRoles":[],"keyCredentials":[{"customKeyIdentifier":"2E54114573727C7AB82A79610024368806BB3E76","displayName":"CN=1666ae40-2096-498b-9acd-d5cc76560b85","endDateTime":"2022-12-04T11:40:00Z","key":null,"keyId":"091f0c89-7baf-4d09-9c75-83c18191f1f0","startDateTime":"2022-09-05T11:40:00Z","type":"AsymmetricX509Cert","usage":"Verify"}],"oauth2PermissionScopes":[],"passwordCredentials":[],"resourceSpecificApplicationPermissions":[],"verifiedPublisher":{"displayName":null,"verifiedPublisherId":null,"addedDateTime":null}}]}' headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DBforPostgreSQL/locations/centraluseuap/azureAsyncOperation/24115e67-4100-4262-8494-16d8fd0ce491?api-version=2017-12-01 cache-control: - no-cache content-length: - - '83' + - '1730' content-type: - - application/json; charset=utf-8 + - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 date: - - Mon, 13 Feb 2023 07:46:52 GMT - expires: - - '-1' + - Mon, 05 Sep 2022 11:52:20 GMT location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DBforPostgreSQL/locations/centraluseuap/operationResults/24115e67-4100-4262-8494-16d8fd0ce491?api-version=2017-12-01 - pragma: - - no-cache - server: - - Microsoft-HTTPAPI/2.0 + - https://graph.microsoft.com + odata-version: + - '4.0' + request-id: + - 53504841-c90f-4b28-a603-55b56a420de2 strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-deletes: - - '14997' + - max-age=31536000 + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-ms-ags-diagnostic: + - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"001","RoleInstance":"MA1PEPF00002517"}}' + x-ms-resource-unit: + - '3' status: - code: 202 - message: Accepted + code: 200 + message: OK - request: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - postgres server firewall-rule delete + - role assignment create Connection: - keep-alive ParameterSetName: - - -g -s -n --yes + - --assignee --role --scope User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-rdbms/10.2.0b6 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 + Azure-SDK-For-Python AZURECLI/2.39.0 + accept-language: + - en-US method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DBforPostgreSQL/locations/centraluseuap/azureAsyncOperation/24115e67-4100-4262-8494-16d8fd0ce491?api-version=2017-12-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Disk%20Restore%20Operator%27&api-version=2018-01-01-preview response: body: - string: '{"name":"24115e67-4100-4262-8494-16d8fd0ce491","status":"Succeeded","startTime":"2023-02-13T07:46:50.13Z"}' + string: '{"value":[{"properties":{"roleName":"Disk Restore Operator","type":"BuiltInRole","description":"Provides + permission to backup vault to perform disk restore.","assignableScopes":["/"],"permissions":[{"actions":["Microsoft.Authorization/*/read","Microsoft.Resources/subscriptions/resourceGroups/read","Microsoft.Compute/disks/write","Microsoft.Compute/disks/read"],"notActions":[],"dataActions":[],"notDataActions":[]}],"createdOn":"2020-12-15T12:18:31.8481619Z","updatedOn":"2021-11-11T20:14:56.7408912Z","createdBy":null,"updatedBy":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","type":"Microsoft.Authorization/roleDefinitions","name":"b50d9833-a0cb-478e-945f-707fcc997c13"}]}' headers: cache-control: - no-cache content-length: - - '106' + - '782' content-type: - application/json; charset=utf-8 date: - - Mon, 13 Feb 2023 07:47:08 GMT + - Mon, 05 Sep 2022 11:52:20 GMT expires: - '-1' pragma: - no-cache - server: - - Microsoft-HTTPAPI/2.0 + set-cookie: + - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -14069,113 +5846,115 @@ interactions: code: 200 message: OK - request: - body: '{"backupInstance": {"dataSourceInfo": {"datasourceType": "Microsoft.Compute/disks", - "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1", - "resourceLocation": "centraluseuap", "resourceName": "cli-test-disk-new1", "resourceType": - "Microsoft.Compute/disks", "resourceUri": ""}, "policyInfo": {"policyId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy", - "policyParameters": {"dataStoreParametersList": [{"objectType": "AzureOperationalStoreParameters", - "dataStoreType": "OperationalStore", "resourceGroupId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}}, - "objectType": "BackupInstance"}}' + body: '{"properties": {"roleDefinitionId": "/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13", + "principalId": "f41bd262-eb21-47f1-9706-f12132d865e3", "principalType": "ServicePrincipal"}}' headers: Accept: - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance create + - role assignment create Connection: - keep-alive Content-Length: - - '869' + - '270' Content-Type: - - application/json + - application/json; charset=utf-8 + Cookie: + - x-ms-gateway-slice=Production ParameterSetName: - - -g --vault-name --backup-instance + - --assignee --role --scope User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/validateForBackup?api-version=2022-05-01 + - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 + Azure-SDK-For-Python AZURECLI/2.39.0 + accept-language: + - en-US + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/19633fe8-03e5-4a16-8ca8-6132e216935f?api-version=2020-04-01-preview response: body: - string: '' + string: '{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13","principalId":"f41bd262-eb21-47f1-9706-f12132d865e3","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg","condition":null,"conditionVersion":null,"createdOn":"2022-09-05T11:52:21.3638807Z","updatedOn":"2022-09-05T11:52:22.0514639Z","createdBy":null,"updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Authorization/roleAssignments/19633fe8-03e5-4a16-8ca8-6132e216935f","type":"Microsoft.Authorization/roleAssignments","name":"19633fe8-03e5-4a16-8ca8-6132e216935f"}' headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2RlODdmYWJjLWRjNTUtNGI5Yy1hZjQ5LWRjMWIwN2VlNjc0Yw==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '0' + - '873' + content-type: + - application/json; charset=utf-8 date: - - Mon, 13 Feb 2023 07:47:09 GMT + - Mon, 05 Sep 2022 11:52:27 GMT expires: - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2RlODdmYWJjLWRjNTUtNGI5Yy1hZjQ5LWRjMWIwN2VlNjc0Yw==?api-version=2022-05-01 pragma: - no-cache + set-cookie: + - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly strict-transport-security: - max-age=31536000; includeSubDomains x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-writes: - - '1198' - x-powered-by: - - ASP.NET + - '1197' status: - code: 202 - message: Accepted + code: 201 + message: Created - request: - body: null + body: '{"backupInstance": {"dataSourceInfo": {"datasourceType": "Microsoft.Compute/disks", + "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new", + "resourceLocation": "centraluseuap", "resourceName": "cli-test-disk-new", "resourceType": + "Microsoft.Compute/disks", "resourceUri": ""}, "policyInfo": {"policyId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy", + "policyParameters": {"dataStoreParametersList": [{"objectType": "AzureOperationalStoreParameters", + "dataStoreType": "OperationalStore", "resourceGroupId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}}, + "objectType": "BackupInstance"}}' headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance create + - dataprotection backup-instance validate-for-backup Connection: - keep-alive + Content-Length: + - '866' + Content-Type: + - application/json ParameterSetName: - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2RlODdmYWJjLWRjNTUtNGI5Yy1hZjQ5LWRjMWIwN2VlNjc0Yw==?api-version=2022-05-01 + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/validateForBackup?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2RlODdmYWJjLWRjNTUtNGI5Yy1hZjQ5LWRjMWIwN2VlNjc0Yw==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2RlODdmYWJjLWRjNTUtNGI5Yy1hZjQ5LWRjMWIwN2VlNjc0Yw==","status":"Inprogress","startTime":"2023-02-13T07:47:10.6063229Z","endTime":"0001-01-01T00:00:00Z"}' + string: '' headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y5ZTBhYTlmLWE1NzAtNGJkNS1hNDMzLWFmOTVjZjg4MTYzNw==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '478' - content-type: - - application/json + - '0' date: - - Mon, 13 Feb 2023 07:47:20 GMT + - Mon, 05 Sep 2022 11:54:29 GMT expires: - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y5ZTBhYTlmLWE1NzAtNGJkNS1hNDMzLWFmOTVjZjg4MTYzNw==?api-version=2022-05-01 pragma: - no-cache - server: - - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '993' + x-ms-ratelimit-remaining-subscription-writes: + - '1198' x-powered-by: - ASP.NET status: - code: 200 - message: OK + code: 202 + message: Accepted - request: body: null headers: @@ -14184,28 +5963,27 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance create + - dataprotection backup-instance validate-for-backup Connection: - keep-alive ParameterSetName: - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2RlODdmYWJjLWRjNTUtNGI5Yy1hZjQ5LWRjMWIwN2VlNjc0Yw==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y5ZTBhYTlmLWE1NzAtNGJkNS1hNDMzLWFmOTVjZjg4MTYzNw==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2RlODdmYWJjLWRjNTUtNGI5Yy1hZjQ5LWRjMWIwN2VlNjc0Yw==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2RlODdmYWJjLWRjNTUtNGI5Yy1hZjQ5LWRjMWIwN2VlNjc0Yw==","status":"Inprogress","startTime":"2023-02-13T07:47:10.6063229Z","endTime":"0001-01-01T00:00:00Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y5ZTBhYTlmLWE1NzAtNGJkNS1hNDMzLWFmOTVjZjg4MTYzNw==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y5ZTBhYTlmLWE1NzAtNGJkNS1hNDMzLWFmOTVjZjg4MTYzNw==","status":"Inprogress","startTime":"2022-09-05T11:54:30.0555277Z","endTime":"0001-01-01T00:00:00Z"}' headers: cache-control: - no-cache content-length: - - '478' + - '477' content-type: - application/json date: - - Mon, 13 Feb 2023 07:47:51 GMT + - Mon, 05 Sep 2022 11:54:40 GMT expires: - '-1' pragma: @@ -14221,7 +5999,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '992' + - '995' x-powered-by: - ASP.NET status: @@ -14235,28 +6013,27 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance create + - dataprotection backup-instance validate-for-backup Connection: - keep-alive ParameterSetName: - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2RlODdmYWJjLWRjNTUtNGI5Yy1hZjQ5LWRjMWIwN2VlNjc0Yw==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y5ZTBhYTlmLWE1NzAtNGJkNS1hNDMzLWFmOTVjZjg4MTYzNw==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2RlODdmYWJjLWRjNTUtNGI5Yy1hZjQ5LWRjMWIwN2VlNjc0Yw==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2RlODdmYWJjLWRjNTUtNGI5Yy1hZjQ5LWRjMWIwN2VlNjc0Yw==","status":"Succeeded","startTime":"2023-02-13T07:47:10.6063229Z","endTime":"2023-02-13T07:47:53Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y5ZTBhYTlmLWE1NzAtNGJkNS1hNDMzLWFmOTVjZjg4MTYzNw==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y5ZTBhYTlmLWE1NzAtNGJkNS1hNDMzLWFmOTVjZjg4MTYzNw==","status":"Succeeded","startTime":"2022-09-05T11:54:30.0555277Z","endTime":"2022-09-05T11:55:05Z"}' headers: cache-control: - no-cache content-length: - - '477' + - '476' content-type: - application/json date: - - Mon, 13 Feb 2023 07:48:21 GMT + - Mon, 05 Sep 2022 11:55:11 GMT expires: - '-1' pragma: @@ -14272,7 +6049,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '991' + - '994' x-powered-by: - ASP.NET status: @@ -14286,22 +6063,21 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance create + - dataprotection backup-instance validate-for-backup Connection: - keep-alive ParameterSetName: - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2RlODdmYWJjLWRjNTUtNGI5Yy1hZjQ5LWRjMWIwN2VlNjc0Yw==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y5ZTBhYTlmLWE1NzAtNGJkNS1hNDMzLWFmOTVjZjg4MTYzNw==?api-version=2022-05-01 response: body: string: '{"objectType":"OperationJobExtendedInfo"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2RlODdmYWJjLWRjNTUtNGI5Yy1hZjQ5LWRjMWIwN2VlNjc0Yw==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y5ZTBhYTlmLWE1NzAtNGJkNS1hNDMzLWFmOTVjZjg4MTYzNw==?api-version=2022-05-01 cache-control: - no-cache content-length: @@ -14309,7 +6085,7 @@ interactions: content-type: - application/json date: - - Mon, 13 Feb 2023 07:48:21 GMT + - Mon, 05 Sep 2022 11:55:12 GMT expires: - '-1' pragma: @@ -14332,12 +6108,11 @@ interactions: code: 200 message: OK - request: - body: '{"tags": {"Owner": "dppclitest"}, "properties": {"dataSourceInfo": {"datasourceType": - "Microsoft.Compute/disks", "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1", - "resourceLocation": "centraluseuap", "resourceName": "cli-test-disk-new1", "resourceType": - "Microsoft.Compute/disks", "resourceUri": ""}, "policyInfo": {"policyId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy", - "policyParameters": {"dataStoreParametersList": [{"objectType": "AzureOperationalStoreParameters", - "dataStoreType": "OperationalStore", "resourceGroupId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}}, + body: '{"backupInstance": {"dataSourceInfo": {"datasourceType": "Microsoft.Storage/storageAccounts/blobServices", + "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount", + "resourceLocation": "centraluseuap", "resourceName": "cliteststoreaccount", + "resourceType": "Microsoft.Storage/storageAccounts", "resourceUri": ""}, "policyInfo": + {"policyId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/storagepolicy"}, "objectType": "BackupInstance"}}' headers: Accept: @@ -14345,51 +6120,48 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance create + - dataprotection backup-instance validate-for-backup Connection: - keep-alive Content-Length: - - '898' + - '678' Content-Type: - application/json ParameterSetName: - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1?api-version=2022-05-01 + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/validateForBackup?api-version=2022-05-01 response: body: - string: '{"tags":{"Owner":"dppclitest"},"properties":{"friendlyName":"cli-test-disk-new1","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","resourceUri":"","datasourceType":"Microsoft.Compute/disks","resourceName":"cli-test-disk-new1","resourceType":"Microsoft.Compute/disks","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","policyParameters":{"dataStoreParametersList":[{"objectType":"AzureOperationalStoreParameters","dataStoreType":"OperationalStore","resourceGroupId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}},"protectionStatus":{"status":"ConfiguringProtection"},"currentProtectionState":"ConfiguringProtection","provisioningState":"Provisioning","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","name":"cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' + string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzQ3MDI4YzhlLWI5NTUtNDhmOS05YTNjLWViZWRkN2Q3YjRjYQ==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2VmOWE5ZDZjLTIyMTMtNDJkYy04MzU1LTg1ZGI4MThjNzFhMw==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '1431' - content-type: - - application/json + - '0' date: - - Mon, 13 Feb 2023 07:48:23 GMT + - Mon, 05 Sep 2022 11:55:14 GMT expires: - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2VmOWE5ZDZjLTIyMTMtNDJkYy04MzU1LTg1ZGI4MThjNzFhMw==?api-version=2022-05-01 pragma: - no-cache - server: - - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + x-ms-ratelimit-remaining-subscription-writes: + - '1199' x-powered-by: - ASP.NET status: - code: 201 - message: Created + code: 202 + message: Accepted - request: body: null headers: @@ -14398,28 +6170,27 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance create + - dataprotection backup-instance validate-for-backup Connection: - keep-alive ParameterSetName: - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzQ3MDI4YzhlLWI5NTUtNDhmOS05YTNjLWViZWRkN2Q3YjRjYQ==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2VmOWE5ZDZjLTIyMTMtNDJkYy04MzU1LTg1ZGI4MThjNzFhMw==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzQ3MDI4YzhlLWI5NTUtNDhmOS05YTNjLWViZWRkN2Q3YjRjYQ==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzQ3MDI4YzhlLWI5NTUtNDhmOS05YTNjLWViZWRkN2Q3YjRjYQ==","status":"Succeeded","startTime":"2023-02-13T07:48:23.365622Z","endTime":"2023-02-13T07:48:24Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2VmOWE5ZDZjLTIyMTMtNDJkYy04MzU1LTg1ZGI4MThjNzFhMw==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2VmOWE5ZDZjLTIyMTMtNDJkYy04MzU1LTg1ZGI4MThjNzFhMw==","status":"Inprogress","startTime":"2022-09-05T11:55:14.8500483Z","endTime":"0001-01-01T00:00:00Z"}' headers: cache-control: - no-cache content-length: - - '476' + - '477' content-type: - application/json date: - - Mon, 13 Feb 2023 07:48:38 GMT + - Mon, 05 Sep 2022 11:55:25 GMT expires: - '-1' pragma: @@ -14435,7 +6206,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '990' + - '999' x-powered-by: - ASP.NET status: @@ -14449,28 +6220,27 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance create + - dataprotection backup-instance validate-for-backup Connection: - keep-alive ParameterSetName: - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2VmOWE5ZDZjLTIyMTMtNDJkYy04MzU1LTg1ZGI4MThjNzFhMw==?api-version=2022-05-01 response: body: - string: '{"tags":{"Owner":"dppclitest"},"properties":{"friendlyName":"cli-test-disk-new1","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","resourceUri":"","datasourceType":"Microsoft.Compute/disks","resourceName":"cli-test-disk-new1","resourceType":"Microsoft.Compute/disks","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","policyParameters":{"dataStoreParametersList":[{"objectType":"AzureOperationalStoreParameters","dataStoreType":"OperationalStore","resourceGroupId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}},"protectionStatus":{"status":"ConfiguringProtection"},"currentProtectionState":"ConfiguringProtection","provisioningState":"Succeeded","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","name":"cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2VmOWE5ZDZjLTIyMTMtNDJkYy04MzU1LTg1ZGI4MThjNzFhMw==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2VmOWE5ZDZjLTIyMTMtNDJkYy04MzU1LTg1ZGI4MThjNzFhMw==","status":"Succeeded","startTime":"2022-09-05T11:55:14.8500483Z","endTime":"2022-09-05T11:55:46Z"}' headers: cache-control: - no-cache content-length: - - '1428' + - '476' content-type: - application/json date: - - Mon, 13 Feb 2023 07:48:38 GMT + - Mon, 05 Sep 2022 11:55:56 GMT expires: - '-1' pragma: @@ -14486,7 +6256,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '1999' + - '998' x-powered-by: - ASP.NET status: @@ -14496,32 +6266,33 @@ interactions: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance list + - dataprotection backup-instance validate-for-backup Connection: - keep-alive ParameterSetName: - - -g --vault-name --query + - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2VmOWE5ZDZjLTIyMTMtNDJkYy04MzU1LTg1ZGI4MThjNzFhMw==?api-version=2022-05-01 response: body: - string: '{"value":[{"tags":{"Owner":"dppclitest"},"properties":{"friendlyName":"cli-test-disk-new1","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","resourceUri":"","datasourceType":"Microsoft.Compute/disks","resourceName":"cli-test-disk-new1","resourceType":"Microsoft.Compute/disks","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","policyParameters":{"dataStoreParametersList":[{"objectType":"AzureOperationalStoreParameters","dataStoreType":"OperationalStore","resourceGroupId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}},"protectionStatus":{"status":"ConfiguringProtection"},"currentProtectionState":"ConfiguringProtection","provisioningState":"Succeeded","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","name":"cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","type":"Microsoft.DataProtection/backupVaults/backupInstances"}]}' + string: '{"objectType":"OperationJobExtendedInfo"}' headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2VmOWE5ZDZjLTIyMTMtNDJkYy04MzU1LTg1ZGI4MThjNzFhMw==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '1440' + - '41' content-type: - application/json date: - - Mon, 13 Feb 2023 07:48:40 GMT + - Mon, 05 Sep 2022 11:55:56 GMT expires: - '-1' pragma: @@ -14537,42 +6308,102 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '1999' + - '199' x-powered-by: - ASP.NET status: code: 200 message: OK - request: - body: null + body: '{"backupInstance": {"dataSourceInfo": {"datasourceType": "Microsoft.DBforPostgreSQL/servers/databases", + "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres", + "resourceLocation": "centraluseuap", "resourceName": "postgres", "resourceType": + "Microsoft.DBforPostgreSQL/servers/databases", "resourceUri": ""}, "dataSourceSetInfo": + {"datasourceType": "Microsoft.DBforPostgreSQL/servers/databases", "objectType": + "DatasourceSet", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server", + "resourceLocation": "centraluseuap", "resourceName": "oss-clitest-server", "resourceType": + "Microsoft.DBforPostgreSQL/servers", "resourceUri": ""}, "policyInfo": {"policyId": + "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy"}, + "datasourceAuthCredentials": {"objectType": "SecretStoreBasedAuthCredentials", + "secretStoreResource": {"uri": "https://oss-clitest-keyvault.vault.azure.net/secrets/oss-clitest-secret", + "secretStoreType": "AzureKeyVault"}}, "objectType": "BackupInstance"}}' headers: Accept: - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance list + - dataprotection backup-instance validate-for-backup Connection: - keep-alive + Content-Length: + - '1357' + Content-Type: + - application/json ParameterSetName: - - -g --vault-name --query + - -g --vault-name --backup-instance + User-Agent: + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/validateForBackup?api-version=2022-05-01 + response: + body: + string: '' + headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEwNzI5NGE3LTZiMDYtNDJjMi1hNjQ1LTgxNjZmMzBjMzA5Yw==?api-version=2022-05-01 + cache-control: + - no-cache + content-length: + - '0' + date: + - Mon, 05 Sep 2022 11:56:01 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEwNzI5NGE3LTZiMDYtNDJjMi1hNjQ1LTgxNjZmMzBjMzA5Yw==?api-version=2022-05-01 + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-writes: + - '1199' + x-powered-by: + - ASP.NET + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-instance validate-for-backup + Connection: + - keep-alive + ParameterSetName: + - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEwNzI5NGE3LTZiMDYtNDJjMi1hNjQ1LTgxNjZmMzBjMzA5Yw==?api-version=2022-05-01 response: body: - string: '{"value":[{"tags":{"Owner":"dppclitest"},"properties":{"friendlyName":"cli-test-disk-new1","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","resourceUri":"","datasourceType":"Microsoft.Compute/disks","resourceName":"cli-test-disk-new1","resourceType":"Microsoft.Compute/disks","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","policyParameters":{"dataStoreParametersList":[{"objectType":"AzureOperationalStoreParameters","dataStoreType":"OperationalStore","resourceGroupId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}},"protectionStatus":{"status":"ConfiguringProtection"},"currentProtectionState":"ConfiguringProtection","provisioningState":"Succeeded","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","name":"cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","type":"Microsoft.DataProtection/backupVaults/backupInstances"}]}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEwNzI5NGE3LTZiMDYtNDJjMi1hNjQ1LTgxNjZmMzBjMzA5Yw==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEwNzI5NGE3LTZiMDYtNDJjMi1hNjQ1LTgxNjZmMzBjMzA5Yw==","status":"Inprogress","startTime":"2022-09-05T11:56:02.2387991Z","endTime":"0001-01-01T00:00:00Z"}' headers: cache-control: - no-cache content-length: - - '1440' + - '481' content-type: - application/json date: - - Mon, 13 Feb 2023 07:48:52 GMT + - Mon, 05 Sep 2022 11:56:13 GMT expires: - '-1' pragma: @@ -14588,7 +6419,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '1999' + - '999' x-powered-by: - ASP.NET status: @@ -14598,32 +6429,31 @@ interactions: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance list + - dataprotection backup-instance validate-for-backup Connection: - keep-alive ParameterSetName: - - -g --vault-name --query + - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEwNzI5NGE3LTZiMDYtNDJjMi1hNjQ1LTgxNjZmMzBjMzA5Yw==?api-version=2022-05-01 response: body: - string: '{"value":[{"tags":{"Owner":"dppclitest"},"properties":{"friendlyName":"cli-test-disk-new1","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","resourceUri":"","datasourceType":"Microsoft.Compute/disks","resourceName":"cli-test-disk-new1","resourceType":"Microsoft.Compute/disks","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","policyParameters":{"dataStoreParametersList":[{"objectType":"AzureOperationalStoreParameters","dataStoreType":"OperationalStore","resourceGroupId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}},"protectionStatus":{"status":"ConfiguringProtection"},"currentProtectionState":"ConfiguringProtection","provisioningState":"Succeeded","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","name":"cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","type":"Microsoft.DataProtection/backupVaults/backupInstances"}]}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEwNzI5NGE3LTZiMDYtNDJjMi1hNjQ1LTgxNjZmMzBjMzA5Yw==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEwNzI5NGE3LTZiMDYtNDJjMi1hNjQ1LTgxNjZmMzBjMzA5Yw==","status":"Succeeded","startTime":"2022-09-05T11:56:02.2387991Z","endTime":"2022-09-05T11:56:23Z"}' headers: cache-control: - no-cache content-length: - - '1440' + - '480' content-type: - application/json date: - - Mon, 13 Feb 2023 07:49:03 GMT + - Mon, 05 Sep 2022 11:56:42 GMT expires: - '-1' pragma: @@ -14639,7 +6469,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '1998' + - '998' x-powered-by: - ASP.NET status: @@ -14649,32 +6479,33 @@ interactions: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance list + - dataprotection backup-instance validate-for-backup Connection: - keep-alive ParameterSetName: - - -g --vault-name --query + - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEwNzI5NGE3LTZiMDYtNDJjMi1hNjQ1LTgxNjZmMzBjMzA5Yw==?api-version=2022-05-01 response: body: - string: '{"value":[{"tags":{"Owner":"dppclitest"},"properties":{"friendlyName":"cli-test-disk-new1","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","resourceUri":"","datasourceType":"Microsoft.Compute/disks","resourceName":"cli-test-disk-new1","resourceType":"Microsoft.Compute/disks","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","policyParameters":{"dataStoreParametersList":[{"objectType":"AzureOperationalStoreParameters","dataStoreType":"OperationalStore","resourceGroupId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}},"protectionStatus":{"status":"ProtectionConfigured"},"currentProtectionState":"ProtectionConfigured","provisioningState":"Succeeded","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","name":"cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","type":"Microsoft.DataProtection/backupVaults/backupInstances"}]}' + string: '{"objectType":"OperationJobExtendedInfo"}' headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEwNzI5NGE3LTZiMDYtNDJjMi1hNjQ1LTgxNjZmMzBjMzA5Yw==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '1438' + - '41' content-type: - application/json date: - - Mon, 13 Feb 2023 07:49:14 GMT + - Mon, 05 Sep 2022 11:56:43 GMT expires: - '-1' pragma: @@ -14690,65 +6521,59 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '1998' + - '199' x-powered-by: - ASP.NET status: code: 200 message: OK - request: - body: '{"backupInstance": {"dataSourceInfo": {"datasourceType": "Microsoft.Storage/storageAccounts/blobServices", - "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount", - "resourceLocation": "centraluseuap", "resourceName": "cliteststoreaccount", - "resourceType": "Microsoft.Storage/storageAccounts", "resourceUri": ""}, "policyInfo": - {"policyId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/storagepolicy"}, - "objectType": "BackupInstance"}}' + body: null headers: Accept: - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance create + - postgres server firewall-rule delete Connection: - keep-alive Content-Length: - - '679' - Content-Type: - - application/json + - '0' ParameterSetName: - - -g --vault-name --backup-instance + - -g -s -n --yes User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/validateForBackup?api-version=2022-05-01 + - AZURECLI/2.39.0 azsdk-python-mgmt-rdbms/10.2.0b3 Python/3.8.5 (Windows-10-10.0.22000-SP0) + method: DELETE + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/firewallRules/AllowAllWindowsAzureIps?api-version=2017-12-01 response: body: - string: '' + string: '{"operation":"DropElasticServerFirewallRule","startTime":"2022-09-05T11:56:52.48Z"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2VlMzI2ZmJkLTU0MjctNDFjYi04NDBlLWFmNjI1ZDMyZTY1Nw==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DBforPostgreSQL/locations/centraluseuap/azureAsyncOperation/1f6a84c7-e419-4f42-a5f9-c8540e40cc77?api-version=2017-12-01 cache-control: - no-cache content-length: - - '0' + - '83' + content-type: + - application/json; charset=utf-8 date: - - Mon, 13 Feb 2023 07:49:16 GMT + - Mon, 05 Sep 2022 11:56:54 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2VlMzI2ZmJkLTU0MjctNDFjYi04NDBlLWFmNjI1ZDMyZTY1Nw==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DBforPostgreSQL/locations/centraluseuap/operationResults/1f6a84c7-e419-4f42-a5f9-c8540e40cc77?api-version=2017-12-01 pragma: - no-cache + server: + - Microsoft-HTTPAPI/2.0 strict-transport-security: - max-age=31536000; includeSubDomains x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1199' - x-powered-by: - - ASP.NET + x-ms-ratelimit-remaining-subscription-deletes: + - '14999' status: code: 202 message: Accepted @@ -14760,34 +6585,33 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance create + - postgres server firewall-rule delete Connection: - keep-alive ParameterSetName: - - -g --vault-name --backup-instance + - -g -s -n --yes User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-rdbms/10.2.0b3 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2VlMzI2ZmJkLTU0MjctNDFjYi04NDBlLWFmNjI1ZDMyZTY1Nw==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DBforPostgreSQL/locations/centraluseuap/azureAsyncOperation/1f6a84c7-e419-4f42-a5f9-c8540e40cc77?api-version=2017-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2VlMzI2ZmJkLTU0MjctNDFjYi04NDBlLWFmNjI1ZDMyZTY1Nw==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2VlMzI2ZmJkLTU0MjctNDFjYi04NDBlLWFmNjI1ZDMyZTY1Nw==","status":"Inprogress","startTime":"2023-02-13T07:49:16.3824991Z","endTime":"0001-01-01T00:00:00Z"}' + string: '{"name":"1f6a84c7-e419-4f42-a5f9-c8540e40cc77","status":"Succeeded","startTime":"2022-09-05T11:56:52.48Z"}' headers: cache-control: - no-cache content-length: - - '478' + - '106' content-type: - - application/json + - application/json; charset=utf-8 date: - - Mon, 13 Feb 2023 07:49:27 GMT + - Mon, 05 Sep 2022 11:57:09 GMT expires: - '-1' pragma: - no-cache server: - - Microsoft-IIS/10.0 + - Microsoft-HTTPAPI/2.0 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -14796,13 +6620,65 @@ interactions: - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '997' - x-powered-by: - - ASP.NET status: code: 200 message: OK +- request: + body: '{"backupInstance": {"dataSourceInfo": {"datasourceType": "Microsoft.Compute/disks", + "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new", + "resourceLocation": "centraluseuap", "resourceName": "cli-test-disk-new", "resourceType": + "Microsoft.Compute/disks", "resourceUri": ""}, "policyInfo": {"policyId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy", + "policyParameters": {"dataStoreParametersList": [{"objectType": "AzureOperationalStoreParameters", + "dataStoreType": "OperationalStore", "resourceGroupId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}}, + "objectType": "BackupInstance"}}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-instance create + Connection: + - keep-alive + Content-Length: + - '866' + Content-Type: + - application/json + ParameterSetName: + - -g --vault-name --backup-instance + User-Agent: + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/validateForBackup?api-version=2022-05-01 + response: + body: + string: '' + headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA3NGE5Zjc4LWJkMzEtNGM0Yy1hODM3LTgxMzkxODBjNDE4OQ==?api-version=2022-05-01 + cache-control: + - no-cache + content-length: + - '0' + date: + - Mon, 05 Sep 2022 11:57:13 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA3NGE5Zjc4LWJkMzEtNGM0Yy1hODM3LTgxMzkxODBjNDE4OQ==?api-version=2022-05-01 + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-writes: + - '1198' + x-powered-by: + - ASP.NET + status: + code: 202 + message: Accepted - request: body: null headers: @@ -14817,13 +6693,12 @@ interactions: ParameterSetName: - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2VlMzI2ZmJkLTU0MjctNDFjYi04NDBlLWFmNjI1ZDMyZTY1Nw==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA3NGE5Zjc4LWJkMzEtNGM0Yy1hODM3LTgxMzkxODBjNDE4OQ==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2VlMzI2ZmJkLTU0MjctNDFjYi04NDBlLWFmNjI1ZDMyZTY1Nw==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2VlMzI2ZmJkLTU0MjctNDFjYi04NDBlLWFmNjI1ZDMyZTY1Nw==","status":"Succeeded","startTime":"2023-02-13T07:49:16.3824991Z","endTime":"2023-02-13T07:49:38Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA3NGE5Zjc4LWJkMzEtNGM0Yy1hODM3LTgxMzkxODBjNDE4OQ==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA3NGE5Zjc4LWJkMzEtNGM0Yy1hODM3LTgxMzkxODBjNDE4OQ==","status":"Inprogress","startTime":"2022-09-05T11:57:13.3136789Z","endTime":"0001-01-01T00:00:00Z"}' headers: cache-control: - no-cache @@ -14832,7 +6707,7 @@ interactions: content-type: - application/json date: - - Mon, 13 Feb 2023 07:49:57 GMT + - Mon, 05 Sep 2022 11:57:24 GMT expires: - '-1' pragma: @@ -14848,7 +6723,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '996' + - '998' x-powered-by: - ASP.NET status: @@ -14868,24 +6743,21 @@ interactions: ParameterSetName: - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2VlMzI2ZmJkLTU0MjctNDFjYi04NDBlLWFmNjI1ZDMyZTY1Nw==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA3NGE5Zjc4LWJkMzEtNGM0Yy1hODM3LTgxMzkxODBjNDE4OQ==?api-version=2022-05-01 response: body: - string: '{"objectType":"OperationJobExtendedInfo"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA3NGE5Zjc4LWJkMzEtNGM0Yy1hODM3LTgxMzkxODBjNDE4OQ==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA3NGE5Zjc4LWJkMzEtNGM0Yy1hODM3LTgxMzkxODBjNDE4OQ==","status":"Inprogress","startTime":"2022-09-05T11:57:13.3136789Z","endTime":"0001-01-01T00:00:00Z"}' headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2VlMzI2ZmJkLTU0MjctNDFjYi04NDBlLWFmNjI1ZDMyZTY1Nw==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '41' + - '477' content-type: - application/json date: - - Mon, 13 Feb 2023 07:49:57 GMT + - Mon, 05 Sep 2022 11:57:54 GMT expires: - '-1' pragma: @@ -14901,53 +6773,41 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '997' x-powered-by: - ASP.NET status: code: 200 message: OK -- request: - body: '{"properties": {"dataSourceInfo": {"datasourceType": "Microsoft.Storage/storageAccounts/blobServices", - "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount", - "resourceLocation": "centraluseuap", "resourceName": "cliteststoreaccount", - "resourceType": "Microsoft.Storage/storageAccounts", "resourceUri": ""}, "policyInfo": - {"policyId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/storagepolicy"}, - "objectType": "BackupInstance"}}' +- request: + body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - dataprotection backup-instance create Connection: - keep-alive - Content-Length: - - '675' - Content-Type: - - application/json ParameterSetName: - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cliteststoreaccount-cliteststoreaccount-b7e6f082-b310-11eb-8f55-9cfce85d4fa1?api-version=2022-05-01 + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA3NGE5Zjc4LWJkMzEtNGM0Yy1hODM3LTgxMzkxODBjNDE4OQ==?api-version=2022-05-01 response: body: - string: '{"properties":{"friendlyName":"cliteststoreaccount","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount","resourceUri":"","datasourceType":"Microsoft.Storage/storageAccounts/blobServices","resourceName":"cliteststoreaccount","resourceType":"Microsoft.Storage/storageAccounts","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/storagepolicy"},"protectionStatus":{"status":"ConfiguringProtection"},"currentProtectionState":"ConfiguringProtection","provisioningState":"Provisioning","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cliteststoreaccount-cliteststoreaccount-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","name":"cliteststoreaccount-cliteststoreaccount-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA3NGE5Zjc4LWJkMzEtNGM0Yy1hODM3LTgxMzkxODBjNDE4OQ==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA3NGE5Zjc4LWJkMzEtNGM0Yy1hODM3LTgxMzkxODBjNDE4OQ==","status":"Inprogress","startTime":"2022-09-05T11:57:13.3136789Z","endTime":"0001-01-01T00:00:00Z"}' headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2QwMjg4ZmJhLTcyMTMtNDNjMy04NGM5LWIxMmY0YzdhMDk4Zg==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '1224' + - '477' content-type: - application/json date: - - Mon, 13 Feb 2023 07:49:58 GMT + - Mon, 05 Sep 2022 11:58:25 GMT expires: - '-1' pragma: @@ -14956,15 +6816,19 @@ interactions: - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '996' x-powered-by: - ASP.NET status: - code: 201 - message: Created + code: 200 + message: OK - request: body: null headers: @@ -14979,22 +6843,21 @@ interactions: ParameterSetName: - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2QwMjg4ZmJhLTcyMTMtNDNjMy04NGM5LWIxMmY0YzdhMDk4Zg==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA3NGE5Zjc4LWJkMzEtNGM0Yy1hODM3LTgxMzkxODBjNDE4OQ==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2QwMjg4ZmJhLTcyMTMtNDNjMy04NGM5LWIxMmY0YzdhMDk4Zg==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2QwMjg4ZmJhLTcyMTMtNDNjMy04NGM5LWIxMmY0YzdhMDk4Zg==","status":"Succeeded","startTime":"2023-02-13T07:49:59.5280566Z","endTime":"2023-02-13T07:50:00Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA3NGE5Zjc4LWJkMzEtNGM0Yy1hODM3LTgxMzkxODBjNDE4OQ==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA3NGE5Zjc4LWJkMzEtNGM0Yy1hODM3LTgxMzkxODBjNDE4OQ==","status":"Succeeded","startTime":"2022-09-05T11:57:13.3136789Z","endTime":"2022-09-05T11:58:40Z"}' headers: cache-control: - no-cache content-length: - - '477' + - '476' content-type: - application/json date: - - Mon, 13 Feb 2023 07:50:15 GMT + - Mon, 05 Sep 2022 11:58:55 GMT expires: - '-1' pragma: @@ -15030,22 +6893,23 @@ interactions: ParameterSetName: - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cliteststoreaccount-cliteststoreaccount-b7e6f082-b310-11eb-8f55-9cfce85d4fa1?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA3NGE5Zjc4LWJkMzEtNGM0Yy1hODM3LTgxMzkxODBjNDE4OQ==?api-version=2022-05-01 response: body: - string: '{"properties":{"friendlyName":"cliteststoreaccount","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount","resourceUri":"","datasourceType":"Microsoft.Storage/storageAccounts/blobServices","resourceName":"cliteststoreaccount","resourceType":"Microsoft.Storage/storageAccounts","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/storagepolicy"},"protectionStatus":{"status":"ConfiguringProtection"},"currentProtectionState":"ConfiguringProtection","provisioningState":"Succeeded","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cliteststoreaccount-cliteststoreaccount-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","name":"cliteststoreaccount-cliteststoreaccount-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' + string: '{"objectType":"OperationJobExtendedInfo"}' headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA3NGE5Zjc4LWJkMzEtNGM0Yy1hODM3LTgxMzkxODBjNDE4OQ==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '1221' + - '41' content-type: - application/json date: - - Mon, 13 Feb 2023 07:50:15 GMT + - Mon, 05 Sep 2022 11:58:56 GMT expires: - '-1' pragma: @@ -15061,61 +6925,70 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '1997' + - '198' x-powered-by: - ASP.NET status: code: 200 message: OK - request: - body: null + body: '{"tags": {"Owner": "dppclitest"}, "properties": {"dataSourceInfo": {"datasourceType": + "Microsoft.Compute/disks", "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new", + "resourceLocation": "centraluseuap", "resourceName": "cli-test-disk-new", "resourceType": + "Microsoft.Compute/disks", "resourceUri": ""}, "policyInfo": {"policyId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy", + "policyParameters": {"dataStoreParametersList": [{"objectType": "AzureOperationalStoreParameters", + "dataStoreType": "OperationalStore", "resourceGroupId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}}, + "objectType": "BackupInstance"}}' headers: Accept: - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance stop-protection + - dataprotection backup-instance create Connection: - keep-alive Content-Length: - - '0' + - '895' + Content-Type: + - application/json ParameterSetName: - - -n -g --vault-name + - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1/stopProtection?api-version=2022-05-01 + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae?api-version=2022-05-01 response: body: - string: '' + string: '{"tags":{"Owner":"dppclitest"},"properties":{"friendlyName":"cli-test-disk-new","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","resourceUri":"","datasourceType":"Microsoft.Compute/disks","resourceName":"cli-test-disk-new","resourceType":"Microsoft.Compute/disks","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","policyParameters":{"dataStoreParametersList":[{"objectType":"AzureOperationalStoreParameters","dataStoreType":"OperationalStore","resourceGroupId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}},"protectionStatus":{"status":"ConfiguringProtection"},"currentProtectionState":"ConfiguringProtection","provisioningState":"Provisioning","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","name":"cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzg5ZGU0NGMyLTc5MzYtNGMzZC1hOGNjLWJmMzBjNDViZTQ1NQ==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2IwMzc4MTZkLTMyZDctNGFlMi05NjM1LTA2MzZhNmFjNDM0Yw==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '0' + - '1422' + content-type: + - application/json date: - - Mon, 13 Feb 2023 07:50:47 GMT + - Mon, 05 Sep 2022 11:58:58 GMT expires: - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzg5ZGU0NGMyLTc5MzYtNGMzZC1hOGNjLWJmMzBjNDViZTQ1NQ==?api-version=2022-05-01 pragma: - no-cache + server: + - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1198' + x-ms-ratelimit-remaining-subscription-resource-requests: + - '199' x-powered-by: - ASP.NET status: - code: 202 - message: Accepted + code: 201 + message: Created - request: body: null headers: @@ -15124,28 +6997,27 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance stop-protection + - dataprotection backup-instance create Connection: - keep-alive ParameterSetName: - - -n -g --vault-name + - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzg5ZGU0NGMyLTc5MzYtNGMzZC1hOGNjLWJmMzBjNDViZTQ1NQ==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2IwMzc4MTZkLTMyZDctNGFlMi05NjM1LTA2MzZhNmFjNDM0Yw==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzg5ZGU0NGMyLTc5MzYtNGMzZC1hOGNjLWJmMzBjNDViZTQ1NQ==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzg5ZGU0NGMyLTc5MzYtNGMzZC1hOGNjLWJmMzBjNDViZTQ1NQ==","status":"Inprogress","startTime":"2023-02-13T07:50:47.6375716Z","endTime":"0001-01-01T00:00:00Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2IwMzc4MTZkLTMyZDctNGFlMi05NjM1LTA2MzZhNmFjNDM0Yw==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2IwMzc4MTZkLTMyZDctNGFlMi05NjM1LTA2MzZhNmFjNDM0Yw==","status":"Succeeded","startTime":"2022-09-05T11:58:58.631579Z","endTime":"2022-09-05T11:59:00Z"}' headers: cache-control: - no-cache content-length: - - '478' + - '475' content-type: - application/json date: - - Mon, 13 Feb 2023 07:51:02 GMT + - Mon, 05 Sep 2022 11:59:14 GMT expires: - '-1' pragma: @@ -15161,7 +7033,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '995' + - '994' x-powered-by: - ASP.NET status: @@ -15175,28 +7047,27 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance stop-protection + - dataprotection backup-instance create Connection: - keep-alive ParameterSetName: - - -n -g --vault-name + - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzg5ZGU0NGMyLTc5MzYtNGMzZC1hOGNjLWJmMzBjNDViZTQ1NQ==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzg5ZGU0NGMyLTc5MzYtNGMzZC1hOGNjLWJmMzBjNDViZTQ1NQ==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzg5ZGU0NGMyLTc5MzYtNGMzZC1hOGNjLWJmMzBjNDViZTQ1NQ==","status":"Succeeded","startTime":"2023-02-13T07:50:47.6375716Z","endTime":"2023-02-13T07:51:31Z"}' + string: '{"tags":{"Owner":"dppclitest"},"properties":{"friendlyName":"cli-test-disk-new","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","resourceUri":"","datasourceType":"Microsoft.Compute/disks","resourceName":"cli-test-disk-new","resourceType":"Microsoft.Compute/disks","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","policyParameters":{"dataStoreParametersList":[{"objectType":"AzureOperationalStoreParameters","dataStoreType":"OperationalStore","resourceGroupId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}},"protectionStatus":{"status":"ConfiguringProtection"},"currentProtectionState":"ConfiguringProtection","provisioningState":"Succeeded","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","name":"cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' headers: cache-control: - no-cache content-length: - - '477' + - '1419' content-type: - application/json date: - - Mon, 13 Feb 2023 07:51:33 GMT + - Mon, 05 Sep 2022 11:59:15 GMT expires: - '-1' pragma: @@ -15212,7 +7083,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '994' + - '1998' x-powered-by: - ASP.NET status: @@ -15222,34 +7093,31 @@ interactions: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance stop-protection + - dataprotection backup-instance list Connection: - keep-alive ParameterSetName: - - -n -g --vault-name + - -g --vault-name --query User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzg5ZGU0NGMyLTc5MzYtNGMzZC1hOGNjLWJmMzBjNDViZTQ1NQ==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances?api-version=2022-05-01 response: body: - string: '{"objectType":"OperationJobExtendedInfo"}' + string: '{"value":[{"tags":{"Owner":"dppclitest"},"properties":{"friendlyName":"cli-test-disk-new","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","resourceUri":"","datasourceType":"Microsoft.Compute/disks","resourceName":"cli-test-disk-new","resourceType":"Microsoft.Compute/disks","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","policyParameters":{"dataStoreParametersList":[{"objectType":"AzureOperationalStoreParameters","dataStoreType":"OperationalStore","resourceGroupId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}},"protectionStatus":{"status":"ConfiguringProtection"},"currentProtectionState":"ConfiguringProtection","provisioningState":"Succeeded","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","name":"cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","type":"Microsoft.DataProtection/backupVaults/backupInstances"}]}' headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzg5ZGU0NGMyLTc5MzYtNGMzZC1hOGNjLWJmMzBjNDViZTQ1NQ==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '41' + - '1431' content-type: - application/json date: - - Mon, 13 Feb 2023 07:51:33 GMT + - Mon, 05 Sep 2022 11:59:19 GMT expires: - '-1' pragma: @@ -15265,7 +7133,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '198' + - '1999' x-powered-by: - ASP.NET status: @@ -15279,28 +7147,27 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance show + - dataprotection backup-instance list Connection: - keep-alive ParameterSetName: - - -n -g --vault-name + - -g --vault-name --query User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances?api-version=2022-05-01 response: body: - string: '{"tags":{"Owner":"dppclitest"},"properties":{"friendlyName":"cli-test-disk-new1","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","resourceUri":"","datasourceType":"Microsoft.Compute/disks","resourceName":"cli-test-disk-new1","resourceType":"Microsoft.Compute/disks","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","policyParameters":{"dataStoreParametersList":[{"objectType":"AzureOperationalStoreParameters","dataStoreType":"OperationalStore","resourceGroupId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}},"protectionStatus":{"status":"ProtectionStopped"},"currentProtectionState":"ProtectionStopped","provisioningState":"Succeeded","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","name":"cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' + string: '{"value":[{"tags":{"Owner":"dppclitest"},"properties":{"friendlyName":"cli-test-disk-new","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","resourceUri":"","datasourceType":"Microsoft.Compute/disks","resourceName":"cli-test-disk-new","resourceType":"Microsoft.Compute/disks","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","policyParameters":{"dataStoreParametersList":[{"objectType":"AzureOperationalStoreParameters","dataStoreType":"OperationalStore","resourceGroupId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}},"protectionStatus":{"status":"ProtectionConfigured"},"currentProtectionState":"ProtectionConfigured","provisioningState":"Succeeded","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","name":"cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","type":"Microsoft.DataProtection/backupVaults/backupInstances"}]}' headers: cache-control: - no-cache content-length: - - '1420' + - '1429' content-type: - application/json date: - - Mon, 13 Feb 2023 07:51:34 GMT + - Mon, 05 Sep 2022 11:59:34 GMT expires: - '-1' pragma: @@ -15316,48 +7183,54 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '1997' + - '1998' x-powered-by: - ASP.NET status: code: 200 message: OK - request: - body: null + body: '{"backupInstance": {"dataSourceInfo": {"datasourceType": "Microsoft.Storage/storageAccounts/blobServices", + "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount", + "resourceLocation": "centraluseuap", "resourceName": "cliteststoreaccount", + "resourceType": "Microsoft.Storage/storageAccounts", "resourceUri": ""}, "policyInfo": + {"policyId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/storagepolicy"}, + "objectType": "BackupInstance"}}' headers: Accept: - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance resume-protection + - dataprotection backup-instance create Connection: - keep-alive Content-Length: - - '0' + - '678' + Content-Type: + - application/json ParameterSetName: - - -n -g --vault-name + - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1/resumeProtection?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/validateForBackup?api-version=2022-05-01 response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzA2NzA3YzliLThmM2QtNDk0MC1iMjgxLTViMWQyNGExNjc0OA==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzY1YjhiZjYxLTExMGQtNDNjNC04OGY1LTg1Y2YyMjI1OGIyZA==?api-version=2022-05-01 cache-control: - no-cache content-length: - '0' date: - - Mon, 13 Feb 2023 07:51:37 GMT + - Mon, 05 Sep 2022 11:59:39 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzA2NzA3YzliLThmM2QtNDk0MC1iMjgxLTViMWQyNGExNjc0OA==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzY1YjhiZjYxLTExMGQtNDNjNC04OGY1LTg1Y2YyMjI1OGIyZA==?api-version=2022-05-01 pragma: - no-cache strict-transport-security: @@ -15365,7 +7238,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-writes: - - '1198' + - '1199' x-powered-by: - ASP.NET status: @@ -15379,19 +7252,18 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance resume-protection + - dataprotection backup-instance create Connection: - keep-alive ParameterSetName: - - -n -g --vault-name + - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzA2NzA3YzliLThmM2QtNDk0MC1iMjgxLTViMWQyNGExNjc0OA==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzY1YjhiZjYxLTExMGQtNDNjNC04OGY1LTg1Y2YyMjI1OGIyZA==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzA2NzA3YzliLThmM2QtNDk0MC1iMjgxLTViMWQyNGExNjc0OA==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzA2NzA3YzliLThmM2QtNDk0MC1iMjgxLTViMWQyNGExNjc0OA==","status":"Inprogress","startTime":"2023-02-13T07:51:37.756295Z","endTime":"0001-01-01T00:00:00Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzY1YjhiZjYxLTExMGQtNDNjNC04OGY1LTg1Y2YyMjI1OGIyZA==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzY1YjhiZjYxLTExMGQtNDNjNC04OGY1LTg1Y2YyMjI1OGIyZA==","status":"Inprogress","startTime":"2022-09-05T11:59:39.5511703Z","endTime":"0001-01-01T00:00:00Z"}' headers: cache-control: - no-cache @@ -15400,7 +7272,7 @@ interactions: content-type: - application/json date: - - Mon, 13 Feb 2023 07:51:52 GMT + - Mon, 05 Sep 2022 11:59:50 GMT expires: - '-1' pragma: @@ -15416,7 +7288,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '996' + - '999' x-powered-by: - ASP.NET status: @@ -15430,19 +7302,18 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance resume-protection + - dataprotection backup-instance create Connection: - keep-alive ParameterSetName: - - -n -g --vault-name + - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzA2NzA3YzliLThmM2QtNDk0MC1iMjgxLTViMWQyNGExNjc0OA==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzY1YjhiZjYxLTExMGQtNDNjNC04OGY1LTg1Y2YyMjI1OGIyZA==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzA2NzA3YzliLThmM2QtNDk0MC1iMjgxLTViMWQyNGExNjc0OA==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzA2NzA3YzliLThmM2QtNDk0MC1iMjgxLTViMWQyNGExNjc0OA==","status":"Succeeded","startTime":"2023-02-13T07:51:37.756295Z","endTime":"2023-02-13T07:52:20Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzY1YjhiZjYxLTExMGQtNDNjNC04OGY1LTg1Y2YyMjI1OGIyZA==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzY1YjhiZjYxLTExMGQtNDNjNC04OGY1LTg1Y2YyMjI1OGIyZA==","status":"Succeeded","startTime":"2022-09-05T11:59:39.5511703Z","endTime":"2022-09-05T12:00:02Z"}' headers: cache-control: - no-cache @@ -15451,7 +7322,7 @@ interactions: content-type: - application/json date: - - Mon, 13 Feb 2023 07:52:23 GMT + - Mon, 05 Sep 2022 12:00:20 GMT expires: - '-1' pragma: @@ -15467,7 +7338,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '995' + - '998' x-powered-by: - ASP.NET status: @@ -15481,22 +7352,21 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance resume-protection + - dataprotection backup-instance create Connection: - keep-alive ParameterSetName: - - -n -g --vault-name + - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzA2NzA3YzliLThmM2QtNDk0MC1iMjgxLTViMWQyNGExNjc0OA==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzY1YjhiZjYxLTExMGQtNDNjNC04OGY1LTg1Y2YyMjI1OGIyZA==?api-version=2022-05-01 response: body: string: '{"objectType":"OperationJobExtendedInfo"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzA2NzA3YzliLThmM2QtNDk0MC1iMjgxLTViMWQyNGExNjc0OA==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzY1YjhiZjYxLTExMGQtNDNjNC04OGY1LTg1Y2YyMjI1OGIyZA==?api-version=2022-05-01 cache-control: - no-cache content-length: @@ -15504,7 +7374,7 @@ interactions: content-type: - application/json date: - - Mon, 13 Feb 2023 07:52:23 GMT + - Mon, 05 Sep 2022 12:00:20 GMT expires: - '-1' pragma: @@ -15520,42 +7390,52 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '198' + - '199' x-powered-by: - ASP.NET status: code: 200 message: OK - request: - body: null + body: '{"properties": {"dataSourceInfo": {"datasourceType": "Microsoft.Storage/storageAccounts/blobServices", + "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount", + "resourceLocation": "centraluseuap", "resourceName": "cliteststoreaccount", + "resourceType": "Microsoft.Storage/storageAccounts", "resourceUri": ""}, "policyInfo": + {"policyId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/storagepolicy"}, + "objectType": "BackupInstance"}}' headers: Accept: - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance show + - dataprotection backup-instance create Connection: - keep-alive + Content-Length: + - '674' + Content-Type: + - application/json ParameterSetName: - - -n -g --vault-name + - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1?api-version=2022-05-01 + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cliteststoreaccount-cliteststoreaccount-b7e6f082-b310-11eb-8f55-9cfce85d4fae?api-version=2022-05-01 response: body: - string: '{"tags":{"Owner":"dppclitest"},"properties":{"friendlyName":"cli-test-disk-new1","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","resourceUri":"","datasourceType":"Microsoft.Compute/disks","resourceName":"cli-test-disk-new1","resourceType":"Microsoft.Compute/disks","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","policyParameters":{"dataStoreParametersList":[{"objectType":"AzureOperationalStoreParameters","dataStoreType":"OperationalStore","resourceGroupId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}},"protectionStatus":{"status":"ProtectionConfigured"},"currentProtectionState":"ProtectionConfigured","provisioningState":"Succeeded","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","name":"cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' + string: '{"properties":{"friendlyName":"cliteststoreaccount","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount","resourceUri":"","datasourceType":"Microsoft.Storage/storageAccounts/blobServices","resourceName":"cliteststoreaccount","resourceType":"Microsoft.Storage/storageAccounts","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/storagepolicy"},"protectionStatus":{"status":"ConfiguringProtection"},"currentProtectionState":"ConfiguringProtection","provisioningState":"Provisioning","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cliteststoreaccount-cliteststoreaccount-b7e6f082-b310-11eb-8f55-9cfce85d4fae","name":"cliteststoreaccount-cliteststoreaccount-b7e6f082-b310-11eb-8f55-9cfce85d4fae","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzI1YTI0NTI2LTM1ZWUtNDcyMy05ZmFmLTM4NmY0ZDMyODNlYg==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '1426' + - '1222' content-type: - application/json date: - - Mon, 13 Feb 2023 07:52:25 GMT + - Mon, 05 Sep 2022 12:00:23 GMT expires: - '-1' pragma: @@ -15564,68 +7444,65 @@ interactions: - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '1996' + - '199' x-powered-by: - ASP.NET status: - code: 200 - message: OK + code: 201 + message: Created - request: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance suspend-backup + - dataprotection backup-instance create Connection: - keep-alive - Content-Length: - - '0' ParameterSetName: - - -n -g --vault-name + - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1/suspendBackups?api-version=2022-05-01 + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzI1YTI0NTI2LTM1ZWUtNDcyMy05ZmFmLTM4NmY0ZDMyODNlYg==?api-version=2022-05-01 response: body: - string: '' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzI1YTI0NTI2LTM1ZWUtNDcyMy05ZmFmLTM4NmY0ZDMyODNlYg==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzI1YTI0NTI2LTM1ZWUtNDcyMy05ZmFmLTM4NmY0ZDMyODNlYg==","status":"Succeeded","startTime":"2022-09-05T12:00:23.5608021Z","endTime":"2022-09-05T12:00:25Z"}' headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzU5ZTM5ZGQ1LTQ5YzMtNDgyYS1iZjBlLWIyMjI5MDZhZTEyMQ==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '0' + - '476' + content-type: + - application/json date: - - Mon, 13 Feb 2023 07:52:27 GMT + - Mon, 05 Sep 2022 12:00:39 GMT expires: - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzU5ZTM5ZGQ1LTQ5YzMtNDgyYS1iZjBlLWIyMjI5MDZhZTEyMQ==?api-version=2022-05-01 pragma: - no-cache + server: + - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1197' + x-ms-ratelimit-remaining-subscription-resource-requests: + - '997' x-powered-by: - ASP.NET status: - code: 202 - message: Accepted + code: 200 + message: OK - request: body: null headers: @@ -15634,28 +7511,27 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance suspend-backup + - dataprotection backup-instance create Connection: - keep-alive ParameterSetName: - - -n -g --vault-name + - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzU5ZTM5ZGQ1LTQ5YzMtNDgyYS1iZjBlLWIyMjI5MDZhZTEyMQ==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cliteststoreaccount-cliteststoreaccount-b7e6f082-b310-11eb-8f55-9cfce85d4fae?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzU5ZTM5ZGQ1LTQ5YzMtNDgyYS1iZjBlLWIyMjI5MDZhZTEyMQ==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzU5ZTM5ZGQ1LTQ5YzMtNDgyYS1iZjBlLWIyMjI5MDZhZTEyMQ==","status":"Inprogress","startTime":"2023-02-13T07:52:27.6941434Z","endTime":"0001-01-01T00:00:00Z"}' + string: '{"properties":{"friendlyName":"cliteststoreaccount","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount","resourceUri":"","datasourceType":"Microsoft.Storage/storageAccounts/blobServices","resourceName":"cliteststoreaccount","resourceType":"Microsoft.Storage/storageAccounts","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/storagepolicy"},"protectionStatus":{"status":"ConfiguringProtection"},"currentProtectionState":"ConfiguringProtection","provisioningState":"Succeeded","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cliteststoreaccount-cliteststoreaccount-b7e6f082-b310-11eb-8f55-9cfce85d4fae","name":"cliteststoreaccount-cliteststoreaccount-b7e6f082-b310-11eb-8f55-9cfce85d4fae","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' headers: cache-control: - no-cache content-length: - - '478' + - '1219' content-type: - application/json date: - - Mon, 13 Feb 2023 07:52:42 GMT + - Mon, 05 Sep 2022 12:00:40 GMT expires: - '-1' pragma: @@ -15671,7 +7547,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '989' + - '1998' x-powered-by: - ASP.NET status: @@ -15681,53 +7557,50 @@ interactions: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance suspend-backup + - dataprotection backup-instance stop-protection Connection: - keep-alive + Content-Length: + - '0' ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzU5ZTM5ZGQ1LTQ5YzMtNDgyYS1iZjBlLWIyMjI5MDZhZTEyMQ==?api-version=2022-05-01 + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae/stopProtection?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzU5ZTM5ZGQ1LTQ5YzMtNDgyYS1iZjBlLWIyMjI5MDZhZTEyMQ==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzU5ZTM5ZGQ1LTQ5YzMtNDgyYS1iZjBlLWIyMjI5MDZhZTEyMQ==","status":"Succeeded","startTime":"2023-02-13T07:52:27.6941434Z","endTime":"2023-02-13T07:53:10Z"}' + string: '' headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2JjNTUwYzNiLTRlNzMtNGVhMS04NWNhLWM4NWFkZjU4M2IyZg==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '477' - content-type: - - application/json + - '0' date: - - Mon, 13 Feb 2023 07:53:14 GMT + - Mon, 05 Sep 2022 12:01:13 GMT expires: - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2JjNTUwYzNiLTRlNzMtNGVhMS04NWNhLWM4NWFkZjU4M2IyZg==?api-version=2022-05-01 pragma: - no-cache - server: - - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '988' + x-ms-ratelimit-remaining-subscription-writes: + - '1197' x-powered-by: - ASP.NET status: - code: 200 - message: OK + code: 202 + message: Accepted - request: body: null headers: @@ -15736,30 +7609,27 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance suspend-backup + - dataprotection backup-instance stop-protection Connection: - keep-alive ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzU5ZTM5ZGQ1LTQ5YzMtNDgyYS1iZjBlLWIyMjI5MDZhZTEyMQ==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2JjNTUwYzNiLTRlNzMtNGVhMS04NWNhLWM4NWFkZjU4M2IyZg==?api-version=2022-05-01 response: body: - string: '{"objectType":"OperationJobExtendedInfo"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2JjNTUwYzNiLTRlNzMtNGVhMS04NWNhLWM4NWFkZjU4M2IyZg==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2JjNTUwYzNiLTRlNzMtNGVhMS04NWNhLWM4NWFkZjU4M2IyZg==","status":"Succeeded","startTime":"2022-09-05T12:01:14.3860301Z","endTime":"2022-09-05T12:01:27Z"}' headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzU5ZTM5ZGQ1LTQ5YzMtNDgyYS1iZjBlLWIyMjI5MDZhZTEyMQ==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '41' + - '476' content-type: - application/json date: - - Mon, 13 Feb 2023 07:53:14 GMT + - Mon, 05 Sep 2022 12:01:30 GMT expires: - '-1' pragma: @@ -15775,7 +7645,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '197' + - '993' x-powered-by: - ASP.NET status: @@ -15785,32 +7655,33 @@ interactions: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance show + - dataprotection backup-instance stop-protection Connection: - keep-alive ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2JjNTUwYzNiLTRlNzMtNGVhMS04NWNhLWM4NWFkZjU4M2IyZg==?api-version=2022-05-01 response: body: - string: '{"tags":{"Owner":"dppclitest"},"properties":{"friendlyName":"cli-test-disk-new1","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","resourceUri":"","datasourceType":"Microsoft.Compute/disks","resourceName":"cli-test-disk-new1","resourceType":"Microsoft.Compute/disks","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","policyParameters":{"dataStoreParametersList":[{"objectType":"AzureOperationalStoreParameters","dataStoreType":"OperationalStore","resourceGroupId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}},"protectionStatus":{"status":"BackupsSuspended"},"currentProtectionState":"BackupsSuspended","provisioningState":"Succeeded","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","name":"cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' + string: '{"objectType":"OperationJobExtendedInfo"}' headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2JjNTUwYzNiLTRlNzMtNGVhMS04NWNhLWM4NWFkZjU4M2IyZg==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '1418' + - '41' content-type: - application/json date: - - Mon, 13 Feb 2023 07:53:15 GMT + - Mon, 05 Sep 2022 12:01:30 GMT expires: - '-1' pragma: @@ -15826,7 +7697,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '1996' + - '197' x-powered-by: - ASP.NET status: @@ -15840,98 +7711,96 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance resume-protection + - dataprotection backup-instance show Connection: - keep-alive - Content-Length: - - '0' ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1/resumeProtection?api-version=2022-05-01 + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae?api-version=2022-05-01 response: body: - string: '' + string: '{"tags":{"Owner":"dppclitest"},"properties":{"friendlyName":"cli-test-disk-new","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","resourceUri":"","datasourceType":"Microsoft.Compute/disks","resourceName":"cli-test-disk-new","resourceType":"Microsoft.Compute/disks","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","policyParameters":{"dataStoreParametersList":[{"objectType":"AzureOperationalStoreParameters","dataStoreType":"OperationalStore","resourceGroupId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}},"protectionStatus":{"status":"ProtectionStopped"},"currentProtectionState":"ProtectionStopped","provisioningState":"Succeeded","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","name":"cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzcyZDJkMTgzLTdkZmItNDRlZC1hNjViLTBjMTEyNzc3NDdmZQ==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '0' + - '1411' + content-type: + - application/json date: - - Mon, 13 Feb 2023 07:53:17 GMT + - Mon, 05 Sep 2022 12:01:31 GMT expires: - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzcyZDJkMTgzLTdkZmItNDRlZC1hNjViLTBjMTEyNzc3NDdmZQ==?api-version=2022-05-01 pragma: - no-cache + server: + - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1197' + x-ms-ratelimit-remaining-subscription-resource-requests: + - '1997' x-powered-by: - ASP.NET status: - code: 202 - message: Accepted + code: 200 + message: OK - request: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - dataprotection backup-instance resume-protection Connection: - keep-alive + Content-Length: + - '0' ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzcyZDJkMTgzLTdkZmItNDRlZC1hNjViLTBjMTEyNzc3NDdmZQ==?api-version=2022-05-01 + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae/resumeProtection?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzcyZDJkMTgzLTdkZmItNDRlZC1hNjViLTBjMTEyNzc3NDdmZQ==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzcyZDJkMTgzLTdkZmItNDRlZC1hNjViLTBjMTEyNzc3NDdmZQ==","status":"Inprogress","startTime":"2023-02-13T07:53:17.9326967Z","endTime":"0001-01-01T00:00:00Z"}' + string: '' headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzdlOGY1MDZkLTI2NzYtNGRmYi1iMDQ4LTU2NjVmMWRhMTgxOA==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '478' - content-type: - - application/json + - '0' date: - - Mon, 13 Feb 2023 07:53:33 GMT + - Mon, 05 Sep 2022 12:01:36 GMT expires: - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzdlOGY1MDZkLTI2NzYtNGRmYi1iMDQ4LTU2NjVmMWRhMTgxOA==?api-version=2022-05-01 pragma: - no-cache - server: - - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '994' + x-ms-ratelimit-remaining-subscription-writes: + - '1197' x-powered-by: - ASP.NET status: - code: 200 - message: OK + code: 202 + message: Accepted - request: body: null headers: @@ -15946,22 +7815,21 @@ interactions: ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzcyZDJkMTgzLTdkZmItNDRlZC1hNjViLTBjMTEyNzc3NDdmZQ==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzdlOGY1MDZkLTI2NzYtNGRmYi1iMDQ4LTU2NjVmMWRhMTgxOA==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzcyZDJkMTgzLTdkZmItNDRlZC1hNjViLTBjMTEyNzc3NDdmZQ==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzcyZDJkMTgzLTdkZmItNDRlZC1hNjViLTBjMTEyNzc3NDdmZQ==","status":"Inprogress","startTime":"2023-02-13T07:53:17.9326967Z","endTime":"0001-01-01T00:00:00Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzdlOGY1MDZkLTI2NzYtNGRmYi1iMDQ4LTU2NjVmMWRhMTgxOA==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzdlOGY1MDZkLTI2NzYtNGRmYi1iMDQ4LTU2NjVmMWRhMTgxOA==","status":"Inprogress","startTime":"2022-09-05T12:01:36.4055409Z","endTime":"0001-01-01T00:00:00Z"}' headers: cache-control: - no-cache content-length: - - '478' + - '477' content-type: - application/json date: - - Mon, 13 Feb 2023 07:54:03 GMT + - Mon, 05 Sep 2022 12:01:52 GMT expires: - '-1' pragma: @@ -15977,7 +7845,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '993' + - '997' x-powered-by: - ASP.NET status: @@ -15997,22 +7865,21 @@ interactions: ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzcyZDJkMTgzLTdkZmItNDRlZC1hNjViLTBjMTEyNzc3NDdmZQ==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzdlOGY1MDZkLTI2NzYtNGRmYi1iMDQ4LTU2NjVmMWRhMTgxOA==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzcyZDJkMTgzLTdkZmItNDRlZC1hNjViLTBjMTEyNzc3NDdmZQ==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzcyZDJkMTgzLTdkZmItNDRlZC1hNjViLTBjMTEyNzc3NDdmZQ==","status":"Succeeded","startTime":"2023-02-13T07:53:17.9326967Z","endTime":"2023-02-13T07:54:05Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzdlOGY1MDZkLTI2NzYtNGRmYi1iMDQ4LTU2NjVmMWRhMTgxOA==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzdlOGY1MDZkLTI2NzYtNGRmYi1iMDQ4LTU2NjVmMWRhMTgxOA==","status":"Succeeded","startTime":"2022-09-05T12:01:36.4055409Z","endTime":"2022-09-05T12:02:10Z"}' headers: cache-control: - no-cache content-length: - - '477' + - '476' content-type: - application/json date: - - Mon, 13 Feb 2023 07:54:34 GMT + - Mon, 05 Sep 2022 12:02:23 GMT expires: - '-1' pragma: @@ -16028,7 +7895,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '992' + - '996' x-powered-by: - ASP.NET status: @@ -16048,16 +7915,15 @@ interactions: ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzcyZDJkMTgzLTdkZmItNDRlZC1hNjViLTBjMTEyNzc3NDdmZQ==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzdlOGY1MDZkLTI2NzYtNGRmYi1iMDQ4LTU2NjVmMWRhMTgxOA==?api-version=2022-05-01 response: body: string: '{"objectType":"OperationJobExtendedInfo"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzcyZDJkMTgzLTdkZmItNDRlZC1hNjViLTBjMTEyNzc3NDdmZQ==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzdlOGY1MDZkLTI2NzYtNGRmYi1iMDQ4LTU2NjVmMWRhMTgxOA==?api-version=2022-05-01 cache-control: - no-cache content-length: @@ -16065,7 +7931,7 @@ interactions: content-type: - application/json date: - - Mon, 13 Feb 2023 07:54:34 GMT + - Mon, 05 Sep 2022 12:02:24 GMT expires: - '-1' pragma: @@ -16081,7 +7947,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '197' + - '198' x-powered-by: - ASP.NET status: @@ -16101,22 +7967,21 @@ interactions: ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae?api-version=2022-05-01 response: body: - string: '{"tags":{"Owner":"dppclitest"},"properties":{"friendlyName":"cli-test-disk-new1","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","resourceUri":"","datasourceType":"Microsoft.Compute/disks","resourceName":"cli-test-disk-new1","resourceType":"Microsoft.Compute/disks","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","policyParameters":{"dataStoreParametersList":[{"objectType":"AzureOperationalStoreParameters","dataStoreType":"OperationalStore","resourceGroupId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}},"protectionStatus":{"status":"ProtectionConfigured"},"currentProtectionState":"ProtectionConfigured","provisioningState":"Succeeded","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","name":"cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' + string: '{"tags":{"Owner":"dppclitest"},"properties":{"friendlyName":"cli-test-disk-new","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","resourceUri":"","datasourceType":"Microsoft.Compute/disks","resourceName":"cli-test-disk-new","resourceType":"Microsoft.Compute/disks","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","policyParameters":{"dataStoreParametersList":[{"objectType":"AzureOperationalStoreParameters","dataStoreType":"OperationalStore","resourceGroupId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}},"protectionStatus":{"status":"ProtectionConfigured"},"currentProtectionState":"ProtectionConfigured","provisioningState":"Succeeded","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","name":"cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' headers: cache-control: - no-cache content-length: - - '1426' + - '1417' content-type: - application/json date: - - Mon, 13 Feb 2023 07:54:36 GMT + - Mon, 05 Sep 2022 12:02:26 GMT expires: - '-1' pragma: @@ -16132,51 +7997,47 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '1995' + - '1997' x-powered-by: - ASP.NET status: code: 200 message: OK - request: - body: '{"backupRuleOptions": {"ruleName": "BackupHourly", "triggerOption": {"retentionTagOverride": - "Default"}}}' + body: null headers: Accept: - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance adhoc-backup + - dataprotection backup-instance suspend-backup Connection: - keep-alive Content-Length: - - '105' - Content-Type: - - application/json + - '0' ParameterSetName: - - -n -g --vault-name --rule-name --retention-tag-override + - -n -g --vault-name User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1/backup?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae/suspendBackups?api-version=2022-05-01 response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2MxNDNmM2IzLTBkMGItNDNmNy1iOGMwLTg3ZTk2MzZmNjRlNg==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzlmMzI0ZTg5LWNlMmQtNGQ5Ny04NWYwLWFjNTI2ODg0ODZmYg==?api-version=2022-05-01 cache-control: - no-cache content-length: - '0' date: - - Mon, 13 Feb 2023 07:54:36 GMT + - Mon, 05 Sep 2022 12:02:30 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2MxNDNmM2IzLTBkMGItNDNmNy1iOGMwLTg3ZTk2MzZmNjRlNg==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzlmMzI0ZTg5LWNlMmQtNGQ5Ny04NWYwLWFjNTI2ODg0ODZmYg==?api-version=2022-05-01 pragma: - no-cache strict-transport-security: @@ -16184,7 +8045,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-writes: - - '1196' + - '1198' x-powered-by: - ASP.NET status: @@ -16198,28 +8059,27 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance adhoc-backup + - dataprotection backup-instance suspend-backup Connection: - keep-alive ParameterSetName: - - -n -g --vault-name --rule-name --retention-tag-override + - -n -g --vault-name User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2MxNDNmM2IzLTBkMGItNDNmNy1iOGMwLTg3ZTk2MzZmNjRlNg==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzlmMzI0ZTg5LWNlMmQtNGQ5Ny04NWYwLWFjNTI2ODg0ODZmYg==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2MxNDNmM2IzLTBkMGItNDNmNy1iOGMwLTg3ZTk2MzZmNjRlNg==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2MxNDNmM2IzLTBkMGItNDNmNy1iOGMwLTg3ZTk2MzZmNjRlNg==","status":"Succeeded","startTime":"2023-02-13T07:54:37.5478063Z","endTime":"2023-02-13T07:54:41Z","properties":{"jobId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac","objectType":"OperationJobExtendedInfo"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzlmMzI0ZTg5LWNlMmQtNGQ5Ny04NWYwLWFjNTI2ODg0ODZmYg==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzlmMzI0ZTg5LWNlMmQtNGQ5Ny04NWYwLWFjNTI2ODg0ODZmYg==","status":"Succeeded","startTime":"2022-09-05T12:02:31.0141165Z","endTime":"2022-09-05T12:02:43Z"}' headers: cache-control: - no-cache content-length: - - '735' + - '476' content-type: - application/json date: - - Mon, 13 Feb 2023 07:55:08 GMT + - Mon, 05 Sep 2022 12:02:46 GMT expires: - '-1' pragma: @@ -16235,7 +8095,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '987' + - '997' x-powered-by: - ASP.NET status: @@ -16249,30 +8109,29 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance adhoc-backup + - dataprotection backup-instance suspend-backup Connection: - keep-alive ParameterSetName: - - -n -g --vault-name --rule-name --retention-tag-override + - -n -g --vault-name User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2MxNDNmM2IzLTBkMGItNDNmNy1iOGMwLTg3ZTk2MzZmNjRlNg==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzlmMzI0ZTg5LWNlMmQtNGQ5Ny04NWYwLWFjNTI2ODg0ODZmYg==?api-version=2022-05-01 response: body: - string: '{"jobId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac","objectType":"OperationJobExtendedInfo"}' + string: '{"objectType":"OperationJobExtendedInfo"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2MxNDNmM2IzLTBkMGItNDNmNy1iOGMwLTg3ZTk2MzZmNjRlNg==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzlmMzI0ZTg5LWNlMmQtNGQ5Ny04NWYwLWFjNTI2ODg0ODZmYg==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '244' + - '41' content-type: - application/json date: - - Mon, 13 Feb 2023 07:55:08 GMT + - Mon, 05 Sep 2022 12:02:46 GMT expires: - '-1' pragma: @@ -16288,7 +8147,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '196' + - '198' x-powered-by: - ASP.NET status: @@ -16302,36 +8161,33 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection job show + - dataprotection backup-instance show Connection: - keep-alive ParameterSetName: - - --ids + - -n -g --vault-name User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"a8fc078f-ab73-11ed-9b8f-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A54%3A40.1872278Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:54:37.8803266Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger - Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac","name":"32fcc28e-70fe-4d89-8e45-f545113d14ac","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"tags":{"Owner":"dppclitest"},"properties":{"friendlyName":"cli-test-disk-new","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","resourceUri":"","datasourceType":"Microsoft.Compute/disks","resourceName":"cli-test-disk-new","resourceType":"Microsoft.Compute/disks","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","policyParameters":{"dataStoreParametersList":[{"objectType":"AzureOperationalStoreParameters","dataStoreType":"OperationalStore","resourceGroupId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}},"protectionStatus":{"status":"BackupsSuspended"},"currentProtectionState":"BackupsSuspended","provisioningState":"Succeeded","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","name":"cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' headers: cache-control: - no-cache content-length: - - '2138' + - '1409' content-type: - application/json date: - - Mon, 13 Feb 2023 07:55:20 GMT + - Mon, 05 Sep 2022 12:02:47 GMT expires: - '-1' pragma: - no-cache server: - Microsoft-IIS/10.0 - - Kestrel strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -16341,7 +8197,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '1999' x-powered-by: - ASP.NET status: @@ -16355,89 +8211,81 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection job show + - dataprotection backup-instance resume-protection Connection: - keep-alive + Content-Length: + - '0' ParameterSetName: - - --ids + - -n -g --vault-name User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac?api-version=2022-05-01 + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae/resumeProtection?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"a8fc078f-ab73-11ed-9b8f-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A54%3A40.1872278Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:54:37.8803266Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger - Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac","name":"32fcc28e-70fe-4d89-8e45-f545113d14ac","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '' headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzhhODI4NDkyLTU1YTAtNDYzYS1hYjdhLTAyOWM3YTkwY2Y5NQ==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '2138' - content-type: - - application/json + - '0' date: - - Mon, 13 Feb 2023 07:55:31 GMT + - Mon, 05 Sep 2022 12:02:52 GMT expires: - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzhhODI4NDkyLTU1YTAtNDYzYS1hYjdhLTAyOWM3YTkwY2Y5NQ==?api-version=2022-05-01 pragma: - no-cache - server: - - Microsoft-IIS/10.0 - - Kestrel strict-transport-security: - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + x-ms-ratelimit-remaining-subscription-writes: + - '1199' x-powered-by: - ASP.NET status: - code: 200 - message: OK + code: 202 + message: Accepted - request: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection job show + - dataprotection backup-instance resume-protection Connection: - keep-alive ParameterSetName: - - --ids + - -n -g --vault-name User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzhhODI4NDkyLTU1YTAtNDYzYS1hYjdhLTAyOWM3YTkwY2Y5NQ==?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"a8fc078f-ab73-11ed-9b8f-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A54%3A40.1872278Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:54:37.8803266Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger - Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac","name":"32fcc28e-70fe-4d89-8e45-f545113d14ac","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzhhODI4NDkyLTU1YTAtNDYzYS1hYjdhLTAyOWM3YTkwY2Y5NQ==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzhhODI4NDkyLTU1YTAtNDYzYS1hYjdhLTAyOWM3YTkwY2Y5NQ==","status":"Inprogress","startTime":"2022-09-05T12:02:52.8883376Z","endTime":"0001-01-01T00:00:00Z"}' headers: cache-control: - no-cache content-length: - - '2138' + - '477' content-type: - application/json date: - - Mon, 13 Feb 2023 07:55:43 GMT + - Mon, 05 Sep 2022 12:03:07 GMT expires: - '-1' pragma: - no-cache server: - Microsoft-IIS/10.0 - - Kestrel strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -16447,7 +8295,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '999' x-powered-by: - ASP.NET status: @@ -16457,40 +8305,37 @@ interactions: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection job show + - dataprotection backup-instance resume-protection Connection: - keep-alive ParameterSetName: - - --ids + - -n -g --vault-name User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzhhODI4NDkyLTU1YTAtNDYzYS1hYjdhLTAyOWM3YTkwY2Y5NQ==?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"a8fc078f-ab73-11ed-9b8f-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A54%3A40.1872278Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:54:37.8803266Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger - Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac","name":"32fcc28e-70fe-4d89-8e45-f545113d14ac","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzhhODI4NDkyLTU1YTAtNDYzYS1hYjdhLTAyOWM3YTkwY2Y5NQ==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzhhODI4NDkyLTU1YTAtNDYzYS1hYjdhLTAyOWM3YTkwY2Y5NQ==","status":"Succeeded","startTime":"2022-09-05T12:02:52.8883376Z","endTime":"2022-09-05T12:03:26Z"}' headers: cache-control: - no-cache content-length: - - '2138' + - '476' content-type: - application/json date: - - Mon, 13 Feb 2023 07:55:54 GMT + - Mon, 05 Sep 2022 12:03:39 GMT expires: - '-1' pragma: - no-cache server: - Microsoft-IIS/10.0 - - Kestrel strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -16500,7 +8345,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '198' + - '998' x-powered-by: - ASP.NET status: @@ -16510,40 +8355,39 @@ interactions: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection job show + - dataprotection backup-instance resume-protection Connection: - keep-alive ParameterSetName: - - --ids + - -n -g --vault-name User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzhhODI4NDkyLTU1YTAtNDYzYS1hYjdhLTAyOWM3YTkwY2Y5NQ==?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"a8fc078f-ab73-11ed-9b8f-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A54%3A40.1872278Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:54:37.8803266Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger - Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac","name":"32fcc28e-70fe-4d89-8e45-f545113d14ac","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"objectType":"OperationJobExtendedInfo"}' headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzhhODI4NDkyLTU1YTAtNDYzYS1hYjdhLTAyOWM3YTkwY2Y5NQ==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '2138' + - '41' content-type: - application/json date: - - Mon, 13 Feb 2023 07:56:06 GMT + - Mon, 05 Sep 2022 12:03:39 GMT expires: - '-1' pragma: - no-cache server: - Microsoft-IIS/10.0 - - Kestrel strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -16553,7 +8397,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '197' + - '199' x-powered-by: - ASP.NET status: @@ -16567,36 +8411,33 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection job show + - dataprotection backup-instance show Connection: - keep-alive ParameterSetName: - - --ids + - -n -g --vault-name User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"a8fc078f-ab73-11ed-9b8f-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A54%3A40.1872278Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:54:37.8803266Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger - Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac","name":"32fcc28e-70fe-4d89-8e45-f545113d14ac","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"tags":{"Owner":"dppclitest"},"properties":{"friendlyName":"cli-test-disk-new","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","resourceUri":"","datasourceType":"Microsoft.Compute/disks","resourceName":"cli-test-disk-new","resourceType":"Microsoft.Compute/disks","resourceLocation":"centraluseuap","objectType":"Datasource"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","policyParameters":{"dataStoreParametersList":[{"objectType":"AzureOperationalStoreParameters","dataStoreType":"OperationalStore","resourceGroupId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg"}]}},"protectionStatus":{"status":"ProtectionConfigured"},"currentProtectionState":"ProtectionConfigured","provisioningState":"Succeeded","objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","name":"cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' headers: cache-control: - no-cache content-length: - - '2138' + - '1417' content-type: - application/json date: - - Mon, 13 Feb 2023 07:56:16 GMT + - Mon, 05 Sep 2022 12:03:42 GMT expires: - '-1' pragma: - no-cache server: - Microsoft-IIS/10.0 - - Kestrel strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -16606,50 +8447,98 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '196' + - '1999' x-powered-by: - ASP.NET status: code: 200 message: OK - request: - body: null + body: '{"backupRuleOptions": {"ruleName": "BackupHourly", "triggerOption": {"retentionTagOverride": + "Default"}}}' headers: Accept: - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection job show + - dataprotection backup-instance adhoc-backup Connection: - keep-alive + Content-Length: + - '105' + Content-Type: + - application/json ParameterSetName: - - --ids + - -n -g --vault-name --rule-name --retention-tag-override + User-Agent: + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae/backup?api-version=2022-05-01 + response: + body: + string: '' + headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2I1MDJlZmQ5LTJhNTAtNDFmOS05ZTBjLTNjZGY2MDNiYjMyNg==?api-version=2022-05-01 + cache-control: + - no-cache + content-length: + - '0' + date: + - Mon, 05 Sep 2022 12:03:46 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2I1MDJlZmQ5LTJhNTAtNDFmOS05ZTBjLTNjZGY2MDNiYjMyNg==?api-version=2022-05-01 + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-writes: + - '1199' + x-powered-by: + - ASP.NET + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-instance adhoc-backup + Connection: + - keep-alive + ParameterSetName: + - -n -g --vault-name --rule-name --retention-tag-override User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2I1MDJlZmQ5LTJhNTAtNDFmOS05ZTBjLTNjZGY2MDNiYjMyNg==?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"a8fc078f-ab73-11ed-9b8f-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A54%3A40.1872278Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:54:37.8803266Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger - Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac","name":"32fcc28e-70fe-4d89-8e45-f545113d14ac","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2I1MDJlZmQ5LTJhNTAtNDFmOS05ZTBjLTNjZGY2MDNiYjMyNg==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2I1MDJlZmQ5LTJhNTAtNDFmOS05ZTBjLTNjZGY2MDNiYjMyNg==","status":"Succeeded","startTime":"2022-09-05T12:03:47.2582994Z","endTime":"2022-09-05T12:03:51Z","properties":{"jobId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632","objectType":"OperationJobExtendedInfo"}}' headers: cache-control: - no-cache content-length: - - '2138' + - '733' content-type: - application/json date: - - Mon, 13 Feb 2023 07:56:28 GMT + - Mon, 05 Sep 2022 12:04:17 GMT expires: - '-1' pragma: - no-cache server: - Microsoft-IIS/10.0 - - Kestrel strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -16659,7 +8548,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '998' x-powered-by: - ASP.NET status: @@ -16669,40 +8558,39 @@ interactions: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection job show + - dataprotection backup-instance adhoc-backup Connection: - keep-alive ParameterSetName: - - --ids + - -n -g --vault-name --rule-name --retention-tag-override User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2I1MDJlZmQ5LTJhNTAtNDFmOS05ZTBjLTNjZGY2MDNiYjMyNg==?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"a8fc078f-ab73-11ed-9b8f-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A54%3A40.1872278Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:54:37.8803266Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger - Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac","name":"32fcc28e-70fe-4d89-8e45-f545113d14ac","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"jobId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632","objectType":"OperationJobExtendedInfo"}' headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2I1MDJlZmQ5LTJhNTAtNDFmOS05ZTBjLTNjZGY2MDNiYjMyNg==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '2138' + - '243' content-type: - application/json date: - - Mon, 13 Feb 2023 07:56:40 GMT + - Mon, 05 Sep 2022 12:04:18 GMT expires: - '-1' pragma: - no-cache server: - Microsoft-IIS/10.0 - - Kestrel strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -16712,7 +8600,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '198' + - '199' x-powered-by: - ASP.NET status: @@ -16732,23 +8620,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"a8fc078f-ab73-11ed-9b8f-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A54%3A40.1872278Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:54:37.8803266Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger - Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac","name":"32fcc28e-70fe-4d89-8e45-f545113d14ac","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"c99950e3-2d12-11ed-a73b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A03%3A49.8443396Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:03:47.5841436Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger + Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632","name":"58b11f73-4fdb-44d7-9b23-f6e021e64632","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2138' + - '2101' content-type: - application/json date: - - Mon, 13 Feb 2023 07:56:51 GMT + - Mon, 05 Sep 2022 12:04:32 GMT expires: - '-1' pragma: @@ -16765,7 +8652,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '198' + - '199' x-powered-by: - ASP.NET status: @@ -16785,23 +8672,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"a8fc078f-ab73-11ed-9b8f-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A54%3A40.1872278Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:54:37.8803266Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger - Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac","name":"32fcc28e-70fe-4d89-8e45-f545113d14ac","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"c99950e3-2d12-11ed-a73b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A03%3A49.8443396Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:03:47.5841436Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger + Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632","name":"58b11f73-4fdb-44d7-9b23-f6e021e64632","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2138' + - '2101' content-type: - application/json date: - - Mon, 13 Feb 2023 07:57:02 GMT + - Mon, 05 Sep 2022 12:04:46 GMT expires: - '-1' pragma: @@ -16818,7 +8704,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '197' + - '199' x-powered-by: - ASP.NET status: @@ -16838,23 +8724,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"a8fc078f-ab73-11ed-9b8f-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A54%3A40.1872278Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:54:37.8803266Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger - Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac","name":"32fcc28e-70fe-4d89-8e45-f545113d14ac","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"c99950e3-2d12-11ed-a73b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A03%3A49.8443396Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:03:47.5841436Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger + Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632","name":"58b11f73-4fdb-44d7-9b23-f6e021e64632","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2138' + - '2101' content-type: - application/json date: - - Mon, 13 Feb 2023 07:57:14 GMT + - Mon, 05 Sep 2022 12:04:59 GMT expires: - '-1' pragma: @@ -16871,7 +8756,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '196' + - '199' x-powered-by: - ASP.NET status: @@ -16891,23 +8776,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"a8fc078f-ab73-11ed-9b8f-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A54%3A40.1872278Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:54:37.8803266Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger - Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac","name":"32fcc28e-70fe-4d89-8e45-f545113d14ac","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"c99950e3-2d12-11ed-a73b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A03%3A49.8443396Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:03:47.5841436Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger + Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632","name":"58b11f73-4fdb-44d7-9b23-f6e021e64632","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2138' + - '2101' content-type: - application/json date: - - Mon, 13 Feb 2023 07:57:25 GMT + - Mon, 05 Sep 2022 12:05:14 GMT expires: - '-1' pragma: @@ -16924,7 +8808,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '195' + - '199' x-powered-by: - ASP.NET status: @@ -16944,23 +8828,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"a8fc078f-ab73-11ed-9b8f-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A54%3A40.1872278Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:54:37.8803266Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger - Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac","name":"32fcc28e-70fe-4d89-8e45-f545113d14ac","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"c99950e3-2d12-11ed-a73b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A03%3A49.8443396Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:03:47.5841436Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger + Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632","name":"58b11f73-4fdb-44d7-9b23-f6e021e64632","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2138' + - '2101' content-type: - application/json date: - - Mon, 13 Feb 2023 07:57:37 GMT + - Mon, 05 Sep 2022 12:05:26 GMT expires: - '-1' pragma: @@ -16977,7 +8860,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '198' + - '199' x-powered-by: - ASP.NET status: @@ -16997,23 +8880,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"a8fc078f-ab73-11ed-9b8f-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A54%3A40.1872278Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:54:37.8803266Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger - Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac","name":"32fcc28e-70fe-4d89-8e45-f545113d14ac","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"c99950e3-2d12-11ed-a73b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A03%3A49.8443396Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:03:47.5841436Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger + Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632","name":"58b11f73-4fdb-44d7-9b23-f6e021e64632","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2138' + - '2101' content-type: - application/json date: - - Mon, 13 Feb 2023 07:57:48 GMT + - Mon, 05 Sep 2022 12:05:41 GMT expires: - '-1' pragma: @@ -17030,7 +8912,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '197' + - '199' x-powered-by: - ASP.NET status: @@ -17050,23 +8932,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"a8fc078f-ab73-11ed-9b8f-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":"OperationalTierStore","progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A57%3A49.2563046Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:54:37.8803266Z","endTime":"2023-02-13T07:57:48.864671Z","dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"Completed","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT3M10.9843444S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"0001-01-01T00:00:00Z"},"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger - Backup","taskStatus":"Completed","taskProgress":null,"additionalDetails":{"OriginalDatasourceSizeInBytes":"0","TaskId":"a8fc078f-ab73-11ed-9b8f-60a5e2435518","DatasourceType":"Microsoft.Compute/disks"}}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/32fcc28e-70fe-4d89-8e45-f545113d14ac","name":"32fcc28e-70fe-4d89-8e45-f545113d14ac","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"c99950e3-2d12-11ed-a73b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A03%3A49.8443396Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:03:47.5841436Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger + Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632","name":"58b11f73-4fdb-44d7-9b23-f6e021e64632","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2407' + - '2101' content-type: - application/json date: - - Mon, 13 Feb 2023 07:58:00 GMT + - Mon, 05 Sep 2022 12:05:52 GMT expires: - '-1' pragma: @@ -17083,7 +8964,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '197' + - '198' x-powered-by: - ASP.NET status: @@ -17097,34 +8978,35 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection recovery-point list + - dataprotection job show Connection: - keep-alive ParameterSetName: - - --backup-instance-name -g --vault-name + - --ids User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1/recoveryPoints?api-version=2022-05-01&$filter= + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632?api-version=2022-05-01 response: body: - string: '{"value":[{"properties":{"objectType":"AzureBackupDiscreteRecoveryPoint","recoveryPointId":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z","recoveryPointType":"Incremental","friendlyName":"a1b388d0061142afb20388347abd6cee","recoveryPointDataStoresDetails":[{"id":"126d3d55-d014-4e28-b0cc-c4d34172c090","type":"OperationalStore","creationTime":"2023-02-13T07:55:52.1306902Z","expiryTime":null,"metaData":null,"visible":true,"state":"COMMITTED","rehydrationExpiryTime":null,"rehydrationStatus":null}],"retentionTagName":"Default","retentionTagVersion":"638118713029437509","policyName":"diskpolicy","policyVersion":null,"expiryTime":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1/recoveryPoints/a1b388d0061142afb20388347abd6cee","name":"a1b388d0061142afb20388347abd6cee","type":"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints"}]}' + string: '{"properties":{"activityID":"c99950e3-2d12-11ed-a73b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A03%3A49.8443396Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:03:47.5841436Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger + Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632","name":"58b11f73-4fdb-44d7-9b23-f6e021e64632","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '1088' + - '2101' content-type: - application/json date: - - Mon, 13 Feb 2023 07:58:01 GMT + - Mon, 05 Sep 2022 12:06:03 GMT expires: - '-1' pragma: - no-cache server: - Microsoft-IIS/10.0 + - Kestrel strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -17134,105 +9016,101 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '99' + - '198' x-powered-by: - ASP.NET status: code: 200 message: OK - request: - body: '{"restoreRequestObject": {"objectType": "AzureBackupRecoveryPointBasedRestoreRequest", - "restoreTargetInfo": {"objectType": "RestoreTargetInfo", "recoveryOption": "FailIfExists", - "restoreLocation": "centraluseuap", "datasourceInfo": {"datasourceType": "Microsoft.Compute/disks", - "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored", - "resourceLocation": "centraluseuap", "resourceName": "cli-test-disk-new1-restored", - "resourceType": "Microsoft.Compute/disks", "resourceUri": ""}}, "sourceDataStoreType": - "OperationalStore", "recoveryPointId": "a1b388d0061142afb20388347abd6cee"}}' + body: null headers: Accept: - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance validate-for-restore + - dataprotection job show Connection: - keep-alive - Content-Length: - - '708' - Content-Type: - - application/json ParameterSetName: - - -g --vault-name -n --restore-request-object + - --ids User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1/validateRestore?api-version=2022-05-01 + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632?api-version=2022-05-01 response: body: - string: '' + string: '{"properties":{"activityID":"c99950e3-2d12-11ed-a73b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A03%3A49.8443396Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:03:47.5841436Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger + Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632","name":"58b11f73-4fdb-44d7-9b23-f6e021e64632","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2Y1OGJmNDAwLWU1YjgtNDM0Ni1iNDJhLTlkNzA5NzQzMWFhYg==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '0' + - '2101' + content-type: + - application/json date: - - Mon, 13 Feb 2023 07:58:03 GMT + - Mon, 05 Sep 2022 12:06:20 GMT expires: - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2Y1OGJmNDAwLWU1YjgtNDM0Ni1iNDJhLTlkNzA5NzQzMWFhYg==?api-version=2022-05-01 pragma: - no-cache + server: + - Microsoft-IIS/10.0 + - Kestrel strict-transport-security: - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1196' + x-ms-ratelimit-remaining-subscription-resource-requests: + - '199' x-powered-by: - ASP.NET - status: - code: 202 - message: Accepted + status: + code: 200 + message: OK - request: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance validate-for-restore + - dataprotection job show Connection: - keep-alive ParameterSetName: - - -g --vault-name -n --restore-request-object + - --ids User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2Y1OGJmNDAwLWU1YjgtNDM0Ni1iNDJhLTlkNzA5NzQzMWFhYg==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2Y1OGJmNDAwLWU1YjgtNDM0Ni1iNDJhLTlkNzA5NzQzMWFhYg==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2Y1OGJmNDAwLWU1YjgtNDM0Ni1iNDJhLTlkNzA5NzQzMWFhYg==","status":"Inprogress","startTime":"2023-02-13T07:58:03.8104363Z","endTime":"0001-01-01T00:00:00Z"}' + string: '{"properties":{"activityID":"c99950e3-2d12-11ed-a73b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":"OperationalTierStore","progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A06%3A30.4112193Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:03:47.5841436Z","endTime":"2022-09-05T12:06:28.2465489Z","dataSourceType":"Microsoft.Compute/disks","operationCategory":"Backup","operation":"Backup","status":"Completed","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT2M40.6624053S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"0001-01-01T00:00:00Z"},"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger + Backup","taskStatus":"Completed","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Default"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/58b11f73-4fdb-44d7-9b23-f6e021e64632","name":"58b11f73-4fdb-44d7-9b23-f6e021e64632","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '478' + - '2247' content-type: - application/json date: - - Mon, 13 Feb 2023 07:58:13 GMT + - Mon, 05 Sep 2022 12:06:34 GMT expires: - '-1' pragma: - no-cache server: - Microsoft-IIS/10.0 + - Kestrel strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -17242,7 +9120,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '991' + - '199' x-powered-by: - ASP.NET status: @@ -17252,32 +9130,31 @@ interactions: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance validate-for-restore + - dataprotection recovery-point list Connection: - keep-alive ParameterSetName: - - -g --vault-name -n --restore-request-object + - --backup-instance-name -g --vault-name User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2Y1OGJmNDAwLWU1YjgtNDM0Ni1iNDJhLTlkNzA5NzQzMWFhYg==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae/recoveryPoints?api-version=2022-05-01&$filter= response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2Y1OGJmNDAwLWU1YjgtNDM0Ni1iNDJhLTlkNzA5NzQzMWFhYg==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2Y1OGJmNDAwLWU1YjgtNDM0Ni1iNDJhLTlkNzA5NzQzMWFhYg==","status":"Inprogress","startTime":"2023-02-13T07:58:03.8104363Z","endTime":"0001-01-01T00:00:00Z"}' + string: '{"value":[{"properties":{"objectType":"AzureBackupDiscreteRecoveryPoint","recoveryPointId":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.6993890Z","recoveryPointType":"Incremental","friendlyName":"fd37665c-d66d-469e-be1d-ad22848e42f2","recoveryPointDataStoresDetails":[{"id":"c6917e77-7cc7-4c48-aa95-bc0d46c3009c","type":"OperationalStore","creationTime":"2022-09-05T12:05:43.6993890Z","expiryTime":null,"metaData":null,"visible":true,"state":"COMMITTED","rehydrationExpiryTime":null,"rehydrationStatus":null}],"retentionTagName":"Default","retentionTagVersion":"637979759380377361","policyName":"diskpolicy","policyVersion":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae/recoveryPoints/21761e5e114e4ffa8b665297125df85a","name":"21761e5e114e4ffa8b665297125df85a","type":"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints"}]}' headers: cache-control: - no-cache content-length: - - '478' + - '1071' content-type: - application/json date: - - Mon, 13 Feb 2023 07:58:44 GMT + - Mon, 05 Sep 2022 12:06:38 GMT expires: - '-1' pragma: @@ -17293,63 +9170,68 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '990' + - '99' x-powered-by: - ASP.NET status: code: 200 message: OK - request: - body: null + body: '{"restoreRequestObject": {"objectType": "AzureBackupRecoveryPointBasedRestoreRequest", + "restoreTargetInfo": {"objectType": "RestoreTargetInfo", "recoveryOption": "FailIfExists", + "restoreLocation": "centraluseuap", "datasourceInfo": {"datasourceType": "Microsoft.Compute/disks", + "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored", + "resourceLocation": "centraluseuap", "resourceName": "cli-test-disk-new-restored", + "resourceType": "Microsoft.Compute/disks", "resourceUri": ""}}, "sourceDataStoreType": + "OperationalStore", "recoveryPointId": "21761e5e114e4ffa8b665297125df85a"}}' headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - dataprotection backup-instance validate-for-restore Connection: - keep-alive + Content-Length: + - '706' + Content-Type: + - application/json ParameterSetName: - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2Y1OGJmNDAwLWU1YjgtNDM0Ni1iNDJhLTlkNzA5NzQzMWFhYg==?api-version=2022-05-01 + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae/validateRestore?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2Y1OGJmNDAwLWU1YjgtNDM0Ni1iNDJhLTlkNzA5NzQzMWFhYg==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2Y1OGJmNDAwLWU1YjgtNDM0Ni1iNDJhLTlkNzA5NzQzMWFhYg==","status":"Inprogress","startTime":"2023-02-13T07:58:03.8104363Z","endTime":"0001-01-01T00:00:00Z"}' + string: '' headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2IxN2FhYTZmLWEyMDgtNGJlNS1hMTE5LWRlNDBhZjM0YjQxMA==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '478' - content-type: - - application/json + - '0' date: - - Mon, 13 Feb 2023 07:59:14 GMT + - Mon, 05 Sep 2022 12:06:42 GMT expires: - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2IxN2FhYTZmLWEyMDgtNGJlNS1hMTE5LWRlNDBhZjM0YjQxMA==?api-version=2022-05-01 pragma: - no-cache - server: - - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '989' + x-ms-ratelimit-remaining-subscription-writes: + - '1198' x-powered-by: - ASP.NET status: - code: 200 - message: OK + code: 202 + message: Accepted - request: body: null headers: @@ -17364,13 +9246,12 @@ interactions: ParameterSetName: - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2Y1OGJmNDAwLWU1YjgtNDM0Ni1iNDJhLTlkNzA5NzQzMWFhYg==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2IxN2FhYTZmLWEyMDgtNGJlNS1hMTE5LWRlNDBhZjM0YjQxMA==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2Y1OGJmNDAwLWU1YjgtNDM0Ni1iNDJhLTlkNzA5NzQzMWFhYg==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2Y1OGJmNDAwLWU1YjgtNDM0Ni1iNDJhLTlkNzA5NzQzMWFhYg==","status":"Succeeded","startTime":"2023-02-13T07:58:03.8104363Z","endTime":"2023-02-13T07:59:17Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2IxN2FhYTZmLWEyMDgtNGJlNS1hMTE5LWRlNDBhZjM0YjQxMA==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2IxN2FhYTZmLWEyMDgtNGJlNS1hMTE5LWRlNDBhZjM0YjQxMA==","status":"Inprogress","startTime":"2022-09-05T12:06:42.5513185Z","endTime":"0001-01-01T00:00:00Z"}' headers: cache-control: - no-cache @@ -17379,7 +9260,7 @@ interactions: content-type: - application/json date: - - Mon, 13 Feb 2023 07:59:45 GMT + - Mon, 05 Sep 2022 12:06:53 GMT expires: - '-1' pragma: @@ -17395,7 +9276,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '988' + - '997' x-powered-by: - ASP.NET status: @@ -17415,24 +9296,21 @@ interactions: ParameterSetName: - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2Y1OGJmNDAwLWU1YjgtNDM0Ni1iNDJhLTlkNzA5NzQzMWFhYg==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2IxN2FhYTZmLWEyMDgtNGJlNS1hMTE5LWRlNDBhZjM0YjQxMA==?api-version=2022-05-01 response: body: - string: '{"objectType":"OperationJobExtendedInfo"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2IxN2FhYTZmLWEyMDgtNGJlNS1hMTE5LWRlNDBhZjM0YjQxMA==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2IxN2FhYTZmLWEyMDgtNGJlNS1hMTE5LWRlNDBhZjM0YjQxMA==","status":"Inprogress","startTime":"2022-09-05T12:06:42.5513185Z","endTime":"0001-01-01T00:00:00Z"}' headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2Y1OGJmNDAwLWU1YjgtNDM0Ni1iNDJhLTlkNzA5NzQzMWFhYg==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '41' + - '477' content-type: - application/json date: - - Mon, 13 Feb 2023 07:59:45 GMT + - Mon, 05 Sep 2022 12:07:24 GMT expires: - '-1' pragma: @@ -17448,69 +9326,62 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '196' + - '996' x-powered-by: - ASP.NET status: code: 200 message: OK - request: - body: '{"objectType": "AzureBackupRecoveryPointBasedRestoreRequest", "restoreTargetInfo": - {"objectType": "RestoreTargetInfo", "recoveryOption": "FailIfExists", "restoreLocation": - "centraluseuap", "datasourceInfo": {"datasourceType": "Microsoft.Compute/disks", - "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored", - "resourceLocation": "centraluseuap", "resourceName": "cli-test-disk-new1-restored", - "resourceType": "Microsoft.Compute/disks", "resourceUri": ""}}, "sourceDataStoreType": - "OperationalStore", "recoveryPointId": "a1b388d0061142afb20388347abd6cee"}' + body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance restore trigger + - dataprotection backup-instance validate-for-restore Connection: - keep-alive - Content-Length: - - '682' - Content-Type: - - application/json ParameterSetName: - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1/restore?api-version=2022-05-01 + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2IxN2FhYTZmLWEyMDgtNGJlNS1hMTE5LWRlNDBhZjM0YjQxMA==?api-version=2022-05-01 response: body: - string: '' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2IxN2FhYTZmLWEyMDgtNGJlNS1hMTE5LWRlNDBhZjM0YjQxMA==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2IxN2FhYTZmLWEyMDgtNGJlNS1hMTE5LWRlNDBhZjM0YjQxMA==","status":"Succeeded","startTime":"2022-09-05T12:06:42.5513185Z","endTime":"2022-09-05T12:07:53Z"}' headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzVmNWFiN2I3LWZmZjktNGYwMi1hZTI1LWQ4NzI4MmVkNTg0OQ==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '0' + - '476' + content-type: + - application/json date: - - Mon, 13 Feb 2023 07:59:47 GMT + - Mon, 05 Sep 2022 12:07:54 GMT expires: - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzVmNWFiN2I3LWZmZjktNGYwMi1hZTI1LWQ4NzI4MmVkNTg0OQ==?api-version=2022-05-01 pragma: - no-cache + server: + - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1195' + x-ms-ratelimit-remaining-subscription-resource-requests: + - '995' x-powered-by: - ASP.NET status: - code: 202 - message: Accepted + code: 200 + message: OK - request: body: null headers: @@ -17519,28 +9390,29 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance restore trigger + - dataprotection backup-instance validate-for-restore Connection: - keep-alive ParameterSetName: - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzVmNWFiN2I3LWZmZjktNGYwMi1hZTI1LWQ4NzI4MmVkNTg0OQ==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2IxN2FhYTZmLWEyMDgtNGJlNS1hMTE5LWRlNDBhZjM0YjQxMA==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzVmNWFiN2I3LWZmZjktNGYwMi1hZTI1LWQ4NzI4MmVkNTg0OQ==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzVmNWFiN2I3LWZmZjktNGYwMi1hZTI1LWQ4NzI4MmVkNTg0OQ==","status":"Succeeded","startTime":"2023-02-13T07:59:47.5542841Z","endTime":"2023-02-13T07:59:49Z","properties":{"jobId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","objectType":"OperationJobExtendedInfo"}}' + string: '{"objectType":"OperationJobExtendedInfo"}' headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2IxN2FhYTZmLWEyMDgtNGJlNS1hMTE5LWRlNDBhZjM0YjQxMA==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '735' + - '41' content-type: - application/json date: - - Mon, 13 Feb 2023 08:00:18 GMT + - Mon, 05 Sep 2022 12:07:54 GMT expires: - '-1' pragma: @@ -17556,103 +9428,103 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '986' + - '198' x-powered-by: - ASP.NET status: code: 200 message: OK - request: - body: null + body: '{"objectType": "AzureBackupRecoveryPointBasedRestoreRequest", "restoreTargetInfo": + {"objectType": "RestoreTargetInfo", "recoveryOption": "FailIfExists", "restoreLocation": + "centraluseuap", "datasourceInfo": {"datasourceType": "Microsoft.Compute/disks", + "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored", + "resourceLocation": "centraluseuap", "resourceName": "cli-test-disk-new-restored", + "resourceType": "Microsoft.Compute/disks", "resourceUri": ""}}, "sourceDataStoreType": + "OperationalStore", "recoveryPointId": "21761e5e114e4ffa8b665297125df85a"}' headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - dataprotection backup-instance restore trigger Connection: - keep-alive + Content-Length: + - '680' + Content-Type: + - application/json ParameterSetName: - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzVmNWFiN2I3LWZmZjktNGYwMi1hZTI1LWQ4NzI4MmVkNTg0OQ==?api-version=2022-05-01 + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae/restore?api-version=2022-05-01 response: body: - string: '{"jobId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","objectType":"OperationJobExtendedInfo"}' + string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzVmNWFiN2I3LWZmZjktNGYwMi1hZTI1LWQ4NzI4MmVkNTg0OQ==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA1ZTkwOTdiLTUzMjUtNGFiNi04NThhLWEzNDNjNTJjNzA0ZQ==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '244' - content-type: - - application/json + - '0' date: - - Mon, 13 Feb 2023 08:00:18 GMT + - Mon, 05 Sep 2022 12:07:57 GMT expires: - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA1ZTkwOTdiLTUzMjUtNGFiNi04NThhLWEzNDNjNTJjNzA0ZQ==?api-version=2022-05-01 pragma: - no-cache - server: - - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '195' + x-ms-ratelimit-remaining-subscription-writes: + - '1196' x-powered-by: - ASP.NET status: - code: 200 - message: OK + code: 202 + message: Accepted - request: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection job show + - dataprotection backup-instance restore trigger Connection: - keep-alive ParameterSetName: - - --ids + - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA1ZTkwOTdiLTUzMjUtNGFiNi04NThhLWEzNDNjNTJjNzA0ZQ==?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA1ZTkwOTdiLTUzMjUtNGFiNi04NThhLWEzNDNjNTJjNzA0ZQ==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA1ZTkwOTdiLTUzMjUtNGFiNi04NThhLWEzNDNjNTJjNzA0ZQ==","status":"Succeeded","startTime":"2022-09-05T12:07:58.0675543Z","endTime":"2022-09-05T12:07:59Z","properties":{"jobId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","objectType":"OperationJobExtendedInfo"}}' headers: cache-control: - no-cache content-length: - - '2357' + - '733' content-type: - application/json date: - - Mon, 13 Feb 2023 08:00:30 GMT + - Mon, 05 Sep 2022 12:08:28 GMT expires: - '-1' pragma: - no-cache server: - Microsoft-IIS/10.0 - - Kestrel strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -17662,7 +9534,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '194' + - '992' x-powered-by: - ASP.NET status: @@ -17672,40 +9544,39 @@ interactions: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection job show + - dataprotection backup-instance restore trigger Connection: - keep-alive ParameterSetName: - - --ids + - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA1ZTkwOTdiLTUzMjUtNGFiNi04NThhLWEzNDNjNTJjNzA0ZQ==?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"jobId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","objectType":"OperationJobExtendedInfo"}' headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzA1ZTkwOTdiLTUzMjUtNGFiNi04NThhLWEzNDNjNTJjNzA0ZQ==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '2357' + - '243' content-type: - application/json date: - - Mon, 13 Feb 2023 08:00:41 GMT + - Mon, 05 Sep 2022 12:08:28 GMT expires: - '-1' pragma: - no-cache server: - Microsoft-IIS/10.0 - - Kestrel strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -17735,23 +9606,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2357' + - '2317' content-type: - application/json date: - - Mon, 13 Feb 2023 08:00:53 GMT + - Mon, 05 Sep 2022 12:08:44 GMT expires: - '-1' pragma: @@ -17768,7 +9638,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '196' + - '199' x-powered-by: - ASP.NET status: @@ -17788,23 +9658,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2357' + - '2317' content-type: - application/json date: - - Mon, 13 Feb 2023 08:01:04 GMT + - Mon, 05 Sep 2022 12:08:57 GMT expires: - '-1' pragma: @@ -17821,7 +9690,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '195' + - '199' x-powered-by: - ASP.NET status: @@ -17841,23 +9710,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2357' + - '2317' content-type: - application/json date: - - Mon, 13 Feb 2023 08:01:15 GMT + - Mon, 05 Sep 2022 12:09:08 GMT expires: - '-1' pragma: @@ -17874,7 +9742,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '195' + - '198' x-powered-by: - ASP.NET status: @@ -17894,23 +9762,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2357' + - '2317' content-type: - application/json date: - - Mon, 13 Feb 2023 08:01:27 GMT + - Mon, 05 Sep 2022 12:09:20 GMT expires: - '-1' pragma: @@ -17927,7 +9794,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '194' + - '198' x-powered-by: - ASP.NET status: @@ -17947,23 +9814,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2357' + - '2317' content-type: - application/json date: - - Mon, 13 Feb 2023 08:01:39 GMT + - Mon, 05 Sep 2022 12:09:32 GMT expires: - '-1' pragma: @@ -17980,7 +9846,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '194' + - '197' x-powered-by: - ASP.NET status: @@ -18000,23 +9866,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2357' + - '2317' content-type: - application/json date: - - Mon, 13 Feb 2023 08:01:50 GMT + - Mon, 05 Sep 2022 12:09:47 GMT expires: - '-1' pragma: @@ -18033,7 +9898,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '193' + - '199' x-powered-by: - ASP.NET status: @@ -18053,23 +9918,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2357' + - '2317' content-type: - application/json date: - - Mon, 13 Feb 2023 08:02:01 GMT + - Mon, 05 Sep 2022 12:09:58 GMT expires: - '-1' pragma: @@ -18086,7 +9950,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '193' + - '199' x-powered-by: - ASP.NET status: @@ -18106,23 +9970,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2357' + - '2317' content-type: - application/json date: - - Mon, 13 Feb 2023 08:02:13 GMT + - Mon, 05 Sep 2022 12:10:11 GMT expires: - '-1' pragma: @@ -18139,7 +10002,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '193' + - '197' x-powered-by: - ASP.NET status: @@ -18159,23 +10022,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2357' + - '2317' content-type: - application/json date: - - Mon, 13 Feb 2023 08:02:24 GMT + - Mon, 05 Sep 2022 12:10:23 GMT expires: - '-1' pragma: @@ -18192,7 +10054,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '192' + - '197' x-powered-by: - ASP.NET status: @@ -18212,23 +10074,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2357' + - '2317' content-type: - application/json date: - - Mon, 13 Feb 2023 08:02:36 GMT + - Mon, 05 Sep 2022 12:10:38 GMT expires: - '-1' pragma: @@ -18245,7 +10106,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '195' + - '199' x-powered-by: - ASP.NET status: @@ -18265,23 +10126,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2357' + - '2317' content-type: - application/json date: - - Mon, 13 Feb 2023 08:02:47 GMT + - Mon, 05 Sep 2022 12:10:51 GMT expires: - '-1' pragma: @@ -18298,7 +10158,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '194' + - '196' x-powered-by: - ASP.NET status: @@ -18318,23 +10178,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2357' + - '2317' content-type: - application/json date: - - Mon, 13 Feb 2023 08:02:58 GMT + - Mon, 05 Sep 2022 12:11:02 GMT expires: - '-1' pragma: @@ -18351,7 +10210,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '191' + - '195' x-powered-by: - ASP.NET status: @@ -18371,23 +10230,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2357' + - '2317' content-type: - application/json date: - - Mon, 13 Feb 2023 08:03:09 GMT + - Mon, 05 Sep 2022 12:11:14 GMT expires: - '-1' pragma: @@ -18404,7 +10262,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '193' + - '197' x-powered-by: - ASP.NET status: @@ -18424,23 +10282,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2357' + - '2317' content-type: - application/json date: - - Mon, 13 Feb 2023 08:03:21 GMT + - Mon, 05 Sep 2022 12:11:26 GMT expires: - '-1' pragma: @@ -18457,7 +10314,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '190' + - '194' x-powered-by: - ASP.NET status: @@ -18477,23 +10334,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2357' + - '2317' content-type: - application/json date: - - Mon, 13 Feb 2023 08:03:33 GMT + - Mon, 05 Sep 2022 12:11:37 GMT expires: - '-1' pragma: @@ -18510,7 +10366,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '192' + - '196' x-powered-by: - ASP.NET status: @@ -18530,23 +10386,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2357' + - '2317' content-type: - application/json date: - - Mon, 13 Feb 2023 08:03:45 GMT + - Mon, 05 Sep 2022 12:11:50 GMT expires: - '-1' pragma: @@ -18563,7 +10418,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '192' + - '196' x-powered-by: - ASP.NET status: @@ -18583,23 +10438,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2357' + - '2317' content-type: - application/json date: - - Mon, 13 Feb 2023 08:03:56 GMT + - Mon, 05 Sep 2022 12:12:01 GMT expires: - '-1' pragma: @@ -18616,7 +10470,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '191' + - '195' x-powered-by: - ASP.NET status: @@ -18636,23 +10490,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2357' + - '2317' content-type: - application/json date: - - Mon, 13 Feb 2023 08:04:08 GMT + - Mon, 05 Sep 2022 12:12:13 GMT expires: - '-1' pragma: @@ -18669,7 +10522,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '189' + - '195' x-powered-by: - ASP.NET status: @@ -18689,23 +10542,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2357' + - '2317' content-type: - application/json date: - - Mon, 13 Feb 2023 08:04:19 GMT + - Mon, 05 Sep 2022 12:12:25 GMT expires: - '-1' pragma: @@ -18722,7 +10574,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '190' + - '193' x-powered-by: - ASP.NET status: @@ -18742,23 +10594,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2357' + - '2317' content-type: - application/json date: - - Mon, 13 Feb 2023 08:04:30 GMT + - Mon, 05 Sep 2022 12:12:36 GMT expires: - '-1' pragma: @@ -18775,7 +10626,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '189' + - '194' x-powered-by: - ASP.NET status: @@ -18795,23 +10646,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2357' + - '2317' content-type: - application/json date: - - Mon, 13 Feb 2023 08:04:41 GMT + - Mon, 05 Sep 2022 12:12:47 GMT expires: - '-1' pragma: @@ -18828,7 +10678,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '192' + - '194' x-powered-by: - ASP.NET status: @@ -18848,23 +10698,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2357' + - '2317' content-type: - application/json date: - - Mon, 13 Feb 2023 08:04:52 GMT + - Mon, 05 Sep 2022 12:13:01 GMT expires: - '-1' pragma: @@ -18881,7 +10730,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '188' + - '199' x-powered-by: - ASP.NET status: @@ -18901,23 +10750,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2357' + - '2317' content-type: - application/json date: - - Mon, 13 Feb 2023 08:05:05 GMT + - Mon, 05 Sep 2022 12:13:13 GMT expires: - '-1' pragma: @@ -18934,7 +10782,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '187' + - '199' x-powered-by: - ASP.NET status: @@ -18954,23 +10802,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2357' + - '2317' content-type: - application/json date: - - Mon, 13 Feb 2023 08:05:16 GMT + - Mon, 05 Sep 2022 12:13:26 GMT expires: - '-1' pragma: @@ -18987,7 +10834,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '188' + - '192' x-powered-by: - ASP.NET status: @@ -19007,23 +10854,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2357' + - '2317' content-type: - application/json date: - - Mon, 13 Feb 2023 08:05:28 GMT + - Mon, 05 Sep 2022 12:13:38 GMT expires: - '-1' pragma: @@ -19040,7 +10886,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '191' + - '199' x-powered-by: - ASP.NET status: @@ -19060,23 +10906,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2357' + - '2317' content-type: - application/json date: - - Mon, 13 Feb 2023 08:05:39 GMT + - Mon, 05 Sep 2022 12:13:52 GMT expires: - '-1' pragma: @@ -19093,7 +10938,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '190' + - '196' x-powered-by: - ASP.NET status: @@ -19113,23 +10958,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T07%3A59%3A48.5192269Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A07%3A58.8060363Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":null,"dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2357' + - '2317' content-type: - application/json date: - - Mon, 13 Feb 2023 08:05:50 GMT + - Mon, 05 Sep 2022 12:14:02 GMT expires: - '-1' pragma: @@ -19146,7 +10990,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '187' + - '191' x-powered-by: - ASP.NET status: @@ -19166,23 +11010,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"61b63bdc-ab74-11ed-9654-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1","vaultName":"cli-test-new-vault1","backupInstanceFriendlyName":"cli-test-disk-new1","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new1","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-13T08%3A05%3A56.4862376Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-13T07:59:48.0473203Z","endTime":"2023-02-13T08:05:56.1277558Z","dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"Completed","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT6M8.0804355S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"a1b388d0061142afb20388347abd6cee","recoveryPointTime":"2023-02-13T07:57:10.1169493Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"Completed","taskProgress":null,"additionalDetails":{"DataTransferredInBytes":"0","TaskId":"61b63bdc-ab74-11ed-9654-60a5e2435518","DatasourceType":"Microsoft.Compute/disks"}}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupJobs/195448e6-6593-4d34-944d-2f943eba5455","name":"195448e6-6593-4d34-944d-2f943eba5455","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"6085d8fe-2d13-11ed-955b-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupPolicies/diskpolicy","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new","vaultName":"cli-test-new-vault","backupInstanceFriendlyName":"cli-test-disk-new","policyName":"diskpolicy","sourceResourceGroup":"sarath-rg","dataSourceSetName":null,"dataSourceName":"cli-test-disk-new","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T12%3A14%3A06.4200707Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T12:07:58.3946363Z","endTime":"2022-09-05T12:14:05.9261307Z","dataSourceType":"Microsoft.Compute/disks","operationCategory":"Restore","operation":"Restore","status":"Completed","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT6M7.5314944S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"21761e5e114e4ffa8b665297125df85a","recoveryPointTime":"2022-09-05T12:05:43.699389Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"Completed","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupJobs/27c02fd7-5dda-4205-83b9-cc1b5184b90c","name":"27c02fd7-5dda-4205-83b9-cc1b5184b90c","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2508' + - '2351' content-type: - application/json date: - - Mon, 13 Feb 2023 08:06:01 GMT + - Mon, 05 Sep 2022 12:14:14 GMT expires: - '-1' pragma: @@ -19199,7 +11042,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '189' + - '193' x-powered-by: - ASP.NET status: @@ -19221,26 +11064,25 @@ interactions: ParameterSetName: - -g --vault-name -n --yes User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cli-test-disk-new1-cli-test-disk-new1-b7e6f082-b310-11eb-8f55-9cfce85d4fa1?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cli-test-disk-new-cli-test-disk-new-b7e6f082-b310-11eb-8f55-9cfce85d4fae?api-version=2022-05-01 response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2ZhNzlkODQyLTM5MmMtNDQ4YS1iNWY0LWU2NjI3ZWIwNjRjOA==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y1N2VlY2VmLTNmYTctNDViZi04NDU4LWFhYTZjMTI1ZGEyZg==?api-version=2022-05-01 cache-control: - no-cache content-length: - '0' date: - - Mon, 13 Feb 2023 08:06:06 GMT + - Mon, 05 Sep 2022 12:14:18 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2ZhNzlkODQyLTM5MmMtNDQ4YS1iNWY0LWU2NjI3ZWIwNjRjOA==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y1N2VlY2VmLTNmYTctNDViZi04NDU4LWFhYTZjMTI1ZGEyZg==?api-version=2022-05-01 pragma: - no-cache strict-transport-security: @@ -19268,22 +11110,21 @@ interactions: ParameterSetName: - -g --vault-name -n --yes User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2ZhNzlkODQyLTM5MmMtNDQ4YS1iNWY0LWU2NjI3ZWIwNjRjOA==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y1N2VlY2VmLTNmYTctNDViZi04NDU4LWFhYTZjMTI1ZGEyZg==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2ZhNzlkODQyLTM5MmMtNDQ4YS1iNWY0LWU2NjI3ZWIwNjRjOA==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2ZhNzlkODQyLTM5MmMtNDQ4YS1iNWY0LWU2NjI3ZWIwNjRjOA==","status":"Inprogress","startTime":"2023-02-13T08:06:06.1240161Z","endTime":"0001-01-01T00:00:00Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y1N2VlY2VmLTNmYTctNDViZi04NDU4LWFhYTZjMTI1ZGEyZg==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y1N2VlY2VmLTNmYTctNDViZi04NDU4LWFhYTZjMTI1ZGEyZg==","status":"Inprogress","startTime":"2022-09-05T12:14:18.9104264Z","endTime":"0001-01-01T00:00:00Z"}' headers: cache-control: - no-cache content-length: - - '478' + - '477' content-type: - application/json date: - - Mon, 13 Feb 2023 08:06:35 GMT + - Mon, 05 Sep 2022 12:14:49 GMT expires: - '-1' pragma: @@ -19299,7 +11140,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '985' + - '991' x-powered-by: - ASP.NET status: @@ -19319,22 +11160,21 @@ interactions: ParameterSetName: - -g --vault-name -n --yes User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2ZhNzlkODQyLTM5MmMtNDQ4YS1iNWY0LWU2NjI3ZWIwNjRjOA==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y1N2VlY2VmLTNmYTctNDViZi04NDU4LWFhYTZjMTI1ZGEyZg==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2ZhNzlkODQyLTM5MmMtNDQ4YS1iNWY0LWU2NjI3ZWIwNjRjOA==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2ZhNzlkODQyLTM5MmMtNDQ4YS1iNWY0LWU2NjI3ZWIwNjRjOA==","status":"Inprogress","startTime":"2023-02-13T08:06:06.1240161Z","endTime":"0001-01-01T00:00:00Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y1N2VlY2VmLTNmYTctNDViZi04NDU4LWFhYTZjMTI1ZGEyZg==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y1N2VlY2VmLTNmYTctNDViZi04NDU4LWFhYTZjMTI1ZGEyZg==","status":"Inprogress","startTime":"2022-09-05T12:14:18.9104264Z","endTime":"0001-01-01T00:00:00Z"}' headers: cache-control: - no-cache content-length: - - '478' + - '477' content-type: - application/json date: - - Mon, 13 Feb 2023 08:07:07 GMT + - Mon, 05 Sep 2022 12:15:19 GMT expires: - '-1' pragma: @@ -19350,7 +11190,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '984' + - '990' x-powered-by: - ASP.NET status: @@ -19370,22 +11210,21 @@ interactions: ParameterSetName: - -g --vault-name -n --yes User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2ZhNzlkODQyLTM5MmMtNDQ4YS1iNWY0LWU2NjI3ZWIwNjRjOA==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y1N2VlY2VmLTNmYTctNDViZi04NDU4LWFhYTZjMTI1ZGEyZg==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2ZhNzlkODQyLTM5MmMtNDQ4YS1iNWY0LWU2NjI3ZWIwNjRjOA==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2ZhNzlkODQyLTM5MmMtNDQ4YS1iNWY0LWU2NjI3ZWIwNjRjOA==","status":"Inprogress","startTime":"2023-02-13T08:06:06.1240161Z","endTime":"0001-01-01T00:00:00Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y1N2VlY2VmLTNmYTctNDViZi04NDU4LWFhYTZjMTI1ZGEyZg==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y1N2VlY2VmLTNmYTctNDViZi04NDU4LWFhYTZjMTI1ZGEyZg==","status":"Inprogress","startTime":"2022-09-05T12:14:18.9104264Z","endTime":"0001-01-01T00:00:00Z"}' headers: cache-control: - no-cache content-length: - - '478' + - '477' content-type: - application/json date: - - Mon, 13 Feb 2023 08:07:37 GMT + - Mon, 05 Sep 2022 12:15:51 GMT expires: - '-1' pragma: @@ -19401,7 +11240,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '983' + - '989' x-powered-by: - ASP.NET status: @@ -19421,22 +11260,21 @@ interactions: ParameterSetName: - -g --vault-name -n --yes User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2ZhNzlkODQyLTM5MmMtNDQ4YS1iNWY0LWU2NjI3ZWIwNjRjOA==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y1N2VlY2VmLTNmYTctNDViZi04NDU4LWFhYTZjMTI1ZGEyZg==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2ZhNzlkODQyLTM5MmMtNDQ4YS1iNWY0LWU2NjI3ZWIwNjRjOA==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2ZhNzlkODQyLTM5MmMtNDQ4YS1iNWY0LWU2NjI3ZWIwNjRjOA==","status":"Succeeded","startTime":"2023-02-13T08:06:06.1240161Z","endTime":"2023-02-13T08:07:44Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y1N2VlY2VmLTNmYTctNDViZi04NDU4LWFhYTZjMTI1ZGEyZg==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2Y1N2VlY2VmLTNmYTctNDViZi04NDU4LWFhYTZjMTI1ZGEyZg==","status":"Succeeded","startTime":"2022-09-05T12:14:18.9104264Z","endTime":"2022-09-05T12:16:07Z"}' headers: cache-control: - no-cache content-length: - - '477' + - '476' content-type: - application/json date: - - Mon, 13 Feb 2023 08:08:08 GMT + - Mon, 05 Sep 2022 12:16:21 GMT expires: - '-1' pragma: @@ -19452,7 +11290,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '982' + - '988' x-powered-by: - ASP.NET status: @@ -19474,26 +11312,25 @@ interactions: ParameterSetName: - -g --vault-name -n --yes User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/backupInstances/cliteststoreaccount-cliteststoreaccount-b7e6f082-b310-11eb-8f55-9cfce85d4fa1?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/backupInstances/cliteststoreaccount-cliteststoreaccount-b7e6f082-b310-11eb-8f55-9cfce85d4fae?api-version=2022-05-01 response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzYzNTZiM2RkLTM2Y2EtNGE1ZC1hMjA0LTZhMDY3ZDc0NjEzMQ==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzY5MzViOTg0LTRkMTItNDViMy04OWY4LWVmMTFlYjQ4ZGFlMA==?api-version=2022-05-01 cache-control: - no-cache content-length: - '0' date: - - Mon, 13 Feb 2023 08:08:10 GMT + - Mon, 05 Sep 2022 12:16:25 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzYzNTZiM2RkLTM2Y2EtNGE1ZC1hMjA0LTZhMDY3ZDc0NjEzMQ==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzY5MzViOTg0LTRkMTItNDViMy04OWY4LWVmMTFlYjQ4ZGFlMA==?api-version=2022-05-01 pragma: - no-cache strict-transport-security: @@ -19501,7 +11338,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '198' + - '199' x-powered-by: - ASP.NET status: @@ -19521,73 +11358,21 @@ interactions: ParameterSetName: - -g --vault-name -n --yes User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzYzNTZiM2RkLTM2Y2EtNGE1ZC1hMjA0LTZhMDY3ZDc0NjEzMQ==?api-version=2022-05-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzYzNTZiM2RkLTM2Y2EtNGE1ZC1hMjA0LTZhMDY3ZDc0NjEzMQ==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzYzNTZiM2RkLTM2Y2EtNGE1ZC1hMjA0LTZhMDY3ZDc0NjEzMQ==","status":"Inprogress","startTime":"2023-02-13T08:08:10.6888069Z","endTime":"0001-01-01T00:00:00Z"}' - headers: - cache-control: - - no-cache - content-length: - - '478' - content-type: - - application/json - date: - - Mon, 13 Feb 2023 08:08:40 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '987' - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-instance delete - Connection: - - keep-alive - ParameterSetName: - - -g --vault-name -n --yes - User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzYzNTZiM2RkLTM2Y2EtNGE1ZC1hMjA0LTZhMDY3ZDc0NjEzMQ==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzY5MzViOTg0LTRkMTItNDViMy04OWY4LWVmMTFlYjQ4ZGFlMA==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzYzNTZiM2RkLTM2Y2EtNGE1ZC1hMjA0LTZhMDY3ZDc0NjEzMQ==","name":"MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzOzYzNTZiM2RkLTM2Y2EtNGE1ZC1hMjA0LTZhMDY3ZDc0NjEzMQ==","status":"Succeeded","startTime":"2023-02-13T08:08:10.6888069Z","endTime":"2023-02-13T08:08:56Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzY5MzViOTg0LTRkMTItNDViMy04OWY4LWVmMTFlYjQ4ZGFlMA==","name":"ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4OzY5MzViOTg0LTRkMTItNDViMy04OWY4LWVmMTFlYjQ4ZGFlMA==","status":"Succeeded","startTime":"2022-09-05T12:16:25.9626724Z","endTime":"2022-09-05T12:16:51Z"}' headers: cache-control: - no-cache content-length: - - '477' + - '476' content-type: - application/json date: - - Mon, 13 Feb 2023 08:09:11 GMT + - Mon, 05 Sep 2022 12:16:56 GMT expires: - '-1' pragma: @@ -19603,7 +11388,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '986' + - '996' x-powered-by: - ASP.NET status: @@ -19625,8 +11410,7 @@ interactions: ParameterSetName: - -g -n -y User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: DELETE uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/resourceGuards/cli-test-resource-guard?api-version=2022-05-01 response: @@ -19638,7 +11422,7 @@ interactions: content-length: - '0' date: - - Mon, 13 Feb 2023 08:09:13 GMT + - Mon, 05 Sep 2022 12:17:06 GMT expires: - '-1' pragma: @@ -19658,7 +11442,7 @@ interactions: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: @@ -19670,25 +11454,25 @@ interactions: ParameterSetName: - -g --vault-name --yes User-Agent: - - AZURECLI/2.45.0 (PIP) (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault1?api-version=2022-12-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/backupVaults/cli-test-new-vault?api-version=2022-05-01 response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2ZlYTNkZGQ5LTI1MTctNGUyNi1hYWMyLWFjMTE2MzAyMDViZA==?api-version=2022-12-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2UzNGVkYTAwLTA4ODgtNGE5MS04NDI3LWExMjZmZTc5ODI5NQ==?api-version=2022-05-01 cache-control: - no-cache content-length: - '0' date: - - Mon, 13 Feb 2023 08:09:15 GMT + - Mon, 05 Sep 2022 12:17:07 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/MzczMDdiMmQtYmUxOS00YzYwLTllZDctYTczZTkyYzNmNDUzO2ZlYTNkZGQ5LTI1MTctNGUyNi1hYWMyLWFjMTE2MzAyMDViZA==?api-version=2022-12-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/ZDc0MjAzOWMtYzVhNS00ZWQ4LWJjZTMtMjU5NTFlYTMzNmU4O2UzNGVkYTAwLTA4ODgtNGE5MS04NDI3LWExMjZmZTc5ODI5NQ==?api-version=2022-05-01 pragma: - no-cache strict-transport-security: @@ -19718,26 +11502,25 @@ interactions: ParameterSetName: - --name --resource-group --yes User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-compute/29.1.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-compute/27.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1?api-version=2022-07-02 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new?api-version=2022-03-02 response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/centraluseuap/DiskOperations/431e7d5e-613b-4e9c-b793-200eac5ff912?p=814d4482-f746-4961-be2b-b822c13856d2&api-version=2022-07-02 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/centraluseuap/DiskOperations/a290d949-2279-4a48-8c2d-4280c29688f0?p=814d4482-f746-4961-be2b-b822c13856d2&api-version=2022-03-02 cache-control: - no-cache content-length: - '0' date: - - Mon, 13 Feb 2023 08:09:16 GMT + - Mon, 05 Sep 2022 12:17:14 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/centraluseuap/DiskOperations/431e7d5e-613b-4e9c-b793-200eac5ff912?p=814d4482-f746-4961-be2b-b822c13856d2&monitor=true&api-version=2022-07-02 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/centraluseuap/DiskOperations/a290d949-2279-4a48-8c2d-4280c29688f0?p=814d4482-f746-4961-be2b-b822c13856d2&monitor=true&api-version=2022-03-02 pragma: - no-cache server: @@ -19750,7 +11533,7 @@ interactions: x-ms-ratelimit-remaining-resource: - Microsoft.Compute/DeleteDisks3Min;2998,Microsoft.Compute/DeleteDisks30Min;23996 x-ms-ratelimit-remaining-subscription-deletes: - - '14996' + - '14998' status: code: 202 message: Accepted @@ -19768,15 +11551,14 @@ interactions: ParameterSetName: - --name --resource-group --yes User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-compute/29.1.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-compute/27.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/centraluseuap/DiskOperations/431e7d5e-613b-4e9c-b793-200eac5ff912?p=814d4482-f746-4961-be2b-b822c13856d2&api-version=2022-07-02 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/centraluseuap/DiskOperations/a290d949-2279-4a48-8c2d-4280c29688f0?p=814d4482-f746-4961-be2b-b822c13856d2&api-version=2022-03-02 response: body: - string: "{\r\n \"startTime\": \"2023-02-13T08:09:17.5684663+00:00\",\r\n \"\ - endTime\": \"2023-02-13T08:09:17.7715857+00:00\",\r\n \"status\": \"Succeeded\"\ - ,\r\n \"name\": \"431e7d5e-613b-4e9c-b793-200eac5ff912\"\r\n}" + string: "{\r\n \"startTime\": \"2022-09-05T12:17:14.0854243+00:00\",\r\n \"endTime\": + \"2022-09-05T12:17:14.3042205+00:00\",\r\n \"status\": \"Succeeded\",\r\n + \ \"name\": \"a290d949-2279-4a48-8c2d-4280c29688f0\"\r\n}" headers: cache-control: - no-cache @@ -19785,7 +11567,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Mon, 13 Feb 2023 08:09:47 GMT + - Mon, 05 Sep 2022 12:17:43 GMT expires: - '-1' pragma: @@ -19802,7 +11584,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-resource: - - Microsoft.Compute/GetOperation3Min;49997,Microsoft.Compute/GetOperation30Min;399977 + - Microsoft.Compute/GetOperation3Min;49996,Microsoft.Compute/GetOperation30Min;399979 status: code: 200 message: OK @@ -19822,26 +11604,25 @@ interactions: ParameterSetName: - --name --resource-group --yes User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-compute/29.1.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-compute/27.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new1-restored?api-version=2022-07-02 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Compute/disks/cli-test-disk-new-restored?api-version=2022-03-02 response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/centraluseuap/DiskOperations/12306817-5c53-40a3-bd25-3d306a8d3375?p=814d4482-f746-4961-be2b-b822c13856d2&api-version=2022-07-02 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/centraluseuap/DiskOperations/30fa8a0e-1ac6-4eb5-891c-f16f8eac6814?p=814d4482-f746-4961-be2b-b822c13856d2&api-version=2022-03-02 cache-control: - no-cache content-length: - '0' date: - - Mon, 13 Feb 2023 08:09:49 GMT + - Mon, 05 Sep 2022 12:17:47 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/centraluseuap/DiskOperations/12306817-5c53-40a3-bd25-3d306a8d3375?p=814d4482-f746-4961-be2b-b822c13856d2&monitor=true&api-version=2022-07-02 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/centraluseuap/DiskOperations/30fa8a0e-1ac6-4eb5-891c-f16f8eac6814?p=814d4482-f746-4961-be2b-b822c13856d2&monitor=true&api-version=2022-03-02 pragma: - no-cache server: @@ -19852,7 +11633,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-resource: - - Microsoft.Compute/DeleteDisks3Min;2998,Microsoft.Compute/DeleteDisks30Min;23995 + - Microsoft.Compute/DeleteDisks3Min;2997,Microsoft.Compute/DeleteDisks30Min;23995 x-ms-ratelimit-remaining-subscription-deletes: - '14999' status: @@ -19872,24 +11653,23 @@ interactions: ParameterSetName: - --name --resource-group --yes User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-compute/29.1.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-compute/27.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/centraluseuap/DiskOperations/12306817-5c53-40a3-bd25-3d306a8d3375?p=814d4482-f746-4961-be2b-b822c13856d2&api-version=2022-07-02 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Compute/locations/centraluseuap/DiskOperations/30fa8a0e-1ac6-4eb5-891c-f16f8eac6814?p=814d4482-f746-4961-be2b-b822c13856d2&api-version=2022-03-02 response: body: - string: "{\r\n \"startTime\": \"2023-02-13T08:09:49.733525+00:00\",\r\n \"\ - endTime\": \"2023-02-13T08:09:49.9366562+00:00\",\r\n \"status\": \"Succeeded\"\ - ,\r\n \"name\": \"12306817-5c53-40a3-bd25-3d306a8d3375\"\r\n}" + string: "{\r\n \"startTime\": \"2022-09-05T12:17:48.3370969+00:00\",\r\n \"endTime\": + \"2022-09-05T12:17:48.5558678+00:00\",\r\n \"status\": \"Succeeded\",\r\n + \ \"name\": \"30fa8a0e-1ac6-4eb5-891c-f16f8eac6814\"\r\n}" headers: cache-control: - no-cache content-length: - - '183' + - '184' content-type: - application/json; charset=utf-8 date: - - Mon, 13 Feb 2023 08:10:19 GMT + - Mon, 05 Sep 2022 12:18:18 GMT expires: - '-1' pragma: @@ -19906,7 +11686,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-resource: - - Microsoft.Compute/GetOperation3Min;49996,Microsoft.Compute/GetOperation30Min;399975 + - Microsoft.Compute/GetOperation3Min;49994,Microsoft.Compute/GetOperation30Min;399977 status: code: 200 message: OK @@ -19926,10 +11706,9 @@ interactions: ParameterSetName: - --name --resource-group --yes User-Agent: - - AZURECLI/2.45.0 (PIP) azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-storage/20.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount?api-version=2022-09-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/sarath-rg/providers/Microsoft.Storage/storageAccounts/cliteststoreaccount?api-version=2022-05-01 response: body: string: '' @@ -19941,7 +11720,7 @@ interactions: content-type: - text/plain; charset=utf-8 date: - - Mon, 13 Feb 2023 08:10:24 GMT + - Mon, 05 Sep 2022 12:18:33 GMT expires: - '-1' pragma: @@ -19953,7 +11732,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-deletes: - - '14997' + - '14999' status: code: 200 message: OK diff --git a/src/dataprotection/azext_dataprotection/tests/latest/recordings/test_dataprotection_oss.yaml b/src/dataprotection/azext_dataprotection/tests/latest/recordings/test_dataprotection_oss.yaml index dd8907cddb4..2fd6959f4bb 100644 --- a/src/dataprotection/azext_dataprotection/tests/latest/recordings/test_dataprotection_oss.yaml +++ b/src/dataprotection/azext_dataprotection/tests/latest/recordings/test_dataprotection_oss.yaml @@ -1,102 +1,1406 @@ interactions: - request: - body: '{"backupInstance": {"dataSourceInfo": {"datasourceType": "Microsoft.DBforPostgreSQL/servers/databases", - "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres", - "resourceLocation": "centraluseuap", "resourceName": "postgres", "resourceType": - "Microsoft.DBforPostgreSQL/servers/databases", "resourceUri": ""}, "dataSourceSetInfo": - {"datasourceType": "Microsoft.DBforPostgreSQL/servers/databases", "objectType": - "DatasourceSet", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server", - "resourceLocation": "centraluseuap", "resourceName": "oss-clitest-server", "resourceType": - "Microsoft.DBforPostgreSQL/servers", "resourceUri": ""}, "policyInfo": {"policyId": - "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy"}, - "datasourceAuthCredentials": {"objectType": "SecretStoreBasedAuthCredentials", - "secretStoreResource": {"uri": "https://oss-clitest-keyvault.vault.azure.net/secrets/oss-clitest-secret", - "secretStoreType": "AzureKeyVault"}}, "objectType": "BackupInstance"}}' + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-instance update-msi-permissions + Connection: + - keep-alive + ParameterSetName: + - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance + --keyvault-id --yes + User-Agent: + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault?api-version=2022-05-01 + response: + body: + string: '{"location":"centraluseuap","tags":{"Owner":"akneema","Purpose":"Testing","MABUsed":"Yes","DeleteBy":"12-9999"},"identity":{"type":"SystemAssigned","principalId":"b864e281-c12e-45c6-a0c7-6046a7de5481","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"properties":{"provisioningState":"Succeeded","storageSettings":[{"datastoreType":"VaultStore","type":"LocallyRedundant"}],"isVaultProtectedByResourceGuard":false},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault","name":"oss-clitest-vault","type":"Microsoft.DataProtection/backupVaults"}' + headers: + cache-control: + - no-cache + content-length: + - '645' + content-type: + - application/json + date: + - Mon, 05 Sep 2022 20:10:46 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '499' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-instance update-msi-permissions + Connection: + - keep-alive + ParameterSetName: + - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance + --keyvault-id --yes + User-Agent: + - AZURECLI/2.39.0 azsdk-python-azure-mgmt-keyvault/10.1.0 Python/3.8.5 (Windows-10-10.0.22000-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.KeyVault/vaults/oss-clitest-keyvault?api-version=2022-07-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.KeyVault/vaults/oss-clitest-keyvault","name":"oss-clitest-keyvault","type":"Microsoft.KeyVault/vaults","location":"centraluseuap","tags":{"Owner":"akneema","Purpose":"Testing","MABUsed":"Yes","DeleteBy":"12-9999"},"systemData":{"lastModifiedBy":"akneema@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-08-02T07:30:26.388Z"},"properties":{"sku":{"family":"A","name":"Standard"},"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","networkAcls":{"bypass":"AzureServices","defaultAction":"Allow","ipRules":[{"value":"20.69.149.128/32"}],"virtualNetworkRules":[]},"accessPolicies":[{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"5095196a-def9-4146-8d92-e38f24b6e378","permissions":{"keys":["Get","List","Update","Create","Import","Delete","Recover","Backup","Restore","Decrypt","Encrypt","UnwrapKey","WrapKey","Verify","Sign","Purge","Release","Rotate","GetRotationPolicy","SetRotationPolicy"],"secrets":["Get","List","Set","Delete","Recover","Backup","Restore","Purge"],"certificates":["Get","List","Update","Create","Import","Delete","Recover","Backup","Restore","ManageContacts","ManageIssuers","GetIssuers","ListIssuers","SetIssuers","DeleteIssuers","Purge"]}},{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","permissions":{"keys":["Get","List","Update","Create","Import","Delete","Recover","Backup","Restore","Decrypt","Encrypt","UnwrapKey","WrapKey","Verify","Sign","Purge","Release","Rotate","GetRotationPolicy","SetRotationPolicy"],"secrets":["Get","List","Set","Delete","Recover","Backup","Restore","Purge"],"certificates":["Get","List","Update","Create","Import","Delete","Recover","Backup","Restore","ManageContacts","ManageIssuers","GetIssuers","ListIssuers","SetIssuers","DeleteIssuers","Purge"]}},{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"f40e18f0-6544-45c2-9d24-639a8bb3b41a","permissions":{"keys":["Get","List","Backup"],"secrets":["Get","List","Backup"],"certificates":[]}},{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"b864e281-c12e-45c6-a0c7-6046a7de5481","permissions":{"secrets":["List","Get"],"keys":[],"certificates":[]}}],"enabledForDeployment":false,"enabledForDiskEncryption":false,"enabledForTemplateDeployment":false,"enableSoftDelete":true,"softDeleteRetentionInDays":90,"enableRbacAuthorization":false,"vaultUri":"https://oss-clitest-keyvault.vault.azure.net/","provisioningState":"Succeeded","publicNetworkAccess":"Enabled"}}' + headers: + cache-control: + - no-cache + content-length: + - '2584' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 05 Sep 2022 20:10:48 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-aspnet-version: + - 4.0.30319 + x-content-type-options: + - nosniff + x-ms-keyvault-service-version: + - 1.5.486.0 + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: '' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + Content-Length: + - 0 + Content-Type: + - application/json; charset=utf-8 + User-Agent: + - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-keyvault/7.0 + Azure-SDK-For-Python + accept-language: + - en-US + method: GET + uri: https://oss-clitest-keyvault.vault.azure.net/secrets?api-version=7.0 + response: + body: + string: '{"error":{"code":"Unauthorized","message":"AKV10000: Request is missing + a Bearer or PoP token."}}' + headers: + cache-control: + - no-cache + content-length: + - '97' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 05 Sep 2022 20:10:50 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000;includeSubDomains + www-authenticate: + - Bearer authorization="https://login.microsoftonline.com/72f988bf-86f1-41af-91ab-2d7cd011db47", + resource="https://vault.azure.net" + x-content-type-options: + - nosniff + x-ms-keyvault-network-info: + - conn_type=Ipv4;addr=167.220.238.154;act_addr_fam=InterNetwork; + x-ms-keyvault-region: + - centraluseuap + x-ms-keyvault-service-version: + - 1.9.501.1 + x-powered-by: + - ASP.NET + status: + code: 401 + message: Unauthorized +- request: + body: '' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + Connection: + - keep-alive + Content-Length: + - 0 + Content-Type: + - application/json; charset=utf-8 + User-Agent: + - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-keyvault/7.0 + Azure-SDK-For-Python + accept-language: + - en-US + method: GET + uri: https://oss-clitest-keyvault.vault.azure.net/secrets?api-version=7.0 + response: + body: + string: '{"value":[{"contentType":"Wrapped BEK","id":"https://oss-clitest-keyvault.vault.azure.net/secrets/ADEA19F9-2D87-46AC-91CD-492758A0C8A7","attributes":{"enabled":true,"created":1645419092,"updated":1645419092,"recoveryLevel":"Recoverable+Purgeable"},"tags":{"DiskEncryptionKeyFileName":"ADEA19F9-2D87-46AC-91CD-492758A0C8A7.BEK","VolumeLetter":"C:\\","VolumeLabel":"Windows","MachineName":"sql-clicloudtes","DiskEncryptionKeyEncryptionKeyURL":"https://oss-clitest-keyvault.vault.azure.net/keys/sql-clitest-key/fad6b3422cc1472c8bfd9f6f5b923d0d","DiskEncryptionKeyEncryptionAlgorithm":"RSA-OAEP"}},{"id":"https://oss-clitest-keyvault.vault.azure.net/secrets/oss-clitest-secret","attributes":{"enabled":true,"created":1629969650,"updated":1629969650,"recoveryLevel":"Recoverable+Purgeable"},"tags":{}}],"nextLink":null}' + headers: + cache-control: + - no-cache + content-length: + - '814' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 05 Sep 2022 20:10:51 GMT + expires: + - '-1' + pragma: + - no-cache + strict-transport-security: + - max-age=31536000;includeSubDomains + x-content-type-options: + - nosniff + x-ms-keyvault-network-info: + - conn_type=Ipv4;addr=167.220.238.154;act_addr_fam=InterNetwork; + x-ms-keyvault-region: + - centraluseuap + x-ms-keyvault-service-version: + - 1.9.501.1 + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-instance update-msi-permissions + Connection: + - keep-alive + ParameterSetName: + - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance + --keyvault-id --yes + User-Agent: + - python/3.8.5 (Windows-10-10.0.22000-SP0) AZURECLI/2.39.0 + method: GET + uri: https://graph.microsoft.com/v1.0/servicePrincipals?$filter=servicePrincipalNames%2Fany%28c%3Ac%20eq%20%27b864e281-c12e-45c6-a0c7-6046a7de5481%27%29 + response: + body: + string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#servicePrincipals","value":[]}' + headers: + cache-control: + - no-cache + content-length: + - '92' + content-type: + - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 + date: + - Mon, 05 Sep 2022 20:10:53 GMT + odata-version: + - '4.0' + request-id: + - 8470a846-1be0-4090-ac20-e301cdb5758e + strict-transport-security: + - max-age=31536000 + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-ms-ags-diagnostic: + - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"002","RoleInstance":"MA1PEPF0000251C"}}' + x-ms-resource-unit: + - '1' + status: + code: 200 + message: OK +- request: + body: '{"ids": ["b864e281-c12e-45c6-a0c7-6046a7de5481"], "types": ["user", "group", + "servicePrincipal", "directoryObjectPartnerReference"]}' + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-instance update-msi-permissions + Connection: + - keep-alive + Content-Length: + - '132' + Content-Type: + - application/json + ParameterSetName: + - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance + --keyvault-id --yes + User-Agent: + - python/3.8.5 (Windows-10-10.0.22000-SP0) AZURECLI/2.39.0 + method: POST + uri: https://graph.microsoft.com/v1.0/directoryObjects/getByIds + response: + body: + string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#directoryObjects","value":[{"@odata.type":"#microsoft.graph.servicePrincipal","id":"b864e281-c12e-45c6-a0c7-6046a7de5481","deletedDateTime":null,"accountEnabled":true,"alternativeNames":["isExplicit=False","/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault"],"appDisplayName":null,"appDescription":null,"appId":"49bc63b1-190a-4f4e-a962-58db2c2f7112","applicationTemplateId":null,"appOwnerOrganizationId":null,"appRoleAssignmentRequired":false,"createdDateTime":"2021-08-26T09:13:20Z","description":null,"disabledByMicrosoftStatus":null,"displayName":"oss-clitest-vault","homepage":null,"loginUrl":null,"logoutUrl":null,"notes":null,"notificationEmailAddresses":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyThumbprint":null,"replyUrls":[],"servicePrincipalNames":["49bc63b1-190a-4f4e-a962-58db2c2f7112","https://identity.azure.net/QVMExgU4rxwt5XEm5whEdHZLrmsaL9M/n/eZXzCcN54="],"servicePrincipalType":"ManagedIdentity","signInAudience":null,"tags":[],"tokenEncryptionKeyId":null,"info":null,"samlSingleSignOnSettings":null,"addIns":[],"appRoles":[],"keyCredentials":[{"customKeyIdentifier":"06DD62CA457312E21DDF22C874328A49AF671767","displayName":"CN=49bc63b1-190a-4f4e-a962-58db2c2f7112","endDateTime":"2022-10-12T18:18:00Z","key":null,"keyId":"38633d99-d5b8-4a29-b73c-49341b7f7b4f","startDateTime":"2022-07-14T18:18:00Z","type":"AsymmetricX509Cert","usage":"Verify"},{"customKeyIdentifier":"10296B63A1DD090AB64281F85000C1822BB84F58","displayName":"CN=49bc63b1-190a-4f4e-a962-58db2c2f7112","endDateTime":"2022-08-27T17:02:00Z","key":null,"keyId":"bbf02149-b332-4456-83c8-e66d2d66c8a1","startDateTime":"2022-05-29T17:02:00Z","type":"AsymmetricX509Cert","usage":"Verify"},{"customKeyIdentifier":"F0931109872A337B348A716A953CBFF5C7994B9B","displayName":"CN=49bc63b1-190a-4f4e-a962-58db2c2f7112","endDateTime":"2022-07-12T15:44:00Z","key":null,"keyId":"c6e3d740-2fe2-4b79-9125-f45fa0deca41","startDateTime":"2022-04-13T15:44:00Z","type":"AsymmetricX509Cert","usage":"Verify"}],"oauth2PermissionScopes":[],"passwordCredentials":[],"resourceSpecificApplicationPermissions":[],"verifiedPublisher":{"displayName":null,"verifiedPublisherId":null,"addedDateTime":null}}]}' + headers: + cache-control: + - no-cache + content-length: + - '2337' + content-type: + - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 + date: + - Mon, 05 Sep 2022 20:10:53 GMT + location: + - https://graph.microsoft.com + odata-version: + - '4.0' + request-id: + - e3c0aa55-1373-406f-9077-9eb564f1eee4 + strict-transport-security: + - max-age=31536000 + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-ms-ags-diagnostic: + - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"002","RoleInstance":"MA1PEPF00001470"}}' + x-ms-resource-unit: + - '3' + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-instance update-msi-permissions + Connection: + - keep-alive + ParameterSetName: + - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance + --keyvault-id --yes + User-Agent: + - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 + Azure-SDK-For-Python AZURECLI/2.39.0 + accept-language: + - en-US + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/providers/Microsoft.Authorization/roleAssignments?$filter=atScope%28%29&api-version=2020-04-01-preview + response: + body: + string: '{"value":[{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"5c617d2b-99f8-4c90-98fe-dfe040fa33c1","principalType":"ServicePrincipal","scope":"/","condition":null,"conditionVersion":null,"createdOn":"2018-02-27T19:19:50.2663941Z","updatedOn":"2018-02-27T19:19:50.2663941Z","createdBy":null,"updatedBy":null,"delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Authorization/roleAssignments/3e883d24-b106-42ff-ad13-d7bf271b964d","type":"Microsoft.Authorization/roleAssignments","name":"3e883d24-b106-42ff-ad13-d7bf271b964d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"1d8b8d73-0cc6-4db8-b112-724b4a932253","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-26T12:22:13.7498923Z","updatedOn":"2019-08-26T12:22:13.7498923Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8c3a4de9-1ebd-47ce-9dd9-bebf87a4e28f","type":"Microsoft.Authorization/roleAssignments","name":"8c3a4de9-1ebd-47ce-9dd9-bebf87a4e28f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"1e845bc3-37db-4639-be09-d0cf1e448221","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-05-24T11:02:27.8515917Z","updatedOn":"2019-05-24T11:02:27.8515917Z","createdBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","updatedBy":"d1f96755-9bcf-44b8-ab82-df67360496c4","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b5eee4d7-5f9f-4f63-8040-8aec158c289b","type":"Microsoft.Authorization/roleAssignments","name":"b5eee4d7-5f9f-4f63-8040-8aec158c289b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"235b2664-75e2-4741-bb6f-37e49babf6cd","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-02-12T11:34:59.7104212Z","updatedOn":"2020-02-12T11:34:59.7104212Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/f0618702-8404-4858-9a26-e61f23e7d44f","type":"Microsoft.Authorization/roleAssignments","name":"f0618702-8404-4858-9a26-e61f23e7d44f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8bb5b214-1182-465c-892f-ca7235abe1e7","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-11-14T08:52:42.2795010Z","updatedOn":"2019-11-14T08:52:42.2795010Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/77daac38-9839-4b00-921b-e5d5a03e728c","type":"Microsoft.Authorization/roleAssignments","name":"77daac38-9839-4b00-921b-e5d5a03e728c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"9693df58-7f72-4974-9bd3-1c3ceb0382f1","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-11-29T09:40:04.3180033Z","updatedOn":"2018-11-29T09:40:04.3180033Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ed3bf874-9c97-43f9-a5e9-b4ee6f8982f7","type":"Microsoft.Authorization/roleAssignments","name":"ed3bf874-9c97-43f9-a5e9-b4ee6f8982f7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"d1f96755-9bcf-44b8-ab82-df67360496c4","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-05-08T10:28:08.2854940Z","updatedOn":"2020-05-08T10:28:08.2854940Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/dfb3ca56-a0d4-44ce-ba35-b716c3fdab86","type":"Microsoft.Authorization/roleAssignments","name":"dfb3ca56-a0d4-44ce-ba35-b716c3fdab86"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-12-31T09:26:43.6440415Z","updatedOn":"2018-12-31T09:26:43.6440415Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/45744ea8-780f-4f3e-88aa-b73d7f6997b2","type":"Microsoft.Authorization/roleAssignments","name":"45744ea8-780f-4f3e-88aa-b73d7f6997b2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e65078fb-6b02-434a-9f11-d06bf9bc0600","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-10-25T23:42:36.3444507Z","updatedOn":"2018-10-25T23:42:36.3444507Z","createdBy":"66cb55a5-e2a8-44ef-ae4b-5ab8fa2ec8d9","updatedBy":"66cb55a5-e2a8-44ef-ae4b-5ab8fa2ec8d9","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e7ce51e8-4109-41d7-bc10-538b089599db","type":"Microsoft.Authorization/roleAssignments","name":"e7ce51e8-4109-41d7-bc10-538b089599db"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"a7782e0f-1f9a-4882-b2c9-11227aad244e","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-06-16T04:32:50.9673703Z","updatedOn":"2020-06-16T04:32:50.9673703Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/9fa21f2f-81c3-47b6-b706-650b359b96c3","type":"Microsoft.Authorization/roleAssignments","name":"9fa21f2f-81c3-47b6-b706-650b359b96c3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"00b14177-f4d2-4a4b-94f6-6e80f75745c9","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-03-12T09:49:11.3750683Z","updatedOn":"2020-03-12T09:49:11.3750683Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fff0abf3-3cf7-46be-8bc7-1d1619a160fb","type":"Microsoft.Authorization/roleAssignments","name":"fff0abf3-3cf7-46be-8bc7-1d1619a160fb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"1d8b8d73-0cc6-4db8-b112-724b4a932253","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-26T10:28:45.4880023Z","updatedOn":"2019-08-26T10:28:45.4880023Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/397a3c9c-c258-4d4e-834d-00cc08227796","type":"Microsoft.Authorization/roleAssignments","name":"397a3c9c-c258-4d4e-834d-00cc08227796"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"235b2664-75e2-4741-bb6f-37e49babf6cd","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2018-12-05T04:29:28.7359096Z","updatedOn":"2018-12-05T04:29:28.7359096Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3c830f42-5f89-4d8b-8f93-d3dc936f33bd","type":"Microsoft.Authorization/roleAssignments","name":"3c830f42-5f89-4d8b-8f93-d3dc936f33bd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-04-08T08:38:50.1742930Z","updatedOn":"2020-04-08T08:38:50.1742930Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/5293a96b-830e-45f4-9e9e-22d7d020f0d8","type":"Microsoft.Authorization/roleAssignments","name":"5293a96b-830e-45f4-9e9e-22d7d020f0d8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3421d717-ca60-44e7-a9a1-773acec4e503","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-10-23T09:40:14.7658272Z","updatedOn":"2019-10-23T09:40:14.7658272Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/34b29558-faf9-43f0-a194-35ca0aa99fc5","type":"Microsoft.Authorization/roleAssignments","name":"34b29558-faf9-43f0-a194-35ca0aa99fc5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3dc88d41-4d03-4105-970d-937e56de3839","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-06-27T12:59:44.6557891Z","updatedOn":"2019-06-27T12:59:44.6557891Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e57ab8d1-ce9a-4925-b09f-2567492d9b22","type":"Microsoft.Authorization/roleAssignments","name":"e57ab8d1-ce9a-4925-b09f-2567492d9b22"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"62c799b8-9b54-4c3d-97c9-9490d16a6a9a","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-08-08T13:01:20.9953919Z","updatedOn":"2019-08-08T13:01:20.9953919Z","createdBy":"1743392d-76d5-4611-94c2-448be522b83c","updatedBy":"1743392d-76d5-4611-94c2-448be522b83c","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e1b91810-0781-462d-9517-764e4a033822","type":"Microsoft.Authorization/roleAssignments","name":"e1b91810-0781-462d-9517-764e4a033822"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8bb5b214-1182-465c-892f-ca7235abe1e7","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-10-23T08:03:15.6803676Z","updatedOn":"2019-10-23T08:03:15.6803676Z","createdBy":"1e845bc3-37db-4639-be09-d0cf1e448221","updatedBy":"1e845bc3-37db-4639-be09-d0cf1e448221","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/facbac06-ddab-437d-949a-207593fddfff","type":"Microsoft.Authorization/roleAssignments","name":"facbac06-ddab-437d-949a-207593fddfff"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"978b254a-54be-42af-80f5-e2a37b2e40e5","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2019-07-08T06:57:57.0377373Z","updatedOn":"2019-07-08T06:57:57.0377373Z","createdBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","updatedBy":"78af2a83-7619-4559-b0ee-cc30d118c6f3","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/89be5b0a-dfa8-4bdf-b667-c6f63f7f3f0e","type":"Microsoft.Authorization/roleAssignments","name":"89be5b0a-dfa8-4bdf-b667-c6f63f7f3f0e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"9c973a07-b207-473c-9687-bd693ba8e460","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-04-17T09:14:08.7913669Z","updatedOn":"2020-04-17T09:14:08.7913669Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/950c635a-23a5-4a0e-8eb6-c53e929c9699","type":"Microsoft.Authorization/roleAssignments","name":"950c635a-23a5-4a0e-8eb6-c53e929c9699"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a4eae46b-a9d0-4586-8ac9-ba91b29f1d57","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-02-01T10:05:44.6784242Z","updatedOn":"2022-02-01T10:05:44.6784242Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8af2fb3a-292c-42a8-a870-1751c4ec4870","type":"Microsoft.Authorization/roleAssignments","name":"8af2fb3a-292c-42a8-a870-1751c4ec4870"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"85c33f6f-5d69-4b0e-bc06-95a7d3193519","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-05-04T09:52:52.7340040Z","updatedOn":"2022-05-04T09:52:52.7340040Z","createdBy":"447bbed8-9839-4d6e-9e39-fb9aeee1ec1d","updatedBy":"447bbed8-9839-4d6e-9e39-fb9aeee1ec1d","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/6a4f635c-309c-4a1d-8eea-86fb5aa91d80","type":"Microsoft.Authorization/roleAssignments","name":"6a4f635c-309c-4a1d-8eea-86fb5aa91d80"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"e6234342-a3d7-4b04-9041-3e8526f5861a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-05-12T06:55:02.9137483Z","updatedOn":"2022-05-12T06:55:02.9137483Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a5bd1b6d-0084-40ec-9126-2250536b4778","type":"Microsoft.Authorization/roleAssignments","name":"a5bd1b6d-0084-40ec-9126-2250536b4778"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"f2cee52e-3d75-4f49-acc4-b5aaf72232ee","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T11:01:05.6238088Z","updatedOn":"2022-06-03T11:01:05.6238088Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2bd63fbe-e197-434f-ba1e-016bad298ff7","type":"Microsoft.Authorization/roleAssignments","name":"2bd63fbe-e197-434f-ba1e-016bad298ff7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"8be185b2-5cbf-45c1-b9af-cbbd9b59144d","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T13:20:41.1511200Z","updatedOn":"2022-06-03T13:22:39.1076287Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/f12c7867-43e5-5530-98e9-9d8a2f39fb92","type":"Microsoft.Authorization/roleAssignments","name":"f12c7867-43e5-5530-98e9-9d8a2f39fb92"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"8be185b2-5cbf-45c1-b9af-cbbd9b59144d","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-03T13:37:09.9515887Z","updatedOn":"2022-06-03T14:40:22.4040874Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/bace23ac-6978-5318-a146-d49599599b02","type":"Microsoft.Authorization/roleAssignments","name":"bace23ac-6978-5318-a146-d49599599b02"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"e6234342-a3d7-4b04-9041-3e8526f5861a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-06T11:22:08.5127363Z","updatedOn":"2022-06-06T11:22:08.5127363Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/df253c65-35fc-4ff6-9a32-39b3fe20a6e3","type":"Microsoft.Authorization/roleAssignments","name":"df253c65-35fc-4ff6-9a32-39b3fe20a6e3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"5f137a67-1b88-4f98-aa20-b71a7082dc56","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-10T14:11:57.5623976Z","updatedOn":"2022-06-10T14:11:57.5623976Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e409f573-8bda-4b7e-854a-61c445d36c6f","type":"Microsoft.Authorization/roleAssignments","name":"e409f573-8bda-4b7e-854a-61c445d36c6f"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-22T11:28:57.2073063Z","updatedOn":"2022-06-22T11:28:57.2073063Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c5b3bcf3-fd4c-4b57-9f73-f075ce7afccb","type":"Microsoft.Authorization/roleAssignments","name":"c5b3bcf3-fd4c-4b57-9f73-f075ce7afccb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-23T09:19:22.2256200Z","updatedOn":"2022-06-23T09:19:22.2256200Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/344b17ae-cabf-4a33-9a9d-ba30fefcbadc","type":"Microsoft.Authorization/roleAssignments","name":"344b17ae-cabf-4a33-9a9d-ba30fefcbadc"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"2b81557b-8e7a-4df8-9a41-e59844f627c2","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-23T09:25:03.9969293Z","updatedOn":"2022-06-23T09:25:03.9969293Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/13a7f7c7-7364-4f9b-ba92-5430f17b29b5","type":"Microsoft.Authorization/roleAssignments","name":"13a7f7c7-7364-4f9b-ba92-5430f17b29b5"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-24T07:04:04.5965087Z","updatedOn":"2022-06-24T07:04:04.5965087Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/ba604c54-80e1-490e-a123-9ef9d477536b","type":"Microsoft.Authorization/roleAssignments","name":"ba604c54-80e1-490e-a123-9ef9d477536b"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"5095196a-def9-4146-8d92-e38f24b6e378","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-25T04:10:10.7065168Z","updatedOn":"2022-06-25T04:10:10.7065168Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/916a749f-b61f-4ba4-8c28-46217c3a7b4e","type":"Microsoft.Authorization/roleAssignments","name":"916a749f-b61f-4ba4-8c28-46217c3a7b4e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T07:37:58.3152810Z","updatedOn":"2022-06-27T07:37:58.3152810Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/0a1046d6-ba58-491f-b473-403ec29cd2be","type":"Microsoft.Authorization/roleAssignments","name":"0a1046d6-ba58-491f-b473-403ec29cd2be"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:21:12.2347431Z","updatedOn":"2022-06-27T08:21:12.2347431Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/abc6fbbe-d4a8-4315-9532-82e90334dcc9","type":"Microsoft.Authorization/roleAssignments","name":"abc6fbbe-d4a8-4315-9532-82e90334dcc9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"381295fa-e67d-4943-a2eb-90ffcf09577b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:43:17.8582970Z","updatedOn":"2022-06-27T08:43:17.8582970Z","createdBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","updatedBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b8f0bb0e-1495-48f0-aa68-33c364310cfb","type":"Microsoft.Authorization/roleAssignments","name":"b8f0bb0e-1495-48f0-aa68-33c364310cfb"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"381295fa-e67d-4943-a2eb-90ffcf09577b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-06-27T08:43:18.7801612Z","updatedOn":"2022-06-27T08:43:18.7801612Z","createdBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","updatedBy":"b8be37b6-1abe-4b3e-b77b-029b37f87a98","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b8eb5d9d-85e3-4ba8-9458-fdd2c48ba8e1","type":"Microsoft.Authorization/roleAssignments","name":"b8eb5d9d-85e3-4ba8-9458-fdd2c48ba8e1"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"b864e281-c12e-45c6-a0c7-6046a7de5481","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg","condition":null,"conditionVersion":null,"createdOn":"2022-06-30T10:50:49.6196941Z","updatedOn":"2022-06-30T10:50:49.6196941Z","createdBy":"5095196a-def9-4146-8d92-e38f24b6e378","updatedBy":"5095196a-def9-4146-8d92-e38f24b6e378","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.Authorization/roleAssignments/61b7cfe4-f4db-49b0-b329-bb5fad775973","type":"Microsoft.Authorization/roleAssignments","name":"61b7cfe4-f4db-49b0-b329-bb5fad775973"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24","principalId":"3de34697-a180-45dc-aff8-c16061f1143b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-01T08:15:11.7388086Z","updatedOn":"2022-07-01T08:15:11.7388086Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/86db086e-0442-5eef-8ebc-1d8d28a4d03a","type":"Microsoft.Authorization/roleAssignments","name":"86db086e-0442-5eef-8ebc-1d8d28a4d03a"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce","principalId":"3de34697-a180-45dc-aff8-c16061f1143b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-01T08:15:12.7940996Z","updatedOn":"2022-07-01T08:15:12.7940996Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/cbcefba6-df6c-5670-9e02-9e09f7964d9c","type":"Microsoft.Authorization/roleAssignments","name":"cbcefba6-df6c-5670-9e02-9e09f7964d9c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"fe7b070d-f778-4cfd-8acf-eda94f397a89","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-07-29T07:15:07.9544255Z","updatedOn":"2022-07-29T07:15:07.9544255Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/efb13d06-875d-40e3-81d5-195824e19188","type":"Microsoft.Authorization/roleAssignments","name":"efb13d06-875d-40e3-81d5-195824e19188"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f8520195-1c62-47ff-8c01-e394155b52f1","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-10T11:13:36.6792855Z","updatedOn":"2022-08-10T11:13:36.6792855Z","createdBy":"9c973a07-b207-473c-9687-bd693ba8e460","updatedBy":"9c973a07-b207-473c-9687-bd693ba8e460","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3c9150af-abd1-4d00-9c16-acb375857df6","type":"Microsoft.Authorization/roleAssignments","name":"3c9150af-abd1-4d00-9c16-acb375857df6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f4bfeb83-a4cc-43e8-bee0-9808b5d0918d","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-24T05:51:56.3337713Z","updatedOn":"2022-08-24T05:51:56.3337713Z","createdBy":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","updatedBy":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/3caa2a04-62bf-4a33-80f5-056840e59fb4","type":"Microsoft.Authorization/roleAssignments","name":"3caa2a04-62bf-4a33-80f5-056840e59fb4"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"608ca1e9-e854-46c6-984f-d812d0e657e6","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2022-08-30T13:32:28.1332524Z","updatedOn":"2022-08-30T13:32:28.1332524Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2719b245-3aeb-4cc0-92bc-6f63eea0dcbf","type":"Microsoft.Authorization/roleAssignments","name":"2719b245-3aeb-4cc0-92bc-6f63eea0dcbf"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a51d0ef9-9895-4b63-b3f8-354bb7d1a6bb","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-05-21T08:47:39.8177538Z","updatedOn":"2021-05-21T08:47:39.8177538Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/17db6abb-bc45-4967-b313-e470ec9cbbd7","type":"Microsoft.Authorization/roleAssignments","name":"17db6abb-bc45-4967-b313-e470ec9cbbd7"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"93e2b483-3ffa-44f8-9965-fdb104b541a2","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-06-29T05:43:19.7216795Z","updatedOn":"2021-06-29T05:43:19.7216795Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/c6aff8c2-08b1-5b1a-9c80-d91164226985","type":"Microsoft.Authorization/roleAssignments","name":"c6aff8c2-08b1-5b1a-9c80-d91164226985"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"4f285ac8-5610-4d2f-854c-bfa3d16a2679","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-11T06:55:02.4909144Z","updatedOn":"2021-07-11T06:55:02.4909144Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/0cec2ad2-d080-4126-a99f-f61c559b799c","type":"Microsoft.Authorization/roleAssignments","name":"0cec2ad2-d080-4126-a99f-f61c559b799c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"630db480-3ee6-47ec-ae72-5f917d466bad","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:16:28.8833400Z","updatedOn":"2021-07-13T10:16:28.8833400Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/37fe4b2d-0aca-4c27-8511-1e0d18063ec8","type":"Microsoft.Authorization/roleAssignments","name":"37fe4b2d-0aca-4c27-8511-1e0d18063ec8"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"279982e7-46cf-4e40-9a3b-156c98285cb7","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:18:48.5647062Z","updatedOn":"2021-07-13T10:18:48.5647062Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/7907f38d-57a7-431d-82d7-5dfa2ef0a628","type":"Microsoft.Authorization/roleAssignments","name":"7907f38d-57a7-431d-82d7-5dfa2ef0a628"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"790004d0-0112-41ad-92e8-95c464c34476","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-13T10:18:48.6068337Z","updatedOn":"2021-07-13T10:18:48.6068337Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8c9bda26-83c4-4d4c-b00b-c4b58301e539","type":"Microsoft.Authorization/roleAssignments","name":"8c9bda26-83c4-4d4c-b00b-c4b58301e539"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-21T06:38:43.9281998Z","updatedOn":"2021-07-21T06:38:43.9281998Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b553fa81-60dd-45d6-9781-8c2313d68b03","type":"Microsoft.Authorization/roleAssignments","name":"b553fa81-60dd-45d6-9781-8c2313d68b03"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:20.4258578Z","updatedOn":"2021-07-27T04:31:20.4258578Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/4b2f7b08-f9ef-4fc1-b9c4-2bb34fdef258","type":"Microsoft.Authorization/roleAssignments","name":"4b2f7b08-f9ef-4fc1-b9c4-2bb34fdef258"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:32.4566300Z","updatedOn":"2021-07-27T04:31:32.4566300Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8176bf09-8e96-448a-ab12-eeed360ecce2","type":"Microsoft.Authorization/roleAssignments","name":"8176bf09-8e96-448a-ab12-eeed360ecce2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb","principalId":"a27f3bc9-abe0-404e-baa7-0949a258a204","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T04:31:48.4577322Z","updatedOn":"2021-07-27T04:31:48.4577322Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/45949217-58cc-4c18-93f3-f4c90710ae2d","type":"Microsoft.Authorization/roleAssignments","name":"45949217-58cc-4c18-93f3-f4c90710ae2d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:20.8138038Z","updatedOn":"2021-07-27T10:13:20.8138038Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/2382b52f-1ec5-430e-ae2a-74f9ed331ced","type":"Microsoft.Authorization/roleAssignments","name":"2382b52f-1ec5-430e-ae2a-74f9ed331ced"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:23.6551958Z","updatedOn":"2021-07-27T10:13:23.6551958Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/e5863947-0b21-41b7-9997-c0dfc73eec29","type":"Microsoft.Authorization/roleAssignments","name":"e5863947-0b21-41b7-9997-c0dfc73eec29"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb","principalId":"53a2447a-3ec4-42e2-9194-66afe4fcea2b","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-07-27T10:13:29.6985440Z","updatedOn":"2021-07-27T10:13:29.6985440Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/28c1cefa-942f-44c5-a4d4-c33bb92abd45","type":"Microsoft.Authorization/roleAssignments","name":"28c1cefa-942f-44c5-a4d4-c33bb92abd45"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8039a424-299a-4014-8b22-4f6d6cc60065","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-11T07:08:31.9935560Z","updatedOn":"2021-08-11T07:08:31.9935560Z","createdBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","updatedBy":"1d8b8d73-0cc6-4db8-b112-724b4a932253","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/69e0bcfc-b024-4d8b-a3d5-dac447f8986c","type":"Microsoft.Authorization/roleAssignments","name":"69e0bcfc-b024-4d8b-a3d5-dac447f8986c"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"8f0340b8-4b70-412b-be19-c4612d49e353","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-20T11:58:29.6857641Z","updatedOn":"2021-08-20T11:58:29.6857641Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fd88236f-eacb-5303-912f-ba1741cf02bd","type":"Microsoft.Authorization/roleAssignments","name":"fd88236f-eacb-5303-912f-ba1741cf02bd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"0d8f6e68-d6c5-4a67-b6c4-3107609bbdbc","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-20T12:31:58.7980661Z","updatedOn":"2021-08-20T12:31:58.7980661Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/146f4a11-8712-583d-89eb-a7b8b82dbaa9","type":"Microsoft.Authorization/roleAssignments","name":"146f4a11-8712-583d-89eb-a7b8b82dbaa9"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"e2072d83-2379-4f36-ab51-b5df7460c61e","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-08-21T14:40:08.5987892Z","updatedOn":"2021-08-21T14:40:10.5055205Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/842af679-0b58-5eb5-b94c-ff59e4105d7e","type":"Microsoft.Authorization/roleAssignments","name":"842af679-0b58-5eb5-b94c-ff59e4105d7e"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"2d13e5e1-815b-45e7-be6f-3a2c36b407a8","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-17T09:41:38.5634940Z","updatedOn":"2021-09-17T09:41:38.5634940Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":"for + temp testing purpose"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/98fe0117-1e9c-4e37-b8a7-c4a1031d6916","type":"Microsoft.Authorization/roleAssignments","name":"98fe0117-1e9c-4e37-b8a7-c4a1031d6916"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"9c973a07-b207-473c-9687-bd693ba8e460","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-25T15:23:32.6168771Z","updatedOn":"2021-09-25T15:23:32.6168771Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/d852f084-bc9f-4258-9e2c-fcf48b9eaf85","type":"Microsoft.Authorization/roleAssignments","name":"d852f084-bc9f-4258-9e2c-fcf48b9eaf85"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"2778738c-452b-45ca-b8d6-f085836a1458","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-09-30T07:51:25.2399474Z","updatedOn":"2021-09-30T07:51:25.2399474Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/b04a3bdf-b6a6-5ffb-9394-ee5743741597","type":"Microsoft.Authorization/roleAssignments","name":"b04a3bdf-b6a6-5ffb-9394-ee5743741597"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"0ac1f52a-325b-486a-a095-f46ffdd6a9e4","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-10-26T01:59:18.6998395Z","updatedOn":"2021-10-26T01:59:18.6998395Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/53a3b238-b4b0-4d3f-b416-8d6dc8d755f6","type":"Microsoft.Authorization/roleAssignments","name":"53a3b238-b4b0-4d3f-b416-8d6dc8d755f6"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1","principalId":"c3c0d020-16f0-44d8-9950-0250120a33ff","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-02T06:11:03.5575284Z","updatedOn":"2021-11-02T06:11:03.5575284Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/1d017732-f67e-5aa1-a4a6-47570078d9f3","type":"Microsoft.Authorization/roleAssignments","name":"1d017732-f67e-5aa1-a4a6-47570078d9f3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-10T08:59:19.7285159Z","updatedOn":"2021-11-10T08:59:19.7285159Z","createdBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","updatedBy":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a60357fa-dc0a-4479-a2a9-4329c2d0ae89","type":"Microsoft.Authorization/roleAssignments","name":"a60357fa-dc0a-4479-a2a9-4329c2d0ae89"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"8dd77695-d6a5-450d-a43c-67ca01be9fbc","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-11-12T10:55:38.3698246Z","updatedOn":"2021-11-12T10:55:38.3698246Z","createdBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","updatedBy":"90680173-e32e-4cf3-a1b8-d1a99ac56bbf","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/dda5bb75-b74a-4430-975f-5bc9611c4b2d","type":"Microsoft.Authorization/roleAssignments","name":"dda5bb75-b74a-4430-975f-5bc9611c4b2d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/36243c78-bf99-498c-9df9-86d9f8d28608","principalId":"2152c794-9ca2-41fe-a313-2d0e1ee3eb80","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-18T06:28:12.0181010Z","updatedOn":"2021-02-18T06:28:12.0181010Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/804f6223-03eb-4091-b460-82160fc5f818","type":"Microsoft.Authorization/roleAssignments","name":"804f6223-03eb-4091-b460-82160fc5f818"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"2152c794-9ca2-41fe-a313-2d0e1ee3eb80","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-18T06:28:12.0168587Z","updatedOn":"2021-02-18T06:28:12.0168587Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/8d80e2d6-315c-495c-ab2c-91ddf75edf41","type":"Microsoft.Authorization/roleAssignments","name":"8d80e2d6-315c-495c-ab2c-91ddf75edf41"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"cf46d636-b6c1-406c-aba7-b2c3d9ed07da","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-26T13:53:53.1151640Z","updatedOn":"2021-02-26T13:53:53.1151640Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/735e98ed-f4b8-4b7d-9cc9-af4f8ae77252","type":"Microsoft.Authorization/roleAssignments","name":"735e98ed-f4b8-4b7d-9cc9-af4f8ae77252"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8505e3f4-1ee7-427c-a175-a06595231d46","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2021-02-26T13:54:27.5624477Z","updatedOn":"2021-02-26T13:54:27.5624477Z","createdBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","updatedBy":"2b81557b-8e7a-4df8-9a41-e59844f627c2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/98c87a9f-b9e7-414b-8b59-bf3ec62dbc74","type":"Microsoft.Authorization/roleAssignments","name":"98c87a9f-b9e7-414b-8b59-bf3ec62dbc74"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"8bf5ba20-c970-4c38-b2a6-95f5726c959a","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-25T12:25:27.2277610Z","updatedOn":"2020-07-25T12:25:27.2277610Z","createdBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","updatedBy":"8bb5b214-1182-465c-892f-ca7235abe1e7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/fd6b8ff4-9edb-43f5-aa2a-32133fa09b1d","type":"Microsoft.Authorization/roleAssignments","name":"fd6b8ff4-9edb-43f5-aa2a-32133fa09b1d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"21ae6127-c385-4ae0-b895-a8559e9aa574","principalType":"Group","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-31T08:35:35.2993523Z","updatedOn":"2020-07-31T08:35:35.2993523Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/6af9fbf3-7085-4bcb-b399-88b89fac16d3","type":"Microsoft.Authorization/roleAssignments","name":"6af9fbf3-7085-4bcb-b399-88b89fac16d3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"1e845bc3-37db-4639-be09-d0cf1e448221","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-07-31T08:44:16.2909420Z","updatedOn":"2020-07-31T08:44:16.2909420Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/65080390-e9b5-4566-b362-d1e96c23dae2","type":"Microsoft.Authorization/roleAssignments","name":"65080390-e9b5-4566-b362-d1e96c23dae2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","principalType":"User","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-11-03T06:12:01.6760584Z","updatedOn":"2020-11-03T06:12:01.6760584Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/a7a12420-2dce-4a47-822e-68cadf239da3","type":"Microsoft.Authorization/roleAssignments","name":"a7a12420-2dce-4a47-822e-68cadf239da3"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c","principalId":"3282af51-433d-47e8-b2b5-633fbe0fecc0","principalType":"ServicePrincipal","scope":"/subscriptions/00000000-0000-0000-0000-000000000000","condition":null,"conditionVersion":null,"createdOn":"2020-11-03T06:25:32.6790913Z","updatedOn":"2020-11-03T06:25:32.6790913Z","createdBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","updatedBy":"e3f1f833-3bc1-46d9-ae9b-b9e0a2117420","delegatedManagedIdentityResourceId":null,"description":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleAssignments/36da831d-10ce-4f42-ba28-362960f6ea36","type":"Microsoft.Authorization/roleAssignments","name":"36da831d-10ce-4f42-ba28-362960f6ea36"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-10-04T07:35:39.6626948Z","updatedOn":"2019-10-04T07:35:39.6626948Z","createdBy":"8031e009-cc05-4950-8a8d-78942c4492ac","updatedBy":"8031e009-cc05-4950-8a8d-78942c4492ac","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/730fa65e-c74c-4c3d-9cc3-9457f9b97274","type":"Microsoft.Authorization/roleAssignments","name":"730fa65e-c74c-4c3d-9cc3-9457f9b97274"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-04-08T01:03:29.8241478Z","updatedOn":"2021-04-08T01:03:29.8241478Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupFlaggedSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/63818ccb-a05c-4083-9e1d-64b4c7c0e1cd","type":"Microsoft.Authorization/roleAssignments","name":"63818ccb-a05c-4083-9e1d-64b4c7c0e1cd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"c87d9afe-4463-41d5-81e3-3bd162af9183","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-07-10T09:38:17.4348497Z","updatedOn":"2019-07-10T09:38:17.4348497Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/ebc56c6d-c5de-4d99-b166-89d4ac815acd","type":"Microsoft.Authorization/roleAssignments","name":"ebc56c6d-c5de-4d99-b166-89d4ac815acd"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-03-15T11:01:18.6794974Z","updatedOn":"2019-03-15T11:01:18.6794974Z","createdBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","updatedBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/9fb9b151-1d53-4eff-9336-75cf634e1e3d","type":"Microsoft.Authorization/roleAssignments","name":"9fb9b151-1d53-4eff-9336-75cf634e1e3d"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"f87f6638-3a1b-4562-8603-aacd59537149","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-05-03T06:47:05.1411825Z","updatedOn":"2019-05-03T06:47:05.1411825Z","createdBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","updatedBy":"809e610d-9130-4b22-8c3a-5e6c64adc2c7","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/24ffbb29-061f-4b1d-8c26-c6e90ef53303","type":"Microsoft.Authorization/roleAssignments","name":"24ffbb29-061f-4b1d-8c26-c6e90ef53303"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"becb4b6b-fe16-413b-a5c3-90355e0b2982","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2019-06-26T06:33:50.1123976Z","updatedOn":"2019-06-26T06:33:50.1123976Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/4c3721e8-06f4-4115-a2d8-90c4a9a57d56","type":"Microsoft.Authorization/roleAssignments","name":"4c3721e8-06f4-4115-a2d8-90c4a9a57d56"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9","principalId":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-04-07T16:59:19.6098216Z","updatedOn":"2021-04-07T16:59:19.6098216Z","createdBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","updatedBy":"1c8b3602-77a2-4e8a-8c1e-f127f2af5ca2","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/9d2de631-e451-450b-8237-e5bc19624eee","type":"Microsoft.Authorization/roleAssignments","name":"9d2de631-e451-450b-8237-e5bc19624eee"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"b1b96a90-235c-4668-a931-ee1c08db7681","principalType":"User","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-02-01T04:47:38.5676012Z","updatedOn":"2021-02-01T04:47:38.5676012Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/a9e38032-c21b-4c41-8960-1c9c982d98e2","type":"Microsoft.Authorization/roleAssignments","name":"a9e38032-c21b-4c41-8960-1c9c982d98e2"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635","principalId":"a51d0ef9-9895-4b63-b3f8-354bb7d1a6bb","principalType":"Group","scope":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG","condition":null,"conditionVersion":null,"createdOn":"2021-03-03T05:31:57.4716459Z","updatedOn":"2021-03-03T05:31:57.4716459Z","createdBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","updatedBy":"e2b118f2-5cbb-4f4c-93dd-54401a22306e","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/AzureBackupTestSubscriptionsMG/providers/Microsoft.Authorization/roleAssignments/77aa0ff2-42c2-4e01-a51d-01cf2dd7ce04","type":"Microsoft.Authorization/roleAssignments","name":"77aa0ff2-42c2-4e01-a51d-01cf2dd7ce04"},{"properties":{"roleDefinitionId":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","principalId":"ce2366a6-64d7-441b-939c-c9d23f91cccd","principalType":"ServicePrincipal","scope":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47","condition":null,"conditionVersion":null,"createdOn":"2020-03-12T20:43:06.5941189Z","updatedOn":"2020-03-12T20:43:06.5941189Z","createdBy":"606f48c8-d219-4875-991d-ae6befaf0756","updatedBy":"606f48c8-d219-4875-991d-ae6befaf0756","delegatedManagedIdentityResourceId":null,"description":null},"id":"/providers/Microsoft.Management/managementGroups/72f988bf-86f1-41af-91ab-2d7cd011db47/providers/Microsoft.Authorization/roleAssignments/ad9e2cd7-0ff7-4931-9b17-656c8f17934b","type":"Microsoft.Authorization/roleAssignments","name":"ad9e2cd7-0ff7-4931-9b17-656c8f17934b"}]}' + headers: + cache-control: + - no-cache + content-length: + - '74571' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 05 Sep 2022 20:10:54 GMT + expires: + - '-1' + pragma: + - no-cache + set-cookie: + - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-instance update-msi-permissions + Connection: + - keep-alive + Cookie: + - x-ms-gateway-slice=Production + ParameterSetName: + - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance + --keyvault-id --yes + User-Agent: + - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 + Azure-SDK-For-Python AZURECLI/2.39.0 + accept-language: + - en-US + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/providers/Microsoft.Authorization/roleDefinitions?$filter=roleName%20eq%20%27Reader%27&api-version=2018-01-01-preview + response: + body: + string: '{"value":[{"properties":{"roleName":"Reader","type":"BuiltInRole","description":"View + all resources, but does not allow you to make any changes.","assignableScopes":["/"],"permissions":[{"actions":["*/read"],"notActions":[],"dataActions":[],"notDataActions":[]}],"createdOn":"2015-02-02T21:55:09.8806423Z","updatedOn":"2021-11-11T20:13:47.8628684Z","createdBy":null,"updatedBy":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7","type":"Microsoft.Authorization/roleDefinitions","name":"acdd72a7-3385-48ef-bd42-f606fba81ae7"}]}' + headers: + cache-control: + - no-cache + content-length: + - '627' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 05 Sep 2022 20:10:56 GMT + expires: + - '-1' + pragma: + - no-cache + set-cookie: + - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + status: + code: 200 + message: OK +- request: + body: null headers: Accept: - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance create + - dataprotection backup-instance update-msi-permissions Connection: - keep-alive - Content-Length: - - '1357' - Content-Type: - - application/json + Cookie: + - x-ms-gateway-slice=Production ParameterSetName: - - -g --vault-name --backup-instance + - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance + --keyvault-id --yes User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/validateForBackup?api-version=2022-05-01 + - python/3.8.5 (Windows-10-10.0.22000-SP0) msrest/0.7.1 msrest_azure/0.6.4 azure-mgmt-authorization/0.61.0 + Azure-SDK-For-Python AZURECLI/2.39.0 + accept-language: + - en-US + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/providers/Microsoft.Authorization/roleDefinitions?api-version=2018-01-01-preview response: body: - string: '' + string: "{\"value\":[{\"properties\":{\"roleName\":\"Avere Cluster Create\",\"type\":\"CustomRole\",\"description\":\"Avere + cluster create role used by the Avere controller to create a vFXT cluster.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Authorization/roleAssignments/*\",\"Microsoft.Authorization/roleDefinitions/*\",\"Microsoft.Compute/*/read\",\"Microsoft.Compute/availabilitySets/*\",\"Microsoft.Compute/virtualMachines/*\",\"Microsoft.Network/*/read\",\"Microsoft.Network/networkInterfaces/*\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/resourceGroups/resources/read\",\"Microsoft.Storage/*/read\",\"Microsoft.Storage/storageAccounts/listKeys/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-11-29T18:46:55.0492387Z\",\"updatedOn\":\"2018-11-29T18:46:55.0492387Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a7b1b19a-0e83-4fe5-935c-faaefbfd18c3\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a7b1b19a-0e83-4fe5-935c-faaefbfd18c3\"},{\"properties\":{\"roleName\":\"Avere + Cluster Runtime Operator\",\"type\":\"CustomRole\",\"description\":\"Avere + cluster runtime role used by Avere clusters running in subscriptions, for + the purpose of failing over IP addresses, accessing BLOB storage, etc\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Network/networkInterfaces/write\",\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/networkSecurityGroups/join/action\",\"Microsoft.Network/routeTables/read\",\"Microsoft.Network/routeTables/routes/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/delete\",\"Microsoft.Storage/storageAccounts/blobServices/containers/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/write\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/delete\",\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/write\"],\"notDataActions\":[]}],\"createdOn\":\"2018-08-26T00:41:26.2170858Z\",\"updatedOn\":\"2018-08-26T00:41:26.2170858Z\",\"createdBy\":\"dda50086-5e3d-4a4b-b8bc-f54771104d89\",\"updatedBy\":\"dda50086-5e3d-4a4b-b8bc-f54771104d89\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e078ab98-ef3a-4c9a-aba7-12f5172b45d0\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e078ab98-ef3a-4c9a-aba7-12f5172b45d0\"},{\"properties\":{\"roleName\":\"Azure + Service Deploy Release Management Contributor\",\"type\":\"CustomRole\",\"description\":\"Contributor + role for services deploying through Azure Service Deploy.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*\"],\"notActions\":[\"Microsoft.Authorization/*/Delete\",\"Microsoft.Authorization/*/Write\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-02-04T02:26:31.5413362Z\",\"updatedOn\":\"2018-01-08T20:20:16.3660174Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/21d96096-b162-414a-8302-d8354f9d91b2\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"21d96096-b162-414a-8302-d8354f9d91b2\"},{\"properties\":{\"roleName\":\"CAL-Custom-Role\",\"type\":\"CustomRole\",\"description\":\"Lets + SAP Cloud Appliance Library application manage Network and Compute services, + manage Resource Groups and Management locks.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/locks/*\",\"Microsoft.Authorization/roleDefinitions/*\",\"Microsoft.Authorization/roleAssignments/*\",\"Microsoft.Compute/*\",\"Microsoft.Network/*\",\"Microsoft.Resources/*\",\"Microsoft.Storage/*\",\"Microsoft.ContainerService/*\",\"Microsoft.ContainerRegistry/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-05-14T19:30:51.0664585Z\",\"updatedOn\":\"2019-02-19T19:11:57.5963229Z\",\"createdBy\":\"dda50086-5e3d-4a4b-b8bc-f54771104d89\",\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7b266cd7-0bba-4ae2-8423-90ede5e1e898\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7b266cd7-0bba-4ae2-8423-90ede5e1e898\"},{\"properties\":{\"roleName\":\"Dsms + Role (deprecated)\",\"type\":\"CustomRole\",\"description\":\"Custom role + used by Dsms to perform operations. Can list and regnerate storage account + keys.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ClassicStorage/storageAccounts/listKeys/action\",\"Microsoft.ClassicStorage/storageAccounts/regenerateKey/action\",\"Microsoft.Storage/storageAccounts/listkeys/action\",\"Microsoft.Storage/storageAccounts/regeneratekey/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-05-17T18:02:11.1225951Z\",\"updatedOn\":\"2018-01-13T00:21:52.7211696Z\",\"createdBy\":\"ca5f3715-e7dd-427b-b2db-45b6a4a2df87\",\"updatedBy\":\"ca5f3715-e7dd-427b-b2db-45b6a4a2df87\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b91f4c0b-46e3-47bb-a242-eecfe23b3b5b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b91f4c0b-46e3-47bb-a242-eecfe23b3b5b\"},{\"properties\":{\"roleName\":\"Dsms + Role (do not use)\",\"type\":\"CustomRole\",\"description\":\"Custom role + used by Dsms to perform operations. Can list and regnerate storage account + keys.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ClassicStorage/storageAccounts/listKeys/action\",\"Microsoft.ClassicStorage/storageAccounts/regenerateKey/action\",\"Microsoft.Storage/storageAccounts/listkeys/action\",\"Microsoft.Storage/storageAccounts/regeneratekey/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-02-01T07:56:12.5880222Z\",\"updatedOn\":\"2018-08-09T17:53:48.5432297Z\",\"createdBy\":\"becb4b6b-fe16-413b-a5c3-90355e0b2982\",\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7aff565e-6c55-448d-83db-ccf482c6da2f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7aff565e-6c55-448d-83db-ccf482c6da2f\"},{\"properties\":{\"roleName\":\"ExpressRoute + Administrator\",\"type\":\"CustomRole\",\"description\":\"Can create, delete + and manage ExpressRoutes\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/locks/*\",\"Microsoft.Authorization/policyAssignments/*\",\"Microsoft.Authorization/policyDefinitions/*\",\"Microsoft.Authorization/roleAssignments/*\",\"Microsoft.ClassicNetwork/*\",\"Microsoft.EventGrid/*\",\"Microsoft.Insights/*\",\"Microsoft.Network/*\",\"Microsoft.Resources/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-08-31T03:51:32.2843055Z\",\"updatedOn\":\"2019-03-20T22:55:18.8222085Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a48d7896-14b4-4889-afef-fbb65a96e5a2\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a48d7896-14b4-4889-afef-fbb65a96e5a2\"},{\"properties\":{\"roleName\":\"GenevaWarmPathResourceContributor\",\"type\":\"CustomRole\",\"description\":\"Can + manage service bus and storage accounts.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.EventHub/namespaces/*\",\"Microsoft.Resources/subscriptions/resourceGroups/*\",\"Microsoft.ServiceBus/namespaces/*\",\"Microsoft.Storage/storageAccounts/*\",\"Microsoft.Storage/storageAccounts/managementPolicies/write\",\"Microsoft.Storage/storageAccounts/managementPolicies/read\",\"Microsoft.Storage/storageAccounts/managementPolicies/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-03-14T22:30:10.1999436Z\",\"updatedOn\":\"2022-02-28T23:26:40.0052537Z\",\"createdBy\":null,\"updatedBy\":\"acis\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9f15f5f5-77bd-413a-aa88-4b9c68b1e7bc\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"9f15f5f5-77bd-413a-aa88-4b9c68b1e7bc\"},{\"properties\":{\"roleName\":\"masterreader\",\"type\":\"CustomRole\",\"description\":\"Lets + you view everything, but not make any changes.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-11-14T23:38:05.3353858Z\",\"updatedOn\":\"2017-11-14T23:38:05.3353858Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a48d7796-14b4-4889-afef-fbb65a93e5a2\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a48d7796-14b4-4889-afef-fbb65a93e5a2\"},{\"properties\":{\"roleName\":\"Microsoft + OneAsset Reader\",\"type\":\"CustomRole\",\"description\":\"This role is for + Microsoft OneAsset team (CSEO) to track internal security compliance and resource + utilization.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/virtualMachines/*/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-03-27T23:51:08.6333052Z\",\"updatedOn\":\"2019-04-02T20:35:43.3396263Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fd1bb084-1503-4bd2-99c0-630220046786\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fd1bb084-1503-4bd2-99c0-630220046786\"},{\"properties\":{\"roleName\":\"Office + DevOps\",\"type\":\"CustomRole\",\"description\":\"Custom access for developers + to operations but not secrets.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/virtualMachineScaleSets/restart/action\",\"Microsoft.Compute/virtualMachineScaleSets/virtualMachines/restart/action\",\"Microsoft.Sql/servers/databases/replicationLinks/delete\",\"Microsoft.Sql/servers/databases/replicationLinks/failover/action\",\"Microsoft.Sql/servers/databases/replicationLinks/forceFailoverAllowDataLoss/action\",\"Microsoft.Sql/servers/databases/replicationLinks/operationResults/read\",\"Microsoft.Sql/servers/databases/replicationLinks/read\",\"Microsoft.Sql/servers/databases/replicationLinks/unlink/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-10-07T08:11:46.1639398Z\",\"updatedOn\":\"2017-03-16T18:43:08.3234306Z\",\"createdBy\":\"25aea6be-b605-4347-a92d-33e178e412ec\",\"updatedBy\":\"25aea6be-b605-4347-a92d-33e178e412ec\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7fd64851-3279-459b-b614-e2b2ba760f5b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7fd64851-3279-459b-b614-e2b2ba760f5b\"},{\"properties\":{\"roleName\":\"GenevaWarmPathStorageBlobContributor\",\"type\":\"CustomRole\",\"description\":\"Geneva + Warm Path Storage Blob Contributor\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/delete\",\"Microsoft.Storage/storageAccounts/blobServices/containers/lease/action\",\"Microsoft.Storage/storageAccounts/blobServices/containers/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/write\",\"Microsoft.Storage/storageAccounts/blobServices/containers/immutabilityPolicies/lock/action\",\"Microsoft.Storage/storageAccounts/blobServices/containers/immutabilityPolicies/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/immutabilityPolicies/write\",\"Microsoft.Storage/storageAccounts/blobServices/containers/immutabilityPolicies/extend/action\",\"Microsoft.Storage/storageAccounts/blobServices/containers/immutabilityPolicies/delete\",\"Microsoft.Storage/storageAccounts/managementPolicies/write\",\"Microsoft.Storage/storageAccounts/managementPolicies/read\",\"Microsoft.Storage/storageAccounts/managementPolicies/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-12-06T22:46:27.1365630Z\",\"updatedOn\":\"2022-02-28T23:26:40.4152515Z\",\"createdBy\":null,\"updatedBy\":\"acis\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a16c43ca-2d67-4dcd-9ded-6412f5edc51a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a16c43ca-2d67-4dcd-9ded-6412f5edc51a\"},{\"properties\":{\"roleName\":\"Azure + Service Deploy Release Management Restricted Owner\",\"type\":\"CustomRole\",\"description\":\"Restricted + owner role for services deploying through Azure Service Deploy.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*\"],\"notActions\":[\"Microsoft.Authorization/*/Delete\",\"Microsoft.Authorization/*/Write\"],\"dataActions\":[],\"notDataActions\":[]},{\"actions\":[\"Microsoft.Authorization/roleAssignments/write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]},{\"actions\":[\"Microsoft.Authorization/locks/write\",\"Microsoft.Authorization/policyassignments/write\",\"Microsoft.Authorization/policydefinitions/write\",\"Microsoft.Authorization/policysetdefinitions/write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-03-07T22:16:06.8803898Z\",\"updatedOn\":\"2022-03-07T22:16:06.8803898Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/94ddc4bc-25f5-4f3e-b527-c587da93cfe4\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"94ddc4bc-25f5-4f3e-b527-c587da93cfe4\"},{\"properties\":{\"roleName\":\"Azure + Service Deploy Test Release Management Key Vault Secrets User\",\"type\":\"CustomRole\",\"description\":\"Read + secret and certificate contents. Only works for key vaults that use the 'Azure + role-based access control' permission model.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/secrets/getSecret/action\",\"Microsoft.KeyVault/vaults/certificates/read\"],\"notDataActions\":[]}],\"createdOn\":\"2022-07-20T22:52:19.9944274Z\",\"updatedOn\":\"2022-08-31T23:25:32.0649353Z\",\"createdBy\":\"19669f00-ee56-44ec-94c3-83159a41292e\",\"updatedBy\":\"19669f00-ee56-44ec-94c3-83159a41292e\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/87d31636-ad85-4caa-802d-1535972b5612\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"87d31636-ad85-4caa-802d-1535972b5612\"},{\"properties\":{\"roleName\":\"AcrPush\",\"type\":\"BuiltInRole\",\"description\":\"acr + push\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerRegistry/registries/pull/read\",\"Microsoft.ContainerRegistry/registries/push/write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-10-29T17:52:32.5201177Z\",\"updatedOn\":\"2021-11-11T20:13:07.4993029Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8311e382-0749-4cb8-b61a-304f252e45ec\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8311e382-0749-4cb8-b61a-304f252e45ec\"},{\"properties\":{\"roleName\":\"API + Management Service Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can + manage service and the APIs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ApiManagement/service/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8650193Z\",\"updatedOn\":\"2021-11-11T20:13:08.3179618Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/312a565d-c81f-4fd8-895a-4e21e48d571c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"312a565d-c81f-4fd8-895a-4e21e48d571c\"},{\"properties\":{\"roleName\":\"AcrPull\",\"type\":\"BuiltInRole\",\"description\":\"acr + pull\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerRegistry/registries/pull/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-10-22T19:01:56.8227182Z\",\"updatedOn\":\"2021-11-11T20:13:08.8779328Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7f951dda-4ed3-4680-a7ca-43fe172d538d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7f951dda-4ed3-4680-a7ca-43fe172d538d\"},{\"properties\":{\"roleName\":\"AcrImageSigner\",\"type\":\"BuiltInRole\",\"description\":\"acr + image signer\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerRegistry/registries/sign/write\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerRegistry/registries/trustedCollections/write\"],\"notDataActions\":[]}],\"createdOn\":\"2018-03-15T23:23:08.4038322Z\",\"updatedOn\":\"2021-11-11T20:13:09.6070759Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6cef56e8-d556-48e5-a04f-b8e64114680f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6cef56e8-d556-48e5-a04f-b8e64114680f\"},{\"properties\":{\"roleName\":\"AcrDelete\",\"type\":\"BuiltInRole\",\"description\":\"acr + delete\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerRegistry/registries/artifacts/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-03-11T20:19:31.6682804Z\",\"updatedOn\":\"2021-11-11T20:13:09.9631744Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c2f4ef07-c644-48eb-af81-4b1b4947fb11\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c2f4ef07-c644-48eb-af81-4b1b4947fb11\"},{\"properties\":{\"roleName\":\"AcrQuarantineReader\",\"type\":\"BuiltInRole\",\"description\":\"acr + quarantine data reader\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerRegistry/registries/quarantine/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerRegistry/registries/quarantinedArtifacts/read\"],\"notDataActions\":[]}],\"createdOn\":\"2018-03-16T00:27:39.9596835Z\",\"updatedOn\":\"2021-11-11T20:13:10.3188052Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/cdda3590-29a3-44f6-95f2-9f980659eb04\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"cdda3590-29a3-44f6-95f2-9f980659eb04\"},{\"properties\":{\"roleName\":\"AcrQuarantineWriter\",\"type\":\"BuiltInRole\",\"description\":\"acr + quarantine data writer\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerRegistry/registries/quarantine/read\",\"Microsoft.ContainerRegistry/registries/quarantine/write\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerRegistry/registries/quarantinedArtifacts/read\",\"Microsoft.ContainerRegistry/registries/quarantinedArtifacts/write\"],\"notDataActions\":[]}],\"createdOn\":\"2018-03-16T00:26:37.5871820Z\",\"updatedOn\":\"2021-11-11T20:13:11.3488079Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c8d4ff99-41c3-41a8-9f60-21dfdad59608\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c8d4ff99-41c3-41a8-9f60-21dfdad59608\"},{\"properties\":{\"roleName\":\"API + Management Service Operator Role\",\"type\":\"BuiltInRole\",\"description\":\"Can + manage service but not the APIs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ApiManagement/service/*/read\",\"Microsoft.ApiManagement/service/backup/action\",\"Microsoft.ApiManagement/service/delete\",\"Microsoft.ApiManagement/service/managedeployments/action\",\"Microsoft.ApiManagement/service/read\",\"Microsoft.ApiManagement/service/restore/action\",\"Microsoft.ApiManagement/service/updatecertificate/action\",\"Microsoft.ApiManagement/service/updatehostname/action\",\"Microsoft.ApiManagement/service/write\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[\"Microsoft.ApiManagement/service/users/keys/read\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-11-09T00:03:42.1194019Z\",\"updatedOn\":\"2021-11-11T20:13:11.5244023Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e022efe7-f5ba-4159-bbe4-b44f577e9b61\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e022efe7-f5ba-4159-bbe4-b44f577e9b61\"},{\"properties\":{\"roleName\":\"API + Management Service Reader Role\",\"type\":\"BuiltInRole\",\"description\":\"Read-only + access to service and APIs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ApiManagement/service/*/read\",\"Microsoft.ApiManagement/service/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[\"Microsoft.ApiManagement/service/users/keys/read\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-11-09T00:26:45.1540473Z\",\"updatedOn\":\"2021-11-11T20:13:11.8704466Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/71522526-b88f-4d52-b57f-d31fc3546d0d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"71522526-b88f-4d52-b57f-d31fc3546d0d\"},{\"properties\":{\"roleName\":\"Application + Insights Component Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can + manage Application Insights components\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/generateLiveToken/read\",\"Microsoft.Insights/metricAlerts/*\",\"Microsoft.Insights/components/*\",\"Microsoft.Insights/scheduledqueryrules/*\",\"Microsoft.Insights/topology/read\",\"Microsoft.Insights/transactions/read\",\"Microsoft.Insights/webtests/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:12.6428401Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ae349356-3a1b-4a5e-921d-050484c6347e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ae349356-3a1b-4a5e-921d-050484c6347e\"},{\"properties\":{\"roleName\":\"Application + Insights Snapshot Debugger\",\"type\":\"BuiltInRole\",\"description\":\"Gives + user permission to use Application Insights Snapshot Debugger features\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/components/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-04-19T21:25:12.3728747Z\",\"updatedOn\":\"2021-11-11T20:13:13.0034435Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/08954f03-6346-4c2e-81c0-ec3a5cfae23b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"08954f03-6346-4c2e-81c0-ec3a5cfae23b\"},{\"properties\":{\"roleName\":\"Attestation + Reader\",\"type\":\"BuiltInRole\",\"description\":\"Can read the attestation + provider properties\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Attestation/attestationProviders/attestation/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-03-25T19:42:59.1576710Z\",\"updatedOn\":\"2021-11-11T20:13:13.3634724Z\",\"createdBy\":null,\"updatedBy\":\"SYSTEM\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fd1bd22b-8476-40bc-a0bc-69b95687b9f3\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fd1bd22b-8476-40bc-a0bc-69b95687b9f3\"},{\"properties\":{\"roleName\":\"Automation + Job Operator\",\"type\":\"BuiltInRole\",\"description\":\"Create and Manage + Jobs using Automation Runbooks.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Automation/automationAccounts/hybridRunbookWorkerGroups/read\",\"Microsoft.Automation/automationAccounts/jobs/read\",\"Microsoft.Automation/automationAccounts/jobs/resume/action\",\"Microsoft.Automation/automationAccounts/jobs/stop/action\",\"Microsoft.Automation/automationAccounts/jobs/streams/read\",\"Microsoft.Automation/automationAccounts/jobs/suspend/action\",\"Microsoft.Automation/automationAccounts/jobs/write\",\"Microsoft.Automation/automationAccounts/jobs/output/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-04-19T20:52:41.0020018Z\",\"updatedOn\":\"2021-11-11T20:13:13.7065660Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4fe576fe-1146-4730-92eb-48519fa6bf9f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4fe576fe-1146-4730-92eb-48519fa6bf9f\"},{\"properties\":{\"roleName\":\"Automation + Runbook Operator\",\"type\":\"BuiltInRole\",\"description\":\"Read Runbook + properties - to be able to create Jobs of the runbook.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Automation/automationAccounts/runbooks/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-04-19T20:47:49.5640674Z\",\"updatedOn\":\"2021-11-11T20:13:13.8815461Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5fb5aef8-1081-4b8e-bb16-9d5d0385bab5\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5fb5aef8-1081-4b8e-bb16-9d5d0385bab5\"},{\"properties\":{\"roleName\":\"Automation + Operator\",\"type\":\"BuiltInRole\",\"description\":\"Automation Operators + are able to start, stop, suspend, and resume jobs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Automation/automationAccounts/hybridRunbookWorkerGroups/read\",\"Microsoft.Automation/automationAccounts/jobs/read\",\"Microsoft.Automation/automationAccounts/jobs/resume/action\",\"Microsoft.Automation/automationAccounts/jobs/stop/action\",\"Microsoft.Automation/automationAccounts/jobs/streams/read\",\"Microsoft.Automation/automationAccounts/jobs/suspend/action\",\"Microsoft.Automation/automationAccounts/jobs/write\",\"Microsoft.Automation/automationAccounts/jobSchedules/read\",\"Microsoft.Automation/automationAccounts/jobSchedules/write\",\"Microsoft.Automation/automationAccounts/linkedWorkspace/read\",\"Microsoft.Automation/automationAccounts/read\",\"Microsoft.Automation/automationAccounts/runbooks/read\",\"Microsoft.Automation/automationAccounts/schedules/read\",\"Microsoft.Automation/automationAccounts/schedules/write\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Automation/automationAccounts/jobs/output/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-08-18T01:05:03.3916130Z\",\"updatedOn\":\"2021-11-11T20:13:14.0515408Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d3881f73-407a-4167-8283-e981cbba0404\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d3881f73-407a-4167-8283-e981cbba0404\"},{\"properties\":{\"roleName\":\"Avere + Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can create and manage + an Avere vFXT cluster.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Compute/*/read\",\"Microsoft.Compute/availabilitySets/*\",\"Microsoft.Compute/proximityPlacementGroups/*\",\"Microsoft.Compute/virtualMachines/*\",\"Microsoft.Compute/disks/*\",\"Microsoft.Network/*/read\",\"Microsoft.Network/networkInterfaces/*\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/virtualNetworks/subnets/joinViaServiceEndpoint/action\",\"Microsoft.Network/networkSecurityGroups/join/action\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/*/read\",\"Microsoft.Storage/storageAccounts/*\",\"Microsoft.Support/*\",\"Microsoft.Resources/subscriptions/resourceGroups/resources/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/delete\",\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/write\"],\"notDataActions\":[]}],\"createdOn\":\"2019-03-18T20:00:58.9207889Z\",\"updatedOn\":\"2021-11-11T20:13:14.2265665Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4f8fab4f-1852-4a58-a46a-8eaf358af14a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4f8fab4f-1852-4a58-a46a-8eaf358af14a\"},{\"properties\":{\"roleName\":\"Avere + Operator\",\"type\":\"BuiltInRole\",\"description\":\"Used by the Avere vFXT + cluster to manage the cluster\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Network/networkInterfaces/write\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/networkSecurityGroups/join/action\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/delete\",\"Microsoft.Storage/storageAccounts/blobServices/containers/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/write\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/delete\",\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/write\"],\"notDataActions\":[]}],\"createdOn\":\"2019-03-18T20:02:38.3399857Z\",\"updatedOn\":\"2021-11-11T20:13:15.1065886Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c025889f-8102-4ebf-b32c-fc0c6f0c6bd9\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c025889f-8102-4ebf-b32c-fc0c6f0c6bd9\"},{\"properties\":{\"roleName\":\"Azure + Kubernetes Service Cluster Admin Role\",\"type\":\"BuiltInRole\",\"description\":\"List + cluster admin credential action.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerService/managedClusters/listClusterAdminCredential/action\",\"Microsoft.ContainerService/managedClusters/accessProfiles/listCredential/action\",\"Microsoft.ContainerService/managedClusters/read\",\"Microsoft.ContainerService/managedClusters/runcommand/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-08-15T21:38:18.5953853Z\",\"updatedOn\":\"2022-05-16T21:40:14.0457546Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0ab0b1a8-8aac-4efd-b8c2-3ee1fb270be8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0ab0b1a8-8aac-4efd-b8c2-3ee1fb270be8\"},{\"properties\":{\"roleName\":\"Azure + Kubernetes Service Cluster User Role\",\"type\":\"BuiltInRole\",\"description\":\"List + cluster user credential action.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerService/managedClusters/listClusterUserCredential/action\",\"Microsoft.ContainerService/managedClusters/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-08-15T22:04:53.4037241Z\",\"updatedOn\":\"2021-11-11T20:13:20.4351976Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4abbcc35-e782-43d8-92c5-2d3f1bd2253f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4abbcc35-e782-43d8-92c5-2d3f1bd2253f\"},{\"properties\":{\"roleName\":\"Azure + Maps Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Grants access + to read map related data from an Azure maps account.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Maps/accounts/*/read\"],\"notDataActions\":[]}],\"createdOn\":\"2018-10-05T19:47:03.4723070Z\",\"updatedOn\":\"2021-11-11T20:13:20.9582685Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/423170ca-a8f6-4b0f-8487-9e4eb8f49bfa\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"423170ca-a8f6-4b0f-8487-9e4eb8f49bfa\"},{\"properties\":{\"roleName\":\"Azure + Stack Registration Owner\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you manage Azure Stack registrations.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.AzureStack/edgeSubscriptions/read\",\"Microsoft.AzureStack/registrations/products/*/action\",\"Microsoft.AzureStack/registrations/products/read\",\"Microsoft.AzureStack/registrations/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-11-13T23:42:06.2161827Z\",\"updatedOn\":\"2021-11-11T20:13:23.2957820Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6f12a6df-dd06-4f3e-bcb1-ce8be600526a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6f12a6df-dd06-4f3e-bcb1-ce8be600526a\"},{\"properties\":{\"roleName\":\"Backup + Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage backup + service,but can't create vaults and give access to others\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.RecoveryServices/locations/*\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/operationResults/*\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/*\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/refreshContainers/action\",\"Microsoft.RecoveryServices/Vaults/backupJobs/*\",\"Microsoft.RecoveryServices/Vaults/backupJobsExport/action\",\"Microsoft.RecoveryServices/Vaults/backupOperationResults/*\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/*\",\"Microsoft.RecoveryServices/Vaults/backupProtectableItems/*\",\"Microsoft.RecoveryServices/Vaults/backupProtectedItems/*\",\"Microsoft.RecoveryServices/Vaults/backupProtectionContainers/*\",\"Microsoft.RecoveryServices/Vaults/backupSecurityPIN/*\",\"Microsoft.RecoveryServices/Vaults/backupUsageSummaries/read\",\"Microsoft.RecoveryServices/Vaults/certificates/*\",\"Microsoft.RecoveryServices/Vaults/extendedInformation/*\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/read\",\"Microsoft.RecoveryServices/Vaults/monitoringConfigurations/*\",\"Microsoft.RecoveryServices/Vaults/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/*\",\"Microsoft.RecoveryServices/Vaults/usages/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.RecoveryServices/Vaults/backupstorageconfig/*\",\"Microsoft.RecoveryServices/Vaults/backupconfig/*\",\"Microsoft.RecoveryServices/Vaults/backupValidateOperation/action\",\"Microsoft.RecoveryServices/Vaults/write\",\"Microsoft.RecoveryServices/Vaults/backupOperations/read\",\"Microsoft.RecoveryServices/Vaults/backupEngines/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/backupProtectionIntent/*\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectableContainers/read\",\"Microsoft.RecoveryServices/locations/backupStatus/action\",\"Microsoft.RecoveryServices/locations/backupPreValidateProtection/action\",\"Microsoft.RecoveryServices/locations/backupValidateFeatures/action\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/write\",\"Microsoft.RecoveryServices/operations/read\",\"Microsoft.RecoveryServices/locations/operationStatus/read\",\"Microsoft.RecoveryServices/Vaults/backupProtectionIntents/read\",\"Microsoft.Support/*\",\"Microsoft.DataProtection/locations/getBackupStatus/action\",\"Microsoft.DataProtection/backupVaults/backupInstances/write\",\"Microsoft.DataProtection/backupVaults/backupInstances/delete\",\"Microsoft.DataProtection/backupVaults/backupInstances/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/backup/action\",\"Microsoft.DataProtection/backupVaults/backupInstances/validateRestore/action\",\"Microsoft.DataProtection/backupVaults/backupInstances/restore/action\",\"Microsoft.DataProtection/backupVaults/backupPolicies/write\",\"Microsoft.DataProtection/backupVaults/backupPolicies/delete\",\"Microsoft.DataProtection/backupVaults/backupPolicies/read\",\"Microsoft.DataProtection/backupVaults/backupPolicies/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/findRestorableTimeRanges/action\",\"Microsoft.DataProtection/backupVaults/write\",\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/backupVaults/operationResults/read\",\"Microsoft.DataProtection/locations/checkNameAvailability/action\",\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/locations/operationStatus/read\",\"Microsoft.DataProtection/locations/operationResults/read\",\"Microsoft.DataProtection/backupVaults/validateForBackup/action\",\"Microsoft.DataProtection/operations/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-01-03T13:12:15.7321344Z\",\"updatedOn\":\"2022-07-25T15:10:35.9457674Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5e467623-bb1f-42f4-a55d-6e525e11384b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5e467623-bb1f-42f4-a55d-6e525e11384b\"},{\"properties\":{\"roleName\":\"Billing + Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows read access to + billing data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Billing/*/read\",\"Microsoft.Commerce/*/read\",\"Microsoft.Consumption/*/read\",\"Microsoft.Management/managementGroups/read\",\"Microsoft.CostManagement/*/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-04-25T02:13:38.9054151Z\",\"updatedOn\":\"2021-11-11T20:13:24.5342563Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fa23ad8b-c56e-40d8-ac0c-ce449e1d2c64\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fa23ad8b-c56e-40d8-ac0c-ce449e1d2c64\"},{\"properties\":{\"roleName\":\"Backup + Operator\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage backup + services, except removal of backup, vault creation and giving access to others\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/backup/action\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/operationsStatus/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/recoveryPoints/provisionInstantItemRecovery/action\",\"Microsoft.RecoveryServices/vaults/backupFabrics/protectionContainers/protectedItems/recoveryPoints/accessToken/action\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/recoveryPoints/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/recoveryPoints/restore/action\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/recoveryPoints/revokeInstantItemRecovery/action\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/write\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/refreshContainers/action\",\"Microsoft.RecoveryServices/Vaults/backupJobs/*\",\"Microsoft.RecoveryServices/Vaults/backupJobsExport/action\",\"Microsoft.RecoveryServices/Vaults/backupOperationResults/*\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/read\",\"Microsoft.RecoveryServices/Vaults/backupProtectableItems/*\",\"Microsoft.RecoveryServices/Vaults/backupProtectedItems/read\",\"Microsoft.RecoveryServices/Vaults/backupProtectionContainers/read\",\"Microsoft.RecoveryServices/Vaults/backupUsageSummaries/read\",\"Microsoft.RecoveryServices/Vaults/certificates/write\",\"Microsoft.RecoveryServices/Vaults/extendedInformation/read\",\"Microsoft.RecoveryServices/Vaults/extendedInformation/write\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/read\",\"Microsoft.RecoveryServices/Vaults/monitoringConfigurations/*\",\"Microsoft.RecoveryServices/Vaults/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/write\",\"Microsoft.RecoveryServices/Vaults/usages/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.RecoveryServices/Vaults/backupstorageconfig/*\",\"Microsoft.RecoveryServices/Vaults/backupValidateOperation/action\",\"Microsoft.RecoveryServices/Vaults/backupTriggerValidateOperation/action\",\"Microsoft.RecoveryServices/Vaults/backupValidateOperationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupValidateOperationsStatuses/read\",\"Microsoft.RecoveryServices/Vaults/backupOperations/read\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/operations/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/write\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/inquire/action\",\"Microsoft.RecoveryServices/Vaults/backupEngines/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/backupProtectionIntent/write\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/backupProtectionIntent/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectableContainers/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/items/read\",\"Microsoft.RecoveryServices/locations/backupStatus/action\",\"Microsoft.RecoveryServices/locations/backupPreValidateProtection/action\",\"Microsoft.RecoveryServices/locations/backupValidateFeatures/action\",\"Microsoft.RecoveryServices/locations/backupAadProperties/read\",\"Microsoft.RecoveryServices/locations/backupCrrJobs/action\",\"Microsoft.RecoveryServices/locations/backupCrrJob/action\",\"Microsoft.RecoveryServices/locations/backupCrossRegionRestore/action\",\"Microsoft.RecoveryServices/locations/backupCrrOperationResults/read\",\"Microsoft.RecoveryServices/locations/backupCrrOperationsStatus/read\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/write\",\"Microsoft.RecoveryServices/operations/read\",\"Microsoft.RecoveryServices/locations/operationStatus/read\",\"Microsoft.RecoveryServices/Vaults/backupProtectionIntents/read\",\"Microsoft.Support/*\",\"Microsoft.DataProtection/backupVaults/backupInstances/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/read\",\"Microsoft.DataProtection/backupVaults/backupPolicies/read\",\"Microsoft.DataProtection/backupVaults/backupPolicies/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/findRestorableTimeRanges/action\",\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/backupVaults/operationResults/read\",\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/locations/operationStatus/read\",\"Microsoft.DataProtection/locations/operationResults/read\",\"Microsoft.DataProtection/providers/operations/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-01-03T13:21:11.8947640Z\",\"updatedOn\":\"2021-12-16T12:53:00.0624003Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/00c29273-979b-4161-815c-10b084fb9324\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"00c29273-979b-4161-815c-10b084fb9324\"},{\"properties\":{\"roleName\":\"Backup + Reader\",\"type\":\"BuiltInRole\",\"description\":\"Can view backup services, + but can't make changes\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.RecoveryServices/locations/allocatedStamp/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/operationsStatus/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/recoveryPoints/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/read\",\"Microsoft.RecoveryServices/Vaults/backupJobs/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupJobs/read\",\"Microsoft.RecoveryServices/Vaults/backupJobsExport/action\",\"Microsoft.RecoveryServices/Vaults/backupOperationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/read\",\"Microsoft.RecoveryServices/Vaults/backupProtectedItems/read\",\"Microsoft.RecoveryServices/Vaults/backupProtectionContainers/read\",\"Microsoft.RecoveryServices/Vaults/backupUsageSummaries/read\",\"Microsoft.RecoveryServices/Vaults/extendedInformation/read\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/read\",\"Microsoft.RecoveryServices/Vaults/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/read\",\"Microsoft.RecoveryServices/Vaults/backupstorageconfig/read\",\"Microsoft.RecoveryServices/Vaults/backupconfig/read\",\"Microsoft.RecoveryServices/Vaults/backupOperations/read\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/operations/read\",\"Microsoft.RecoveryServices/Vaults/backupEngines/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/backupProtectionIntent/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/items/read\",\"Microsoft.RecoveryServices/locations/backupStatus/action\",\"Microsoft.RecoveryServices/Vaults/monitoringConfigurations/*\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/write\",\"Microsoft.RecoveryServices/operations/read\",\"Microsoft.RecoveryServices/locations/operationStatus/read\",\"Microsoft.RecoveryServices/Vaults/backupProtectionIntents/read\",\"Microsoft.RecoveryServices/Vaults/usages/read\",\"Microsoft.RecoveryServices/locations/backupValidateFeatures/action\",\"Microsoft.RecoveryServices/locations/backupCrrJobs/action\",\"Microsoft.RecoveryServices/locations/backupCrrJob/action\",\"Microsoft.RecoveryServices/locations/backupCrrOperationResults/read\",\"Microsoft.RecoveryServices/locations/backupCrrOperationsStatus/read\",\"Microsoft.DataProtection/locations/getBackupStatus/action\",\"Microsoft.DataProtection/backupVaults/backupInstances/write\",\"Microsoft.DataProtection/backupVaults/backupInstances/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/backup/action\",\"Microsoft.DataProtection/backupVaults/backupInstances/validateRestore/action\",\"Microsoft.DataProtection/backupVaults/backupInstances/restore/action\",\"Microsoft.DataProtection/backupVaults/backupPolicies/read\",\"Microsoft.DataProtection/backupVaults/backupPolicies/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints/read\",\"Microsoft.DataProtection/backupVaults/backupInstances/findRestorableTimeRanges/action\",\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/backupVaults/operationResults/read\",\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/backupVaults/read\",\"Microsoft.DataProtection/locations/operationStatus/read\",\"Microsoft.DataProtection/locations/operationResults/read\",\"Microsoft.DataProtection/backupVaults/validateForBackup/action\",\"Microsoft.DataProtection/providers/operations/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-01-03T13:18:41.3893065Z\",\"updatedOn\":\"2021-11-11T20:13:24.8792711Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a795c7a0-d4a2-40c1-ae25-d81f01202912\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a795c7a0-d4a2-40c1-ae25-d81f01202912\"},{\"properties\":{\"roleName\":\"Blockchain + Member Node Access (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Allows + for access to Blockchain Member nodes\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Blockchain/blockchainMembers/transactionNodes/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Blockchain/blockchainMembers/transactionNodes/connect/action\"],\"notDataActions\":[]}],\"createdOn\":\"2018-12-21T10:33:01.9604839Z\",\"updatedOn\":\"2021-11-11T20:13:25.0558920Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/31a002a1-acaf-453e-8a5b-297c9ca1ea24\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"31a002a1-acaf-453e-8a5b-297c9ca1ea24\"},{\"properties\":{\"roleName\":\"BizTalk + Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage BizTalk + services, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.BizTalkServices/BizTalk/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:25.2359269Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5e3c6656-6cfa-4708-81fe-0de47ac73342\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5e3c6656-6cfa-4708-81fe-0de47ac73342\"},{\"properties\":{\"roleName\":\"CDN + Endpoint Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can manage + CDN endpoints, but can\u2019t grant access to other users.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Cdn/edgenodes/read\",\"Microsoft.Cdn/operationresults/*\",\"Microsoft.Cdn/profiles/endpoints/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-01-23T02:48:46.4996252Z\",\"updatedOn\":\"2021-11-11T20:13:25.4059314Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/426e0c7f-0c7e-4658-b36f-ff54d6c29b45\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"426e0c7f-0c7e-4658-b36f-ff54d6c29b45\"},{\"properties\":{\"roleName\":\"CDN + Endpoint Reader\",\"type\":\"BuiltInRole\",\"description\":\"Can view CDN + endpoints, but can\u2019t make changes.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Cdn/edgenodes/read\",\"Microsoft.Cdn/operationresults/*\",\"Microsoft.Cdn/profiles/endpoints/*/read\",\"Microsoft.Cdn/profiles/afdendpoints/validateCustomDomain/action\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-01-23T02:48:46.4996252Z\",\"updatedOn\":\"2022-01-26T19:51:29.2636610Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/871e35f6-b5c1-49cc-a043-bde969a0f2cd\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"871e35f6-b5c1-49cc-a043-bde969a0f2cd\"},{\"properties\":{\"roleName\":\"CDN + Profile Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can manage + CDN profiles and their endpoints, but can\u2019t grant access to other users.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Cdn/edgenodes/read\",\"Microsoft.Cdn/operationresults/*\",\"Microsoft.Cdn/profiles/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-01-23T02:48:46.4996252Z\",\"updatedOn\":\"2021-11-11T20:13:25.9224344Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ec156ff8-a8d1-4d15-830c-5b80698ca432\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ec156ff8-a8d1-4d15-830c-5b80698ca432\"},{\"properties\":{\"roleName\":\"CDN + Profile Reader\",\"type\":\"BuiltInRole\",\"description\":\"Can view CDN profiles + and their endpoints, but can\u2019t make changes.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Cdn/edgenodes/read\",\"Microsoft.Cdn/operationresults/*\",\"Microsoft.Cdn/profiles/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-01-23T02:48:46.4996252Z\",\"updatedOn\":\"2021-11-11T20:13:26.0983652Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8f96442b-4075-438f-813d-ad51ab4019af\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8f96442b-4075-438f-813d-ad51ab4019af\"},{\"properties\":{\"roleName\":\"Classic + Network Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + manage classic networks, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.ClassicNetwork/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:26.4433301Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b34d265f-36f7-4a0d-a4d4-e158ca92e90f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b34d265f-36f7-4a0d-a4d4-e158ca92e90f\"},{\"properties\":{\"roleName\":\"Classic + Storage Account Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you manage classic storage accounts, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.ClassicStorage/storageAccounts/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:26.6183566Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/86e8f5dc-a6e9-4c67-9d15-de283e8eac25\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"86e8f5dc-a6e9-4c67-9d15-de283e8eac25\"},{\"properties\":{\"roleName\":\"Classic + Storage Account Key Operator Service Role\",\"type\":\"BuiltInRole\",\"description\":\"Classic + Storage Account Key Operators are allowed to list and regenerate keys on Classic + Storage Accounts\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ClassicStorage/storageAccounts/listkeys/action\",\"Microsoft.ClassicStorage/storageAccounts/regeneratekey/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-04-13T18:22:52.1461100Z\",\"updatedOn\":\"2021-11-11T20:13:26.9796021Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/985d6b00-f706-48f5-a6fe-d0ca12fb668d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"985d6b00-f706-48f5-a6fe-d0ca12fb668d\"},{\"properties\":{\"roleName\":\"ClearDB + MySQL DB Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + manage ClearDB MySQL databases, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"successbricks.cleardb/databases/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:27.1646373Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9106cda0-8a86-4e81-b686-29a22c54effe\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"9106cda0-8a86-4e81-b686-29a22c54effe\"},{\"properties\":{\"roleName\":\"Classic + Virtual Machine Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you manage classic virtual machines, but not access to them, and not the virtual + network or storage account they\u2019re connected to.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.ClassicCompute/domainNames/*\",\"Microsoft.ClassicCompute/virtualMachines/*\",\"Microsoft.ClassicNetwork/networkSecurityGroups/join/action\",\"Microsoft.ClassicNetwork/reservedIps/link/action\",\"Microsoft.ClassicNetwork/reservedIps/read\",\"Microsoft.ClassicNetwork/virtualNetworks/join/action\",\"Microsoft.ClassicNetwork/virtualNetworks/read\",\"Microsoft.ClassicStorage/storageAccounts/disks/read\",\"Microsoft.ClassicStorage/storageAccounts/images/read\",\"Microsoft.ClassicStorage/storageAccounts/listKeys/action\",\"Microsoft.ClassicStorage/storageAccounts/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-04-25T00:37:56.5416086Z\",\"updatedOn\":\"2021-11-11T20:13:27.3446332Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d73bb868-a0df-4d4d-bd69-98a00b01fccb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d73bb868-a0df-4d4d-bd69-98a00b01fccb\"},{\"properties\":{\"roleName\":\"Cognitive + Services User\",\"type\":\"BuiltInRole\",\"description\":\"Lets you read and + list keys of Cognitive Services.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.CognitiveServices/accounts/listkeys/action\",\"Microsoft.Insights/alertRules/read\",\"Microsoft.Insights/diagnosticSettings/read\",\"Microsoft.Insights/logDefinitions/read\",\"Microsoft.Insights/metricdefinitions/read\",\"Microsoft.Insights/metrics/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/*\"],\"notDataActions\":[]}],\"createdOn\":\"2018-08-08T23:23:43.7701274Z\",\"updatedOn\":\"2021-11-11T20:13:27.5316443Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a97b65f3-24c7-4388-baec-2e87135dc908\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a97b65f3-24c7-4388-baec-2e87135dc908\"},{\"properties\":{\"roleName\":\"Cognitive + Services Data Reader (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you read Cognitive Services data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/*/read\"],\"notDataActions\":[]}],\"createdOn\":\"2019-02-13T20:02:12.6849986Z\",\"updatedOn\":\"2021-11-11T20:13:27.7138054Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b59867f0-fa02-499b-be73-45a86b5b3e1c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b59867f0-fa02-499b-be73-45a86b5b3e1c\"},{\"properties\":{\"roleName\":\"Cognitive + Services Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + create, read, update, delete and manage keys of Cognitive Services.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.CognitiveServices/*\",\"Microsoft.Features/features/read\",\"Microsoft.Features/providers/features/read\",\"Microsoft.Features/providers/features/register/action\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/diagnosticSettings/*\",\"Microsoft.Insights/logDefinitions/read\",\"Microsoft.Insights/metricdefinitions/read\",\"Microsoft.Insights/metrics/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-08-08T23:18:39.2257848Z\",\"updatedOn\":\"2021-11-11T20:13:27.9116230Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/25fbc0a9-bd7c-42a3-aa1a-3b75d497ee68\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"25fbc0a9-bd7c-42a3-aa1a-3b75d497ee68\"},{\"properties\":{\"roleName\":\"CosmosBackupOperator\",\"type\":\"BuiltInRole\",\"description\":\"Can + submit restore request for a Cosmos DB database or a container for an account\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DocumentDB/databaseAccounts/backup/action\",\"Microsoft.DocumentDB/databaseAccounts/restore/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-12-07T19:47:14.9651560Z\",\"updatedOn\":\"2021-11-11T20:13:28.4333692Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/db7b14f2-5adf-42da-9f96-f2ee17bab5cb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"db7b14f2-5adf-42da-9f96-f2ee17bab5cb\"},{\"properties\":{\"roleName\":\"Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Grants + full access to manage all resources, but does not allow you to assign roles + in Azure RBAC, manage assignments in Azure Blueprints, or share image galleries.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*\"],\"notActions\":[\"Microsoft.Authorization/*/Delete\",\"Microsoft.Authorization/*/Write\",\"Microsoft.Authorization/elevateAccess/Action\",\"Microsoft.Blueprint/blueprintAssignments/write\",\"Microsoft.Blueprint/blueprintAssignments/delete\",\"Microsoft.Compute/galleries/share/action\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:28.6061853Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b24988ac-6180-42a0-ab88-20f7382dd24c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b24988ac-6180-42a0-ab88-20f7382dd24c\"},{\"properties\":{\"roleName\":\"Cosmos + DB Account Reader Role\",\"type\":\"BuiltInRole\",\"description\":\"Can read + Azure Cosmos DB Accounts data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.DocumentDB/*/read\",\"Microsoft.DocumentDB/databaseAccounts/readonlykeys/action\",\"Microsoft.Insights/MetricDefinitions/read\",\"Microsoft.Insights/Metrics/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-10-30T17:53:54.6005577Z\",\"updatedOn\":\"2021-11-11T20:13:28.7911765Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fbdf93bf-df7d-467e-a4d2-9458aa1360c8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fbdf93bf-df7d-467e-a4d2-9458aa1360c8\"},{\"properties\":{\"roleName\":\"Cost + Management Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can view + costs and manage cost configuration (e.g. budgets, exports)\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Consumption/*\",\"Microsoft.CostManagement/*\",\"Microsoft.Billing/billingPeriods/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Advisor/configurations/read\",\"Microsoft.Advisor/recommendations/read\",\"Microsoft.Management/managementGroups/read\",\"Microsoft.Billing/billingProperty/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-03-14T16:09:22.8834827Z\",\"updatedOn\":\"2021-11-11T20:13:29.4851851Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/434105ed-43f6-45c7-a02f-909b2ba83430\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"434105ed-43f6-45c7-a02f-909b2ba83430\"},{\"properties\":{\"roleName\":\"Cost + Management Reader\",\"type\":\"BuiltInRole\",\"description\":\"Can view cost + data and configuration (e.g. budgets, exports)\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Consumption/*/read\",\"Microsoft.CostManagement/*/read\",\"Microsoft.Billing/billingPeriods/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Advisor/configurations/read\",\"Microsoft.Advisor/recommendations/read\",\"Microsoft.Management/managementGroups/read\",\"Microsoft.Billing/billingProperty/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-03-14T16:09:22.8834827Z\",\"updatedOn\":\"2021-11-11T20:13:29.6601800Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/72fafb9e-0641-4937-9268-a91bfd8191a3\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"72fafb9e-0641-4937-9268-a91bfd8191a3\"},{\"properties\":{\"roleName\":\"Data + Box Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage + everything under Data Box Service except giving access to others.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Databox/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-07-27T08:28:42.7140210Z\",\"updatedOn\":\"2021-11-11T20:13:30.3737856Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/add466c9-e687-43fc-8d98-dfcf8d720be5\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"add466c9-e687-43fc-8d98-dfcf8d720be5\"},{\"properties\":{\"roleName\":\"Data + Box Reader\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage Data + Box Service except creating order or editing order details and giving access + to others.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Databox/*/read\",\"Microsoft.Databox/jobs/listsecrets/action\",\"Microsoft.Databox/jobs/listcredentials/action\",\"Microsoft.Databox/locations/availableSkus/action\",\"Microsoft.Databox/locations/validateInputs/action\",\"Microsoft.Databox/locations/regionConfiguration/action\",\"Microsoft.Databox/locations/validateAddress/action\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-07-27T08:26:21.9284772Z\",\"updatedOn\":\"2021-11-11T20:13:30.5546117Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/028f4ed7-e2a9-465e-a8f4-9c0ffdfdc027\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"028f4ed7-e2a9-465e-a8f4-9c0ffdfdc027\"},{\"properties\":{\"roleName\":\"Data + Factory Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Create and + manage data factories, as well as child resources within them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.DataFactory/dataFactories/*\",\"Microsoft.DataFactory/factories/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.EventGrid/eventSubscriptions/write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:30.7420174Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/673868aa-7521-48a0-acc6-0f60742d39f5\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"673868aa-7521-48a0-acc6-0f60742d39f5\"},{\"properties\":{\"roleName\":\"Data + Purger\",\"type\":\"BuiltInRole\",\"description\":\"Can purge analytics data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Insights/components/*/read\",\"Microsoft.Insights/components/purge/action\",\"Microsoft.OperationalInsights/workspaces/*/read\",\"Microsoft.OperationalInsights/workspaces/purge/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-04-30T22:39:49.6167700Z\",\"updatedOn\":\"2021-11-11T20:13:31.2788395Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/150f5e0c-0603-4f03-8c7f-cf70034c4e90\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"150f5e0c-0603-4f03-8c7f-cf70034c4e90\"},{\"properties\":{\"roleName\":\"Data + Lake Analytics Developer\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you submit, monitor, and manage your own jobs but not create or delete Data + Lake Analytics accounts.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.BigAnalytics/accounts/*\",\"Microsoft.DataLakeAnalytics/accounts/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[\"Microsoft.BigAnalytics/accounts/Delete\",\"Microsoft.BigAnalytics/accounts/TakeOwnership/action\",\"Microsoft.BigAnalytics/accounts/Write\",\"Microsoft.DataLakeAnalytics/accounts/Delete\",\"Microsoft.DataLakeAnalytics/accounts/TakeOwnership/action\",\"Microsoft.DataLakeAnalytics/accounts/Write\",\"Microsoft.DataLakeAnalytics/accounts/dataLakeStoreAccounts/Write\",\"Microsoft.DataLakeAnalytics/accounts/dataLakeStoreAccounts/Delete\",\"Microsoft.DataLakeAnalytics/accounts/storageAccounts/Write\",\"Microsoft.DataLakeAnalytics/accounts/storageAccounts/Delete\",\"Microsoft.DataLakeAnalytics/accounts/firewallRules/Write\",\"Microsoft.DataLakeAnalytics/accounts/firewallRules/Delete\",\"Microsoft.DataLakeAnalytics/accounts/computePolicies/Write\",\"Microsoft.DataLakeAnalytics/accounts/computePolicies/Delete\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-10-20T00:33:29.3115234Z\",\"updatedOn\":\"2021-11-11T20:13:31.4688491Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/47b7735b-770e-4598-a7da-8b91488b4c88\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"47b7735b-770e-4598-a7da-8b91488b4c88\"},{\"properties\":{\"roleName\":\"DevTest + Labs User\",\"type\":\"BuiltInRole\",\"description\":\"Lets you connect, start, + restart, and shutdown your virtual machines in your Azure DevTest Labs.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Compute/availabilitySets/read\",\"Microsoft.Compute/virtualMachines/*/read\",\"Microsoft.Compute/virtualMachines/deallocate/action\",\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Compute/virtualMachines/restart/action\",\"Microsoft.Compute/virtualMachines/start/action\",\"Microsoft.DevTestLab/*/read\",\"Microsoft.DevTestLab/labs/claimAnyVm/action\",\"Microsoft.DevTestLab/labs/createEnvironment/action\",\"Microsoft.DevTestLab/labs/ensureCurrentUserProfile/action\",\"Microsoft.DevTestLab/labs/formulas/delete\",\"Microsoft.DevTestLab/labs/formulas/read\",\"Microsoft.DevTestLab/labs/formulas/write\",\"Microsoft.DevTestLab/labs/policySets/evaluatePolicies/action\",\"Microsoft.DevTestLab/labs/virtualMachines/claim/action\",\"Microsoft.DevTestLab/labs/virtualmachines/listApplicableSchedules/action\",\"Microsoft.DevTestLab/labs/virtualMachines/getRdpFileContents/action\",\"Microsoft.Network/loadBalancers/backendAddressPools/join/action\",\"Microsoft.Network/loadBalancers/inboundNatRules/join/action\",\"Microsoft.Network/networkInterfaces/*/read\",\"Microsoft.Network/networkInterfaces/join/action\",\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Network/networkInterfaces/write\",\"Microsoft.Network/publicIPAddresses/*/read\",\"Microsoft.Network/publicIPAddresses/join/action\",\"Microsoft.Network/publicIPAddresses/read\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/listKeys/action\"],\"notActions\":[\"Microsoft.Compute/virtualMachines/vmSizes/read\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-06-08T21:52:45.0657582Z\",\"updatedOn\":\"2021-11-11T20:13:32.1746507Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/76283e04-6283-4c54-8f91-bcf1374a3c64\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"76283e04-6283-4c54-8f91-bcf1374a3c64\"},{\"properties\":{\"roleName\":\"DocumentDB + Account Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + manage DocumentDB accounts, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.DocumentDb/databaseAccounts/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Network/virtualNetworks/subnets/joinViaServiceEndpoint/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:32.3496502Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5bd9cd88-fe45-4216-938b-f97437e15450\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5bd9cd88-fe45-4216-938b-f97437e15450\"},{\"properties\":{\"roleName\":\"DNS + Zone Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage + DNS zones and record sets in Azure DNS, but does not let you control who has + access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Network/dnsZones/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-10-15T23:33:25.9730842Z\",\"updatedOn\":\"2021-11-11T20:13:32.5233957Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/befefa01-2a29-4197-83a8-272ff33ce314\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"befefa01-2a29-4197-83a8-272ff33ce314\"},{\"properties\":{\"roleName\":\"EventGrid + EventSubscription Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you manage EventGrid event subscription operations.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.EventGrid/eventSubscriptions/*\",\"Microsoft.EventGrid/topicTypes/eventSubscriptions/read\",\"Microsoft.EventGrid/locations/eventSubscriptions/read\",\"Microsoft.EventGrid/locations/topicTypes/eventSubscriptions/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-10-08T23:27:28.3130743Z\",\"updatedOn\":\"2021-11-11T20:13:33.4166738Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/428e0ff0-5e57-4d9c-a221-2c70d0e0a443\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"428e0ff0-5e57-4d9c-a221-2c70d0e0a443\"},{\"properties\":{\"roleName\":\"EventGrid + EventSubscription Reader\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you read EventGrid event subscriptions.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.EventGrid/eventSubscriptions/read\",\"Microsoft.EventGrid/topicTypes/eventSubscriptions/read\",\"Microsoft.EventGrid/locations/eventSubscriptions/read\",\"Microsoft.EventGrid/locations/topicTypes/eventSubscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-10-09T17:29:28.1417894Z\",\"updatedOn\":\"2021-11-11T20:13:33.7846748Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2414bbcf-6497-4faf-8c65-045460748405\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2414bbcf-6497-4faf-8c65-045460748405\"},{\"properties\":{\"roleName\":\"Graph + Owner\",\"type\":\"BuiltInRole\",\"description\":\"Create and manage all aspects + of the Enterprise Graph - Ontology, Schema mapping, Conflation and Conversational + AI and Ingestions\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.EnterpriseKnowledgeGraph/services/conflation/read\",\"Microsoft.EnterpriseKnowledgeGraph/services/conflation/write\",\"Microsoft.EnterpriseKnowledgeGraph/services/sourceschema/read\",\"Microsoft.EnterpriseKnowledgeGraph/services/sourceschema/write\",\"Microsoft.EnterpriseKnowledgeGraph/services/knowledge/read\",\"Microsoft.EnterpriseKnowledgeGraph/services/knowledge/write\",\"Microsoft.EnterpriseKnowledgeGraph/services/intentclassification/read\",\"Microsoft.EnterpriseKnowledgeGraph/services/intentclassification/write\",\"Microsoft.EnterpriseKnowledgeGraph/services/ingestion/read\",\"Microsoft.EnterpriseKnowledgeGraph/services/ingestion/write\",\"Microsoft.EnterpriseKnowledgeGraph/services/ontology/read\",\"Microsoft.EnterpriseKnowledgeGraph/services/ontology/write\",\"Microsoft.EnterpriseKnowledgeGraph/services/delete\",\"Microsoft.EnterpriseKnowledgeGraph/operations/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-02-23T21:07:22.5844236Z\",\"updatedOn\":\"2021-11-11T20:13:34.6707886Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b60367af-1334-4454-b71e-769d9a4f83d9\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b60367af-1334-4454-b71e-769d9a4f83d9\"},{\"properties\":{\"roleName\":\"HDInsight + Domain Services Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can + Read, Create, Modify and Delete Domain Services related operations needed + for HDInsight Enterprise Security Package\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.AAD/*/read\",\"Microsoft.AAD/domainServices/*/read\",\"Microsoft.AAD/domainServices/oucontainer/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-09-12T22:42:51.7451109Z\",\"updatedOn\":\"2021-11-11T20:13:35.3921342Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8d8d5a11-05d3-4bda-a417-a08778121c7c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8d8d5a11-05d3-4bda-a417-a08778121c7c\"},{\"properties\":{\"roleName\":\"Intelligent + Systems Account Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you manage Intelligent Systems accounts, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.IntelligentSystems/accounts/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:35.9371582Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/03a6d094-3444-4b3d-88af-7477090a9e5e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"03a6d094-3444-4b3d-88af-7477090a9e5e\"},{\"properties\":{\"roleName\":\"Key + Vault Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage + key vaults, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.KeyVault/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[\"Microsoft.KeyVault/locations/deletedVaults/purge/action\",\"Microsoft.KeyVault/hsmPools/*\",\"Microsoft.KeyVault/managedHsms/*\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-02-25T17:08:28.5184971Z\",\"updatedOn\":\"2021-11-11T20:13:36.1170988Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f25e0fa2-a7c8-4377-a976-54943a77a395\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f25e0fa2-a7c8-4377-a976-54943a77a395\"},{\"properties\":{\"roleName\":\"Knowledge + Consumer\",\"type\":\"BuiltInRole\",\"description\":\"Knowledge Read permission + to consume Enterprise Graph Knowledge using entity search and graph query\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.EnterpriseKnowledgeGraph/services/knowledge/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-02-23T21:23:31.4037552Z\",\"updatedOn\":\"2021-11-11T20:13:37.0021342Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ee361c5d-f7b5-4119-b4b6-892157c8f64c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ee361c5d-f7b5-4119-b4b6-892157c8f64c\"},{\"properties\":{\"roleName\":\"Lab + Creator\",\"type\":\"BuiltInRole\",\"description\":\"Lets you create new labs + under your Azure Lab Accounts.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.LabServices/labAccounts/*/read\",\"Microsoft.LabServices/labAccounts/createLab/action\",\"Microsoft.LabServices/labAccounts/getPricingAndAvailability/action\",\"Microsoft.LabServices/labAccounts/getRestrictionsAndUsage/action\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.LabServices/labPlans/images/read\",\"Microsoft.LabServices/labPlans/read\",\"Microsoft.LabServices/labPlans/saveImage/action\",\"Microsoft.LabServices/labs/read\",\"Microsoft.LabServices/labs/schedules/read\",\"Microsoft.LabServices/labs/users/read\",\"Microsoft.LabServices/labs/virtualMachines/read\",\"Microsoft.LabServices/locations/usages/read\",\"Microsoft.LabServices/skus/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.LabServices/labPlans/createLab/action\"],\"notDataActions\":[]}],\"createdOn\":\"2018-01-18T23:38:58.1036141Z\",\"updatedOn\":\"2021-11-11T20:13:37.1821588Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b97fb8bc-a8b2-4522-a38b-dd33c7e65ead\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b97fb8bc-a8b2-4522-a38b-dd33c7e65ead\"},{\"properties\":{\"roleName\":\"Log + Analytics Reader\",\"type\":\"BuiltInRole\",\"description\":\"Log Analytics + Reader can view and search all monitoring data as well as and view monitoring + settings, including viewing the configuration of Azure diagnostics on all + Azure resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.OperationalInsights/workspaces/analytics/query/action\",\"Microsoft.OperationalInsights/workspaces/search/action\",\"Microsoft.Support/*\"],\"notActions\":[\"Microsoft.OperationalInsights/workspaces/sharedKeys/read\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-05-02T00:20:28.1449012Z\",\"updatedOn\":\"2021-11-11T20:13:37.7071371Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/73c42c96-874c-492b-b04d-ab87d138a893\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"73c42c96-874c-492b-b04d-ab87d138a893\"},{\"properties\":{\"roleName\":\"Log + Analytics Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Log Analytics + Contributor can read all monitoring data and edit monitoring settings. Editing + monitoring settings includes adding the VM extension to VMs; reading storage + account keys to be able to configure collection of logs from Azure Storage; + adding solutions; and configuring Azure diagnostics on all Azure resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.ClassicCompute/virtualMachines/extensions/*\",\"Microsoft.ClassicStorage/storageAccounts/listKeys/action\",\"Microsoft.Compute/virtualMachines/extensions/*\",\"Microsoft.HybridCompute/machines/extensions/write\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/diagnosticSettings/*\",\"Microsoft.OperationalInsights/*\",\"Microsoft.OperationsManagement/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/*\",\"Microsoft.Storage/storageAccounts/listKeys/action\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-04-25T21:51:45.3174711Z\",\"updatedOn\":\"2021-11-11T20:13:37.8823618Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/92aaf0da-9dab-42b6-94a3-d43ce8d16293\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"92aaf0da-9dab-42b6-94a3-d43ce8d16293\"},{\"properties\":{\"roleName\":\"Logic + App Operator\",\"type\":\"BuiltInRole\",\"description\":\"Lets you read, enable + and disable logic app.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*/read\",\"Microsoft.Insights/metricAlerts/*/read\",\"Microsoft.Insights/diagnosticSettings/*/read\",\"Microsoft.Insights/metricDefinitions/*/read\",\"Microsoft.Logic/*/read\",\"Microsoft.Logic/workflows/disable/action\",\"Microsoft.Logic/workflows/enable/action\",\"Microsoft.Logic/workflows/validate/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Web/connectionGateways/*/read\",\"Microsoft.Web/connections/*/read\",\"Microsoft.Web/customApis/*/read\",\"Microsoft.Web/serverFarms/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-04-28T21:33:30.4656007Z\",\"updatedOn\":\"2021-11-11T20:13:38.0573444Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/515c2055-d9d4-4321-b1b9-bd0c9a0f79fe\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"515c2055-d9d4-4321-b1b9-bd0c9a0f79fe\"},{\"properties\":{\"roleName\":\"Logic + App Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage + logic app, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.ClassicStorage/storageAccounts/listKeys/action\",\"Microsoft.ClassicStorage/storageAccounts/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/metricAlerts/*\",\"Microsoft.Insights/diagnosticSettings/*\",\"Microsoft.Insights/logdefinitions/*\",\"Microsoft.Insights/metricDefinitions/*\",\"Microsoft.Logic/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/listkeys/action\",\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.Support/*\",\"Microsoft.Web/connectionGateways/*\",\"Microsoft.Web/connections/*\",\"Microsoft.Web/customApis/*\",\"Microsoft.Web/serverFarms/join/action\",\"Microsoft.Web/serverFarms/read\",\"Microsoft.Web/sites/functions/listSecrets/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2016-04-28T21:33:30.4656007Z\",\"updatedOn\":\"2021-11-11T20:13:38.2523833Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/87a39d53-fc1b-424a-814c-f7e04687dc9e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"87a39d53-fc1b-424a-814c-f7e04687dc9e\"},{\"properties\":{\"roleName\":\"Managed + Application Operator Role\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you read and perform actions on Managed Application resources\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.Solutions/applications/read\",\"Microsoft.Solutions/*/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-07-27T00:59:33.7988813Z\",\"updatedOn\":\"2021-11-11T20:13:38.5973763Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c7393b34-138c-406f-901b-d8cf2b17e6ae\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c7393b34-138c-406f-901b-d8cf2b17e6ae\"},{\"properties\":{\"roleName\":\"Managed + Applications Reader\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + read resources in a managed app and request JIT access.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Solutions/jitRequests/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-09-06T00:33:58.3651522Z\",\"updatedOn\":\"2021-11-11T20:13:38.7723523Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b9331d33-8a36-4f8c-b097-4f54124fdb44\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b9331d33-8a36-4f8c-b097-4f54124fdb44\"},{\"properties\":{\"roleName\":\"Managed + Identity Operator\",\"type\":\"BuiltInRole\",\"description\":\"Read and Assign + User Assigned Identity\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ManagedIdentity/userAssignedIdentities/*/read\",\"Microsoft.ManagedIdentity/userAssignedIdentities/*/assign/action\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-12-14T19:52:04.3924594Z\",\"updatedOn\":\"2021-11-11T20:13:38.9523759Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f1a07417-d97a-45cb-824c-7a7467783830\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f1a07417-d97a-45cb-824c-7a7467783830\"},{\"properties\":{\"roleName\":\"Managed + Identity Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Create, + Read, Update, and Delete User Assigned Identity\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ManagedIdentity/userAssignedIdentities/read\",\"Microsoft.ManagedIdentity/userAssignedIdentities/write\",\"Microsoft.ManagedIdentity/userAssignedIdentities/delete\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-12-14T19:53:42.8804692Z\",\"updatedOn\":\"2021-11-11T20:13:39.3023761Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e40ec5ca-96e0-45a2-b4ff-59039f2c2b59\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e40ec5ca-96e0-45a2-b4ff-59039f2c2b59\"},{\"properties\":{\"roleName\":\"Management + Group Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Management + Group Contributor Role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Management/managementGroups/delete\",\"Microsoft.Management/managementGroups/read\",\"Microsoft.Management/managementGroups/subscriptions/delete\",\"Microsoft.Management/managementGroups/subscriptions/write\",\"Microsoft.Management/managementGroups/write\",\"Microsoft.Management/managementGroups/subscriptions/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-06-22T00:28:29.0523964Z\",\"updatedOn\":\"2021-11-11T20:13:39.6573851Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5d58bcaf-24a5-4b20-bdb6-eed9f69fbe4c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5d58bcaf-24a5-4b20-bdb6-eed9f69fbe4c\"},{\"properties\":{\"roleName\":\"Management + Group Reader\",\"type\":\"BuiltInRole\",\"description\":\"Management Group + Reader Role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Management/managementGroups/read\",\"Microsoft.Management/managementGroups/subscriptions/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-06-22T00:31:03.4295347Z\",\"updatedOn\":\"2021-11-11T20:13:39.8274007Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ac63b705-f282-497d-ac71-919bf39d939d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ac63b705-f282-497d-ac71-919bf39d939d\"},{\"properties\":{\"roleName\":\"Monitoring + Metrics Publisher\",\"type\":\"BuiltInRole\",\"description\":\"Enables publishing + metrics against Azure resources\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Insights/Register/Action\",\"Microsoft.Support/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Insights/Metrics/Write\",\"Microsoft.Insights/Telemetry/Write\"],\"notDataActions\":[]}],\"createdOn\":\"2018-08-14T00:36:16.5610279Z\",\"updatedOn\":\"2022-01-04T00:38:04.0289073Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3913510d-42f4-4e42-8a64-420c390055eb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3913510d-42f4-4e42-8a64-420c390055eb\"},{\"properties\":{\"roleName\":\"Monitoring + Reader\",\"type\":\"BuiltInRole\",\"description\":\"Can read all monitoring + data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.OperationalInsights/workspaces/search/action\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Monitor/accounts/data/metrics/read\"],\"notDataActions\":[]}],\"createdOn\":\"2016-09-21T19:19:52.4939376Z\",\"updatedOn\":\"2022-07-07T00:23:17.8373589Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/43d0d8ad-25c7-4714-9337-8ba259a9fe05\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"43d0d8ad-25c7-4714-9337-8ba259a9fe05\"},{\"properties\":{\"roleName\":\"Network + Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage networks, + but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Network/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-06-02T00:18:27.3542698Z\",\"updatedOn\":\"2021-11-11T20:13:44.6328966Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4d97b98b-1d4f-4787-a291-c67834d212e7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4d97b98b-1d4f-4787-a291-c67834d212e7\"},{\"properties\":{\"roleName\":\"Monitoring + Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can read all monitoring + data and update monitoring settings.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.AlertsManagement/alerts/*\",\"Microsoft.AlertsManagement/alertsSummary/*\",\"Microsoft.Insights/actiongroups/*\",\"Microsoft.Insights/activityLogAlerts/*\",\"Microsoft.Insights/AlertRules/*\",\"Microsoft.Insights/components/*\",\"Microsoft.Insights/createNotifications/*\",\"Microsoft.Insights/dataCollectionEndpoints/*\",\"Microsoft.Insights/dataCollectionRules/*\",\"Microsoft.Insights/dataCollectionRuleAssociations/*\",\"Microsoft.Insights/DiagnosticSettings/*\",\"Microsoft.Insights/eventtypes/*\",\"Microsoft.Insights/LogDefinitions/*\",\"Microsoft.Insights/metricalerts/*\",\"Microsoft.Insights/MetricDefinitions/*\",\"Microsoft.Insights/Metrics/*\",\"Microsoft.Insights/notificationStatus/*\",\"Microsoft.Insights/Register/Action\",\"Microsoft.Insights/scheduledqueryrules/*\",\"Microsoft.Insights/webtests/*\",\"Microsoft.Insights/workbooks/*\",\"Microsoft.Insights/workbooktemplates/*\",\"Microsoft.Insights/privateLinkScopes/*\",\"Microsoft.Insights/privateLinkScopeOperationStatuses/*\",\"Microsoft.OperationalInsights/workspaces/write\",\"Microsoft.OperationalInsights/workspaces/intelligencepacks/*\",\"Microsoft.OperationalInsights/workspaces/savedSearches/*\",\"Microsoft.OperationalInsights/workspaces/search/action\",\"Microsoft.OperationalInsights/workspaces/sharedKeys/action\",\"Microsoft.OperationalInsights/workspaces/storageinsightconfigs/*\",\"Microsoft.Support/*\",\"Microsoft.WorkloadMonitor/monitors/*\",\"Microsoft.AlertsManagement/smartDetectorAlertRules/*\",\"Microsoft.AlertsManagement/actionRules/*\",\"Microsoft.AlertsManagement/smartGroups/*\",\"Microsoft.AlertsManagement/migrateFromSmartDetection/*\"],\"notActions\":[],\"dataActions\":[\"microsoft.monitor/accounts/data/metrics/read\"],\"notDataActions\":[]}],\"createdOn\":\"2016-09-21T19:21:08.4345976Z\",\"updatedOn\":\"2022-07-25T15:10:35.9301356Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/749f88d5-cbae-40b8-bcfc-e573ddc772fa\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"749f88d5-cbae-40b8-bcfc-e573ddc772fa\"},{\"properties\":{\"roleName\":\"New + Relic APM Account Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you manage New Relic Application Performance Management accounts and applications, + but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"NewRelic.APM/accounts/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:45.7178576Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5d28c62d-5b37-4476-8438-e587778df237\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5d28c62d-5b37-4476-8438-e587778df237\"},{\"properties\":{\"roleName\":\"Owner\",\"type\":\"BuiltInRole\",\"description\":\"Grants + full access to manage all resources, including the ability to assign roles + in Azure RBAC.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:45.8978856Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8e3af657-a8ff-443c-a75c-2fe8c4bcb635\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8e3af657-a8ff-443c-a75c-2fe8c4bcb635\"},{\"properties\":{\"roleName\":\"Reader\",\"type\":\"BuiltInRole\",\"description\":\"View + all resources, but does not allow you to make any changes.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:47.8628684Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/acdd72a7-3385-48ef-bd42-f606fba81ae7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"acdd72a7-3385-48ef-bd42-f606fba81ae7\"},{\"properties\":{\"roleName\":\"Redis + Cache Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage + Redis caches, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Cache/register/action\",\"Microsoft.Cache/redis/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:48.0528671Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e0f68234-74aa-48ed-b826-c38b57376e17\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e0f68234-74aa-48ed-b826-c38b57376e17\"},{\"properties\":{\"roleName\":\"Reader + and Data Access\",\"type\":\"BuiltInRole\",\"description\":\"Lets you view + everything but will not let you delete or create a storage account or contained + resource. It will also allow read/write access to all data contained in a + storage account via access to storage account keys.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/listKeys/action\",\"Microsoft.Storage/storageAccounts/ListAccountSas/action\",\"Microsoft.Storage/storageAccounts/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-03-27T23:20:46.1498906Z\",\"updatedOn\":\"2021-11-11T20:13:48.2278951Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c12c1c16-33a1-487b-954d-41c89c60f349\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c12c1c16-33a1-487b-954d-41c89c60f349\"},{\"properties\":{\"roleName\":\"Resource + Policy Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Users with + rights to create/modify resource policy, create support ticket and read resources/hierarchy.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.Authorization/policyassignments/*\",\"Microsoft.Authorization/policydefinitions/*\",\"Microsoft.Authorization/policyexemptions/*\",\"Microsoft.Authorization/policysetdefinitions/*\",\"Microsoft.PolicyInsights/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-08-25T19:08:01.3861639Z\",\"updatedOn\":\"2021-11-11T20:13:49.6679217Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/36243c78-bf99-498c-9df9-86d9f8d28608\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"36243c78-bf99-498c-9df9-86d9f8d28608\"},{\"properties\":{\"roleName\":\"Scheduler + Job Collections Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you manage Scheduler job collections, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Scheduler/jobcollections/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:49.8429293Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/188a0f2f-5c9e-469b-ae67-2aa5ce574b94\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"188a0f2f-5c9e-469b-ae67-2aa5ce574b94\"},{\"properties\":{\"roleName\":\"Search + Service Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + manage Search services, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Search/searchServices/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:50.0229309Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7ca78c08-252a-4471-8644-bb5ff32d4ba0\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7ca78c08-252a-4471-8644-bb5ff32d4ba0\"},{\"properties\":{\"roleName\":\"Security + Admin\",\"type\":\"BuiltInRole\",\"description\":\"Security Admin Role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Authorization/policyAssignments/*\",\"Microsoft.Authorization/policyDefinitions/*\",\"Microsoft.Authorization/policyExemptions/*\",\"Microsoft.Authorization/policySetDefinitions/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Management/managementGroups/read\",\"Microsoft.operationalInsights/workspaces/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Security/*\",\"Microsoft.IoTSecurity/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-05-03T07:51:23.0917487Z\",\"updatedOn\":\"2021-11-15T06:42:49.8263550Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fb1c8493-542b-48eb-b624-b4c8fea62acd\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fb1c8493-542b-48eb-b624-b4c8fea62acd\"},{\"properties\":{\"roleName\":\"Security + Manager (Legacy)\",\"type\":\"BuiltInRole\",\"description\":\"This is a legacy + role. Please use Security Administrator instead\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.ClassicCompute/*/read\",\"Microsoft.ClassicCompute/virtualMachines/*/write\",\"Microsoft.ClassicNetwork/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Security/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-06-22T17:45:15.8986455Z\",\"updatedOn\":\"2021-11-11T20:13:50.5729549Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e3d13bf0-dd5a-482e-ba6b-9b8433878d10\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e3d13bf0-dd5a-482e-ba6b-9b8433878d10\"},{\"properties\":{\"roleName\":\"Security + Reader\",\"type\":\"BuiltInRole\",\"description\":\"Security Reader Role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/read\",\"Microsoft.operationalInsights/workspaces/*/read\",\"Microsoft.Resources/deployments/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Security/*/read\",\"Microsoft.IoTSecurity/*/read\",\"Microsoft.Support/*/read\",\"Microsoft.Security/iotDefenderSettings/packageDownloads/action\",\"Microsoft.Security/iotDefenderSettings/downloadManagerActivation/action\",\"Microsoft.Security/iotSensors/downloadResetPassword/action\",\"Microsoft.IoTSecurity/defenderSettings/packageDownloads/action\",\"Microsoft.IoTSecurity/defenderSettings/downloadManagerActivation/action\",\"Microsoft.Management/managementGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-05-03T07:48:49.0516559Z\",\"updatedOn\":\"2021-11-11T20:13:50.7479015Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/39bc4728-0917-49c7-9d2c-d95423bc2eb4\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"39bc4728-0917-49c7-9d2c-d95423bc2eb4\"},{\"properties\":{\"roleName\":\"Spatial + Anchors Account Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you manage spatial anchors in your account, but not delete them\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/SpatialAnchorsAccounts/create/action\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/discovery/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/properties/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/query/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/submitdiag/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/write\"],\"notDataActions\":[]}],\"createdOn\":\"2018-12-21T17:57:41.1420864Z\",\"updatedOn\":\"2021-11-11T20:13:52.2829400Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8bbe83f1-e2a6-4df7-8cb4-4e04d4e5c827\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8bbe83f1-e2a6-4df7-8cb4-4e04d4e5c827\"},{\"properties\":{\"roleName\":\"Site + Recovery Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + manage Site Recovery service except vault creation and role assignment\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.RecoveryServices/locations/allocatedStamp/read\",\"Microsoft.RecoveryServices/locations/allocateStamp/action\",\"Microsoft.RecoveryServices/Vaults/certificates/write\",\"Microsoft.RecoveryServices/Vaults/extendedInformation/*\",\"Microsoft.RecoveryServices/Vaults/read\",\"Microsoft.RecoveryServices/Vaults/refreshContainers/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/*\",\"Microsoft.RecoveryServices/vaults/replicationAlertSettings/*\",\"Microsoft.RecoveryServices/vaults/replicationEvents/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/*\",\"Microsoft.RecoveryServices/vaults/replicationJobs/*\",\"Microsoft.RecoveryServices/vaults/replicationPolicies/*\",\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/*\",\"Microsoft.RecoveryServices/vaults/replicationVaultSettings/*\",\"Microsoft.RecoveryServices/Vaults/storageConfig/*\",\"Microsoft.RecoveryServices/Vaults/tokenInfo/read\",\"Microsoft.RecoveryServices/Vaults/usages/read\",\"Microsoft.RecoveryServices/Vaults/vaultTokens/read\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/*\",\"Microsoft.RecoveryServices/Vaults/monitoringConfigurations/notificationConfiguration/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.RecoveryServices/vaults/replicationOperationStatus/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-05-19T13:46:17.4592776Z\",\"updatedOn\":\"2021-11-11T20:13:52.4579503Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6670b86e-a3f7-4917-ac9b-5d6ab1be4567\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6670b86e-a3f7-4917-ac9b-5d6ab1be4567\"},{\"properties\":{\"roleName\":\"Site + Recovery Operator\",\"type\":\"BuiltInRole\",\"description\":\"Lets you failover + and failback but not perform other Site Recovery management operations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.RecoveryServices/locations/allocatedStamp/read\",\"Microsoft.RecoveryServices/locations/allocateStamp/action\",\"Microsoft.RecoveryServices/Vaults/extendedInformation/read\",\"Microsoft.RecoveryServices/Vaults/read\",\"Microsoft.RecoveryServices/Vaults/refreshContainers/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/read\",\"Microsoft.RecoveryServices/vaults/replicationAlertSettings/read\",\"Microsoft.RecoveryServices/vaults/replicationEvents/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/checkConsistency/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/reassociateGateway/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/renewcertificate/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationNetworks/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationNetworks/replicationNetworkMappings/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectableItems/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/applyRecoveryPoint/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/failoverCommit/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/plannedFailover/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/recoveryPoints/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/repairReplication/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/reProtect/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/switchprotection/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/testFailover/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/testFailoverCleanup/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/unplannedFailover/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/updateMobilityService/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectionContainerMappings/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationRecoveryServicesProviders/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationRecoveryServicesProviders/refreshProvider/action\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationStorageClassifications/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationStorageClassifications/replicationStorageClassificationMappings/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationvCenters/read\",\"Microsoft.RecoveryServices/vaults/replicationJobs/*\",\"Microsoft.RecoveryServices/vaults/replicationPolicies/read\",\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/failoverCommit/action\",\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/plannedFailover/action\",\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/read\",\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/reProtect/action\",\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/testFailover/action\",\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/testFailoverCleanup/action\",\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/unplannedFailover/action\",\"Microsoft.RecoveryServices/vaults/replicationVaultSettings/read\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/*\",\"Microsoft.RecoveryServices/Vaults/monitoringConfigurations/notificationConfiguration/read\",\"Microsoft.RecoveryServices/Vaults/storageConfig/read\",\"Microsoft.RecoveryServices/Vaults/tokenInfo/read\",\"Microsoft.RecoveryServices/Vaults/usages/read\",\"Microsoft.RecoveryServices/Vaults/vaultTokens/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-05-19T13:47:50.1341148Z\",\"updatedOn\":\"2021-11-11T20:13:52.6263418Z\",\"createdBy\":null,\"updatedBy\":\"\"},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/494ae006-db33-4328-bf46-533a6560a3ca\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"494ae006-db33-4328-bf46-533a6560a3ca\"},{\"properties\":{\"roleName\":\"Spatial + Anchors Account Reader\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + locate and read properties of spatial anchors in your account\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/SpatialAnchorsAccounts/discovery/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/properties/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/query/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/submitdiag/read\"],\"notDataActions\":[]}],\"createdOn\":\"2018-12-21T17:57:42.9271004Z\",\"updatedOn\":\"2021-11-11T20:13:52.8013467Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5d51204f-eb77-4b1c-b86a-2ec626c49413\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5d51204f-eb77-4b1c-b86a-2ec626c49413\"},{\"properties\":{\"roleName\":\"Site + Recovery Reader\",\"type\":\"BuiltInRole\",\"description\":\"Lets you view + Site Recovery status but not perform other management operations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.RecoveryServices/locations/allocatedStamp/read\",\"Microsoft.RecoveryServices/Vaults/extendedInformation/read\",\"Microsoft.RecoveryServices/Vaults/monitoringAlerts/read\",\"Microsoft.RecoveryServices/Vaults/monitoringConfigurations/notificationConfiguration/read\",\"Microsoft.RecoveryServices/Vaults/read\",\"Microsoft.RecoveryServices/Vaults/refreshContainers/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/operationResults/read\",\"Microsoft.RecoveryServices/Vaults/registeredIdentities/read\",\"Microsoft.RecoveryServices/vaults/replicationAlertSettings/read\",\"Microsoft.RecoveryServices/vaults/replicationEvents/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationNetworks/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationNetworks/replicationNetworkMappings/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectableItems/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectedItems/recoveryPoints/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationProtectionContainers/replicationProtectionContainerMappings/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationRecoveryServicesProviders/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationStorageClassifications/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationStorageClassifications/replicationStorageClassificationMappings/read\",\"Microsoft.RecoveryServices/vaults/replicationFabrics/replicationvCenters/read\",\"Microsoft.RecoveryServices/vaults/replicationJobs/read\",\"Microsoft.RecoveryServices/vaults/replicationPolicies/read\",\"Microsoft.RecoveryServices/vaults/replicationRecoveryPlans/read\",\"Microsoft.RecoveryServices/vaults/replicationVaultSettings/read\",\"Microsoft.RecoveryServices/Vaults/storageConfig/read\",\"Microsoft.RecoveryServices/Vaults/tokenInfo/read\",\"Microsoft.RecoveryServices/Vaults/usages/read\",\"Microsoft.RecoveryServices/Vaults/vaultTokens/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-05-19T13:35:40.0093634Z\",\"updatedOn\":\"2021-11-11T20:13:52.9763366Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/dbaa88c4-0c30-4179-9fb3-46319faa6149\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"dbaa88c4-0c30-4179-9fb3-46319faa6149\"},{\"properties\":{\"roleName\":\"Spatial + Anchors Account Owner\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + manage spatial anchors in your account, including deleting them\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/SpatialAnchorsAccounts/create/action\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/delete\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/discovery/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/properties/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/query/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/submitdiag/read\",\"Microsoft.MixedReality/SpatialAnchorsAccounts/write\"],\"notDataActions\":[]}],\"createdOn\":\"2018-12-21T17:57:43.5489832Z\",\"updatedOn\":\"2021-11-11T20:13:53.1663250Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/70bbe301-9835-447d-afdd-19eb3167307c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"70bbe301-9835-447d-afdd-19eb3167307c\"},{\"properties\":{\"roleName\":\"SQL + Managed Instance Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you manage SQL Managed Instances and required network configuration, but can\u2019t + give access to others.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Network/networkSecurityGroups/*\",\"Microsoft.Network/routeTables/*\",\"Microsoft.Sql/locations/*/read\",\"Microsoft.Sql/locations/instanceFailoverGroups/*\",\"Microsoft.Sql/managedInstances/*\",\"Microsoft.Support/*\",\"Microsoft.Network/virtualNetworks/subnets/*\",\"Microsoft.Network/virtualNetworks/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\"],\"notActions\":[\"Microsoft.Sql/managedInstances/azureADOnlyAuthentications/delete\",\"Microsoft.Sql/managedInstances/azureADOnlyAuthentications/write\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2018-12-10T22:57:14.2937983Z\",\"updatedOn\":\"2021-11-11T20:13:53.3513507Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4939a1f6-9ae0-4e48-a1e0-f2cbe897382d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4939a1f6-9ae0-4e48-a1e0-f2cbe897382d\"},{\"properties\":{\"roleName\":\"SQL + DB Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage + SQL databases, but not access to them. Also, you can't manage their security-related + policies or their parent SQL servers.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Sql/locations/*/read\",\"Microsoft.Sql/servers/databases/*\",\"Microsoft.Sql/servers/read\",\"Microsoft.Support/*\",\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\"],\"notActions\":[\"Microsoft.Sql/servers/databases/ledgerDigestUploads/write\",\"Microsoft.Sql/servers/databases/ledgerDigestUploads/disable/action\",\"Microsoft.Sql/managedInstances/databases/currentSensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/recommendedSensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/schemas/tables/columns/sensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/securityAlertPolicies/*\",\"Microsoft.Sql/managedInstances/databases/sensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/vulnerabilityAssessments/*\",\"Microsoft.Sql/managedInstances/securityAlertPolicies/*\",\"Microsoft.Sql/managedInstances/vulnerabilityAssessments/*\",\"Microsoft.Sql/servers/databases/auditingSettings/*\",\"Microsoft.Sql/servers/databases/auditRecords/read\",\"Microsoft.Sql/servers/databases/currentSensitivityLabels/*\",\"Microsoft.Sql/servers/databases/dataMaskingPolicies/*\",\"Microsoft.Sql/servers/databases/extendedAuditingSettings/*\",\"Microsoft.Sql/servers/databases/recommendedSensitivityLabels/*\",\"Microsoft.Sql/servers/databases/schemas/tables/columns/sensitivityLabels/*\",\"Microsoft.Sql/servers/databases/securityAlertPolicies/*\",\"Microsoft.Sql/servers/databases/securityMetrics/*\",\"Microsoft.Sql/servers/databases/sensitivityLabels/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessments/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessmentScans/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessmentSettings/*\",\"Microsoft.Sql/servers/vulnerabilityAssessments/*\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:53.5363219Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9b7fa17d-e63e-47b0-bb0a-15c516ac86ec\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"9b7fa17d-e63e-47b0-bb0a-15c516ac86ec\"},{\"properties\":{\"roleName\":\"SQL + Security Manager\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage + the security-related policies of SQL servers and databases, but not access + to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Network/virtualNetworks/subnets/joinViaServiceEndpoint/action\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Sql/locations/administratorAzureAsyncOperation/read\",\"Microsoft.Sql/managedInstances/databases/currentSensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/recommendedSensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/schemas/tables/columns/sensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/securityAlertPolicies/*\",\"Microsoft.Sql/managedInstances/databases/sensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/vulnerabilityAssessments/*\",\"Microsoft.Sql/managedInstances/securityAlertPolicies/*\",\"Microsoft.Sql/managedInstances/databases/transparentDataEncryption/*\",\"Microsoft.Sql/managedInstances/vulnerabilityAssessments/*\",\"Microsoft.Sql/servers/auditingSettings/*\",\"Microsoft.Sql/servers/extendedAuditingSettings/read\",\"Microsoft.Sql/servers/databases/auditingSettings/*\",\"Microsoft.Sql/servers/databases/auditRecords/read\",\"Microsoft.Sql/servers/databases/currentSensitivityLabels/*\",\"Microsoft.Sql/servers/databases/dataMaskingPolicies/*\",\"Microsoft.Sql/servers/databases/extendedAuditingSettings/read\",\"Microsoft.Sql/servers/databases/read\",\"Microsoft.Sql/servers/databases/recommendedSensitivityLabels/*\",\"Microsoft.Sql/servers/databases/schemas/read\",\"Microsoft.Sql/servers/databases/schemas/tables/columns/read\",\"Microsoft.Sql/servers/databases/schemas/tables/columns/sensitivityLabels/*\",\"Microsoft.Sql/servers/databases/schemas/tables/read\",\"Microsoft.Sql/servers/databases/securityAlertPolicies/*\",\"Microsoft.Sql/servers/databases/securityMetrics/*\",\"Microsoft.Sql/servers/databases/sensitivityLabels/*\",\"Microsoft.Sql/servers/databases/transparentDataEncryption/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessments/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessmentScans/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessmentSettings/*\",\"Microsoft.Sql/servers/devOpsAuditingSettings/*\",\"Microsoft.Sql/servers/firewallRules/*\",\"Microsoft.Sql/servers/read\",\"Microsoft.Sql/servers/securityAlertPolicies/*\",\"Microsoft.Sql/servers/vulnerabilityAssessments/*\",\"Microsoft.Support/*\",\"Microsoft.Sql/servers/azureADOnlyAuthentications/*\",\"Microsoft.Sql/managedInstances/read\",\"Microsoft.Sql/managedInstances/azureADOnlyAuthentications/*\",\"Microsoft.Security/sqlVulnerabilityAssessments/*\",\"Microsoft.Sql/managedInstances/administrators/read\",\"Microsoft.Sql/servers/administrators/read\",\"Microsoft.Sql/servers/externalPolicyBasedAuthorizations/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-06-16T18:44:40.4607572Z\",\"updatedOn\":\"2022-04-27T21:08:08.4474437Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/056cd41c-7e88-42e1-933e-88ba6a50c9c3\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"056cd41c-7e88-42e1-933e-88ba6a50c9c3\"},{\"properties\":{\"roleName\":\"Storage + Account Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + manage storage accounts, including accessing storage account keys which provide + full access to storage account data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/diagnosticSettings/*\",\"Microsoft.Network/virtualNetworks/subnets/joinViaServiceEndpoint/action\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/storageAccounts/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-06-02T00:18:27.3542698Z\",\"updatedOn\":\"2021-11-11T20:13:54.2363539Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/17d1049b-9a84-46fb-8f53-869881c3d3ab\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"17d1049b-9a84-46fb-8f53-869881c3d3ab\"},{\"properties\":{\"roleName\":\"SQL + Server Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage + SQL servers and databases, but not access to them, and not their security + -related policies.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Sql/locations/*/read\",\"Microsoft.Sql/servers/*\",\"Microsoft.Support/*\",\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\"],\"notActions\":[\"Microsoft.Sql/managedInstances/databases/currentSensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/recommendedSensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/schemas/tables/columns/sensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/securityAlertPolicies/*\",\"Microsoft.Sql/managedInstances/databases/sensitivityLabels/*\",\"Microsoft.Sql/managedInstances/databases/vulnerabilityAssessments/*\",\"Microsoft.Sql/managedInstances/securityAlertPolicies/*\",\"Microsoft.Sql/managedInstances/vulnerabilityAssessments/*\",\"Microsoft.Sql/servers/auditingSettings/*\",\"Microsoft.Sql/servers/databases/auditingSettings/*\",\"Microsoft.Sql/servers/databases/auditRecords/read\",\"Microsoft.Sql/servers/databases/currentSensitivityLabels/*\",\"Microsoft.Sql/servers/databases/dataMaskingPolicies/*\",\"Microsoft.Sql/servers/databases/extendedAuditingSettings/*\",\"Microsoft.Sql/servers/databases/recommendedSensitivityLabels/*\",\"Microsoft.Sql/servers/databases/schemas/tables/columns/sensitivityLabels/*\",\"Microsoft.Sql/servers/databases/securityAlertPolicies/*\",\"Microsoft.Sql/servers/databases/securityMetrics/*\",\"Microsoft.Sql/servers/databases/sensitivityLabels/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessments/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessmentScans/*\",\"Microsoft.Sql/servers/databases/vulnerabilityAssessmentSettings/*\",\"Microsoft.Sql/servers/devOpsAuditingSettings/*\",\"Microsoft.Sql/servers/extendedAuditingSettings/*\",\"Microsoft.Sql/servers/securityAlertPolicies/*\",\"Microsoft.Sql/servers/vulnerabilityAssessments/*\",\"Microsoft.Sql/servers/azureADOnlyAuthentications/delete\",\"Microsoft.Sql/servers/azureADOnlyAuthentications/write\",\"Microsoft.Sql/servers/externalPolicyBasedAuthorizations/delete\",\"Microsoft.Sql/servers/externalPolicyBasedAuthorizations/write\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2022-04-28T19:00:53.9963035Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6d8ee4ec-f05a-4a1d-8b00-a9b17e38b437\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6d8ee4ec-f05a-4a1d-8b00-a9b17e38b437\"},{\"properties\":{\"roleName\":\"Storage + Account Key Operator Service Role\",\"type\":\"BuiltInRole\",\"description\":\"Storage + Account Key Operators are allowed to list and regenerate keys on Storage Accounts\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/listkeys/action\",\"Microsoft.Storage/storageAccounts/regeneratekey/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-04-13T18:26:11.5770570Z\",\"updatedOn\":\"2021-11-11T20:13:54.7697481Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/81a9662b-bebf-436f-a333-f67b29880f12\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"81a9662b-bebf-436f-a333-f67b29880f12\"},{\"properties\":{\"roleName\":\"Storage + Blob Data Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allows + for read, write and delete access to Azure Storage blob containers and data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/delete\",\"Microsoft.Storage/storageAccounts/blobServices/containers/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/write\",\"Microsoft.Storage/storageAccounts/blobServices/generateUserDelegationKey/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/delete\",\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/write\",\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/move/action\",\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/add/action\"],\"notDataActions\":[]}],\"createdOn\":\"2017-12-21T00:01:24.7972312Z\",\"updatedOn\":\"2021-11-11T20:13:54.9397456Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ba92f5b4-2d11-453d-a403-e96b0029c9fe\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ba92f5b4-2d11-453d-a403-e96b0029c9fe\"},{\"properties\":{\"roleName\":\"Storage + Blob Data Owner\",\"type\":\"BuiltInRole\",\"description\":\"Allows for full + access to Azure Storage blob containers and data, including assigning POSIX + access control.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/*\",\"Microsoft.Storage/storageAccounts/blobServices/generateUserDelegationKey/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/*\"],\"notDataActions\":[]}],\"createdOn\":\"2018-12-04T07:02:58.2775257Z\",\"updatedOn\":\"2021-11-11T20:13:55.1225062Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b7e6dc6d-f1e8-4753-8033-0f276bb0955b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b7e6dc6d-f1e8-4753-8033-0f276bb0955b\"},{\"properties\":{\"roleName\":\"Storage + Blob Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows for read + access to Azure Storage blob containers and data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/read\",\"Microsoft.Storage/storageAccounts/blobServices/generateUserDelegationKey/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/blobServices/containers/blobs/read\"],\"notDataActions\":[]}],\"createdOn\":\"2017-12-21T00:01:24.7972312Z\",\"updatedOn\":\"2021-11-11T20:13:55.2975076Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a2b9908-6ea1-4ae2-8e65-a410df84e7d1\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2a2b9908-6ea1-4ae2-8e65-a410df84e7d1\"},{\"properties\":{\"roleName\":\"Storage + Queue Data Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allows + for read, write, and delete access to Azure Storage queues and queue messages\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/queueServices/queues/delete\",\"Microsoft.Storage/storageAccounts/queueServices/queues/read\",\"Microsoft.Storage/storageAccounts/queueServices/queues/write\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/delete\",\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/read\",\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/write\",\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/process/action\"],\"notDataActions\":[]}],\"createdOn\":\"2017-12-21T00:01:24.7972312Z\",\"updatedOn\":\"2021-11-11T20:13:55.4725469Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/974c5e8b-45b9-4653-ba55-5f855dd0fb88\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"974c5e8b-45b9-4653-ba55-5f855dd0fb88\"},{\"properties\":{\"roleName\":\"Storage + Queue Data Message Processor\",\"type\":\"BuiltInRole\",\"description\":\"Allows + for peek, receive, and delete access to Azure Storage queue messages\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/read\",\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/process/action\"],\"notDataActions\":[]}],\"createdOn\":\"2019-01-28T22:27:04.8947111Z\",\"updatedOn\":\"2021-11-11T20:13:55.6575408Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8a0f0c08-91a1-4084-bc3d-661d67233fed\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8a0f0c08-91a1-4084-bc3d-661d67233fed\"},{\"properties\":{\"roleName\":\"Storage + Queue Data Message Sender\",\"type\":\"BuiltInRole\",\"description\":\"Allows + for sending of Azure Storage queue messages\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/add/action\"],\"notDataActions\":[]}],\"createdOn\":\"2019-01-28T22:28:34.7459724Z\",\"updatedOn\":\"2021-11-11T20:13:55.8325508Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c6a89b2d-59bc-44d0-9896-0f6e12d7b80a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c6a89b2d-59bc-44d0-9896-0f6e12d7b80a\"},{\"properties\":{\"roleName\":\"Storage + Queue Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows for + read access to Azure Storage queues and queue messages\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/queueServices/queues/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/queueServices/queues/messages/read\"],\"notDataActions\":[]}],\"createdOn\":\"2017-12-21T00:01:24.7972312Z\",\"updatedOn\":\"2021-11-11T20:13:56.0178497Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/19e7f393-937e-4f77-808e-94535e297925\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"19e7f393-937e-4f77-808e-94535e297925\"},{\"properties\":{\"roleName\":\"Support + Request Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + create and manage Support requests\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2017-06-22T22:25:37.8053068Z\",\"updatedOn\":\"2021-11-11T20:13:56.7444481Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/cfd33db0-3dd1-45e3-aa9d-cdbdf3b6f24e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"cfd33db0-3dd1-45e3-aa9d-cdbdf3b6f24e\"},{\"properties\":{\"roleName\":\"Traffic + Manager Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + manage Traffic Manager profiles, but does not let you control who has access + to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Network/trafficManagerProfiles/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-10-15T23:33:25.9730842Z\",\"updatedOn\":\"2021-11-11T20:13:57.2744497Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a4b10055-b0c7-44c2-b00f-c7b5b3550cf7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a4b10055-b0c7-44c2-b00f-c7b5b3550cf7\"},{\"properties\":{\"roleName\":\"Virtual + Machine Administrator Login\",\"type\":\"BuiltInRole\",\"description\":\"View + Virtual Machines in the portal and login as administrator\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Network/publicIPAddresses/read\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/loadBalancers/read\",\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Compute/virtualMachines/*/read\",\"Microsoft.HybridCompute/machines/*/read\",\"Microsoft.HybridConnectivity/endpoints/listCredentials/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Compute/virtualMachines/login/action\",\"Microsoft.Compute/virtualMachines/loginAsAdmin/action\",\"Microsoft.HybridCompute/machines/login/action\",\"Microsoft.HybridCompute/machines/loginAsAdmin/action\"],\"notDataActions\":[]}],\"createdOn\":\"2018-02-09T18:36:13.3315744Z\",\"updatedOn\":\"2021-11-18T00:56:53.8134295Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1c0163c0-47e6-4577-8991-ea5c82e286e4\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1c0163c0-47e6-4577-8991-ea5c82e286e4\"},{\"properties\":{\"roleName\":\"User + Access Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + manage user access to Azure resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.Authorization/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2021-11-11T20:13:57.7932023Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18d7d88d-d35e-4fb5-a5c3-7773c20a72d9\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"18d7d88d-d35e-4fb5-a5c3-7773c20a72d9\"},{\"properties\":{\"roleName\":\"Virtual + Machine User Login\",\"type\":\"BuiltInRole\",\"description\":\"View Virtual + Machines in the portal and login as a regular user.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Network/publicIPAddresses/read\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/loadBalancers/read\",\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Compute/virtualMachines/*/read\",\"Microsoft.HybridCompute/machines/*/read\",\"Microsoft.HybridConnectivity/endpoints/listCredentials/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Compute/virtualMachines/login/action\",\"Microsoft.HybridCompute/machines/login/action\"],\"notDataActions\":[]}],\"createdOn\":\"2018-02-09T18:36:13.3315744Z\",\"updatedOn\":\"2021-11-18T00:55:50.6185845Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fb879df8-f326-4884-b1cf-06f3ad86be52\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fb879df8-f326-4884-b1cf-06f3ad86be52\"},{\"properties\":{\"roleName\":\"Virtual + Machine Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + manage virtual machines, but not access to them, and not the virtual network + or storage account they're connected to.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Compute/availabilitySets/*\",\"Microsoft.Compute/locations/*\",\"Microsoft.Compute/virtualMachines/*\",\"Microsoft.Compute/virtualMachineScaleSets/*\",\"Microsoft.Compute/cloudServices/*\",\"Microsoft.Compute/disks/write\",\"Microsoft.Compute/disks/read\",\"Microsoft.Compute/disks/delete\",\"Microsoft.DevTestLab/schedules/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Network/applicationGateways/backendAddressPools/join/action\",\"Microsoft.Network/loadBalancers/backendAddressPools/join/action\",\"Microsoft.Network/loadBalancers/inboundNatPools/join/action\",\"Microsoft.Network/loadBalancers/inboundNatRules/join/action\",\"Microsoft.Network/loadBalancers/probes/join/action\",\"Microsoft.Network/loadBalancers/read\",\"Microsoft.Network/locations/*\",\"Microsoft.Network/networkInterfaces/*\",\"Microsoft.Network/networkSecurityGroups/join/action\",\"Microsoft.Network/networkSecurityGroups/read\",\"Microsoft.Network/publicIPAddresses/join/action\",\"Microsoft.Network/publicIPAddresses/read\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.RecoveryServices/locations/*\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/backupProtectionIntent/write\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/*/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/read\",\"Microsoft.RecoveryServices/Vaults/backupFabrics/protectionContainers/protectedItems/write\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/read\",\"Microsoft.RecoveryServices/Vaults/backupPolicies/write\",\"Microsoft.RecoveryServices/Vaults/read\",\"Microsoft.RecoveryServices/Vaults/usages/read\",\"Microsoft.RecoveryServices/Vaults/write\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.SerialConsole/serialPorts/connect/action\",\"Microsoft.SqlVirtualMachine/*\",\"Microsoft.Storage/storageAccounts/listKeys/action\",\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-06-02T00:18:27.3542698Z\",\"updatedOn\":\"2021-11-11T20:13:58.3176075Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9980e02c-c2be-4d73-94e8-173b1dc7cf3c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"9980e02c-c2be-4d73-94e8-173b1dc7cf3c\"},{\"properties\":{\"roleName\":\"Web + Plan Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage + the web plans for websites, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Web/serverFarms/*\",\"Microsoft.Web/hostingEnvironments/Join/Action\",\"Microsoft.Insights/autoscalesettings/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-02-02T21:55:09.8806423Z\",\"updatedOn\":\"2022-09-02T22:05:21.2973929Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2cc479cb-7b4d-49a8-b449-8c00fd0f0a4b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2cc479cb-7b4d-49a8-b449-8c00fd0f0a4b\"},{\"properties\":{\"roleName\":\"Website + Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage websites + (not web plans), but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/components/*\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Web/certificates/*\",\"Microsoft.Web/listSitesAssignedToHostName/read\",\"Microsoft.Web/serverFarms/join/action\",\"Microsoft.Web/serverFarms/read\",\"Microsoft.Web/sites/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2015-05-12T23:10:23.6193952Z\",\"updatedOn\":\"2021-11-11T20:13:58.6655647Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/de139f84-1756-47ae-9be6-808fbbe84772\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"de139f84-1756-47ae-9be6-808fbbe84772\"},{\"properties\":{\"roleName\":\"Azure + Service Bus Data Owner\",\"type\":\"BuiltInRole\",\"description\":\"Allows + for full access to Azure Service Bus resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ServiceBus/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ServiceBus/*\"],\"notDataActions\":[]}],\"createdOn\":\"2019-04-16T21:33:36.7445745Z\",\"updatedOn\":\"2021-11-11T20:13:59.2005807Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/090c5cfd-751d-490a-894a-3ce6f1109419\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"090c5cfd-751d-490a-894a-3ce6f1109419\"},{\"properties\":{\"roleName\":\"Azure + Event Hubs Data Owner\",\"type\":\"BuiltInRole\",\"description\":\"Allows + for full access to Azure Event Hubs resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.EventHub/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.EventHub/*\"],\"notDataActions\":[]}],\"createdOn\":\"2019-04-16T21:34:29.8656362Z\",\"updatedOn\":\"2021-11-11T20:13:59.3721538Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f526a384-b230-433a-b45c-95f59c4a2dec\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f526a384-b230-433a-b45c-95f59c4a2dec\"},{\"properties\":{\"roleName\":\"Attestation + Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can read write or + delete the attestation provider instance\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Attestation/attestationProviders/attestation/read\",\"Microsoft.Attestation/attestationProviders/attestation/write\",\"Microsoft.Attestation/attestationProviders/attestation/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-04-19T00:24:09.3354177Z\",\"updatedOn\":\"2021-11-11T20:13:59.7271218Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/bbf86eb8-f7b4-4cce-96e4-18cddf81d86e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"bbf86eb8-f7b4-4cce-96e4-18cddf81d86e\"},{\"properties\":{\"roleName\":\"HDInsight + Cluster Operator\",\"type\":\"BuiltInRole\",\"description\":\"Lets you read + and modify HDInsight cluster configurations.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HDInsight/*/read\",\"Microsoft.HDInsight/clusters/getGatewaySettings/action\",\"Microsoft.HDInsight/clusters/updateGatewaySettings/action\",\"Microsoft.HDInsight/clusters/configurations/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-04-20T00:03:01.7110732Z\",\"updatedOn\":\"2021-11-11T20:13:59.9052180Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/61ed4efc-fab3-44fd-b111-e24485cc132a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"61ed4efc-fab3-44fd-b111-e24485cc132a\"},{\"properties\":{\"roleName\":\"Cosmos + DB Operator\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage Azure + Cosmos DB accounts, but not access data in them. Prevents access to account + keys and connection strings.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DocumentDb/databaseAccounts/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Network/virtualNetworks/subnets/joinViaServiceEndpoint/action\"],\"notActions\":[\"Microsoft.DocumentDB/databaseAccounts/readonlyKeys/*\",\"Microsoft.DocumentDB/databaseAccounts/regenerateKey/*\",\"Microsoft.DocumentDB/databaseAccounts/listKeys/*\",\"Microsoft.DocumentDB/databaseAccounts/listConnectionStrings/*\",\"Microsoft.DocumentDB/databaseAccounts/sqlRoleDefinitions/write\",\"Microsoft.DocumentDB/databaseAccounts/sqlRoleDefinitions/delete\",\"Microsoft.DocumentDB/databaseAccounts/sqlRoleAssignments/write\",\"Microsoft.DocumentDB/databaseAccounts/sqlRoleAssignments/delete\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-04-26T17:01:17.0169383Z\",\"updatedOn\":\"2021-11-11T20:14:00.0802032Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/230815da-be43-4aae-9cb4-875f7bd000aa\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"230815da-be43-4aae-9cb4-875f7bd000aa\"},{\"properties\":{\"roleName\":\"Hybrid + Server Resource Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Can + read, write, delete, and re-onboard Hybrid servers to the Hybrid Resource + Provider.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HybridCompute/machines/*\",\"Microsoft.HybridCompute/*/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-04-29T21:39:32.3132923Z\",\"updatedOn\":\"2021-11-11T20:14:00.2548257Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/48b40c6e-82e0-4eb3-90d5-19e40f49b624\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"48b40c6e-82e0-4eb3-90d5-19e40f49b624\"},{\"properties\":{\"roleName\":\"Hybrid + Server Onboarding\",\"type\":\"BuiltInRole\",\"description\":\"Can onboard + new Hybrid servers to the Hybrid Resource Provider.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HybridCompute/machines/read\",\"Microsoft.HybridCompute/machines/write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-04-29T22:36:28.1873756Z\",\"updatedOn\":\"2021-11-11T20:14:00.4308999Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5d1e5ee4-7c68-4a71-ac8b-0739630a3dfb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5d1e5ee4-7c68-4a71-ac8b-0739630a3dfb\"},{\"properties\":{\"roleName\":\"Azure + Event Hubs Data Receiver\",\"type\":\"BuiltInRole\",\"description\":\"Allows + receive access to Azure Event Hubs resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.EventHub/*/eventhubs/consumergroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.EventHub/*/receive/action\"],\"notDataActions\":[]}],\"createdOn\":\"2019-05-10T06:25:21.1056666Z\",\"updatedOn\":\"2021-11-11T20:14:01.3225169Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a638d3c7-ab3a-418d-83e6-5f17a39d4fde\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a638d3c7-ab3a-418d-83e6-5f17a39d4fde\"},{\"properties\":{\"roleName\":\"Azure + Event Hubs Data Sender\",\"type\":\"BuiltInRole\",\"description\":\"Allows + send access to Azure Event Hubs resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.EventHub/*/eventhubs/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.EventHub/*/send/action\"],\"notDataActions\":[]}],\"createdOn\":\"2019-05-10T06:26:12.4673714Z\",\"updatedOn\":\"2021-11-11T20:14:01.4925583Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2b629674-e913-4c01-ae53-ef4638d8f975\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2b629674-e913-4c01-ae53-ef4638d8f975\"},{\"properties\":{\"roleName\":\"Azure + Service Bus Data Receiver\",\"type\":\"BuiltInRole\",\"description\":\"Allows + for receive access to Azure Service Bus resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ServiceBus/*/queues/read\",\"Microsoft.ServiceBus/*/topics/read\",\"Microsoft.ServiceBus/*/topics/subscriptions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ServiceBus/*/receive/action\"],\"notDataActions\":[]}],\"createdOn\":\"2019-05-10T06:43:01.6343849Z\",\"updatedOn\":\"2021-11-11T20:14:01.6629685Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4f6d3b9b-027b-4f4c-9142-0e5a2a2247e0\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4f6d3b9b-027b-4f4c-9142-0e5a2a2247e0\"},{\"properties\":{\"roleName\":\"Azure + Service Bus Data Sender\",\"type\":\"BuiltInRole\",\"description\":\"Allows + for send access to Azure Service Bus resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ServiceBus/*/queues/read\",\"Microsoft.ServiceBus/*/topics/read\",\"Microsoft.ServiceBus/*/topics/subscriptions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ServiceBus/*/send/action\"],\"notDataActions\":[]}],\"createdOn\":\"2019-05-10T06:43:46.7046934Z\",\"updatedOn\":\"2021-11-11T20:14:01.8479199Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/69a216fc-b8fb-44d8-bc22-1f3c2cd27a39\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"69a216fc-b8fb-44d8-bc22-1f3c2cd27a39\"},{\"properties\":{\"roleName\":\"Storage + File Data SMB Share Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows + for read access to Azure File Share over SMB\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/read\"],\"notDataActions\":[]}],\"createdOn\":\"2019-07-01T20:19:31.8620471Z\",\"updatedOn\":\"2021-11-11T20:14:04.3642909Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/aba4ae5f-2193-4029-9191-0cb91df5e314\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"aba4ae5f-2193-4029-9191-0cb91df5e314\"},{\"properties\":{\"roleName\":\"Storage + File Data SMB Share Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allows + for read, write, and delete access in Azure Storage file shares over SMB\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/read\",\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/write\",\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/delete\"],\"notDataActions\":[]}],\"createdOn\":\"2019-07-01T20:54:35.4834310Z\",\"updatedOn\":\"2021-11-11T20:14:04.5443323Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0c867c2a-1d8c-454a-a3db-ab2ea1bdc8bb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0c867c2a-1d8c-454a-a3db-ab2ea1bdc8bb\"},{\"properties\":{\"roleName\":\"Private + DNS Zone Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + manage private DNS zone resources, but not the virtual networks they are linked + to.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Network/privateDnsZones/*\",\"Microsoft.Network/privateDnsOperationResults/*\",\"Microsoft.Network/privateDnsOperationStatuses/*\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/join/action\",\"Microsoft.Authorization/*/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-07-10T19:31:15.5645518Z\",\"updatedOn\":\"2021-11-11T20:14:04.7342851Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b12aa53e-6015-4669-85d0-8515ebb3ae7f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b12aa53e-6015-4669-85d0-8515ebb3ae7f\"},{\"properties\":{\"roleName\":\"Storage + Blob Delegator\",\"type\":\"BuiltInRole\",\"description\":\"Allows for generation + of a user delegation key which can be used to sign SAS tokens\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/blobServices/generateUserDelegationKey/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-07-23T00:51:16.3376761Z\",\"updatedOn\":\"2021-11-11T20:14:05.4321714Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/db58b8e5-c6ad-4a2a-8342-4190687cbf4a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"db58b8e5-c6ad-4a2a-8342-4190687cbf4a\"},{\"properties\":{\"roleName\":\"Desktop + Virtualization User\",\"type\":\"BuiltInRole\",\"description\":\"Allows user + to use the applications in an application group.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.DesktopVirtualization/applicationGroups/useApplications/action\"],\"notDataActions\":[]}],\"createdOn\":\"2019-08-07T00:29:03.8727621Z\",\"updatedOn\":\"2021-11-11T20:14:05.9821791Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1d18fff3-a72a-46b5-b4a9-0b38a3cd7e63\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1d18fff3-a72a-46b5-b4a9-0b38a3cd7e63\"},{\"properties\":{\"roleName\":\"Storage + File Data SMB Share Elevated Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allows + for read, write, delete and modify NTFS permission access in Azure Storage + file shares over SMB\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/read\",\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/write\",\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/delete\",\"Microsoft.Storage/storageAccounts/fileServices/fileshares/files/modifypermissions/action\"],\"notDataActions\":[]}],\"createdOn\":\"2019-08-07T01:35:36.9935457Z\",\"updatedOn\":\"2021-11-11T20:14:06.1571744Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a7264617-510b-434b-a828-9731dc254ea7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a7264617-510b-434b-a828-9731dc254ea7\"},{\"properties\":{\"roleName\":\"Blueprint + Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can manage blueprint + definitions, but not assign them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Blueprint/blueprints/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-08-14T21:55:16.9683949Z\",\"updatedOn\":\"2021-11-11T20:14:06.5171828Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/41077137-e803-4205-871c-5a86e6a753b4\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"41077137-e803-4205-871c-5a86e6a753b4\"},{\"properties\":{\"roleName\":\"Blueprint + Operator\",\"type\":\"BuiltInRole\",\"description\":\"Can assign existing + published blueprints, but cannot create new blueprints. NOTE: this only works + if the assignment is done with a user-assigned managed identity.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Blueprint/blueprintAssignments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-08-14T21:56:48.7897875Z\",\"updatedOn\":\"2021-11-11T20:14:06.6971401Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/437d2ced-4a38-4302-8479-ed2bcb43d090\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"437d2ced-4a38-4302-8479-ed2bcb43d090\"},{\"properties\":{\"roleName\":\"Microsoft + Sentinel Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Microsoft + Sentinel Contributor\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.SecurityInsights/*\",\"Microsoft.OperationalInsights/workspaces/analytics/query/action\",\"Microsoft.OperationalInsights/workspaces/*/read\",\"Microsoft.OperationalInsights/workspaces/savedSearches/*\",\"Microsoft.OperationsManagement/solutions/read\",\"Microsoft.OperationalInsights/workspaces/query/read\",\"Microsoft.OperationalInsights/workspaces/query/*/read\",\"Microsoft.OperationalInsights/workspaces/dataSources/read\",\"Microsoft.OperationalInsights/querypacks/*/read\",\"Microsoft.Insights/workbooks/*\",\"Microsoft.Insights/myworkbooks/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[\"Microsoft.SecurityInsights/ConfidentialWatchlists/*\",\"Microsoft.OperationalInsights/workspaces/query/ConfidentialWatchlist/*\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-08-28T16:39:03.8725173Z\",\"updatedOn\":\"2022-08-01T16:51:27.7345004Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ab8e14d6-4a74-4a29-9ba8-549422addade\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ab8e14d6-4a74-4a29-9ba8-549422addade\"},{\"properties\":{\"roleName\":\"Microsoft + Sentinel Responder\",\"type\":\"BuiltInRole\",\"description\":\"Microsoft + Sentinel Responder\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.SecurityInsights/*/read\",\"Microsoft.SecurityInsights/dataConnectorsCheckRequirements/action\",\"Microsoft.SecurityInsights/automationRules/*\",\"Microsoft.SecurityInsights/cases/*\",\"Microsoft.SecurityInsights/incidents/*\",\"Microsoft.SecurityInsights/threatIntelligence/indicators/appendTags/action\",\"Microsoft.SecurityInsights/threatIntelligence/indicators/query/action\",\"Microsoft.SecurityInsights/threatIntelligence/bulkTag/action\",\"Microsoft.SecurityInsights/threatIntelligence/indicators/appendTags/action\",\"Microsoft.SecurityInsights/threatIntelligence/indicators/replaceTags/action\",\"Microsoft.SecurityInsights/threatIntelligence/queryIndicators/action\",\"Microsoft.OperationalInsights/workspaces/analytics/query/action\",\"Microsoft.OperationalInsights/workspaces/*/read\",\"Microsoft.OperationalInsights/workspaces/dataSources/read\",\"Microsoft.OperationalInsights/workspaces/savedSearches/read\",\"Microsoft.OperationsManagement/solutions/read\",\"Microsoft.OperationalInsights/workspaces/query/read\",\"Microsoft.OperationalInsights/workspaces/query/*/read\",\"Microsoft.OperationalInsights/workspaces/dataSources/read\",\"Microsoft.OperationalInsights/querypacks/*/read\",\"Microsoft.Insights/workbooks/read\",\"Microsoft.Insights/myworkbooks/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[\"Microsoft.SecurityInsights/cases/*/Delete\",\"Microsoft.SecurityInsights/incidents/*/Delete\",\"Microsoft.SecurityInsights/ConfidentialWatchlists/*\",\"Microsoft.OperationalInsights/workspaces/query/ConfidentialWatchlist/*\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-08-28T16:54:07.6467264Z\",\"updatedOn\":\"2022-08-01T16:51:27.7345004Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e150937-b8fe-4cfb-8069-0eaf05ecd056\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3e150937-b8fe-4cfb-8069-0eaf05ecd056\"},{\"properties\":{\"roleName\":\"Microsoft + Sentinel Reader\",\"type\":\"BuiltInRole\",\"description\":\"Microsoft Sentinel + Reader\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.SecurityInsights/*/read\",\"Microsoft.SecurityInsights/dataConnectorsCheckRequirements/action\",\"Microsoft.SecurityInsights/threatIntelligence/indicators/query/action\",\"Microsoft.SecurityInsights/threatIntelligence/queryIndicators/action\",\"Microsoft.OperationalInsights/workspaces/analytics/query/action\",\"Microsoft.OperationalInsights/workspaces/*/read\",\"Microsoft.OperationalInsights/workspaces/LinkedServices/read\",\"Microsoft.OperationalInsights/workspaces/savedSearches/read\",\"Microsoft.OperationsManagement/solutions/read\",\"Microsoft.OperationalInsights/workspaces/query/read\",\"Microsoft.OperationalInsights/workspaces/query/*/read\",\"Microsoft.OperationalInsights/querypacks/*/read\",\"Microsoft.OperationalInsights/workspaces/dataSources/read\",\"Microsoft.Insights/workbooks/read\",\"Microsoft.Insights/myworkbooks/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/templateSpecs/*/read\",\"Microsoft.Support/*\"],\"notActions\":[\"Microsoft.SecurityInsights/ConfidentialWatchlists/*\",\"Microsoft.OperationalInsights/workspaces/query/ConfidentialWatchlist/*\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-08-28T16:58:50.1132117Z\",\"updatedOn\":\"2022-08-01T16:51:27.7657525Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8d289c81-5878-46d4-8554-54e1e3d8b5cb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8d289c81-5878-46d4-8554-54e1e3d8b5cb\"},{\"properties\":{\"roleName\":\"Workbook + Reader\",\"type\":\"BuiltInRole\",\"description\":\"Can read workbooks.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"microsoft.insights/workbooks/read\",\"microsoft.insights/workbooktemplates/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-08-28T20:56:17.6808140Z\",\"updatedOn\":\"2022-01-03T19:15:12.6968428Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b279062a-9be3-42a0-92ae-8b3cf002ec4d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b279062a-9be3-42a0-92ae-8b3cf002ec4d\"},{\"properties\":{\"roleName\":\"Workbook + Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can save shared workbooks.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Insights/workbooks/write\",\"Microsoft.Insights/workbooks/delete\",\"Microsoft.Insights/workbooks/read\",\"Microsoft.Insights/workbooktemplates/write\",\"Microsoft.Insights/workbooktemplates/delete\",\"Microsoft.Insights/workbooktemplates/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-08-28T20:59:42.4820277Z\",\"updatedOn\":\"2022-01-03T19:14:31.2372561Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e8ddcd69-c73f-4f9f-9844-4100522f16ad\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e8ddcd69-c73f-4f9f-9844-4100522f16ad\"},{\"properties\":{\"roleName\":\"Policy + Insights Data Writer (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Allows + read access to resource policies and write access to resource component policy + events.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/policyassignments/read\",\"Microsoft.Authorization/policydefinitions/read\",\"Microsoft.Authorization/policyexemptions/read\",\"Microsoft.Authorization/policysetdefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.PolicyInsights/checkDataPolicyCompliance/action\",\"Microsoft.PolicyInsights/policyEvents/logDataEvents/action\"],\"notDataActions\":[]}],\"createdOn\":\"2019-09-19T19:35:20.9504127Z\",\"updatedOn\":\"2021-11-11T20:14:09.4235132Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/66bb4e9e-b016-4a94-8249-4c0511c2be84\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"66bb4e9e-b016-4a94-8249-4c0511c2be84\"},{\"properties\":{\"roleName\":\"SignalR + AccessKey Reader\",\"type\":\"BuiltInRole\",\"description\":\"Read SignalR + Service Access Keys\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.SignalRService/*/read\",\"Microsoft.SignalRService/SignalR/listkeys/action\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-09-20T09:33:19.6236874Z\",\"updatedOn\":\"2021-11-11T20:14:09.6134860Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/04165923-9d83-45d5-8227-78b77b0a687e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"04165923-9d83-45d5-8227-78b77b0a687e\"},{\"properties\":{\"roleName\":\"SignalR/Web + PubSub Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Create, Read, + Update, and Delete SignalR service resources\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.SignalRService/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-09-20T09:58:09.0009662Z\",\"updatedOn\":\"2021-11-11T20:14:09.7884765Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8cf5e20a-e4b2-4e9d-b3a1-5ceb692c2761\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8cf5e20a-e4b2-4e9d-b3a1-5ceb692c2761\"},{\"properties\":{\"roleName\":\"Azure + Connected Machine Onboarding\",\"type\":\"BuiltInRole\",\"description\":\"Can + onboard Azure Connected Machines.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HybridCompute/machines/read\",\"Microsoft.HybridCompute/machines/write\",\"Microsoft.HybridCompute/privateLinkScopes/read\",\"Microsoft.GuestConfiguration/guestConfigurationAssignments/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-10-23T20:15:07.1372870Z\",\"updatedOn\":\"2021-11-11T20:14:10.8735219Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b64e21ea-ac4e-4cdf-9dc9-5b892992bee7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b64e21ea-ac4e-4cdf-9dc9-5b892992bee7\"},{\"properties\":{\"roleName\":\"Azure + Connected Machine Resource Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Can + read, write, delete and re-onboard Azure Connected Machines.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HybridCompute/machines/read\",\"Microsoft.HybridCompute/machines/write\",\"Microsoft.HybridCompute/machines/delete\",\"Microsoft.HybridCompute/machines/UpgradeExtensions/action\",\"Microsoft.HybridCompute/machines/extensions/read\",\"Microsoft.HybridCompute/machines/extensions/write\",\"Microsoft.HybridCompute/machines/extensions/delete\",\"Microsoft.HybridCompute/privateLinkScopes/*\",\"Microsoft.HybridCompute/*/read\",\"Microsoft.Resources/deployments/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-10-23T20:24:59.1474607Z\",\"updatedOn\":\"2021-12-15T16:10:25.5898511Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/cd570a14-e51a-42ad-bac8-bafd67325302\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"cd570a14-e51a-42ad-bac8-bafd67325302\"},{\"properties\":{\"roleName\":\"Managed + Services Registration assignment Delete Role\",\"type\":\"BuiltInRole\",\"description\":\"Managed + Services Registration Assignment Delete Role allows the managing tenant users + to delete the registration assignment assigned to their tenant.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ManagedServices/registrationAssignments/read\",\"Microsoft.ManagedServices/registrationAssignments/delete\",\"Microsoft.ManagedServices/operationStatuses/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-10-23T22:33:33.1183469Z\",\"updatedOn\":\"2021-11-11T20:14:11.2336400Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/91c1777a-f3dc-4fae-b103-61d183457e46\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"91c1777a-f3dc-4fae-b103-61d183457e46\"},{\"properties\":{\"roleName\":\"App + Configuration Data Owner\",\"type\":\"BuiltInRole\",\"description\":\"Allows + full access to App Configuration data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AppConfiguration/configurationStores/*/read\",\"Microsoft.AppConfiguration/configurationStores/*/write\",\"Microsoft.AppConfiguration/configurationStores/*/delete\"],\"notDataActions\":[]}],\"createdOn\":\"2019-10-25T18:41:40.1185063Z\",\"updatedOn\":\"2021-11-11T20:14:11.4035314Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5ae67dd6-50cb-40e7-96ff-dc2bfa4b606b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5ae67dd6-50cb-40e7-96ff-dc2bfa4b606b\"},{\"properties\":{\"roleName\":\"App + Configuration Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows + read access to App Configuration data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AppConfiguration/configurationStores/*/read\"],\"notDataActions\":[]}],\"createdOn\":\"2019-10-25T18:45:33.7975332Z\",\"updatedOn\":\"2021-11-11T20:14:11.5885341Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/516239f1-63e1-4d78-a4de-a74fb236a071\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"516239f1-63e1-4d78-a4de-a74fb236a071\"},{\"properties\":{\"roleName\":\"Kubernetes + Cluster - Azure Arc Onboarding\",\"type\":\"BuiltInRole\",\"description\":\"Role + definition to authorize any user/service to create connectedClusters resource\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Kubernetes/connectedClusters/Write\",\"Microsoft.Kubernetes/connectedClusters/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2019-11-18T17:00:02.2087147Z\",\"updatedOn\":\"2021-11-11T20:14:12.4685303Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/34e09817-6cbe-4d01-b1a2-e0eac5743d41\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"34e09817-6cbe-4d01-b1a2-e0eac5743d41\"},{\"properties\":{\"roleName\":\"Experimentation + Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Experimentation Contributor\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Experimentation/experimentWorkspaces/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/read\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/write\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/delete\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/experiment/action\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/emergencystop/action\",\"Microsoft.Experimentation/experimentWorkspaces/read\",\"Microsoft.Experimentation/experimentWorkspaces/write\",\"Microsoft.Experimentation/experimentWorkspaces/delete\"],\"notDataActions\":[]}],\"createdOn\":\"2019-12-13T00:08:08.6679591Z\",\"updatedOn\":\"2021-11-11T20:14:14.6454147Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7f646f1b-fa08-80eb-a22b-edd6ce5c915c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7f646f1b-fa08-80eb-a22b-edd6ce5c915c\"},{\"properties\":{\"roleName\":\"Cognitive + Services QnA Maker Reader\",\"type\":\"BuiltInRole\",\"description\":\"Let\u2019s + you read and test a KB only.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/download/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/generateanswer/action\",\"Microsoft.CognitiveServices/accounts/QnAMaker/alterations/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/endpointkeys/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/endpointsettings/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/download/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/generateanswer/action\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/alterations/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/endpointkeys/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/endpointsettings/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/download/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/generateanswer/action\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/alterations/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/endpointkeys/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/endpointsettings/read\"],\"notDataActions\":[]}],\"createdOn\":\"2019-12-17T18:26:12.3329439Z\",\"updatedOn\":\"2021-11-11T20:14:14.8254033Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/466ccd10-b268-4a11-b098-b4849f024126\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"466ccd10-b268-4a11-b098-b4849f024126\"},{\"properties\":{\"roleName\":\"Cognitive + Services QnA Maker Editor\",\"type\":\"BuiltInRole\",\"description\":\"Let\u2019s + you create, edit, import and export a KB. You cannot publish or delete a KB.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/download/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/create/write\",\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/write\",\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/generateanswer/action\",\"Microsoft.CognitiveServices/accounts/QnAMaker/knowledgebases/train/action\",\"Microsoft.CognitiveServices/accounts/QnAMaker/alterations/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/alterations/write\",\"Microsoft.CognitiveServices/accounts/QnAMaker/endpointkeys/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/endpointkeys/refreshkeys/action\",\"Microsoft.CognitiveServices/accounts/QnAMaker/endpointsettings/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker/endpointsettings/write\",\"Microsoft.CognitiveServices/accounts/QnAMaker/operations/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/download/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/create/write\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/write\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/generateanswer/action\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/knowledgebases/train/action\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/alterations/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/alterations/write\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/endpointkeys/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/endpointkeys/refreshkeys/action\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/endpointsettings/read\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/endpointsettings/write\",\"Microsoft.CognitiveServices/accounts/QnAMaker.v2/operations/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/download/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/create/write\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/write\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/generateanswer/action\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/knowledgebases/train/action\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/alterations/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/alterations/write\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/endpointkeys/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/endpointkeys/refreshkeys/action\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/endpointsettings/read\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/endpointsettings/write\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnAMaker/operations/read\"],\"notDataActions\":[]}],\"createdOn\":\"2019-12-17T18:27:30.6434556Z\",\"updatedOn\":\"2021-11-11T20:14:14.9961559Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f4cc2bf9-21be-47a1-bdf1-5c5804381025\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f4cc2bf9-21be-47a1-bdf1-5c5804381025\"},{\"properties\":{\"roleName\":\"Experimentation + Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Experimentation + Administrator\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Experimentation/experimentWorkspaces/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/admin/action\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/read\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/write\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/delete\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/experimentadmin/action\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/experiment/action\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/emergencystop/action\",\"Microsoft.Experimentation/experimentWorkspaces/read\",\"Microsoft.Experimentation/experimentWorkspaces/write\",\"Microsoft.Experimentation/experimentWorkspaces/delete\",\"Microsoft.Experimentation/experimentWorkspaces/admin/action\",\"Microsoft.Experimentation/experimentWorkspaces/metricwrite/action\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/metricwrite/action\"],\"notDataActions\":[]}],\"createdOn\":\"2019-12-18T22:46:33.1116612Z\",\"updatedOn\":\"2021-11-11T20:14:15.1811577Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7f646f1b-fa08-80eb-a33b-edd6ce5c915c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7f646f1b-fa08-80eb-a33b-edd6ce5c915c\"},{\"properties\":{\"roleName\":\"Remote + Rendering Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Provides + user with conversion, manage session, rendering and diagnostics capabilities + for Azure Remote Rendering\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/RemoteRenderingAccounts/convert/action\",\"Microsoft.MixedReality/RemoteRenderingAccounts/convert/read\",\"Microsoft.MixedReality/RemoteRenderingAccounts/convert/delete\",\"Microsoft.MixedReality/RemoteRenderingAccounts/managesessions/read\",\"Microsoft.MixedReality/RemoteRenderingAccounts/managesessions/action\",\"Microsoft.MixedReality/RemoteRenderingAccounts/managesessions/delete\",\"Microsoft.MixedReality/RemoteRenderingAccounts/render/read\",\"Microsoft.MixedReality/RemoteRenderingAccounts/diagnostic/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-01-23T18:15:31.3450348Z\",\"updatedOn\":\"2021-11-11T20:14:16.7621737Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3df8b902-2a6f-47c7-8cc5-360e9b272a7e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3df8b902-2a6f-47c7-8cc5-360e9b272a7e\"},{\"properties\":{\"roleName\":\"Remote + Rendering Client\",\"type\":\"BuiltInRole\",\"description\":\"Provides user + with manage session, rendering and diagnostics capabilities for Azure Remote + Rendering.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/RemoteRenderingAccounts/managesessions/read\",\"Microsoft.MixedReality/RemoteRenderingAccounts/managesessions/action\",\"Microsoft.MixedReality/RemoteRenderingAccounts/managesessions/delete\",\"Microsoft.MixedReality/RemoteRenderingAccounts/render/read\",\"Microsoft.MixedReality/RemoteRenderingAccounts/diagnostic/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-01-23T18:32:52.7069824Z\",\"updatedOn\":\"2021-11-11T20:14:16.9421512Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d39065c4-c120-43c9-ab0a-63eed9795f0a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d39065c4-c120-43c9-ab0a-63eed9795f0a\"},{\"properties\":{\"roleName\":\"Managed + Application Contributor Role\",\"type\":\"BuiltInRole\",\"description\":\"Allows + for creating managed application resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"*/read\",\"Microsoft.Solutions/applications/*\",\"Microsoft.Solutions/register/action\",\"Microsoft.Resources/subscriptions/resourceGroups/*\",\"Microsoft.Resources/deployments/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-02-08T03:39:11.8933879Z\",\"updatedOn\":\"2021-11-11T20:14:19.1271536Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/641177b8-a67a-45b9-a033-47bc880bb21e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"641177b8-a67a-45b9-a033-47bc880bb21e\"},{\"properties\":{\"roleName\":\"Security + Assessment Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + push assessments to Security Center\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Security/assessments/write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-02-13T08:23:47.7656161Z\",\"updatedOn\":\"2021-11-11T20:14:19.3021974Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/612c2aa1-cb24-443b-ac28-3ab7272de6f5\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"612c2aa1-cb24-443b-ac28-3ab7272de6f5\"},{\"properties\":{\"roleName\":\"Tag + Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage tags + on entities, without providing access to the entities themselves.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/resourceGroups/resources/read\",\"Microsoft.Resources/subscriptions/resources/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Support/*\",\"Microsoft.Resources/tags/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-02-18T23:19:19.2977644Z\",\"updatedOn\":\"2021-11-11T20:14:20.0172041Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4a9ae827-6dc8-4573-8ac7-8239d42aa03f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4a9ae827-6dc8-4573-8ac7-8239d42aa03f\"},{\"properties\":{\"roleName\":\"Integration + Service Environment Developer\",\"type\":\"BuiltInRole\",\"description\":\"Allows + developers to create and update workflows, integration accounts and API connections + in integration service environments.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Support/*\",\"Microsoft.Logic/integrationServiceEnvironments/read\",\"Microsoft.Logic/integrationServiceEnvironments/*/join/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-02-20T21:09:00.5627875Z\",\"updatedOn\":\"2021-11-11T20:14:20.1871986Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c7aa55d3-1abb-444a-a5ca-5e51e485d6ec\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c7aa55d3-1abb-444a-a5ca-5e51e485d6ec\"},{\"properties\":{\"roleName\":\"Integration + Service Environment Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you manage integration service environments, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Support/*\",\"Microsoft.Logic/integrationServiceEnvironments/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-02-20T21:10:44.4008319Z\",\"updatedOn\":\"2021-11-11T20:14:20.3622058Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a41e2c5b-bd99-4a07-88f4-9bf657a760b8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a41e2c5b-bd99-4a07-88f4-9bf657a760b8\"},{\"properties\":{\"roleName\":\"Azure + Kubernetes Service Contributor Role\",\"type\":\"BuiltInRole\",\"description\":\"Grants + access to read and write Azure Kubernetes Service clusters\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerService/managedClusters/read\",\"Microsoft.ContainerService/managedClusters/write\",\"Microsoft.Resources/deployments/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-02-27T19:27:15.0739970Z\",\"updatedOn\":\"2021-11-11T20:14:21.2621727Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ed7f3fbd-7b88-4dd4-9017-9adb7ce333f8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ed7f3fbd-7b88-4dd4-9017-9adb7ce333f8\"},{\"properties\":{\"roleName\":\"Azure + Digital Twins Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Read-only + role for Digital Twins data-plane properties\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.DigitalTwins/digitaltwins/read\",\"Microsoft.DigitalTwins/digitaltwins/relationships/read\",\"Microsoft.DigitalTwins/eventroutes/read\",\"Microsoft.DigitalTwins/models/read\",\"Microsoft.DigitalTwins/query/action\"],\"notDataActions\":[]}],\"createdOn\":\"2020-03-10T23:48:14.7057381Z\",\"updatedOn\":\"2021-11-11T20:14:22.3621788Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d57506d4-4c8d-48b1-8587-93c323f6a5a3\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d57506d4-4c8d-48b1-8587-93c323f6a5a3\"},{\"properties\":{\"roleName\":\"Azure + Digital Twins Data Owner\",\"type\":\"BuiltInRole\",\"description\":\"Full + access role for Digital Twins data-plane\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.DigitalTwins/eventroutes/*\",\"Microsoft.DigitalTwins/digitaltwins/*\",\"Microsoft.DigitalTwins/digitaltwins/commands/*\",\"Microsoft.DigitalTwins/digitaltwins/relationships/*\",\"Microsoft.DigitalTwins/models/*\",\"Microsoft.DigitalTwins/query/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-03-10T23:49:33.7821930Z\",\"updatedOn\":\"2021-11-11T20:14:22.5471888Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/bcd981a7-7f74-457b-83e1-cceb9e632ffe\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"bcd981a7-7f74-457b-83e1-cceb9e632ffe\"},{\"properties\":{\"roleName\":\"Hierarchy + Settings Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Allows + users to edit and delete Hierarchy Settings\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Management/managementGroups/settings/write\",\"Microsoft.Management/managementGroups/settings/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-03-13T23:55:11.0212387Z\",\"updatedOn\":\"2021-11-11T20:14:23.0882347Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/350f8d15-c687-4448-8ae1-157740a3936d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"350f8d15-c687-4448-8ae1-157740a3936d\"},{\"properties\":{\"roleName\":\"FHIR + Data Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Role allows + user or principal full access to FHIR Data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.HealthcareApis/services/fhir/resources/*\",\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-03-17T18:35:04.4949547Z\",\"updatedOn\":\"2021-11-11T20:14:23.6235473Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5a1fc7df-4bf1-4951-a576-89034ee01acd\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5a1fc7df-4bf1-4951-a576-89034ee01acd\"},{\"properties\":{\"roleName\":\"FHIR + Data Exporter\",\"type\":\"BuiltInRole\",\"description\":\"Role allows user + or principal to read and export FHIR Data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.HealthcareApis/services/fhir/resources/read\",\"Microsoft.HealthcareApis/services/fhir/resources/export/action\",\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/read\",\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/export/action\"],\"notDataActions\":[]}],\"createdOn\":\"2020-03-17T18:45:01.9764073Z\",\"updatedOn\":\"2021-11-11T20:14:23.7992557Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3db33094-8700-4567-8da5-1501d4e7e843\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3db33094-8700-4567-8da5-1501d4e7e843\"},{\"properties\":{\"roleName\":\"FHIR + Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Role allows user + or principal to read FHIR Data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.HealthcareApis/services/fhir/resources/read\",\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-03-17T18:49:04.8353499Z\",\"updatedOn\":\"2021-11-11T20:14:23.9692275Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4c8d0bbc-75d3-4935-991f-5f3c56d81508\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4c8d0bbc-75d3-4935-991f-5f3c56d81508\"},{\"properties\":{\"roleName\":\"FHIR + Data Writer\",\"type\":\"BuiltInRole\",\"description\":\"Role allows user + or principal to read and write FHIR Data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.HealthcareApis/services/fhir/resources/*\",\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/*\"],\"notDataActions\":[\"Microsoft.HealthcareApis/services/fhir/resources/hardDelete/action\",\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/hardDelete/action\"]}],\"createdOn\":\"2020-03-17T18:55:35.2413335Z\",\"updatedOn\":\"2021-11-11T20:14:24.1442783Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3f88fce4-5892-4214-ae73-ba5294559913\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3f88fce4-5892-4214-ae73-ba5294559913\"},{\"properties\":{\"roleName\":\"Experimentation + Reader\",\"type\":\"BuiltInRole\",\"description\":\"Experimentation Reader\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Experimentation/experimentWorkspaces/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Experimentation/experimentWorkspaces/read\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-03-25T18:05:14.8375678Z\",\"updatedOn\":\"2021-11-11T20:14:24.5042390Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/49632ef5-d9ac-41f4-b8e7-bbe587fa74a1\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"49632ef5-d9ac-41f4-b8e7-bbe587fa74a1\"},{\"properties\":{\"roleName\":\"Object + Understanding Account Owner\",\"type\":\"BuiltInRole\",\"description\":\"Provides + user with ingestion capabilities for Azure Object Understanding.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/ObjectUnderstandingAccounts/ingest/action\",\"Microsoft.MixedReality/ObjectUnderstandingAccounts/ingest/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-04-22T19:15:09.0697923Z\",\"updatedOn\":\"2021-11-11T20:14:26.8743132Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4dd61c23-6743-42fe-a388-d8bdd41cb745\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4dd61c23-6743-42fe-a388-d8bdd41cb745\"},{\"properties\":{\"roleName\":\"Azure + Maps Data Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Grants + access to read, write, and delete access to map related data from an Azure + maps account.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Maps/accounts/*/read\",\"Microsoft.Maps/accounts/*/write\",\"Microsoft.Maps/accounts/*/delete\",\"Microsoft.Maps/accounts/*/action\"],\"notDataActions\":[]}],\"createdOn\":\"2020-05-07T20:55:05.0645410Z\",\"updatedOn\":\"2021-11-11T20:14:28.3092598Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8f5e0ce6-4f7b-4dcf-bddf-e6f48634a204\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8f5e0ce6-4f7b-4dcf-bddf-e6f48634a204\"},{\"properties\":{\"roleName\":\"Cognitive + Services Custom Vision Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Full + access to the project, including the ability to view, create, edit, or delete + projects.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-05-08T23:47:07.0779345Z\",\"updatedOn\":\"2021-11-11T20:14:28.8342655Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c1ff6cc2-c111-46fe-8896-e0ef812ad9f3\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c1ff6cc2-c111-46fe-8896-e0ef812ad9f3\"},{\"properties\":{\"roleName\":\"Cognitive + Services Custom Vision Deployment\",\"type\":\"BuiltInRole\",\"description\":\"Publish, + unpublish or export models. Deployment can view the project but can\u2019t + update.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/*/read\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/predictions/*\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/iterations/publish/*\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/iterations/export/*\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/quicktest/*\",\"Microsoft.CognitiveServices/accounts/CustomVision/classify/*\",\"Microsoft.CognitiveServices/accounts/CustomVision/detect/*\"],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/projects/export/read\"]}],\"createdOn\":\"2020-05-09T01:31:05.9528620Z\",\"updatedOn\":\"2021-11-11T20:14:29.0142669Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5c4089e1-6d96-4d2f-b296-c1bc7137275f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5c4089e1-6d96-4d2f-b296-c1bc7137275f\"},{\"properties\":{\"roleName\":\"Cognitive + Services Custom Vision Labeler\",\"type\":\"BuiltInRole\",\"description\":\"View, + edit training images and create, add, remove, or delete the image tags. Labelers + can view the project but can\u2019t update anything other than training images + and tags.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/*/read\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/predictions/query/action\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/images/*\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/tags/*\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/images/suggested/*\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/tagsandregions/suggestions/action\"],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/projects/export/read\"]}],\"createdOn\":\"2020-05-09T01:33:20.8278896Z\",\"updatedOn\":\"2021-11-11T20:14:29.1892871Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/88424f51-ebe7-446f-bc41-7fa16989e96c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"88424f51-ebe7-446f-bc41-7fa16989e96c\"},{\"properties\":{\"roleName\":\"Cognitive + Services Custom Vision Reader\",\"type\":\"BuiltInRole\",\"description\":\"Read-only + actions in the project. Readers can\u2019t create or update the project.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/*/read\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/predictions/query/action\"],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/projects/export/read\"]}],\"createdOn\":\"2020-05-09T01:34:18.5328818Z\",\"updatedOn\":\"2021-11-11T20:14:29.3642707Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/93586559-c37d-4a6b-ba08-b9f0940c2d73\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"93586559-c37d-4a6b-ba08-b9f0940c2d73\"},{\"properties\":{\"roleName\":\"Cognitive + Services Custom Vision Trainer\",\"type\":\"BuiltInRole\",\"description\":\"View, + edit projects and train the models, including the ability to publish, unpublish, + export the models. Trainers can\u2019t create or delete the project.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/*\"],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVision/projects/action\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/delete\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/import/action\",\"Microsoft.CognitiveServices/accounts/CustomVision/projects/export/read\"]}],\"createdOn\":\"2020-05-09T01:35:13.8147804Z\",\"updatedOn\":\"2021-11-11T20:14:29.5442713Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0a5ae4ab-0d65-4eeb-be61-29fc9b54394b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0a5ae4ab-0d65-4eeb-be61-29fc9b54394b\"},{\"properties\":{\"roleName\":\"Key + Vault Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Perform all + data plane operations on a key vault and all objects in it, including certificates, + keys, and secrets. Cannot manage key vault resources or manage role assignments. + Only works for key vaults that use the 'Azure role-based access control' permission + model.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.KeyVault/checkNameAvailability/read\",\"Microsoft.KeyVault/deletedVaults/read\",\"Microsoft.KeyVault/locations/*/read\",\"Microsoft.KeyVault/vaults/*/read\",\"Microsoft.KeyVault/operations/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-05-19T17:52:46.2349235Z\",\"updatedOn\":\"2021-11-11T20:14:30.2542755Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/00482a5a-887f-4fb3-b363-3b7fe8e74483\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"00482a5a-887f-4fb3-b363-3b7fe8e74483\"},{\"properties\":{\"roleName\":\"Key + Vault Crypto Officer\",\"type\":\"BuiltInRole\",\"description\":\"Perform + any action on the keys of a key vault, except manage permissions. Only works + for key vaults that use the 'Azure role-based access control' permission model.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.KeyVault/checkNameAvailability/read\",\"Microsoft.KeyVault/deletedVaults/read\",\"Microsoft.KeyVault/locations/*/read\",\"Microsoft.KeyVault/vaults/*/read\",\"Microsoft.KeyVault/operations/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/keys/*\",\"Microsoft.KeyVault/vaults/keyrotationpolicies/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-05-19T17:52:47.0099249Z\",\"updatedOn\":\"2022-01-06T23:21:17.9760884Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/14b46e9e-c2b7-41b4-b07b-48a6ebf60603\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"14b46e9e-c2b7-41b4-b07b-48a6ebf60603\"},{\"properties\":{\"roleName\":\"Key + Vault Crypto User\",\"type\":\"BuiltInRole\",\"description\":\"Perform cryptographic + operations using keys. Only works for key vaults that use the 'Azure role-based + access control' permission model.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/keys/read\",\"Microsoft.KeyVault/vaults/keys/update/action\",\"Microsoft.KeyVault/vaults/keys/backup/action\",\"Microsoft.KeyVault/vaults/keys/encrypt/action\",\"Microsoft.KeyVault/vaults/keys/decrypt/action\",\"Microsoft.KeyVault/vaults/keys/wrap/action\",\"Microsoft.KeyVault/vaults/keys/unwrap/action\",\"Microsoft.KeyVault/vaults/keys/sign/action\",\"Microsoft.KeyVault/vaults/keys/verify/action\"],\"notDataActions\":[]}],\"createdOn\":\"2020-05-19T17:52:47.0699268Z\",\"updatedOn\":\"2021-11-11T20:14:30.6042921Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/12338af0-0e69-4776-bea7-57ae8d297424\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"12338af0-0e69-4776-bea7-57ae8d297424\"},{\"properties\":{\"roleName\":\"Key + Vault Secrets Officer\",\"type\":\"BuiltInRole\",\"description\":\"Perform + any action on the secrets of a key vault, except manage permissions. Only + works for key vaults that use the 'Azure role-based access control' permission + model.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.KeyVault/checkNameAvailability/read\",\"Microsoft.KeyVault/deletedVaults/read\",\"Microsoft.KeyVault/locations/*/read\",\"Microsoft.KeyVault/vaults/*/read\",\"Microsoft.KeyVault/operations/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/secrets/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-05-19T17:52:47.1449242Z\",\"updatedOn\":\"2021-11-11T20:14:30.7793470Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b86a8fe4-44ce-4948-aee5-eccb2c155cd7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b86a8fe4-44ce-4948-aee5-eccb2c155cd7\"},{\"properties\":{\"roleName\":\"Key + Vault Secrets User\",\"type\":\"BuiltInRole\",\"description\":\"Read secret + contents. Only works for key vaults that use the 'Azure role-based access + control' permission model.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/secrets/getSecret/action\",\"Microsoft.KeyVault/vaults/secrets/readMetadata/action\"],\"notDataActions\":[]}],\"createdOn\":\"2020-05-19T17:52:47.2049241Z\",\"updatedOn\":\"2021-11-11T20:14:30.9542829Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4633458b-17de-408a-b874-0445c86b69e6\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4633458b-17de-408a-b874-0445c86b69e6\"},{\"properties\":{\"roleName\":\"Key + Vault Certificates Officer\",\"type\":\"BuiltInRole\",\"description\":\"Perform + any action on the certificates of a key vault, except manage permissions. + Only works for key vaults that use the 'Azure role-based access control' permission + model.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.KeyVault/checkNameAvailability/read\",\"Microsoft.KeyVault/deletedVaults/read\",\"Microsoft.KeyVault/locations/*/read\",\"Microsoft.KeyVault/vaults/*/read\",\"Microsoft.KeyVault/operations/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/certificatecas/*\",\"Microsoft.KeyVault/vaults/certificates/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-05-19T17:52:47.2499247Z\",\"updatedOn\":\"2021-11-11T20:14:31.1292967Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a4417e6f-fecd-4de8-b567-7b0420556985\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a4417e6f-fecd-4de8-b567-7b0420556985\"},{\"properties\":{\"roleName\":\"Key + Vault Reader\",\"type\":\"BuiltInRole\",\"description\":\"Read metadata of + key vaults and its certificates, keys, and secrets. Cannot read sensitive + values such as secret contents or key material. Only works for key vaults + that use the 'Azure role-based access control' permission model.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.KeyVault/checkNameAvailability/read\",\"Microsoft.KeyVault/deletedVaults/read\",\"Microsoft.KeyVault/locations/*/read\",\"Microsoft.KeyVault/vaults/*/read\",\"Microsoft.KeyVault/operations/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/*/read\",\"Microsoft.KeyVault/vaults/secrets/readMetadata/action\"],\"notDataActions\":[]}],\"createdOn\":\"2020-05-19T17:52:47.2949294Z\",\"updatedOn\":\"2021-11-11T20:14:31.3043292Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/21090545-7ca7-4776-b22c-e363652d74d2\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"21090545-7ca7-4776-b22c-e363652d74d2\"},{\"properties\":{\"roleName\":\"Key + Vault Crypto Service Encryption User\",\"type\":\"BuiltInRole\",\"description\":\"Read + metadata of keys and perform wrap/unwrap operations. Only works for key vaults + that use the 'Azure role-based access control' permission model.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.EventGrid/eventSubscriptions/write\",\"Microsoft.EventGrid/eventSubscriptions/read\",\"Microsoft.EventGrid/eventSubscriptions/delete\"],\"notActions\":[],\"dataActions\":[\"Microsoft.KeyVault/vaults/keys/read\",\"Microsoft.KeyVault/vaults/keys/wrap/action\",\"Microsoft.KeyVault/vaults/keys/unwrap/action\"],\"notDataActions\":[]}],\"createdOn\":\"2020-05-20T20:55:19.2398470Z\",\"updatedOn\":\"2021-11-11T20:14:31.8443056Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e147488a-f6f5-4113-8e2d-b22465e65bf6\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e147488a-f6f5-4113-8e2d-b22465e65bf6\"},{\"properties\":{\"roleName\":\"Azure + Arc Kubernetes Viewer\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + view all resources in cluster/namespace, except secrets.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Kubernetes/connectedClusters/apps/controllerrevisions/read\",\"Microsoft.Kubernetes/connectedClusters/apps/daemonsets/read\",\"Microsoft.Kubernetes/connectedClusters/apps/deployments/read\",\"Microsoft.Kubernetes/connectedClusters/apps/replicasets/read\",\"Microsoft.Kubernetes/connectedClusters/apps/statefulsets/read\",\"Microsoft.Kubernetes/connectedClusters/autoscaling/horizontalpodautoscalers/read\",\"Microsoft.Kubernetes/connectedClusters/batch/cronjobs/read\",\"Microsoft.Kubernetes/connectedClusters/batch/jobs/read\",\"Microsoft.Kubernetes/connectedClusters/configmaps/read\",\"Microsoft.Kubernetes/connectedClusters/endpoints/read\",\"Microsoft.Kubernetes/connectedClusters/events.k8s.io/events/read\",\"Microsoft.Kubernetes/connectedClusters/events/read\",\"Microsoft.Kubernetes/connectedClusters/extensions/daemonsets/read\",\"Microsoft.Kubernetes/connectedClusters/extensions/deployments/read\",\"Microsoft.Kubernetes/connectedClusters/extensions/ingresses/read\",\"Microsoft.Kubernetes/connectedClusters/extensions/networkpolicies/read\",\"Microsoft.Kubernetes/connectedClusters/extensions/replicasets/read\",\"Microsoft.Kubernetes/connectedClusters/limitranges/read\",\"Microsoft.Kubernetes/connectedClusters/namespaces/read\",\"Microsoft.Kubernetes/connectedClusters/networking.k8s.io/ingresses/read\",\"Microsoft.Kubernetes/connectedClusters/networking.k8s.io/networkpolicies/read\",\"Microsoft.Kubernetes/connectedClusters/persistentvolumeclaims/read\",\"Microsoft.Kubernetes/connectedClusters/pods/read\",\"Microsoft.Kubernetes/connectedClusters/policy/poddisruptionbudgets/read\",\"Microsoft.Kubernetes/connectedClusters/replicationcontrollers/read\",\"Microsoft.Kubernetes/connectedClusters/replicationcontrollers/read\",\"Microsoft.Kubernetes/connectedClusters/resourcequotas/read\",\"Microsoft.Kubernetes/connectedClusters/serviceaccounts/read\",\"Microsoft.Kubernetes/connectedClusters/services/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-06-12T20:51:12.8801199Z\",\"updatedOn\":\"2021-11-11T20:14:33.8193353Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/63f0a09d-1495-4db4-a681-037d84835eb4\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"63f0a09d-1495-4db4-a681-037d84835eb4\"},{\"properties\":{\"roleName\":\"Azure + Arc Kubernetes Writer\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + update everything in cluster/namespace, except (cluster)roles and (cluster)role + bindings.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Kubernetes/connectedClusters/apps/controllerrevisions/read\",\"Microsoft.Kubernetes/connectedClusters/apps/daemonsets/*\",\"Microsoft.Kubernetes/connectedClusters/apps/deployments/*\",\"Microsoft.Kubernetes/connectedClusters/apps/replicasets/*\",\"Microsoft.Kubernetes/connectedClusters/apps/statefulsets/*\",\"Microsoft.Kubernetes/connectedClusters/autoscaling/horizontalpodautoscalers/*\",\"Microsoft.Kubernetes/connectedClusters/batch/cronjobs/*\",\"Microsoft.Kubernetes/connectedClusters/batch/jobs/*\",\"Microsoft.Kubernetes/connectedClusters/configmaps/*\",\"Microsoft.Kubernetes/connectedClusters/endpoints/*\",\"Microsoft.Kubernetes/connectedClusters/events.k8s.io/events/read\",\"Microsoft.Kubernetes/connectedClusters/events/read\",\"Microsoft.Kubernetes/connectedClusters/extensions/daemonsets/*\",\"Microsoft.Kubernetes/connectedClusters/extensions/deployments/*\",\"Microsoft.Kubernetes/connectedClusters/extensions/ingresses/*\",\"Microsoft.Kubernetes/connectedClusters/extensions/networkpolicies/*\",\"Microsoft.Kubernetes/connectedClusters/extensions/replicasets/*\",\"Microsoft.Kubernetes/connectedClusters/limitranges/read\",\"Microsoft.Kubernetes/connectedClusters/namespaces/read\",\"Microsoft.Kubernetes/connectedClusters/networking.k8s.io/ingresses/*\",\"Microsoft.Kubernetes/connectedClusters/networking.k8s.io/networkpolicies/*\",\"Microsoft.Kubernetes/connectedClusters/persistentvolumeclaims/*\",\"Microsoft.Kubernetes/connectedClusters/pods/*\",\"Microsoft.Kubernetes/connectedClusters/policy/poddisruptionbudgets/*\",\"Microsoft.Kubernetes/connectedClusters/replicationcontrollers/*\",\"Microsoft.Kubernetes/connectedClusters/replicationcontrollers/*\",\"Microsoft.Kubernetes/connectedClusters/resourcequotas/read\",\"Microsoft.Kubernetes/connectedClusters/secrets/*\",\"Microsoft.Kubernetes/connectedClusters/serviceaccounts/*\",\"Microsoft.Kubernetes/connectedClusters/services/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-06-12T20:53:50.6749823Z\",\"updatedOn\":\"2021-11-11T20:14:34.0043462Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5b999177-9696-4545-85c7-50de3797e5a1\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5b999177-9696-4545-85c7-50de3797e5a1\"},{\"properties\":{\"roleName\":\"Azure + Arc Kubernetes Cluster Admin\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you manage all resources in the cluster.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Kubernetes/connectedClusters/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-06-12T20:55:30.9910462Z\",\"updatedOn\":\"2021-11-11T20:14:34.1743694Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8393591c-06b9-48a2-a542-1bd6b377f6a2\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8393591c-06b9-48a2-a542-1bd6b377f6a2\"},{\"properties\":{\"roleName\":\"Azure + Arc Kubernetes Admin\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + manage all resources under cluster/namespace, except update or delete resource + quotas and namespaces.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Kubernetes/connectedClusters/apps/controllerrevisions/read\",\"Microsoft.Kubernetes/connectedClusters/apps/daemonsets/*\",\"Microsoft.Kubernetes/connectedClusters/apps/deployments/*\",\"Microsoft.Kubernetes/connectedClusters/apps/replicasets/*\",\"Microsoft.Kubernetes/connectedClusters/apps/statefulsets/*\",\"Microsoft.Kubernetes/connectedClusters/authorization.k8s.io/localsubjectaccessreviews/write\",\"Microsoft.Kubernetes/connectedClusters/autoscaling/horizontalpodautoscalers/*\",\"Microsoft.Kubernetes/connectedClusters/batch/cronjobs/*\",\"Microsoft.Kubernetes/connectedClusters/batch/jobs/*\",\"Microsoft.Kubernetes/connectedClusters/configmaps/*\",\"Microsoft.Kubernetes/connectedClusters/endpoints/*\",\"Microsoft.Kubernetes/connectedClusters/events.k8s.io/events/read\",\"Microsoft.Kubernetes/connectedClusters/events/read\",\"Microsoft.Kubernetes/connectedClusters/extensions/daemonsets/*\",\"Microsoft.Kubernetes/connectedClusters/extensions/deployments/*\",\"Microsoft.Kubernetes/connectedClusters/extensions/ingresses/*\",\"Microsoft.Kubernetes/connectedClusters/extensions/networkpolicies/*\",\"Microsoft.Kubernetes/connectedClusters/extensions/replicasets/*\",\"Microsoft.Kubernetes/connectedClusters/limitranges/read\",\"Microsoft.Kubernetes/connectedClusters/namespaces/read\",\"Microsoft.Kubernetes/connectedClusters/networking.k8s.io/ingresses/*\",\"Microsoft.Kubernetes/connectedClusters/networking.k8s.io/networkpolicies/*\",\"Microsoft.Kubernetes/connectedClusters/persistentvolumeclaims/*\",\"Microsoft.Kubernetes/connectedClusters/pods/*\",\"Microsoft.Kubernetes/connectedClusters/policy/poddisruptionbudgets/*\",\"Microsoft.Kubernetes/connectedClusters/rbac.authorization.k8s.io/rolebindings/*\",\"Microsoft.Kubernetes/connectedClusters/rbac.authorization.k8s.io/roles/*\",\"Microsoft.Kubernetes/connectedClusters/replicationcontrollers/*\",\"Microsoft.Kubernetes/connectedClusters/replicationcontrollers/*\",\"Microsoft.Kubernetes/connectedClusters/resourcequotas/read\",\"Microsoft.Kubernetes/connectedClusters/secrets/*\",\"Microsoft.Kubernetes/connectedClusters/serviceaccounts/*\",\"Microsoft.Kubernetes/connectedClusters/services/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-06-12T20:57:06.0391177Z\",\"updatedOn\":\"2021-11-11T20:14:34.3593384Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/dffb1e0c-446f-4dde-a09f-99eb5cc68b96\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"dffb1e0c-446f-4dde-a09f-99eb5cc68b96\"},{\"properties\":{\"roleName\":\"Azure + Kubernetes Service RBAC Cluster Admin\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you manage all resources in the cluster.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.ContainerService/managedClusters/listClusterUserCredential/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/managedClusters/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-07-02T17:47:24.4071415Z\",\"updatedOn\":\"2021-11-11T20:14:35.5993607Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b1ff04bb-8a4e-4dc4-8eb5-8693973ce19b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b1ff04bb-8a4e-4dc4-8eb5-8693973ce19b\"},{\"properties\":{\"roleName\":\"Azure + Kubernetes Service RBAC Admin\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you manage all resources under cluster/namespace, except update or delete + resource quotas and namespaces.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.ContainerService/managedClusters/listClusterUserCredential/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/managedClusters/*\"],\"notDataActions\":[\"Microsoft.ContainerService/managedClusters/resourcequotas/write\",\"Microsoft.ContainerService/managedClusters/resourcequotas/delete\",\"Microsoft.ContainerService/managedClusters/namespaces/write\",\"Microsoft.ContainerService/managedClusters/namespaces/delete\"]}],\"createdOn\":\"2020-07-02T17:50:30.4020311Z\",\"updatedOn\":\"2021-11-11T20:14:35.7743651Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3498e952-d568-435e-9b2c-8d77e338d7f7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3498e952-d568-435e-9b2c-8d77e338d7f7\"},{\"properties\":{\"roleName\":\"Azure + Kubernetes Service RBAC Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows + read-only access to see most objects in a namespace. It does not allow viewing + roles or role bindings. This role does not allow viewing Secrets, since reading + the contents of Secrets enables access to ServiceAccount credentials in the + namespace, which would allow API access as any ServiceAccount in the namespace + (a form of privilege escalation). Applying this role at cluster scope will + give access across all namespaces.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/managedClusters/apps/controllerrevisions/read\",\"Microsoft.ContainerService/managedClusters/apps/daemonsets/read\",\"Microsoft.ContainerService/managedClusters/apps/deployments/read\",\"Microsoft.ContainerService/managedClusters/apps/replicasets/read\",\"Microsoft.ContainerService/managedClusters/apps/statefulsets/read\",\"Microsoft.ContainerService/managedClusters/autoscaling/horizontalpodautoscalers/read\",\"Microsoft.ContainerService/managedClusters/batch/cronjobs/read\",\"Microsoft.ContainerService/managedClusters/batch/jobs/read\",\"Microsoft.ContainerService/managedClusters/configmaps/read\",\"Microsoft.ContainerService/managedClusters/endpoints/read\",\"Microsoft.ContainerService/managedClusters/events.k8s.io/events/read\",\"Microsoft.ContainerService/managedClusters/events/read\",\"Microsoft.ContainerService/managedClusters/extensions/daemonsets/read\",\"Microsoft.ContainerService/managedClusters/extensions/deployments/read\",\"Microsoft.ContainerService/managedClusters/extensions/ingresses/read\",\"Microsoft.ContainerService/managedClusters/extensions/networkpolicies/read\",\"Microsoft.ContainerService/managedClusters/extensions/replicasets/read\",\"Microsoft.ContainerService/managedClusters/limitranges/read\",\"Microsoft.ContainerService/managedClusters/namespaces/read\",\"Microsoft.ContainerService/managedClusters/networking.k8s.io/ingresses/read\",\"Microsoft.ContainerService/managedClusters/networking.k8s.io/networkpolicies/read\",\"Microsoft.ContainerService/managedClusters/persistentvolumeclaims/read\",\"Microsoft.ContainerService/managedClusters/pods/read\",\"Microsoft.ContainerService/managedClusters/policy/poddisruptionbudgets/read\",\"Microsoft.ContainerService/managedClusters/replicationcontrollers/read\",\"Microsoft.ContainerService/managedClusters/replicationcontrollers/read\",\"Microsoft.ContainerService/managedClusters/resourcequotas/read\",\"Microsoft.ContainerService/managedClusters/serviceaccounts/read\",\"Microsoft.ContainerService/managedClusters/services/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-07-02T17:53:05.5728294Z\",\"updatedOn\":\"2021-11-11T20:14:35.9544048Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7f6c6a51-bcf8-42ba-9220-52d62157d7db\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7f6c6a51-bcf8-42ba-9220-52d62157d7db\"},{\"properties\":{\"roleName\":\"Azure + Kubernetes Service RBAC Writer\",\"type\":\"BuiltInRole\",\"description\":\"Allows + read/write access to most objects in a namespace.This role does not allow + viewing or modifying roles or role bindings. However, this role allows accessing + Secrets and running Pods as any ServiceAccount in the namespace, so it can + be used to gain the API access levels of any ServiceAccount in the namespace. + Applying this role at cluster scope will give access across all namespaces.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/managedClusters/apps/controllerrevisions/read\",\"Microsoft.ContainerService/managedClusters/apps/daemonsets/*\",\"Microsoft.ContainerService/managedClusters/apps/deployments/*\",\"Microsoft.ContainerService/managedClusters/apps/replicasets/*\",\"Microsoft.ContainerService/managedClusters/apps/statefulsets/*\",\"Microsoft.ContainerService/managedClusters/autoscaling/horizontalpodautoscalers/*\",\"Microsoft.ContainerService/managedClusters/batch/cronjobs/*\",\"Microsoft.ContainerService/managedClusters/batch/jobs/*\",\"Microsoft.ContainerService/managedClusters/configmaps/*\",\"Microsoft.ContainerService/managedClusters/endpoints/*\",\"Microsoft.ContainerService/managedClusters/events.k8s.io/events/read\",\"Microsoft.ContainerService/managedClusters/events/read\",\"Microsoft.ContainerService/managedClusters/extensions/daemonsets/*\",\"Microsoft.ContainerService/managedClusters/extensions/deployments/*\",\"Microsoft.ContainerService/managedClusters/extensions/ingresses/*\",\"Microsoft.ContainerService/managedClusters/extensions/networkpolicies/*\",\"Microsoft.ContainerService/managedClusters/extensions/replicasets/*\",\"Microsoft.ContainerService/managedClusters/limitranges/read\",\"Microsoft.ContainerService/managedClusters/namespaces/read\",\"Microsoft.ContainerService/managedClusters/networking.k8s.io/ingresses/*\",\"Microsoft.ContainerService/managedClusters/networking.k8s.io/networkpolicies/*\",\"Microsoft.ContainerService/managedClusters/persistentvolumeclaims/*\",\"Microsoft.ContainerService/managedClusters/pods/*\",\"Microsoft.ContainerService/managedClusters/policy/poddisruptionbudgets/*\",\"Microsoft.ContainerService/managedClusters/replicationcontrollers/*\",\"Microsoft.ContainerService/managedClusters/replicationcontrollers/*\",\"Microsoft.ContainerService/managedClusters/resourcequotas/read\",\"Microsoft.ContainerService/managedClusters/secrets/*\",\"Microsoft.ContainerService/managedClusters/serviceaccounts/*\",\"Microsoft.ContainerService/managedClusters/services/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-07-02T17:54:51.9644983Z\",\"updatedOn\":\"2021-11-11T20:14:36.1293406Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a7ffa36f-339b-4b5c-8bdf-e2c188b2c0eb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a7ffa36f-339b-4b5c-8bdf-e2c188b2c0eb\"},{\"properties\":{\"roleName\":\"Services + Hub Operator\",\"type\":\"BuiltInRole\",\"description\":\"Services Hub Operator + allows you to perform all read, write, and deletion operations related to + Services Hub Connectors.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.ServicesHub/connectors/write\",\"Microsoft.ServicesHub/connectors/read\",\"Microsoft.ServicesHub/connectors/delete\",\"Microsoft.ServicesHub/connectors/checkAssessmentEntitlement/action\",\"Microsoft.ServicesHub/supportOfferingEntitlement/read\",\"Microsoft.ServicesHub/workspaces/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-07-20T17:57:22.0644902Z\",\"updatedOn\":\"2021-11-11T20:14:37.5544021Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/82200a5b-e217-47a5-b665-6d8765ee745b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"82200a5b-e217-47a5-b665-6d8765ee745b\"},{\"properties\":{\"roleName\":\"Object + Understanding Account Reader\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you read ingestion jobs for an object understanding account.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/ObjectUnderstandingAccounts/ingest/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-07-23T19:16:31.9929119Z\",\"updatedOn\":\"2021-11-11T20:14:37.9070085Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d18777c0-1514-4662-8490-608db7d334b6\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d18777c0-1514-4662-8490-608db7d334b6\"},{\"properties\":{\"roleName\":\"Azure + Arc Enabled Kubernetes Cluster User Role\",\"type\":\"BuiltInRole\",\"description\":\"List + cluster user credentials action.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Kubernetes/connectedClusters/listClusterUserCredentials/action\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Support/*\",\"Microsoft.Kubernetes/connectedClusters/listClusterUserCredential/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-07-28T17:37:00.7637445Z\",\"updatedOn\":\"2022-02-17T02:29:05.1000798Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/00493d72-78f6-4148-b6c5-d3ce8e4799dd\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"00493d72-78f6-4148-b6c5-d3ce8e4799dd\"},{\"properties\":{\"roleName\":\"SignalR + App Server\",\"type\":\"BuiltInRole\",\"description\":\"Lets your app server + access SignalR Service with AAD auth options.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SignalRService/SignalR/auth/accessKey/action\",\"Microsoft.SignalRService/SignalR/serverConnection/write\",\"Microsoft.SignalRService/SignalR/clientConnection/write\"],\"notDataActions\":[]}],\"createdOn\":\"2020-07-29T06:54:40.1201435Z\",\"updatedOn\":\"2021-11-16T05:19:04.8579948Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/420fcaa2-552c-430f-98ca-3264be4806c7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"420fcaa2-552c-430f-98ca-3264be4806c7\"},{\"properties\":{\"roleName\":\"SignalR + REST API Owner\",\"type\":\"BuiltInRole\",\"description\":\"Full access to + Azure SignalR Service REST APIs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SignalRService/SignalR/auth/clientToken/action\",\"Microsoft.SignalRService/SignalR/hub/send/action\",\"Microsoft.SignalRService/SignalR/group/send/action\",\"Microsoft.SignalRService/SignalR/group/read\",\"Microsoft.SignalRService/SignalR/group/write\",\"Microsoft.SignalRService/SignalR/clientConnection/send/action\",\"Microsoft.SignalRService/SignalR/clientConnection/read\",\"Microsoft.SignalRService/SignalR/clientConnection/write\",\"Microsoft.SignalRService/SignalR/user/send/action\",\"Microsoft.SignalRService/SignalR/user/read\",\"Microsoft.SignalRService/SignalR/user/write\"],\"notDataActions\":[]}],\"createdOn\":\"2020-07-29T09:35:32.2764751Z\",\"updatedOn\":\"2021-11-11T20:14:38.8028020Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/fd53cd77-2268-407a-8f46-7e7863d0f521\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"fd53cd77-2268-407a-8f46-7e7863d0f521\"},{\"properties\":{\"roleName\":\"Collaborative + Data Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can manage data + packages of a collaborative.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.IndustryDataLifecycle/custodianCollaboratives/*/read\",\"Microsoft.IndustryDataLifecycle/memberCollaboratives/*/read\",\"Microsoft.IndustryDataLifecycle/locations/dataPackages/*\",\"Microsoft.IndustryDataLifecycle/custodianCollaboratives/receivedDataPackages/*\",\"Microsoft.IndustryDataLifecycle/custodianCollaboratives/rejectDataPackage/action\",\"Microsoft.IndustryDataLifecycle/memberCollaboratives/sharedDataPackages/*\",\"Microsoft.IndustryDataLifecycle/custodianCollaboratives/dataModels/*\",\"Microsoft.IndustryDataLifecycle/custodianCollaboratives/auditLogs/action\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-08-14T11:58:31.8973556Z\",\"updatedOn\":\"2021-11-11T20:14:40.2428145Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/daa9e50b-21df-454c-94a6-a8050adab352\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"daa9e50b-21df-454c-94a6-a8050adab352\"},{\"properties\":{\"roleName\":\"Device + Update Reader\",\"type\":\"BuiltInRole\",\"description\":\"Gives you read + access to management and content operations, but does not allow making changes\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.DeviceUpdate/accounts/instances/updates/read\",\"Microsoft.DeviceUpdate/accounts/instances/management/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-08-21T23:40:19.2373610Z\",\"updatedOn\":\"2021-11-11T20:14:40.7922672Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e9dba6fb-3d52-4cf0-bce3-f06ce71b9e0f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e9dba6fb-3d52-4cf0-bce3-f06ce71b9e0f\"},{\"properties\":{\"roleName\":\"Device + Update Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Gives you + full access to management and content operations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.DeviceUpdate/accounts/instances/updates/read\",\"Microsoft.DeviceUpdate/accounts/instances/updates/write\",\"Microsoft.DeviceUpdate/accounts/instances/updates/delete\",\"Microsoft.DeviceUpdate/accounts/instances/management/read\",\"Microsoft.DeviceUpdate/accounts/instances/management/write\",\"Microsoft.DeviceUpdate/accounts/instances/management/delete\"],\"notDataActions\":[]}],\"createdOn\":\"2020-08-21T23:56:22.3520510Z\",\"updatedOn\":\"2021-11-11T20:14:40.9672678Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/02ca0879-e8e4-47a5-a61e-5c618b76e64a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"02ca0879-e8e4-47a5-a61e-5c618b76e64a\"},{\"properties\":{\"roleName\":\"Device + Update Content Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Gives + you full access to content operations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.DeviceUpdate/accounts/instances/updates/read\",\"Microsoft.DeviceUpdate/accounts/instances/updates/write\",\"Microsoft.DeviceUpdate/accounts/instances/updates/delete\"],\"notDataActions\":[]}],\"createdOn\":\"2020-08-21T23:58:18.4255500Z\",\"updatedOn\":\"2021-11-11T20:14:41.1433368Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0378884a-3af5-44ab-8323-f5b22f9f3c98\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0378884a-3af5-44ab-8323-f5b22f9f3c98\"},{\"properties\":{\"roleName\":\"Device + Update Deployments Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Gives + you full access to management operations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.DeviceUpdate/accounts/instances/management/read\",\"Microsoft.DeviceUpdate/accounts/instances/management/write\",\"Microsoft.DeviceUpdate/accounts/instances/management/delete\",\"Microsoft.DeviceUpdate/accounts/instances/updates/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-08-21T23:59:52.1001666Z\",\"updatedOn\":\"2022-01-13T01:59:19.4616366Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e4237640-0e3d-4a46-8fda-70bc94856432\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e4237640-0e3d-4a46-8fda-70bc94856432\"},{\"properties\":{\"roleName\":\"Device + Update Deployments Reader\",\"type\":\"BuiltInRole\",\"description\":\"Gives + you read access to management operations, but does not allow making changes\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.DeviceUpdate/accounts/instances/management/read\",\"Microsoft.DeviceUpdate/accounts/instances/updates/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-08-22T00:01:34.7053630Z\",\"updatedOn\":\"2022-01-13T01:35:51.6463216Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/49e2f5d2-7741-4835-8efa-19e1fe35e47f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"49e2f5d2-7741-4835-8efa-19e1fe35e47f\"},{\"properties\":{\"roleName\":\"Device + Update Content Reader\",\"type\":\"BuiltInRole\",\"description\":\"Gives you + read access to content operations, but does not allow making changes\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.DeviceUpdate/accounts/instances/updates/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-08-22T00:02:43.3299181Z\",\"updatedOn\":\"2021-11-11T20:14:41.6754856Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d1ee9a80-8b14-47f0-bdc2-f4a351625a7b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d1ee9a80-8b14-47f0-bdc2-f4a351625a7b\"},{\"properties\":{\"roleName\":\"Cognitive + Services Metrics Advisor Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Full + access to the project, including the system level configuration.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/MetricsAdvisor/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-09-10T07:46:47.5804491Z\",\"updatedOn\":\"2021-11-11T20:14:43.6930781Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/cb43c632-a144-4ec5-977c-e80c4affc34a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"cb43c632-a144-4ec5-977c-e80c4affc34a\"},{\"properties\":{\"roleName\":\"Cognitive + Services Metrics Advisor User\",\"type\":\"BuiltInRole\",\"description\":\"Access + to the project.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/MetricsAdvisor/*\"],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/MetricsAdvisor/stats/*\"]}],\"createdOn\":\"2020-09-10T07:47:59.6195639Z\",\"updatedOn\":\"2021-11-11T20:14:43.8780761Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3b20f47b-3825-43cb-8114-4bd2201156a8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3b20f47b-3825-43cb-8114-4bd2201156a8\"},{\"properties\":{\"roleName\":\"Schema + Registry Reader (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Read + and list Schema Registry groups and schemas.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.EventHub/namespaces/schemagroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.EventHub/namespaces/schemas/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-09-13T06:31:38.0272740Z\",\"updatedOn\":\"2021-11-11T20:14:44.6350450Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2c56ea50-c6b3-40a6-83c0-9d98858bc7d2\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2c56ea50-c6b3-40a6-83c0-9d98858bc7d2\"},{\"properties\":{\"roleName\":\"Schema + Registry Contributor (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Read, + write, and delete Schema Registry groups and schemas.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.EventHub/namespaces/schemagroups/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.EventHub/namespaces/schemas/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-09-13T06:48:26.6032931Z\",\"updatedOn\":\"2021-11-11T20:14:44.8200370Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5dffeca3-4936-4216-b2bc-10343a5abb25\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5dffeca3-4936-4216-b2bc-10343a5abb25\"},{\"properties\":{\"roleName\":\"AgFood + Platform Service Reader\",\"type\":\"BuiltInRole\",\"description\":\"Provides + read access to AgFood Platform Service\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AgFoodPlatform/*/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-09-14T10:21:08.9138820Z\",\"updatedOn\":\"2021-11-11T20:14:45.0056815Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7ec7ccdc-f61e-41fe-9aaf-980df0a44eba\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7ec7ccdc-f61e-41fe-9aaf-980df0a44eba\"},{\"properties\":{\"roleName\":\"AgFood + Platform Service Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Provides + contribute access to AgFood Platform Service\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AgFoodPlatform/*/action\",\"Microsoft.AgFoodPlatform/*/read\",\"Microsoft.AgFoodPlatform/*/write\"],\"notDataActions\":[\"Microsoft.AgFoodPlatform/farmers/write\",\"Microsoft.AgFoodPlatform/deletionJobs/*/write\"]}],\"createdOn\":\"2020-09-14T10:21:09.7239169Z\",\"updatedOn\":\"2021-11-11T20:14:45.1806787Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8508508a-4469-4e45-963b-2518ee0bb728\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8508508a-4469-4e45-963b-2518ee0bb728\"},{\"properties\":{\"roleName\":\"AgFood + Platform Service Admin\",\"type\":\"BuiltInRole\",\"description\":\"Provides + admin access to AgFood Platform Service\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AgFoodPlatform/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-09-14T10:21:09.8039209Z\",\"updatedOn\":\"2021-11-11T20:14:45.3613128Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f8da80de-1ff9-4747-ad80-a19b7f6079e3\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f8da80de-1ff9-4747-ad80-a19b7f6079e3\"},{\"properties\":{\"roleName\":\"Managed + HSM contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage + managed HSM pools, but not access to them.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.KeyVault/managedHSMs/*\",\"Microsoft.KeyVault/deletedManagedHsms/read\",\"Microsoft.KeyVault/locations/deletedManagedHsms/read\",\"Microsoft.KeyVault/locations/deletedManagedHsms/purge/action\",\"Microsoft.KeyVault/locations/managedHsmOperationResults/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-09-16T21:47:01.1291104Z\",\"updatedOn\":\"2022-03-07T20:20:03.1782149Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18500a29-7fe2-46b2-a342-b16a415e101d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"18500a29-7fe2-46b2-a342-b16a415e101d\"},{\"properties\":{\"roleName\":\"Security + Detonation Chamber Submitter\",\"type\":\"BuiltInRole\",\"description\":\"Allowed + to create submissions to Security Detonation Chamber\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SecurityDetonation/chambers/submissions/delete\",\"Microsoft.SecurityDetonation/chambers/submissions/write\",\"Microsoft.SecurityDetonation/chambers/submissions/read\",\"Microsoft.SecurityDetonation/chambers/submissions/files/read\",\"Microsoft.SecurityDetonation/chambers/submissions/accesskeyview/read\",\"Microsoft.SecurityDetonation/chambers/platforms/metadata/read\",\"Microsoft.SecurityDetonation/chambers/workflows/metadata/read\",\"Microsoft.SecurityDetonation/chambers/toolsets/metadata/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-10-01T08:55:21.3980274Z\",\"updatedOn\":\"2021-11-11T20:14:47.5471350Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0b555d9b-b4a7-4f43-b330-627f0e5be8f0\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0b555d9b-b4a7-4f43-b330-627f0e5be8f0\"},{\"properties\":{\"roleName\":\"SignalR + REST API Reader\",\"type\":\"BuiltInRole\",\"description\":\"Read-only access + to Azure SignalR Service REST APIs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SignalRService/SignalR/group/read\",\"Microsoft.SignalRService/SignalR/clientConnection/read\",\"Microsoft.SignalRService/SignalR/user/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-10-13T09:19:05.6463616Z\",\"updatedOn\":\"2021-11-11T20:14:48.7902970Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ddde6b66-c0df-4114-a159-3618637b3035\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ddde6b66-c0df-4114-a159-3618637b3035\"},{\"properties\":{\"roleName\":\"SignalR + Service Owner\",\"type\":\"BuiltInRole\",\"description\":\"Full access to + Azure SignalR Service REST APIs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SignalRService/SignalR/auth/accessKey/action\",\"Microsoft.SignalRService/SignalR/auth/clientToken/action\",\"Microsoft.SignalRService/SignalR/hub/send/action\",\"Microsoft.SignalRService/SignalR/group/send/action\",\"Microsoft.SignalRService/SignalR/group/read\",\"Microsoft.SignalRService/SignalR/group/write\",\"Microsoft.SignalRService/SignalR/clientConnection/send/action\",\"Microsoft.SignalRService/SignalR/clientConnection/read\",\"Microsoft.SignalRService/SignalR/clientConnection/write\",\"Microsoft.SignalRService/SignalR/serverConnection/write\",\"Microsoft.SignalRService/SignalR/user/send/action\",\"Microsoft.SignalRService/SignalR/user/read\",\"Microsoft.SignalRService/SignalR/user/write\"],\"notDataActions\":[]}],\"createdOn\":\"2020-10-13T09:20:32.1501410Z\",\"updatedOn\":\"2021-11-11T20:14:48.9653162Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7e4f1700-ea5a-4f59-8f37-079cfe29dce3\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7e4f1700-ea5a-4f59-8f37-079cfe29dce3\"},{\"properties\":{\"roleName\":\"Reservation + Purchaser\",\"type\":\"BuiltInRole\",\"description\":\"Lets you purchase reservations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Capacity/catalogs/read\",\"Microsoft.Capacity/register/action\",\"Microsoft.Compute/register/action\",\"Microsoft.Consumption/register/action\",\"Microsoft.Consumption/reservationRecommendationDetails/read\",\"Microsoft.Consumption/reservationRecommendations/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.SQL/register/action\",\"Microsoft.Support/supporttickets/write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-10-23T20:22:48.9217751Z\",\"updatedOn\":\"2022-04-25T20:55:26.9790121Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f7b75c60-3036-4b75-91c3-6b41c27c1689\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f7b75c60-3036-4b75-91c3-6b41c27c1689\"},{\"properties\":{\"roleName\":\"AzureML + Metrics Writer (preview)\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you write metrics to AzureML workspace\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.MachineLearningServices/workspaces/metrics/*/write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-10-27T16:55:19.5664950Z\",\"updatedOn\":\"2021-11-11T20:14:49.8655015Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/635dd51f-9968-44d3-b7fb-6d9a6bd613ae\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"635dd51f-9968-44d3-b7fb-6d9a6bd613ae\"},{\"properties\":{\"roleName\":\"Storage + Account Backup Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you perform backup and restore operations using Azure Backup on the storage + account.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Authorization/locks/read\",\"Microsoft.Authorization/locks/write\",\"Microsoft.Authorization/locks/delete\",\"Microsoft.Features/features/read\",\"Microsoft.Features/providers/features/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Storage/operations/read\",\"Microsoft.Storage/storageAccounts/objectReplicationPolicies/delete\",\"Microsoft.Storage/storageAccounts/objectReplicationPolicies/read\",\"Microsoft.Storage/storageAccounts/objectReplicationPolicies/write\",\"Microsoft.Storage/storageAccounts/objectReplicationPolicies/restorePointMarkers/write\",\"Microsoft.Storage/storageAccounts/blobServices/containers/read\",\"Microsoft.Storage/storageAccounts/blobServices/containers/write\",\"Microsoft.Storage/storageAccounts/blobServices/read\",\"Microsoft.Storage/storageAccounts/blobServices/write\",\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.Storage/storageAccounts/restoreBlobRanges/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-11-02T23:32:50.4203469Z\",\"updatedOn\":\"2022-04-20T01:44:53.5887074Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e5e2a7ff-d759-4cd2-bb51-3152d37e2eb1\"},{\"properties\":{\"roleName\":\"Experimentation + Metric Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allows for + creation, writes and reads to the metric set via the metrics service APIs.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Experimentation/experimentWorkspaces/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/read\",\"Microsoft.Experimentation/experimentWorkspaces/experimentationGroups/metricwrite/action\",\"Microsoft.Experimentation/experimentWorkspaces/metricwrite/action\",\"Microsoft.Experimentation/experimentWorkspaces/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-11-10T20:07:53.7535885Z\",\"updatedOn\":\"2021-11-11T20:14:50.9524177Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6188b7c9-7d01-4f99-a59f-c88b630326c0\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6188b7c9-7d01-4f99-a59f-c88b630326c0\"},{\"properties\":{\"roleName\":\"Project + Babylon Data Curator\",\"type\":\"BuiltInRole\",\"description\":\"The Microsoft.ProjectBabylon + data curator can create, read, modify and delete catalog data objects and + establish relationships between objects. This role is in preview and subject + to change.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ProjectBabylon/accounts/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ProjectBabylon/accounts/data/read\",\"Microsoft.ProjectBabylon/accounts/data/write\"],\"notDataActions\":[]}],\"createdOn\":\"2020-11-14T02:31:33.7988825Z\",\"updatedOn\":\"2021-11-11T20:14:51.4929515Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9ef4ef9c-a049-46b0-82ab-dd8ac094c889\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"9ef4ef9c-a049-46b0-82ab-dd8ac094c889\"},{\"properties\":{\"roleName\":\"Project + Babylon Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"The Microsoft.ProjectBabylon + data reader can read catalog data objects. This role is in preview and subject + to change.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ProjectBabylon/accounts/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ProjectBabylon/accounts/data/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-11-14T02:33:13.5342351Z\",\"updatedOn\":\"2021-11-11T20:14:51.6729667Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c8d896ba-346d-4f50-bc1d-7d1c84130446\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c8d896ba-346d-4f50-bc1d-7d1c84130446\"},{\"properties\":{\"roleName\":\"Project + Babylon Data Source Administrator\",\"type\":\"BuiltInRole\",\"description\":\"The + Microsoft.ProjectBabylon data source administrator can manage data sources + and data scans. This role is in preview and subject to change.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ProjectBabylon/accounts/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ProjectBabylon/accounts/scan/read\",\"Microsoft.ProjectBabylon/accounts/scan/write\"],\"notDataActions\":[]}],\"createdOn\":\"2020-11-14T02:34:01.8401954Z\",\"updatedOn\":\"2021-11-11T20:14:51.8529643Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/05b7651b-dc44-475e-b74d-df3db49fae0f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"05b7651b-dc44-475e-b74d-df3db49fae0f\"},{\"properties\":{\"roleName\":\"Purview + role 1 (Deprecated)\",\"type\":\"BuiltInRole\",\"description\":\"Deprecated + role.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Purview/accounts/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Purview/accounts/data/read\",\"Microsoft.Purview/accounts/data/write\"],\"notDataActions\":[]}],\"createdOn\":\"2020-11-14T02:37:15.0123345Z\",\"updatedOn\":\"2022-01-04T00:43:15.6924286Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8a3c2885-9b38-4fd2-9d99-91af537c1347\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8a3c2885-9b38-4fd2-9d99-91af537c1347\"},{\"properties\":{\"roleName\":\"Purview + role 3 (Deprecated)\",\"type\":\"BuiltInRole\",\"description\":\"Deprecated + role.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Purview/accounts/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Purview/accounts/data/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-11-14T02:39:22.2344740Z\",\"updatedOn\":\"2022-01-04T00:48:08.2844802Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ff100721-1b9d-43d8-af52-42b69c1272db\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ff100721-1b9d-43d8-af52-42b69c1272db\"},{\"properties\":{\"roleName\":\"Purview + role 2 (Deprecated)\",\"type\":\"BuiltInRole\",\"description\":\"Deprecated + role.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Purview/accounts/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Purview/accounts/scan/read\",\"Microsoft.Purview/accounts/scan/write\"],\"notDataActions\":[]}],\"createdOn\":\"2020-11-14T02:40:05.0975648Z\",\"updatedOn\":\"2022-01-04T00:47:22.9678219Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/200bba9e-f0c8-430f-892b-6f0794863803\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"200bba9e-f0c8-430f-892b-6f0794863803\"},{\"properties\":{\"roleName\":\"Application + Group Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Contributor + of the Application Group.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/applicationgroups/*\",\"Microsoft.DesktopVirtualization/hostpools/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/read\",\"Microsoft.DesktopVirtualization/workspaces/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-03T23:26:00.2784962Z\",\"updatedOn\":\"2021-11-11T20:14:52.9432015Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ca6382a4-1721-4bcf-a114-ff0c70227b6b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ca6382a4-1721-4bcf-a114-ff0c70227b6b\"},{\"properties\":{\"roleName\":\"Desktop + Virtualization Reader\",\"type\":\"BuiltInRole\",\"description\":\"Reader + of Desktop Virtualization.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:36:19.0140629Z\",\"updatedOn\":\"2021-11-11T20:14:54.0407838Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/49a72310-ab8d-41df-bbb0-79b649203868\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"49a72310-ab8d-41df-bbb0-79b649203868\"},{\"properties\":{\"roleName\":\"Desktop + Virtualization Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Contributor + of Desktop Virtualization.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:37:16.2910337Z\",\"updatedOn\":\"2021-11-11T20:14:54.2107872Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/082f0a83-3be5-4ba1-904c-961cca79b387\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"082f0a83-3be5-4ba1-904c-961cca79b387\"},{\"properties\":{\"roleName\":\"Desktop + Virtualization Workspace Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Contributor + of the Desktop Virtualization Workspace.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/workspaces/*\",\"Microsoft.DesktopVirtualization/applicationgroups/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:38:29.6089216Z\",\"updatedOn\":\"2021-11-11T20:14:54.3907854Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/21efdde3-836f-432b-bf3d-3e8e734d4b2b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"21efdde3-836f-432b-bf3d-3e8e734d4b2b\"},{\"properties\":{\"roleName\":\"Desktop + Virtualization User Session Operator\",\"type\":\"BuiltInRole\",\"description\":\"Operator + of the Desktop Virtualization Uesr Session.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/hostpools/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:39:16.9100273Z\",\"updatedOn\":\"2021-11-11T20:14:54.5657970Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ea4bfff8-7fb4-485a-aadd-d4129a0ffaa6\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ea4bfff8-7fb4-485a-aadd-d4129a0ffaa6\"},{\"properties\":{\"roleName\":\"Desktop + Virtualization Session Host Operator\",\"type\":\"BuiltInRole\",\"description\":\"Operator + of the Desktop Virtualization Session Host.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/hostpools/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:39:53.2569741Z\",\"updatedOn\":\"2021-11-11T20:14:54.7508042Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2ad6aaab-ead9-4eaa-8ac5-da422f562408\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2ad6aaab-ead9-4eaa-8ac5-da422f562408\"},{\"properties\":{\"roleName\":\"Desktop + Virtualization Host Pool Reader\",\"type\":\"BuiltInRole\",\"description\":\"Reader + of the Desktop Virtualization Host Pool.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/hostpools/*/read\",\"Microsoft.DesktopVirtualization/hostpools/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:40:33.1430834Z\",\"updatedOn\":\"2021-11-11T20:14:54.9257967Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ceadfde2-b300-400a-ab7b-6143895aa822\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ceadfde2-b300-400a-ab7b-6143895aa822\"},{\"properties\":{\"roleName\":\"Desktop + Virtualization Host Pool Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Contributor + of the Desktop Virtualization Host Pool.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/hostpools/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:40:57.2976187Z\",\"updatedOn\":\"2021-11-11T20:14:55.1057701Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e307426c-f9b6-4e81-87de-d99efb3c32bc\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e307426c-f9b6-4e81-87de-d99efb3c32bc\"},{\"properties\":{\"roleName\":\"Desktop + Virtualization Application Group Reader\",\"type\":\"BuiltInRole\",\"description\":\"Reader + of the Desktop Virtualization Application Group.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/applicationgroups/*/read\",\"Microsoft.DesktopVirtualization/applicationgroups/read\",\"Microsoft.DesktopVirtualization/hostpools/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:41:18.0287398Z\",\"updatedOn\":\"2021-11-11T20:14:55.2858006Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/aebf23d0-b568-4e86-b8f9-fe83a2c6ab55\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"aebf23d0-b568-4e86-b8f9-fe83a2c6ab55\"},{\"properties\":{\"roleName\":\"Desktop + Virtualization Application Group Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Contributor + of the Desktop Virtualization Application Group.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/applicationgroups/*\",\"Microsoft.DesktopVirtualization/hostpools/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:41:38.6205531Z\",\"updatedOn\":\"2021-11-11T20:14:55.4677136Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/86240b0e-9422-4c43-887b-b61143f32ba8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"86240b0e-9422-4c43-887b-b61143f32ba8\"},{\"properties\":{\"roleName\":\"Desktop + Virtualization Workspace Reader\",\"type\":\"BuiltInRole\",\"description\":\"Reader + of the Desktop Virtualization Workspace.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/workspaces/read\",\"Microsoft.DesktopVirtualization/applicationgroups/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-11T21:41:58.1892707Z\",\"updatedOn\":\"2021-11-11T20:14:55.6577168Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0fa44ee9-7a7d-466b-9bb2-2bf446b1204d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0fa44ee9-7a7d-466b-9bb2-2bf446b1204d\"},{\"properties\":{\"roleName\":\"Disk + Backup Reader\",\"type\":\"BuiltInRole\",\"description\":\"Provides permission + to backup vault to perform disk backup.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Compute/disks/read\",\"Microsoft.Compute/disks/beginGetAccess/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-15T07:39:03.8394514Z\",\"updatedOn\":\"2021-11-11T20:14:56.0178737Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3e5e47e6-65f7-47ef-90b5-e5dd4d455f24\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3e5e47e6-65f7-47ef-90b5-e5dd4d455f24\"},{\"properties\":{\"roleName\":\"Autonomous + Development Platform Data Contributor (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Grants + permissions to upload and manage new Autonomous Development Platform measurements.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.AutonomousDevelopmentPlatform/*/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.AutonomousDevelopmentPlatform/accounts/dataPools/discoveries/*\",\"Microsoft.AutonomousDevelopmentPlatform/accounts/dataPools/uploads/*\",\"Microsoft.AutonomousDevelopmentPlatform/accounts/dataPools/measurements/states/new/*\",\"Microsoft.AutonomousDevelopmentPlatform/accounts/dataPools/measurementCollections/*\",\"Microsoft.AutonomousDevelopmentPlatform/accounts/measurementCollections/*\",\"Microsoft.AutonomousDevelopmentPlatform/workspaces/read\",\"Microsoft.AutonomousDevelopmentPlatform/workspaces/discoveries/*\",\"Microsoft.AutonomousDevelopmentPlatform/workspaces/uploads/*\",\"Microsoft.AutonomousDevelopmentPlatform/workspaces/measurements/states/new/*\",\"Microsoft.AutonomousDevelopmentPlatform/workspaces/measurementCollections/*\"],\"notDataActions\":[\"Microsoft.AutonomousDevelopmentPlatform/accounts/dataPools/measurements/states/new/changeState/action\",\"Microsoft.AutonomousDevelopmentPlatform/workspaces/measurements/states/new/changeState/action\"]}],\"createdOn\":\"2020-12-15T11:30:01.7459379Z\",\"updatedOn\":\"2022-05-31T15:19:41.8949991Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b8b15564-4fa6-4a59-ab12-03e1d9594795\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b8b15564-4fa6-4a59-ab12-03e1d9594795\"},{\"properties\":{\"roleName\":\"Autonomous + Development Platform Data Reader (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Grants + read access to Autonomous Development Platform data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.AutonomousDevelopmentPlatform/*/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.AutonomousDevelopmentPlatform/*/read\"],\"notDataActions\":[]}],\"createdOn\":\"2020-12-15T12:11:31.9843256Z\",\"updatedOn\":\"2022-01-04T13:21:04.3207709Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d63b75f7-47ea-4f27-92ac-e0d173aaf093\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d63b75f7-47ea-4f27-92ac-e0d173aaf093\"},{\"properties\":{\"roleName\":\"Autonomous + Development Platform Data Owner (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Grants + full access to Autonomous Development Platform data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.AutonomousDevelopmentPlatform/*/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.AutonomousDevelopmentPlatform/*\"],\"notDataActions\":[]}],\"createdOn\":\"2020-12-15T12:13:59.9702378Z\",\"updatedOn\":\"2022-01-04T13:20:26.2040404Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/27f8b550-c507-4db9-86f2-f4b8e816d59d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"27f8b550-c507-4db9-86f2-f4b8e816d59d\"},{\"properties\":{\"roleName\":\"Disk + Restore Operator\",\"type\":\"BuiltInRole\",\"description\":\"Provides permission + to backup vault to perform disk restore.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Compute/disks/write\",\"Microsoft.Compute/disks/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-15T12:18:31.8481619Z\",\"updatedOn\":\"2021-11-11T20:14:56.7408912Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b50d9833-a0cb-478e-945f-707fcc997c13\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b50d9833-a0cb-478e-945f-707fcc997c13\"},{\"properties\":{\"roleName\":\"Disk + Snapshot Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Provides + permission to backup vault to manage disk snapshots.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Compute/snapshots/delete\",\"Microsoft.Compute/snapshots/write\",\"Microsoft.Compute/snapshots/read\",\"Microsoft.Compute/snapshots/beginGetAccess/action\",\"Microsoft.Compute/snapshots/endGetAccess/action\",\"Microsoft.Compute/disks/beginGetAccess/action\",\"Microsoft.Storage/storageAccounts/listkeys/action\",\"Microsoft.Storage/storageAccounts/write\",\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.Storage/storageAccounts/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2020-12-15T12:18:51.4471411Z\",\"updatedOn\":\"2021-11-11T20:14:56.9158814Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7efff54f-a5b4-42b5-a1c5-5411624893ce\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7efff54f-a5b4-42b5-a1c5-5411624893ce\"},{\"properties\":{\"roleName\":\"Microsoft.Kubernetes + connected cluster role\",\"type\":\"BuiltInRole\",\"description\":\"Microsoft.Kubernetes + connected cluster role.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Kubernetes/connectedClusters/read\",\"Microsoft.Kubernetes/connectedClusters/write\",\"Microsoft.Kubernetes/connectedClusters/delete\",\"Microsoft.Kubernetes/registeredSubscriptions/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-01-07T23:57:10.9923232Z\",\"updatedOn\":\"2021-11-11T20:14:58.2039838Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5548b2cf-c94c-4228-90ba-30851930a12f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5548b2cf-c94c-4228-90ba-30851930a12f\"},{\"properties\":{\"roleName\":\"Security + Detonation Chamber Submission Manager\",\"type\":\"BuiltInRole\",\"description\":\"Allowed + to create and manage submissions to Security Detonation Chamber\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SecurityDetonation/chambers/submissions/delete\",\"Microsoft.SecurityDetonation/chambers/submissions/write\",\"Microsoft.SecurityDetonation/chambers/submissions/read\",\"Microsoft.SecurityDetonation/chambers/submissions/files/read\",\"Microsoft.SecurityDetonation/chambers/submissions/accesskeyview/read\",\"Microsoft.SecurityDetonation/chambers/submissions/adminview/read\",\"Microsoft.SecurityDetonation/chambers/submissions/analystview/read\",\"Microsoft.SecurityDetonation/chambers/submissions/publicview/read\",\"Microsoft.SecurityDetonation/chambers/platforms/metadata/read\",\"Microsoft.SecurityDetonation/chambers/workflows/metadata/read\",\"Microsoft.SecurityDetonation/chambers/toolsets/metadata/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-01-18T09:35:36.5739297Z\",\"updatedOn\":\"2021-11-11T20:14:58.3939604Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a37b566d-3efa-4beb-a2f2-698963fa42ce\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a37b566d-3efa-4beb-a2f2-698963fa42ce\"},{\"properties\":{\"roleName\":\"Security + Detonation Chamber Publisher\",\"type\":\"BuiltInRole\",\"description\":\"Allowed + to publish and modify platforms, workflows and toolsets to Security Detonation + Chamber\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SecurityDetonation/chambers/platforms/read\",\"Microsoft.SecurityDetonation/chambers/platforms/write\",\"Microsoft.SecurityDetonation/chambers/platforms/delete\",\"Microsoft.SecurityDetonation/chambers/platforms/metadata/read\",\"Microsoft.SecurityDetonation/chambers/workflows/read\",\"Microsoft.SecurityDetonation/chambers/workflows/write\",\"Microsoft.SecurityDetonation/chambers/workflows/delete\",\"Microsoft.SecurityDetonation/chambers/workflows/metadata/read\",\"Microsoft.SecurityDetonation/chambers/toolsets/read\",\"Microsoft.SecurityDetonation/chambers/toolsets/write\",\"Microsoft.SecurityDetonation/chambers/toolsets/delete\",\"Microsoft.SecurityDetonation/chambers/toolsets/metadata/read\",\"Microsoft.SecurityDetonation/chambers/publishRequests/read\",\"Microsoft.SecurityDetonation/chambers/publishRequests/cancel/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-01-18T11:43:14.0858184Z\",\"updatedOn\":\"2021-11-11T20:14:58.5639749Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/352470b3-6a9c-4686-b503-35deb827e500\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"352470b3-6a9c-4686-b503-35deb827e500\"},{\"properties\":{\"roleName\":\"Collaborative + Runtime Operator\",\"type\":\"BuiltInRole\",\"description\":\"Can manage resources + created by AICS at runtime\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.IndustryDataLifecycle/derivedModels/*\",\"Microsoft.IndustryDataLifecycle/pipelineSets/*\",\"Microsoft.IndustryDataLifecycle/modelMappings/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-01-19T10:00:27.3464971Z\",\"updatedOn\":\"2021-11-11T20:14:58.7442136Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7a6f0e70-c033-4fb1-828c-08514e5f4102\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7a6f0e70-c033-4fb1-828c-08514e5f4102\"},{\"properties\":{\"roleName\":\"CosmosRestoreOperator\",\"type\":\"BuiltInRole\",\"description\":\"Can + perform restore action for Cosmos DB database account with continuous backup + mode\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DocumentDB/locations/restorableDatabaseAccounts/restore/action\",\"Microsoft.DocumentDB/locations/restorableDatabaseAccounts/*/read\",\"Microsoft.DocumentDB/locations/restorableDatabaseAccounts/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-01-21T19:51:35.3884884Z\",\"updatedOn\":\"2021-11-11T20:14:59.4892686Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5432c526-bc82-444a-b7ba-57c5b0b5b34f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5432c526-bc82-444a-b7ba-57c5b0b5b34f\"},{\"properties\":{\"roleName\":\"FHIR + Data Converter\",\"type\":\"BuiltInRole\",\"description\":\"Role allows user + or principal to convert data from legacy format to FHIR\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.HealthcareApis/services/fhir/resources/convertData/action\",\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/convertData/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-01-22T19:39:01.1601069Z\",\"updatedOn\":\"2021-11-11T20:14:59.8605937Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a1705bd2-3a8f-45a5-8683-466fcfd5cc24\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a1705bd2-3a8f-45a5-8683-466fcfd5cc24\"},{\"properties\":{\"roleName\":\"Microsoft + Sentinel Automation Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Microsoft + Sentinel Automation Contributor\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Logic/workflows/triggers/read\",\"Microsoft.Logic/workflows/triggers/listCallbackUrl/action\",\"Microsoft.Logic/workflows/runs/read\",\"Microsoft.Web/sites/hostruntime/webhooks/api/workflows/triggers/read\",\"Microsoft.Web/sites/hostruntime/webhooks/api/workflows/triggers/listCallbackUrl/action\",\"Microsoft.Web/sites/hostruntime/webhooks/api/workflows/runs/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-01-24T08:50:52.0382991Z\",\"updatedOn\":\"2022-01-26T09:25:00.4699337Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f4c81013-99ee-4d62-a7ee-b3f1f648599a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f4c81013-99ee-4d62-a7ee-b3f1f648599a\"},{\"properties\":{\"roleName\":\"Quota + Request Operator\",\"type\":\"BuiltInRole\",\"description\":\"Read and create + quota requests, get quota request status, and create support tickets.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Capacity/resourceProviders/locations/serviceLimits/read\",\"Microsoft.Capacity/resourceProviders/locations/serviceLimits/write\",\"Microsoft.Capacity/resourceProviders/locations/serviceLimitsRequests/read\",\"Microsoft.Capacity/register/action\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-02-03T00:06:35.8404575Z\",\"updatedOn\":\"2021-11-11T20:15:00.9583919Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0e5f05e5-9ab9-446b-b98d-1e2157c94125\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0e5f05e5-9ab9-446b-b98d-1e2157c94125\"},{\"properties\":{\"roleName\":\"EventGrid + Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage EventGrid + operations.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.EventGrid/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-02-08T18:46:18.8999557Z\",\"updatedOn\":\"2021-11-11T20:15:01.6867802Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1e241071-0855-49ea-94dc-649edcd759de\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1e241071-0855-49ea-94dc-649edcd759de\"},{\"properties\":{\"roleName\":\"Security + Detonation Chamber Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allowed + to query submission info and files from Security Detonation Chamber\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SecurityDetonation/chambers/submissions/read\",\"Microsoft.SecurityDetonation/chambers/submissions/files/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-03-01T14:06:46.2814905Z\",\"updatedOn\":\"2021-11-11T20:15:03.3274090Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/28241645-39f8-410b-ad48-87863e2951d5\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"28241645-39f8-410b-ad48-87863e2951d5\"},{\"properties\":{\"roleName\":\"Object + Anchors Account Reader\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + read ingestion jobs for an object anchors account.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/ObjectAnchorsAccounts/ingest/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-03-02T01:20:47.0279813Z\",\"updatedOn\":\"2021-11-11T20:15:03.5006082Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4a167cdf-cb95-4554-9203-2347fe489bd9\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4a167cdf-cb95-4554-9203-2347fe489bd9\"},{\"properties\":{\"roleName\":\"Object + Anchors Account Owner\",\"type\":\"BuiltInRole\",\"description\":\"Provides + user with ingestion capabilities for an object anchors account.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.MixedReality/ObjectAnchorsAccounts/ingest/action\",\"Microsoft.MixedReality/ObjectAnchorsAccounts/ingest/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-03-02T01:42:02.0014737Z\",\"updatedOn\":\"2021-11-11T20:15:03.6855873Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ca0835dd-bacc-42dd-8ed2-ed5e7230d15b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ca0835dd-bacc-42dd-8ed2-ed5e7230d15b\"},{\"properties\":{\"roleName\":\"WorkloadBuilder + Migration Agent Role\",\"type\":\"BuiltInRole\",\"description\":\"WorkloadBuilder + Migration Agent Role.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.WorkloadBuilder/migrationAgents/Read\",\"Microsoft.WorkloadBuilder/migrationAgents/Write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-03-11T17:07:20.0828003Z\",\"updatedOn\":\"2021-11-11T20:15:04.2456706Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d17ce0a2-0697-43bc-aac5-9113337ab61c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d17ce0a2-0697-43bc-aac5-9113337ab61c\"},{\"properties\":{\"roleName\":\"Web + PubSub Service Owner (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Full + access to Azure Web PubSub Service REST APIs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SignalRService/WebPubSub/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-03-24T09:10:11.8335180Z\",\"updatedOn\":\"2021-11-16T05:16:52.6491279Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/12cf5a90-567b-43ae-8102-96cf46c7d9b4\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"12cf5a90-567b-43ae-8102-96cf46c7d9b4\"},{\"properties\":{\"roleName\":\"Web + PubSub Service Reader (Preview)\",\"type\":\"BuiltInRole\",\"description\":\"Read-only + access to Azure Web PubSub Service REST APIs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.SignalRService/WebPubSub/*/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-03-24T09:11:12.6235436Z\",\"updatedOn\":\"2021-11-16T05:17:12.8340953Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/bfb1c7d2-fb1a-466b-b2ba-aee63b92deaf\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"bfb1c7d2-fb1a-466b-b2ba-aee63b92deaf\"},{\"properties\":{\"roleName\":\"Azure + Spring Cloud Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allow + read access to Azure Spring Cloud Data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AppPlatform/Spring/*/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-03-25T11:12:12.6786010Z\",\"updatedOn\":\"2021-11-11T20:15:05.3368606Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b5537268-8956-4941-a8f0-646150406f0c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b5537268-8956-4941-a8f0-646150406f0c\"},{\"properties\":{\"roleName\":\"Cognitive + Services Speech User\",\"type\":\"BuiltInRole\",\"description\":\"Access to + the real-time speech recognition and batch transcription APIs, real-time speech + synthesis and long audio APIs, as well as to read the data/test/model/endpoint + for custom models, but can\u2019t create, delete or modify the data/test/model/endpoint + for custom models.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/SpeechServices/*/read\",\"Microsoft.CognitiveServices/accounts/SpeechServices/*/transcriptions/read\",\"Microsoft.CognitiveServices/accounts/SpeechServices/*/transcriptions/write\",\"Microsoft.CognitiveServices/accounts/SpeechServices/*/transcriptions/delete\",\"Microsoft.CognitiveServices/accounts/SpeechServices/*/frontend/action\",\"Microsoft.CognitiveServices/accounts/SpeechServices/text-dependent/*/action\",\"Microsoft.CognitiveServices/accounts/SpeechServices/text-independent/*/action\",\"Microsoft.CognitiveServices/accounts/CustomVoice/*/read\",\"Microsoft.CognitiveServices/accounts/CustomVoice/evaluations/*\",\"Microsoft.CognitiveServices/accounts/CustomVoice/longaudiosynthesis/*\",\"Microsoft.CognitiveServices/accounts/AudioContentCreation/*\"],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/CustomVoice/datasets/files/read\",\"Microsoft.CognitiveServices/accounts/CustomVoice/datasets/utterances/read\"]}],\"createdOn\":\"2021-03-30T11:28:27.4339032Z\",\"updatedOn\":\"2022-05-23T15:08:46.2082116Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f2dc8367-1007-4938-bd23-fe263f013447\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f2dc8367-1007-4938-bd23-fe263f013447\"},{\"properties\":{\"roleName\":\"Cognitive + Services Speech Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Full + access to Speech projects, including read, write and delete all entities, + for real-time speech recognition and batch transcription tasks, real-time + speech synthesis and long audio tasks, custom speech and custom voice.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/SpeechServices/*\",\"Microsoft.CognitiveServices/accounts/CustomVoice/*\",\"Microsoft.CognitiveServices/accounts/AudioContentCreation/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-03-30T11:28:49.7826633Z\",\"updatedOn\":\"2022-05-23T15:08:46.1925859Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0e75ca1e-0464-4b4d-8b93-68208a576181\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0e75ca1e-0464-4b4d-8b93-68208a576181\"},{\"properties\":{\"roleName\":\"Cognitive + Services Face Recognizer\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you perform detect, verify, identify, group, and find similar operations on + Face API. This role does not allow create or delete operations, which makes + it well suited for endpoints that only need inferencing capabilities, following + 'least privilege' best practices.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/Face/detect/action\",\"Microsoft.CognitiveServices/accounts/Face/verify/action\",\"Microsoft.CognitiveServices/accounts/Face/identify/action\",\"Microsoft.CognitiveServices/accounts/Face/group/action\",\"Microsoft.CognitiveServices/accounts/Face/findsimilars/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-03-31T01:51:41.3557295Z\",\"updatedOn\":\"2021-11-11T20:15:05.8818362Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/9894cab4-e18a-44aa-828b-cb588cd6f2d7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"9894cab4-e18a-44aa-828b-cb588cd6f2d7\"},{\"properties\":{\"roleName\":\"Media + Services Account Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Create, + read, modify, and delete Media Services accounts; read-only access to other + Media Services resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Media/mediaservices/*/read\",\"Microsoft.Media/mediaservices/assets/listStreamingLocators/action\",\"Microsoft.Media/mediaservices/streamingLocators/listPaths/action\",\"Microsoft.Media/mediaservices/write\",\"Microsoft.Media/mediaservices/delete\",\"Microsoft.Media/mediaservices/privateEndpointConnectionsApproval/action\",\"Microsoft.Media/mediaservices/privateEndpointConnections/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-04-19T23:20:32.2956636Z\",\"updatedOn\":\"2021-11-11T20:15:07.1518844Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/054126f8-9a2b-4f1c-a9ad-eca461f08466\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"054126f8-9a2b-4f1c-a9ad-eca461f08466\"},{\"properties\":{\"roleName\":\"Media + Services Live Events Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Create, + read, modify, and delete Live Events, Assets, Asset Filters, and Streaming + Locators; read-only access to other Media Services resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Media/mediaservices/*/read\",\"Microsoft.Media/mediaservices/assets/*\",\"Microsoft.Media/mediaservices/assets/assetfilters/*\",\"Microsoft.Media/mediaservices/streamingLocators/*\",\"Microsoft.Media/mediaservices/liveEvents/*\"],\"notActions\":[\"Microsoft.Media/mediaservices/assets/getEncryptionKey/action\",\"Microsoft.Media/mediaservices/streamingLocators/listContentKeys/action\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-04-19T23:21:00.6119555Z\",\"updatedOn\":\"2021-11-11T20:15:07.3318873Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/532bc159-b25e-42c0-969e-a1d439f60d77\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"532bc159-b25e-42c0-969e-a1d439f60d77\"},{\"properties\":{\"roleName\":\"Media + Services Media Operator\",\"type\":\"BuiltInRole\",\"description\":\"Create, + read, modify, and delete Assets, Asset Filters, Streaming Locators, and Jobs; + read-only access to other Media Services resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Media/mediaservices/*/read\",\"Microsoft.Media/mediaservices/assets/*\",\"Microsoft.Media/mediaservices/assets/assetfilters/*\",\"Microsoft.Media/mediaservices/streamingLocators/*\",\"Microsoft.Media/mediaservices/transforms/jobs/*\"],\"notActions\":[\"Microsoft.Media/mediaservices/assets/getEncryptionKey/action\",\"Microsoft.Media/mediaservices/streamingLocators/listContentKeys/action\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-04-19T23:21:23.2236495Z\",\"updatedOn\":\"2021-11-11T20:15:07.5068487Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e4395492-1534-4db2-bedf-88c14621589c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e4395492-1534-4db2-bedf-88c14621589c\"},{\"properties\":{\"roleName\":\"Media + Services Policy Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Create, + read, modify, and delete Account Filters, Streaming Policies, Content Key + Policies, and Transforms; read-only access to other Media Services resources. + Cannot create Jobs, Assets or Streaming resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Media/mediaservices/*/read\",\"Microsoft.Media/mediaservices/assets/listStreamingLocators/action\",\"Microsoft.Media/mediaservices/streamingLocators/listPaths/action\",\"Microsoft.Media/mediaservices/accountFilters/*\",\"Microsoft.Media/mediaservices/streamingPolicies/*\",\"Microsoft.Media/mediaservices/contentKeyPolicies/*\",\"Microsoft.Media/mediaservices/transforms/*\"],\"notActions\":[\"Microsoft.Media/mediaservices/contentKeyPolicies/getPolicyPropertiesWithSecrets/action\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-04-19T23:21:46.9534330Z\",\"updatedOn\":\"2021-11-11T20:15:07.6968496Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c4bba371-dacd-4a26-b320-7250bca963ae\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c4bba371-dacd-4a26-b320-7250bca963ae\"},{\"properties\":{\"roleName\":\"Media + Services Streaming Endpoints Administrator\",\"type\":\"BuiltInRole\",\"description\":\"Create, + read, modify, and delete Streaming Endpoints; read-only access to other Media + Services resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Insights/metrics/read\",\"Microsoft.Insights/metricDefinitions/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Media/mediaservices/*/read\",\"Microsoft.Media/mediaservices/assets/listStreamingLocators/action\",\"Microsoft.Media/mediaservices/streamingLocators/listPaths/action\",\"Microsoft.Media/mediaservices/streamingEndpoints/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-04-19T23:22:04.4594851Z\",\"updatedOn\":\"2021-11-11T20:15:07.8718907Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/99dba123-b5fe-44d5-874c-ced7199a5804\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"99dba123-b5fe-44d5-874c-ced7199a5804\"},{\"properties\":{\"roleName\":\"Stream + Analytics Query Tester\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + perform query testing without creating a stream analytics job first\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.StreamAnalytics/locations/TestQuery/action\",\"Microsoft.StreamAnalytics/locations/OperationResults/read\",\"Microsoft.StreamAnalytics/locations/SampleInput/action\",\"Microsoft.StreamAnalytics/locations/CompileQuery/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-04-20T17:33:24.5727870Z\",\"updatedOn\":\"2021-11-11T20:15:08.0481551Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1ec5b3c1-b17e-4e25-8312-2acb3c3c5abf\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1ec5b3c1-b17e-4e25-8312-2acb3c3c5abf\"},{\"properties\":{\"roleName\":\"AnyBuild + Builder\",\"type\":\"BuiltInRole\",\"description\":\"Basic user role for AnyBuild. + This role allows listing of agent information and execution of remote build + capabilities.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AnyBuild/clusters/build/write\",\"Microsoft.AnyBuild/clusters/build/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-04-20T22:07:00.4963853Z\",\"updatedOn\":\"2021-11-11T20:15:08.4254134Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a2138dac-4907-4679-a376-736901ed8ad8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a2138dac-4907-4679-a376-736901ed8ad8\"},{\"properties\":{\"roleName\":\"IoT + Hub Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows for full + read access to IoT Hub data-plane properties\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Devices/IotHubs/*/read\",\"Microsoft.Devices/IotHubs/fileUpload/notifications/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-04-22T18:03:29.8843192Z\",\"updatedOn\":\"2021-11-11T20:15:08.6054154Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b447c946-2db7-41ec-983d-d8bf3b1c77e3\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b447c946-2db7-41ec-983d-d8bf3b1c77e3\"},{\"properties\":{\"roleName\":\"IoT + Hub Twin Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allows for + read and write access to all IoT Hub device and module twins.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Devices/IotHubs/twins/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-04-22T20:36:10.1136903Z\",\"updatedOn\":\"2021-11-11T20:15:08.7855063Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/494bdba2-168f-4f31-a0a1-191d2f7c028c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"494bdba2-168f-4f31-a0a1-191d2f7c028c\"},{\"properties\":{\"roleName\":\"IoT + Hub Registry Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allows + for full access to IoT Hub device registry.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Devices/IotHubs/devices/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-04-22T20:36:47.5532704Z\",\"updatedOn\":\"2021-11-11T20:15:08.9804295Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4ea46cd5-c1b2-4a8e-910b-273211f9ce47\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4ea46cd5-c1b2-4a8e-910b-273211f9ce47\"},{\"properties\":{\"roleName\":\"IoT + Hub Data Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allows for + full access to IoT Hub data plane operations.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Devices/IotHubs/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-04-22T20:37:16.9927761Z\",\"updatedOn\":\"2021-11-11T20:15:09.1754206Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4fc6c259-987e-4a07-842e-c321cc9d413f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4fc6c259-987e-4a07-842e-c321cc9d413f\"},{\"properties\":{\"roleName\":\"Test + Base Reader\",\"type\":\"BuiltInRole\",\"description\":\"Let you view and + download packages and test results.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.TestBase/testBaseAccounts/packages/testResults/getDownloadUrl/action\",\"Microsoft.TestBase/testBaseAccounts/packages/testResults/getVideoDownloadUrl/action\",\"Microsoft.TestBase/testBaseAccounts/packages/getDownloadUrl/action\",\"Microsoft.TestBase/*/read\",\"Microsoft.TestBase/testBaseAccounts/customerEvents/write\",\"Microsoft.TestBase/testBaseAccounts/customerEvents/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-05-11T23:41:33.1038367Z\",\"updatedOn\":\"2021-11-11T20:15:10.8004347Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/15e0f5a1-3450-4248-8e25-e2afe88a9e85\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"15e0f5a1-3450-4248-8e25-e2afe88a9e85\"},{\"properties\":{\"roleName\":\"Search + Index Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Grants read + access to Azure Cognitive Search index data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Search/searchServices/indexes/documents/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-06-01T20:26:13.4850461Z\",\"updatedOn\":\"2021-11-11T20:15:11.3604371Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1407120a-92aa-4202-b7e9-c0e197c71c8f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1407120a-92aa-4202-b7e9-c0e197c71c8f\"},{\"properties\":{\"roleName\":\"Search + Index Data Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Grants + full access to Azure Cognitive Search index data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Search/searchServices/indexes/documents/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-06-01T22:15:16.5388472Z\",\"updatedOn\":\"2021-11-11T20:15:11.5504385Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/8ebe5a00-799e-43f5-93ac-243d3dce84a7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"8ebe5a00-799e-43f5-93ac-243d3dce84a7\"},{\"properties\":{\"roleName\":\"Storage + Table Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows for + read access to Azure Storage tables and entities\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/tableServices/tables/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/tableServices/tables/entities/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-06-15T06:40:54.9150717Z\",\"updatedOn\":\"2021-11-11T20:15:12.1005298Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/76199698-9eea-4c19-bc75-cec21354c6b6\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"76199698-9eea-4c19-bc75-cec21354c6b6\"},{\"properties\":{\"roleName\":\"Storage + Table Data Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allows + for read, write and delete access to Azure Storage tables and entities\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Storage/storageAccounts/tableServices/tables/read\",\"Microsoft.Storage/storageAccounts/tableServices/tables/write\",\"Microsoft.Storage/storageAccounts/tableServices/tables/delete\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Storage/storageAccounts/tableServices/tables/entities/read\",\"Microsoft.Storage/storageAccounts/tableServices/tables/entities/write\",\"Microsoft.Storage/storageAccounts/tableServices/tables/entities/delete\",\"Microsoft.Storage/storageAccounts/tableServices/tables/entities/add/action\",\"Microsoft.Storage/storageAccounts/tableServices/tables/entities/update/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-06-15T06:51:59.8207610Z\",\"updatedOn\":\"2021-11-11T20:15:12.2854966Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0a9a7e1f-b9d0-4cc4-a60d-0319b160aaa3\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0a9a7e1f-b9d0-4cc4-a60d-0319b160aaa3\"},{\"properties\":{\"roleName\":\"DICOM + Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Read and search DICOM + data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.HealthcareApis/workspaces/dicomservices/resources/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-06-17T20:58:30.1630494Z\",\"updatedOn\":\"2021-11-11T20:15:13.0154948Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e89c7a3c-2f64-4fa1-a847-3e4c9ba4283a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e89c7a3c-2f64-4fa1-a847-3e4c9ba4283a\"},{\"properties\":{\"roleName\":\"DICOM + Data Owner\",\"type\":\"BuiltInRole\",\"description\":\"Full access to DICOM + data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.HealthcareApis/workspaces/dicomservices/resources/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-06-17T20:59:30.8659515Z\",\"updatedOn\":\"2021-11-11T20:15:13.1904985Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/58a3b984-7adf-4c20-983a-32417c86fbc8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"58a3b984-7adf-4c20-983a-32417c86fbc8\"},{\"properties\":{\"roleName\":\"EventGrid + Data Sender\",\"type\":\"BuiltInRole\",\"description\":\"Allows send access + to event grid events.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.EventGrid/topics/read\",\"Microsoft.EventGrid/domains/read\",\"Microsoft.EventGrid/partnerNamespaces/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.EventGrid/events/send/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-07-02T21:55:40.4847495Z\",\"updatedOn\":\"2021-11-11T20:15:13.5605134Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d5a91429-5739-47e2-a06b-3470a27159e7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d5a91429-5739-47e2-a06b-3470a27159e7\"},{\"properties\":{\"roleName\":\"Disk + Pool Operator\",\"type\":\"BuiltInRole\",\"description\":\"Used by the StoragePool + Resource Provider to manage Disks added to a Disk Pool.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/disks/write\",\"Microsoft.Compute/disks/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-07-08T17:26:05.1079972Z\",\"updatedOn\":\"2021-11-11T20:15:13.9154612Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/60fc6e62-5479-42d4-8bf4-67625fcc2840\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"60fc6e62-5479-42d4-8bf4-67625fcc2840\"},{\"properties\":{\"roleName\":\"AzureML + Data Scientist\",\"type\":\"BuiltInRole\",\"description\":\"Can perform all + actions within an Azure Machine Learning workspace, except for creating or + deleting compute resources and modifying the workspace itself.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.MachineLearningServices/workspaces/*/read\",\"Microsoft.MachineLearningServices/workspaces/*/action\",\"Microsoft.MachineLearningServices/workspaces/*/delete\",\"Microsoft.MachineLearningServices/workspaces/*/write\"],\"notActions\":[\"Microsoft.MachineLearningServices/workspaces/delete\",\"Microsoft.MachineLearningServices/workspaces/write\",\"Microsoft.MachineLearningServices/workspaces/computes/*/write\",\"Microsoft.MachineLearningServices/workspaces/computes/*/delete\",\"Microsoft.MachineLearningServices/workspaces/computes/listKeys/action\",\"Microsoft.MachineLearningServices/workspaces/listKeys/action\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-07-14T21:51:06.0361218Z\",\"updatedOn\":\"2021-11-11T20:15:14.6405263Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f6c7c914-8db3-469d-8ca1-694a8f32e121\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f6c7c914-8db3-469d-8ca1-694a8f32e121\"},{\"properties\":{\"roleName\":\"Grafana + Admin\",\"type\":\"BuiltInRole\",\"description\":\"Built-in Grafana admin + role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Dashboard/grafana/ActAsGrafanaAdmin/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-07-15T21:32:35.3802340Z\",\"updatedOn\":\"2021-11-11T20:15:14.8104670Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/22926164-76b3-42b3-bc55-97df8dab3e41\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"22926164-76b3-42b3-bc55-97df8dab3e41\"},{\"properties\":{\"roleName\":\"Azure + Connected SQL Server Onboarding\",\"type\":\"BuiltInRole\",\"description\":\"Microsoft.AzureArcData\_service\_role\_to\_access\_the\_resources\_of\_Microsoft.AzureArcData\_stored\_with\_RPSAAS.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.AzureArcData/sqlServerInstances/read\",\"Microsoft.AzureArcData/sqlServerInstances/write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-07-19T23:52:15.8885739Z\",\"updatedOn\":\"2021-11-11T20:15:15.1754742Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e8113dce-c529-4d33-91fa-e9b972617508\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e8113dce-c529-4d33-91fa-e9b972617508\"},{\"properties\":{\"roleName\":\"Azure + Relay Sender\",\"type\":\"BuiltInRole\",\"description\":\"Allows for send + access to Azure Relay resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Relay/*/wcfRelays/read\",\"Microsoft.Relay/*/hybridConnections/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Relay/*/send/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-07-20T15:37:20.7558643Z\",\"updatedOn\":\"2021-11-11T20:15:15.5454755Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/26baccc8-eea7-41f1-98f4-1762cc7f685d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"26baccc8-eea7-41f1-98f4-1762cc7f685d\"},{\"properties\":{\"roleName\":\"Azure + Relay Owner\",\"type\":\"BuiltInRole\",\"description\":\"Allows for full access + to Azure Relay resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Relay/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Relay/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-07-20T15:44:26.3023126Z\",\"updatedOn\":\"2021-11-11T20:15:15.7154782Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2787bf04-f1f5-4bfe-8383-c8a24483ee38\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2787bf04-f1f5-4bfe-8383-c8a24483ee38\"},{\"properties\":{\"roleName\":\"Azure + Relay Listener\",\"type\":\"BuiltInRole\",\"description\":\"Allows for listen + access to Azure Relay resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Relay/*/wcfRelays/read\",\"Microsoft.Relay/*/hybridConnections/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.Relay/*/listen/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-07-20T18:38:03.1437496Z\",\"updatedOn\":\"2021-11-11T20:15:15.9005232Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/26e0b698-aa6d-4085-9386-aadae190014d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"26e0b698-aa6d-4085-9386-aadae190014d\"},{\"properties\":{\"roleName\":\"Grafana + Viewer\",\"type\":\"BuiltInRole\",\"description\":\"Built-in Grafana Viewer + role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Dashboard/grafana/ActAsGrafanaViewer/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-08-05T16:36:18.7737511Z\",\"updatedOn\":\"2021-11-11T20:15:16.9904932Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/60921a7e-fef1-4a43-9b16-a26c52ad4769\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"60921a7e-fef1-4a43-9b16-a26c52ad4769\"},{\"properties\":{\"roleName\":\"Grafana + Editor\",\"type\":\"BuiltInRole\",\"description\":\"Built-in Grafana Editor + role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Dashboard/grafana/ActAsGrafanaEditor/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-08-05T16:37:32.5299593Z\",\"updatedOn\":\"2021-11-11T20:15:17.1805426Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a79a5197-3a5c-4973-a920-486035ffd60f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a79a5197-3a5c-4973-a920-486035ffd60f\"},{\"properties\":{\"roleName\":\"Automation + Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Manage azure automation + resources and other resources using azure automation.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Automation/automationAccounts/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Support/*\",\"Microsoft.Insights/ActionGroups/*\",\"Microsoft.Insights/ActivityLogAlerts/*\",\"Microsoft.Insights/MetricAlerts/*\",\"Microsoft.Insights/ScheduledQueryRules/*\",\"Microsoft.Insights/diagnosticSettings/*\",\"Microsoft.OperationalInsights/workspaces/sharedKeys/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-08-09T10:18:19.1054699Z\",\"updatedOn\":\"2021-11-11T20:15:17.7304954Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f353d9bd-d4a6-484e-a77a-8050b599b867\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f353d9bd-d4a6-484e-a77a-8050b599b867\"},{\"properties\":{\"roleName\":\"Kubernetes + Extension Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can create, + update, get, list and delete Kubernetes Extensions, and get extension async + operations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.KubernetesConfiguration/extensions/write\",\"Microsoft.KubernetesConfiguration/extensions/read\",\"Microsoft.KubernetesConfiguration/extensions/delete\",\"Microsoft.KubernetesConfiguration/extensions/operations/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-08-09T19:47:50.6828896Z\",\"updatedOn\":\"2021-11-11T20:15:17.9155393Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/85cb6faf-e071-4c9b-8136-154b5a04f717\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"85cb6faf-e071-4c9b-8136-154b5a04f717\"},{\"properties\":{\"roleName\":\"Device + Provisioning Service Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows + for full read access to Device Provisioning Service data-plane properties.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Devices/provisioningServices/*/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-08-09T19:53:12.1374732Z\",\"updatedOn\":\"2021-11-11T20:15:18.0905503Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/10745317-c249-44a1-a5ce-3a4353c0bbd8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"10745317-c249-44a1-a5ce-3a4353c0bbd8\"},{\"properties\":{\"roleName\":\"Device + Provisioning Service Data Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allows + for full access to Device Provisioning Service data-plane operations.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Devices/provisioningServices/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-08-09T19:54:03.2783227Z\",\"updatedOn\":\"2021-11-11T20:15:18.2605302Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/dfce44e4-17b7-4bd1-a6d1-04996ec95633\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"dfce44e4-17b7-4bd1-a6d1-04996ec95633\"},{\"properties\":{\"roleName\":\"CodeSigning + Certificate Profile Signer\",\"type\":\"BuiltInRole\",\"description\":\"Sign + files with a certificate profile. This role is in preview and subject to change.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CodeSigning/certificateProfiles/Sign/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-08-16T23:17:53.0002693Z\",\"updatedOn\":\"2021-11-11T20:15:18.6105679Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2837e146-70d7-4cfd-ad55-7efa6464f958\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2837e146-70d7-4cfd-ad55-7efa6464f958\"},{\"properties\":{\"roleName\":\"Azure + Spring Cloud Service Registry Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allow + read access to Azure Spring Cloud Service Registry\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AppPlatform/Spring/eurekaService/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-08-20T04:40:17.9785063Z\",\"updatedOn\":\"2021-11-11T20:15:18.9655101Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/cff1b556-2399-4e7e-856d-a8f754be7b65\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"cff1b556-2399-4e7e-856d-a8f754be7b65\"},{\"properties\":{\"roleName\":\"Azure + Spring Cloud Service Registry Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allow + read, write and delete access to Azure Spring Cloud Service Registry\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AppPlatform/Spring/eurekaService/read\",\"Microsoft.AppPlatform/Spring/eurekaService/write\",\"Microsoft.AppPlatform/Spring/eurekaService/delete\"],\"notDataActions\":[]}],\"createdOn\":\"2021-08-20T04:42:38.9153779Z\",\"updatedOn\":\"2021-11-11T20:15:19.1405497Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f5880b48-c26d-48be-b172-7927bfa1c8f1\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f5880b48-c26d-48be-b172-7927bfa1c8f1\"},{\"properties\":{\"roleName\":\"Azure + Spring Cloud Config Server Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allow + read access to Azure Spring Cloud Config Server\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AppPlatform/Spring/configService/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-08-26T01:50:51.5123701Z\",\"updatedOn\":\"2021-11-11T20:15:19.3155517Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d04c6db6-4947-4782-9e91-30a88feb7be7\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d04c6db6-4947-4782-9e91-30a88feb7be7\"},{\"properties\":{\"roleName\":\"Azure + Spring Cloud Config Server Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Allow + read, write and delete access to Azure Spring Cloud Config Server\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AppPlatform/Spring/configService/read\",\"Microsoft.AppPlatform/Spring/configService/write\",\"Microsoft.AppPlatform/Spring/configService/delete\"],\"notDataActions\":[]}],\"createdOn\":\"2021-09-06T02:30:47.8611580Z\",\"updatedOn\":\"2021-11-11T20:15:20.0405208Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a06f5c24-21a7-4e1a-aa2b-f19eb6684f5b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a06f5c24-21a7-4e1a-aa2b-f19eb6684f5b\"},{\"properties\":{\"roleName\":\"Azure + VM Managed identities restore Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Azure + VM Managed identities restore Contributors are allowed to perform Azure VM + Restores with managed identities both user and system\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-09-13T05:27:59.2180214Z\",\"updatedOn\":\"2021-11-11T20:15:20.5805266Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6ae96244-5829-4925-a7d3-5975537d91dd\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6ae96244-5829-4925-a7d3-5975537d91dd\"},{\"properties\":{\"roleName\":\"Azure + Maps Search and Render Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Grants + access to very limited set of data APIs for common visual web SDK scenarios. + Specifically, render and search data APIs.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Maps/accounts/services/render/read\",\"Microsoft.Maps/accounts/services/search/read\"],\"notDataActions\":[]}],\"createdOn\":\"2021-10-01T22:17:50.5178931Z\",\"updatedOn\":\"2021-11-11T20:15:22.0455410Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6be48352-4f82-47c9-ad5e-0acacefdb005\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6be48352-4f82-47c9-ad5e-0acacefdb005\"},{\"properties\":{\"roleName\":\"Azure + Maps Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Grants access + all Azure Maps resource management.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Maps/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-10-01T22:19:13.1357904Z\",\"updatedOn\":\"2021-11-11T20:15:22.2455414Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/dba33070-676a-4fb0-87fa-064dc56ff7fb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"dba33070-676a-4fb0-87fa-064dc56ff7fb\"},{\"properties\":{\"roleName\":\"Azure + Arc VMware VM Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Arc + VMware VM Contributor has permissions to perform all VM actions.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ConnectedVMwarevSphere/virtualmachines/*\",\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/operationresults/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-10-18T20:19:53.0087024Z\",\"updatedOn\":\"2021-11-11T20:15:23.8706020Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b748a06d-6150-4f8a-aaa9-ce3940cd96cb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b748a06d-6150-4f8a-aaa9-ce3940cd96cb\"},{\"properties\":{\"roleName\":\"Azure + Arc VMware Private Cloud User\",\"type\":\"BuiltInRole\",\"description\":\"Azure + Arc VMware Private Cloud User has permissions to use the VMware cloud resources + to deploy VMs.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.ConnectedVMwarevSphere/virtualnetworks/join/action\",\"Microsoft.ConnectedVMwarevSphere/virtualnetworks/Read\",\"Microsoft.ConnectedVMwarevSphere/virtualmachinetemplates/clone/action\",\"Microsoft.ConnectedVMwarevSphere/virtualmachinetemplates/Read\",\"Microsoft.ConnectedVMwarevSphere/resourcepools/deploy/action\",\"Microsoft.ConnectedVMwarevSphere/resourcepools/Read\",\"Microsoft.ConnectedVMwarevSphere/hosts/deploy/action\",\"Microsoft.ConnectedVMwarevSphere/hosts/Read\",\"Microsoft.ConnectedVMwarevSphere/clusters/deploy/action\",\"Microsoft.ConnectedVMwarevSphere/clusters/Read\",\"Microsoft.ConnectedVMwarevSphere/datastores/allocateSpace/action\",\"Microsoft.ConnectedVMwarevSphere/datastores/Read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-10-18T20:20:46.5105444Z\",\"updatedOn\":\"2021-11-11T20:15:24.0456080Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ce551c02-7c42-47e0-9deb-e3b6fc3a9a83\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ce551c02-7c42-47e0-9deb-e3b6fc3a9a83\"},{\"properties\":{\"roleName\":\"Azure + Arc VMware Administrator role \",\"type\":\"BuiltInRole\",\"description\":\"Arc + VMware VM Contributor has permissions to perform all connected VMwarevSphere + actions.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ConnectedVMwarevSphere/*\",\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/operationresults/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-11-01T17:12:42.6172725Z\",\"updatedOn\":\"2021-11-11T20:15:25.1275776Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ddc140ed-e463-4246-9145-7c664192013f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ddc140ed-e463-4246-9145-7c664192013f\"},{\"properties\":{\"roleName\":\"Azure + Arc VMware Private Clouds Onboarding\",\"type\":\"BuiltInRole\",\"description\":\"Azure + Arc VMware Private Clouds Onboarding role has permissions to provision all + the required resources for onboard and deboard vCenter instances to Azure.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ConnectedVMwarevSphere/vcenters/Write\",\"Microsoft.ConnectedVMwarevSphere/vcenters/Read\",\"Microsoft.ConnectedVMwarevSphere/vcenters/Delete\",\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.KubernetesConfiguration/extensions/Write\",\"Microsoft.KubernetesConfiguration/extensions/Read\",\"Microsoft.KubernetesConfiguration/extensions/Delete\",\"Microsoft.KubernetesConfiguration/operations/read\",\"Microsoft.ExtendedLocation/customLocations/Read\",\"Microsoft.ExtendedLocation/customLocations/Write\",\"Microsoft.ExtendedLocation/customLocations/Delete\",\"Microsoft.ExtendedLocation/customLocations/deploy/action\",\"Microsoft.ResourceConnector/appliances/Read\",\"Microsoft.ResourceConnector/appliances/Write\",\"Microsoft.ResourceConnector/appliances/Delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-11-01T22:18:08.4480747Z\",\"updatedOn\":\"2022-01-14T02:51:08.7237156Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/67d33e57-3129-45e6-bb0b-7cc522f762fa\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"67d33e57-3129-45e6-bb0b-7cc522f762fa\"},{\"properties\":{\"roleName\":\"Cognitive + Services LUIS Owner\",\"type\":\"BuiltInRole\",\"description\":\" Has access + to all Read, Test, Write, Deploy and Delete functions under LUIS\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.CognitiveServices/accounts/listkeys/action\",\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/LUIS/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-11-04T03:28:02.9611800Z\",\"updatedOn\":\"2021-11-11T20:15:25.4884913Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f72c8140-2111-481c-87ff-72b910f6e3f8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f72c8140-2111-481c-87ff-72b910f6e3f8\"},{\"properties\":{\"roleName\":\"Cognitive + Services Language Reader\",\"type\":\"BuiltInRole\",\"description\":\"Has + access to Read and Test functions under Language portal\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/LanguageAuthoring/*/read\",\"Microsoft.CognitiveServices/accounts/ConversationalLanguageUnderstanding/*/read\",\"Microsoft.CognitiveServices/accounts/ConversationalLanguageUnderstanding/projects/export/action\",\"Microsoft.CognitiveServices/accounts/Language/*/read\",\"Microsoft.CognitiveServices/accounts/Language/*/projects/export/action\",\"Microsoft.CognitiveServices/accounts/Language/query-text/action\",\"Microsoft.CognitiveServices/accounts/Language/query-dataverse/action\",\"Microsoft.CognitiveServices/accounts/Language/analyze-text/jobs/action\",\"Microsoft.CognitiveServices/accounts/Language/analyze-text/action\",\"Microsoft.CognitiveServices/accounts/Language/analyze-text/jobscancel/action\",\"Microsoft.CognitiveServices/accounts/Language/analyze-conversations/action\",\"Microsoft.CognitiveServices/accounts/Language/analyze-conversations/jobscancel/action\",\"Microsoft.CognitiveServices/accounts/Language/analyze-conversations/jobs/action\",\"Microsoft.CognitiveServices/accounts/Language/query-knowledgebases/action\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/*\"],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnaMaker/*\"]}],\"createdOn\":\"2021-11-04T03:29:14.7643336Z\",\"updatedOn\":\"2022-06-17T06:19:08.0395330Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/7628b7b8-a8b2-4cdc-b46f-e9b35248918e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"7628b7b8-a8b2-4cdc-b46f-e9b35248918e\"},{\"properties\":{\"roleName\":\"Cognitive + Services Language Writer\",\"type\":\"BuiltInRole\",\"description\":\" Has + access to all Read, Test, and Write functions under Language Portal\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/LanguageAuthoring/*\",\"Microsoft.CognitiveServices/accounts/ConversationalLanguageUnderstanding/*\",\"Microsoft.CognitiveServices/accounts/Language/*\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/*\"],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/LanguageAuthoring/projects/publish/action\",\"Microsoft.CognitiveServices/accounts/ConversationalLanguageUnderstanding/projects/deployments/write\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnaMaker/*\",\"Microsoft.CognitiveServices/accounts/Language/*/projects/delete\",\"Microsoft.CognitiveServices/accounts/Language/*/projects/deployments/write\",\"Microsoft.CognitiveServices/accounts/Language/*/projects/deployments/delete\",\"Microsoft.CognitiveServices/accounts/Language/*/projects/deployments/swap/action\"]}],\"createdOn\":\"2021-11-04T03:29:39.5761019Z\",\"updatedOn\":\"2022-03-29T18:03:23.4902754Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f2310ca1-dc64-4889-bb49-c8e0fa3d47a8\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f2310ca1-dc64-4889-bb49-c8e0fa3d47a8\"},{\"properties\":{\"roleName\":\"Cognitive + Services Language Owner\",\"type\":\"BuiltInRole\",\"description\":\"Has access + to all Read, Test, Write, Deploy and Delete functions under Language portal\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.CognitiveServices/accounts/listkeys/action\",\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/LanguageAuthoring/*\",\"Microsoft.CognitiveServices/accounts/ConversationalLanguageUnderstanding/*\",\"Microsoft.CognitiveServices/accounts/Language/*\",\"Microsoft.CognitiveServices/accounts/TextAnalytics/*\"],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/TextAnalytics/QnaMaker/*\"]}],\"createdOn\":\"2021-11-04T03:30:07.6173528Z\",\"updatedOn\":\"2022-03-29T18:03:46.5617184Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f07febfe-79bc-46b1-8b37-790e26e6e498\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f07febfe-79bc-46b1-8b37-790e26e6e498\"},{\"properties\":{\"roleName\":\"Cognitive + Services LUIS Reader\",\"type\":\"BuiltInRole\",\"description\":\"Has access + to Read and Test functions under LUIS.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/LUIS/*/read\",\"Microsoft.CognitiveServices/accounts/LUIS/apps/testdatasets/write\"],\"notDataActions\":[]}],\"createdOn\":\"2021-11-04T03:30:31.2704834Z\",\"updatedOn\":\"2021-11-11T20:15:26.2134821Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18e81cdc-4e98-4e29-a639-e7d10c5a6226\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"18e81cdc-4e98-4e29-a639-e7d10c5a6226\"},{\"properties\":{\"roleName\":\"Cognitive + Services LUIS Writer\",\"type\":\"BuiltInRole\",\"description\":\"Has access + to all Read, Test, and Write functions under LUIS\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.CognitiveServices/*/read\",\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/LUIS/*\"],\"notDataActions\":[\"Microsoft.CognitiveServices/accounts/LUIS/apps/delete\",\"Microsoft.CognitiveServices/accounts/LUIS/apps/move/action\",\"Microsoft.CognitiveServices/accounts/LUIS/apps/publish/action\",\"Microsoft.CognitiveServices/accounts/LUIS/apps/settings/write\",\"Microsoft.CognitiveServices/accounts/LUIS/apps/azureaccounts/action\",\"Microsoft.CognitiveServices/accounts/LUIS/apps/azureaccounts/delete\"]}],\"createdOn\":\"2021-11-04T03:31:12.1580052Z\",\"updatedOn\":\"2021-11-11T20:15:26.3934523Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6322a993-d5c9-4bed-b113-e49bbea25b27\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6322a993-d5c9-4bed-b113-e49bbea25b27\"},{\"properties\":{\"roleName\":\"PlayFab + Reader\",\"type\":\"BuiltInRole\",\"description\":\"Provides read access to + PlayFab resources\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.PlayFab/*/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-11-04T23:26:57.2248605Z\",\"updatedOn\":\"2021-11-11T20:15:26.5784834Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a9a19cc5-31f4-447c-901f-56c0bb18fcaf\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a9a19cc5-31f4-447c-901f-56c0bb18fcaf\"},{\"properties\":{\"roleName\":\"Load + Test Contributor\",\"type\":\"BuiltInRole\",\"description\":\"View, create, + update, delete and execute load tests. View and list load test resources but + can not make any changes.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.LoadTestService/*/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.LoadTestService/loadtests/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-11-09T08:11:21.0936461Z\",\"updatedOn\":\"2021-11-11T20:15:27.1189225Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/749a398d-560b-491b-bb21-08924219302e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"749a398d-560b-491b-bb21-08924219302e\"},{\"properties\":{\"roleName\":\"Load + Test Owner\",\"type\":\"BuiltInRole\",\"description\":\"Execute all operations + on load test resources and load tests\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.LoadTestService/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.LoadTestService/*\"],\"notDataActions\":[]}],\"createdOn\":\"2021-11-09T08:12:24.5500195Z\",\"updatedOn\":\"2021-11-11T20:15:27.2897153Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/45bb0b16-2f0c-4e78-afaa-a07599b003f6\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"45bb0b16-2f0c-4e78-afaa-a07599b003f6\"},{\"properties\":{\"roleName\":\"PlayFab + Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Provides contributor + access to PlayFab resources\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.PlayFab/*/read\",\"Microsoft.PlayFab/*/write\",\"Microsoft.PlayFab/*/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-11-10T00:55:37.3326276Z\",\"updatedOn\":\"2021-11-11T20:15:28.0547167Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0c8b84dc-067c-4039-9615-fa1a4b77c726\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0c8b84dc-067c-4039-9615-fa1a4b77c726\"},{\"properties\":{\"roleName\":\"Load + Test Reader\",\"type\":\"BuiltInRole\",\"description\":\"View and list all + load tests and load test resources but can not make any changes\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.LoadTestService/*/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Insights/alertRules/*\"],\"notActions\":[],\"dataActions\":[\"Microsoft.LoadTestService/loadtests/readTest/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-11-10T06:14:08.3903105Z\",\"updatedOn\":\"2021-11-11T20:15:28.2297181Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/3ae3fb29-0000-4ccd-bf80-542e7b26e081\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"3ae3fb29-0000-4ccd-bf80-542e7b26e081\"},{\"properties\":{\"roleName\":\"Cognitive + Services Immersive Reader User\",\"type\":\"BuiltInRole\",\"description\":\"Provides + access to create Immersive Reader sessions and call APIs\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.CognitiveServices/accounts/ImmersiveReader/getcontentmodelforreader/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-11-10T19:52:14.4487503Z\",\"updatedOn\":\"2021-11-11T20:15:28.4146975Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b2de6794-95db-4659-8781-7e080d3f2b9d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b2de6794-95db-4659-8781-7e080d3f2b9d\"},{\"properties\":{\"roleName\":\"Lab + Services Contributor\",\"type\":\"BuiltInRole\",\"description\":\"The lab + services contributor role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.LabServices/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.LabServices/labPlans/createLab/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-11-11T00:51:03.3308981Z\",\"updatedOn\":\"2021-11-11T20:15:28.7792013Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/f69b8690-cc87-41d6-b77a-a4bc3c0a966f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"f69b8690-cc87-41d6-b77a-a4bc3c0a966f\"},{\"properties\":{\"roleName\":\"Lab + Services Reader\",\"type\":\"BuiltInRole\",\"description\":\"The lab services + reader role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.LabServices/*/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-11-11T00:55:30.4208618Z\",\"updatedOn\":\"2021-11-11T20:15:28.9592032Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/2a5c394f-5eb7-4d4f-9c8e-e8eae39faebc\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"2a5c394f-5eb7-4d4f-9c8e-e8eae39faebc\"},{\"properties\":{\"roleName\":\"Lab + Assistant\",\"type\":\"BuiltInRole\",\"description\":\"The lab assistant role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.LabServices/labPlans/images/read\",\"Microsoft.LabServices/labPlans/read\",\"Microsoft.LabServices/labs/read\",\"Microsoft.LabServices/labs/schedules/read\",\"Microsoft.LabServices/labs/users/read\",\"Microsoft.LabServices/labs/users/invite/action\",\"Microsoft.LabServices/labs/virtualMachines/read\",\"Microsoft.LabServices/labs/virtualMachines/start/action\",\"Microsoft.LabServices/labs/virtualMachines/stop/action\",\"Microsoft.LabServices/labs/virtualMachines/reimage/action\",\"Microsoft.LabServices/labs/virtualMachines/redeploy/action\",\"Microsoft.LabServices/locations/usages/read\",\"Microsoft.LabServices/skus/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-11-11T00:56:10.4295443Z\",\"updatedOn\":\"2021-11-11T20:15:29.1442530Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ce40b423-cede-4313-a93f-9b28290b72e1\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ce40b423-cede-4313-a93f-9b28290b72e1\"},{\"properties\":{\"roleName\":\"Lab + Operator\",\"type\":\"BuiltInRole\",\"description\":\"The lab operator role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.LabServices/labPlans/images/read\",\"Microsoft.LabServices/labPlans/read\",\"Microsoft.LabServices/labPlans/saveImage/action\",\"Microsoft.LabServices/labs/publish/action\",\"Microsoft.LabServices/labs/read\",\"Microsoft.LabServices/labs/schedules/read\",\"Microsoft.LabServices/labs/schedules/write\",\"Microsoft.LabServices/labs/schedules/delete\",\"Microsoft.LabServices/labs/users/read\",\"Microsoft.LabServices/labs/users/write\",\"Microsoft.LabServices/labs/users/delete\",\"Microsoft.LabServices/labs/users/invite/action\",\"Microsoft.LabServices/labs/virtualMachines/read\",\"Microsoft.LabServices/labs/virtualMachines/start/action\",\"Microsoft.LabServices/labs/virtualMachines/stop/action\",\"Microsoft.LabServices/labs/virtualMachines/reimage/action\",\"Microsoft.LabServices/labs/virtualMachines/redeploy/action\",\"Microsoft.LabServices/labs/virtualMachines/resetPassword/action\",\"Microsoft.LabServices/locations/usages/read\",\"Microsoft.LabServices/skus/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-11-11T00:56:41.9942935Z\",\"updatedOn\":\"2021-11-11T20:15:29.3242664Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a36e6959-b6be-4b12-8e9f-ef4b474d304d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a36e6959-b6be-4b12-8e9f-ef4b474d304d\"},{\"properties\":{\"roleName\":\"Lab + Contributor\",\"type\":\"BuiltInRole\",\"description\":\"The lab contributor + role\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.LabServices/labPlans/images/read\",\"Microsoft.LabServices/labPlans/read\",\"Microsoft.LabServices/labPlans/saveImage/action\",\"Microsoft.LabServices/labs/read\",\"Microsoft.LabServices/labs/write\",\"Microsoft.LabServices/labs/delete\",\"Microsoft.LabServices/labs/publish/action\",\"Microsoft.LabServices/labs/syncGroup/action\",\"Microsoft.LabServices/labs/schedules/read\",\"Microsoft.LabServices/labs/schedules/write\",\"Microsoft.LabServices/labs/schedules/delete\",\"Microsoft.LabServices/labs/users/read\",\"Microsoft.LabServices/labs/users/write\",\"Microsoft.LabServices/labs/users/delete\",\"Microsoft.LabServices/labs/users/invite/action\",\"Microsoft.LabServices/labs/virtualMachines/read\",\"Microsoft.LabServices/labs/virtualMachines/start/action\",\"Microsoft.LabServices/labs/virtualMachines/stop/action\",\"Microsoft.LabServices/labs/virtualMachines/reimage/action\",\"Microsoft.LabServices/labs/virtualMachines/redeploy/action\",\"Microsoft.LabServices/labs/virtualMachines/resetPassword/action\",\"Microsoft.LabServices/locations/usages/read\",\"Microsoft.LabServices/skus/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.LabServices/labPlans/createLab/action\"],\"notDataActions\":[]}],\"createdOn\":\"2021-11-11T00:57:05.9018065Z\",\"updatedOn\":\"2021-11-11T20:15:29.4992096Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5daaa2af-1fe8-407c-9122-bba179798270\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5daaa2af-1fe8-407c-9122-bba179798270\"},{\"properties\":{\"roleName\":\"Chamber + User\",\"type\":\"BuiltInRole\",\"description\":\"Lets you view everything + under your HPC Workbench chamber, but not make any changes.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HpcWorkbench/instances/chambers/*/read\",\"Microsoft.HpcWorkbench/instances/chambers/workloads/*\",\"Microsoft.HpcWorkbench/instances/chambers/getUploadUri/action\",\"Microsoft.HpcWorkbench/instances/consortiums/*/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-12-15T20:51:06.2119764Z\",\"updatedOn\":\"2022-01-27T04:54:22.9559555Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4447db05-44ed-4da3-ae60-6cbece780e32\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4447db05-44ed-4da3-ae60-6cbece780e32\"},{\"properties\":{\"roleName\":\"Chamber + Admin\",\"type\":\"BuiltInRole\",\"description\":\"Lets you manage everything + under your HPC Workbench chamber.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HpcWorkbench/*/read\",\"Microsoft.HpcWorkbench/instances/chambers/*\",\"Microsoft.HpcWorkbench/instances/consortiums/*/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2021-12-15T20:53:14.4428297Z\",\"updatedOn\":\"2022-01-20T05:04:48.3694000Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4e9b8407-af2e-495b-ae54-bb60a55b1b5a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4e9b8407-af2e-495b-ae54-bb60a55b1b5a\"},{\"properties\":{\"roleName\":\"Windows + Admin Center Administrator Login\",\"type\":\"BuiltInRole\",\"description\":\"Let's + you manage the OS of your resource via Windows Admin Center as an administrator.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HybridCompute/machines/*/read\",\"Microsoft.HybridCompute/machines/extensions/*\",\"Microsoft.HybridCompute/machines/upgradeExtensions/action\",\"Microsoft.HybridCompute/operations/read\",\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Network/loadBalancers/read\",\"Microsoft.Network/publicIPAddresses/read\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/networkSecurityGroups/read\",\"Microsoft.Network/networkSecurityGroups/defaultSecurityRules/read\",\"Microsoft.Network/networkWatchers/securityGroupView/action\",\"Microsoft.Network/networkSecurityGroups/securityRules/read\",\"Microsoft.Network/networkSecurityGroups/securityRules/write\",\"Microsoft.HybridConnectivity/endpoints/write\",\"Microsoft.HybridConnectivity/endpoints/read\",\"Microsoft.HybridConnectivity/endpoints/listManagedProxyDetails/action\",\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Compute/virtualMachines/patchAssessmentResults/latest/read\",\"Microsoft.Compute/virtualMachines/patchAssessmentResults/latest/softwarePatches/read\",\"Microsoft.Compute/virtualMachines/patchInstallationResults/read\",\"Microsoft.Compute/virtualMachines/patchInstallationResults/softwarePatches/read\",\"Microsoft.Compute/virtualMachines/extensions/read\",\"Microsoft.Compute/virtualMachines/instanceView/read\",\"Microsoft.Compute/virtualMachines/runCommands/read\",\"Microsoft.Compute/virtualMachines/vmSizes/read\",\"Microsoft.Compute/locations/publishers/artifacttypes/types/read\",\"Microsoft.Compute/locations/publishers/artifacttypes/types/versions/read\",\"Microsoft.Compute/diskAccesses/read\",\"Microsoft.Compute/galleries/images/read\",\"Microsoft.Compute/images/read\",\"Microsoft.AzureStackHCI/Clusters/Read\",\"Microsoft.AzureStackHCI/Clusters/ArcSettings/Read\",\"Microsoft.AzureStackHCI/Clusters/ArcSettings/Extensions/Read\",\"Microsoft.AzureStackHCI/Clusters/ArcSettings/Extensions/Write\",\"Microsoft.AzureStackHCI/Clusters/ArcSettings/Extensions/Delete\",\"Microsoft.AzureStackHCI/Operations/Read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.HybridCompute/machines/WACLoginAsAdmin/action\",\"Microsoft.Compute/virtualMachines/WACloginAsAdmin/action\",\"Microsoft.AzureStackHCI/Clusters/WACloginAsAdmin/Action\"],\"notDataActions\":[]}],\"createdOn\":\"2022-01-12T00:51:19.5581155Z\",\"updatedOn\":\"2022-07-12T21:33:45.2330879Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a6333a3e-0164-44c3-b281-7a577aff287f\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a6333a3e-0164-44c3-b281-7a577aff287f\"},{\"properties\":{\"roleName\":\"Guest + Configuration Resource Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you read, write Guest Configuration Resource.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.GuestConfiguration/guestConfigurationAssignments/write\",\"Microsoft.GuestConfiguration/guestConfigurationAssignments/read\",\"Microsoft.GuestConfiguration/guestConfigurationAssignments/*/read\",\"Microsoft.Resources/deployments/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-01-13T21:31:41.9626667Z\",\"updatedOn\":\"2022-02-10T19:22:44.9057916Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/088ab73d-1256-47ae-bea9-9de8e7131f31\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"088ab73d-1256-47ae-bea9-9de8e7131f31\"},{\"properties\":{\"roleName\":\"Azure + Kubernetes Service Policy Add-on Deployment\",\"type\":\"BuiltInRole\",\"description\":\"Deploy + the Azure Policy add-on on Azure Kubernetes Service clusters\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Resources/deployments/*\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/publicIPPrefixes/join/action\",\"Microsoft.Network/publicIPAddresses/join/action\",\"Microsoft.Compute/diskEncryptionSets/read\",\"Microsoft.Compute/proximityPlacementGroups/write\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-02-07T20:51:48.5662807Z\",\"updatedOn\":\"2022-03-15T19:19:25.6182575Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18ed5180-3e48-46fd-8541-4ea054d57064\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"18ed5180-3e48-46fd-8541-4ea054d57064\"},{\"properties\":{\"roleName\":\"Domain + Services Reader\",\"type\":\"BuiltInRole\",\"description\":\"Can view Azure + AD Domain Services and related network configurations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Insights/Logs/Read\",\"Microsoft.Insights/Metrics/read\",\"Microsoft.Insights/DiagnosticSettings/read\",\"Microsoft.Insights/DiagnosticSettingsCategories/Read\",\"Microsoft.AAD/domainServices/*/read\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Network/virtualNetworks/virtualNetworkPeerings/read\",\"Microsoft.Network/virtualNetworks/providers/Microsoft.Insights/diagnosticSettings/read\",\"Microsoft.Network/virtualNetworks/providers/Microsoft.Insights/metricDefinitions/read\",\"Microsoft.Network/azureFirewalls/read\",\"Microsoft.Network/ddosProtectionPlans/read\",\"Microsoft.Network/loadBalancers/read\",\"Microsoft.Network/loadBalancers/*/read\",\"Microsoft.Network/natGateways/read\",\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Network/networkSecurityGroups/defaultSecurityRules/read\",\"Microsoft.Network/networkSecurityGroups/read\",\"Microsoft.Network/networkSecurityGroups/securityRules/read\",\"Microsoft.Network/routeTables/read\",\"Microsoft.Network/routeTables/routes/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-02-15T19:38:46.9043170Z\",\"updatedOn\":\"2022-06-27T15:26:25.8631939Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/361898ef-9ed1-48c2-849c-a832951106bb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"361898ef-9ed1-48c2-849c-a832951106bb\"},{\"properties\":{\"roleName\":\"Domain + Services Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Can manage + Azure AD Domain Services and related network configurations\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Insights/Logs/Read\",\"Microsoft.Insights/Metrics/Read\",\"Microsoft.Insights/DiagnosticSettings/*\",\"Microsoft.Insights/DiagnosticSettingsCategories/Read\",\"Microsoft.AAD/register/action\",\"Microsoft.AAD/unregister/action\",\"Microsoft.AAD/domainServices/*\",\"Microsoft.Network/register/action\",\"Microsoft.Network/unregister/action\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/write\",\"Microsoft.Network/virtualNetworks/delete\",\"Microsoft.Network/virtualNetworks/peer/action\",\"Microsoft.Network/virtualNetworks/join/action\",\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Network/virtualNetworks/subnets/write\",\"Microsoft.Network/virtualNetworks/subnets/delete\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/virtualNetworks/virtualNetworkPeerings/read\",\"Microsoft.Network/virtualNetworks/virtualNetworkPeerings/write\",\"Microsoft.Network/virtualNetworks/virtualNetworkPeerings/delete\",\"Microsoft.Network/virtualNetworks/providers/Microsoft.Insights/diagnosticSettings/read\",\"Microsoft.Network/virtualNetworks/providers/Microsoft.Insights/metricDefinitions/read\",\"Microsoft.Network/azureFirewalls/read\",\"Microsoft.Network/ddosProtectionPlans/read\",\"Microsoft.Network/ddosProtectionPlans/join/action\",\"Microsoft.Network/loadBalancers/read\",\"Microsoft.Network/loadBalancers/delete\",\"Microsoft.Network/loadBalancers/*/read\",\"Microsoft.Network/loadBalancers/backendAddressPools/join/action\",\"Microsoft.Network/loadBalancers/inboundNatRules/join/action\",\"Microsoft.Network/natGateways/join/action\",\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Network/networkInterfaces/write\",\"Microsoft.Network/networkInterfaces/delete\",\"Microsoft.Network/networkInterfaces/join/action\",\"Microsoft.Network/networkSecurityGroups/defaultSecurityRules/read\",\"Microsoft.Network/networkSecurityGroups/read\",\"Microsoft.Network/networkSecurityGroups/write\",\"Microsoft.Network/networkSecurityGroups/delete\",\"Microsoft.Network/networkSecurityGroups/join/action\",\"Microsoft.Network/networkSecurityGroups/securityRules/read\",\"Microsoft.Network/networkSecurityGroups/securityRules/write\",\"Microsoft.Network/networkSecurityGroups/securityRules/delete\",\"Microsoft.Network/routeTables/read\",\"Microsoft.Network/routeTables/write\",\"Microsoft.Network/routeTables/delete\",\"Microsoft.Network/routeTables/join/action\",\"Microsoft.Network/routeTables/routes/read\",\"Microsoft.Network/routeTables/routes/write\",\"Microsoft.Network/routeTables/routes/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-02-15T19:40:22.3943189Z\",\"updatedOn\":\"2022-06-27T15:26:25.8631939Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/eeaeda52-9324-47f6-8069-5d5bade478b2\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"eeaeda52-9324-47f6-8069-5d5bade478b2\"},{\"properties\":{\"roleName\":\"DNS + Resolver Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Lets you + manage DNS resolver resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Network/dnsResolvers/read\",\"Microsoft.Network/dnsResolvers/write\",\"Microsoft.Network/dnsResolvers/delete\",\"Microsoft.Network/dnsResolvers/join/action\",\"Microsoft.Network/dnsResolvers/inboundEndpoints/read\",\"Microsoft.Network/dnsResolvers/inboundEndpoints/write\",\"Microsoft.Network/dnsResolvers/inboundEndpoints/delete\",\"Microsoft.Network/dnsResolvers/inboundEndpoints/join/action\",\"Microsoft.Network/dnsResolvers/outboundEndpoints/read\",\"Microsoft.Network/dnsResolvers/outboundEndpoints/write\",\"Microsoft.Network/dnsResolvers/outboundEndpoints/delete\",\"Microsoft.Network/dnsResolvers/outboundEndpoints/join/action\",\"Microsoft.Network/dnsForwardingRulesets/read\",\"Microsoft.Network/dnsForwardingRulesets/write\",\"Microsoft.Network/dnsForwardingRulesets/delete\",\"Microsoft.Network/dnsForwardingRulesets/join/action\",\"Microsoft.Network/dnsForwardingRulesets/forwardingRules/read\",\"Microsoft.Network/dnsForwardingRulesets/forwardingRules/write\",\"Microsoft.Network/dnsForwardingRulesets/forwardingRules/delete\",\"Microsoft.Network/dnsForwardingRulesets/virtualNetworkLinks/read\",\"Microsoft.Network/dnsForwardingRulesets/virtualNetworkLinks/write\",\"Microsoft.Network/dnsForwardingRulesets/virtualNetworkLinks/delete\",\"Microsoft.Network/locations/dnsResolverOperationResults/read\",\"Microsoft.Network/locations/dnsResolverOperationStatuses/read\",\"Microsoft.Network/virtualNetworks/read\",\"Microsoft.Network/virtualNetworks/join/action\",\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Network/virtualNetworks/subnets/write\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/virtualNetworks/join/action\",\"Microsoft.Network/virtualNetworks/joinLoadBalancer/action\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Network/virtualNetworks/subnets/joinLoadBalancer/action\",\"Microsoft.Network/natGateways/join/action\",\"Microsoft.Network/networkSecurityGroups/join/action\",\"Microsoft.Network/routeTables/join/action\",\"Microsoft.Network/serviceEndpointPolicies/join/action\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-02-16T23:25:04.4308795Z\",\"updatedOn\":\"2022-03-11T20:54:15.0659022Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/0f2ebee7-ffd4-4fc0-b3b7-664099fdad5d\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"0f2ebee7-ffd4-4fc0-b3b7-664099fdad5d\"},{\"properties\":{\"roleName\":\"Data + Operator for Managed Disks\",\"type\":\"BuiltInRole\",\"description\":\"Provides + permissions to upload data to empty managed disks, read, or export data of + managed disks (not attached to running VMs) and snapshots using SAS URIs and + Azure AD authentication.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Compute/disks/download/action\",\"Microsoft.Compute/disks/upload/action\",\"Microsoft.Compute/snapshots/download/action\",\"Microsoft.Compute/snapshots/upload/action\"],\"notDataActions\":[]}],\"createdOn\":\"2022-03-01T01:28:16.0862180Z\",\"updatedOn\":\"2022-03-01T01:28:16.0862180Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/959f8984-c045-4866-89c7-12bf9737be2e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"959f8984-c045-4866-89c7-12bf9737be2e\"},{\"properties\":{\"roleName\":\"AgFood + Platform Sensor Partner Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Provides + contribute access to manage sensor related entities in AgFood Platform Service\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.AgFoodPlatform/sensorPartnerScope/*\"],\"notDataActions\":[\"Microsoft.AgFoodPlatform/sensorPartnerScope/sensors/delete\"]}],\"createdOn\":\"2022-03-09T04:58:18.4183393Z\",\"updatedOn\":\"2022-03-09T04:58:18.4183393Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6b77f0a0-0d89-41cc-acd1-579c22c17a67\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6b77f0a0-0d89-41cc-acd1-579c22c17a67\"},{\"properties\":{\"roleName\":\"Compute + Gallery Sharing Admin\",\"type\":\"BuiltInRole\",\"description\":\"This role + allows user to share gallery to another subscription/tenant or share it to + the public.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/galleries/share/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-03-10T00:33:23.4134686Z\",\"updatedOn\":\"2022-03-25T20:36:59.8004672Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/1ef6a3be-d0ac-425d-8c01-acb62866290b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"1ef6a3be-d0ac-425d-8c01-acb62866290b\"},{\"properties\":{\"roleName\":\"Scheduled + Patching Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Provides + access to manage maintenance configurations with maintenance scope InGuestPatch + and corresponding configuration assignments\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Maintenance/maintenanceConfigurations/read\",\"Microsoft.Maintenance/maintenanceConfigurations/write\",\"Microsoft.Maintenance/maintenanceConfigurations/delete\",\"Microsoft.Maintenance/configurationAssignments/read\",\"Microsoft.Maintenance/configurationAssignments/write\",\"Microsoft.Maintenance/configurationAssignments/delete\",\"Microsoft.Maintenance/configurationAssignments/maintenanceScope/InGuestPatch/read\",\"Microsoft.Maintenance/configurationAssignments/maintenanceScope/InGuestPatch/write\",\"Microsoft.Maintenance/configurationAssignments/maintenanceScope/InGuestPatch/delete\",\"Microsoft.Maintenance/maintenanceConfigurations/maintenanceScope/InGuestPatch/read\",\"Microsoft.Maintenance/maintenanceConfigurations/maintenanceScope/InGuestPatch/write\",\"Microsoft.Maintenance/maintenanceConfigurations/maintenanceScope/InGuestPatch/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-03-21T10:27:57.4429306Z\",\"updatedOn\":\"2022-04-13T08:04:30.2446363Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/cd08ab90-6b14-449c-ad9a-8f8e549482c6\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"cd08ab90-6b14-449c-ad9a-8f8e549482c6\"},{\"properties\":{\"roleName\":\"DevCenter + Dev Box User\",\"type\":\"BuiltInRole\",\"description\":\"Provides access + to create and manage dev boxes.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DevCenter/projects/read\",\"Microsoft.DevCenter/projects/*/read\",\"Microsoft.Fidalgo/projects/read\",\"Microsoft.Fidalgo/projects/*/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[\"Microsoft.DevCenter/projects/users/devboxes/userStop/action\",\"Microsoft.DevCenter/projects/users/devboxes/userStart/action\",\"Microsoft.DevCenter/projects/users/devboxes/userGetRemoteConnection/action\",\"Microsoft.DevCenter/projects/users/devboxes/userRead/action\",\"Microsoft.DevCenter/projects/users/devboxes/userWrite/action\",\"Microsoft.DevCenter/projects/users/devboxes/userDelete/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userStop/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userStart/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userGetRdpFileContent/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userRead/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userWrite/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userDelete/action\"],\"notDataActions\":[]}],\"createdOn\":\"2022-03-30T19:23:03.9063898Z\",\"updatedOn\":\"2022-07-25T15:10:35.9457674Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/45d50f46-0b78-4001-a660-4198cbe8cd05\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"45d50f46-0b78-4001-a660-4198cbe8cd05\"},{\"properties\":{\"roleName\":\"DevCenter + Project Admin\",\"type\":\"BuiltInRole\",\"description\":\"Provides access + to manage project resources.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DevCenter/projects/*\",\"Microsoft.Fidalgo/projects/*\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[\"Microsoft.DevCenter/projects/write\",\"Microsoft.DevCenter/projects/delete\",\"Microsoft.Fidalgo/projects/write\",\"Microsoft.Fidalgo/projects/delete\"],\"dataActions\":[\"Microsoft.DevCenter/projects/users/devboxes/adminStart/action\",\"Microsoft.DevCenter/projects/users/devboxes/adminStop/action\",\"Microsoft.DevCenter/projects/users/devboxes/adminRead/action\",\"Microsoft.DevCenter/projects/users/devboxes/adminWrite/action\",\"Microsoft.DevCenter/projects/users/devboxes/adminDelete/action\",\"Microsoft.DevCenter/projects/users/devboxes/userStop/action\",\"Microsoft.DevCenter/projects/users/devboxes/userStart/action\",\"Microsoft.DevCenter/projects/users/devboxes/userGetRemoteConnection/action\",\"Microsoft.DevCenter/projects/users/devboxes/userRead/action\",\"Microsoft.DevCenter/projects/users/devboxes/userWrite/action\",\"Microsoft.DevCenter/projects/users/devboxes/userDelete/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/adminStart/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/adminStop/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/adminRead/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/adminWrite/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/adminDelete/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userStop/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userStart/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userGetRdpFileContent/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userRead/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userWrite/action\",\"Microsoft.Fidalgo/projects/users/virtualMachines/userDelete/action\"],\"notDataActions\":[]}],\"createdOn\":\"2022-03-31T19:42:53.1063939Z\",\"updatedOn\":\"2022-07-25T15:10:35.9301356Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/331c37c6-af14-46d9-b9f4-e1909e1b95a0\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"331c37c6-af14-46d9-b9f4-e1909e1b95a0\"},{\"properties\":{\"roleName\":\"Virtual + Machine Local User Login\",\"type\":\"BuiltInRole\",\"description\":\"View + Virtual Machines in the portal and login as a local user configured on the + arc server\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.HybridCompute/machines/*/read\",\"Microsoft.HybridConnectivity/endpoints/listCredentials/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-04-06T23:57:08.4960876Z\",\"updatedOn\":\"2022-04-16T18:55:22.3226785Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/602da2ba-a5c2-41da-b01d-5360126ab525\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"602da2ba-a5c2-41da-b01d-5360126ab525\"},{\"properties\":{\"roleName\":\"Azure + Arc ScVmm VM Contributor\",\"type\":\"BuiltInRole\",\"description\":\"Arc + ScVmm VM Contributor has permissions to perform all VM actions.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"microsoft.scvmm/virtualmachines/*\",\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/operationresults/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-04-13T17:19:43.4978394Z\",\"updatedOn\":\"2022-05-05T20:21:52.7065718Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/e582369a-e17b-42a5-b10c-874c387c530b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"e582369a-e17b-42a5-b10c-874c387c530b\"},{\"properties\":{\"roleName\":\"Azure + Arc ScVmm Private Clouds Onboarding\",\"type\":\"BuiltInRole\",\"description\":\"Azure + Arc ScVmm Private Clouds Onboarding role has permissions to provision all + the required resources for onboard and deboard vmm server instances to Azure.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"microsoft.scvmm/vmmservers/Read\",\"microsoft.scvmm/vmmservers/Write\",\"microsoft.scvmm/vmmservers/Delete\",\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/operationresults/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-04-13T17:20:22.0259391Z\",\"updatedOn\":\"2022-05-05T20:21:42.0160634Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/6aac74c4-6311-40d2-bbdd-7d01e7c6e3a9\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"6aac74c4-6311-40d2-bbdd-7d01e7c6e3a9\"},{\"properties\":{\"roleName\":\"Azure + Arc ScVmm Private Cloud User\",\"type\":\"BuiltInRole\",\"description\":\"Azure + Arc ScVmm Private Cloud User has permissions to use the ScVmm resources to + deploy VMs.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"microsoft.scvmm/virtualnetworks/join/action\",\"microsoft.scvmm/virtualnetworks/Read\",\"microsoft.scvmm/virtualmachinetemplates/clone/action\",\"microsoft.scvmm/virtualmachinetemplates/Read\",\"microsoft.scvmm/clouds/deploy/action\",\"microsoft.scvmm/clouds/Read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-04-13T17:21:31.8768952Z\",\"updatedOn\":\"2022-05-05T20:22:10.3489590Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c0781e91-8102-4553-8951-97c6d4243cda\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c0781e91-8102-4553-8951-97c6d4243cda\"},{\"properties\":{\"roleName\":\"Azure + Arc ScVmm Administrator role\",\"type\":\"BuiltInRole\",\"description\":\"Arc + ScVmm VM Administrator has permissions to perform all ScVmm actions.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ScVmm/*\",\"Microsoft.Insights/AlertRules/Write\",\"Microsoft.Insights/AlertRules/Delete\",\"Microsoft.Insights/AlertRules/Read\",\"Microsoft.Insights/AlertRules/Activated/Action\",\"Microsoft.Insights/AlertRules/Resolved/Action\",\"Microsoft.Insights/AlertRules/Throttled/Action\",\"Microsoft.Insights/AlertRules/Incidents/Read\",\"Microsoft.Resources/deployments/read\",\"Microsoft.Resources/deployments/write\",\"Microsoft.Resources/deployments/delete\",\"Microsoft.Resources/deployments/cancel/action\",\"Microsoft.Resources/deployments/validate/action\",\"Microsoft.Resources/deployments/whatIf/action\",\"Microsoft.Resources/deployments/exportTemplate/action\",\"Microsoft.Resources/deployments/operations/read\",\"Microsoft.Resources/deployments/operationstatuses/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/write\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operations/read\",\"Microsoft.Resources/subscriptions/resourcegroups/deployments/operationstatuses/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.Resources/subscriptions/operationresults/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-04-13T17:23:34.5429371Z\",\"updatedOn\":\"2022-05-05T20:23:15.0154893Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a92dfd61-77f9-4aec-a531-19858b406c87\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a92dfd61-77f9-4aec-a531-19858b406c87\"},{\"properties\":{\"roleName\":\"FHIR + Data Importer\",\"type\":\"BuiltInRole\",\"description\":\"Role allows user + or principal to read and import FHIR Data\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/read\",\"Microsoft.HealthcareApis/workspaces/fhirservices/resources/import/action\"],\"notDataActions\":[]}],\"createdOn\":\"2022-04-19T07:59:47.5802132Z\",\"updatedOn\":\"2022-04-21T09:08:14.6059986Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4465e953-8ced-4406-a58e-0f6e3f3b530b\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4465e953-8ced-4406-a58e-0f6e3f3b530b\"},{\"properties\":{\"roleName\":\"API + Management Developer Portal Content Editor\",\"type\":\"BuiltInRole\",\"description\":\"Can + customize the developer portal, edit its content, and publish it.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ApiManagement/service/portalRevisions/read\",\"Microsoft.ApiManagement/service/portalRevisions/write\",\"Microsoft.ApiManagement/service/contentTypes/read\",\"Microsoft.ApiManagement/service/contentTypes/delete\",\"Microsoft.ApiManagement/service/contentTypes/write\",\"Microsoft.ApiManagement/service/contentTypes/contentItems/read\",\"Microsoft.ApiManagement/service/contentTypes/contentItems/write\",\"Microsoft.ApiManagement/service/contentTypes/contentItems/delete\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-05-06T17:39:17.7581243Z\",\"updatedOn\":\"2022-05-10T21:30:34.1382013Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/c031e6a8-4391-4de0-8d69-4706a7ed3729\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"c031e6a8-4391-4de0-8d69-4706a7ed3729\"},{\"properties\":{\"roleName\":\"VM + Scanner Operator\",\"type\":\"BuiltInRole\",\"description\":\"Role that provides + access to disk snapshot for security analysis.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/disks/read\",\"Microsoft.Compute/disks/beginGetAccess/action\",\"Microsoft.Compute/virtualMachines/instanceView/read\",\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Compute/virtualMachineScaleSets/instanceView/read\",\"Microsoft.Compute/virtualMachineScaleSets/read\",\"Microsoft.Compute/virtualMachineScaleSets/virtualMachines/read\",\"Microsoft.Compute/virtualMachineScaleSets/virtualMachines/instanceView/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-05-15T13:31:34.0748579Z\",\"updatedOn\":\"2022-06-07T17:46:56.0797280Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/d24ecba3-c1f4-40fa-a7bb-4588a071e8fd\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"d24ecba3-c1f4-40fa-a7bb-4588a071e8fd\"},{\"properties\":{\"roleName\":\"Elastic + SAN Owner\",\"type\":\"BuiltInRole\",\"description\":\"Allows for full access + to all resources under Azure Elastic SAN including changing network security + policies to unblock data path access\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ElasticSan/elasticSans/*\",\"Microsoft.ElasticSan/locations/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-05-26T10:38:46.9791574Z\",\"updatedOn\":\"2022-08-23T15:33:50.1290558Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/80dcbedb-47ef-405d-95bd-188a1b4ac406\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"80dcbedb-47ef-405d-95bd-188a1b4ac406\"},{\"properties\":{\"roleName\":\"Elastic + SAN Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows for control + path read access to Azure Elastic SAN\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\",\"Microsoft.ResourceHealth/availabilityStatuses/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ElasticSan/elasticSans/*/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-06-01T05:03:02.6894404Z\",\"updatedOn\":\"2022-08-23T15:33:50.1290558Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/af6a70f8-3c9f-4105-acf1-d719e9fca4ca\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"af6a70f8-3c9f-4105-acf1-d719e9fca4ca\"},{\"properties\":{\"roleName\":\"Desktop + Virtualization Power On Contributor\",\"type\":\"BuiltInRole\",\"description\":\"This + role is in preview and subject to change. Provide permission to the Azure + Virtual Desktop Resource Provider to start virtual machines.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/virtualMachines/start/action\",\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Compute/virtualMachines/instanceView/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-06-28T23:42:01.8059413Z\",\"updatedOn\":\"2022-07-18T15:09:56.4105816Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/489581de-a3bd-480d-9518-53dea7416b33\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"489581de-a3bd-480d-9518-53dea7416b33\"},{\"properties\":{\"roleName\":\"Desktop + Virtualization Virtual Machine Contributor\",\"type\":\"BuiltInRole\",\"description\":\"This + role is in preview and subject to change. Provide permission to the Azure + Virtual Desktop Resource Provider to create, delete, update, start, and stop + virtual machines.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.DesktopVirtualization/hostpools/read\",\"Microsoft.DesktopVirtualization/hostpools/write\",\"Microsoft.DesktopVirtualization/hostpools/retrieveRegistrationToken/action\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/write\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/delete\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/disconnect/action\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/sendMessage/action\",\"Microsoft.DesktopVirtualization/hostpools/sessionHostConfigurations/read\",\"Microsoft.Compute/availabilitySets/read\",\"Microsoft.Compute/availabilitySets/write\",\"Microsoft.Compute/availabilitySets/vmSizes/read\",\"Microsoft.Compute/disks/read\",\"Microsoft.Compute/disks/write\",\"Microsoft.Compute/disks/delete\",\"Microsoft.Compute/galleries/read\",\"Microsoft.Compute/galleries/images/read\",\"Microsoft.Compute/galleries/images/versions/read\",\"Microsoft.Compute/images/read\",\"Microsoft.Compute/locations/usages/read\",\"Microsoft.Compute/locations/vmSizes/read\",\"Microsoft.Compute/operations/read\",\"Microsoft.Compute/skus/read\",\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Compute/virtualMachines/write\",\"Microsoft.Compute/virtualMachines/delete\",\"Microsoft.Compute/virtualMachines/start/action\",\"Microsoft.Compute/virtualMachines/powerOff/action\",\"Microsoft.Compute/virtualMachines/restart/action\",\"Microsoft.Compute/virtualMachines/deallocate/action\",\"Microsoft.Compute/virtualMachines/runCommand/action\",\"Microsoft.Compute/virtualMachines/extensions/read\",\"Microsoft.Compute/virtualMachines/extensions/write\",\"Microsoft.Compute/virtualMachines/extensions/delete\",\"Microsoft.Compute/virtualMachines/runCommands/read\",\"Microsoft.Compute/virtualMachines/runCommands/write\",\"Microsoft.Compute/virtualMachines/vmSizes/read\",\"Microsoft.Network/networkSecurityGroups/read\",\"Microsoft.Network/networkInterfaces/write\",\"Microsoft.Network/networkInterfaces/read\",\"Microsoft.Network/networkInterfaces/join/action\",\"Microsoft.Network/networkInterfaces/delete\",\"Microsoft.Network/virtualNetworks/subnets/read\",\"Microsoft.Network/virtualNetworks/subnets/join/action\",\"Microsoft.Marketplace/offerTypes/publishers/offers/plans/agreements/read\",\"Microsoft.KeyVault/vaults/deploy/action\",\"Microsoft.Storage/storageAccounts/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-06-28T23:42:01.8059413Z\",\"updatedOn\":\"2022-07-18T15:09:56.4418349Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a959dbd1-f747-45e3-8ba6-dd80f235f97c\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a959dbd1-f747-45e3-8ba6-dd80f235f97c\"},{\"properties\":{\"roleName\":\"Desktop + Virtualization Power On Off Contributor\",\"type\":\"BuiltInRole\",\"description\":\"This + role is in preview and subject to change. Provide permission to the Azure + Virtual Desktop Resource Provider to start and stop virtual machines.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Compute/virtualMachines/start/action\",\"Microsoft.Compute/virtualMachines/read\",\"Microsoft.Compute/virtualMachines/instanceView/read\",\"Microsoft.Compute/virtualMachines/deallocate/action\",\"Microsoft.Compute/virtualMachines/restart/action\",\"Microsoft.Compute/virtualMachines/powerOff/action\",\"Microsoft.Insights/eventtypes/values/read\",\"Microsoft.Authorization/*/read\",\"Microsoft.Insights/alertRules/*\",\"Microsoft.Resources/deployments/*\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.DesktopVirtualization/hostpools/read\",\"Microsoft.DesktopVirtualization/hostpools/write\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/write\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/delete\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/read\",\"Microsoft.DesktopVirtualization/hostpools/sessionhosts/usersessions/sendMessage/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-06-28T23:42:01.8059413Z\",\"updatedOn\":\"2022-07-18T15:09:56.4105816Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/40c5ff49-9181-41f8-ae61-143b0e78555e\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"40c5ff49-9181-41f8-ae61-143b0e78555e\"},{\"properties\":{\"roleName\":\"Elastic + SAN Volume Group Owner\",\"type\":\"BuiltInRole\",\"description\":\"Allows + for full access to a volume group in Azure Elastic SAN including changing + network security policies to unblock data path access\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleDefinitions/read\",\"Microsoft.ElasticSan/elasticSans/volumeGroups/*\",\"Microsoft.ElasticSan/locations/asyncoperations/read\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-07-04T15:02:16.2021423Z\",\"updatedOn\":\"2022-08-23T15:33:50.1290558Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a8281131-f312-4f34-8d98-ae12be9f0d23\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a8281131-f312-4f34-8d98-ae12be9f0d23\"},{\"properties\":{\"roleName\":\"Access + Review Operator Service Role\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you grant Access Review System app permissions to discover and revoke access + as needed by the access review process.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/roleAssignments/read\",\"Microsoft.Authorization/roleAssignments/delete\",\"Microsoft.Management/getEntities/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-07-04T15:02:16.2021423Z\",\"updatedOn\":\"2022-07-04T15:02:16.2021423Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/76cc9ee4-d5d3-4a45-a930-26add3d73475\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"76cc9ee4-d5d3-4a45-a930-26add3d73475\"},{\"properties\":{\"roleName\":\"Code + Signing Identity Verifier\",\"type\":\"BuiltInRole\",\"description\":\"Manage + identity or business verification requests. This role is in preview and subject + to change.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.CodeSigning/IdentityVerification/Read\",\"Microsoft.CodeSigning/IdentityVerification/Write\"],\"notDataActions\":[]}],\"createdOn\":\"2022-07-29T05:35:29.1033854Z\",\"updatedOn\":\"2022-07-29T05:35:29.1033854Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/4339b7cf-9826-4e41-b4ed-c7f4505dac08\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"4339b7cf-9826-4e41-b4ed-c7f4505dac08\"},{\"properties\":{\"roleName\":\"Video + Indexer Restricted Viewer\",\"type\":\"BuiltInRole\",\"description\":\"Has + access to view and search through all video's insights and transcription in + the Video Indexer portal. No access to model customization, embedding of widget, + downloading videos, or sharing the account.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.VideoIndexer/*/read\",\"Microsoft.VideoIndexer/accounts/*/action\"],\"notActions\":[\"Microsoft.VideoIndexer/*/write\",\"Microsoft.VideoIndexer/*/delete\",\"Microsoft.VideoIndexer/accounts/generateAccessToken/action\"],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-08-09T18:13:17.0570830Z\",\"updatedOn\":\"2022-08-09T18:13:17.0570830Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/a2c4a527-7dc0-4ee3-897b-403ade70fafb\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"a2c4a527-7dc0-4ee3-897b-403ade70fafb\"},{\"properties\":{\"roleName\":\"Monitoring + Data Reader\",\"type\":\"BuiltInRole\",\"description\":\"Can read all monitoring + data.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[],\"notActions\":[],\"dataActions\":[\"Microsoft.Monitor/accounts/data/metrics/read\"],\"notDataActions\":[]}],\"createdOn\":\"2022-08-19T21:54:43.4996119Z\",\"updatedOn\":\"2022-08-19T21:54:43.4996119Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/b0d8363b-8ddd-447d-831f-62ca05bff136\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"b0d8363b-8ddd-447d-831f-62ca05bff136\"},{\"properties\":{\"roleName\":\"Azure + Kubernetes Fleet Manager Contributor Role\",\"type\":\"BuiltInRole\",\"description\":\"Grants + access to read and write Azure Kubernetes Fleet Manager clusters\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.ContainerService/fleets/*\",\"Microsoft.Resources/deployments/*\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-08-22T15:27:28.6518806Z\",\"updatedOn\":\"2022-08-22T15:27:28.6518806Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/63bb64ad-9799-4770-b5c3-24ed299a07bf\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"63bb64ad-9799-4770-b5c3-24ed299a07bf\"},{\"properties\":{\"roleName\":\"Azure + Kubernetes Fleet Manager RBAC Writer\",\"type\":\"BuiltInRole\",\"description\":\"Allows + read/write access to most objects in a namespace.This role does not allow + viewing or modifying roles or role bindings. However, this role allows accessing + Secrets as any ServiceAccount in the namespace, so it can be used to gain + the API access levels of any ServiceAccount in the namespace. Applying this + role at cluster scope will give access across all namespaces.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ContainerService/fleets/read\",\"Microsoft.ContainerService/fleets/listCredentials/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/fleets/apps/controllerrevisions/read\",\"Microsoft.ContainerService/fleets/apps/daemonsets/*\",\"Microsoft.ContainerService/fleets/apps/deployments/*\",\"Microsoft.ContainerService/fleets/apps/statefulsets/*\",\"Microsoft.ContainerService/fleets/autoscaling/horizontalpodautoscalers/*\",\"Microsoft.ContainerService/fleets/batch/cronjobs/*\",\"Microsoft.ContainerService/fleets/batch/jobs/*\",\"Microsoft.ContainerService/fleets/configmaps/*\",\"Microsoft.ContainerService/fleets/endpoints/*\",\"Microsoft.ContainerService/fleets/events.k8s.io/events/read\",\"Microsoft.ContainerService/fleets/events/read\",\"Microsoft.ContainerService/fleets/extensions/daemonsets/*\",\"Microsoft.ContainerService/fleets/extensions/deployments/*\",\"Microsoft.ContainerService/fleets/extensions/ingresses/*\",\"Microsoft.ContainerService/fleets/extensions/networkpolicies/*\",\"Microsoft.ContainerService/fleets/limitranges/read\",\"Microsoft.ContainerService/fleets/namespaces/read\",\"Microsoft.ContainerService/fleets/networking.k8s.io/ingresses/*\",\"Microsoft.ContainerService/fleets/networking.k8s.io/networkpolicies/*\",\"Microsoft.ContainerService/fleets/persistentvolumeclaims/*\",\"Microsoft.ContainerService/fleets/policy/poddisruptionbudgets/*\",\"Microsoft.ContainerService/fleets/replicationcontrollers/*\",\"Microsoft.ContainerService/fleets/replicationcontrollers/*\",\"Microsoft.ContainerService/fleets/resourcequotas/read\",\"Microsoft.ContainerService/fleets/secrets/*\",\"Microsoft.ContainerService/fleets/serviceaccounts/*\",\"Microsoft.ContainerService/fleets/services/*\"],\"notDataActions\":[]}],\"createdOn\":\"2022-08-22T15:27:28.6674315Z\",\"updatedOn\":\"2022-08-26T18:15:47.1975516Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/5af6afb3-c06c-4fa4-8848-71a8aee05683\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"5af6afb3-c06c-4fa4-8848-71a8aee05683\"},{\"properties\":{\"roleName\":\"Azure + Kubernetes Fleet Manager RBAC Admin\",\"type\":\"BuiltInRole\",\"description\":\"This + role grants admin access - provides write permissions on most objects within + a a namespace, with the exception of ResourceQuota object and the namespace + object itself. Applying this role at cluster scope will give access across + all namespaces.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ContainerService/fleets/read\",\"Microsoft.ContainerService/fleets/listCredentials/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/fleets/apps/controllerrevisions/read\",\"Microsoft.ContainerService/fleets/apps/daemonsets/*\",\"Microsoft.ContainerService/fleets/apps/deployments/*\",\"Microsoft.ContainerService/fleets/apps/statefulsets/*\",\"Microsoft.ContainerService/fleets/authorization.k8s.io/localsubjectaccessreviews/write\",\"Microsoft.ContainerService/fleets/autoscaling/horizontalpodautoscalers/*\",\"Microsoft.ContainerService/fleets/batch/cronjobs/*\",\"Microsoft.ContainerService/fleets/batch/jobs/*\",\"Microsoft.ContainerService/fleets/configmaps/*\",\"Microsoft.ContainerService/fleets/endpoints/*\",\"Microsoft.ContainerService/fleets/events.k8s.io/events/read\",\"Microsoft.ContainerService/fleets/events/read\",\"Microsoft.ContainerService/fleets/extensions/daemonsets/*\",\"Microsoft.ContainerService/fleets/extensions/deployments/*\",\"Microsoft.ContainerService/fleets/extensions/ingresses/*\",\"Microsoft.ContainerService/fleets/extensions/networkpolicies/*\",\"Microsoft.ContainerService/fleets/limitranges/read\",\"Microsoft.ContainerService/fleets/namespaces/read\",\"Microsoft.ContainerService/fleets/networking.k8s.io/ingresses/*\",\"Microsoft.ContainerService/fleets/networking.k8s.io/networkpolicies/*\",\"Microsoft.ContainerService/fleets/persistentvolumeclaims/*\",\"Microsoft.ContainerService/fleets/policy/poddisruptionbudgets/*\",\"Microsoft.ContainerService/fleets/rbac.authorization.k8s.io/rolebindings/*\",\"Microsoft.ContainerService/fleets/rbac.authorization.k8s.io/roles/*\",\"Microsoft.ContainerService/fleets/replicationcontrollers/*\",\"Microsoft.ContainerService/fleets/replicationcontrollers/*\",\"Microsoft.ContainerService/fleets/resourcequotas/read\",\"Microsoft.ContainerService/fleets/secrets/*\",\"Microsoft.ContainerService/fleets/serviceaccounts/*\",\"Microsoft.ContainerService/fleets/services/*\"],\"notDataActions\":[]}],\"createdOn\":\"2022-08-22T15:27:28.6518806Z\",\"updatedOn\":\"2022-08-26T18:15:47.2131785Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/434fb43a-c01c-447e-9f67-c3ad923cfaba\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"434fb43a-c01c-447e-9f67-c3ad923cfaba\"},{\"properties\":{\"roleName\":\"Azure + Kubernetes Fleet Manager RBAC Cluster Admin\",\"type\":\"BuiltInRole\",\"description\":\"Lets + you manage all resources in the fleet manager cluster.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ContainerService/fleets/read\",\"Microsoft.ContainerService/fleets/listCredentials/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/fleets/*\"],\"notDataActions\":[]}],\"createdOn\":\"2022-08-22T15:27:28.6674315Z\",\"updatedOn\":\"2022-08-22T15:27:28.6674315Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/18ab4d3d-a1bf-4477-8ad9-8359bc988f69\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"18ab4d3d-a1bf-4477-8ad9-8359bc988f69\"},{\"properties\":{\"roleName\":\"Azure + Kubernetes Fleet Manager RBAC Reader\",\"type\":\"BuiltInRole\",\"description\":\"Allows + read-only access to see most objects in a namespace. It does not allow viewing + roles or role bindings. This role does not allow viewing Secrets, since reading + the contents of Secrets enables access to ServiceAccount credentials in the + namespace, which would allow API access as any ServiceAccount in the namespace + (a form of privilege escalation). Applying this role at cluster scope will + give access across all namespaces.\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.Authorization/*/read\",\"Microsoft.Resources/subscriptions/operationresults/read\",\"Microsoft.Resources/subscriptions/read\",\"Microsoft.Resources/subscriptions/resourceGroups/read\",\"Microsoft.ContainerService/fleets/read\",\"Microsoft.ContainerService/fleets/listCredentials/action\"],\"notActions\":[],\"dataActions\":[\"Microsoft.ContainerService/fleets/apps/controllerrevisions/read\",\"Microsoft.ContainerService/fleets/apps/daemonsets/read\",\"Microsoft.ContainerService/fleets/apps/deployments/read\",\"Microsoft.ContainerService/fleets/apps/statefulsets/read\",\"Microsoft.ContainerService/fleets/autoscaling/horizontalpodautoscalers/read\",\"Microsoft.ContainerService/fleets/batch/cronjobs/read\",\"Microsoft.ContainerService/fleets/batch/jobs/read\",\"Microsoft.ContainerService/fleets/configmaps/read\",\"Microsoft.ContainerService/fleets/endpoints/read\",\"Microsoft.ContainerService/fleets/events.k8s.io/events/read\",\"Microsoft.ContainerService/fleets/events/read\",\"Microsoft.ContainerService/fleets/extensions/daemonsets/read\",\"Microsoft.ContainerService/fleets/extensions/deployments/read\",\"Microsoft.ContainerService/fleets/extensions/ingresses/read\",\"Microsoft.ContainerService/fleets/extensions/networkpolicies/read\",\"Microsoft.ContainerService/fleets/limitranges/read\",\"Microsoft.ContainerService/fleets/namespaces/read\",\"Microsoft.ContainerService/fleets/networking.k8s.io/ingresses/read\",\"Microsoft.ContainerService/fleets/networking.k8s.io/networkpolicies/read\",\"Microsoft.ContainerService/fleets/persistentvolumeclaims/read\",\"Microsoft.ContainerService/fleets/policy/poddisruptionbudgets/read\",\"Microsoft.ContainerService/fleets/replicationcontrollers/read\",\"Microsoft.ContainerService/fleets/replicationcontrollers/read\",\"Microsoft.ContainerService/fleets/resourcequotas/read\",\"Microsoft.ContainerService/fleets/serviceaccounts/read\",\"Microsoft.ContainerService/fleets/services/read\"],\"notDataActions\":[]}],\"createdOn\":\"2022-08-22T15:27:28.6674315Z\",\"updatedOn\":\"2022-08-26T18:15:47.2131785Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/30b27cfc-9c84-438e-b0ce-70e35255df80\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"30b27cfc-9c84-438e-b0ce-70e35255df80\"},{\"properties\":{\"roleName\":\"Kubernetes + Namespace User\",\"type\":\"BuiltInRole\",\"description\":\"Allows a user + to read namespace resources and retrieve kubeconfig for the cluster\",\"assignableScopes\":[\"/\"],\"permissions\":[{\"actions\":[\"Microsoft.KubernetesConfiguration/namespaces/read\",\"Microsoft.KubernetesConfiguration/namespaces/listUserCredential/action\"],\"notActions\":[],\"dataActions\":[],\"notDataActions\":[]}],\"createdOn\":\"2022-08-24T06:03:16.2733663Z\",\"updatedOn\":\"2022-08-24T06:03:16.2733663Z\",\"createdBy\":null,\"updatedBy\":null},\"id\":\"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Authorization/roleDefinitions/ba79058c-0414-4a34-9e42-c3399d80cd5a\",\"type\":\"Microsoft.Authorization/roleDefinitions\",\"name\":\"ba79058c-0414-4a34-9e42-c3399d80cd5a\"}]}" headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2YyZWQ3ODg5LWRiYWMtNDI2My1iMGM4LTRlNjZmMzY5ZWY2ZA==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '0' + - '425586' + content-type: + - application/json; charset=utf-8 date: - - Tue, 07 Feb 2023 05:54:14 GMT + - Mon, 05 Sep 2022 20:10:56 GMT expires: - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2YyZWQ3ODg5LWRiYWMtNDI2My1iMGM4LTRlNjZmMzY5ZWY2ZA==?api-version=2022-05-01 pragma: - no-cache + set-cookie: + - x-ms-gateway-slice=Production; path=/; secure; samesite=none; httponly strict-transport-security: - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1199' - x-powered-by: - - ASP.NET status: - code: 202 - message: Accepted + code: 200 + message: OK - request: - body: null + body: '{"ids": ["b864e281-c12e-45c6-a0c7-6046a7de5481"], "types": ["user", "group", + "servicePrincipal", "directoryObjectPartnerReference"]}' headers: Accept: - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance create + - dataprotection backup-instance update-msi-permissions Connection: - keep-alive + Content-Length: + - '132' + Content-Type: + - application/json ParameterSetName: - - -g --vault-name --backup-instance + - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance + --keyvault-id --yes User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2YyZWQ3ODg5LWRiYWMtNDI2My1iMGM4LTRlNjZmMzY5ZWY2ZA==?api-version=2022-05-01 + - python/3.8.5 (Windows-10-10.0.22000-SP0) AZURECLI/2.39.0 + method: POST + uri: https://graph.microsoft.com/v1.0/directoryObjects/getByIds response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2YyZWQ3ODg5LWRiYWMtNDI2My1iMGM4LTRlNjZmMzY5ZWY2ZA==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2YyZWQ3ODg5LWRiYWMtNDI2My1iMGM4LTRlNjZmMzY5ZWY2ZA==","status":"Inprogress","startTime":"2023-02-07T05:54:14.1073792Z","endTime":"0001-01-01T00:00:00Z"}' + string: '{"@odata.context":"https://graph.microsoft.com/v1.0/$metadata#directoryObjects","value":[{"@odata.type":"#microsoft.graph.servicePrincipal","id":"b864e281-c12e-45c6-a0c7-6046a7de5481","deletedDateTime":null,"accountEnabled":true,"alternativeNames":["isExplicit=False","/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault"],"appDisplayName":null,"appDescription":null,"appId":"49bc63b1-190a-4f4e-a962-58db2c2f7112","applicationTemplateId":null,"appOwnerOrganizationId":null,"appRoleAssignmentRequired":false,"createdDateTime":"2021-08-26T09:13:20Z","description":null,"disabledByMicrosoftStatus":null,"displayName":"oss-clitest-vault","homepage":null,"loginUrl":null,"logoutUrl":null,"notes":null,"notificationEmailAddresses":[],"preferredSingleSignOnMode":null,"preferredTokenSigningKeyThumbprint":null,"replyUrls":[],"servicePrincipalNames":["49bc63b1-190a-4f4e-a962-58db2c2f7112","https://identity.azure.net/QVMExgU4rxwt5XEm5whEdHZLrmsaL9M/n/eZXzCcN54="],"servicePrincipalType":"ManagedIdentity","signInAudience":null,"tags":[],"tokenEncryptionKeyId":null,"info":null,"samlSingleSignOnSettings":null,"addIns":[],"appRoles":[],"keyCredentials":[{"customKeyIdentifier":"06DD62CA457312E21DDF22C874328A49AF671767","displayName":"CN=49bc63b1-190a-4f4e-a962-58db2c2f7112","endDateTime":"2022-10-12T18:18:00Z","key":null,"keyId":"38633d99-d5b8-4a29-b73c-49341b7f7b4f","startDateTime":"2022-07-14T18:18:00Z","type":"AsymmetricX509Cert","usage":"Verify"},{"customKeyIdentifier":"10296B63A1DD090AB64281F85000C1822BB84F58","displayName":"CN=49bc63b1-190a-4f4e-a962-58db2c2f7112","endDateTime":"2022-08-27T17:02:00Z","key":null,"keyId":"bbf02149-b332-4456-83c8-e66d2d66c8a1","startDateTime":"2022-05-29T17:02:00Z","type":"AsymmetricX509Cert","usage":"Verify"},{"customKeyIdentifier":"F0931109872A337B348A716A953CBFF5C7994B9B","displayName":"CN=49bc63b1-190a-4f4e-a962-58db2c2f7112","endDateTime":"2022-07-12T15:44:00Z","key":null,"keyId":"c6e3d740-2fe2-4b79-9125-f45fa0deca41","startDateTime":"2022-04-13T15:44:00Z","type":"AsymmetricX509Cert","usage":"Verify"}],"oauth2PermissionScopes":[],"passwordCredentials":[],"resourceSpecificApplicationPermissions":[],"verifiedPublisher":{"displayName":null,"verifiedPublisherId":null,"addedDateTime":null}}]}' headers: cache-control: - no-cache content-length: - - '481' + - '2337' content-type: + - application/json;odata.metadata=minimal;odata.streaming=true;IEEE754Compatible=false;charset=utf-8 + date: + - Mon, 05 Sep 2022 20:10:57 GMT + location: + - https://graph.microsoft.com + odata-version: + - '4.0' + request-id: + - 05383586-399d-4e3b-b309-023b58557c7c + strict-transport-security: + - max-age=31536000 + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-ms-ags-diagnostic: + - '{"ServerInfo":{"DataCenter":"South India","Slice":"E","Ring":"2","ScaleUnit":"002","RoleInstance":"MA1PEPF0000273D"}}' + x-ms-resource-unit: + - '3' + status: + code: 200 + message: OK +- request: + body: null + headers: + Accept: - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-instance update-msi-permissions + Connection: + - keep-alive + ParameterSetName: + - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance + --keyvault-id --yes + User-Agent: + - AZURECLI/2.39.0 azsdk-python-mgmt-rdbms/10.2.0b3 Python/3.8.5 (Windows-10-10.0.22000-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/firewallRules?api-version=2017-12-01 + response: + body: + string: '{"value":[]}' + headers: + cache-control: + - no-cache + content-length: + - '12' + content-type: + - application/json; charset=utf-8 date: - - Tue, 07 Feb 2023 05:54:24 GMT + - Mon, 05 Sep 2022 20:10:59 GMT expires: - '-1' pragma: - no-cache server: - - Microsoft-IIS/10.0 + - Microsoft-HTTPAPI/2.0 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -105,13 +1409,62 @@ interactions: - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '999' - x-powered-by: - - ASP.NET status: code: 200 message: OK +- request: + body: '{"properties": {"startIpAddress": "0.0.0.0", "endIpAddress": "0.0.0.0"}}' + headers: + Accept: + - application/json + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-instance update-msi-permissions + Connection: + - keep-alive + Content-Length: + - '72' + Content-Type: + - application/json + ParameterSetName: + - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance + --keyvault-id --yes + User-Agent: + - AZURECLI/2.39.0 azsdk-python-mgmt-rdbms/10.2.0b3 Python/3.8.5 (Windows-10-10.0.22000-SP0) + method: PUT + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/firewallRules/AllowAllWindowsAzureIps?api-version=2017-12-01 + response: + body: + string: '{"operation":"UpsertElasticServerFirewallRules","startTime":"2022-09-05T20:11:00.103Z"}' + headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DBforPostgreSQL/locations/centraluseuap/azureAsyncOperation/ddc3e679-a33f-42cb-8582-9b20e2cfdb69?api-version=2017-12-01 + cache-control: + - no-cache + content-length: + - '87' + content-type: + - application/json; charset=utf-8 + date: + - Mon, 05 Sep 2022 20:10:59 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DBforPostgreSQL/locations/centraluseuap/operationResults/ddc3e679-a33f-42cb-8582-9b20e2cfdb69?api-version=2017-12-01 + pragma: + - no-cache + server: + - Microsoft-HTTPAPI/2.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-writes: + - '1199' + status: + code: 202 + message: Accepted - request: body: null headers: @@ -120,34 +1473,34 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance create + - dataprotection backup-instance update-msi-permissions Connection: - keep-alive ParameterSetName: - - -g --vault-name --backup-instance + - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance + --keyvault-id --yes User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-rdbms/10.2.0b3 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2YyZWQ3ODg5LWRiYWMtNDI2My1iMGM4LTRlNjZmMzY5ZWY2ZA==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DBforPostgreSQL/locations/centraluseuap/azureAsyncOperation/ddc3e679-a33f-42cb-8582-9b20e2cfdb69?api-version=2017-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2YyZWQ3ODg5LWRiYWMtNDI2My1iMGM4LTRlNjZmMzY5ZWY2ZA==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2YyZWQ3ODg5LWRiYWMtNDI2My1iMGM4LTRlNjZmMzY5ZWY2ZA==","status":"Succeeded","startTime":"2023-02-07T05:54:14.1073792Z","endTime":"2023-02-07T05:54:35Z"}' + string: '{"name":"ddc3e679-a33f-42cb-8582-9b20e2cfdb69","status":"Succeeded","startTime":"2022-09-05T20:11:00.103Z"}' headers: cache-control: - no-cache content-length: - - '480' + - '107' content-type: - - application/json + - application/json; charset=utf-8 date: - - Tue, 07 Feb 2023 05:54:54 GMT + - Mon, 05 Sep 2022 20:11:14 GMT expires: - '-1' pragma: - no-cache server: - - Microsoft-IIS/10.0 + - Microsoft-HTTPAPI/2.0 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -156,10 +1509,6 @@ interactions: - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '998' - x-powered-by: - - ASP.NET status: code: 200 message: OK @@ -171,36 +1520,34 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance create + - dataprotection backup-instance update-msi-permissions Connection: - keep-alive ParameterSetName: - - -g --vault-name --backup-instance + - --datasource-type --permissions-scope -g --vault-name --operation --backup-instance + --keyvault-id --yes User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-rdbms/10.2.0b3 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2YyZWQ3ODg5LWRiYWMtNDI2My1iMGM4LTRlNjZmMzY5ZWY2ZA==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/firewallRules/AllowAllWindowsAzureIps?api-version=2017-12-01 response: body: - string: '{"objectType":"OperationJobExtendedInfo"}' + string: '{"properties":{"startIpAddress":"0.0.0.0","endIpAddress":"0.0.0.0"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/firewallRules/AllowAllWindowsAzureIps","name":"AllowAllWindowsAzureIps","type":"Microsoft.DBforPostgreSQL/servers/firewallRules"}' headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2YyZWQ3ODg5LWRiYWMtNDI2My1iMGM4LTRlNjZmMzY5ZWY2ZA==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '41' + - '348' content-type: - - application/json + - application/json; charset=utf-8 date: - - Tue, 07 Feb 2023 05:54:54 GMT + - Mon, 05 Sep 2022 20:11:15 GMT expires: - '-1' pragma: - no-cache server: - - Microsoft-IIS/10.0 + - Microsoft-HTTPAPI/2.0 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -209,15 +1556,11 @@ interactions: - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' - x-powered-by: - - ASP.NET status: code: 200 message: OK - request: - body: '{"properties": {"dataSourceInfo": {"datasourceType": "Microsoft.DBforPostgreSQL/servers/databases", + body: '{"backupInstance": {"dataSourceInfo": {"datasourceType": "Microsoft.DBforPostgreSQL/servers/databases", "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres", "resourceLocation": "centraluseuap", "resourceName": "postgres", "resourceType": "Microsoft.DBforPostgreSQL/servers/databases", "resourceUri": ""}, "dataSourceSetInfo": @@ -239,30 +1582,73 @@ interactions: Connection: - keep-alive Content-Length: - - '1353' + - '1357' Content-Type: - application/json ParameterSetName: - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764?api-version=2022-05-01 + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/validateForBackup?api-version=2022-05-01 response: body: - string: '{"properties":{"friendlyName":"oss-clitest-server\\postgres","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","resourceUri":"","datasourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceName":"postgres","resourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceLocation":"centraluseuap","objectType":"Datasource"},"dataSourceSetInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server","resourceUri":"","datasourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceName":"oss-clitest-server","resourceType":"Microsoft.DBforPostgreSQL/servers","resourceLocation":"centraluseuap","objectType":"DatasourceSet"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy"},"protectionStatus":{"status":"ConfiguringProtection"},"currentProtectionState":"ConfiguringProtection","provisioningState":"Provisioning","datasourceAuthCredentials":{"objectType":"SecretStoreBasedAuthCredentials","secretStoreResource":{"uri":"https://oss-clitest-keyvault.vault.azure.net/secrets/oss-clitest-secret","secretStoreType":"AzureKeyVault","value":null}},"objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","name":"oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' + string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2MwMzYzYmU0LWU1NGItNGU4ZC04NmZhLTdmZjYwMTc0NmU2NQ==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzAzMDM2MzNlLWRkOWMtNGM5YS1hYzI0LWIyMzdiODAxNThiOA==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '1880' + - '0' + date: + - Mon, 05 Sep 2022 20:13:21 GMT + expires: + - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzAzMDM2MzNlLWRkOWMtNGM5YS1hYzI0LWIyMzdiODAxNThiOA==?api-version=2022-05-01 + pragma: + - no-cache + strict-transport-security: + - max-age=31536000; includeSubDomains + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-writes: + - '1199' + x-powered-by: + - ASP.NET + status: + code: 202 + message: Accepted +- request: + body: null + headers: + Accept: + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-instance create + Connection: + - keep-alive + ParameterSetName: + - -g --vault-name --backup-instance + User-Agent: + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzAzMDM2MzNlLWRkOWMtNGM5YS1hYzI0LWIyMzdiODAxNThiOA==?api-version=2022-05-01 + response: + body: + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzAzMDM2MzNlLWRkOWMtNGM5YS1hYzI0LWIyMzdiODAxNThiOA==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzAzMDM2MzNlLWRkOWMtNGM5YS1hYzI0LWIyMzdiODAxNThiOA==","status":"Inprogress","startTime":"2022-09-05T20:13:22.2872596Z","endTime":"0001-01-01T00:00:00Z"}' + headers: + cache-control: + - no-cache + content-length: + - '481' content-type: - application/json date: - - Tue, 07 Feb 2023 05:54:56 GMT + - Mon, 05 Sep 2022 20:13:34 GMT expires: - '-1' pragma: @@ -271,15 +1657,19 @@ interactions: - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '999' x-powered-by: - ASP.NET status: - code: 201 - message: Created + code: 200 + message: OK - request: body: null headers: @@ -294,13 +1684,12 @@ interactions: ParameterSetName: - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2MwMzYzYmU0LWU1NGItNGU4ZC04NmZhLTdmZjYwMTc0NmU2NQ==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzAzMDM2MzNlLWRkOWMtNGM5YS1hYzI0LWIyMzdiODAxNThiOA==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2MwMzYzYmU0LWU1NGItNGU4ZC04NmZhLTdmZjYwMTc0NmU2NQ==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2MwMzYzYmU0LWU1NGItNGU4ZC04NmZhLTdmZjYwMTc0NmU2NQ==","status":"Succeeded","startTime":"2023-02-07T05:54:57.4050756Z","endTime":"2023-02-07T05:55:00Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzAzMDM2MzNlLWRkOWMtNGM5YS1hYzI0LWIyMzdiODAxNThiOA==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzAzMDM2MzNlLWRkOWMtNGM5YS1hYzI0LWIyMzdiODAxNThiOA==","status":"Succeeded","startTime":"2022-09-05T20:13:22.2872596Z","endTime":"2022-09-05T20:13:44Z"}' headers: cache-control: - no-cache @@ -309,7 +1698,7 @@ interactions: content-type: - application/json date: - - Tue, 07 Feb 2023 05:55:12 GMT + - Mon, 05 Sep 2022 20:14:04 GMT expires: - '-1' pragma: @@ -325,7 +1714,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '997' + - '998' x-powered-by: - ASP.NET status: @@ -335,32 +1724,100 @@ interactions: body: null headers: Accept: - - '*/*' + - '*/*' + Accept-Encoding: + - gzip, deflate + CommandName: + - dataprotection backup-instance create + Connection: + - keep-alive + ParameterSetName: + - -g --vault-name --backup-instance + User-Agent: + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + method: GET + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzAzMDM2MzNlLWRkOWMtNGM5YS1hYzI0LWIyMzdiODAxNThiOA==?api-version=2022-05-01 + response: + body: + string: '{"objectType":"OperationJobExtendedInfo"}' + headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzAzMDM2MzNlLWRkOWMtNGM5YS1hYzI0LWIyMzdiODAxNThiOA==?api-version=2022-05-01 + cache-control: + - no-cache + content-length: + - '41' + content-type: + - application/json + date: + - Mon, 05 Sep 2022 20:14:04 GMT + expires: + - '-1' + pragma: + - no-cache + server: + - Microsoft-IIS/10.0 + strict-transport-security: + - max-age=31536000; includeSubDomains + transfer-encoding: + - chunked + vary: + - Accept-Encoding + x-content-type-options: + - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '199' + x-powered-by: + - ASP.NET + status: + code: 200 + message: OK +- request: + body: '{"properties": {"dataSourceInfo": {"datasourceType": "Microsoft.DBforPostgreSQL/servers/databases", + "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres", + "resourceLocation": "centraluseuap", "resourceName": "postgres", "resourceType": + "Microsoft.DBforPostgreSQL/servers/databases", "resourceUri": ""}, "dataSourceSetInfo": + {"datasourceType": "Microsoft.DBforPostgreSQL/servers/databases", "objectType": + "DatasourceSet", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server", + "resourceLocation": "centraluseuap", "resourceName": "oss-clitest-server", "resourceType": + "Microsoft.DBforPostgreSQL/servers", "resourceUri": ""}, "policyInfo": {"policyId": + "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy"}, + "datasourceAuthCredentials": {"objectType": "SecretStoreBasedAuthCredentials", + "secretStoreResource": {"uri": "https://oss-clitest-keyvault.vault.azure.net/secrets/oss-clitest-secret", + "secretStoreType": "AzureKeyVault"}}, "objectType": "BackupInstance"}}' + headers: + Accept: + - application/json Accept-Encoding: - gzip, deflate CommandName: - dataprotection backup-instance create Connection: - keep-alive + Content-Length: + - '1353' + Content-Type: + - application/json ParameterSetName: - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + method: PUT uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764?api-version=2022-05-01 response: body: - string: '{"properties":{"friendlyName":"oss-clitest-server\\postgres","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","resourceUri":"","datasourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceName":"postgres","resourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceLocation":"centraluseuap","objectType":"Datasource"},"dataSourceSetInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server","resourceUri":"","datasourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceName":"oss-clitest-server","resourceType":"Microsoft.DBforPostgreSQL/servers","resourceLocation":"centraluseuap","objectType":"DatasourceSet"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy"},"protectionStatus":{"status":"ConfiguringProtection"},"currentProtectionState":"ConfiguringProtection","provisioningState":"Succeeded","datasourceAuthCredentials":{"objectType":"SecretStoreBasedAuthCredentials","secretStoreResource":{"uri":"https://oss-clitest-keyvault.vault.azure.net/secrets/oss-clitest-secret","secretStoreType":"AzureKeyVault","value":null}},"objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","name":"oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' + string: '{"properties":{"friendlyName":"oss-clitest-server\\postgres","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","resourceUri":"","datasourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceName":"postgres","resourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceLocation":"centraluseuap","objectType":"Datasource"},"dataSourceSetInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server","resourceUri":"","datasourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceName":"oss-clitest-server","resourceType":"Microsoft.DBforPostgreSQL/servers","resourceLocation":"centraluseuap","objectType":"DatasourceSet"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy"},"protectionStatus":{"status":"ConfiguringProtection"},"currentProtectionState":"ConfiguringProtection","provisioningState":"Provisioning","datasourceAuthCredentials":{"objectType":"SecretStoreBasedAuthCredentials","secretStoreResource":{"uri":"https://oss-clitest-keyvault.vault.azure.net/secrets/oss-clitest-secret","secretStoreType":"AzureKeyVault","value":null}},"objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","name":"oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEzMzUxYjUxLTQxODMtNDIzMC1iMDczLTE1YjFhZWU5Y2Y4Yw==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '1877' + - '1880' content-type: - application/json date: - - Tue, 07 Feb 2023 05:55:12 GMT + - Mon, 05 Sep 2022 20:14:06 GMT expires: - '-1' pragma: @@ -369,49 +1826,44 @@ interactions: - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '1999' + - '199' x-powered-by: - ASP.NET status: - code: 200 - message: OK + code: 201 + message: Created - request: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance list + - dataprotection backup-instance create Connection: - keep-alive ParameterSetName: - - -g --vault-name --query + - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEzMzUxYjUxLTQxODMtNDIzMC1iMDczLTE1YjFhZWU5Y2Y4Yw==?api-version=2022-05-01 response: body: - string: '{"value":[{"properties":{"friendlyName":"oss-clitest-server\\postgres","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","resourceUri":"","datasourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceName":"postgres","resourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceLocation":"centraluseuap","objectType":"Datasource"},"dataSourceSetInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server","resourceUri":"","datasourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceName":"oss-clitest-server","resourceType":"Microsoft.DBforPostgreSQL/servers","resourceLocation":"centraluseuap","objectType":"DatasourceSet"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy"},"protectionStatus":{"status":"ConfiguringProtection"},"currentProtectionState":"ConfiguringProtection","provisioningState":"Succeeded","datasourceAuthCredentials":{"objectType":"SecretStoreBasedAuthCredentials","secretStoreResource":{"uri":"https://oss-clitest-keyvault.vault.azure.net/secrets/oss-clitest-secret","secretStoreType":"AzureKeyVault","value":null}},"objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","name":"oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","type":"Microsoft.DataProtection/backupVaults/backupInstances"}]}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEzMzUxYjUxLTQxODMtNDIzMC1iMDczLTE1YjFhZWU5Y2Y4Yw==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEzMzUxYjUxLTQxODMtNDIzMC1iMDczLTE1YjFhZWU5Y2Y4Yw==","status":"Succeeded","startTime":"2022-09-05T20:14:07.3994097Z","endTime":"2022-09-05T20:14:09Z"}' headers: cache-control: - no-cache content-length: - - '1889' + - '480' content-type: - application/json date: - - Tue, 07 Feb 2023 05:55:15 GMT + - Mon, 05 Sep 2022 20:14:23 GMT expires: - '-1' pragma: @@ -427,7 +1879,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '1999' + - '997' x-powered-by: - ASP.NET status: @@ -437,32 +1889,31 @@ interactions: body: null headers: Accept: - - application/json + - '*/*' Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance list + - dataprotection backup-instance create Connection: - keep-alive ParameterSetName: - - -g --vault-name --query + - -g --vault-name --backup-instance User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764?api-version=2022-05-01 response: body: - string: '{"value":[{"properties":{"friendlyName":"oss-clitest-server\\postgres","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","resourceUri":"","datasourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceName":"postgres","resourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceLocation":"centraluseuap","objectType":"Datasource"},"dataSourceSetInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server","resourceUri":"","datasourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceName":"oss-clitest-server","resourceType":"Microsoft.DBforPostgreSQL/servers","resourceLocation":"centraluseuap","objectType":"DatasourceSet"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy"},"protectionStatus":{"status":"ConfiguringProtection"},"currentProtectionState":"ConfiguringProtection","provisioningState":"Succeeded","datasourceAuthCredentials":{"objectType":"SecretStoreBasedAuthCredentials","secretStoreResource":{"uri":"https://oss-clitest-keyvault.vault.azure.net/secrets/oss-clitest-secret","secretStoreType":"AzureKeyVault","value":null}},"objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","name":"oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","type":"Microsoft.DataProtection/backupVaults/backupInstances"}]}' + string: '{"properties":{"friendlyName":"oss-clitest-server\\postgres","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","resourceUri":"","datasourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceName":"postgres","resourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceLocation":"centraluseuap","objectType":"Datasource"},"dataSourceSetInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server","resourceUri":"","datasourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceName":"oss-clitest-server","resourceType":"Microsoft.DBforPostgreSQL/servers","resourceLocation":"centraluseuap","objectType":"DatasourceSet"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy"},"protectionStatus":{"status":"ConfiguringProtection"},"currentProtectionState":"ConfiguringProtection","provisioningState":"Succeeded","datasourceAuthCredentials":{"objectType":"SecretStoreBasedAuthCredentials","secretStoreResource":{"uri":"https://oss-clitest-keyvault.vault.azure.net/secrets/oss-clitest-secret","secretStoreType":"AzureKeyVault","value":null}},"objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","name":"oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' headers: cache-control: - no-cache content-length: - - '1889' + - '1877' content-type: - application/json date: - - Tue, 07 Feb 2023 05:55:26 GMT + - Mon, 05 Sep 2022 20:14:23 GMT expires: - '-1' pragma: @@ -478,7 +1929,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '1998' + - '1999' x-powered-by: - ASP.NET status: @@ -498,8 +1949,7 @@ interactions: ParameterSetName: - -g --vault-name --query User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances?api-version=2022-05-01 response: @@ -513,7 +1963,7 @@ interactions: content-type: - application/json date: - - Tue, 07 Feb 2023 05:55:37 GMT + - Mon, 05 Sep 2022 20:14:25 GMT expires: - '-1' pragma: @@ -529,7 +1979,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '1999' + - '1993' x-powered-by: - ASP.NET status: @@ -549,8 +1999,7 @@ interactions: ParameterSetName: - -g --vault-name --query User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances?api-version=2022-05-01 response: @@ -564,7 +2013,7 @@ interactions: content-type: - application/json date: - - Tue, 07 Feb 2023 05:55:49 GMT + - Mon, 05 Sep 2022 20:14:38 GMT expires: - '-1' pragma: @@ -580,7 +2029,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '1999' + - '1998' x-powered-by: - ASP.NET status: @@ -600,8 +2049,7 @@ interactions: ParameterSetName: - -g --vault-name --backup-instance-name --policy-id --query User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764?api-version=2022-05-01 response: @@ -615,7 +2063,7 @@ interactions: content-type: - application/json date: - - Tue, 07 Feb 2023 05:56:20 GMT + - Mon, 05 Sep 2022 20:15:11 GMT expires: - '-1' pragma: @@ -631,7 +2079,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '1998' + - '1997' x-powered-by: - ASP.NET status: @@ -667,8 +2115,7 @@ interactions: ParameterSetName: - -g --vault-name --backup-instance-name --policy-id --query User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: PUT uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764?api-version=2022-05-01 response: @@ -676,7 +2123,7 @@ interactions: string: '{"properties":{"friendlyName":"oss-clitest-server\\postgres","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","resourceUri":"","datasourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceName":"postgres","resourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceLocation":"centraluseuap","objectType":"Datasource"},"dataSourceSetInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server","resourceUri":"","datasourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceName":"oss-clitest-server","resourceType":"Microsoft.DBforPostgreSQL/servers","resourceLocation":"centraluseuap","objectType":"DatasourceSet"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy"},"protectionStatus":{"status":"UpdatingProtection"},"currentProtectionState":"UpdatingProtection","provisioningState":"Succeeded","datasourceAuthCredentials":{"objectType":"SecretStoreBasedAuthCredentials","secretStoreResource":{"uri":"https://oss-clitest-keyvault.vault.azure.net/secrets/oss-clitest-secret","secretStoreType":"AzureKeyVault","value":null}},"objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","name":"oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzVjODA2MDA0LTQzM2ItNDBkYS1iMjNkLTU0M2M5NTZjYTE5NQ==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzJhMWI2ZjBhLWZmYjEtNGU4Zi04Y2EyLTA5MThlMzU2MDMxZQ==?api-version=2022-05-01 cache-control: - no-cache content-length: @@ -684,7 +2131,7 @@ interactions: content-type: - application/json date: - - Tue, 07 Feb 2023 05:56:20 GMT + - Mon, 05 Sep 2022 20:15:12 GMT expires: - '-1' pragma: @@ -696,7 +2143,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '198' + - '199' x-powered-by: - ASP.NET status: @@ -716,13 +2163,12 @@ interactions: ParameterSetName: - -g --vault-name --backup-instance-name --policy-id --query User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzVjODA2MDA0LTQzM2ItNDBkYS1iMjNkLTU0M2M5NTZjYTE5NQ==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzJhMWI2ZjBhLWZmYjEtNGU4Zi04Y2EyLTA5MThlMzU2MDMxZQ==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzVjODA2MDA0LTQzM2ItNDBkYS1iMjNkLTU0M2M5NTZjYTE5NQ==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzVjODA2MDA0LTQzM2ItNDBkYS1iMjNkLTU0M2M5NTZjYTE5NQ==","status":"Succeeded","startTime":"2023-02-07T05:56:21.6096677Z","endTime":"2023-02-07T05:56:22Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzJhMWI2ZjBhLWZmYjEtNGU4Zi04Y2EyLTA5MThlMzU2MDMxZQ==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzJhMWI2ZjBhLWZmYjEtNGU4Zi04Y2EyLTA5MThlMzU2MDMxZQ==","status":"Succeeded","startTime":"2022-09-05T20:15:12.8655179Z","endTime":"2022-09-05T20:15:14Z"}' headers: cache-control: - no-cache @@ -731,7 +2177,7 @@ interactions: content-type: - application/json date: - - Tue, 07 Feb 2023 05:56:37 GMT + - Mon, 05 Sep 2022 20:15:28 GMT expires: - '-1' pragma: @@ -747,7 +2193,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '996' + - '997' x-powered-by: - ASP.NET status: @@ -767,8 +2213,7 @@ interactions: ParameterSetName: - -g --vault-name --backup-instance-name --policy-id --query User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764?api-version=2022-05-01 response: @@ -782,58 +2227,7 @@ interactions: content-type: - application/json date: - - Tue, 07 Feb 2023 05:56:37 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '1997' - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-instance list - Connection: - - keep-alive - ParameterSetName: - - -g --vault-name --query - User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances?api-version=2022-05-01 - response: - body: - string: '{"value":[{"properties":{"friendlyName":"oss-clitest-server\\postgres","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","resourceUri":"","datasourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceName":"postgres","resourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceLocation":"centraluseuap","objectType":"Datasource"},"dataSourceSetInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server","resourceUri":"","datasourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceName":"oss-clitest-server","resourceType":"Microsoft.DBforPostgreSQL/servers","resourceLocation":"centraluseuap","objectType":"DatasourceSet"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2"},"protectionStatus":{"status":"UpdatingProtection"},"currentProtectionState":"UpdatingProtection","provisioningState":"Succeeded","datasourceAuthCredentials":{"objectType":"SecretStoreBasedAuthCredentials","secretStoreResource":{"uri":"https://oss-clitest-keyvault.vault.azure.net/secrets/oss-clitest-secret","secretStoreType":"AzureKeyVault","value":null}},"objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","name":"oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","type":"Microsoft.DataProtection/backupVaults/backupInstances"}]}' - headers: - cache-control: - - no-cache - content-length: - - '1884' - content-type: - - application/json - date: - - Tue, 07 Feb 2023 05:56:53 GMT + - Mon, 05 Sep 2022 20:15:28 GMT expires: - '-1' pragma: @@ -849,7 +2243,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '1998' + - '1996' x-powered-by: - ASP.NET status: @@ -869,8 +2263,7 @@ interactions: ParameterSetName: - -g --vault-name --query User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances?api-version=2022-05-01 response: @@ -884,7 +2277,7 @@ interactions: content-type: - application/json date: - - Tue, 07 Feb 2023 05:57:04 GMT + - Mon, 05 Sep 2022 20:15:45 GMT expires: - '-1' pragma: @@ -920,8 +2313,7 @@ interactions: ParameterSetName: - -g --vault-name --query User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances?api-version=2022-05-01 response: @@ -935,7 +2327,7 @@ interactions: content-type: - application/json date: - - Tue, 07 Feb 2023 05:57:15 GMT + - Mon, 05 Sep 2022 20:16:01 GMT expires: - '-1' pragma: @@ -951,7 +2343,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '1997' + - '1999' x-powered-by: - ASP.NET status: @@ -973,8 +2365,7 @@ interactions: ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: POST uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764/stopProtection?api-version=2022-05-01 response: @@ -982,17 +2373,17 @@ interactions: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzllZGYyNGJlLTVjZDMtNDA2Zi1hYTNkLTE3OTE4ZDcyYThlOA==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzQ4MjYwYjI4LWUwYTEtNGIwZS05OTQwLWExYzU0OTU2Y2JhNw==?api-version=2022-05-01 cache-control: - no-cache content-length: - '0' date: - - Tue, 07 Feb 2023 05:57:48 GMT + - Mon, 05 Sep 2022 20:16:38 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzllZGYyNGJlLTVjZDMtNDA2Zi1hYTNkLTE3OTE4ZDcyYThlOA==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzQ4MjYwYjI4LWUwYTEtNGIwZS05OTQwLWExYzU0OTU2Y2JhNw==?api-version=2022-05-01 pragma: - no-cache strict-transport-security: @@ -1020,64 +2411,12 @@ interactions: ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzllZGYyNGJlLTVjZDMtNDA2Zi1hYTNkLTE3OTE4ZDcyYThlOA==?api-version=2022-05-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzllZGYyNGJlLTVjZDMtNDA2Zi1hYTNkLTE3OTE4ZDcyYThlOA==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzllZGYyNGJlLTVjZDMtNDA2Zi1hYTNkLTE3OTE4ZDcyYThlOA==","status":"Inprogress","startTime":"2023-02-07T05:57:48.2657977Z","endTime":"0001-01-01T00:00:00Z"}' - headers: - cache-control: - - no-cache - content-length: - - '481' - content-type: - - application/json - date: - - Tue, 07 Feb 2023 05:58:02 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '995' - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-instance stop-protection - Connection: - - keep-alive - ParameterSetName: - - -n -g --vault-name - User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzllZGYyNGJlLTVjZDMtNDA2Zi1hYTNkLTE3OTE4ZDcyYThlOA==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzQ4MjYwYjI4LWUwYTEtNGIwZS05OTQwLWExYzU0OTU2Y2JhNw==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzllZGYyNGJlLTVjZDMtNDA2Zi1hYTNkLTE3OTE4ZDcyYThlOA==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzllZGYyNGJlLTVjZDMtNDA2Zi1hYTNkLTE3OTE4ZDcyYThlOA==","status":"Succeeded","startTime":"2023-02-07T05:57:48.2657977Z","endTime":"2023-02-07T05:58:31Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzQ4MjYwYjI4LWUwYTEtNGIwZS05OTQwLWExYzU0OTU2Y2JhNw==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzQ4MjYwYjI4LWUwYTEtNGIwZS05OTQwLWExYzU0OTU2Y2JhNw==","status":"Succeeded","startTime":"2022-09-05T20:16:38.7484597Z","endTime":"2022-09-05T20:16:52Z"}' headers: cache-control: - no-cache @@ -1086,7 +2425,7 @@ interactions: content-type: - application/json date: - - Tue, 07 Feb 2023 05:58:33 GMT + - Mon, 05 Sep 2022 20:16:53 GMT expires: - '-1' pragma: @@ -1102,7 +2441,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '994' + - '996' x-powered-by: - ASP.NET status: @@ -1122,16 +2461,15 @@ interactions: ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzllZGYyNGJlLTVjZDMtNDA2Zi1hYTNkLTE3OTE4ZDcyYThlOA==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzQ4MjYwYjI4LWUwYTEtNGIwZS05OTQwLWExYzU0OTU2Y2JhNw==?api-version=2022-05-01 response: body: string: '{"objectType":"OperationJobExtendedInfo"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzllZGYyNGJlLTVjZDMtNDA2Zi1hYTNkLTE3OTE4ZDcyYThlOA==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzQ4MjYwYjI4LWUwYTEtNGIwZS05OTQwLWExYzU0OTU2Y2JhNw==?api-version=2022-05-01 cache-control: - no-cache content-length: @@ -1139,58 +2477,7 @@ interactions: content-type: - application/json date: - - Tue, 07 Feb 2023 05:58:34 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '198' - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-instance show - Connection: - - keep-alive - ParameterSetName: - - -n -g --vault-name - User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764?api-version=2022-05-01 - response: - body: - string: '{"properties":{"friendlyName":"oss-clitest-server\\postgres","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","resourceUri":"","datasourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceName":"postgres","resourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceLocation":"centraluseuap","objectType":"Datasource"},"dataSourceSetInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server","resourceUri":"","datasourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceName":"oss-clitest-server","resourceType":"Microsoft.DBforPostgreSQL/servers","resourceLocation":"centraluseuap","objectType":"DatasourceSet"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2"},"protectionStatus":{"status":"ProtectionStopped"},"currentProtectionState":"ProtectionStopped","provisioningState":"Succeeded","datasourceAuthCredentials":{"objectType":"SecretStoreBasedAuthCredentials","secretStoreResource":{"uri":"https://oss-clitest-keyvault.vault.azure.net/secrets/oss-clitest-secret","secretStoreType":"AzureKeyVault","value":null}},"objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","name":"oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' - headers: - cache-control: - - no-cache - content-length: - - '1870' - content-type: - - application/json - date: - - Tue, 07 Feb 2023 05:58:35 GMT + - Mon, 05 Sep 2022 20:16:54 GMT expires: - '-1' pragma: @@ -1204,93 +2491,43 @@ interactions: vary: - Accept-Encoding x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '1997' - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-instance resume-protection - Connection: - - keep-alive - Content-Length: - - '0' - ParameterSetName: - - -n -g --vault-name - User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764/resumeProtection?api-version=2022-05-01 - response: - body: - string: '' - headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzMxYmMzNDQ3LTA4M2YtNDY5Zi1hOGNiLTA5NzVlMGM3YWVjOQ==?api-version=2022-05-01 - cache-control: - - no-cache - content-length: - - '0' - date: - - Tue, 07 Feb 2023 05:58:37 GMT - expires: - - '-1' - location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzMxYmMzNDQ3LTA4M2YtNDY5Zi1hOGNiLTA5NzVlMGM3YWVjOQ==?api-version=2022-05-01 - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1199' + - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '198' x-powered-by: - ASP.NET status: - code: 202 - message: Accepted + code: 200 + message: OK - request: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - dataprotection backup-instance resume-protection + - dataprotection backup-instance show Connection: - keep-alive ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzMxYmMzNDQ3LTA4M2YtNDY5Zi1hOGNiLTA5NzVlMGM3YWVjOQ==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzMxYmMzNDQ3LTA4M2YtNDY5Zi1hOGNiLTA5NzVlMGM3YWVjOQ==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzMxYmMzNDQ3LTA4M2YtNDY5Zi1hOGNiLTA5NzVlMGM3YWVjOQ==","status":"Inprogress","startTime":"2023-02-07T05:58:37.7721818Z","endTime":"0001-01-01T00:00:00Z"}' + string: '{"properties":{"friendlyName":"oss-clitest-server\\postgres","dataSourceInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","resourceUri":"","datasourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceName":"postgres","resourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceLocation":"centraluseuap","objectType":"Datasource"},"dataSourceSetInfo":{"resourceID":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server","resourceUri":"","datasourceType":"Microsoft.DBforPostgreSQL/servers/databases","resourceName":"oss-clitest-server","resourceType":"Microsoft.DBforPostgreSQL/servers","resourceLocation":"centraluseuap","objectType":"DatasourceSet"},"policyInfo":{"policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2"},"protectionStatus":{"status":"ProtectionStopped"},"currentProtectionState":"ProtectionStopped","provisioningState":"Succeeded","datasourceAuthCredentials":{"objectType":"SecretStoreBasedAuthCredentials","secretStoreResource":{"uri":"https://oss-clitest-keyvault.vault.azure.net/secrets/oss-clitest-secret","secretStoreType":"AzureKeyVault","value":null}},"objectType":"BackupInstance"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","name":"oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","type":"Microsoft.DataProtection/backupVaults/backupInstances"}' headers: cache-control: - no-cache content-length: - - '481' + - '1870' content-type: - application/json date: - - Tue, 07 Feb 2023 05:58:53 GMT + - Mon, 05 Sep 2022 20:16:58 GMT expires: - '-1' pragma: @@ -1306,7 +2543,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '999' + - '1999' x-powered-by: - ASP.NET status: @@ -1316,53 +2553,50 @@ interactions: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - dataprotection backup-instance resume-protection Connection: - keep-alive + Content-Length: + - '0' ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzMxYmMzNDQ3LTA4M2YtNDY5Zi1hOGNiLTA5NzVlMGM3YWVjOQ==?api-version=2022-05-01 + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) + method: POST + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764/resumeProtection?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzMxYmMzNDQ3LTA4M2YtNDY5Zi1hOGNiLTA5NzVlMGM3YWVjOQ==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzMxYmMzNDQ3LTA4M2YtNDY5Zi1hOGNiLTA5NzVlMGM3YWVjOQ==","status":"Inprogress","startTime":"2023-02-07T05:58:37.7721818Z","endTime":"0001-01-01T00:00:00Z"}' + string: '' headers: + azure-asyncoperation: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3Ozc5MjMyODg1LWZjYTItNDBkNC05MWVkLTBmYjBlMGM4ODJiYw==?api-version=2022-05-01 cache-control: - no-cache content-length: - - '481' - content-type: - - application/json + - '0' date: - - Tue, 07 Feb 2023 05:59:23 GMT + - Mon, 05 Sep 2022 20:17:01 GMT expires: - '-1' + location: + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3Ozc5MjMyODg1LWZjYTItNDBkNC05MWVkLTBmYjBlMGM4ODJiYw==?api-version=2022-05-01 pragma: - no-cache - server: - - Microsoft-IIS/10.0 strict-transport-security: - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '998' + x-ms-ratelimit-remaining-subscription-writes: + - '1199' x-powered-by: - ASP.NET status: - code: 200 - message: OK + code: 202 + message: Accepted - request: body: null headers: @@ -1377,13 +2611,12 @@ interactions: ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzMxYmMzNDQ3LTA4M2YtNDY5Zi1hOGNiLTA5NzVlMGM3YWVjOQ==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3Ozc5MjMyODg1LWZjYTItNDBkNC05MWVkLTBmYjBlMGM4ODJiYw==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzMxYmMzNDQ3LTA4M2YtNDY5Zi1hOGNiLTA5NzVlMGM3YWVjOQ==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzMxYmMzNDQ3LTA4M2YtNDY5Zi1hOGNiLTA5NzVlMGM3YWVjOQ==","status":"Succeeded","startTime":"2023-02-07T05:58:37.7721818Z","endTime":"2023-02-07T05:59:25Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3Ozc5MjMyODg1LWZjYTItNDBkNC05MWVkLTBmYjBlMGM4ODJiYw==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3Ozc5MjMyODg1LWZjYTItNDBkNC05MWVkLTBmYjBlMGM4ODJiYw==","status":"Succeeded","startTime":"2022-09-05T20:17:02.0045759Z","endTime":"2022-09-05T20:17:16Z"}' headers: cache-control: - no-cache @@ -1392,7 +2625,7 @@ interactions: content-type: - application/json date: - - Tue, 07 Feb 2023 05:59:53 GMT + - Mon, 05 Sep 2022 20:17:17 GMT expires: - '-1' pragma: @@ -1408,7 +2641,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '997' + - '999' x-powered-by: - ASP.NET status: @@ -1428,16 +2661,15 @@ interactions: ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzMxYmMzNDQ3LTA4M2YtNDY5Zi1hOGNiLTA5NzVlMGM3YWVjOQ==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3Ozc5MjMyODg1LWZjYTItNDBkNC05MWVkLTBmYjBlMGM4ODJiYw==?api-version=2022-05-01 response: body: string: '{"objectType":"OperationJobExtendedInfo"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzMxYmMzNDQ3LTA4M2YtNDY5Zi1hOGNiLTA5NzVlMGM3YWVjOQ==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3Ozc5MjMyODg1LWZjYTItNDBkNC05MWVkLTBmYjBlMGM4ODJiYw==?api-version=2022-05-01 cache-control: - no-cache content-length: @@ -1445,7 +2677,7 @@ interactions: content-type: - application/json date: - - Tue, 07 Feb 2023 05:59:54 GMT + - Mon, 05 Sep 2022 20:17:18 GMT expires: - '-1' pragma: @@ -1481,8 +2713,7 @@ interactions: ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764?api-version=2022-05-01 response: @@ -1496,7 +2727,7 @@ interactions: content-type: - application/json date: - - Tue, 07 Feb 2023 05:59:55 GMT + - Mon, 05 Sep 2022 20:17:21 GMT expires: - '-1' pragma: @@ -1512,7 +2743,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '1996' + - '1998' x-powered-by: - ASP.NET status: @@ -1534,8 +2765,7 @@ interactions: ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: POST uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764/suspendBackups?api-version=2022-05-01 response: @@ -1543,17 +2773,17 @@ interactions: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzJlYjEzYTBlLTFhZGMtNGMwYy04YWJhLTg4MDkzOWI5ODk5Zg==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzdkY2FkMTIwLWNkNzUtNGQ0Mi04MDM5LTY5ZjcxYTM3NDJiNw==?api-version=2022-05-01 cache-control: - no-cache content-length: - '0' date: - - Tue, 07 Feb 2023 05:59:57 GMT + - Mon, 05 Sep 2022 20:17:25 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzJlYjEzYTBlLTFhZGMtNGMwYy04YWJhLTg4MDkzOWI5ODk5Zg==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzdkY2FkMTIwLWNkNzUtNGQ0Mi04MDM5LTY5ZjcxYTM3NDJiNw==?api-version=2022-05-01 pragma: - no-cache strict-transport-security: @@ -1581,64 +2811,12 @@ interactions: ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzJlYjEzYTBlLTFhZGMtNGMwYy04YWJhLTg4MDkzOWI5ODk5Zg==?api-version=2022-05-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzJlYjEzYTBlLTFhZGMtNGMwYy04YWJhLTg4MDkzOWI5ODk5Zg==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzJlYjEzYTBlLTFhZGMtNGMwYy04YWJhLTg4MDkzOWI5ODk5Zg==","status":"Inprogress","startTime":"2023-02-07T05:59:58.0122667Z","endTime":"0001-01-01T00:00:00Z"}' - headers: - cache-control: - - no-cache - content-length: - - '481' - content-type: - - application/json - date: - - Tue, 07 Feb 2023 06:00:13 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '999' - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-instance suspend-backup - Connection: - - keep-alive - ParameterSetName: - - -n -g --vault-name - User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzJlYjEzYTBlLTFhZGMtNGMwYy04YWJhLTg4MDkzOWI5ODk5Zg==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzdkY2FkMTIwLWNkNzUtNGQ0Mi04MDM5LTY5ZjcxYTM3NDJiNw==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzJlYjEzYTBlLTFhZGMtNGMwYy04YWJhLTg4MDkzOWI5ODk5Zg==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzJlYjEzYTBlLTFhZGMtNGMwYy04YWJhLTg4MDkzOWI5ODk5Zg==","status":"Succeeded","startTime":"2023-02-07T05:59:58.0122667Z","endTime":"2023-02-07T06:00:36Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzdkY2FkMTIwLWNkNzUtNGQ0Mi04MDM5LTY5ZjcxYTM3NDJiNw==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzdkY2FkMTIwLWNkNzUtNGQ0Mi04MDM5LTY5ZjcxYTM3NDJiNw==","status":"Succeeded","startTime":"2022-09-05T20:17:25.3831981Z","endTime":"2022-09-05T20:17:37Z"}' headers: cache-control: - no-cache @@ -1647,7 +2825,7 @@ interactions: content-type: - application/json date: - - Tue, 07 Feb 2023 06:00:43 GMT + - Mon, 05 Sep 2022 20:17:40 GMT expires: - '-1' pragma: @@ -1663,7 +2841,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '998' + - '999' x-powered-by: - ASP.NET status: @@ -1683,16 +2861,15 @@ interactions: ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzJlYjEzYTBlLTFhZGMtNGMwYy04YWJhLTg4MDkzOWI5ODk5Zg==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzdkY2FkMTIwLWNkNzUtNGQ0Mi04MDM5LTY5ZjcxYTM3NDJiNw==?api-version=2022-05-01 response: body: string: '{"objectType":"OperationJobExtendedInfo"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzJlYjEzYTBlLTFhZGMtNGMwYy04YWJhLTg4MDkzOWI5ODk5Zg==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzdkY2FkMTIwLWNkNzUtNGQ0Mi04MDM5LTY5ZjcxYTM3NDJiNw==?api-version=2022-05-01 cache-control: - no-cache content-length: @@ -1700,7 +2877,7 @@ interactions: content-type: - application/json date: - - Tue, 07 Feb 2023 06:00:44 GMT + - Mon, 05 Sep 2022 20:17:41 GMT expires: - '-1' pragma: @@ -1736,8 +2913,7 @@ interactions: ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764?api-version=2022-05-01 response: @@ -1751,7 +2927,7 @@ interactions: content-type: - application/json date: - - Tue, 07 Feb 2023 06:00:45 GMT + - Mon, 05 Sep 2022 20:17:42 GMT expires: - '-1' pragma: @@ -1767,7 +2943,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '1995' + - '1998' x-powered-by: - ASP.NET status: @@ -1789,8 +2965,7 @@ interactions: ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: POST uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764/resumeProtection?api-version=2022-05-01 response: @@ -1798,17 +2973,17 @@ interactions: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzgyODM4NDQwLWEyMWUtNGYxYS1iYWU4LWEwYjY2NjI1MjMyNg==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2YwYjA2YjA3LWVmNzgtNGI3Ny1iNjhmLTc4ODVhMTNlY2NiNQ==?api-version=2022-05-01 cache-control: - no-cache content-length: - '0' date: - - Tue, 07 Feb 2023 06:00:47 GMT + - Mon, 05 Sep 2022 20:17:44 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzgyODM4NDQwLWEyMWUtNGYxYS1iYWU4LWEwYjY2NjI1MjMyNg==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2YwYjA2YjA3LWVmNzgtNGI3Ny1iNjhmLTc4ODVhMTNlY2NiNQ==?api-version=2022-05-01 pragma: - no-cache strict-transport-security: @@ -1816,7 +2991,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-writes: - - '1198' + - '1197' x-powered-by: - ASP.NET status: @@ -1836,64 +3011,12 @@ interactions: ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzgyODM4NDQwLWEyMWUtNGYxYS1iYWU4LWEwYjY2NjI1MjMyNg==?api-version=2022-05-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzgyODM4NDQwLWEyMWUtNGYxYS1iYWU4LWEwYjY2NjI1MjMyNg==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzgyODM4NDQwLWEyMWUtNGYxYS1iYWU4LWEwYjY2NjI1MjMyNg==","status":"Inprogress","startTime":"2023-02-07T06:00:48.1781022Z","endTime":"0001-01-01T00:00:00Z"}' - headers: - cache-control: - - no-cache - content-length: - - '481' - content-type: - - application/json - date: - - Tue, 07 Feb 2023 06:01:03 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '996' - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-instance resume-protection - Connection: - - keep-alive - ParameterSetName: - - -n -g --vault-name - User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzgyODM4NDQwLWEyMWUtNGYxYS1iYWU4LWEwYjY2NjI1MjMyNg==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2YwYjA2YjA3LWVmNzgtNGI3Ny1iNjhmLTc4ODVhMTNlY2NiNQ==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzgyODM4NDQwLWEyMWUtNGYxYS1iYWU4LWEwYjY2NjI1MjMyNg==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzgyODM4NDQwLWEyMWUtNGYxYS1iYWU4LWEwYjY2NjI1MjMyNg==","status":"Succeeded","startTime":"2023-02-07T06:00:48.1781022Z","endTime":"2023-02-07T06:01:32Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2YwYjA2YjA3LWVmNzgtNGI3Ny1iNjhmLTc4ODVhMTNlY2NiNQ==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2YwYjA2YjA3LWVmNzgtNGI3Ny1iNjhmLTc4ODVhMTNlY2NiNQ==","status":"Succeeded","startTime":"2022-09-05T20:17:44.2991947Z","endTime":"2022-09-05T20:17:57Z"}' headers: cache-control: - no-cache @@ -1902,7 +3025,7 @@ interactions: content-type: - application/json date: - - Tue, 07 Feb 2023 06:01:33 GMT + - Mon, 05 Sep 2022 20:17:59 GMT expires: - '-1' pragma: @@ -1938,16 +3061,15 @@ interactions: ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzgyODM4NDQwLWEyMWUtNGYxYS1iYWU4LWEwYjY2NjI1MjMyNg==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2YwYjA2YjA3LWVmNzgtNGI3Ny1iNjhmLTc4ODVhMTNlY2NiNQ==?api-version=2022-05-01 response: body: string: '{"objectType":"OperationJobExtendedInfo"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzgyODM4NDQwLWEyMWUtNGYxYS1iYWU4LWEwYjY2NjI1MjMyNg==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2YwYjA2YjA3LWVmNzgtNGI3Ny1iNjhmLTc4ODVhMTNlY2NiNQ==?api-version=2022-05-01 cache-control: - no-cache content-length: @@ -1955,7 +3077,7 @@ interactions: content-type: - application/json date: - - Tue, 07 Feb 2023 06:01:33 GMT + - Mon, 05 Sep 2022 20:17:59 GMT expires: - '-1' pragma: @@ -1971,7 +3093,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '198' + - '197' x-powered-by: - ASP.NET status: @@ -1991,8 +3113,7 @@ interactions: ParameterSetName: - -n -g --vault-name User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764?api-version=2022-05-01 response: @@ -2006,7 +3127,7 @@ interactions: content-type: - application/json date: - - Tue, 07 Feb 2023 06:01:35 GMT + - Mon, 05 Sep 2022 20:18:02 GMT expires: - '-1' pragma: @@ -2022,7 +3143,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '1994' + - '1998' x-powered-by: - ASP.NET status: @@ -2047,8 +3168,7 @@ interactions: ParameterSetName: - -n -g --vault-name --rule-name --retention-tag-override User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: POST uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764/backup?api-version=2022-05-01 response: @@ -2056,17 +3176,17 @@ interactions: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEyNzBhZjRmLWMzMTgtNDViOS04YjM0LTk4ZmVmOTM2NGFiOA==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U2OWM2NWUwLTJhY2UtNGZhMi05ZmFlLTkzMDQ2ZDFmZWMxNQ==?api-version=2022-05-01 cache-control: - no-cache content-length: - '0' date: - - Tue, 07 Feb 2023 06:01:37 GMT + - Mon, 05 Sep 2022 20:18:04 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEyNzBhZjRmLWMzMTgtNDViOS04YjM0LTk4ZmVmOTM2NGFiOA==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U2OWM2NWUwLTJhY2UtNGZhMi05ZmFlLTkzMDQ2ZDFmZWMxNQ==?api-version=2022-05-01 pragma: - no-cache strict-transport-security: @@ -2074,7 +3194,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-writes: - - '1197' + - '1196' x-powered-by: - ASP.NET status: @@ -2094,22 +3214,21 @@ interactions: ParameterSetName: - -n -g --vault-name --rule-name --retention-tag-override User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEyNzBhZjRmLWMzMTgtNDViOS04YjM0LTk4ZmVmOTM2NGFiOA==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U2OWM2NWUwLTJhY2UtNGZhMi05ZmFlLTkzMDQ2ZDFmZWMxNQ==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEyNzBhZjRmLWMzMTgtNDViOS04YjM0LTk4ZmVmOTM2NGFiOA==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEyNzBhZjRmLWMzMTgtNDViOS04YjM0LTk4ZmVmOTM2NGFiOA==","status":"Succeeded","startTime":"2023-02-07T06:01:37.368023Z","endTime":"2023-02-07T06:01:39Z","properties":{"jobId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault/backupJobs/37729285-3e72-4f71-9344-587a8442bff0","objectType":"OperationJobExtendedInfo"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U2OWM2NWUwLTJhY2UtNGZhMi05ZmFlLTkzMDQ2ZDFmZWMxNQ==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U2OWM2NWUwLTJhY2UtNGZhMi05ZmFlLTkzMDQ2ZDFmZWMxNQ==","status":"Succeeded","startTime":"2022-09-05T20:18:04.0646602Z","endTime":"2022-09-05T20:18:06Z","properties":{"jobId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault/backupJobs/f6d21a45-3dde-4c86-b497-6460ac231a88","objectType":"OperationJobExtendedInfo"}}' headers: cache-control: - no-cache content-length: - - '740' + - '741' content-type: - application/json date: - - Tue, 07 Feb 2023 06:02:07 GMT + - Mon, 05 Sep 2022 20:18:34 GMT expires: - '-1' pragma: @@ -2125,7 +3244,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '993' + - '994' x-powered-by: - ASP.NET status: @@ -2145,16 +3264,15 @@ interactions: ParameterSetName: - -n -g --vault-name --rule-name --retention-tag-override User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEyNzBhZjRmLWMzMTgtNDViOS04YjM0LTk4ZmVmOTM2NGFiOA==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U2OWM2NWUwLTJhY2UtNGZhMi05ZmFlLTkzMDQ2ZDFmZWMxNQ==?api-version=2022-05-01 response: body: - string: '{"jobId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault/backupJobs/37729285-3e72-4f71-9344-587a8442bff0","objectType":"OperationJobExtendedInfo"}' + string: '{"jobId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault/backupJobs/f6d21a45-3dde-4c86-b497-6460ac231a88","objectType":"OperationJobExtendedInfo"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzEyNzBhZjRmLWMzMTgtNDViOS04YjM0LTk4ZmVmOTM2NGFiOA==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U2OWM2NWUwLTJhY2UtNGZhMi05ZmFlLTkzMDQ2ZDFmZWMxNQ==?api-version=2022-05-01 cache-control: - no-cache content-length: @@ -2162,7 +3280,7 @@ interactions: content-type: - application/json date: - - Tue, 07 Feb 2023 06:02:07 GMT + - Mon, 05 Sep 2022 20:18:34 GMT expires: - '-1' pragma: @@ -2178,7 +3296,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '197' + - '196' x-powered-by: - ASP.NET status: @@ -2198,23 +3316,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/37729285-3e72-4f71-9344-587a8442bff0?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/f6d21a45-3dde-4c86-b497-6460ac231a88?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"e1441bd0-a6ac-11ed-a985-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-07T06%3A01%3A38.7574079Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-07T06:01:37.6694616Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger - Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Weekly"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/37729285-3e72-4f71-9344-587a8442bff0","name":"37729285-3e72-4f71-9344-587a8442bff0","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"d88757d6-2d57-11ed-870d-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T20%3A18%3A04.7833723Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T20:18:04.3019953Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger + Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Weekly"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/f6d21a45-3dde-4c86-b497-6460ac231a88","name":"f6d21a45-3dde-4c86-b497-6460ac231a88","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2227' + - '2199' content-type: - application/json date: - - Tue, 07 Feb 2023 06:02:19 GMT + - Mon, 05 Sep 2022 20:18:46 GMT expires: - '-1' pragma: @@ -2251,23 +3368,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/37729285-3e72-4f71-9344-587a8442bff0?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/f6d21a45-3dde-4c86-b497-6460ac231a88?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"e1441bd0-a6ac-11ed-a985-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-07T06%3A01%3A38.7574079Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-07T06:01:37.6694616Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger - Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Weekly"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/37729285-3e72-4f71-9344-587a8442bff0","name":"37729285-3e72-4f71-9344-587a8442bff0","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"d88757d6-2d57-11ed-870d-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T20%3A18%3A04.7833723Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T20:18:04.3019953Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger + Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Weekly"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/f6d21a45-3dde-4c86-b497-6460ac231a88","name":"f6d21a45-3dde-4c86-b497-6460ac231a88","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2227' + - '2199' content-type: - application/json date: - - Tue, 07 Feb 2023 06:02:31 GMT + - Mon, 05 Sep 2022 20:18:59 GMT expires: - '-1' pragma: @@ -2284,7 +3400,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '198' + - '199' x-powered-by: - ASP.NET status: @@ -2304,23 +3420,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/37729285-3e72-4f71-9344-587a8442bff0?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/f6d21a45-3dde-4c86-b497-6460ac231a88?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"e1441bd0-a6ac-11ed-a985-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-07T06%3A01%3A38.7574079Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-07T06:01:37.6694616Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger - Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Weekly"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/37729285-3e72-4f71-9344-587a8442bff0","name":"37729285-3e72-4f71-9344-587a8442bff0","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"d88757d6-2d57-11ed-870d-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T20%3A18%3A04.7833723Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T20:18:04.3019953Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger + Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Weekly"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/f6d21a45-3dde-4c86-b497-6460ac231a88","name":"f6d21a45-3dde-4c86-b497-6460ac231a88","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2227' + - '2199' content-type: - application/json date: - - Tue, 07 Feb 2023 06:02:41 GMT + - Mon, 05 Sep 2022 20:19:10 GMT expires: - '-1' pragma: @@ -2337,7 +3452,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '197' + - '198' x-powered-by: - ASP.NET status: @@ -2357,23 +3472,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/37729285-3e72-4f71-9344-587a8442bff0?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/f6d21a45-3dde-4c86-b497-6460ac231a88?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"e1441bd0-a6ac-11ed-a985-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-07T06%3A01%3A38.7574079Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-07T06:01:37.6694616Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger - Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Weekly"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/37729285-3e72-4f71-9344-587a8442bff0","name":"37729285-3e72-4f71-9344-587a8442bff0","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"d88757d6-2d57-11ed-870d-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T20%3A18%3A04.7833723Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T20:18:04.3019953Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger + Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Weekly"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/f6d21a45-3dde-4c86-b497-6460ac231a88","name":"f6d21a45-3dde-4c86-b497-6460ac231a88","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2227' + - '2199' content-type: - application/json date: - - Tue, 07 Feb 2023 06:02:53 GMT + - Mon, 05 Sep 2022 20:19:23 GMT expires: - '-1' pragma: @@ -2390,7 +3504,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '199' + - '198' x-powered-by: - ASP.NET status: @@ -2410,23 +3524,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/37729285-3e72-4f71-9344-587a8442bff0?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/f6d21a45-3dde-4c86-b497-6460ac231a88?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"e1441bd0-a6ac-11ed-a985-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-07T06%3A01%3A38.7574079Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-07T06:01:37.6694616Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger - Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Weekly"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/37729285-3e72-4f71-9344-587a8442bff0","name":"37729285-3e72-4f71-9344-587a8442bff0","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"d88757d6-2d57-11ed-870d-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T20%3A18%3A04.7833723Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T20:18:04.3019953Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Backup","operation":"Backup","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger + Backup","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Weekly"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/f6d21a45-3dde-4c86-b497-6460ac231a88","name":"f6d21a45-3dde-4c86-b497-6460ac231a88","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2227' + - '2199' content-type: - application/json date: - - Tue, 07 Feb 2023 06:03:04 GMT + - Mon, 05 Sep 2022 20:19:36 GMT expires: - '-1' pragma: @@ -2463,23 +3576,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/37729285-3e72-4f71-9344-587a8442bff0?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/f6d21a45-3dde-4c86-b497-6460ac231a88?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"e1441bd0-a6ac-11ed-a985-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-07T06%3A03%3A14.0050216Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-07T06:01:37.6694616Z","endTime":"2023-02-07T06:03:13.7599877Z","dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Backup","operation":"Backup","status":"Completed","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT1M36.0905261S","progressUrl":null,"isCrossRegionRestore":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":2063.0,"targetRecoverPoint":{"recoveryPointID":"470eac9e828948388e9a15938b68c039","recoveryPointTime":"0001-01-01T00:00:00Z"},"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger - Backup","taskStatus":"Completed","taskProgress":null,"additionalDetails":{"OriginalDatasourceSizeInBytes":"8442527","TaskId":"e1441bd0-a6ac-11ed-a985-60a5e2435518","DatasourceType":"Microsoft.DBforPostgreSQL/servers/databases"}}],"additionalDetails":{"RetentionTag":"Weekly"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/37729285-3e72-4f71-9344-587a8442bff0","name":"37729285-3e72-4f71-9344-587a8442bff0","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"d88757d6-2d57-11ed-870d-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T20%3A19%3A38.2708326Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T20:18:04.3019953Z","endTime":"2022-09-05T20:19:38.0294574Z","dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Backup","operation":"Backup","status":"Completed","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT1M33.7274621S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":{"recoveryPointID":"fc52c0986bb04eb49ab36938d79d967f","recoveryPointTime":"0001-01-01T00:00:00Z"},"sourceRecoverPoint":null,"recoveryDestination":null,"subTasks":[{"taskId":1,"taskName":"Trigger + Backup","taskStatus":"Completed","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"RetentionTag":"Weekly"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/f6d21a45-3dde-4c86-b497-6460ac231a88","name":"f6d21a45-3dde-4c86-b497-6460ac231a88","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2507' + - '2327' content-type: - application/json date: - - Tue, 07 Feb 2023 06:03:15 GMT + - Mon, 05 Sep 2022 20:19:50 GMT expires: - '-1' pragma: @@ -2496,7 +3608,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '198' + - '199' x-powered-by: - ASP.NET status: @@ -2516,22 +3628,21 @@ interactions: ParameterSetName: - --backup-instance-name -g --vault-name User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764/recoveryPoints?api-version=2022-05-01&$filter= response: body: - string: '{"value":[{"properties":{"objectType":"AzureBackupDiscreteRecoveryPoint","recoveryPointId":"470eac9e828948388e9a15938b68c039","recoveryPointTime":"2023-02-07T06:02:15.0233973Z","recoveryPointType":"Full","friendlyName":"5af5454c1e1442b5ab449a105188d450","recoveryPointDataStoresDetails":[{"id":"beddea84-7b30-42a5-a752-7c75baf96a52","type":"VaultStore","creationTime":"2023-02-07T06:02:15.0233973Z","expiryTime":null,"metaData":null,"visible":true,"state":"COMMITTED","rehydrationExpiryTime":null,"rehydrationStatus":null}],"retentionTagName":"Weekly","retentionTagVersion":"638113461819773117","policyName":"oss-clitest-policy2","policyVersion":null,"expiryTime":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764/recoveryPoints/470eac9e828948388e9a15938b68c039","name":"470eac9e828948388e9a15938b68c039","type":"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints"}]}' + string: '{"value":[{"properties":{"objectType":"AzureBackupDiscreteRecoveryPoint","recoveryPointId":"fc52c0986bb04eb49ab36938d79d967f","recoveryPointTime":"2022-09-05T20:18:40.0985318Z","recoveryPointType":"Full","friendlyName":"07ccb533b15342bb985b4260d402b62f","recoveryPointDataStoresDetails":[{"id":"beddea84-7b30-42a5-a752-7c75baf96a52","type":"VaultStore","creationTime":"2022-09-05T20:18:40.0985318Z","expiryTime":null,"metaData":null,"visible":true,"state":"COMMITTED","rehydrationExpiryTime":null,"rehydrationStatus":null}],"retentionTagName":"Weekly","retentionTagVersion":"637980057135790033","policyName":"oss-clitest-policy2","policyVersion":null},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764/recoveryPoints/fc52c0986bb04eb49ab36938d79d967f","name":"fc52c0986bb04eb49ab36938d79d967f","type":"Microsoft.DataProtection/backupVaults/backupInstances/recoveryPoints"}]}' headers: cache-control: - no-cache content-length: - - '1076' + - '1058' content-type: - application/json date: - - Tue, 07 Feb 2023 06:03:17 GMT + - Mon, 05 Sep 2022 20:19:54 GMT expires: - '-1' pragma: @@ -2557,8 +3668,8 @@ interactions: body: '{"restoreRequestObject": {"objectType": "AzureBackupRecoveryPointBasedRestoreRequest", "restoreTargetInfo": {"objectType": "RestoreTargetInfo", "recoveryOption": "FailIfExists", "restoreLocation": "centraluseuap", "datasourceInfo": {"datasourceType": "Microsoft.DBforPostgreSQL/servers/databases", - "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres_restore_07022023_113318", - "resourceLocation": "centraluseuap", "resourceName": "postgres_restore_07022023_113318", + "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres_restore_06092022_014955", + "resourceLocation": "centraluseuap", "resourceName": "postgres_restore_06092022_014955", "resourceType": "Microsoft.DBforPostgreSQL/servers/databases", "resourceUri": ""}, "datasourceSetInfo": {"datasourceType": "Microsoft.DBforPostgreSQL/servers/databases", "objectType": "DatasourceSet", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server", @@ -2567,7 +3678,7 @@ interactions: {"objectType": "SecretStoreBasedAuthCredentials", "secretStoreResource": {"uri": "https://oss-clitest-keyvault.vault.azure.net/secrets/oss-clitest-secret", "secretStoreType": "AzureKeyVault"}}}, "sourceDataStoreType": "VaultStore", "recoveryPointId": - "470eac9e828948388e9a15938b68c039"}}' + "fc52c0986bb04eb49ab36938d79d967f"}}' headers: Accept: - application/json @@ -2584,8 +3695,7 @@ interactions: ParameterSetName: - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: POST uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764/validateRestore?api-version=2022-05-01 response: @@ -2593,17 +3703,17 @@ interactions: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U3NzI3MmQ4LTAyOGQtNDc1Ny1iODY5LTg1OGYwNjJmNGE1Yw==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2ExODkwN2Q2LTQ0MjgtNDE5Mi1iZDM4LWU5ZGQ4M2ExOTc4OA==?api-version=2022-05-01 cache-control: - no-cache content-length: - '0' date: - - Tue, 07 Feb 2023 06:03:19 GMT + - Mon, 05 Sep 2022 20:19:56 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U3NzI3MmQ4LTAyOGQtNDc1Ny1iODY5LTg1OGYwNjJmNGE1Yw==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2ExODkwN2Q2LTQ0MjgtNDE5Mi1iZDM4LWU5ZGQ4M2ExOTc4OA==?api-version=2022-05-01 pragma: - no-cache strict-transport-security: @@ -2631,13 +3741,12 @@ interactions: ParameterSetName: - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U3NzI3MmQ4LTAyOGQtNDc1Ny1iODY5LTg1OGYwNjJmNGE1Yw==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2ExODkwN2Q2LTQ0MjgtNDE5Mi1iZDM4LWU5ZGQ4M2ExOTc4OA==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U3NzI3MmQ4LTAyOGQtNDc1Ny1iODY5LTg1OGYwNjJmNGE1Yw==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U3NzI3MmQ4LTAyOGQtNDc1Ny1iODY5LTg1OGYwNjJmNGE1Yw==","status":"Inprogress","startTime":"2023-02-07T06:03:19.4127472Z","endTime":"0001-01-01T00:00:00Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2ExODkwN2Q2LTQ0MjgtNDE5Mi1iZDM4LWU5ZGQ4M2ExOTc4OA==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2ExODkwN2Q2LTQ0MjgtNDE5Mi1iZDM4LWU5ZGQ4M2ExOTc4OA==","status":"Inprogress","startTime":"2022-09-05T20:19:56.8062349Z","endTime":"0001-01-01T00:00:00Z"}' headers: cache-control: - no-cache @@ -2646,7 +3755,7 @@ interactions: content-type: - application/json date: - - Tue, 07 Feb 2023 06:03:29 GMT + - Mon, 05 Sep 2022 20:20:07 GMT expires: - '-1' pragma: @@ -2662,7 +3771,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '997' + - '999' x-powered-by: - ASP.NET status: @@ -2682,13 +3791,12 @@ interactions: ParameterSetName: - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U3NzI3MmQ4LTAyOGQtNDc1Ny1iODY5LTg1OGYwNjJmNGE1Yw==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2ExODkwN2Q2LTQ0MjgtNDE5Mi1iZDM4LWU5ZGQ4M2ExOTc4OA==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U3NzI3MmQ4LTAyOGQtNDc1Ny1iODY5LTg1OGYwNjJmNGE1Yw==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U3NzI3MmQ4LTAyOGQtNDc1Ny1iODY5LTg1OGYwNjJmNGE1Yw==","status":"Succeeded","startTime":"2023-02-07T06:03:19.4127472Z","endTime":"2023-02-07T06:03:44Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2ExODkwN2Q2LTQ0MjgtNDE5Mi1iZDM4LWU5ZGQ4M2ExOTc4OA==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2ExODkwN2Q2LTQ0MjgtNDE5Mi1iZDM4LWU5ZGQ4M2ExOTc4OA==","status":"Succeeded","startTime":"2022-09-05T20:19:56.8062349Z","endTime":"2022-09-05T20:20:20Z"}' headers: cache-control: - no-cache @@ -2697,7 +3805,7 @@ interactions: content-type: - application/json date: - - Tue, 07 Feb 2023 06:03:59 GMT + - Mon, 05 Sep 2022 20:20:38 GMT expires: - '-1' pragma: @@ -2713,7 +3821,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '996' + - '998' x-powered-by: - ASP.NET status: @@ -2733,16 +3841,15 @@ interactions: ParameterSetName: - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U3NzI3MmQ4LTAyOGQtNDc1Ny1iODY5LTg1OGYwNjJmNGE1Yw==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2ExODkwN2Q2LTQ0MjgtNDE5Mi1iZDM4LWU5ZGQ4M2ExOTc4OA==?api-version=2022-05-01 response: body: string: '{"objectType":"OperationJobExtendedInfo"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U3NzI3MmQ4LTAyOGQtNDc1Ny1iODY5LTg1OGYwNjJmNGE1Yw==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2ExODkwN2Q2LTQ0MjgtNDE5Mi1iZDM4LWU5ZGQ4M2ExOTc4OA==?api-version=2022-05-01 cache-control: - no-cache content-length: @@ -2750,7 +3857,7 @@ interactions: content-type: - application/json date: - - Tue, 07 Feb 2023 06:03:59 GMT + - Mon, 05 Sep 2022 20:20:38 GMT expires: - '-1' pragma: @@ -2766,7 +3873,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '198' + - '199' x-powered-by: - ASP.NET status: @@ -2776,8 +3883,8 @@ interactions: body: '{"objectType": "AzureBackupRecoveryPointBasedRestoreRequest", "restoreTargetInfo": {"objectType": "RestoreTargetInfo", "recoveryOption": "FailIfExists", "restoreLocation": "centraluseuap", "datasourceInfo": {"datasourceType": "Microsoft.DBforPostgreSQL/servers/databases", - "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres_restore_07022023_113318", - "resourceLocation": "centraluseuap", "resourceName": "postgres_restore_07022023_113318", + "objectType": "Datasource", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres_restore_06092022_014955", + "resourceLocation": "centraluseuap", "resourceName": "postgres_restore_06092022_014955", "resourceType": "Microsoft.DBforPostgreSQL/servers/databases", "resourceUri": ""}, "datasourceSetInfo": {"datasourceType": "Microsoft.DBforPostgreSQL/servers/databases", "objectType": "DatasourceSet", "resourceID": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server", @@ -2786,7 +3893,7 @@ interactions: {"objectType": "SecretStoreBasedAuthCredentials", "secretStoreResource": {"uri": "https://oss-clitest-keyvault.vault.azure.net/secrets/oss-clitest-secret", "secretStoreType": "AzureKeyVault"}}}, "sourceDataStoreType": "VaultStore", "recoveryPointId": - "470eac9e828948388e9a15938b68c039"}' + "fc52c0986bb04eb49ab36938d79d967f"}' headers: Accept: - application/json @@ -2803,8 +3910,7 @@ interactions: ParameterSetName: - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: POST uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764/restore?api-version=2022-05-01 response: @@ -2812,17 +3918,17 @@ interactions: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzYzYmVlYmVhLWIxNDYtNGMxNS04YTZjLTc4NjllYzg2NzI0MA==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzkzY2I0OTIyLWEyMzEtNGMwNS1hMDM4LTRkNWE2OTFmNWIxZQ==?api-version=2022-05-01 cache-control: - no-cache content-length: - '0' date: - - Tue, 07 Feb 2023 06:04:01 GMT + - Mon, 05 Sep 2022 20:20:45 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzYzYmVlYmVhLWIxNDYtNGMxNS04YTZjLTc4NjllYzg2NzI0MA==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzkzY2I0OTIyLWEyMzEtNGMwNS1hMDM4LTRkNWE2OTFmNWIxZQ==?api-version=2022-05-01 pragma: - no-cache strict-transport-security: @@ -2830,7 +3936,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-writes: - - '1197' + - '1198' x-powered-by: - ASP.NET status: @@ -2850,13 +3956,12 @@ interactions: ParameterSetName: - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzYzYmVlYmVhLWIxNDYtNGMxNS04YTZjLTc4NjllYzg2NzI0MA==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzkzY2I0OTIyLWEyMzEtNGMwNS1hMDM4LTRkNWE2OTFmNWIxZQ==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzYzYmVlYmVhLWIxNDYtNGMxNS04YTZjLTc4NjllYzg2NzI0MA==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzYzYmVlYmVhLWIxNDYtNGMxNS04YTZjLTc4NjllYzg2NzI0MA==","status":"Succeeded","startTime":"2023-02-07T06:04:02.1308896Z","endTime":"2023-02-07T06:04:04Z","properties":{"jobId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault/backupJobs/db880db1-b19c-4b12-ad45-66bc3d4d5d4a","objectType":"OperationJobExtendedInfo"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzkzY2I0OTIyLWEyMzEtNGMwNS1hMDM4LTRkNWE2OTFmNWIxZQ==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzkzY2I0OTIyLWEyMzEtNGMwNS1hMDM4LTRkNWE2OTFmNWIxZQ==","status":"Succeeded","startTime":"2022-09-05T20:20:45.5436547Z","endTime":"2022-09-05T20:20:47Z","properties":{"jobId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault/backupJobs/c50b869a-6b52-4347-870d-84edd650be39","objectType":"OperationJobExtendedInfo"}}' headers: cache-control: - no-cache @@ -2865,7 +3970,7 @@ interactions: content-type: - application/json date: - - Tue, 07 Feb 2023 06:04:32 GMT + - Mon, 05 Sep 2022 20:21:15 GMT expires: - '-1' pragma: @@ -2881,7 +3986,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '994' + - '998' x-powered-by: - ASP.NET status: @@ -2901,16 +4006,15 @@ interactions: ParameterSetName: - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzYzYmVlYmVhLWIxNDYtNGMxNS04YTZjLTc4NjllYzg2NzI0MA==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzkzY2I0OTIyLWEyMzEtNGMwNS1hMDM4LTRkNWE2OTFmNWIxZQ==?api-version=2022-05-01 response: body: - string: '{"jobId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault/backupJobs/db880db1-b19c-4b12-ad45-66bc3d4d5d4a","objectType":"OperationJobExtendedInfo"}' + string: '{"jobId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault/backupJobs/c50b869a-6b52-4347-870d-84edd650be39","objectType":"OperationJobExtendedInfo"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzYzYmVlYmVhLWIxNDYtNGMxNS04YTZjLTc4NjllYzg2NzI0MA==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzkzY2I0OTIyLWEyMzEtNGMwNS1hMDM4LTRkNWE2OTFmNWIxZQ==?api-version=2022-05-01 cache-control: - no-cache content-length: @@ -2918,7 +4022,7 @@ interactions: content-type: - application/json date: - - Tue, 07 Feb 2023 06:04:32 GMT + - Mon, 05 Sep 2022 20:21:16 GMT expires: - '-1' pragma: @@ -2934,7 +4038,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '197' + - '198' x-powered-by: - ASP.NET status: @@ -2954,23 +4058,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/db880db1-b19c-4b12-ad45-66bc3d4d5d4a?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/c50b869a-6b52-4347-870d-84edd650be39?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"37828dc6-a6ad-11ed-bea2-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-07T06%3A04%3A02.8171496Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-07T06:04:02.5277212Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"470eac9e828948388e9a15938b68c039","recoveryPointTime":"2023-02-07T06:02:15.0233973Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres_restore_07022023_113318","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/db880db1-b19c-4b12-ad45-66bc3d4d5d4a","name":"db880db1-b19c-4b12-ad45-66bc3d4d5d4a","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"359da550-2d58-11ed-836e-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T20%3A20%3A46.409571Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T20:20:45.9973786Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"fc52c0986bb04eb49ab36938d79d967f","recoveryPointTime":"2022-09-05T20:18:40.0985318Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres_restore_06092022_014955","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/c50b869a-6b52-4347-870d-84edd650be39","name":"c50b869a-6b52-4347-870d-84edd650be39","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2496' + - '2466' content-type: - application/json date: - - Tue, 07 Feb 2023 06:04:44 GMT + - Mon, 05 Sep 2022 20:21:29 GMT expires: - '-1' pragma: @@ -2987,7 +4090,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '196' + - '199' x-powered-by: - ASP.NET status: @@ -3007,23 +4110,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/db880db1-b19c-4b12-ad45-66bc3d4d5d4a?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/c50b869a-6b52-4347-870d-84edd650be39?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"37828dc6-a6ad-11ed-bea2-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-07T06%3A04%3A02.8171496Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-07T06:04:02.5277212Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"470eac9e828948388e9a15938b68c039","recoveryPointTime":"2023-02-07T06:02:15.0233973Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres_restore_07022023_113318","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/db880db1-b19c-4b12-ad45-66bc3d4d5d4a","name":"db880db1-b19c-4b12-ad45-66bc3d4d5d4a","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"359da550-2d58-11ed-836e-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T20%3A20%3A46.409571Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T20:20:45.9973786Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"fc52c0986bb04eb49ab36938d79d967f","recoveryPointTime":"2022-09-05T20:18:40.0985318Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres_restore_06092022_014955","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/c50b869a-6b52-4347-870d-84edd650be39","name":"c50b869a-6b52-4347-870d-84edd650be39","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2496' + - '2466' content-type: - application/json date: - - Tue, 07 Feb 2023 06:04:55 GMT + - Mon, 05 Sep 2022 20:21:40 GMT expires: - '-1' pragma: @@ -3040,7 +4142,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '198' + - '197' x-powered-by: - ASP.NET status: @@ -3060,23 +4162,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/db880db1-b19c-4b12-ad45-66bc3d4d5d4a?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/c50b869a-6b52-4347-870d-84edd650be39?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"37828dc6-a6ad-11ed-bea2-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-07T06%3A04%3A02.8171496Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-07T06:04:02.5277212Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"470eac9e828948388e9a15938b68c039","recoveryPointTime":"2023-02-07T06:02:15.0233973Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres_restore_07022023_113318","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/db880db1-b19c-4b12-ad45-66bc3d4d5d4a","name":"db880db1-b19c-4b12-ad45-66bc3d4d5d4a","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"359da550-2d58-11ed-836e-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T20%3A20%3A46.409571Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T20:20:45.9973786Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"fc52c0986bb04eb49ab36938d79d967f","recoveryPointTime":"2022-09-05T20:18:40.0985318Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres_restore_06092022_014955","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/c50b869a-6b52-4347-870d-84edd650be39","name":"c50b869a-6b52-4347-870d-84edd650be39","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2496' + - '2466' content-type: - application/json date: - - Tue, 07 Feb 2023 06:05:06 GMT + - Mon, 05 Sep 2022 20:21:52 GMT expires: - '-1' pragma: @@ -3093,7 +4194,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '195' + - '196' x-powered-by: - ASP.NET status: @@ -3113,23 +4214,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/db880db1-b19c-4b12-ad45-66bc3d4d5d4a?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/c50b869a-6b52-4347-870d-84edd650be39?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"37828dc6-a6ad-11ed-bea2-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-07T06%3A04%3A02.8171496Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-07T06:04:02.5277212Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"470eac9e828948388e9a15938b68c039","recoveryPointTime":"2023-02-07T06:02:15.0233973Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres_restore_07022023_113318","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/db880db1-b19c-4b12-ad45-66bc3d4d5d4a","name":"db880db1-b19c-4b12-ad45-66bc3d4d5d4a","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"359da550-2d58-11ed-836e-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T20%3A20%3A46.409571Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T20:20:45.9973786Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"fc52c0986bb04eb49ab36938d79d967f","recoveryPointTime":"2022-09-05T20:18:40.0985318Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres_restore_06092022_014955","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/c50b869a-6b52-4347-870d-84edd650be39","name":"c50b869a-6b52-4347-870d-84edd650be39","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2496' + - '2466' content-type: - application/json date: - - Tue, 07 Feb 2023 06:05:18 GMT + - Mon, 05 Sep 2022 20:22:02 GMT expires: - '-1' pragma: @@ -3146,7 +4246,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '194' + - '195' x-powered-by: - ASP.NET status: @@ -3166,23 +4266,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/db880db1-b19c-4b12-ad45-66bc3d4d5d4a?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/c50b869a-6b52-4347-870d-84edd650be39?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"37828dc6-a6ad-11ed-bea2-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-07T06%3A04%3A02.8171496Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-07T06:04:02.5277212Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"470eac9e828948388e9a15938b68c039","recoveryPointTime":"2023-02-07T06:02:15.0233973Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres_restore_07022023_113318","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/db880db1-b19c-4b12-ad45-66bc3d4d5d4a","name":"db880db1-b19c-4b12-ad45-66bc3d4d5d4a","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"359da550-2d58-11ed-836e-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T20%3A20%3A46.409571Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T20:20:45.9973786Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"fc52c0986bb04eb49ab36938d79d967f","recoveryPointTime":"2022-09-05T20:18:40.0985318Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres_restore_06092022_014955","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/c50b869a-6b52-4347-870d-84edd650be39","name":"c50b869a-6b52-4347-870d-84edd650be39","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2496' + - '2466' content-type: - application/json date: - - Tue, 07 Feb 2023 06:05:28 GMT + - Mon, 05 Sep 2022 20:22:17 GMT expires: - '-1' pragma: @@ -3199,7 +4298,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '197' + - '199' x-powered-by: - ASP.NET status: @@ -3219,23 +4318,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/db880db1-b19c-4b12-ad45-66bc3d4d5d4a?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/c50b869a-6b52-4347-870d-84edd650be39?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"37828dc6-a6ad-11ed-bea2-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-07T06%3A04%3A02.8171496Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-07T06:04:02.5277212Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"470eac9e828948388e9a15938b68c039","recoveryPointTime":"2023-02-07T06:02:15.0233973Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres_restore_07022023_113318","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/db880db1-b19c-4b12-ad45-66bc3d4d5d4a","name":"db880db1-b19c-4b12-ad45-66bc3d4d5d4a","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"359da550-2d58-11ed-836e-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T20%3A20%3A46.409571Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T20:20:45.9973786Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"fc52c0986bb04eb49ab36938d79d967f","recoveryPointTime":"2022-09-05T20:18:40.0985318Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres_restore_06092022_014955","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/c50b869a-6b52-4347-870d-84edd650be39","name":"c50b869a-6b52-4347-870d-84edd650be39","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2496' + - '2466' content-type: - application/json date: - - Tue, 07 Feb 2023 06:05:40 GMT + - Mon, 05 Sep 2022 20:22:31 GMT expires: - '-1' pragma: @@ -3272,23 +4370,22 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/db880db1-b19c-4b12-ad45-66bc3d4d5d4a?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/c50b869a-6b52-4347-870d-84edd650be39?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"37828dc6-a6ad-11ed-bea2-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-07T06%3A05%3A49.8100777Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-07T06:04:02.5277212Z","endTime":"2023-02-07T06:05:49.5046299Z","dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"Completed","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT1M46.9769087S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"470eac9e828948388e9a15938b68c039","recoveryPointTime":"2023-02-07T06:02:15.0233973Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres_restore_07022023_113318","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"Completed","taskProgress":null,"additionalDetails":{"DataTransferredInBytes":"0","TaskId":"37828dc6-a6ad-11ed-bea2-60a5e2435518","DatasourceType":"Microsoft.DBforPostgreSQL/servers/databases"}}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/db880db1-b19c-4b12-ad45-66bc3d4d5d4a","name":"db880db1-b19c-4b12-ad45-66bc3d4d5d4a","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"359da550-2d58-11ed-836e-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T20%3A22%3A31.4155776Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T20:20:45.9973786Z","endTime":"2022-09-05T20:22:31.168873Z","dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"Completed","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT1M45.1714944S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"fc52c0986bb04eb49ab36938d79d967f","recoveryPointTime":"2022-09-05T20:18:40.0985318Z"},"recoveryDestination":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres_restore_06092022_014955","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"Completed","taskProgress":null,"additionalDetails":null}],"additionalDetails":null}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/c50b869a-6b52-4347-870d-84edd650be39","name":"c50b869a-6b52-4347-870d-84edd650be39","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2668' + - '2501' content-type: - application/json date: - - Tue, 07 Feb 2023 06:05:51 GMT + - Mon, 05 Sep 2022 20:22:42 GMT expires: - '-1' pragma: @@ -3305,7 +4402,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '193' + - '198' x-powered-by: - ASP.NET status: @@ -3315,9 +4412,9 @@ interactions: body: '{"restoreRequestObject": {"objectType": "AzureBackupRecoveryPointBasedRestoreRequest", "restoreTargetInfo": {"objectType": "RestoreFilesTargetInfo", "recoveryOption": "FailIfExists", "restoreLocation": "centraluseuap", "targetDetails": {"filePrefix": - "postgres_restore_07022023_113552", "restoreTargetLocationType": "AzureBlobs", + "postgres_restore_06092022_015243", "restoreTargetLocationType": "AzureBlobs", "url": "https://ossclitestsa.blob.core.windows.net/oss-clitest-blob-container"}}, - "sourceDataStoreType": "VaultStore", "recoveryPointId": "470eac9e828948388e9a15938b68c039"}}' + "sourceDataStoreType": "VaultStore", "recoveryPointId": "fc52c0986bb04eb49ab36938d79d967f"}}' headers: Accept: - application/json @@ -3334,8 +4431,7 @@ interactions: ParameterSetName: - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: POST uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764/validateRestore?api-version=2022-05-01 response: @@ -3343,17 +4439,17 @@ interactions: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U0NTkyODM3LWM5ZjYtNDIzNy04YTE2LTQ0Y2U1ZjgzNmJjNQ==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzM0NzAyNDhiLWYyYzEtNDE5My04NDlhLTQxZTE2MjA0NmZmZA==?api-version=2022-05-01 cache-control: - no-cache content-length: - '0' date: - - Tue, 07 Feb 2023 06:05:53 GMT + - Mon, 05 Sep 2022 20:22:43 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U0NTkyODM3LWM5ZjYtNDIzNy04YTE2LTQ0Y2U1ZjgzNmJjNQ==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzM0NzAyNDhiLWYyYzEtNDE5My04NDlhLTQxZTE2MjA0NmZmZA==?api-version=2022-05-01 pragma: - no-cache strict-transport-security: @@ -3381,13 +4477,12 @@ interactions: ParameterSetName: - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U0NTkyODM3LWM5ZjYtNDIzNy04YTE2LTQ0Y2U1ZjgzNmJjNQ==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzM0NzAyNDhiLWYyYzEtNDE5My04NDlhLTQxZTE2MjA0NmZmZA==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U0NTkyODM3LWM5ZjYtNDIzNy04YTE2LTQ0Y2U1ZjgzNmJjNQ==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U0NTkyODM3LWM5ZjYtNDIzNy04YTE2LTQ0Y2U1ZjgzNmJjNQ==","status":"Inprogress","startTime":"2023-02-07T06:05:53.8999173Z","endTime":"0001-01-01T00:00:00Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzM0NzAyNDhiLWYyYzEtNDE5My04NDlhLTQxZTE2MjA0NmZmZA==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzM0NzAyNDhiLWYyYzEtNDE5My04NDlhLTQxZTE2MjA0NmZmZA==","status":"Inprogress","startTime":"2022-09-05T20:22:44.3233645Z","endTime":"0001-01-01T00:00:00Z"}' headers: cache-control: - no-cache @@ -3396,7 +4491,7 @@ interactions: content-type: - application/json date: - - Tue, 07 Feb 2023 06:06:04 GMT + - Mon, 05 Sep 2022 20:22:55 GMT expires: - '-1' pragma: @@ -3412,7 +4507,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '995' + - '997' x-powered-by: - ASP.NET status: @@ -3432,13 +4527,12 @@ interactions: ParameterSetName: - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U0NTkyODM3LWM5ZjYtNDIzNy04YTE2LTQ0Y2U1ZjgzNmJjNQ==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzM0NzAyNDhiLWYyYzEtNDE5My04NDlhLTQxZTE2MjA0NmZmZA==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U0NTkyODM3LWM5ZjYtNDIzNy04YTE2LTQ0Y2U1ZjgzNmJjNQ==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U0NTkyODM3LWM5ZjYtNDIzNy04YTE2LTQ0Y2U1ZjgzNmJjNQ==","status":"Succeeded","startTime":"2023-02-07T06:05:53.8999173Z","endTime":"2023-02-07T06:06:15Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzM0NzAyNDhiLWYyYzEtNDE5My04NDlhLTQxZTE2MjA0NmZmZA==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzM0NzAyNDhiLWYyYzEtNDE5My04NDlhLTQxZTE2MjA0NmZmZA==","status":"Succeeded","startTime":"2022-09-05T20:22:44.3233645Z","endTime":"2022-09-05T20:23:07Z"}' headers: cache-control: - no-cache @@ -3447,7 +4541,7 @@ interactions: content-type: - application/json date: - - Tue, 07 Feb 2023 06:06:35 GMT + - Mon, 05 Sep 2022 20:23:25 GMT expires: - '-1' pragma: @@ -3463,7 +4557,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '994' + - '996' x-powered-by: - ASP.NET status: @@ -3483,16 +4577,15 @@ interactions: ParameterSetName: - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U0NTkyODM3LWM5ZjYtNDIzNy04YTE2LTQ0Y2U1ZjgzNmJjNQ==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzM0NzAyNDhiLWYyYzEtNDE5My04NDlhLTQxZTE2MjA0NmZmZA==?api-version=2022-05-01 response: body: string: '{"objectType":"OperationJobExtendedInfo"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2U0NTkyODM3LWM5ZjYtNDIzNy04YTE2LTQ0Y2U1ZjgzNmJjNQ==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzM0NzAyNDhiLWYyYzEtNDE5My04NDlhLTQxZTE2MjA0NmZmZA==?api-version=2022-05-01 cache-control: - no-cache content-length: @@ -3500,7 +4593,7 @@ interactions: content-type: - application/json date: - - Tue, 07 Feb 2023 06:06:35 GMT + - Mon, 05 Sep 2022 20:23:26 GMT expires: - '-1' pragma: @@ -3525,9 +4618,9 @@ interactions: - request: body: '{"objectType": "AzureBackupRecoveryPointBasedRestoreRequest", "restoreTargetInfo": {"objectType": "RestoreFilesTargetInfo", "recoveryOption": "FailIfExists", "restoreLocation": - "centraluseuap", "targetDetails": {"filePrefix": "postgres_restore_07022023_113552", + "centraluseuap", "targetDetails": {"filePrefix": "postgres_restore_06092022_015243", "restoreTargetLocationType": "AzureBlobs", "url": "https://ossclitestsa.blob.core.windows.net/oss-clitest-blob-container"}}, - "sourceDataStoreType": "VaultStore", "recoveryPointId": "470eac9e828948388e9a15938b68c039"}' + "sourceDataStoreType": "VaultStore", "recoveryPointId": "fc52c0986bb04eb49ab36938d79d967f"}' headers: Accept: - application/json @@ -3544,8 +4637,7 @@ interactions: ParameterSetName: - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: POST uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764/restore?api-version=2022-05-01 response: @@ -3553,17 +4645,17 @@ interactions: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzBiMDM2ZTAwLTc4YWUtNDZlYS1hZTMwLTk2OWY1MTU4MmU0Yg==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzBhYzU4ZTU1LTUzZmQtNDUyYS04ZmIzLTYwMzVlYmFhMmM3MA==?api-version=2022-05-01 cache-control: - no-cache content-length: - '0' date: - - Tue, 07 Feb 2023 06:06:36 GMT + - Mon, 05 Sep 2022 20:23:28 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzBiMDM2ZTAwLTc4YWUtNDZlYS1hZTMwLTk2OWY1MTU4MmU0Yg==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzBhYzU4ZTU1LTUzZmQtNDUyYS04ZmIzLTYwMzVlYmFhMmM3MA==?api-version=2022-05-01 pragma: - no-cache strict-transport-security: @@ -3571,7 +4663,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-writes: - - '1196' + - '1199' x-powered-by: - ASP.NET status: @@ -3591,13 +4683,12 @@ interactions: ParameterSetName: - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzBiMDM2ZTAwLTc4YWUtNDZlYS1hZTMwLTk2OWY1MTU4MmU0Yg==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzBhYzU4ZTU1LTUzZmQtNDUyYS04ZmIzLTYwMzVlYmFhMmM3MA==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzBiMDM2ZTAwLTc4YWUtNDZlYS1hZTMwLTk2OWY1MTU4MmU0Yg==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzBiMDM2ZTAwLTc4YWUtNDZlYS1hZTMwLTk2OWY1MTU4MmU0Yg==","status":"Succeeded","startTime":"2023-02-07T06:06:37.0925158Z","endTime":"2023-02-07T06:06:38Z","properties":{"jobId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault/backupJobs/a807fba5-285a-4371-a2b0-f63b156abcb8","objectType":"OperationJobExtendedInfo"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzBhYzU4ZTU1LTUzZmQtNDUyYS04ZmIzLTYwMzVlYmFhMmM3MA==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzBhYzU4ZTU1LTUzZmQtNDUyYS04ZmIzLTYwMzVlYmFhMmM3MA==","status":"Succeeded","startTime":"2022-09-05T20:23:29.0463324Z","endTime":"2022-09-05T20:23:31Z","properties":{"jobId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault/backupJobs/9e8bf45c-7490-4b30-9f65-b437abb039b0","objectType":"OperationJobExtendedInfo"}}' headers: cache-control: - no-cache @@ -3606,7 +4697,7 @@ interactions: content-type: - application/json date: - - Tue, 07 Feb 2023 06:07:10 GMT + - Mon, 05 Sep 2022 20:23:59 GMT expires: - '-1' pragma: @@ -3622,7 +4713,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '993' + - '999' x-powered-by: - ASP.NET status: @@ -3642,16 +4733,15 @@ interactions: ParameterSetName: - -g --vault-name -n --restore-request-object User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzBiMDM2ZTAwLTc4YWUtNDZlYS1hZTMwLTk2OWY1MTU4MmU0Yg==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzBhYzU4ZTU1LTUzZmQtNDUyYS04ZmIzLTYwMzVlYmFhMmM3MA==?api-version=2022-05-01 response: body: - string: '{"jobId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault/backupJobs/a807fba5-285a-4371-a2b0-f63b156abcb8","objectType":"OperationJobExtendedInfo"}' + string: '{"jobId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/oss-clitest-rg/providers/Microsoft.DataProtection/BackupVaults/oss-clitest-vault/backupJobs/9e8bf45c-7490-4b30-9f65-b437abb039b0","objectType":"OperationJobExtendedInfo"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzBiMDM2ZTAwLTc4YWUtNDZlYS1hZTMwLTk2OWY1MTU4MmU0Yg==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzBhYzU4ZTU1LTUzZmQtNDUyYS04ZmIzLTYwMzVlYmFhMmM3MA==?api-version=2022-05-01 cache-control: - no-cache content-length: @@ -3659,7 +4749,7 @@ interactions: content-type: - application/json date: - - Tue, 07 Feb 2023 06:07:11 GMT + - Mon, 05 Sep 2022 20:23:59 GMT expires: - '-1' pragma: @@ -3675,7 +4765,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '196' + - '199' x-powered-by: - ASP.NET status: @@ -3695,24 +4785,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/a807fba5-285a-4371-a2b0-f63b156abcb8?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/9e8bf45c-7490-4b30-9f65-b437abb039b0?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"93f25846-a6ad-11ed-ae11-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-07T06%3A06%3A37.7577318Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-07T06:06:37.3987371Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"470eac9e828948388e9a15938b68c039","recoveryPointTime":"2023-02-07T06:02:15.0233973Z"},"recoveryDestination":"https://ossclitestsa.blob.core.windows.net/oss-clitest-blob-container","subTasks":[{"taskId":1,"taskName":"Trigger + string: '{"properties":{"activityID":"99653998-2d58-11ed-abf0-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T20%3A23%3A30.0526248Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T20:23:29.5604479Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"fc52c0986bb04eb49ab36938d79d967f","recoveryPointTime":"2022-09-05T20:18:40.0985318Z"},"recoveryDestination":"https://ossclitestsa.blob.core.windows.net/oss-clitest-blob-container","subTasks":[{"taskId":1,"taskName":"Trigger Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"Restore - File Prefix":"postgres_restore_07022023_113552"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/a807fba5-285a-4371-a2b0-f63b156abcb8","name":"a807fba5-285a-4371-a2b0-f63b156abcb8","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + File Prefix":"postgres_restore_06092022_015243"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/9e8bf45c-7490-4b30-9f65-b437abb039b0","name":"9e8bf45c-7490-4b30-9f65-b437abb039b0","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2432' + - '2403' content-type: - application/json date: - - Tue, 07 Feb 2023 06:07:22 GMT + - Mon, 05 Sep 2022 20:24:11 GMT expires: - '-1' pragma: @@ -3729,7 +4818,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '197' + - '199' x-powered-by: - ASP.NET status: @@ -3749,24 +4838,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/a807fba5-285a-4371-a2b0-f63b156abcb8?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/9e8bf45c-7490-4b30-9f65-b437abb039b0?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"93f25846-a6ad-11ed-ae11-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-07T06%3A06%3A37.7577318Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-07T06:06:37.3987371Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"470eac9e828948388e9a15938b68c039","recoveryPointTime":"2023-02-07T06:02:15.0233973Z"},"recoveryDestination":"https://ossclitestsa.blob.core.windows.net/oss-clitest-blob-container","subTasks":[{"taskId":1,"taskName":"Trigger + string: '{"properties":{"activityID":"99653998-2d58-11ed-abf0-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T20%3A23%3A30.0526248Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T20:23:29.5604479Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"fc52c0986bb04eb49ab36938d79d967f","recoveryPointTime":"2022-09-05T20:18:40.0985318Z"},"recoveryDestination":"https://ossclitestsa.blob.core.windows.net/oss-clitest-blob-container","subTasks":[{"taskId":1,"taskName":"Trigger Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"Restore - File Prefix":"postgres_restore_07022023_113552"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/a807fba5-285a-4371-a2b0-f63b156abcb8","name":"a807fba5-285a-4371-a2b0-f63b156abcb8","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + File Prefix":"postgres_restore_06092022_015243"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/9e8bf45c-7490-4b30-9f65-b437abb039b0","name":"9e8bf45c-7490-4b30-9f65-b437abb039b0","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2432' + - '2403' content-type: - application/json date: - - Tue, 07 Feb 2023 06:07:34 GMT + - Mon, 05 Sep 2022 20:24:23 GMT expires: - '-1' pragma: @@ -3783,7 +4871,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '196' + - '199' x-powered-by: - ASP.NET status: @@ -3803,24 +4891,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/a807fba5-285a-4371-a2b0-f63b156abcb8?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/9e8bf45c-7490-4b30-9f65-b437abb039b0?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"93f25846-a6ad-11ed-ae11-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-07T06%3A06%3A37.7577318Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-07T06:06:37.3987371Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"470eac9e828948388e9a15938b68c039","recoveryPointTime":"2023-02-07T06:02:15.0233973Z"},"recoveryDestination":"https://ossclitestsa.blob.core.windows.net/oss-clitest-blob-container","subTasks":[{"taskId":1,"taskName":"Trigger + string: '{"properties":{"activityID":"99653998-2d58-11ed-abf0-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T20%3A23%3A30.0526248Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T20:23:29.5604479Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"fc52c0986bb04eb49ab36938d79d967f","recoveryPointTime":"2022-09-05T20:18:40.0985318Z"},"recoveryDestination":"https://ossclitestsa.blob.core.windows.net/oss-clitest-blob-container","subTasks":[{"taskId":1,"taskName":"Trigger Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"Restore - File Prefix":"postgres_restore_07022023_113552"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/a807fba5-285a-4371-a2b0-f63b156abcb8","name":"a807fba5-285a-4371-a2b0-f63b156abcb8","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + File Prefix":"postgres_restore_06092022_015243"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/9e8bf45c-7490-4b30-9f65-b437abb039b0","name":"9e8bf45c-7490-4b30-9f65-b437abb039b0","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2432' + - '2403' content-type: - application/json date: - - Tue, 07 Feb 2023 06:07:44 GMT + - Mon, 05 Sep 2022 20:24:36 GMT expires: - '-1' pragma: @@ -3837,7 +4924,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '196' + - '198' x-powered-by: - ASP.NET status: @@ -3857,24 +4944,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/a807fba5-285a-4371-a2b0-f63b156abcb8?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/9e8bf45c-7490-4b30-9f65-b437abb039b0?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"93f25846-a6ad-11ed-ae11-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-07T06%3A06%3A37.7577318Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-07T06:06:37.3987371Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"470eac9e828948388e9a15938b68c039","recoveryPointTime":"2023-02-07T06:02:15.0233973Z"},"recoveryDestination":"https://ossclitestsa.blob.core.windows.net/oss-clitest-blob-container","subTasks":[{"taskId":1,"taskName":"Trigger + string: '{"properties":{"activityID":"99653998-2d58-11ed-abf0-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T20%3A23%3A30.0526248Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T20:23:29.5604479Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"fc52c0986bb04eb49ab36938d79d967f","recoveryPointTime":"2022-09-05T20:18:40.0985318Z"},"recoveryDestination":"https://ossclitestsa.blob.core.windows.net/oss-clitest-blob-container","subTasks":[{"taskId":1,"taskName":"Trigger Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"Restore - File Prefix":"postgres_restore_07022023_113552"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/a807fba5-285a-4371-a2b0-f63b156abcb8","name":"a807fba5-285a-4371-a2b0-f63b156abcb8","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + File Prefix":"postgres_restore_06092022_015243"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/9e8bf45c-7490-4b30-9f65-b437abb039b0","name":"9e8bf45c-7490-4b30-9f65-b437abb039b0","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2432' + - '2403' content-type: - application/json date: - - Tue, 07 Feb 2023 06:07:56 GMT + - Mon, 05 Sep 2022 20:24:48 GMT expires: - '-1' pragma: @@ -3891,7 +4977,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '198' + - '199' x-powered-by: - ASP.NET status: @@ -3911,24 +4997,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/a807fba5-285a-4371-a2b0-f63b156abcb8?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/9e8bf45c-7490-4b30-9f65-b437abb039b0?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"93f25846-a6ad-11ed-ae11-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-07T06%3A06%3A37.7577318Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-07T06:06:37.3987371Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"470eac9e828948388e9a15938b68c039","recoveryPointTime":"2023-02-07T06:02:15.0233973Z"},"recoveryDestination":"https://ossclitestsa.blob.core.windows.net/oss-clitest-blob-container","subTasks":[{"taskId":1,"taskName":"Trigger + string: '{"properties":{"activityID":"99653998-2d58-11ed-abf0-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T20%3A23%3A30.0526248Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T20:23:29.5604479Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"fc52c0986bb04eb49ab36938d79d967f","recoveryPointTime":"2022-09-05T20:18:40.0985318Z"},"recoveryDestination":"https://ossclitestsa.blob.core.windows.net/oss-clitest-blob-container","subTasks":[{"taskId":1,"taskName":"Trigger Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"Restore - File Prefix":"postgres_restore_07022023_113552"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/a807fba5-285a-4371-a2b0-f63b156abcb8","name":"a807fba5-285a-4371-a2b0-f63b156abcb8","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + File Prefix":"postgres_restore_06092022_015243"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/9e8bf45c-7490-4b30-9f65-b437abb039b0","name":"9e8bf45c-7490-4b30-9f65-b437abb039b0","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2432' + - '2403' content-type: - application/json date: - - Tue, 07 Feb 2023 06:08:07 GMT + - Mon, 05 Sep 2022 20:25:00 GMT expires: - '-1' pragma: @@ -3945,7 +5030,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '197' + - '198' x-powered-by: - ASP.NET status: @@ -3965,24 +5050,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/a807fba5-285a-4371-a2b0-f63b156abcb8?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/9e8bf45c-7490-4b30-9f65-b437abb039b0?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"93f25846-a6ad-11ed-ae11-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-07T06%3A06%3A37.7577318Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-07T06:06:37.3987371Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"470eac9e828948388e9a15938b68c039","recoveryPointTime":"2023-02-07T06:02:15.0233973Z"},"recoveryDestination":"https://ossclitestsa.blob.core.windows.net/oss-clitest-blob-container","subTasks":[{"taskId":1,"taskName":"Trigger + string: '{"properties":{"activityID":"99653998-2d58-11ed-abf0-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T20%3A23%3A30.0526248Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T20:23:29.5604479Z","endTime":null,"dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"InProgress","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT0S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"fc52c0986bb04eb49ab36938d79d967f","recoveryPointTime":"2022-09-05T20:18:40.0985318Z"},"recoveryDestination":"https://ossclitestsa.blob.core.windows.net/oss-clitest-blob-container","subTasks":[{"taskId":1,"taskName":"Trigger Restore","taskStatus":"InProgress","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"Restore - File Prefix":"postgres_restore_07022023_113552"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/a807fba5-285a-4371-a2b0-f63b156abcb8","name":"a807fba5-285a-4371-a2b0-f63b156abcb8","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + File Prefix":"postgres_restore_06092022_015243"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/9e8bf45c-7490-4b30-9f65-b437abb039b0","name":"9e8bf45c-7490-4b30-9f65-b437abb039b0","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2432' + - '2403' content-type: - application/json date: - - Tue, 07 Feb 2023 06:08:19 GMT + - Mon, 05 Sep 2022 20:25:12 GMT expires: - '-1' pragma: @@ -3999,7 +5083,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '196' + - '197' x-powered-by: - ASP.NET status: @@ -4019,24 +5103,23 @@ interactions: ParameterSetName: - --ids User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/a807fba5-285a-4371-a2b0-f63b156abcb8?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/9e8bf45c-7490-4b30-9f65-b437abb039b0?api-version=2022-05-01 response: body: - string: '{"properties":{"activityID":"93f25846-a6ad-11ed-ae11-60a5e2435518","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2023-02-07T06%3A08%3A26.6526042Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2023-02-07T06:06:37.3987371Z","endTime":"2023-02-07T06:08:26.3408229Z","dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"Completed","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT1M48.9420858S","progressUrl":null,"isCrossRegionRestore":false,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"470eac9e828948388e9a15938b68c039","recoveryPointTime":"2023-02-07T06:02:15.0233973Z"},"recoveryDestination":"https://ossclitestsa.blob.core.windows.net/oss-clitest-blob-container","subTasks":[{"taskId":1,"taskName":"Trigger - Restore","taskStatus":"Completed","taskProgress":null,"additionalDetails":{"DataTransferredInBytes":"0","TaskId":"93f25846-a6ad-11ed-ae11-60a5e2435518","DatasourceType":"Microsoft.DBforPostgreSQL/servers/databases"}}],"additionalDetails":{"Restore - File Prefix":"postgres_restore_07022023_113552"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/a807fba5-285a-4371-a2b0-f63b156abcb8","name":"a807fba5-285a-4371-a2b0-f63b156abcb8","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' + string: '{"properties":{"activityID":"99653998-2d58-11ed-abf0-c8f750f92764","subscriptionId":"38304e13-357e-405e-9e9a-220351dcce8c","backupInstanceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764","policyId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupPolicies/oss-clitest-policy2","dataSourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DBforPostgreSQL/servers/oss-clitest-server/databases/postgres","vaultName":"oss-clitest-vault","backupInstanceFriendlyName":"oss-clitest-server\\postgres","policyName":"oss-clitest-policy2","sourceResourceGroup":"oss-clitest-rg","dataSourceSetName":"oss-clitest-server","dataSourceName":"postgres","sourceDataStoreName":null,"destinationDataStoreName":null,"progressEnabled":false,"etag":"W/\"datetime''2022-09-05T20%3A25%3A16.1579765Z''\"","sourceSubscriptionID":"38304e13-357e-405e-9e9a-220351dcce8c","dataSourceLocation":"centraluseuap","startTime":"2022-09-05T20:23:29.5604479Z","endTime":"2022-09-05T20:25:15.8666376Z","dataSourceType":"Microsoft.DBforPostgreSQL/servers/databases","operationCategory":"Restore","operation":"Restore","status":"Completed","restoreType":null,"isUserTriggered":true,"rehydrationPriority":null,"supportedActions":[""],"duration":"PT1M46.3061897S","progressUrl":null,"errorDetails":null,"extendedInfo":{"backupInstanceState":null,"dataTransferedInBytes":null,"targetRecoverPoint":null,"sourceRecoverPoint":{"recoveryPointID":"fc52c0986bb04eb49ab36938d79d967f","recoveryPointTime":"2022-09-05T20:18:40.0985318Z"},"recoveryDestination":"https://ossclitestsa.blob.core.windows.net/oss-clitest-blob-container","subTasks":[{"taskId":1,"taskName":"Trigger + Restore","taskStatus":"Completed","taskProgress":null,"additionalDetails":null}],"additionalDetails":{"Restore + File Prefix":"postgres_restore_06092022_015243"}}},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupJobs/9e8bf45c-7490-4b30-9f65-b437abb039b0","name":"9e8bf45c-7490-4b30-9f65-b437abb039b0","type":"Microsoft.DataProtection/backupVaults/backupJobs"}' headers: cache-control: - no-cache content-length: - - '2604' + - '2438' content-type: - application/json date: - - Tue, 07 Feb 2023 06:08:30 GMT + - Mon, 05 Sep 2022 20:25:23 GMT expires: - '-1' pragma: @@ -4053,7 +5136,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '195' + - '197' x-powered-by: - ASP.NET status: @@ -4075,8 +5158,7 @@ interactions: ParameterSetName: - -g --vault-name -n --yes User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: DELETE uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/backupInstances/oss-clitest-server-postgres-faec6818-0720-11ec-bd1b-c8f750f92764?api-version=2022-05-01 response: @@ -4084,17 +5166,17 @@ interactions: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2M2MTQ4NjFjLTgxZWUtNDQxYy05NmJjLTJiMzEzNTJkZjRkOQ==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzJkNDBmMzk4LTNhNmEtNGU4My1hOTRmLTgxMTAyYjQ4NTcyNA==?api-version=2022-05-01 cache-control: - no-cache content-length: - '0' date: - - Tue, 07 Feb 2023 06:08:32 GMT + - Mon, 05 Sep 2022 20:25:26 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2M2MTQ4NjFjLTgxZWUtNDQxYy05NmJjLTJiMzEzNTJkZjRkOQ==?api-version=2022-05-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.DataProtection/locations/centraluseuap/operationResults/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzJkNDBmMzk4LTNhNmEtNGU4My1hOTRmLTgxMTAyYjQ4NTcyNA==?api-version=2022-05-01 pragma: - no-cache strict-transport-security: @@ -4122,64 +5204,12 @@ interactions: ParameterSetName: - -g --vault-name -n --yes User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2M2MTQ4NjFjLTgxZWUtNDQxYy05NmJjLTJiMzEzNTJkZjRkOQ==?api-version=2022-05-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2M2MTQ4NjFjLTgxZWUtNDQxYy05NmJjLTJiMzEzNTJkZjRkOQ==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2M2MTQ4NjFjLTgxZWUtNDQxYy05NmJjLTJiMzEzNTJkZjRkOQ==","status":"Inprogress","startTime":"2023-02-07T06:08:32.921688Z","endTime":"0001-01-01T00:00:00Z"}' - headers: - cache-control: - - no-cache - content-length: - - '480' - content-type: - - application/json - date: - - Tue, 07 Feb 2023 06:09:02 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '992' - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - dataprotection backup-instance delete - Connection: - - keep-alive - ParameterSetName: - - -g --vault-name -n --yes - User-Agent: - - AZURECLI/2.44.1 (PIP) azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.10.7 - (Windows-10-10.0.22621-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-dataprotection/1.0.0b1 Python/3.8.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2M2MTQ4NjFjLTgxZWUtNDQxYy05NmJjLTJiMzEzNTJkZjRkOQ==?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzJkNDBmMzk4LTNhNmEtNGU4My1hOTRmLTgxMTAyYjQ4NTcyNA==?api-version=2022-05-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2M2MTQ4NjFjLTgxZWUtNDQxYy05NmJjLTJiMzEzNTJkZjRkOQ==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3O2M2MTQ4NjFjLTgxZWUtNDQxYy05NmJjLTJiMzEzNTJkZjRkOQ==","status":"Succeeded","startTime":"2023-02-07T06:08:32.921688Z","endTime":"2023-02-07T06:09:20Z"}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/oss-clitest-rg/providers/Microsoft.DataProtection/backupVaults/oss-clitest-vault/operationStatus/NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzJkNDBmMzk4LTNhNmEtNGU4My1hOTRmLTgxMTAyYjQ4NTcyNA==","name":"NTc5ZTVjYzItYTNmMC00OTM1LWFhN2QtOWQwNmE5NGVmMzE3OzJkNDBmMzk4LTNhNmEtNGU4My1hOTRmLTgxMTAyYjQ4NTcyNA==","status":"Succeeded","startTime":"2022-09-05T20:25:26.354079Z","endTime":"2022-09-05T20:25:42Z"}' headers: cache-control: - no-cache @@ -4188,7 +5218,7 @@ interactions: content-type: - application/json date: - - Tue, 07 Feb 2023 06:09:33 GMT + - Mon, 05 Sep 2022 20:25:56 GMT expires: - '-1' pragma: @@ -4204,7 +5234,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '991' + - '993' x-powered-by: - ASP.NET status: diff --git a/src/dataprotection/setup.py b/src/dataprotection/setup.py index 1a713f3270a..1289ad2f7df 100644 --- a/src/dataprotection/setup.py +++ b/src/dataprotection/setup.py @@ -10,7 +10,7 @@ from setuptools import setup, find_packages # HISTORY.rst entry. -VERSION = '0.7.0' +VERSION = '0.6.0' try: from azext_dataprotection.manual.version import VERSION except ImportError: diff --git a/src/index.json b/src/index.json index dfd76d3f750..3c8177c4828 100644 --- a/src/index.json +++ b/src/index.json @@ -7687,49 +7687,6 @@ "version": "0.5.128" }, "sha256Digest": "1156f159e8c1b16284b930487a1284aca1ded1dbc8d21a6cbf5cddcdc625767a" - }, - { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/aks_preview-0.5.129-py2.py3-none-any.whl", - "filename": "aks_preview-0.5.129-py2.py3-none-any.whl", - "metadata": { - "azext.isPreview": true, - "azext.minCliCoreVersion": "2.44.0", - "classifiers": [ - "Development Status :: 4 - Beta", - "Intended Audience :: Developers", - "Intended Audience :: System Administrators", - "Programming Language :: Python", - "Programming Language :: Python :: 3", - "Programming Language :: Python :: 3.6", - "Programming Language :: Python :: 3.7", - "Programming Language :: Python :: 3.8", - "License :: OSI Approved :: MIT License" - ], - "extensions": { - "python.details": { - "contacts": [ - { - "email": "azpycli@microsoft.com", - "name": "Microsoft Corporation", - "role": "author" - } - ], - "document_names": { - "description": "DESCRIPTION.rst" - }, - "project_urls": { - "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/aks-preview" - } - } - }, - "generator": "bdist_wheel (0.30.0)", - "license": "MIT", - "metadata_version": "2.0", - "name": "aks-preview", - "summary": "Provides a preview for upcoming AKS features", - "version": "0.5.129" - }, - "sha256Digest": "49e50e7fd43b285880af9c6b17d1c3bddd316fdecf555eb473388c200423970e" } ], "alertsmanagement": [ @@ -8409,50 +8366,6 @@ "version": "1.0.0" }, "sha256Digest": "dbb9572514ce2151900b38b9c30af7459f8ae35f8b052d0e7800894b50cc482e" - }, - { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/amg-1.1.0-py3-none-any.whl", - "filename": "amg-1.1.0-py3-none-any.whl", - "metadata": { - "azext.isPreview": false, - "azext.maxCliCoreVersion": "2.99.0", - "azext.minCliCoreVersion": "2.38.0", - "classifiers": [ - "Development Status :: 4 - Beta", - "Intended Audience :: Developers", - "Intended Audience :: System Administrators", - "Programming Language :: Python", - "Programming Language :: Python :: 3", - "Programming Language :: Python :: 3.6", - "Programming Language :: Python :: 3.7", - "Programming Language :: Python :: 3.8", - "License :: OSI Approved :: MIT License" - ], - "extensions": { - "python.details": { - "contacts": [ - { - "email": "ad4g@microsoft.com", - "name": "Microsoft Corporation", - "role": "author" - } - ], - "document_names": { - "description": "DESCRIPTION.rst" - }, - "project_urls": { - "Home": "https://github.com/Azure/azure-cli-extensions/tree/master/src/amg" - } - } - }, - "generator": "bdist_wheel (0.30.0)", - "license": "MIT", - "metadata_version": "2.0", - "name": "amg", - "summary": "Microsoft Azure Command-Line Tools Azure Managed Grafana Extension", - "version": "1.1.0" - }, - "sha256Digest": "9d6e10ce78bcdeca062ab790a80d62ca1ccaabdb27fca8db891cbf3cec2835a0" } ], "application-insights": [ @@ -9602,11 +9515,11 @@ ], "arcappliance": [ { - "downloadUrl": "https://arcplatformcliextprod.blob.core.windows.net/arcappliance/arcappliance-0.2.27-py2.py3-none-any.whl", - "filename": "arcappliance-0.2.27-py2.py3-none-any.whl", + "downloadUrl": "https://arcplatformcliextprod.blob.core.windows.net/arcappliance/arcappliance-0.2.16-py2.py3-none-any.whl", + "filename": "arcappliance-0.2.16-py2.py3-none-any.whl", "metadata": { "azext.isPreview": true, - "azext.minCliCoreVersion": "2.39.0", + "azext.minCliCoreVersion": "2.0.67", "classifiers": [ "Development Status :: 4 - Beta", "Intended Audience :: Developers", @@ -9649,16 +9562,16 @@ } ], "summary": "Microsoft Azure Command-Line Tools Arcappliance Extension", - "version": "0.2.27" + "version": "0.2.16" }, - "sha256Digest": "ac083e353e6b9a308df6723b9e759fbf8f4cec4694a4779d722ddd42c0132ada" + "sha256Digest": "3f528b71c913ba0daf69fd048211ccf52428a2c8f9f48d39281d3b9fc88c0c06" }, { - "downloadUrl": "https://arcplatformcliextprod.blob.core.windows.net/arcappliance/arcappliance-0.2.28-py2.py3-none-any.whl", - "filename": "arcappliance-0.2.28-py2.py3-none-any.whl", + "downloadUrl": "https://arcplatformcliextprod.blob.core.windows.net/arcappliance/arcappliance-0.2.23-py2.py3-none-any.whl", + "filename": "arcappliance-0.2.23-py2.py3-none-any.whl", "metadata": { "azext.isPreview": true, - "azext.minCliCoreVersion": "2.41.0", + "azext.minCliCoreVersion": "2.0.67", "classifiers": [ "Development Status :: 4 - Beta", "Intended Audience :: Developers", @@ -9701,16 +9614,16 @@ } ], "summary": "Microsoft Azure Command-Line Tools Arcappliance Extension", - "version": "0.2.28" + "version": "0.2.23" }, - "sha256Digest": "d3958a72a58c21092b3a01f04cf8fbb418a34db6c9310e16f41af3447052ed80" + "sha256Digest": "f65ea31e60c8576137f8abef556c365bea8cbf50f1650b9e4375fdc8ba7a0b1e" }, { - "downloadUrl": "https://arcplatformcliextprod.blob.core.windows.net/arcappliance/arcappliance-0.2.29-py2.py3-none-any.whl", - "filename": "arcappliance-0.2.29-py2.py3-none-any.whl", + "downloadUrl": "https://arcplatformcliextprod.blob.core.windows.net/arcappliance/arcappliance-0.2.27-py2.py3-none-any.whl", + "filename": "arcappliance-0.2.27-py2.py3-none-any.whl", "metadata": { "azext.isPreview": true, - "azext.minCliCoreVersion": "2.41.0", + "azext.minCliCoreVersion": "2.39.0", "classifiers": [ "Development Status :: 4 - Beta", "Intended Audience :: Developers", @@ -9753,13 +9666,13 @@ } ], "summary": "Microsoft Azure Command-Line Tools Arcappliance Extension", - "version": "0.2.29" + "version": "0.2.27" }, - "sha256Digest": "3d6f6c2077d902b9a4270bc270c3a010bbcadad13f6079306749d553d8194f4b" + "sha256Digest": "ac083e353e6b9a308df6723b9e759fbf8f4cec4694a4779d722ddd42c0132ada" }, { - "downloadUrl": "https://arcplatformcliextprod.blob.core.windows.net/arcappliance/arcappliance-0.2.30-py2.py3-none-any.whl", - "filename": "arcappliance-0.2.30-py2.py3-none-any.whl", + "downloadUrl": "https://arcplatformcliextprod.blob.core.windows.net/arcappliance/arcappliance-0.2.28-py2.py3-none-any.whl", + "filename": "arcappliance-0.2.28-py2.py3-none-any.whl", "metadata": { "azext.isPreview": true, "azext.minCliCoreVersion": "2.41.0", @@ -9805,21 +9718,21 @@ } ], "summary": "Microsoft Azure Command-Line Tools Arcappliance Extension", - "version": "0.2.30" + "version": "0.2.28" }, - "sha256Digest": "18395b15fe6f55604b24e0d46bfa79e216c822ddc169d743dbfe98de2269b84b" - } - ], - "arcdata": [ + "sha256Digest": "d3958a72a58c21092b3a01f04cf8fbb418a34db6c9310e16f41af3447052ed80" + }, { - "downloadUrl": "https://azurearcdatacli.blob.core.windows.net/cli-extensions/arcdata-1.4.11-py2.py3-none-any.whl", - "filename": "arcdata-1.4.11-py2.py3-none-any.whl", + "downloadUrl": "https://arcplatformcliextprod.blob.core.windows.net/arcappliance/arcappliance-0.2.29-py2.py3-none-any.whl", + "filename": "arcappliance-0.2.29-py2.py3-none-any.whl", "metadata": { - "azext.isExperimental": false, - "azext.minCliCoreVersion": "2.3.1", + "azext.isPreview": true, + "azext.minCliCoreVersion": "2.41.0", "classifiers": [ - "Development Status :: 1 - Beta", + "Development Status :: 4 - Beta", "Intended Audience :: Developers", + "Intended Audience :: System Administrators", + "Programming Language :: Python", "Programming Language :: Python :: 3", "Programming Language :: Python :: 3.6", "Programming Language :: Python :: 3.7", @@ -9830,7 +9743,7 @@ "python.details": { "contacts": [ { - "email": "dpgswdist@microsoft.com", + "email": "appliance@microsoft.com", "name": "Microsoft Corporation", "role": "author" } @@ -9839,36 +9752,30 @@ "description": "DESCRIPTION.rst" }, "project_urls": { - "Home": "https://docs.microsoft.com/en-us/azure/azure-arc/data/" + "Home": "https://msazure.visualstudio.com/AzureArcPlatform/_git/arcappliance-cli-extensions" } } }, "extras": [], "generator": "bdist_wheel (0.30.0)", "license": "MIT", - "license_file": "LICENSE", "metadata_version": "2.0", - "name": "arcdata", + "name": "arcappliance", "run_requires": [ { "requires": [ - "colorama (==0.4.4)", - "jinja2 (==3.0.3)", - "jsonpatch (==1.24)", - "jsonpath-ng (==1.4.3)", "jsonschema (==3.2.0)", - "kubernetes (==23.3.0)", - "ndjson (==0.3.1)", - "pem (==21.2.0)", - "pydash (==4.8.0)" + "kubernetes (==11.0.0)" ] } ], - "summary": "Tools for managing ArcData.", - "version": "1.4.11" + "summary": "Microsoft Azure Command-Line Tools Arcappliance Extension", + "version": "0.2.29" }, - "sha256Digest": "658b8e1a70644c140d05552f81ba22e04cdf523e48bb0123b83d16ba77369e2f" - }, + "sha256Digest": "3d6f6c2077d902b9a4270bc270c3a010bbcadad13f6079306749d553d8194f4b" + } + ], + "arcdata": [ { "downloadUrl": "https://azurearcdatacli.blob.core.windows.net/cli-extensions/arcdata-1.4.10-py2.py3-none-any.whl", "filename": "arcdata-1.4.10-py2.py3-none-any.whl", @@ -11501,49 +11408,6 @@ "version": "0.1.1" }, "sha256Digest": "0beb143e3ca4f4f9706877d416b07cb9f9796bd696a0a642825d8ca48217edb0" - }, - { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/authV2-0.1.2-py3-none-any.whl", - "filename": "authV2-0.1.2-py3-none-any.whl", - "metadata": { - "azext.isPreview": false, - "azext.minCliCoreVersion": "2.23.0", - "classifiers": [ - "Development Status :: 4 - Beta", - "Intended Audience :: Developers", - "Intended Audience :: System Administrators", - "Programming Language :: Python", - "Programming Language :: Python :: 3", - "Programming Language :: Python :: 3.6", - "Programming Language :: Python :: 3.7", - "Programming Language :: Python :: 3.8", - "License :: OSI Approved :: MIT License" - ], - "extensions": { - "python.details": { - "contacts": [ - { - "email": "azpycli@microsoft.com", - "name": "Microsoft Corporation", - "role": "author" - } - ], - "document_names": { - "description": "DESCRIPTION.rst" - }, - "project_urls": { - "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/authV2" - } - } - }, - "generator": "bdist_wheel (0.30.0)", - "license": "MIT", - "metadata_version": "2.0", - "name": "authV2", - "summary": "Microsoft Azure Command-Line Tools Authv2 Extension", - "version": "0.1.2" - }, - "sha256Digest": "b98f07b7b669416ef4386d2a0834364a6c8d0278ddfffd35c1be5eb931968d5b" } ], "automanage": [ @@ -11589,22 +11453,24 @@ "version": "0.1.0" }, "sha256Digest": "ca6771604ac50df02682f581b52ca92d775f0fd2f187f627a6bfe62d4fdb6651" - }, + } + ], + "automation": [ { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/automanage-0.1.1-py3-none-any.whl", - "filename": "automanage-0.1.1-py3-none-any.whl", + "downloadUrl": "https://azurecliprod.blob.core.windows.net/cli-extensions/automation-0.1.0-py3-none-any.whl", + "filename": "automation-0.1.0-py3-none-any.whl", "metadata": { - "azext.isPreview": true, - "azext.minCliCoreVersion": "2.44.1", + "azext.isExperimental": true, + "azext.minCliCoreVersion": "2.13.0", "classifiers": [ "Development Status :: 4 - Beta", "Intended Audience :: Developers", "Intended Audience :: System Administrators", "Programming Language :: Python", "Programming Language :: Python :: 3", + "Programming Language :: Python :: 3.6", "Programming Language :: Python :: 3.7", "Programming Language :: Python :: 3.8", - "Programming Language :: Python :: 3.9", "License :: OSI Approved :: MIT License" ], "extensions": { @@ -11620,67 +11486,22 @@ "description": "DESCRIPTION.rst" }, "project_urls": { - "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/automanage" + "Home": "https://github.com/Azure/azure-cli-extensions/tree/master/src/automation" } } }, "generator": "bdist_wheel (0.30.0)", "license": "MIT", "metadata_version": "2.0", - "name": "automanage", - "summary": "Microsoft Azure Command-Line Tools Automanage Extension.", - "version": "0.1.1" + "name": "automation", + "summary": "Microsoft Azure Command-Line Tools AutomationClient Extension", + "version": "0.1.0" }, - "sha256Digest": "40c62cf4389bc282e4c06d0f2688087efb4a8ca6bb7a2b37fc6befb79dc2c526" + "sha256Digest": "779f996ffab9fd76438d8938216fcbeb6f9aecad3a23bd2097731182607e4d7a" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/automanage-0.1.2-py3-none-any.whl", - "filename": "automanage-0.1.2-py3-none-any.whl", - "metadata": { - "azext.isPreview": true, - "azext.minCliCoreVersion": "2.44.1", - "classifiers": [ - "Development Status :: 4 - Beta", - "Intended Audience :: Developers", - "Intended Audience :: System Administrators", - "Programming Language :: Python", - "Programming Language :: Python :: 3", - "Programming Language :: Python :: 3.7", - "Programming Language :: Python :: 3.8", - "Programming Language :: Python :: 3.9", - "License :: OSI Approved :: MIT License" - ], - "extensions": { - "python.details": { - "contacts": [ - { - "email": "azpycli@microsoft.com", - "name": "Microsoft Corporation", - "role": "author" - } - ], - "document_names": { - "description": "DESCRIPTION.rst" - }, - "project_urls": { - "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/automanage" - } - } - }, - "generator": "bdist_wheel (0.30.0)", - "license": "MIT", - "metadata_version": "2.0", - "name": "automanage", - "summary": "Microsoft Azure Command-Line Tools Automanage Extension.", - "version": "0.1.2" - }, - "sha256Digest": "42341a6cfdacb3af0433b10b3e9bcb5226d4c7fb59730378408a957662266551" - } - ], - "automation": [ - { - "downloadUrl": "https://azurecliprod.blob.core.windows.net/cli-extensions/automation-0.1.0-py3-none-any.whl", - "filename": "automation-0.1.0-py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/automation-0.1.1-py3-none-any.whl", + "filename": "automation-0.1.1-py3-none-any.whl", "metadata": { "azext.isExperimental": true, "azext.minCliCoreVersion": "2.13.0", @@ -11717,59 +11538,16 @@ "metadata_version": "2.0", "name": "automation", "summary": "Microsoft Azure Command-Line Tools AutomationClient Extension", - "version": "0.1.0" + "version": "0.1.1" }, - "sha256Digest": "779f996ffab9fd76438d8938216fcbeb6f9aecad3a23bd2097731182607e4d7a" + "sha256Digest": "99640d86e3596a806ea2eca6b8f67f02fea74951ffa0606bff60fbfc88da7d6e" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/automation-0.1.1-py3-none-any.whl", - "filename": "automation-0.1.1-py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/automation-0.1.2-py3-none-any.whl", + "filename": "automation-0.1.2-py3-none-any.whl", "metadata": { "azext.isExperimental": true, - "azext.minCliCoreVersion": "2.13.0", - "classifiers": [ - "Development Status :: 4 - Beta", - "Intended Audience :: Developers", - "Intended Audience :: System Administrators", - "Programming Language :: Python", - "Programming Language :: Python :: 3", - "Programming Language :: Python :: 3.6", - "Programming Language :: Python :: 3.7", - "Programming Language :: Python :: 3.8", - "License :: OSI Approved :: MIT License" - ], - "extensions": { - "python.details": { - "contacts": [ - { - "email": "azpycli@microsoft.com", - "name": "Microsoft Corporation", - "role": "author" - } - ], - "document_names": { - "description": "DESCRIPTION.rst" - }, - "project_urls": { - "Home": "https://github.com/Azure/azure-cli-extensions/tree/master/src/automation" - } - } - }, - "generator": "bdist_wheel (0.30.0)", - "license": "MIT", - "metadata_version": "2.0", - "name": "automation", - "summary": "Microsoft Azure Command-Line Tools AutomationClient Extension", - "version": "0.1.1" - }, - "sha256Digest": "99640d86e3596a806ea2eca6b8f67f02fea74951ffa0606bff60fbfc88da7d6e" - }, - { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/automation-0.1.2-py3-none-any.whl", - "filename": "automation-0.1.2-py3-none-any.whl", - "metadata": { - "azext.isExperimental": true, - "azext.minCliCoreVersion": "2.39.0", + "azext.minCliCoreVersion": "2.39.0", "classifiers": [ "Development Status :: 4 - Beta", "Intended Audience :: Developers", @@ -14937,85 +14715,6 @@ "version": "0.19.0" }, "sha256Digest": "e1dded53fc9e298a1ef7e1fcbf3399517e3be015785ba526c26d1584064a4fe0" - }, - { - "downloadUrl": "https://github.com/Azure/azure-iot-cli-extension/releases/download/v0.19.1/azure_iot-0.19.1-py3-none-any.whl", - "filename": "azure_iot-0.19.1-py3-none-any.whl", - "metadata": { - "azext.minCliCoreVersion": "2.32.0", - "classifiers": [ - "Development Status :: 4 - Beta", - "Intended Audience :: Developers", - "Intended Audience :: System Administrators", - "Programming Language :: Python", - "Programming Language :: Python :: 3 :: Only", - "Programming Language :: Python :: 3", - "Programming Language :: Python :: 3.7", - "Programming Language :: Python :: 3.8", - "Programming Language :: Python :: 3.9", - "Programming Language :: Python :: 3.10", - "License :: OSI Approved :: MIT License" - ], - "extensions": { - "python.details": { - "contacts": [ - { - "email": "iotupx@microsoft.com", - "name": "Microsoft", - "role": "author" - } - ], - "document_names": { - "description": "DESCRIPTION.rst" - }, - "project_urls": { - "Home": "https://github.com/azure/azure-iot-cli-extension" - } - } - }, - "extras": [ - "uamqp" - ], - "generator": "bdist_wheel (0.30.0)", - "license": "MIT", - "metadata_version": "2.0", - "name": "azure-iot", - "requires_python": ">=3.7", - "run_requires": [ - { - "requires": [ - "azure-core (<2.0.0,>=1.24.0)", - "azure-identity (<2.0.0,>=1.6.1)", - "azure-iot-device (~=2.11)", - "azure-mgmt-core (<2.0.0,>=1.3.0)", - "azure-storage-blob (<13.0.0,>=12.14.0)", - "jsonschema (~=3.2.0)", - "msrest (>=0.6.21)", - "msrestazure (<2.0.0,>=0.6.3)", - "packaging", - "tomli (~=2.0)", - "tomli-w (~=1.0)", - "tqdm (~=4.62)", - "treelib (~=1.6)" - ] - }, - { - "extra": "uamqp", - "requires": [ - "uamqp (~=1.2)" - ] - }, - { - "environment": "python_version < \"3.8\"", - "requires": [ - "importlib-metadata" - ] - } - ], - "summary": "The Azure IoT extension for Azure CLI.", - "version": "0.19.1" - }, - "sha256Digest": "685c526081ce60fa2188106cd71c9412ee4765d5d74f3f0dce53466bdd9df15e" } ], "azurestackhci": [ @@ -15407,92 +15106,6 @@ "version": "0.1.0" }, "sha256Digest": "8a3ab4753d4c5be5306ff7102a962d9a3c6e867e0cfc50d628823af3c4cb4f31" - }, - { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/bastion-0.2.0-py3-none-any.whl", - "filename": "bastion-0.2.0-py3-none-any.whl", - "metadata": { - "azext.isPreview": true, - "azext.minCliCoreVersion": "2.43.0", - "classifiers": [ - "Development Status :: 4 - Beta", - "Intended Audience :: Developers", - "Intended Audience :: System Administrators", - "Programming Language :: Python", - "Programming Language :: Python :: 3", - "Programming Language :: Python :: 3.7", - "Programming Language :: Python :: 3.8", - "Programming Language :: Python :: 3.9", - "License :: OSI Approved :: MIT License" - ], - "extensions": { - "python.details": { - "contacts": [ - { - "email": "azpycli@microsoft.com", - "name": "Microsoft Corporation", - "role": "author" - } - ], - "document_names": { - "description": "DESCRIPTION.rst" - }, - "project_urls": { - "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/bastion" - } - } - }, - "generator": "bdist_wheel (0.30.0)", - "license": "MIT", - "metadata_version": "2.0", - "name": "bastion", - "summary": "Microsoft Azure Command-Line Tools Bastion Extension.", - "version": "0.2.0" - }, - "sha256Digest": "97cfe1c32304e23317d06afa627718759b08fa4e7a653fff54a4bd03cfd28b22" - }, - { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/bastion-0.2.1-py3-none-any.whl", - "filename": "bastion-0.2.1-py3-none-any.whl", - "metadata": { - "azext.isPreview": true, - "azext.minCliCoreVersion": "2.43.0", - "classifiers": [ - "Development Status :: 4 - Beta", - "Intended Audience :: Developers", - "Intended Audience :: System Administrators", - "Programming Language :: Python", - "Programming Language :: Python :: 3", - "Programming Language :: Python :: 3.7", - "Programming Language :: Python :: 3.8", - "Programming Language :: Python :: 3.9", - "License :: OSI Approved :: MIT License" - ], - "extensions": { - "python.details": { - "contacts": [ - { - "email": "azpycli@microsoft.com", - "name": "Microsoft Corporation", - "role": "author" - } - ], - "document_names": { - "description": "DESCRIPTION.rst" - }, - "project_urls": { - "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/bastion" - } - } - }, - "generator": "bdist_wheel (0.30.0)", - "license": "MIT", - "metadata_version": "2.0", - "name": "bastion", - "summary": "Microsoft Azure Command-Line Tools Bastion Extension.", - "version": "0.2.1" - }, - "sha256Digest": "5eae321c2da7598d58e2f7b3c7ce9c2ceaa478ddc677fcc2f2cbaf9db5d9990b" } ], "billing-benefits": [ @@ -16680,178 +16293,9 @@ } ], "summary": "Microsoft Azure Command-Line Tools CommunicationServiceManagementClient Extension", - "version": "1.4.1" - }, - "sha256Digest": "f3b8d6812151f45bd12be1f7e567a857ed13e822f5471965449e1212853481d1" - }, - { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/communication-1.5.0-py3-none-any.whl", - "filename": "communication-1.5.0-py3-none-any.whl", - "metadata": { - "azext.minCliCoreVersion": "2.40.0", - "classifiers": [ - "Development Status :: 4 - Beta", - "Intended Audience :: Developers", - "Intended Audience :: System Administrators", - "Programming Language :: Python", - "Programming Language :: Python :: 3", - "Programming Language :: Python :: 3.7", - "Programming Language :: Python :: 3.8", - "License :: OSI Approved :: MIT License" - ], - "extensions": { - "python.details": { - "contacts": [ - { - "email": "azpycli@microsoft.com", - "name": "Microsoft Corporation", - "role": "author" - } - ], - "document_names": { - "description": "DESCRIPTION.rst" - }, - "project_urls": { - "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/communication" - } - } - }, - "extras": [], - "generator": "bdist_wheel (0.30.0)", - "license": "MIT", - "metadata_version": "2.0", - "name": "communication", - "requires_python": ">=3.7", - "run_requires": [ - { - "requires": [ - "azure-communication-chat", - "azure-communication-email (>=1.0.0b1)", - "azure-communication-identity (>=1.2.0)", - "azure-communication-phonenumbers", - "azure-communication-rooms", - "azure-communication-sms", - "azure-core" - ] - } - ], - "summary": "Microsoft Azure Command-Line Tools CommunicationServiceManagementClient Extension", - "version": "1.5.0" - }, - "sha256Digest": "74e52d38fe0e14c66992c44f265fae7a2cf89ee64a33e402c217defbd1f2e28c" - }, - { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/communication-1.5.1-py3-none-any.whl", - "filename": "communication-1.5.1-py3-none-any.whl", - "metadata": { - "azext.minCliCoreVersion": "2.40.0", - "classifiers": [ - "Development Status :: 4 - Beta", - "Intended Audience :: Developers", - "Intended Audience :: System Administrators", - "Programming Language :: Python", - "Programming Language :: Python :: 3", - "Programming Language :: Python :: 3.7", - "Programming Language :: Python :: 3.8", - "License :: OSI Approved :: MIT License" - ], - "extensions": { - "python.details": { - "contacts": [ - { - "email": "azpycli@microsoft.com", - "name": "Microsoft Corporation", - "role": "author" - } - ], - "document_names": { - "description": "DESCRIPTION.rst" - }, - "project_urls": { - "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/communication" - } - } - }, - "extras": [], - "generator": "bdist_wheel (0.30.0)", - "license": "MIT", - "metadata_version": "2.0", - "name": "communication", - "requires_python": ">=3.7", - "run_requires": [ - { - "requires": [ - "azure-communication-chat", - "azure-communication-email (>=1.0.0b1)", - "azure-communication-identity (>=1.2.0)", - "azure-communication-phonenumbers", - "azure-communication-rooms", - "azure-communication-sms", - "azure-core" - ] - } - ], - "summary": "Microsoft Azure Command-Line Tools CommunicationServiceManagementClient Extension", - "version": "1.5.1" - }, - "sha256Digest": "04aadad0932fb25c5491396c367c10d948930aa8c65398c9b5ba0a5bdfa41ca4" - } - ], - "confcom": [ - { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/confcom-0.2.10-py3-none-any.whl", - "filename": "confcom-0.2.10-py3-none-any.whl", - "metadata": { - "azext.isPreview": true, - "azext.minCliCoreVersion": "2.26.2", - "classifiers": [ - "Development Status :: 4 - Beta", - "Intended Audience :: Developers", - "Intended Audience :: System Administrators", - "Programming Language :: Python", - "Programming Language :: Python :: 3", - "Programming Language :: Python :: 3.6", - "Programming Language :: Python :: 3.7", - "Programming Language :: Python :: 3.8", - "Programming Language :: Python :: 3.9", - "Programming Language :: Python :: 3.10", - "License :: OSI Approved :: MIT License" - ], - "extensions": { - "python.details": { - "contacts": [ - { - "email": "acccli@microsoft.com", - "name": "Microsoft Corporation", - "role": "author" - } - ], - "document_names": { - "description": "DESCRIPTION.rst" - }, - "project_urls": { - "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/confcom" - } - } - }, - "extras": [], - "generator": "bdist_wheel (0.30.0)", - "license": "MIT", - "metadata_version": "2.0", - "name": "confcom", - "run_requires": [ - { - "requires": [ - "deepdiff", - "docker", - "tqdm" - ] - } - ], - "summary": "Microsoft Azure Command-Line Tools Confidential Container Security Policy Generator Extension", - "version": "0.2.10" + "version": "1.4.1" }, - "sha256Digest": "c464da586646d3616fe501de68c0ada6c56448532d541bc5386d0a60f7719286" + "sha256Digest": "f3b8d6812151f45bd12be1f7e567a857ed13e822f5471965449e1212853481d1" } ], "confidentialledger": [ @@ -18566,228 +18010,20 @@ { "requires": [ "kubernetes (==11.0.0)", - "pycryptodome (==3.9.8)" - ] - } - ], - "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", - "version": "1.2.5" - }, - "sha256Digest": "fd0bc6f534e5a9e72fe6585031eeb29655d05f2cac4f505804bc6052a52c5fcd" - }, - { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.2.6-py2.py3-none-any.whl", - "filename": "connectedk8s-1.2.6-py2.py3-none-any.whl", - "metadata": { - "azext.minCliCoreVersion": "2.23.0", - "classifiers": [ - "Development Status :: 4 - Beta", - "Intended Audience :: Developers", - "Intended Audience :: System Administrators", - "Programming Language :: Python", - "Programming Language :: Python :: 3", - "Programming Language :: Python :: 3.6", - "Programming Language :: Python :: 3.7", - "Programming Language :: Python :: 3.8", - "License :: OSI Approved :: MIT License" - ], - "description_content_type": "text/markdown", - "extensions": { - "python.details": { - "contacts": [ - { - "email": "k8connect@microsoft.com", - "name": "Microsoft Corporation", - "role": "author" - } - ], - "document_names": { - "description": "DESCRIPTION.rst" - }, - "project_urls": { - "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/connectedk8s" - } - } - }, - "extras": [], - "generator": "bdist_wheel (0.30.0)", - "license": "MIT", - "metadata_version": "2.0", - "name": "connectedk8s", - "run_requires": [ - { - "requires": [ - "kubernetes (==11.0.0)", - "pycryptodome (==3.9.8)" - ] - } - ], - "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", - "version": "1.2.6" - }, - "sha256Digest": "473e31ada7636316304b2a39a76654722a0f5409bf8a2ffddf196ccc42df10a4" - }, - { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.2.7-py2.py3-none-any.whl", - "filename": "connectedk8s-1.2.7-py2.py3-none-any.whl", - "metadata": { - "azext.minCliCoreVersion": "2.16.0", - "classifiers": [ - "Development Status :: 4 - Beta", - "Intended Audience :: Developers", - "Intended Audience :: System Administrators", - "Programming Language :: Python", - "Programming Language :: Python :: 3", - "Programming Language :: Python :: 3.6", - "Programming Language :: Python :: 3.7", - "Programming Language :: Python :: 3.8", - "License :: OSI Approved :: MIT License" - ], - "description_content_type": "text/markdown", - "extensions": { - "python.details": { - "contacts": [ - { - "email": "k8connect@microsoft.com", - "name": "Microsoft Corporation", - "role": "author" - } - ], - "document_names": { - "description": "DESCRIPTION.rst" - }, - "project_urls": { - "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/connectedk8s" - } - } - }, - "extras": [], - "generator": "bdist_wheel (0.30.0)", - "license": "MIT", - "metadata_version": "2.0", - "name": "connectedk8s", - "run_requires": [ - { - "requires": [ - "kubernetes (==11.0.0)", - "pycryptodome (==3.9.8)" - ] - } - ], - "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", - "version": "1.2.7" - }, - "sha256Digest": "3f13d1b95c89865a8bdc0d40323956d599305892a54085e1115866b429ab2fa1" - }, - { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.2.8-py2.py3-none-any.whl", - "filename": "connectedk8s-1.2.8-py2.py3-none-any.whl", - "metadata": { - "azext.minCliCoreVersion": "2.16.0", - "classifiers": [ - "Development Status :: 4 - Beta", - "Intended Audience :: Developers", - "Intended Audience :: System Administrators", - "Programming Language :: Python", - "Programming Language :: Python :: 3", - "Programming Language :: Python :: 3.6", - "Programming Language :: Python :: 3.7", - "Programming Language :: Python :: 3.8", - "License :: OSI Approved :: MIT License" - ], - "description_content_type": "text/markdown", - "extensions": { - "python.details": { - "contacts": [ - { - "email": "k8connect@microsoft.com", - "name": "Microsoft Corporation", - "role": "author" - } - ], - "document_names": { - "description": "DESCRIPTION.rst" - }, - "project_urls": { - "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/connectedk8s" - } - } - }, - "extras": [], - "generator": "bdist_wheel (0.30.0)", - "license": "MIT", - "metadata_version": "2.0", - "name": "connectedk8s", - "run_requires": [ - { - "requires": [ - "kubernetes (==11.0.0)", - "pycryptodome (==3.14.1)" - ] - } - ], - "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", - "version": "1.2.8" - }, - "sha256Digest": "df97793b98a0f8e2e70f8a7942c6d65b9e581c54cf3f7632d4c48f01b2426a09" - }, - { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.2.9-py2.py3-none-any.whl", - "filename": "connectedk8s-1.2.9-py2.py3-none-any.whl", - "metadata": { - "azext.minCliCoreVersion": "2.16.0", - "classifiers": [ - "Development Status :: 4 - Beta", - "Intended Audience :: Developers", - "Intended Audience :: System Administrators", - "Programming Language :: Python", - "Programming Language :: Python :: 3", - "Programming Language :: Python :: 3.6", - "Programming Language :: Python :: 3.7", - "Programming Language :: Python :: 3.8", - "License :: OSI Approved :: MIT License" - ], - "description_content_type": "text/markdown", - "extensions": { - "python.details": { - "contacts": [ - { - "email": "k8connect@microsoft.com", - "name": "Microsoft Corporation", - "role": "author" - } - ], - "document_names": { - "description": "DESCRIPTION.rst" - }, - "project_urls": { - "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/connectedk8s" - } - } - }, - "extras": [], - "generator": "bdist_wheel (0.30.0)", - "license": "MIT", - "metadata_version": "2.0", - "name": "connectedk8s", - "run_requires": [ - { - "requires": [ - "kubernetes (==11.0.0)", - "pycryptodome (==3.14.1)" + "pycryptodome (==3.9.8)" ] } ], "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", - "version": "1.2.9" + "version": "1.2.5" }, - "sha256Digest": "06cb4e2aa841abeb712b9e564748c28b14cc49cc30cd65b05730f633120c7666" + "sha256Digest": "fd0bc6f534e5a9e72fe6585031eeb29655d05f2cac4f505804bc6052a52c5fcd" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.2.10-py2.py3-none-any.whl", - "filename": "connectedk8s-1.2.10-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.2.6-py2.py3-none-any.whl", + "filename": "connectedk8s-1.2.6-py2.py3-none-any.whl", "metadata": { - "azext.minCliCoreVersion": "2.16.0", + "azext.minCliCoreVersion": "2.23.0", "classifiers": [ "Development Status :: 4 - Beta", "Intended Audience :: Developers", @@ -18826,18 +18062,18 @@ { "requires": [ "kubernetes (==11.0.0)", - "pycryptodome (==3.14.1)" + "pycryptodome (==3.9.8)" ] } ], "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", - "version": "1.2.10" + "version": "1.2.6" }, - "sha256Digest": "f470e60e651201635e358411d9e07f0a9519fa059ca33f5543a9bff2982d8998" + "sha256Digest": "473e31ada7636316304b2a39a76654722a0f5409bf8a2ffddf196ccc42df10a4" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.2.11-py2.py3-none-any.whl", - "filename": "connectedk8s-1.2.11-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.2.7-py2.py3-none-any.whl", + "filename": "connectedk8s-1.2.7-py2.py3-none-any.whl", "metadata": { "azext.minCliCoreVersion": "2.16.0", "classifiers": [ @@ -18878,18 +18114,18 @@ { "requires": [ "kubernetes (==11.0.0)", - "pycryptodome (==3.14.1)" + "pycryptodome (==3.9.8)" ] } ], "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", - "version": "1.2.11" + "version": "1.2.7" }, - "sha256Digest": "0cc9fb7514b040ec8deb4269282c16a1d382c95a3b3a7def04ed6e795f85d62d" + "sha256Digest": "3f13d1b95c89865a8bdc0d40323956d599305892a54085e1115866b429ab2fa1" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.0-py2.py3-none-any.whl", - "filename": "connectedk8s-1.3.0-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.2.8-py2.py3-none-any.whl", + "filename": "connectedk8s-1.2.8-py2.py3-none-any.whl", "metadata": { "azext.minCliCoreVersion": "2.16.0", "classifiers": [ @@ -18929,22 +18165,21 @@ "run_requires": [ { "requires": [ - "azure-mgmt-hybridcompute (==7.0.0)", "kubernetes (==11.0.0)", "pycryptodome (==3.14.1)" ] } ], "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", - "version": "1.3.0" + "version": "1.2.8" }, - "sha256Digest": "c3edd32939e90e2b1cb9af32e46c065cfa0cb869f1d5438fbab9d77215513b2a" + "sha256Digest": "df97793b98a0f8e2e70f8a7942c6d65b9e581c54cf3f7632d4c48f01b2426a09" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.1-py2.py3-none-any.whl", - "filename": "connectedk8s-1.3.1-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.2.9-py2.py3-none-any.whl", + "filename": "connectedk8s-1.2.9-py2.py3-none-any.whl", "metadata": { - "azext.minCliCoreVersion": "2.30.0", + "azext.minCliCoreVersion": "2.16.0", "classifiers": [ "Development Status :: 4 - Beta", "Intended Audience :: Developers", @@ -18982,22 +18217,21 @@ "run_requires": [ { "requires": [ - "azure-mgmt-hybridcompute (==7.0.0)", "kubernetes (==11.0.0)", "pycryptodome (==3.14.1)" ] } ], "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", - "version": "1.3.1" + "version": "1.2.9" }, - "sha256Digest": "b728b34c4c3edf32744d092cd915f62f4d4898e959214014905807c136518e94" + "sha256Digest": "06cb4e2aa841abeb712b9e564748c28b14cc49cc30cd65b05730f633120c7666" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.2-py2.py3-none-any.whl", - "filename": "connectedk8s-1.3.2-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.2.10-py2.py3-none-any.whl", + "filename": "connectedk8s-1.2.10-py2.py3-none-any.whl", "metadata": { - "azext.minCliCoreVersion": "2.30.0", + "azext.minCliCoreVersion": "2.16.0", "classifiers": [ "Development Status :: 4 - Beta", "Intended Audience :: Developers", @@ -19035,22 +18269,21 @@ "run_requires": [ { "requires": [ - "azure-mgmt-hybridcompute (==7.0.0)", "kubernetes (==11.0.0)", "pycryptodome (==3.14.1)" ] } ], "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", - "version": "1.3.2" + "version": "1.2.10" }, - "sha256Digest": "e392698b2f1f7a545f0f0c40cca2c17ba74cdd47db2299b7eaea1d3e0b6595a9" + "sha256Digest": "f470e60e651201635e358411d9e07f0a9519fa059ca33f5543a9bff2982d8998" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.3-py2.py3-none-any.whl", - "filename": "connectedk8s-1.3.3-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.2.11-py2.py3-none-any.whl", + "filename": "connectedk8s-1.2.11-py2.py3-none-any.whl", "metadata": { - "azext.minCliCoreVersion": "2.30.0", + "azext.minCliCoreVersion": "2.16.0", "classifiers": [ "Development Status :: 4 - Beta", "Intended Audience :: Developers", @@ -19088,22 +18321,21 @@ "run_requires": [ { "requires": [ - "azure-mgmt-hybridcompute (==7.0.0)", "kubernetes (==11.0.0)", "pycryptodome (==3.14.1)" ] } ], "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", - "version": "1.3.3" + "version": "1.2.11" }, - "sha256Digest": "1a42dd74a1c4d8552ed57112314da641a8e78acc1ba7ec763ebecc390b5aaf9c" + "sha256Digest": "0cc9fb7514b040ec8deb4269282c16a1d382c95a3b3a7def04ed6e795f85d62d" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.4-py2.py3-none-any.whl", - "filename": "connectedk8s-1.3.4-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.0-py2.py3-none-any.whl", + "filename": "connectedk8s-1.3.0-py2.py3-none-any.whl", "metadata": { - "azext.minCliCoreVersion": "2.30.0", + "azext.minCliCoreVersion": "2.16.0", "classifiers": [ "Development Status :: 4 - Beta", "Intended Audience :: Developers", @@ -19148,15 +18380,15 @@ } ], "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", - "version": "1.3.4" + "version": "1.3.0" }, - "sha256Digest": "83ed63bb821ae47b944b6d2e4894229bfc76e9b0cefec8b73a0c74f9ea44e833" + "sha256Digest": "c3edd32939e90e2b1cb9af32e46c065cfa0cb869f1d5438fbab9d77215513b2a" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.5-py2.py3-none-any.whl", - "filename": "connectedk8s-1.3.5-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.1-py2.py3-none-any.whl", + "filename": "connectedk8s-1.3.1-py2.py3-none-any.whl", "metadata": { - "azext.minCliCoreVersion": "2.38.0", + "azext.minCliCoreVersion": "2.30.0", "classifiers": [ "Development Status :: 4 - Beta", "Intended Audience :: Developers", @@ -19195,21 +18427,21 @@ { "requires": [ "azure-mgmt-hybridcompute (==7.0.0)", - "kubernetes (==24.2.0)", + "kubernetes (==11.0.0)", "pycryptodome (==3.14.1)" ] } ], "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", - "version": "1.3.5" + "version": "1.3.1" }, - "sha256Digest": "17ba7dd032c87e7ff4b9cce298dd81171e6e75bcfe2912f7c2f3cd1f55c00d11" + "sha256Digest": "b728b34c4c3edf32744d092cd915f62f4d4898e959214014905807c136518e94" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.6-py2.py3-none-any.whl", - "filename": "connectedk8s-1.3.6-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.2-py2.py3-none-any.whl", + "filename": "connectedk8s-1.3.2-py2.py3-none-any.whl", "metadata": { - "azext.minCliCoreVersion": "2.38.0", + "azext.minCliCoreVersion": "2.30.0", "classifiers": [ "Development Status :: 4 - Beta", "Intended Audience :: Developers", @@ -19248,21 +18480,21 @@ { "requires": [ "azure-mgmt-hybridcompute (==7.0.0)", - "kubernetes (==24.2.0)", + "kubernetes (==11.0.0)", "pycryptodome (==3.14.1)" ] } ], "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", - "version": "1.3.6" + "version": "1.3.2" }, - "sha256Digest": "5c0c55940802239372608d9c7faf1c76e4f2f2fef5ebbd36be7011ae854a7563" + "sha256Digest": "e392698b2f1f7a545f0f0c40cca2c17ba74cdd47db2299b7eaea1d3e0b6595a9" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.7-py2.py3-none-any.whl", - "filename": "connectedk8s-1.3.7-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.3-py2.py3-none-any.whl", + "filename": "connectedk8s-1.3.3-py2.py3-none-any.whl", "metadata": { - "azext.minCliCoreVersion": "2.38.0", + "azext.minCliCoreVersion": "2.30.0", "classifiers": [ "Development Status :: 4 - Beta", "Intended Audience :: Developers", @@ -19301,21 +18533,21 @@ { "requires": [ "azure-mgmt-hybridcompute (==7.0.0)", - "kubernetes (==24.2.0)", + "kubernetes (==11.0.0)", "pycryptodome (==3.14.1)" ] } ], "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", - "version": "1.3.7" + "version": "1.3.3" }, - "sha256Digest": "5a62c4c4e6e27e0e9f5522b12118ce5dcb227fd42f2ac03495cafd8fd9a3bcba" + "sha256Digest": "1a42dd74a1c4d8552ed57112314da641a8e78acc1ba7ec763ebecc390b5aaf9c" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.8-py2.py3-none-any.whl", - "filename": "connectedk8s-1.3.8-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.4-py2.py3-none-any.whl", + "filename": "connectedk8s-1.3.4-py2.py3-none-any.whl", "metadata": { - "azext.minCliCoreVersion": "2.38.0", + "azext.minCliCoreVersion": "2.30.0", "classifiers": [ "Development Status :: 4 - Beta", "Intended Audience :: Developers", @@ -19354,19 +18586,19 @@ { "requires": [ "azure-mgmt-hybridcompute (==7.0.0)", - "kubernetes (==24.2.0)", + "kubernetes (==11.0.0)", "pycryptodome (==3.14.1)" ] } ], "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", - "version": "1.3.8" + "version": "1.3.4" }, - "sha256Digest": "a2ca94688926fb98cece7b8624c5dd7cf9e6ae69eeb1bc9f1dd525ae1abdc95e" + "sha256Digest": "83ed63bb821ae47b944b6d2e4894229bfc76e9b0cefec8b73a0c74f9ea44e833" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.9-py2.py3-none-any.whl", - "filename": "connectedk8s-1.3.9-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.5-py2.py3-none-any.whl", + "filename": "connectedk8s-1.3.5-py2.py3-none-any.whl", "metadata": { "azext.minCliCoreVersion": "2.38.0", "classifiers": [ @@ -19413,13 +18645,13 @@ } ], "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", - "version": "1.3.9" + "version": "1.3.5" }, - "sha256Digest": "ad770af71a013785229d287705580e6b9815cafb7e10fb09c07b917baba813a0" + "sha256Digest": "17ba7dd032c87e7ff4b9cce298dd81171e6e75bcfe2912f7c2f3cd1f55c00d11" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.10-py2.py3-none-any.whl", - "filename": "connectedk8s-1.3.10-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.6-py2.py3-none-any.whl", + "filename": "connectedk8s-1.3.6-py2.py3-none-any.whl", "metadata": { "azext.minCliCoreVersion": "2.38.0", "classifiers": [ @@ -19466,13 +18698,13 @@ } ], "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", - "version": "1.3.10" + "version": "1.3.6" }, - "sha256Digest": "e2c5055b87d3529d90574e67988e7cf7efabf8ce3515bb2e1017ae613bcc89a1" + "sha256Digest": "5c0c55940802239372608d9c7faf1c76e4f2f2fef5ebbd36be7011ae854a7563" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.11-py2.py3-none-any.whl", - "filename": "connectedk8s-1.3.11-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.7-py2.py3-none-any.whl", + "filename": "connectedk8s-1.3.7-py2.py3-none-any.whl", "metadata": { "azext.minCliCoreVersion": "2.38.0", "classifiers": [ @@ -19519,13 +18751,13 @@ } ], "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", - "version": "1.3.11" + "version": "1.3.7" }, - "sha256Digest": "1587e042d7e37ca66d7cdff96f06f334e388e01689efdbf1622daff5d56182e1" + "sha256Digest": "5a62c4c4e6e27e0e9f5522b12118ce5dcb227fd42f2ac03495cafd8fd9a3bcba" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.12-py2.py3-none-any.whl", - "filename": "connectedk8s-1.3.12-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.8-py2.py3-none-any.whl", + "filename": "connectedk8s-1.3.8-py2.py3-none-any.whl", "metadata": { "azext.minCliCoreVersion": "2.38.0", "classifiers": [ @@ -19572,13 +18804,13 @@ } ], "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", - "version": "1.3.12" + "version": "1.3.8" }, - "sha256Digest": "1b2613fe1d4a12eb5cdcf3d57189d4a3213d572fdf0c67146d8d7cd5910190ac" + "sha256Digest": "a2ca94688926fb98cece7b8624c5dd7cf9e6ae69eeb1bc9f1dd525ae1abdc95e" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.13-py2.py3-none-any.whl", - "filename": "connectedk8s-1.3.13-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/connectedk8s-1.3.9-py2.py3-none-any.whl", + "filename": "connectedk8s-1.3.9-py2.py3-none-any.whl", "metadata": { "azext.minCliCoreVersion": "2.38.0", "classifiers": [ @@ -19625,9 +18857,9 @@ } ], "summary": "Microsoft Azure Command-Line Tools Connectedk8s Extension", - "version": "1.3.13" + "version": "1.3.9" }, - "sha256Digest": "6e145db641dd77cd5d73271562f74f70d9bc4171bec05449b7722d54eb1e0ba2" + "sha256Digest": "ad770af71a013785229d287705580e6b9815cafb7e10fb09c07b917baba813a0" } ], "connectedmachine": [ @@ -21323,121 +20555,13 @@ } ], "summary": "Microsoft Azure Command-Line Tools Containerapp Extension", - "version": "0.3.15" - }, - "sha256Digest": "fab4b6bbed951ad7e94b50af4e169ece562379b91a7ca3fae1987ebed01470e4" - }, - { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/containerapp-0.3.16-py2.py3-none-any.whl", - "filename": "containerapp-0.3.16-py2.py3-none-any.whl", - "metadata": { - "azext.isPreview": true, - "azext.minCliCoreVersion": "2.37.0", - "classifiers": [ - "Development Status :: 4 - Beta", - "Intended Audience :: Developers", - "Intended Audience :: System Administrators", - "Programming Language :: Python", - "Programming Language :: Python :: 3", - "Programming Language :: Python :: 3.6", - "Programming Language :: Python :: 3.7", - "Programming Language :: Python :: 3.8", - "Programming Language :: Python :: 3.9", - "Programming Language :: Python :: 3.10", - "License :: OSI Approved :: MIT License" - ], - "extensions": { - "python.details": { - "contacts": [ - { - "email": "azpycli@microsoft.com", - "name": "Microsoft Corporation", - "role": "author" - } - ], - "document_names": { - "description": "DESCRIPTION.rst" - }, - "project_urls": { - "Home": "https://github.com/Azure/azure-cli-extensions" - } - } - }, - "extras": [], - "generator": "bdist_wheel (0.30.0)", - "license": "MIT", - "metadata_version": "2.0", - "name": "containerapp", - "run_requires": [ - { - "requires": [ - "azure-cli-core", - "pycomposefile (>=0.0.29)" - ] - } - ], - "summary": "Microsoft Azure Command-Line Tools Containerapp Extension", - "version": "0.3.16" - }, - "sha256Digest": "de6bddcca942bbb447c680148c22ce12f7f0279b6437c839f9ad82db3e3062fe" - }, - { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/containerapp-0.3.17-py2.py3-none-any.whl", - "filename": "containerapp-0.3.17-py2.py3-none-any.whl", - "metadata": { - "azext.isPreview": true, - "azext.minCliCoreVersion": "2.37.0", - "classifiers": [ - "Development Status :: 4 - Beta", - "Intended Audience :: Developers", - "Intended Audience :: System Administrators", - "Programming Language :: Python", - "Programming Language :: Python :: 3", - "Programming Language :: Python :: 3.6", - "Programming Language :: Python :: 3.7", - "Programming Language :: Python :: 3.8", - "Programming Language :: Python :: 3.9", - "Programming Language :: Python :: 3.10", - "License :: OSI Approved :: MIT License" - ], - "extensions": { - "python.details": { - "contacts": [ - { - "email": "azpycli@microsoft.com", - "name": "Microsoft Corporation", - "role": "author" - } - ], - "document_names": { - "description": "DESCRIPTION.rst" - }, - "project_urls": { - "Home": "https://github.com/Azure/azure-cli-extensions" - } - } - }, - "extras": [], - "generator": "bdist_wheel (0.30.0)", - "license": "MIT", - "metadata_version": "2.0", - "name": "containerapp", - "run_requires": [ - { - "requires": [ - "azure-cli-core", - "pycomposefile (>=0.0.29)" - ] - } - ], - "summary": "Microsoft Azure Command-Line Tools Containerapp Extension", - "version": "0.3.17" + "version": "0.3.15" }, - "sha256Digest": "08afc8c17a73d4a910d210a8863a7822de732e2a763d5ef7c2971fc1a9bbf9e8" + "sha256Digest": "fab4b6bbed951ad7e94b50af4e169ece562379b91a7ca3fae1987ebed01470e4" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/containerapp-0.3.18-py2.py3-none-any.whl", - "filename": "containerapp-0.3.18-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/containerapp-0.3.16-py2.py3-none-any.whl", + "filename": "containerapp-0.3.16-py2.py3-none-any.whl", "metadata": { "azext.isPreview": true, "azext.minCliCoreVersion": "2.37.0", @@ -21485,13 +20609,13 @@ } ], "summary": "Microsoft Azure Command-Line Tools Containerapp Extension", - "version": "0.3.18" + "version": "0.3.16" }, - "sha256Digest": "2f86a9d6eae01dd16801576febf29f42dbb5c1b11ce6a4d461df1804c735f386" + "sha256Digest": "de6bddcca942bbb447c680148c22ce12f7f0279b6437c839f9ad82db3e3062fe" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/containerapp-0.3.19-py2.py3-none-any.whl", - "filename": "containerapp-0.3.19-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/containerapp-0.3.17-py2.py3-none-any.whl", + "filename": "containerapp-0.3.17-py2.py3-none-any.whl", "metadata": { "azext.isPreview": true, "azext.minCliCoreVersion": "2.37.0", @@ -21539,13 +20663,13 @@ } ], "summary": "Microsoft Azure Command-Line Tools Containerapp Extension", - "version": "0.3.19" + "version": "0.3.17" }, - "sha256Digest": "191040f708d6f49ab908f364fc653e5398cd28d1bbd4f0c172e541d71c5ba0f3" + "sha256Digest": "08afc8c17a73d4a910d210a8863a7822de732e2a763d5ef7c2971fc1a9bbf9e8" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/containerapp-0.3.20-py2.py3-none-any.whl", - "filename": "containerapp-0.3.20-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/containerapp-0.3.18-py2.py3-none-any.whl", + "filename": "containerapp-0.3.18-py2.py3-none-any.whl", "metadata": { "azext.isPreview": true, "azext.minCliCoreVersion": "2.37.0", @@ -21593,13 +20717,13 @@ } ], "summary": "Microsoft Azure Command-Line Tools Containerapp Extension", - "version": "0.3.20" + "version": "0.3.18" }, - "sha256Digest": "6c8affb758834439b76edaa724ecf7bc77a6f1d08979dad0a8178f9434406b15" + "sha256Digest": "2f86a9d6eae01dd16801576febf29f42dbb5c1b11ce6a4d461df1804c735f386" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/containerapp-0.3.21-py2.py3-none-any.whl", - "filename": "containerapp-0.3.21-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/containerapp-0.3.19-py2.py3-none-any.whl", + "filename": "containerapp-0.3.19-py2.py3-none-any.whl", "metadata": { "azext.isPreview": true, "azext.minCliCoreVersion": "2.37.0", @@ -21647,13 +20771,13 @@ } ], "summary": "Microsoft Azure Command-Line Tools Containerapp Extension", - "version": "0.3.21" + "version": "0.3.19" }, - "sha256Digest": "d63c2004502f698da946ebf552b748b0a7fc166a1f6599f6c1dd3a46309d1994" + "sha256Digest": "191040f708d6f49ab908f364fc653e5398cd28d1bbd4f0c172e541d71c5ba0f3" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/containerapp-0.3.22-py2.py3-none-any.whl", - "filename": "containerapp-0.3.22-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/containerapp-0.3.20-py2.py3-none-any.whl", + "filename": "containerapp-0.3.20-py2.py3-none-any.whl", "metadata": { "azext.isPreview": true, "azext.minCliCoreVersion": "2.37.0", @@ -21701,9 +20825,9 @@ } ], "summary": "Microsoft Azure Command-Line Tools Containerapp Extension", - "version": "0.3.22" + "version": "0.3.20" }, - "sha256Digest": "c2c6a17fc6c450f2f0cab604d1d22bb7c76c6c7af860c6a7b00e4534f51e1c4c" + "sha256Digest": "6c8affb758834439b76edaa724ecf7bc77a6f1d08979dad0a8178f9434406b15" } ], "cosmosdb-preview": [ @@ -24797,49 +23921,6 @@ "version": "0.6.0" }, "sha256Digest": "1284734882f589b86ac87933bbd5f13a0e74b2c745130615636aeeb52690fbb7" - }, - { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/dataprotection-0.7.0-py3-none-any.whl", - "filename": "dataprotection-0.7.0-py3-none-any.whl", - "metadata": { - "azext.isExperimental": true, - "azext.minCliCoreVersion": "2.43.0", - "classifiers": [ - "Development Status :: 4 - Beta", - "Intended Audience :: Developers", - "Intended Audience :: System Administrators", - "Programming Language :: Python", - "Programming Language :: Python :: 3", - "Programming Language :: Python :: 3.6", - "Programming Language :: Python :: 3.7", - "Programming Language :: Python :: 3.8", - "License :: OSI Approved :: MIT License" - ], - "extensions": { - "python.details": { - "contacts": [ - { - "email": "azpycli@microsoft.com", - "name": "Microsoft Corporation", - "role": "author" - } - ], - "document_names": { - "description": "DESCRIPTION.rst" - }, - "project_urls": { - "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/dataprotection" - } - } - }, - "generator": "bdist_wheel (0.30.0)", - "license": "MIT", - "metadata_version": "2.0", - "name": "dataprotection", - "summary": "Microsoft Azure Command-Line Tools DataProtectionClient Extension", - "version": "0.7.0" - }, - "sha256Digest": "79bf91539d0f66c6751c3b43e86715458c7404641396b1ed9454ab3b31968a5b" } ], "datashare": [ @@ -31994,48 +31075,6 @@ "version": "1.3.8" }, "sha256Digest": "83c256f2d0fe27de40ac1ccb1f45e714cd32d38f209df8f71556c7ce712eb61c" - }, - { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/k8s_extension-1.3.9-py3-none-any.whl", - "filename": "k8s_extension-1.3.9-py3-none-any.whl", - "metadata": { - "azext.minCliCoreVersion": "2.24.0", - "classifiers": [ - "Development Status :: 4 - Beta", - "Intended Audience :: Developers", - "Intended Audience :: System Administrators", - "Programming Language :: Python", - "Programming Language :: Python :: 3", - "Programming Language :: Python :: 3.6", - "Programming Language :: Python :: 3.7", - "Programming Language :: Python :: 3.8", - "License :: OSI Approved :: MIT License" - ], - "extensions": { - "python.details": { - "contacts": [ - { - "email": "azpycli@microsoft.com", - "name": "Microsoft Corporation", - "role": "author" - } - ], - "document_names": { - "description": "DESCRIPTION.rst" - }, - "project_urls": { - "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/k8s-extension" - } - } - }, - "generator": "bdist_wheel (0.30.0)", - "license": "MIT", - "metadata_version": "2.0", - "name": "k8s-extension", - "summary": "Microsoft Azure Command-Line Tools K8s-extension Extension", - "version": "1.3.9" - }, - "sha256Digest": "076beb20efe4840f8d62f2ecdc227eb67ee396a55a5788210ad6402cf1a6e9c4" } ], "k8sconfiguration": [ @@ -32762,48 +31801,6 @@ "version": "0.1.0" }, "sha256Digest": "9814fb6215faf902944ef7e7a6e9a8c86f40d8e348ffff64da7befe98fd3d9ef" - }, - { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/load-0.2.0-py3-none-any.whl", - "filename": "load-0.2.0-py3-none-any.whl", - "metadata": { - "azext.minCliCoreVersion": "2.41.0", - "classifiers": [ - "Development Status :: 4 - Beta", - "Intended Audience :: Developers", - "Intended Audience :: System Administrators", - "Programming Language :: Python", - "Programming Language :: Python :: 3", - "Programming Language :: Python :: 3.7", - "Programming Language :: Python :: 3.8", - "Programming Language :: Python :: 3.9", - "License :: OSI Approved :: MIT License" - ], - "extensions": { - "python.details": { - "contacts": [ - { - "email": "azpycli@microsoft.com", - "name": "Microsoft Corporation", - "role": "author" - } - ], - "document_names": { - "description": "DESCRIPTION.rst" - }, - "project_urls": { - "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/load" - } - } - }, - "generator": "bdist_wheel (0.30.0)", - "license": "MIT", - "metadata_version": "2.0", - "name": "load", - "summary": "Microsoft Azure Command-Line Tools Load Extension.", - "version": "0.2.0" - }, - "sha256Digest": "373e6f5af459d33f5e8e655ba497b19e15f519918bb3a0ef3e4fd6ba3cc813a2" } ], "log-analytics": [ @@ -35789,73 +34786,6 @@ "version": "2.13.0" }, "sha256Digest": "24d2f8af646ace7d5b2c7c49adb8eff7e6d8a8610cbf071b2654695f8d512f3f" - }, - { - "downloadUrl": "https://azuremlsdktestpypi.blob.core.windows.net/wheels/sdk-cli-v2-public/ml-2.14.0-py3-none-any.whl", - "filename": "ml-2.14.0-py3-none-any.whl", - "metadata": { - "azext.minCliCoreVersion": "2.15.0", - "classifiers": [ - "Development Status :: 5 - Production/Stable", - "Intended Audience :: Developers", - "Intended Audience :: System Administrators", - "Environment :: Console", - "Programming Language :: Python", - "Programming Language :: Python :: 3", - "Programming Language :: Python :: 3.7", - "Programming Language :: Python :: 3.8", - "Programming Language :: Python :: 3.9", - "Programming Language :: Python :: 3.10", - "License :: OSI Approved :: MIT License" - ], - "description_content_type": "text/x-rst", - "extensions": { - "python.details": { - "contacts": [ - { - "email": "azuremlsdk@microsoft.com", - "name": "Microsoft Corporation", - "role": "author" - } - ], - "document_names": { - "description": "DESCRIPTION.rst" - }, - "project_urls": { - "Home": "https://github.com/Azure/azureml-examples" - } - } - }, - "extras": [], - "generator": "bdist_wheel (0.30.0)", - "license": "MIT", - "metadata_version": "2.0", - "name": "ml", - "run_requires": [ - { - "requires": [ - "azure-common (<2.0.0,>=1.1)", - "azure-storage-blob (<13.0.0,>=12.10.0)", - "azure-storage-file-datalake (<13.0.0)", - "azure-storage-file-share (<13.0.0)", - "colorama (<0.5.0)", - "cryptography", - "docker", - "isodate", - "jsonschema (<5.0.0,>=4.0.0)", - "marshmallow (<4.0.0,>=3.5)", - "pydash (<6.0.0)", - "pyjwt (<3.0.0)", - "strictyaml (<2.0.0)", - "tqdm (<5.0.0)", - "typing-extensions (<5.0.0)" - ] - } - ], - "summary": "Microsoft Azure Command-Line Tools AzureMachineLearningWorkspaces Extension", - "version": "2.14.0" - }, - "sha256Digest": "90e8e03ff67f1c6b73219b44764a44e6e45ab7786ff5dd26660ba9f600879747" } ], "mobile-network": [ @@ -36127,56 +35057,13 @@ "metadata_version": "2.0", "name": "next", "summary": "Microsoft Azure Command-Line Tools Next Extension", - "version": "0.1.0" - }, - "sha256Digest": "038d673501dd3b3c04314d0f69f01cfdd52e6ca3f44820a45d20dc3dd58317dd" - }, - { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/next-0.1.1-py2.py3-none-any.whl", - "filename": "next-0.1.1-py2.py3-none-any.whl", - "metadata": { - "azext.isExperimental": true, - "azext.minCliCoreVersion": "2.20.0", - "classifiers": [ - "Development Status :: 4 - Beta", - "Intended Audience :: Developers", - "Intended Audience :: System Administrators", - "Programming Language :: Python", - "Programming Language :: Python :: 3", - "Programming Language :: Python :: 3.6", - "Programming Language :: Python :: 3.7", - "Programming Language :: Python :: 3.8", - "License :: OSI Approved :: MIT License" - ], - "extensions": { - "python.details": { - "contacts": [ - { - "email": "azpycli@microsoft.com", - "name": "Microsoft Corporation", - "role": "author" - } - ], - "document_names": { - "description": "DESCRIPTION.rst" - }, - "project_urls": { - "Home": "https://github.com/Azure/azure-cli-extensions" - } - } - }, - "generator": "bdist_wheel (0.30.0)", - "license": "MIT", - "metadata_version": "2.0", - "name": "next", - "summary": "Microsoft Azure Command-Line Tools Next Extension", - "version": "0.1.1" + "version": "0.1.0" }, - "sha256Digest": "dee069e3a0efafbec8154fbf91ced5cee1f782599a726ac5937b9adc297d3c8a" + "sha256Digest": "038d673501dd3b3c04314d0f69f01cfdd52e6ca3f44820a45d20dc3dd58317dd" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/next-0.1.2-py2.py3-none-any.whl", - "filename": "next-0.1.2-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/next-0.1.1-py2.py3-none-any.whl", + "filename": "next-0.1.1-py2.py3-none-any.whl", "metadata": { "azext.isExperimental": true, "azext.minCliCoreVersion": "2.20.0", @@ -36213,13 +35100,13 @@ "metadata_version": "2.0", "name": "next", "summary": "Microsoft Azure Command-Line Tools Next Extension", - "version": "0.1.2" + "version": "0.1.1" }, - "sha256Digest": "3bd9bc4ddf96fdb0ce17da57700fd40fc2a7aca56c0277ff95376256baeab4c8" + "sha256Digest": "dee069e3a0efafbec8154fbf91ced5cee1f782599a726ac5937b9adc297d3c8a" }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/next-0.1.3-py2.py3-none-any.whl", - "filename": "next-0.1.3-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/next-0.1.2-py2.py3-none-any.whl", + "filename": "next-0.1.2-py2.py3-none-any.whl", "metadata": { "azext.isExperimental": true, "azext.minCliCoreVersion": "2.20.0", @@ -36247,7 +35134,7 @@ "description": "DESCRIPTION.rst" }, "project_urls": { - "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/next" + "Home": "https://github.com/Azure/azure-cli-extensions" } } }, @@ -36256,17 +35143,16 @@ "metadata_version": "2.0", "name": "next", "summary": "Microsoft Azure Command-Line Tools Next Extension", - "version": "0.1.3" + "version": "0.1.2" }, - "sha256Digest": "83c4e03427f190203e094c14e4f7e79cec989f1277e16b9256bb9fe688aa5e07" - } - ], - "nginx": [ + "sha256Digest": "3bd9bc4ddf96fdb0ce17da57700fd40fc2a7aca56c0277ff95376256baeab4c8" + }, { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/nginx-0.1.0-py2.py3-none-any.whl", - "filename": "nginx-0.1.0-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/next-0.1.3-py2.py3-none-any.whl", + "filename": "next-0.1.3-py2.py3-none-any.whl", "metadata": { - "azext.minCliCoreVersion": "2.40.0", + "azext.isExperimental": true, + "azext.minCliCoreVersion": "2.20.0", "classifiers": [ "Development Status :: 4 - Beta", "Intended Audience :: Developers", @@ -36291,22 +35177,24 @@ "description": "DESCRIPTION.rst" }, "project_urls": { - "Home": "https://github.com/Azure/azure-cli-extensions" + "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/next" } } }, "generator": "bdist_wheel (0.30.0)", "license": "MIT", "metadata_version": "2.0", - "name": "nginx", - "summary": "Microsoft Azure Command-Line Tools Nginx Extension", - "version": "0.1.0" + "name": "next", + "summary": "Microsoft Azure Command-Line Tools Next Extension", + "version": "0.1.3" }, - "sha256Digest": "a5b017c415c4a030b2c63b2145e6476f789f860a0cb0385b6e336e7572bef73b" - }, + "sha256Digest": "83c4e03427f190203e094c14e4f7e79cec989f1277e16b9256bb9fe688aa5e07" + } + ], + "nginx": [ { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/nginx-0.1.1-py2.py3-none-any.whl", - "filename": "nginx-0.1.1-py2.py3-none-any.whl", + "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/nginx-0.1.0-py2.py3-none-any.whl", + "filename": "nginx-0.1.0-py2.py3-none-any.whl", "metadata": { "azext.minCliCoreVersion": "2.40.0", "classifiers": [ @@ -36342,9 +35230,9 @@ "metadata_version": "2.0", "name": "nginx", "summary": "Microsoft Azure Command-Line Tools Nginx Extension", - "version": "0.1.1" + "version": "0.1.0" }, - "sha256Digest": "3234129a26043a68e80ee1ae31c36e7ef8b2691a096cd6fc557e3a46fea8170e" + "sha256Digest": "a5b017c415c4a030b2c63b2145e6476f789f860a0cb0385b6e336e7572bef73b" } ], "notification-hub": [ @@ -38010,57 +36898,6 @@ "version": "0.17.0" }, "sha256Digest": "219065a730c5caa44b07979d56211e24e498a4cfb2d1d50e2d86239254b4d945" - }, - { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/quantum-0.18.0-py3-none-any.whl", - "filename": "quantum-0.18.0-py3-none-any.whl", - "metadata": { - "azext.isPreview": true, - "azext.minCliCoreVersion": "2.41.0", - "classifiers": [ - "Development Status :: 4 - Beta", - "Intended Audience :: Developers", - "Intended Audience :: System Administrators", - "Programming Language :: Python", - "Programming Language :: Python :: 3", - "Programming Language :: Python :: 3.6", - "Programming Language :: Python :: 3.7", - "Programming Language :: Python :: 3.8", - "License :: OSI Approved :: MIT License" - ], - "extensions": { - "python.details": { - "contacts": [ - { - "email": "que-contacts@microsoft.com", - "name": "Microsoft Corporation, Quantum Team", - "role": "author" - } - ], - "document_names": { - "description": "DESCRIPTION.rst" - }, - "project_urls": { - "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/quantum" - } - } - }, - "extras": [], - "generator": "bdist_wheel (0.30.0)", - "license": "MIT", - "metadata_version": "2.0", - "name": "quantum", - "run_requires": [ - { - "requires": [ - "azure-storage-blob (~=12.14.1)" - ] - } - ], - "summary": "Microsoft Azure Command-Line Tools Quantum Extension", - "version": "0.18.0" - }, - "sha256Digest": "7eddef419f89623b2f4d168be9c60c2ead8ede385fbff1c23671823260fd8569" } ], "quota": [ @@ -40179,63 +39016,6 @@ "sha256Digest": "312bd981dc2a9c2661bae6056333d0d74292023ffaeb5be26a4be9c5ec233e50" } ], - "serviceconnector-passwordless": [ - { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/serviceconnector_passwordless-0.1.0-py3-none-any.whl", - "filename": "serviceconnector_passwordless-0.1.0-py3-none-any.whl", - "metadata": { - "azext.isPreview": true, - "azext.minCliCoreVersion": "2.45.0", - "classifiers": [ - "Development Status :: 4 - Beta", - "Intended Audience :: Developers", - "Intended Audience :: System Administrators", - "Programming Language :: Python", - "Programming Language :: Python :: 3", - "Programming Language :: Python :: 3.6", - "Programming Language :: Python :: 3.7", - "Programming Language :: Python :: 3.8", - "License :: OSI Approved :: MIT License" - ], - "extensions": { - "python.details": { - "contacts": [ - { - "email": "azpycli@microsoft.com", - "name": "Microsoft Corporation", - "role": "author" - } - ], - "document_names": { - "description": "DESCRIPTION.rst" - }, - "project_urls": { - "Home": "https://github.com/Azure/azure-cli-extensions/tree/master/src/serviceconnector-passwordless" - } - } - }, - "extras": [], - "generator": "bdist_wheel (0.30.0)", - "license": "MIT", - "metadata_version": "2.0", - "name": "serviceconnector-passwordless", - "run_requires": [ - { - "requires": [ - "PyMySQL (==1.0.2)", - "azure-core", - "azure-mgmt-servicelinker (==1.2.0b1)", - "psycopg2 (==2.9.5)", - "pyodbc (==4.0.35)" - ] - } - ], - "summary": "Microsoft Azure Command-Line Tools Serviceconnector-passwordless Extension", - "version": "0.1.0" - }, - "sha256Digest": "3aefb271fde159a5bb164688aea7269f65cdff1e1fbeb5b0357df3d6ed05f8cf" - } - ], "spring": [ { "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/spring-1.0.0-py3-none-any.whl", @@ -41354,135 +40134,6 @@ "version": "1.6.4" }, "sha256Digest": "a52902d1a828827847c2b8a571fcd3970ee6c006a49ed1fcfd57e581bfefa251" - }, - { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/spring-1.6.5-py3-none-any.whl", - "filename": "spring-1.6.5-py3-none-any.whl", - "metadata": { - "azext.isPreview": false, - "azext.minCliCoreVersion": "2.38.0", - "classifiers": [ - "Development Status :: 4 - Beta", - "Intended Audience :: Developers", - "Intended Audience :: System Administrators", - "Programming Language :: Python", - "Programming Language :: Python :: 3", - "Programming Language :: Python :: 3.6", - "Programming Language :: Python :: 3.7", - "Programming Language :: Python :: 3.8", - "License :: OSI Approved :: MIT License" - ], - "extensions": { - "python.details": { - "contacts": [ - { - "email": "azpycli@microsoft.com", - "name": "Microsoft Corporation", - "role": "author" - } - ], - "document_names": { - "description": "DESCRIPTION.rst" - }, - "project_urls": { - "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/spring" - } - } - }, - "generator": "bdist_wheel (0.30.0)", - "license": "MIT", - "metadata_version": "2.0", - "name": "spring", - "summary": "Microsoft Azure Command-Line Tools spring Extension", - "version": "1.6.5" - }, - "sha256Digest": "a00363a73db626180830a20c0465874f6d4062dad07862e1b4a22f8c1908dca8" - }, - { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/spring-1.6.6-py3-none-any.whl", - "filename": "spring-1.6.6-py3-none-any.whl", - "metadata": { - "azext.isPreview": false, - "azext.minCliCoreVersion": "2.38.0", - "classifiers": [ - "Development Status :: 4 - Beta", - "Intended Audience :: Developers", - "Intended Audience :: System Administrators", - "Programming Language :: Python", - "Programming Language :: Python :: 3", - "Programming Language :: Python :: 3.6", - "Programming Language :: Python :: 3.7", - "Programming Language :: Python :: 3.8", - "License :: OSI Approved :: MIT License" - ], - "extensions": { - "python.details": { - "contacts": [ - { - "email": "azpycli@microsoft.com", - "name": "Microsoft Corporation", - "role": "author" - } - ], - "document_names": { - "description": "DESCRIPTION.rst" - }, - "project_urls": { - "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/spring" - } - } - }, - "generator": "bdist_wheel (0.30.0)", - "license": "MIT", - "metadata_version": "2.0", - "name": "spring", - "summary": "Microsoft Azure Command-Line Tools spring Extension", - "version": "1.6.6" - }, - "sha256Digest": "34064f43b620a36f1f8aa20200990297aaaf91c58795e0274d6f719136b029a4" - }, - { - "downloadUrl": "https://azcliprod.blob.core.windows.net/cli-extensions/spring-1.6.7-py3-none-any.whl", - "filename": "spring-1.6.7-py3-none-any.whl", - "metadata": { - "azext.isPreview": false, - "azext.minCliCoreVersion": "2.38.0", - "classifiers": [ - "Development Status :: 4 - Beta", - "Intended Audience :: Developers", - "Intended Audience :: System Administrators", - "Programming Language :: Python", - "Programming Language :: Python :: 3", - "Programming Language :: Python :: 3.6", - "Programming Language :: Python :: 3.7", - "Programming Language :: Python :: 3.8", - "License :: OSI Approved :: MIT License" - ], - "extensions": { - "python.details": { - "contacts": [ - { - "email": "azpycli@microsoft.com", - "name": "Microsoft Corporation", - "role": "author" - } - ], - "document_names": { - "description": "DESCRIPTION.rst" - }, - "project_urls": { - "Home": "https://github.com/Azure/azure-cli-extensions/tree/main/src/spring" - } - } - }, - "generator": "bdist_wheel (0.30.0)", - "license": "MIT", - "metadata_version": "2.0", - "name": "spring", - "summary": "Microsoft Azure Command-Line Tools spring Extension", - "version": "1.6.7" - }, - "sha256Digest": "7d9a8d4f792962dd1f713a839f9099bcf04c24958411f8e0edc4ef47321b87a3" } ], "spring-cloud": [ diff --git a/src/k8s-extension/HISTORY.rst b/src/k8s-extension/HISTORY.rst index 20019ce969b..00f8e22c2e4 100644 --- a/src/k8s-extension/HISTORY.rst +++ b/src/k8s-extension/HISTORY.rst @@ -3,10 +3,6 @@ Release History =============== -1.4.0 -++++++++++++++++++ -* microsoft.dapr: Update version comparison logic to use semver based comparison - 1.3.9 ++++++++++++++++++ * Deprecating --config-settings alias for --configuration-settings diff --git a/src/k8s-extension/setup.py b/src/k8s-extension/setup.py index 0fcc313500e..2ac25f917b6 100644 --- a/src/k8s-extension/setup.py +++ b/src/k8s-extension/setup.py @@ -33,7 +33,7 @@ # TODO: Add any additional SDK dependencies here DEPENDENCIES = [] -VERSION = "1.4.0" +VERSION = "1.3.9" with open("README.rst", "r", encoding="utf-8") as f: README = f.read() diff --git a/src/load/HISTORY.rst b/src/load/HISTORY.rst index f81b9ad4a6d..8c34bccfff8 100644 --- a/src/load/HISTORY.rst +++ b/src/load/HISTORY.rst @@ -3,10 +3,6 @@ Release History =============== -0.2.0 -++++++ -* Stable version release. - 0.1.0 ++++++ * Initial release. \ No newline at end of file diff --git a/src/load/azext_load/azext_metadata.json b/src/load/azext_load/azext_metadata.json index fc7c9f095c7..0a5db3c35db 100644 --- a/src/load/azext_load/azext_metadata.json +++ b/src/load/azext_load/azext_metadata.json @@ -1,3 +1,4 @@ { + "azext.isPreview": true, "azext.minCliCoreVersion": "2.41.0" } \ No newline at end of file diff --git a/src/load/azext_load/tests/latest/recordings/test_load_scenarios.yaml b/src/load/azext_load/tests/latest/recordings/test_load_scenarios.yaml index cc9581b781b..75bfafa6e9a 100644 --- a/src/load/azext_load/tests/latest/recordings/test_load_scenarios.yaml +++ b/src/load/azext_load/tests/latest/recordings/test_load_scenarios.yaml @@ -13,12 +13,12 @@ interactions: ParameterSetName: - -n -g User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001?api-version=2021-04-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001","name":"cli_test_azure_load_testing000001","type":"Microsoft.Resources/resourceGroups","location":"westus2","tags":{"product":"azurecli","cause":"automation","date":"2023-02-01T04:17:59Z"},"properties":{"provisioningState":"Succeeded"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001","name":"cli_test_azure_load_testing000001","type":"Microsoft.Resources/resourceGroups","location":"westus2","tags":{"product":"azurecli","cause":"automation","date":"2022-11-17T11:01:46Z"},"properties":{"provisioningState":"Succeeded"}}' headers: cache-control: - no-cache @@ -27,7 +27,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:18:47 GMT + - Thu, 17 Nov 2022 11:02:32 GMT expires: - '-1' pragma: @@ -59,12 +59,12 @@ interactions: ParameterSetName: - -n -g User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-msi/6.1.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-msi/6.1.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: PUT uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.ManagedIdentity/userAssignedIdentities/clitestid1?api-version=2022-01-31-preview response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/Microsoft.ManagedIdentity/userAssignedIdentities/clitestid1","name":"clitestid1","type":"Microsoft.ManagedIdentity/userAssignedIdentities","location":"westus2","tags":{},"properties":{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","principalId":"bfabf9ea-3e68-4907-8ab8-8024c629b571","clientId":"3cda7595-ceca-4d9a-a6bc-ff0935b9a542"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/Microsoft.ManagedIdentity/userAssignedIdentities/clitestid1","name":"clitestid1","type":"Microsoft.ManagedIdentity/userAssignedIdentities","location":"westus2","tags":{},"properties":{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","principalId":"9861d064-d9e5-42dd-9f97-cd05e0f5de7a","clientId":"26267b45-e83e-4b9b-8572-2dc83f12fa33"}}' headers: cache-control: - no-cache @@ -73,7 +73,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:18:55 GMT + - Thu, 17 Nov 2022 11:02:40 GMT expires: - '-1' location: @@ -85,7 +85,7 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-writes: - - '1198' + - '1199' status: code: 201 message: Created @@ -103,12 +103,12 @@ interactions: ParameterSetName: - -n -g User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001?api-version=2021-04-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001","name":"cli_test_azure_load_testing000001","type":"Microsoft.Resources/resourceGroups","location":"westus2","tags":{"product":"azurecli","cause":"automation","date":"2023-02-01T04:17:59Z"},"properties":{"provisioningState":"Succeeded"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001","name":"cli_test_azure_load_testing000001","type":"Microsoft.Resources/resourceGroups","location":"westus2","tags":{"product":"azurecli","cause":"automation","date":"2022-11-17T11:01:46Z"},"properties":{"provisioningState":"Succeeded"}}' headers: cache-control: - no-cache @@ -117,7 +117,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:18:56 GMT + - Thu, 17 Nov 2022 11:02:40 GMT expires: - '-1' pragma: @@ -149,12 +149,12 @@ interactions: ParameterSetName: - -n -g User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-msi/6.1.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-msi/6.1.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: PUT uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.ManagedIdentity/userAssignedIdentities/clitestid2?api-version=2022-01-31-preview response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/Microsoft.ManagedIdentity/userAssignedIdentities/clitestid2","name":"clitestid2","type":"Microsoft.ManagedIdentity/userAssignedIdentities","location":"westus2","tags":{},"properties":{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","principalId":"6a78c89d-3df1-476f-9f6c-596086f71421","clientId":"c6118f22-8c3c-4f48-9f2d-31f6a55514d5"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/Microsoft.ManagedIdentity/userAssignedIdentities/clitestid2","name":"clitestid2","type":"Microsoft.ManagedIdentity/userAssignedIdentities","location":"westus2","tags":{},"properties":{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","principalId":"505441bb-4f69-47b2-9994-96e413413ef8","clientId":"2f1c0651-b16e-4780-b82c-23a3b9c69f13"}}' headers: cache-control: - no-cache @@ -163,7 +163,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:19:03 GMT + - Thu, 17 Nov 2022 11:02:48 GMT expires: - '-1' location: @@ -197,29 +197,29 @@ interactions: ParameterSetName: - --name --location --resource-group User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: PUT uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","name":"load-test000003","type":"microsoft.loadtestservice/loadtests","location":"westus2","systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:19:09.0391589Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:19:09.0391589Z"},"identity":{"type":"None"},"properties":{"description":null,"dataPlaneURI":"76244603-53a7-458f-8bd3-3ebf2a1b6470.westus2.cnt-prod.loadtesting.azure.com","encryption":null,"provisioningState":"Accepted"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","name":"load-test000003","type":"microsoft.loadtestservice/loadtests","location":"westus2","systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:02:53.8618697Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:02:53.8618697Z"},"identity":{"type":"None"},"properties":{"description":null,"dataPlaneURI":"81165d2a-64bd-44a9-a4fe-83956aab1684.westus2.cnt-prod.loadtesting.azure.com","encryption":null,"provisioningState":"Accepted"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/8933d83a-f457-45a3-814f-6a7c73846f01*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC?api-version=2022-12-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/a661d173-57d7-42a0-b3e1-d8bfdf36eb76*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E?api-version=2022-12-01 cache-control: - no-cache content-length: - - '693' + - '743' content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:19:11 GMT + - Thu, 17 Nov 2022 11:02:56 GMT etag: - - '"1000811a-0000-0800-0000-63d9e83e0000"' + - '"e4008de9-0000-0800-0000-637614df0000"' expires: - '-1' mise-correlation-id: - - 987931f4-d652-452c-a1f7-2cad6de78ebd + - 97817e2b-b741-4ae0-8ed3-38290fb329fa pragma: - no-cache strict-transport-security: @@ -229,7 +229,7 @@ interactions: x-ms-providerhub-traffic: - 'True' x-ms-ratelimit-remaining-subscription-writes: - - '1198' + - '1199' status: code: 201 message: Created @@ -247,23 +247,23 @@ interactions: ParameterSetName: - --name --location --resource-group User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/8933d83a-f457-45a3-814f-6a7c73846f01*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC?api-version=2022-12-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/a661d173-57d7-42a0-b3e1-d8bfdf36eb76*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/8933d83a-f457-45a3-814f-6a7c73846f01*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC","name":"8933d83a-f457-45a3-814f-6a7c73846f01*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","status":"Succeeded","startTime":"2023-02-01T04:19:10.0481693Z","endTime":"2023-02-01T04:19:11.4925213Z","properties":null}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/a661d173-57d7-42a0-b3e1-d8bfdf36eb76*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E","name":"a661d173-57d7-42a0-b3e1-d8bfdf36eb76*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","status":"Succeeded","startTime":"2022-11-17T11:02:54.776177Z","endTime":"2022-11-17T11:02:56.335686Z","properties":null}' headers: cache-control: - no-cache content-length: - - '646' + - '644' content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:19:41 GMT + - Thu, 17 Nov 2022 11:03:27 GMT etag: - - '"0900ec26-0000-0800-0000-63d9e83f0000"' + - '"6e00ab09-0000-0800-0000-637614e00000"' expires: - '-1' pragma: @@ -293,23 +293,23 @@ interactions: ParameterSetName: - --name --location --resource-group User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","name":"load-test000003","type":"microsoft.loadtestservice/loadtests","location":"westus2","systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:19:09.0391589Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:19:09.0391589Z"},"identity":{"type":"None"},"properties":{"description":null,"dataPlaneURI":"76244603-53a7-458f-8bd3-3ebf2a1b6470.westus2.cnt-prod.loadtesting.azure.com","encryption":null,"provisioningState":"Succeeded"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","name":"load-test000003","type":"microsoft.loadtestservice/loadtests","location":"westus2","systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:02:53.8618697Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:02:53.8618697Z"},"identity":{"type":"None"},"properties":{"description":null,"dataPlaneURI":"81165d2a-64bd-44a9-a4fe-83956aab1684.westus2.cnt-prod.loadtesting.azure.com","encryption":null,"provisioningState":"Succeeded"}}' headers: cache-control: - no-cache content-length: - - '694' + - '744' content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:19:42 GMT + - Thu, 17 Nov 2022 11:03:27 GMT etag: - - '"10009c1a-0000-0800-0000-63d9e83f0000"' + - '"e4009de9-0000-0800-0000-637614e00000"' expires: - '-1' pragma: @@ -347,30 +347,30 @@ interactions: ParameterSetName: - --name --location --resource-group --identity-type --user-assigned User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: PUT uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","name":"load-test000003","type":"microsoft.loadtestservice/loadtests","location":"westus2","systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:19:09.0391589Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:19:44.399303Z"},"identity":{"principalId":"8a2d32e2-0572-4e72-a5b4-3b89bfc06508","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned, - UserAssigned","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/microsoft.managedidentity/userassignedidentities/clitestid1":{"principalId":"bfabf9ea-3e68-4907-8ab8-8024c629b571","clientId":"3cda7595-ceca-4d9a-a6bc-ff0935b9a542"}}},"properties":{"description":null,"dataPlaneURI":"76244603-53a7-458f-8bd3-3ebf2a1b6470.westus2.cnt-prod.loadtesting.azure.com","encryption":null,"provisioningState":"Accepted"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","name":"load-test000003","type":"microsoft.loadtestservice/loadtests","location":"westus2","systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:02:53.8618697Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:03:28.8195486Z"},"identity":{"principalId":"fb8f0a9c-e5e6-44b4-a53e-d23c57fca7d1","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned, + UserAssigned","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/microsoft.managedidentity/userassignedidentities/clitestid1":{"principalId":"9861d064-d9e5-42dd-9f97-cd05e0f5de7a","clientId":"26267b45-e83e-4b9b-8572-2dc83f12fa33"}}},"properties":{"description":null,"dataPlaneURI":"81165d2a-64bd-44a9-a4fe-83956aab1684.westus2.cnt-prod.loadtesting.azure.com","encryption":null,"provisioningState":"Accepted"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/800a4a7f-4285-4e4d-a127-fd71f4b000e5*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC?api-version=2022-12-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/52e6862c-d42e-460d-9347-32beedb39070*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E?api-version=2022-12-01 cache-control: - no-cache content-length: - - '1124' + - '1175' content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:19:51 GMT + - Thu, 17 Nov 2022 11:03:34 GMT etag: - - '"1000391c-0000-0800-0000-63d9e8630000"' + - '"e400f7ec-0000-0800-0000-637615040000"' expires: - '-1' mise-correlation-id: - - a7895a11-a761-4a9b-81bf-045945146715 + - 847f34d5-5a44-4160-926e-03dce86b5cb6 pragma: - no-cache strict-transport-security: @@ -380,7 +380,7 @@ interactions: x-ms-providerhub-traffic: - 'True' x-ms-ratelimit-remaining-subscription-writes: - - '1199' + - '1197' status: code: 201 message: Created @@ -398,23 +398,23 @@ interactions: ParameterSetName: - --name --location --resource-group --identity-type --user-assigned User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/800a4a7f-4285-4e4d-a127-fd71f4b000e5*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC?api-version=2022-12-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/52e6862c-d42e-460d-9347-32beedb39070*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/800a4a7f-4285-4e4d-a127-fd71f4b000e5*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC","name":"800a4a7f-4285-4e4d-a127-fd71f4b000e5*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","status":"Succeeded","startTime":"2023-02-01T04:19:46.9581374Z","endTime":"2023-02-01T04:19:48.7803683Z","properties":null}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/52e6862c-d42e-460d-9347-32beedb39070*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E","name":"52e6862c-d42e-460d-9347-32beedb39070*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","status":"Succeeded","startTime":"2022-11-17T11:03:31.747317Z","endTime":"2022-11-17T11:03:33.6901562Z","properties":null}' headers: cache-control: - no-cache content-length: - - '646' + - '645' content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:20:22 GMT + - Thu, 17 Nov 2022 11:04:05 GMT etag: - - '"09008c27-0000-0800-0000-63d9e8640000"' + - '"6e005d0b-0000-0800-0000-637615050000"' expires: - '-1' pragma: @@ -444,24 +444,24 @@ interactions: ParameterSetName: - --name --location --resource-group --identity-type --user-assigned User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","name":"load-test000003","type":"microsoft.loadtestservice/loadtests","location":"westus2","systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:19:09.0391589Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:19:44.399303Z"},"identity":{"principalId":"8a2d32e2-0572-4e72-a5b4-3b89bfc06508","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned, - UserAssigned","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/microsoft.managedidentity/userassignedidentities/clitestid1":{"principalId":"bfabf9ea-3e68-4907-8ab8-8024c629b571","clientId":"3cda7595-ceca-4d9a-a6bc-ff0935b9a542"}}},"properties":{"description":null,"dataPlaneURI":"76244603-53a7-458f-8bd3-3ebf2a1b6470.westus2.cnt-prod.loadtesting.azure.com","encryption":null,"provisioningState":"Succeeded"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","name":"load-test000003","type":"microsoft.loadtestservice/loadtests","location":"westus2","systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:02:53.8618697Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:03:28.8195486Z"},"identity":{"principalId":"fb8f0a9c-e5e6-44b4-a53e-d23c57fca7d1","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned, + UserAssigned","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/microsoft.managedidentity/userassignedidentities/clitestid1":{"principalId":"9861d064-d9e5-42dd-9f97-cd05e0f5de7a","clientId":"26267b45-e83e-4b9b-8572-2dc83f12fa33"}}},"properties":{"description":null,"dataPlaneURI":"81165d2a-64bd-44a9-a4fe-83956aab1684.westus2.cnt-prod.loadtesting.azure.com","encryption":null,"provisioningState":"Succeeded"}}' headers: cache-control: - no-cache content-length: - - '1125' + - '1176' content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:20:22 GMT + - Thu, 17 Nov 2022 11:04:05 GMT etag: - - '"1000401c-0000-0800-0000-63d9e8640000"' + - '"e40023ed-0000-0800-0000-637615050000"' expires: - '-1' pragma: @@ -493,21 +493,21 @@ interactions: ParameterSetName: - --name --resource-group --set User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-keyvault/10.1.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-keyvault/10.1.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002?api-version=2022-07-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002","name":"clitest000002","type":"Microsoft.KeyVault/vaults","location":"westus2","tags":{},"systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:18:13.035Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:18:13.035Z"},"properties":{"sku":{"family":"A","name":"standard"},"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","accessPolicies":[{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"b2ce67ee-5de9-4b0f-acd6-2f6465e7aa2f","permissions":{"keys":["all"],"secrets":["all"],"certificates":["all"],"storage":["all"]}}],"enabledForDeployment":false,"enableSoftDelete":true,"softDeleteRetentionInDays":7,"vaultUri":"https://clitest000002.vault.azure.net/","provisioningState":"Succeeded","publicNetworkAccess":"Enabled"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002","name":"clitest000002","type":"Microsoft.KeyVault/vaults","location":"westus2","tags":{},"systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:01:56.7Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:01:56.7Z"},"properties":{"sku":{"family":"A","name":"standard"},"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","accessPolicies":[{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"6cebd55a-b019-43e3-ba0c-79707d129832","permissions":{"keys":["all"],"secrets":["all"],"certificates":["all"],"storage":["all"]}}],"enabledForDeployment":false,"enableSoftDelete":true,"softDeleteRetentionInDays":7,"vaultUri":"https://clitest000002.vault.azure.net/","provisioningState":"Succeeded","publicNetworkAccess":"Enabled"}}' headers: cache-control: - no-cache content-length: - - '982' + - '1028' content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:20:26 GMT + - Thu, 17 Nov 2022 11:04:07 GMT expires: - '-1' pragma: @@ -525,14 +525,14 @@ interactions: x-content-type-options: - nosniff x-ms-keyvault-service-version: - - 1.5.644.0 + - 1.5.564.0 status: code: 200 message: OK - request: body: '{"location": "westus2", "tags": {}, "properties": {"tenantId": "72f988bf-86f1-41af-91ab-2d7cd011db47", "sku": {"family": "A", "name": "standard"}, "accessPolicies": [{"tenantId": - "72f988bf-86f1-41af-91ab-2d7cd011db47", "objectId": "b2ce67ee-5de9-4b0f-acd6-2f6465e7aa2f", + "72f988bf-86f1-41af-91ab-2d7cd011db47", "objectId": "6cebd55a-b019-43e3-ba0c-79707d129832", "permissions": {"keys": ["all"], "secrets": ["all"], "certificates": ["all"], "storage": ["all"]}}], "vaultUri": "https://clitest000002.vault.azure.net/", "enabledForDeployment": false, "enableSoftDelete": true, "softDeleteRetentionInDays": @@ -553,21 +553,21 @@ interactions: ParameterSetName: - --name --resource-group --set User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-keyvault/10.1.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-keyvault/10.1.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: PUT uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002?api-version=2022-07-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002","name":"clitest000002","type":"Microsoft.KeyVault/vaults","location":"westus2","tags":{},"systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:18:13.035Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:20:29.321Z"},"properties":{"sku":{"family":"A","name":"standard"},"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","accessPolicies":[{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"b2ce67ee-5de9-4b0f-acd6-2f6465e7aa2f","permissions":{"keys":["all"],"secrets":["all"],"certificates":["all"],"storage":["all"]}}],"enabledForDeployment":false,"enableSoftDelete":true,"softDeleteRetentionInDays":7,"vaultUri":"https://clitest000002.vault.azure.net/","provisioningState":"Succeeded","publicNetworkAccess":"Enabled"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002","name":"clitest000002","type":"Microsoft.KeyVault/vaults","location":"westus2","tags":{},"systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:01:56.7Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:04:09.614Z"},"properties":{"sku":{"family":"A","name":"standard"},"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","accessPolicies":[{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"6cebd55a-b019-43e3-ba0c-79707d129832","permissions":{"keys":["all"],"secrets":["all"],"certificates":["all"],"storage":["all"]}}],"enabledForDeployment":false,"enableSoftDelete":true,"softDeleteRetentionInDays":7,"vaultUri":"https://clitest000002.vault.azure.net/","provisioningState":"Succeeded","publicNetworkAccess":"Enabled"}}' headers: cache-control: - no-cache content-length: - - '982' + - '1030' content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:20:30 GMT + - Thu, 17 Nov 2022 11:04:09 GMT expires: - '-1' pragma: @@ -585,7 +585,7 @@ interactions: x-content-type-options: - nosniff x-ms-keyvault-service-version: - - 1.5.644.0 + - 1.5.564.0 x-ms-ratelimit-remaining-subscription-writes: - '1199' status: @@ -605,21 +605,21 @@ interactions: ParameterSetName: - --name --resource-group --set User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-keyvault/10.1.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-keyvault/10.1.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002?api-version=2022-07-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002","name":"clitest000002","type":"Microsoft.KeyVault/vaults","location":"westus2","tags":{},"systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:18:13.035Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:20:29.321Z"},"properties":{"sku":{"family":"A","name":"standard"},"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","accessPolicies":[{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"b2ce67ee-5de9-4b0f-acd6-2f6465e7aa2f","permissions":{"keys":["all"],"secrets":["all"],"certificates":["all"],"storage":["all"]}}],"enabledForDeployment":false,"enableSoftDelete":true,"softDeleteRetentionInDays":7,"vaultUri":"https://clitest000002.vault.azure.net/","provisioningState":"Succeeded","publicNetworkAccess":"Enabled"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002","name":"clitest000002","type":"Microsoft.KeyVault/vaults","location":"westus2","tags":{},"systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:01:56.7Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:04:09.614Z"},"properties":{"sku":{"family":"A","name":"standard"},"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","accessPolicies":[{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"6cebd55a-b019-43e3-ba0c-79707d129832","permissions":{"keys":["all"],"secrets":["all"],"certificates":["all"],"storage":["all"]}}],"enabledForDeployment":false,"enableSoftDelete":true,"softDeleteRetentionInDays":7,"vaultUri":"https://clitest000002.vault.azure.net/","provisioningState":"Succeeded","publicNetworkAccess":"Enabled"}}' headers: cache-control: - no-cache content-length: - - '982' + - '1030' content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:20:33 GMT + - Thu, 17 Nov 2022 11:04:10 GMT expires: - '-1' pragma: @@ -637,14 +637,14 @@ interactions: x-content-type-options: - nosniff x-ms-keyvault-service-version: - - 1.5.644.0 + - 1.5.564.0 status: code: 200 message: OK - request: body: '{"location": "westus2", "tags": {}, "properties": {"tenantId": "72f988bf-86f1-41af-91ab-2d7cd011db47", "sku": {"family": "A", "name": "standard"}, "accessPolicies": [{"tenantId": - "72f988bf-86f1-41af-91ab-2d7cd011db47", "objectId": "b2ce67ee-5de9-4b0f-acd6-2f6465e7aa2f", + "72f988bf-86f1-41af-91ab-2d7cd011db47", "objectId": "6cebd55a-b019-43e3-ba0c-79707d129832", "permissions": {"keys": ["all"], "secrets": ["all"], "certificates": ["all"], "storage": ["all"]}}], "vaultUri": "https://clitest000002.vault.azure.net/", "enabledForDeployment": false, "enableSoftDelete": true, "softDeleteRetentionInDays": @@ -666,21 +666,21 @@ interactions: ParameterSetName: - --name --resource-group --set User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-keyvault/10.1.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-keyvault/10.1.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: PUT uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002?api-version=2022-07-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002","name":"clitest000002","type":"Microsoft.KeyVault/vaults","location":"westus2","tags":{},"systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:18:13.035Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:20:37.316Z"},"properties":{"sku":{"family":"A","name":"standard"},"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","accessPolicies":[{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"b2ce67ee-5de9-4b0f-acd6-2f6465e7aa2f","permissions":{"keys":["all"],"secrets":["all"],"certificates":["all"],"storage":["all"]}}],"enabledForDeployment":false,"enableSoftDelete":true,"softDeleteRetentionInDays":7,"enablePurgeProtection":true,"vaultUri":"https://clitest000002.vault.azure.net/","provisioningState":"Succeeded","publicNetworkAccess":"Enabled"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002","name":"clitest000002","type":"Microsoft.KeyVault/vaults","location":"westus2","tags":{},"systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:01:56.7Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:04:13.236Z"},"properties":{"sku":{"family":"A","name":"standard"},"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","accessPolicies":[{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"6cebd55a-b019-43e3-ba0c-79707d129832","permissions":{"keys":["all"],"secrets":["all"],"certificates":["all"],"storage":["all"]}}],"enabledForDeployment":false,"enableSoftDelete":true,"softDeleteRetentionInDays":7,"enablePurgeProtection":true,"vaultUri":"https://clitest000002.vault.azure.net/","provisioningState":"Succeeded","publicNetworkAccess":"Enabled"}}' headers: cache-control: - no-cache content-length: - - '1011' + - '1059' content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:20:37 GMT + - Thu, 17 Nov 2022 11:04:13 GMT expires: - '-1' pragma: @@ -698,7 +698,7 @@ interactions: x-content-type-options: - nosniff x-ms-keyvault-service-version: - - 1.5.644.0 + - 1.5.564.0 x-ms-ratelimit-remaining-subscription-writes: - '1199' status: @@ -718,21 +718,21 @@ interactions: ParameterSetName: - --name --resource-group --object-id --key-permissions User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-keyvault/10.1.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-keyvault/10.1.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002?api-version=2022-07-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002","name":"clitest000002","type":"Microsoft.KeyVault/vaults","location":"westus2","tags":{},"systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:18:13.035Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:20:37.316Z"},"properties":{"sku":{"family":"A","name":"standard"},"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","accessPolicies":[{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"b2ce67ee-5de9-4b0f-acd6-2f6465e7aa2f","permissions":{"keys":["all"],"secrets":["all"],"certificates":["all"],"storage":["all"]}}],"enabledForDeployment":false,"enableSoftDelete":true,"softDeleteRetentionInDays":7,"enablePurgeProtection":true,"vaultUri":"https://clitest000002.vault.azure.net/","provisioningState":"Succeeded","publicNetworkAccess":"Enabled"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002","name":"clitest000002","type":"Microsoft.KeyVault/vaults","location":"westus2","tags":{},"systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:01:56.7Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:04:13.236Z"},"properties":{"sku":{"family":"A","name":"standard"},"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","accessPolicies":[{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"6cebd55a-b019-43e3-ba0c-79707d129832","permissions":{"keys":["all"],"secrets":["all"],"certificates":["all"],"storage":["all"]}}],"enabledForDeployment":false,"enableSoftDelete":true,"softDeleteRetentionInDays":7,"enablePurgeProtection":true,"vaultUri":"https://clitest000002.vault.azure.net/","provisioningState":"Succeeded","publicNetworkAccess":"Enabled"}}' headers: cache-control: - no-cache content-length: - - '1011' + - '1059' content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:20:38 GMT + - Thu, 17 Nov 2022 11:04:15 GMT expires: - '-1' pragma: @@ -750,18 +750,18 @@ interactions: x-content-type-options: - nosniff x-ms-keyvault-service-version: - - 1.5.644.0 + - 1.5.564.0 status: code: 200 message: OK - request: body: '{"location": "westus2", "tags": {}, "properties": {"tenantId": "72f988bf-86f1-41af-91ab-2d7cd011db47", "sku": {"family": "A", "name": "standard"}, "accessPolicies": [{"tenantId": - "72f988bf-86f1-41af-91ab-2d7cd011db47", "objectId": "b2ce67ee-5de9-4b0f-acd6-2f6465e7aa2f", + "72f988bf-86f1-41af-91ab-2d7cd011db47", "objectId": "6cebd55a-b019-43e3-ba0c-79707d129832", "permissions": {"keys": ["all"], "secrets": ["all"], "certificates": ["all"], "storage": ["all"]}}, {"tenantId": "72f988bf-86f1-41af-91ab-2d7cd011db47", "objectId": - "bfabf9ea-3e68-4907-8ab8-8024c629b571", "permissions": {"keys": ["wrapKey", - "get", "unwrapKey"]}}], "vaultUri": "https://clitest000002.vault.azure.net/", + "9861d064-d9e5-42dd-9f97-cd05e0f5de7a", "permissions": {"keys": ["unwrapKey", + "get", "wrapKey"]}}], "vaultUri": "https://clitest000002.vault.azure.net/", "enabledForDeployment": false, "enableSoftDelete": true, "softDeleteRetentionInDays": 7, "enablePurgeProtection": true, "provisioningState": "Succeeded", "publicNetworkAccess": "Enabled"}}' @@ -781,21 +781,21 @@ interactions: ParameterSetName: - --name --resource-group --object-id --key-permissions User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-keyvault/10.1.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-keyvault/10.1.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: PUT uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002?api-version=2022-07-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002","name":"clitest000002","type":"Microsoft.KeyVault/vaults","location":"westus2","tags":{},"systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:18:13.035Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:20:40.647Z"},"properties":{"sku":{"family":"A","name":"standard"},"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","accessPolicies":[{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"b2ce67ee-5de9-4b0f-acd6-2f6465e7aa2f","permissions":{"keys":["all"],"secrets":["all"],"certificates":["all"],"storage":["all"]}},{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"bfabf9ea-3e68-4907-8ab8-8024c629b571","permissions":{"keys":["wrapKey","get","unwrapKey"]}}],"enabledForDeployment":false,"enableSoftDelete":true,"softDeleteRetentionInDays":7,"enablePurgeProtection":true,"vaultUri":"https://clitest000002.vault.azure.net/","provisioningState":"Succeeded","publicNetworkAccess":"Enabled"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002","name":"clitest000002","type":"Microsoft.KeyVault/vaults","location":"westus2","tags":{},"systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:01:56.7Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:04:16.198Z"},"properties":{"sku":{"family":"A","name":"standard"},"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","accessPolicies":[{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"6cebd55a-b019-43e3-ba0c-79707d129832","permissions":{"keys":["all"],"secrets":["all"],"certificates":["all"],"storage":["all"]}},{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"9861d064-d9e5-42dd-9f97-cd05e0f5de7a","permissions":{"keys":["unwrapKey","get","wrapKey"]}}],"enabledForDeployment":false,"enableSoftDelete":true,"softDeleteRetentionInDays":7,"enablePurgeProtection":true,"vaultUri":"https://clitest000002.vault.azure.net/","provisioningState":"Succeeded","publicNetworkAccess":"Enabled"}}' headers: cache-control: - no-cache content-length: - - '1166' + - '1214' content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:20:40 GMT + - Thu, 17 Nov 2022 11:04:15 GMT expires: - '-1' pragma: @@ -813,9 +813,9 @@ interactions: x-content-type-options: - nosniff x-ms-keyvault-service-version: - - 1.5.644.0 + - 1.5.564.0 x-ms-ratelimit-remaining-subscription-writes: - - '1198' + - '1196' status: code: 200 message: OK @@ -833,9 +833,9 @@ interactions: Content-Type: - application/json User-Agent: - - azsdk-python-keyvault-keys/4.8.0b2 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - azsdk-python-keyvault-keys/4.5.1 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: POST - uri: https://clitest000002.vault.azure.net/keys/testkey1/create?api-version=7.4-preview.1 + uri: https://clitest000002.vault.azure.net/keys/testkey1/create?api-version=7.3 response: body: string: '{"error":{"code":"Unauthorized","message":"AKV10000: Request is missing @@ -848,7 +848,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:20:41 GMT + - Thu, 17 Nov 2022 11:04:16 GMT expires: - '-1' pragma: @@ -861,11 +861,11 @@ interactions: x-content-type-options: - nosniff x-ms-keyvault-network-info: - - conn_type=Ipv4;addr=167.220.238.156;act_addr_fam=InterNetwork; + - conn_type=Ipv4;addr=167.220.238.154;act_addr_fam=InterNetwork; x-ms-keyvault-region: - westus2 x-ms-keyvault-service-version: - - 1.9.679.1 + - 1.9.576.1 status: code: 401 message: Unauthorized @@ -883,12 +883,12 @@ interactions: Content-Type: - application/json User-Agent: - - azsdk-python-keyvault-keys/4.8.0b2 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - azsdk-python-keyvault-keys/4.5.1 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: POST - uri: https://clitest000002.vault.azure.net/keys/testkey1/create?api-version=7.4-preview.1 + uri: https://clitest000002.vault.azure.net/keys/testkey1/create?api-version=7.3 response: body: - string: '{"key":{"kid":"https://clitest000002.vault.azure.net/keys/testkey1/d0619076d8074400a82fef2b6a8f83fc","kty":"RSA","key_ops":["encrypt","decrypt","sign","verify","wrapKey","unwrapKey"],"n":"tsEqiewoJ1jl4i9gOdg_6dUQJCDz4OzqXuxTM3Huzqxxs1kffo02C6yiU2zmAQacOAiv5-e6k-oSiOFQAsVlAjNoGiS26BRKL4xxCrsTwlZ6Vye5XJXs9jRATSgvf-QlRzgDYl-znjGH3vR82sJL_DKnowk5ZRxCGTNu0xivA9qe50Wxe344o3uTXp4MlD6GIvv4iA7CoXlBEiiUS-rHaFzpQeBa-2Ol4nW11y0GVyP2P00BYR-NZFP1ZXEbbKnCWb6s8PzeV1yfYjzLQYaNwuCyme_CyW4yMxuQrJXRzasVENHY6eQk1zhOpHhi_stTAkNXUoJs2j9fgokRLBSxqQ","e":"AQAB"},"attributes":{"enabled":true,"created":1675225243,"updated":1675225243,"recoveryLevel":"CustomizedRecoverable","recoverableDays":7,"exportable":false}}' + string: '{"key":{"kid":"https://clitest000002.vault.azure.net/keys/testkey1/b6a74887155942a39dfa6e4b0ea82127","kty":"RSA","key_ops":["encrypt","decrypt","sign","verify","wrapKey","unwrapKey"],"n":"pC8lT_cgOT7HNgrRdblgjFMzAw_eKISMuqaOIDdMvy500O1rk1ImXNc6KmsRJ_6P5fBCHCr5eU1Tj6Irh5V_-VVJ65cCy6G1b-81H4BG8nAoyz1_0IF934_yHbFynSunc1nUE3AVgXTju69C9b0txdwkpRoFb4yyz-0nzLar-3UvO2mM_2PaiQUdnThP9JFUkp3sLEsJl0OHHqqp6QKWzy_3RKnBu4hM7RfGJfqpgwE0q9kFITRbs-ZkzbLzsIvJ4oBCGBzKAWEbATtvKhqdsG-FzAt-08lo5LECbrmMn2mOFO4WCgf0lQjh0Qu6LZpqk-dVXV9bKeZHKiiJY47ZxQ","e":"AQAB"},"attributes":{"enabled":true,"created":1668683058,"updated":1668683058,"recoveryLevel":"CustomizedRecoverable","recoverableDays":7,"exportable":false}}' headers: cache-control: - no-cache @@ -897,7 +897,7 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:20:43 GMT + - Thu, 17 Nov 2022 11:04:17 GMT expires: - '-1' pragma: @@ -907,11 +907,11 @@ interactions: x-content-type-options: - nosniff x-ms-keyvault-network-info: - - conn_type=Ipv4;addr=167.220.238.156;act_addr_fam=InterNetwork; + - conn_type=Ipv4;addr=167.220.238.154;act_addr_fam=InterNetwork; x-ms-keyvault-region: - westus2 x-ms-keyvault-service-version: - - 1.9.679.1 + - 1.9.576.1 status: code: 200 message: OK @@ -919,7 +919,7 @@ interactions: body: '{"identity": {"type": "UserAssigned", "userAssignedIdentities": {"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/Microsoft.ManagedIdentity/userAssignedIdentities/clitestid1": {}}}, "location": "westus2", "properties": {"encryption": {"identity": {"resourceId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/Microsoft.ManagedIdentity/userAssignedIdentities/clitestid1", - "type": "UserAssigned"}, "keyUrl": "https://clitest000002.vault.azure.net/keys/testkey1/d0619076d8074400a82fef2b6a8f83fc"}}}' + "type": "UserAssigned"}, "keyUrl": "https://clitest000002.vault.azure.net/keys/testkey1/b6a74887155942a39dfa6e4b0ea82127"}}}' headers: Accept: - application/json @@ -937,29 +937,29 @@ interactions: - --name --location --resource-group --identity-type --user-assigned --encryption-key --encryption-identity User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: PUT uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","name":"load-test000004","type":"microsoft.loadtestservice/loadtests","location":"westus2","systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:20:52.0405641Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:20:52.0405641Z"},"identity":{"type":"UserAssigned","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/microsoft.managedidentity/userassignedidentities/clitestid1":{"principalId":"bfabf9ea-3e68-4907-8ab8-8024c629b571","clientId":"3cda7595-ceca-4d9a-a6bc-ff0935b9a542"}}},"properties":{"description":null,"dataPlaneURI":"f9ae91a2-5196-4a1d-923b-f2563ecf134a.westus2.cnt-prod.loadtesting.azure.com","encryption":{"keyUrl":"https://clitest000002.vault.azure.net/keys/testkey1/d0619076d8074400a82fef2b6a8f83fc","identity":{"type":"UserAssigned","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/Microsoft.ManagedIdentity/userAssignedIdentities/clitestid1"}},"provisioningState":"Accepted"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","name":"load-test000004","type":"microsoft.loadtestservice/loadtests","location":"westus2","systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:04:23.3559629Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:04:23.3559629Z"},"identity":{"type":"UserAssigned","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/microsoft.managedidentity/userassignedidentities/clitestid1":{"principalId":"9861d064-d9e5-42dd-9f97-cd05e0f5de7a","clientId":"26267b45-e83e-4b9b-8572-2dc83f12fa33"}}},"properties":{"description":null,"dataPlaneURI":"5039f074-f3dd-43b3-993b-acbf4b27e61a.westus2.cnt-prod.loadtesting.azure.com","encryption":{"keyUrl":"https://clitest000002.vault.azure.net/keys/testkey1/b6a74887155942a39dfa6e4b0ea82127","identity":{"type":"UserAssigned","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/Microsoft.ManagedIdentity/userAssignedIdentities/clitestid1"}},"provisioningState":"Accepted"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/ef3725a0-1711-4bf5-a619-ed60816d833d*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B?api-version=2022-12-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/b4f7b5d1-c6a2-47a1-adaf-1955b647f394*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A?api-version=2022-12-01 cache-control: - no-cache content-length: - - '1320' + - '1370' content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:20:59 GMT + - Thu, 17 Nov 2022 11:04:31 GMT etag: - - '"1000c31e-0000-0800-0000-63d9e8aa0000"' + - '"e400f4f1-0000-0800-0000-6376153e0000"' expires: - '-1' mise-correlation-id: - - 9bc4fef4-549b-43f5-95ba-7b0f8f375884 + - d386453d-cf7f-499b-af40-a40dc131566d pragma: - no-cache strict-transport-security: @@ -969,7 +969,7 @@ interactions: x-ms-providerhub-traffic: - 'True' x-ms-ratelimit-remaining-subscription-writes: - - '1198' + - '1199' status: code: 201 message: Created @@ -988,12 +988,12 @@ interactions: - --name --location --resource-group --identity-type --user-assigned --encryption-key --encryption-identity User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/ef3725a0-1711-4bf5-a619-ed60816d833d*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B?api-version=2022-12-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/b4f7b5d1-c6a2-47a1-adaf-1955b647f394*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/ef3725a0-1711-4bf5-a619-ed60816d833d*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B","name":"ef3725a0-1711-4bf5-a619-ed60816d833d*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","status":"Succeeded","startTime":"2023-02-01T04:20:54.1820254Z","endTime":"2023-02-01T04:20:59.2002861Z","properties":null}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/b4f7b5d1-c6a2-47a1-adaf-1955b647f394*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A","name":"b4f7b5d1-c6a2-47a1-adaf-1955b647f394*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","status":"Succeeded","startTime":"2022-11-17T11:04:27.3800538Z","endTime":"2022-11-17T11:04:32.0001444Z","properties":null}' headers: cache-control: - no-cache @@ -1002,9 +1002,9 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:21:29 GMT + - Thu, 17 Nov 2022 11:05:01 GMT etag: - - '"09009328-0000-0800-0000-63d9e8ab0000"' + - '"6e003e0e-0000-0800-0000-637615400000"' expires: - '-1' pragma: @@ -1035,23 +1035,23 @@ interactions: - --name --location --resource-group --identity-type --user-assigned --encryption-key --encryption-identity User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","name":"load-test000004","type":"microsoft.loadtestservice/loadtests","location":"westus2","systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:20:52.0405641Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:20:52.0405641Z"},"identity":{"type":"UserAssigned","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/microsoft.managedidentity/userassignedidentities/clitestid1":{"principalId":"bfabf9ea-3e68-4907-8ab8-8024c629b571","clientId":"3cda7595-ceca-4d9a-a6bc-ff0935b9a542"}}},"properties":{"description":null,"dataPlaneURI":"f9ae91a2-5196-4a1d-923b-f2563ecf134a.westus2.cnt-prod.loadtesting.azure.com","encryption":{"keyUrl":"https://clitest000002.vault.azure.net/keys/testkey1/d0619076d8074400a82fef2b6a8f83fc","identity":{"type":"UserAssigned","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/Microsoft.ManagedIdentity/userAssignedIdentities/clitestid1"}},"provisioningState":"Succeeded"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","name":"load-test000004","type":"microsoft.loadtestservice/loadtests","location":"westus2","systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:04:23.3559629Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:04:23.3559629Z"},"identity":{"type":"UserAssigned","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/microsoft.managedidentity/userassignedidentities/clitestid1":{"principalId":"9861d064-d9e5-42dd-9f97-cd05e0f5de7a","clientId":"26267b45-e83e-4b9b-8572-2dc83f12fa33"}}},"properties":{"description":null,"dataPlaneURI":"5039f074-f3dd-43b3-993b-acbf4b27e61a.westus2.cnt-prod.loadtesting.azure.com","encryption":{"keyUrl":"https://clitest000002.vault.azure.net/keys/testkey1/b6a74887155942a39dfa6e4b0ea82127","identity":{"type":"UserAssigned","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/Microsoft.ManagedIdentity/userAssignedIdentities/clitestid1"}},"provisioningState":"Succeeded"}}' headers: cache-control: - no-cache content-length: - - '1321' + - '1371' content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:21:30 GMT + - Thu, 17 Nov 2022 11:05:02 GMT etag: - - '"1000d01e-0000-0800-0000-63d9e8ab0000"' + - '"e4001ff2-0000-0800-0000-637615400000"' expires: - '-1' pragma: @@ -1087,7 +1087,7 @@ interactions: ParameterSetName: - --name --resource-group --tags --identity-type User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: PATCH uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003?api-version=2022-12-01 response: @@ -1095,7 +1095,7 @@ interactions: string: 'null' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/3bdf1003-e191-4483-b146-0265a1c2cfc5*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC?api-version=2022-12-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/3d665954-2bf1-46ef-be8e-4d91089c42d1*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E?api-version=2022-12-01 cache-control: - no-cache content-length: @@ -1103,15 +1103,15 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:21:34 GMT + - Thu, 17 Nov 2022 11:05:06 GMT etag: - - '"10000620-0000-0800-0000-63d9e8ce0000"' + - '"e4004af5-0000-0800-0000-637615630000"' expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/3bdf1003-e191-4483-b146-0265a1c2cfc5*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC?api-version=2022-12-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/3d665954-2bf1-46ef-be8e-4d91089c42d1*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E?api-version=2022-12-01 mise-correlation-id: - - 376857be-c468-4e44-a4e1-1630fb03ede3 + - b46d8e35-6979-449a-9a31-51dd6f3c5ff2 pragma: - no-cache strict-transport-security: @@ -1121,7 +1121,7 @@ interactions: x-ms-providerhub-traffic: - 'True' x-ms-ratelimit-remaining-subscription-writes: - - '1196' + - '1195' status: code: 202 message: Accepted @@ -1139,12 +1139,12 @@ interactions: ParameterSetName: - --name --resource-group --tags --identity-type User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/3bdf1003-e191-4483-b146-0265a1c2cfc5*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC?api-version=2022-12-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/3d665954-2bf1-46ef-be8e-4d91089c42d1*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/3bdf1003-e191-4483-b146-0265a1c2cfc5*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC","name":"3bdf1003-e191-4483-b146-0265a1c2cfc5*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","status":"Succeeded","startTime":"2023-02-01T04:21:34.2437249Z","endTime":"2023-02-01T04:21:35.4412755Z","properties":null}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/3d665954-2bf1-46ef-be8e-4d91089c42d1*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E","name":"3d665954-2bf1-46ef-be8e-4d91089c42d1*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","status":"Succeeded","startTime":"2022-11-17T11:05:06.9703142Z","endTime":"2022-11-17T11:05:08.2846843Z","properties":null}' headers: cache-control: - no-cache @@ -1153,9 +1153,9 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:22:04 GMT + - Thu, 17 Nov 2022 11:05:36 GMT etag: - - '"09003929-0000-0800-0000-63d9e8cf0000"' + - '"6e00d40f-0000-0800-0000-637615640000"' expires: - '-1' pragma: @@ -1185,23 +1185,23 @@ interactions: ParameterSetName: - --name --resource-group --tags --identity-type User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","name":"load-test000003","type":"microsoft.loadtestservice/loadtests","location":"westus2","tags":{"test":"test"},"systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:19:09.0391589Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:21:33.3419556Z"},"identity":{"type":"None"},"properties":{"description":null,"dataPlaneURI":"76244603-53a7-458f-8bd3-3ebf2a1b6470.westus2.cnt-prod.loadtesting.azure.com","encryption":null,"provisioningState":"Succeeded"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","name":"load-test000003","type":"microsoft.loadtestservice/loadtests","location":"westus2","tags":{"test":"test"},"systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:02:53.8618697Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:05:06.0392213Z"},"identity":{"type":"None"},"properties":{"description":null,"dataPlaneURI":"81165d2a-64bd-44a9-a4fe-83956aab1684.westus2.cnt-prod.loadtesting.azure.com","encryption":null,"provisioningState":"Succeeded"}}' headers: cache-control: - no-cache content-length: - - '717' + - '767' content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:22:04 GMT + - Thu, 17 Nov 2022 11:05:37 GMT etag: - - '"10002920-0000-0800-0000-63d9e8cf0000"' + - '"e40071f5-0000-0800-0000-637615640000"' expires: - '-1' pragma: @@ -1237,7 +1237,7 @@ interactions: ParameterSetName: - --name --resource-group --identity-type User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: PATCH uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004?api-version=2022-12-01 response: @@ -1245,7 +1245,7 @@ interactions: string: 'null' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/9b320d22-cb3d-4b75-92b0-1d377d0ce5ac*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B?api-version=2022-12-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/a5cbebad-ed6c-4f56-ab0b-6a280849d6ac*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A?api-version=2022-12-01 cache-control: - no-cache content-length: @@ -1253,15 +1253,15 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:22:10 GMT + - Thu, 17 Nov 2022 11:05:41 GMT etag: - - '"10005621-0000-0800-0000-63d9e8f30000"' + - '"e40000f9-0000-0800-0000-637615860000"' expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/9b320d22-cb3d-4b75-92b0-1d377d0ce5ac*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B?api-version=2022-12-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/a5cbebad-ed6c-4f56-ab0b-6a280849d6ac*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A?api-version=2022-12-01 mise-correlation-id: - - 8cccd990-2f44-4fcc-bd6a-11f1c4caafec + - 50321852-f725-4f74-b00d-65f5c3b61649 pragma: - no-cache strict-transport-security: @@ -1271,7 +1271,7 @@ interactions: x-ms-providerhub-traffic: - 'True' x-ms-ratelimit-remaining-subscription-writes: - - '1198' + - '1199' status: code: 202 message: Accepted @@ -1289,12 +1289,12 @@ interactions: ParameterSetName: - --name --resource-group --identity-type User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/9b320d22-cb3d-4b75-92b0-1d377d0ce5ac*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B?api-version=2022-12-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/a5cbebad-ed6c-4f56-ab0b-6a280849d6ac*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/9b320d22-cb3d-4b75-92b0-1d377d0ce5ac*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B","name":"9b320d22-cb3d-4b75-92b0-1d377d0ce5ac*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","status":"Succeeded","startTime":"2023-02-01T04:22:11.0534714Z","endTime":"2023-02-01T04:22:12.2378943Z","properties":null}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/a5cbebad-ed6c-4f56-ab0b-6a280849d6ac*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A","name":"a5cbebad-ed6c-4f56-ab0b-6a280849d6ac*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","status":"Succeeded","startTime":"2022-11-17T11:05:42.1940706Z","endTime":"2022-11-17T11:05:43.3651944Z","properties":null}' headers: cache-control: - no-cache @@ -1303,9 +1303,9 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:22:40 GMT + - Thu, 17 Nov 2022 11:06:12 GMT etag: - - '"0900d329-0000-0800-0000-63d9e8f40000"' + - '"6e003d11-0000-0800-0000-637615870000"' expires: - '-1' pragma: @@ -1335,24 +1335,24 @@ interactions: ParameterSetName: - --name --resource-group --identity-type User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","name":"load-test000004","type":"microsoft.loadtestservice/loadtests","location":"westus2","systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:20:52.0405641Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:22:10.136236Z"},"identity":{"principalId":"2000cdd6-42b1-4c45-bb37-244fd784d854","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned, - UserAssigned","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/microsoft.managedidentity/userassignedidentities/clitestid1":{"principalId":"bfabf9ea-3e68-4907-8ab8-8024c629b571","clientId":"3cda7595-ceca-4d9a-a6bc-ff0935b9a542"}}},"properties":{"description":null,"dataPlaneURI":"f9ae91a2-5196-4a1d-923b-f2563ecf134a.westus2.cnt-prod.loadtesting.azure.com","encryption":{"keyUrl":"https://clitest000002.vault.azure.net/keys/testkey1/d0619076d8074400a82fef2b6a8f83fc","identity":{"type":"UserAssigned","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/Microsoft.ManagedIdentity/userAssignedIdentities/clitestid1"}},"provisioningState":"Succeeded"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","name":"load-test000004","type":"microsoft.loadtestservice/loadtests","location":"westus2","systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:04:23.3559629Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:05:41.2780534Z"},"identity":{"principalId":"917190b6-08bf-44a8-afe9-8782b8e41124","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned, + UserAssigned","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/microsoft.managedidentity/userassignedidentities/clitestid1":{"principalId":"9861d064-d9e5-42dd-9f97-cd05e0f5de7a","clientId":"26267b45-e83e-4b9b-8572-2dc83f12fa33"}}},"properties":{"description":null,"dataPlaneURI":"5039f074-f3dd-43b3-993b-acbf4b27e61a.westus2.cnt-prod.loadtesting.azure.com","encryption":{"keyUrl":"https://clitest000002.vault.azure.net/keys/testkey1/b6a74887155942a39dfa6e4b0ea82127","identity":{"type":"UserAssigned","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/Microsoft.ManagedIdentity/userAssignedIdentities/clitestid1"}},"provisioningState":"Succeeded"}}' headers: cache-control: - no-cache content-length: - - '1439' + - '1490' content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:22:41 GMT + - Thu, 17 Nov 2022 11:06:12 GMT etag: - - '"10006e21-0000-0800-0000-63d9e8f40000"' + - '"e40011f9-0000-0800-0000-637615870000"' expires: - '-1' pragma: @@ -1384,21 +1384,21 @@ interactions: ParameterSetName: - --name --resource-group --object-id --key-permissions User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-keyvault/10.1.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-keyvault/10.1.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002?api-version=2022-07-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002","name":"clitest000002","type":"Microsoft.KeyVault/vaults","location":"westus2","tags":{},"systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:18:13.035Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:20:40.647Z"},"properties":{"sku":{"family":"A","name":"standard"},"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","accessPolicies":[{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"b2ce67ee-5de9-4b0f-acd6-2f6465e7aa2f","permissions":{"keys":["all"],"secrets":["all"],"certificates":["all"],"storage":["all"]}},{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"bfabf9ea-3e68-4907-8ab8-8024c629b571","permissions":{"keys":["wrapKey","get","unwrapKey"]}}],"enabledForDeployment":false,"enableSoftDelete":true,"softDeleteRetentionInDays":7,"enablePurgeProtection":true,"vaultUri":"https://clitest000002.vault.azure.net/","provisioningState":"Succeeded","publicNetworkAccess":"Enabled"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002","name":"clitest000002","type":"Microsoft.KeyVault/vaults","location":"westus2","tags":{},"systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:01:56.7Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:04:16.198Z"},"properties":{"sku":{"family":"A","name":"standard"},"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","accessPolicies":[{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"6cebd55a-b019-43e3-ba0c-79707d129832","permissions":{"keys":["all"],"secrets":["all"],"certificates":["all"],"storage":["all"]}},{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"9861d064-d9e5-42dd-9f97-cd05e0f5de7a","permissions":{"keys":["unwrapKey","get","wrapKey"]}}],"enabledForDeployment":false,"enableSoftDelete":true,"softDeleteRetentionInDays":7,"enablePurgeProtection":true,"vaultUri":"https://clitest000002.vault.azure.net/","provisioningState":"Succeeded","publicNetworkAccess":"Enabled"}}' headers: cache-control: - no-cache content-length: - - '1166' + - '1214' content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:22:44 GMT + - Thu, 17 Nov 2022 11:06:14 GMT expires: - '-1' pragma: @@ -1416,20 +1416,20 @@ interactions: x-content-type-options: - nosniff x-ms-keyvault-service-version: - - 1.5.644.0 + - 1.5.564.0 status: code: 200 message: OK - request: body: '{"location": "westus2", "tags": {}, "properties": {"tenantId": "72f988bf-86f1-41af-91ab-2d7cd011db47", "sku": {"family": "A", "name": "standard"}, "accessPolicies": [{"tenantId": - "72f988bf-86f1-41af-91ab-2d7cd011db47", "objectId": "b2ce67ee-5de9-4b0f-acd6-2f6465e7aa2f", + "72f988bf-86f1-41af-91ab-2d7cd011db47", "objectId": "6cebd55a-b019-43e3-ba0c-79707d129832", "permissions": {"keys": ["all"], "secrets": ["all"], "certificates": ["all"], "storage": ["all"]}}, {"tenantId": "72f988bf-86f1-41af-91ab-2d7cd011db47", "objectId": - "bfabf9ea-3e68-4907-8ab8-8024c629b571", "permissions": {"keys": ["wrapKey", - "get", "unwrapKey"]}}, {"tenantId": "72f988bf-86f1-41af-91ab-2d7cd011db47", - "objectId": "2000cdd6-42b1-4c45-bb37-244fd784d854", "permissions": {"keys": - ["wrapKey", "get", "unwrapKey"]}}], "vaultUri": "https://clitest000002.vault.azure.net/", + "9861d064-d9e5-42dd-9f97-cd05e0f5de7a", "permissions": {"keys": ["unwrapKey", + "get", "wrapKey"]}}, {"tenantId": "72f988bf-86f1-41af-91ab-2d7cd011db47", "objectId": + "917190b6-08bf-44a8-afe9-8782b8e41124", "permissions": {"keys": ["unwrapKey", + "get", "wrapKey"]}}], "vaultUri": "https://clitest000002.vault.azure.net/", "enabledForDeployment": false, "enableSoftDelete": true, "softDeleteRetentionInDays": 7, "enablePurgeProtection": true, "provisioningState": "Succeeded", "publicNetworkAccess": "Enabled"}}' @@ -1449,21 +1449,21 @@ interactions: ParameterSetName: - --name --resource-group --object-id --key-permissions User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-keyvault/10.1.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 azsdk-python-azure-mgmt-keyvault/10.1.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: PUT uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002?api-version=2022-07-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002","name":"clitest000002","type":"Microsoft.KeyVault/vaults","location":"westus2","tags":{},"systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:18:13.035Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:22:45.551Z"},"properties":{"sku":{"family":"A","name":"standard"},"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","accessPolicies":[{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"b2ce67ee-5de9-4b0f-acd6-2f6465e7aa2f","permissions":{"keys":["all"],"secrets":["all"],"certificates":["all"],"storage":["all"]}},{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"bfabf9ea-3e68-4907-8ab8-8024c629b571","permissions":{"keys":["wrapKey","get","unwrapKey"]}},{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"2000cdd6-42b1-4c45-bb37-244fd784d854","permissions":{"keys":["wrapKey","get","unwrapKey"]}}],"enabledForDeployment":false,"enableSoftDelete":true,"softDeleteRetentionInDays":7,"enablePurgeProtection":true,"vaultUri":"https://clitest000002.vault.azure.net/","provisioningState":"Succeeded","publicNetworkAccess":"Enabled"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.KeyVault/vaults/clitest000002","name":"clitest000002","type":"Microsoft.KeyVault/vaults","location":"westus2","tags":{},"systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:01:56.7Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:06:15.805Z"},"properties":{"sku":{"family":"A","name":"standard"},"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","accessPolicies":[{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"6cebd55a-b019-43e3-ba0c-79707d129832","permissions":{"keys":["all"],"secrets":["all"],"certificates":["all"],"storage":["all"]}},{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"9861d064-d9e5-42dd-9f97-cd05e0f5de7a","permissions":{"keys":["unwrapKey","get","wrapKey"]}},{"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","objectId":"917190b6-08bf-44a8-afe9-8782b8e41124","permissions":{"keys":["unwrapKey","get","wrapKey"]}}],"enabledForDeployment":false,"enableSoftDelete":true,"softDeleteRetentionInDays":7,"enablePurgeProtection":true,"vaultUri":"https://clitest000002.vault.azure.net/","provisioningState":"Succeeded","publicNetworkAccess":"Enabled"}}' headers: cache-control: - no-cache content-length: - - '1321' + - '1369' content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:22:45 GMT + - Thu, 17 Nov 2022 11:06:15 GMT expires: - '-1' pragma: @@ -1481,9 +1481,9 @@ interactions: x-content-type-options: - nosniff x-ms-keyvault-service-version: - - 1.5.644.0 + - 1.5.564.0 x-ms-ratelimit-remaining-subscription-writes: - - '1197' + - '1194' status: code: 200 message: OK @@ -1506,7 +1506,7 @@ interactions: ParameterSetName: - --name --resource-group --encryption-identity User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: PATCH uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004?api-version=2022-12-01 response: @@ -1514,7 +1514,7 @@ interactions: string: 'null' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/27856cae-380b-4fda-9f54-c69a12a67867*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B?api-version=2022-12-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/f76cb219-9a95-4ddd-ba82-d962b0f5e5ca*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A?api-version=2022-12-01 cache-control: - no-cache content-length: @@ -1522,15 +1522,15 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:22:50 GMT + - Thu, 17 Nov 2022 11:06:22 GMT etag: - - '"1000d622-0000-0800-0000-63d9e91a0000"' + - '"e400aefc-0000-0800-0000-637615ae0000"' expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/27856cae-380b-4fda-9f54-c69a12a67867*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B?api-version=2022-12-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/f76cb219-9a95-4ddd-ba82-d962b0f5e5ca*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A?api-version=2022-12-01 mise-correlation-id: - - 1bcc8e0d-88ca-41a0-a2de-dc88ba7a51c3 + - eec75e4e-a454-45c0-9a6b-dfc75fd15947 pragma: - no-cache strict-transport-security: @@ -1540,7 +1540,7 @@ interactions: x-ms-providerhub-traffic: - 'True' x-ms-ratelimit-remaining-subscription-writes: - - '1196' + - '1198' status: code: 202 message: Accepted @@ -1558,12 +1558,12 @@ interactions: ParameterSetName: - --name --resource-group --encryption-identity User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/27856cae-380b-4fda-9f54-c69a12a67867*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B?api-version=2022-12-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/f76cb219-9a95-4ddd-ba82-d962b0f5e5ca*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/27856cae-380b-4fda-9f54-c69a12a67867*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B","name":"27856cae-380b-4fda-9f54-c69a12a67867*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","status":"Succeeded","startTime":"2023-02-01T04:22:47.4711771Z","endTime":"2023-02-01T04:22:51.803665Z","properties":null}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/f76cb219-9a95-4ddd-ba82-d962b0f5e5ca*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A","name":"f76cb219-9a95-4ddd-ba82-d962b0f5e5ca*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","status":"Succeeded","startTime":"2022-11-17T11:06:17.7553437Z","endTime":"2022-11-17T11:06:24.014795Z","properties":null}' headers: cache-control: - no-cache @@ -1572,9 +1572,9 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:23:21 GMT + - Thu, 17 Nov 2022 11:06:53 GMT etag: - - '"0900992a-0000-0800-0000-63d9e91b0000"' + - '"6e001713-0000-0800-0000-637615b00000"' expires: - '-1' pragma: @@ -1604,24 +1604,24 @@ interactions: ParameterSetName: - --name --resource-group --encryption-identity User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","name":"load-test000004","type":"microsoft.loadtestservice/loadtests","location":"westus2","systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:20:52.0405641Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:22:46.5824473Z"},"identity":{"principalId":"2000cdd6-42b1-4c45-bb37-244fd784d854","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned, - UserAssigned","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/microsoft.managedidentity/userassignedidentities/clitestid1":{"principalId":"bfabf9ea-3e68-4907-8ab8-8024c629b571","clientId":"3cda7595-ceca-4d9a-a6bc-ff0935b9a542"}}},"properties":{"description":null,"dataPlaneURI":"f9ae91a2-5196-4a1d-923b-f2563ecf134a.westus2.cnt-prod.loadtesting.azure.com","encryption":{"keyUrl":"https://clitest000002.vault.azure.net/keys/testkey1/d0619076d8074400a82fef2b6a8f83fc","identity":{"type":"SystemAssigned","resourceId":null}},"provisioningState":"Succeeded"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","name":"load-test000004","type":"microsoft.loadtestservice/loadtests","location":"westus2","systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:04:23.3559629Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:06:16.8106827Z"},"identity":{"principalId":"917190b6-08bf-44a8-afe9-8782b8e41124","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned, + UserAssigned","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/microsoft.managedidentity/userassignedidentities/clitestid1":{"principalId":"9861d064-d9e5-42dd-9f97-cd05e0f5de7a","clientId":"26267b45-e83e-4b9b-8572-2dc83f12fa33"}}},"properties":{"description":null,"dataPlaneURI":"5039f074-f3dd-43b3-993b-acbf4b27e61a.westus2.cnt-prod.loadtesting.azure.com","encryption":{"keyUrl":"https://clitest000002.vault.azure.net/keys/testkey1/b6a74887155942a39dfa6e4b0ea82127","identity":{"type":"SystemAssigned","resourceId":null}},"provisioningState":"Succeeded"}}' headers: cache-control: - no-cache content-length: - - '1274' + - '1324' content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:23:22 GMT + - Thu, 17 Nov 2022 11:06:53 GMT etag: - - '"1000db22-0000-0800-0000-63d9e91b0000"' + - '"e400c8fc-0000-0800-0000-637615b00000"' expires: - '-1' pragma: @@ -1653,24 +1653,24 @@ interactions: ParameterSetName: - --name --resource-group User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","name":"load-test000004","type":"microsoft.loadtestservice/loadtests","location":"westus2","systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:20:52.0405641Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:22:46.5824473Z"},"identity":{"principalId":"2000cdd6-42b1-4c45-bb37-244fd784d854","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned, - UserAssigned","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/microsoft.managedidentity/userassignedidentities/clitestid1":{"principalId":"bfabf9ea-3e68-4907-8ab8-8024c629b571","clientId":"3cda7595-ceca-4d9a-a6bc-ff0935b9a542"}}},"properties":{"description":null,"dataPlaneURI":"f9ae91a2-5196-4a1d-923b-f2563ecf134a.westus2.cnt-prod.loadtesting.azure.com","encryption":{"keyUrl":"https://clitest000002.vault.azure.net/keys/testkey1/d0619076d8074400a82fef2b6a8f83fc","identity":{"type":"SystemAssigned","resourceId":null}},"provisioningState":"Succeeded"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","name":"load-test000004","type":"microsoft.loadtestservice/loadtests","location":"westus2","systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:04:23.3559629Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:06:16.8106827Z"},"identity":{"principalId":"917190b6-08bf-44a8-afe9-8782b8e41124","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned, + UserAssigned","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/microsoft.managedidentity/userassignedidentities/clitestid1":{"principalId":"9861d064-d9e5-42dd-9f97-cd05e0f5de7a","clientId":"26267b45-e83e-4b9b-8572-2dc83f12fa33"}}},"properties":{"description":null,"dataPlaneURI":"5039f074-f3dd-43b3-993b-acbf4b27e61a.westus2.cnt-prod.loadtesting.azure.com","encryption":{"keyUrl":"https://clitest000002.vault.azure.net/keys/testkey1/b6a74887155942a39dfa6e4b0ea82127","identity":{"type":"SystemAssigned","resourceId":null}},"provisioningState":"Succeeded"}}' headers: cache-control: - no-cache content-length: - - '1274' + - '1324' content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:23:24 GMT + - Thu, 17 Nov 2022 11:06:55 GMT etag: - - '"1000db22-0000-0800-0000-63d9e91b0000"' + - '"e400c8fc-0000-0800-0000-637615b00000"' expires: - '-1' pragma: @@ -1702,23 +1702,23 @@ interactions: ParameterSetName: - --name --resource-group User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","name":"load-test000003","type":"microsoft.loadtestservice/loadtests","location":"westus2","tags":{"test":"test"},"systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:19:09.0391589Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:21:33.3419556Z"},"identity":{"type":"None"},"properties":{"description":null,"dataPlaneURI":"76244603-53a7-458f-8bd3-3ebf2a1b6470.westus2.cnt-prod.loadtesting.azure.com","encryption":null,"provisioningState":"Succeeded"}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","name":"load-test000003","type":"microsoft.loadtestservice/loadtests","location":"westus2","tags":{"test":"test"},"systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:02:53.8618697Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:05:06.0392213Z"},"identity":{"type":"None"},"properties":{"description":null,"dataPlaneURI":"81165d2a-64bd-44a9-a4fe-83956aab1684.westus2.cnt-prod.loadtesting.azure.com","encryption":null,"provisioningState":"Succeeded"}}' headers: cache-control: - no-cache content-length: - - '717' + - '767' content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:23:25 GMT + - Thu, 17 Nov 2022 11:06:55 GMT etag: - - '"10002920-0000-0800-0000-63d9e8cf0000"' + - '"e40071f5-0000-0800-0000-637615640000"' expires: - '-1' pragma: @@ -1750,22 +1750,22 @@ interactions: ParameterSetName: - --resource-group User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests?api-version=2022-12-01 response: body: - string: '{"value":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","name":"load-test000003","type":"microsoft.loadtestservice/loadtests","location":"westus2","tags":{"test":"test"},"systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:19:09.0391589Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:21:33.3419556Z"},"identity":{"type":"None"},"properties":{"description":null,"dataPlaneURI":"76244603-53a7-458f-8bd3-3ebf2a1b6470.westus2.cnt-prod.loadtesting.azure.com","encryption":null,"provisioningState":"Succeeded"}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","name":"load-test000004","type":"microsoft.loadtestservice/loadtests","location":"westus2","systemData":{"createdBy":"vens@microsoft.com","createdByType":"User","createdAt":"2023-02-01T04:20:52.0405641Z","lastModifiedBy":"vens@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-01T04:22:46.5824473Z"},"identity":{"principalId":"2000cdd6-42b1-4c45-bb37-244fd784d854","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned, - UserAssigned","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/microsoft.managedidentity/userassignedidentities/clitestid1":{"principalId":"bfabf9ea-3e68-4907-8ab8-8024c629b571","clientId":"3cda7595-ceca-4d9a-a6bc-ff0935b9a542"}}},"properties":{"description":null,"dataPlaneURI":"f9ae91a2-5196-4a1d-923b-f2563ecf134a.westus2.cnt-prod.loadtesting.azure.com","encryption":{"keyUrl":"https://clitest000002.vault.azure.net/keys/testkey1/d0619076d8074400a82fef2b6a8f83fc","identity":{"type":"SystemAssigned","resourceId":null}},"provisioningState":"Succeeded"}}]}' + string: '{"value":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","name":"load-test000003","type":"microsoft.loadtestservice/loadtests","location":"westus2","tags":{"test":"test"},"systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:02:53.8618697Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:05:06.0392213Z"},"identity":{"type":"None"},"properties":{"description":null,"dataPlaneURI":"81165d2a-64bd-44a9-a4fe-83956aab1684.westus2.cnt-prod.loadtesting.azure.com","encryption":null,"provisioningState":"Succeeded"}},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","name":"load-test000004","type":"microsoft.loadtestservice/loadtests","location":"westus2","systemData":{"createdBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","createdByType":"Application","createdAt":"2022-11-17T11:04:23.3559629Z","lastModifiedBy":"5b96bb74-67f0-463c-9319-6f766ae1c33f","lastModifiedByType":"Application","lastModifiedAt":"2022-11-17T11:06:16.8106827Z"},"identity":{"principalId":"917190b6-08bf-44a8-afe9-8782b8e41124","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned, + UserAssigned","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_azure_load_testing000001/providers/microsoft.managedidentity/userassignedidentities/clitestid1":{"principalId":"9861d064-d9e5-42dd-9f97-cd05e0f5de7a","clientId":"26267b45-e83e-4b9b-8572-2dc83f12fa33"}}},"properties":{"description":null,"dataPlaneURI":"5039f074-f3dd-43b3-993b-acbf4b27e61a.westus2.cnt-prod.loadtesting.azure.com","encryption":{"keyUrl":"https://clitest000002.vault.azure.net/keys/testkey1/b6a74887155942a39dfa6e4b0ea82127","identity":{"type":"SystemAssigned","resourceId":null}},"provisioningState":"Succeeded"}}]}' headers: cache-control: - no-cache content-length: - - '2004' + - '2104' content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:23:28 GMT + - Thu, 17 Nov 2022 11:06:57 GMT expires: - '-1' pragma: @@ -1777,19 +1777,16 @@ interactions: x-content-type-options: - nosniff x-ms-original-request-ids: - - 61d31bd2-c028-4c3d-9bda-02066b82303c - - ecbfbf98-9eb9-4f8c-81fd-f1f4b85d8370 - - 6b78015b-6f77-452e-ad57-c97d58c67521 - - 5c045037-caed-403b-bcb8-b09a44abd80d - - cde25eb1-10b8-4dde-8f0c-3ad840203fd0 - - cf66f7da-c783-4038-8f61-cc588110250e - - d1a0f091-92dd-4f0e-84fa-343f12cceee0 - - 83cc533f-36b8-4bb1-a408-a01b5d99a034 - - 9fed9c0b-2e87-4d88-a645-540fa03621db - - cb748a2e-d41f-427b-af82-83baf0229be8 - - 7064ff5a-4784-4d30-b658-9ffbc4d4f221 - - e23b22a5-10c5-4005-921f-265cd192eafe - - 9ea82ab6-48ca-45ca-94b2-4d1cdcf65081 + - e4754363-8fe0-441a-93a5-ac5d144cb613 + - 7b86d2a2-65ff-4069-8b01-8ea4fa1e9dd7 + - a03402e6-27c0-4d8d-898d-a9f27c468d80 + - b0132fca-5245-4f64-b6ea-190f31c882ad + - 9bc988fd-2ede-4d46-80e9-243f58ac6c30 + - a91b3e53-9e0c-41b6-9885-758077d3ae73 + - 34396ef0-6d61-4895-a2fd-c44597fb5351 + - 040d3853-47d6-43d8-9599-4cfd66e3afe0 + - 874fa487-ca4b-4483-bb7c-09b795327328 + - dbc7eb72-e9ee-4fe4-a553-a6dd7901d310 status: code: 200 message: OK @@ -1809,7 +1806,7 @@ interactions: ParameterSetName: - --name --resource-group --yes User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: DELETE uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003?api-version=2022-12-01 response: @@ -1817,7 +1814,7 @@ interactions: string: 'null' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/b7911dd1-1dd7-4de3-9a92-9f32e07aff83*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC?api-version=2022-12-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/58dbb6dd-7039-4469-bb35-3ea86de12a88*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E?api-version=2022-12-01 cache-control: - no-cache content-length: @@ -1825,15 +1822,15 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:23:32 GMT + - Thu, 17 Nov 2022 11:07:00 GMT etag: - - '"10005524-0000-0800-0000-63d9e9440000"' + - '"e5004600-0000-0800-0000-637615d40000"' expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/b7911dd1-1dd7-4de3-9a92-9f32e07aff83*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC?api-version=2022-12-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/58dbb6dd-7039-4469-bb35-3ea86de12a88*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E?api-version=2022-12-01 mise-correlation-id: - - 81443718-ea8a-41ee-a034-191f205e1ba9 + - 9d00e8c9-6a7a-441c-a7be-5dbce651790b pragma: - no-cache strict-transport-security: @@ -1861,12 +1858,12 @@ interactions: ParameterSetName: - --name --resource-group --yes User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/b7911dd1-1dd7-4de3-9a92-9f32e07aff83*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC?api-version=2022-12-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/58dbb6dd-7039-4469-bb35-3ea86de12a88*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/b7911dd1-1dd7-4de3-9a92-9f32e07aff83*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC","name":"b7911dd1-1dd7-4de3-9a92-9f32e07aff83*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","status":"Succeeded","startTime":"2023-02-01T04:23:31.1165264Z","endTime":"2023-02-01T04:23:32.6510971Z","properties":null}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/58dbb6dd-7039-4469-bb35-3ea86de12a88*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E","name":"58dbb6dd-7039-4469-bb35-3ea86de12a88*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","status":"Succeeded","startTime":"2022-11-17T11:07:00.1529262Z","endTime":"2022-11-17T11:07:00.9617049Z","properties":null}' headers: cache-control: - no-cache @@ -1875,9 +1872,9 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:24:01 GMT + - Thu, 17 Nov 2022 11:07:30 GMT etag: - - '"0900792b-0000-0800-0000-63d9e9440000"' + - '"6e00eb14-0000-0800-0000-637615d40000"' expires: - '-1' pragma: @@ -1907,12 +1904,12 @@ interactions: ParameterSetName: - --name --resource-group --yes User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/b7911dd1-1dd7-4de3-9a92-9f32e07aff83*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC?api-version=2022-12-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/58dbb6dd-7039-4469-bb35-3ea86de12a88*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/b7911dd1-1dd7-4de3-9a92-9f32e07aff83*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC","name":"b7911dd1-1dd7-4de3-9a92-9f32e07aff83*7F49C3549209811A002202DD15DA8500698382A398AB77CAC614562AD07D67EC","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","status":"Succeeded","startTime":"2023-02-01T04:23:31.1165264Z","endTime":"2023-02-01T04:23:32.6510971Z","properties":null}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/58dbb6dd-7039-4469-bb35-3ea86de12a88*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E","name":"58dbb6dd-7039-4469-bb35-3ea86de12a88*5F79157EB8ADDD570C4C9EC34F63C16242671CB41CD2443189AD3833F61C020E","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000003","status":"Succeeded","startTime":"2022-11-17T11:07:00.1529262Z","endTime":"2022-11-17T11:07:00.9617049Z","properties":null}' headers: cache-control: - no-cache @@ -1921,9 +1918,9 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:24:02 GMT + - Thu, 17 Nov 2022 11:07:30 GMT etag: - - '"0900792b-0000-0800-0000-63d9e9440000"' + - '"6e00eb14-0000-0800-0000-637615d40000"' expires: - '-1' pragma: @@ -1955,7 +1952,7 @@ interactions: ParameterSetName: - --name --resource-group --yes User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: DELETE uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004?api-version=2022-12-01 response: @@ -1963,7 +1960,7 @@ interactions: string: 'null' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/167f6eab-d815-4fd1-b00c-81ae2a443a6c*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B?api-version=2022-12-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/e2015996-7122-4a2d-ade9-0bd25728fd93*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A?api-version=2022-12-01 cache-control: - no-cache content-length: @@ -1971,15 +1968,15 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:24:04 GMT + - Thu, 17 Nov 2022 11:07:33 GMT etag: - - '"10008e25-0000-0800-0000-63d9e9640000"' + - '"e500f803-0000-0800-0000-637615f50000"' expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/167f6eab-d815-4fd1-b00c-81ae2a443a6c*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B?api-version=2022-12-01 + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/e2015996-7122-4a2d-ade9-0bd25728fd93*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A?api-version=2022-12-01 mise-correlation-id: - - 9fdde045-5b63-4f37-b3a1-3b563284c0b5 + - 27a8b63a-e219-4539-95b4-0c06fdaf18b4 pragma: - no-cache strict-transport-security: @@ -2007,23 +2004,23 @@ interactions: ParameterSetName: - --name --resource-group --yes User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/167f6eab-d815-4fd1-b00c-81ae2a443a6c*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B?api-version=2022-12-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/e2015996-7122-4a2d-ade9-0bd25728fd93*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/167f6eab-d815-4fd1-b00c-81ae2a443a6c*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B","name":"167f6eab-d815-4fd1-b00c-81ae2a443a6c*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","status":"Succeeded","startTime":"2023-02-01T04:24:04.7100365Z","endTime":"2023-02-01T04:24:05.160336Z","properties":null}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/e2015996-7122-4a2d-ade9-0bd25728fd93*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A","name":"e2015996-7122-4a2d-ade9-0bd25728fd93*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","status":"Succeeded","startTime":"2022-11-17T11:07:33.4652853Z","endTime":"2022-11-17T11:07:34.0146053Z","properties":null}' headers: cache-control: - no-cache content-length: - - '645' + - '646' content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:24:35 GMT + - Thu, 17 Nov 2022 11:08:03 GMT etag: - - '"09000d2c-0000-0800-0000-63d9e9650000"' + - '"6e003b16-0000-0800-0000-637615f60000"' expires: - '-1' pragma: @@ -2053,23 +2050,23 @@ interactions: ParameterSetName: - --name --resource-group --yes User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) + - AZURECLI/2.42.0 (AAZ) azsdk-python-core/1.24.0 Python/3.10.7 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/167f6eab-d815-4fd1-b00c-81ae2a443a6c*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B?api-version=2022-12-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/e2015996-7122-4a2d-ade9-0bd25728fd93*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A?api-version=2022-12-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/167f6eab-d815-4fd1-b00c-81ae2a443a6c*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B","name":"167f6eab-d815-4fd1-b00c-81ae2a443a6c*21A9985729338E5E6C0A1442A8B2EA1BCFBF1DA975F259841DD645C68E80215B","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","status":"Succeeded","startTime":"2023-02-01T04:24:04.7100365Z","endTime":"2023-02-01T04:24:05.160336Z","properties":null}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.LoadTestService/locations/WESTUS2/operationStatuses/e2015996-7122-4a2d-ade9-0bd25728fd93*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A","name":"e2015996-7122-4a2d-ade9-0bd25728fd93*D4F5894169E5C458A160CDDD8665A9CF747143E390B78CDAF8AC85078FB8859A","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_azure_load_testing000001/providers/Microsoft.LoadTestService/loadTests/load-test000004","status":"Succeeded","startTime":"2022-11-17T11:07:33.4652853Z","endTime":"2022-11-17T11:07:34.0146053Z","properties":null}' headers: cache-control: - no-cache content-length: - - '645' + - '646' content-type: - application/json; charset=utf-8 date: - - Wed, 01 Feb 2023 04:24:35 GMT + - Thu, 17 Nov 2022 11:08:04 GMT etag: - - '"09000d2c-0000-0800-0000-63d9e9650000"' + - '"6e003b16-0000-0800-0000-637615f60000"' expires: - '-1' pragma: diff --git a/src/load/setup.py b/src/load/setup.py index bdd8a200136..7536ef6b2e6 100644 --- a/src/load/setup.py +++ b/src/load/setup.py @@ -10,7 +10,7 @@ # HISTORY.rst entry. -VERSION = '0.2.0' +VERSION = '0.1.0' # The full list of classifiers is available at # https://pypi.python.org/pypi?%3Aaction=list_classifiers diff --git a/src/nginx/HISTORY.rst b/src/nginx/HISTORY.rst index 4a3adac3823..8c34bccfff8 100644 --- a/src/nginx/HISTORY.rst +++ b/src/nginx/HISTORY.rst @@ -3,10 +3,6 @@ Release History =============== -0.1.1 -++++++ -* Update the GA sku in the creation example. - 0.1.0 ++++++ * Initial release. \ No newline at end of file diff --git a/src/nginx/azext_nginx/aaz/latest/nginx/deployment/_create.py b/src/nginx/azext_nginx/aaz/latest/nginx/deployment/_create.py index f85fe4e046b..ef8afd482ad 100644 --- a/src/nginx/azext_nginx/aaz/latest/nginx/deployment/_create.py +++ b/src/nginx/azext_nginx/aaz/latest/nginx/deployment/_create.py @@ -18,11 +18,11 @@ class Create(AAZCommand): """Create an NGINX for Azure resource :example: Deployment Create with PublicIP - az nginx deployment create --name myDeployment --resource-group myResourceGroup --location eastus2 --sku name="standard_Monthly" --network-profile front-end-ip-configuration="{public-ip-addresses:[{id:/subscriptions/mySubscription/resourceGroups/myResourceGroup/providers/Microsoft.Network/publicIPAddresses/myPublicIP}]}" network-interface-configuration="{subnet-id:/subscriptions/mySubscription/resourceGroups/myResourceGroup/providers/Microsoft.Network/virtualNetworks/myVNet/subnets/mySubnet}" + az nginx deployment create --name myDeployment --resource-group myResourceGroup --location eastus2 --sku name="preview_Monthly_gmz7xq9ge3py" --network-profile front-end-ip-configuration="{public-ip-addresses:[{id:/subscriptions/mySubscription/resourceGroups/myResourceGroup/providers/Microsoft.Network/publicIPAddresses/myPublicIP}]}" network-interface-configuration="{subnet-id:/subscriptions/mySubscription/resourceGroups/myResourceGroup/providers/Microsoft.Network/virtualNetworks/myVNet/subnets/mySubnet}" :example: Deployment Create with PrivateIP - az nginx deployment create --name myDeployment --resource-group myResourceGroup --location eastus2 --sku name="standard_Monthly" --network-profile front-end-ip-configuration="{private-ip-addresses:[{private-ip-allocation-method:Static,subnet-id:/subscriptions/mySubscription/resourceGroups/myResourceGroup/providers/Microsoft.Network/virtualNetworks/myVNet/subnets/mySubnet,private-ip-address:10.0.0.2}]}" network-interface-configuration="{subnet-id:/subscriptions/mySubscription/resourceGroups/myResourceGroup/providers/Microsoft.Network/virtualNetworks/myVNet/subnets/mySubnet}" - az nginx deployment create --name myDeployment --resource-group myResourceGroup --location eastus2 --sku name="standard_Monthly" --network-profile front-end-ip-configuration="{private-ip-addresses:[{private-ip-allocation-method:Dynamic,subnet-id:/subscriptions/mySubscription/resourceGroups/myResourceGroup/providers/Microsoft.Network/virtualNetworks/myVNet/subnets/mySubnet,private-ip-address:10.0.0.2}]}" network-interface-configuration="{subnet-id:/subscriptions/mySubscription/resourceGroups/myResourceGroup/providers/Microsoft.Network/virtualNetworks/myVNet/subnets/mySubnet}" + az nginx deployment create --name myDeployment --resource-group myResourceGroup --location eastus2 --sku name="preview_Monthly_gmz7xq9ge3py" --network-profile front-end-ip-configuration="{private-ip-addresses:[{private-ip-allocation-method:Static,subnet-id:/subscriptions/mySubscription/resourceGroups/myResourceGroup/providers/Microsoft.Network/virtualNetworks/myVNet/subnets/mySubnet,private-ip-address:10.0.0.2}]}" network-interface-configuration="{subnet-id:/subscriptions/mySubscription/resourceGroups/myResourceGroup/providers/Microsoft.Network/virtualNetworks/myVNet/subnets/mySubnet}" + az nginx deployment create --name myDeployment --resource-group myResourceGroup --location eastus2 --sku name="preview_Monthly_gmz7xq9ge3py" --network-profile front-end-ip-configuration="{private-ip-addresses:[{private-ip-allocation-method:Dynamic,subnet-id:/subscriptions/mySubscription/resourceGroups/myResourceGroup/providers/Microsoft.Network/virtualNetworks/myVNet/subnets/mySubnet,private-ip-address:10.0.0.2}]}" network-interface-configuration="{subnet-id:/subscriptions/mySubscription/resourceGroups/myResourceGroup/providers/Microsoft.Network/virtualNetworks/myVNet/subnets/mySubnet}" """ _aaz_info = { diff --git a/src/nginx/azext_nginx/tests/latest/recordings/test_deployment_cert_config.yaml b/src/nginx/azext_nginx/tests/latest/recordings/test_deployment_cert_config.yaml index 57113323e7c..13f8ddbaf96 100644 --- a/src/nginx/azext_nginx/tests/latest/recordings/test_deployment_cert_config.yaml +++ b/src/nginx/azext_nginx/tests/latest/recordings/test_deployment_cert_config.yaml @@ -65,7 +65,7 @@ interactions: - AZURECLI/2.40.0 (PIP) azsdk-python-azure-mgmt-network/21.0.1 Python/3.10.7 (Windows-10-10.0.22000-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip?api-version=2022-01-01 response: body: string: "{\r\n \"name\": \"azclitest-public-ip\",\r\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip\"\ @@ -175,7 +175,7 @@ interactions: - AZURECLI/2.40.0 (PIP) azsdk-python-azure-mgmt-network/21.0.1 Python/3.10.7 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip?api-version=2022-05-01 + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip?api-version=2022-01-01 response: body: string: "{\r\n \"name\": \"azclitest-public-ip\",\r\n \"id\": \"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip\"\ @@ -705,7 +705,7 @@ interactions: true, "networkProfile": {"frontEndIPConfiguration": {"publicIPAddresses": [{"id": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip"}]}, "networkInterfaceConfiguration": {"subnetId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/virtualNetworks/azclitest-vnet/subnets/azclitest-subnet"}}}, - "sku": {"name": "standard_Monthly"}}' + "sku": {"name": "preview_Monthly_gmz7xq9ge3py"}}' headers: Accept: - application/json @@ -727,7 +727,7 @@ interactions: uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment?api-version=2022-08-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment","name":"azclitest-deployment","type":"nginx.nginxplus/nginxdeployments","sku":{"name":"standard_Monthly"},"location":"eastus2euap","systemData":{"createdBy":"georgengugi@microsoft.com","createdByType":"User","createdAt":"2022-09-20T11:55:31.727496Z","lastModifiedBy":"georgengugi@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-20T11:55:31.727496Z"},"properties":{"provisioningState":"Accepted","nginxVersion":null,"managedResourceGroup":null,"ipAddress":null,"networkProfile":{"frontEndIPConfiguration":{"publicIPAddresses":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip"}]},"networkInterfaceConfiguration":{"subnetId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/virtualNetworks/azclitest-vnet/subnets/azclitest-subnet"}},"enableDiagnosticsSupport":true,"logging":null}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment","name":"azclitest-deployment","type":"nginx.nginxplus/nginxdeployments","sku":{"name":"preview_Monthly_gmz7xq9ge3py"},"location":"eastus2euap","systemData":{"createdBy":"georgengugi@microsoft.com","createdByType":"User","createdAt":"2022-09-20T11:55:31.727496Z","lastModifiedBy":"georgengugi@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-20T11:55:31.727496Z"},"properties":{"provisioningState":"Accepted","nginxVersion":null,"managedResourceGroup":null,"ipAddress":null,"networkProfile":{"frontEndIPConfiguration":{"publicIPAddresses":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip"}]},"networkInterfaceConfiguration":{"subnetId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/virtualNetworks/azclitest-vnet/subnets/azclitest-subnet"}},"enableDiagnosticsSupport":true,"logging":null}}' headers: azure-asyncoperation: - https://management.azure.com/providers/Nginx.NginxPlus/locations/EASTUS2EUAP/operationStatuses/81ce1629-a593-4a4f-ac9f-b3d388206bac*23B61C80BD45EC670D58F6356F4F15E09A23A3DEEC48503E47ACA45B6209CAE3?api-version=2022-08-01 @@ -1101,7 +1101,7 @@ interactions: uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment?api-version=2022-08-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment","name":"azclitest-deployment","type":"nginx.nginxplus/nginxdeployments","sku":{"name":"standard_Monthly"},"location":"eastus2euap","systemData":{"createdBy":"georgengugi@microsoft.com","createdByType":"User","createdAt":"2022-09-20T11:55:31.727496Z","lastModifiedBy":"georgengugi@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-20T11:55:31.727496Z"},"properties":{"provisioningState":"Succeeded","nginxVersion":"","managedResourceGroup":"NGX_AZCLIDeploymentTestRG_000001_azclitest-deployment_eastus2euap","ipAddress":"20.47.162.158","networkProfile":{"frontEndIPConfiguration":{"publicIPAddresses":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip"}]},"networkInterfaceConfiguration":{"subnetId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/virtualNetworks/azclitest-vnet/subnets/azclitest-subnet"}},"enableDiagnosticsSupport":true}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment","name":"azclitest-deployment","type":"nginx.nginxplus/nginxdeployments","sku":{"name":"preview_Monthly_gmz7xq9ge3py"},"location":"eastus2euap","systemData":{"createdBy":"georgengugi@microsoft.com","createdByType":"User","createdAt":"2022-09-20T11:55:31.727496Z","lastModifiedBy":"georgengugi@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-20T11:55:31.727496Z"},"properties":{"provisioningState":"Succeeded","nginxVersion":"","managedResourceGroup":"NGX_AZCLIDeploymentTestRG_000001_azclitest-deployment_eastus2euap","ipAddress":"20.47.162.158","networkProfile":{"frontEndIPConfiguration":{"publicIPAddresses":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip"}]},"networkInterfaceConfiguration":{"subnetId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/virtualNetworks/azclitest-vnet/subnets/azclitest-subnet"}},"enableDiagnosticsSupport":true}}' headers: cache-control: - no-cache @@ -1149,7 +1149,7 @@ interactions: uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments?api-version=2022-08-01 response: body: - string: '{"value":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment","name":"azclitest-deployment","type":"nginx.nginxplus/nginxdeployments","sku":{"name":"standard_Monthly"},"location":"eastus2euap","systemData":{"createdBy":"georgengugi@microsoft.com","createdByType":"User","createdAt":"2022-09-20T11:55:31.727496Z","lastModifiedBy":"georgengugi@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-20T11:55:31.727496Z"},"properties":{"provisioningState":"Succeeded","nginxVersion":"","managedResourceGroup":"NGX_AZCLIDeploymentTestRG_000001_azclitest-deployment_eastus2euap","ipAddress":"20.47.162.158","networkProfile":{"frontEndIPConfiguration":{"publicIPAddresses":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip"}]},"networkInterfaceConfiguration":{"subnetId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/virtualNetworks/azclitest-vnet/subnets/azclitest-subnet"}},"enableDiagnosticsSupport":true}}]}' + string: '{"value":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment","name":"azclitest-deployment","type":"nginx.nginxplus/nginxdeployments","sku":{"name":"preview_Monthly_gmz7xq9ge3py"},"location":"eastus2euap","systemData":{"createdBy":"georgengugi@microsoft.com","createdByType":"User","createdAt":"2022-09-20T11:55:31.727496Z","lastModifiedBy":"georgengugi@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-20T11:55:31.727496Z"},"properties":{"provisioningState":"Succeeded","nginxVersion":"","managedResourceGroup":"NGX_AZCLIDeploymentTestRG_000001_azclitest-deployment_eastus2euap","ipAddress":"20.47.162.158","networkProfile":{"frontEndIPConfiguration":{"publicIPAddresses":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip"}]},"networkInterfaceConfiguration":{"subnetId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/virtualNetworks/azclitest-vnet/subnets/azclitest-subnet"}},"enableDiagnosticsSupport":true}}]}' headers: cache-control: - no-cache @@ -1200,7 +1200,7 @@ interactions: uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment?api-version=2022-08-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment","name":"azclitest-deployment","type":"nginx.nginxplus/nginxdeployments","sku":{"name":"standard_Monthly"},"location":"eastus2euap","systemData":{"createdBy":"georgengugi@microsoft.com","createdByType":"User","createdAt":"2022-09-20T11:55:31.727496Z","lastModifiedBy":"georgengugi@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-20T11:55:31.727496Z"},"properties":{"provisioningState":"Succeeded","nginxVersion":"","managedResourceGroup":"NGX_AZCLIDeploymentTestRG_000001_azclitest-deployment_eastus2euap","ipAddress":"20.47.162.158","networkProfile":{"frontEndIPConfiguration":{"publicIPAddresses":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip"}]},"networkInterfaceConfiguration":{"subnetId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/virtualNetworks/azclitest-vnet/subnets/azclitest-subnet"}},"enableDiagnosticsSupport":true}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment","name":"azclitest-deployment","type":"nginx.nginxplus/nginxdeployments","sku":{"name":"preview_Monthly_gmz7xq9ge3py"},"location":"eastus2euap","systemData":{"createdBy":"georgengugi@microsoft.com","createdByType":"User","createdAt":"2022-09-20T11:55:31.727496Z","lastModifiedBy":"georgengugi@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-20T11:55:31.727496Z"},"properties":{"provisioningState":"Succeeded","nginxVersion":"","managedResourceGroup":"NGX_AZCLIDeploymentTestRG_000001_azclitest-deployment_eastus2euap","ipAddress":"20.47.162.158","networkProfile":{"frontEndIPConfiguration":{"publicIPAddresses":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip"}]},"networkInterfaceConfiguration":{"subnetId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/virtualNetworks/azclitest-vnet/subnets/azclitest-subnet"}},"enableDiagnosticsSupport":true}}' headers: cache-control: - no-cache @@ -1235,7 +1235,7 @@ interactions: "networkProfile": {"frontEndIPConfiguration": {"publicIPAddresses": [{"id": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip"}]}, "networkInterfaceConfiguration": {"subnetId": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/virtualNetworks/azclitest-vnet/subnets/azclitest-subnet"}}, - "provisioningState": "Succeeded"}, "sku": {"name": "standard_Monthly"}, + "provisioningState": "Succeeded"}, "sku": {"name": "preview_Monthly_gmz7xq9ge3py"}, "tags": {"tag1": "value1", "tag2": "value2"}}' headers: Accept: @@ -1258,7 +1258,7 @@ interactions: uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment?api-version=2022-08-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment","name":"azclitest-deployment","type":"nginx.nginxplus/nginxdeployments","sku":{"name":"standard_Monthly"},"location":"eastus2euap","tags":{"tag1":"value1","tag2":"value2"},"systemData":{"createdBy":"georgengugi@microsoft.com","createdByType":"User","createdAt":"2022-09-20T11:55:31.727496Z","lastModifiedBy":"georgengugi@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-20T11:59:25.1693125Z"},"properties":{"provisioningState":"Accepted","nginxVersion":"","managedResourceGroup":"NGX_AZCLIDeploymentTestRG_000001_azclitest-deployment_eastus2euap","ipAddress":"20.47.162.158","networkProfile":{"frontEndIPConfiguration":{"publicIPAddresses":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip"}]},"networkInterfaceConfiguration":{"subnetId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/virtualNetworks/azclitest-vnet/subnets/azclitest-subnet"}},"enableDiagnosticsSupport":false,"logging":null}}' + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment","name":"azclitest-deployment","type":"nginx.nginxplus/nginxdeployments","sku":{"name":"preview_Monthly_gmz7xq9ge3py"},"location":"eastus2euap","tags":{"tag1":"value1","tag2":"value2"},"systemData":{"createdBy":"georgengugi@microsoft.com","createdByType":"User","createdAt":"2022-09-20T11:55:31.727496Z","lastModifiedBy":"georgengugi@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-20T11:59:25.1693125Z"},"properties":{"provisioningState":"Accepted","nginxVersion":"","managedResourceGroup":"NGX_AZCLIDeploymentTestRG_000001_azclitest-deployment_eastus2euap","ipAddress":"20.47.162.158","networkProfile":{"frontEndIPConfiguration":{"publicIPAddresses":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip"}]},"networkInterfaceConfiguration":{"subnetId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/virtualNetworks/azclitest-vnet/subnets/azclitest-subnet"}},"enableDiagnosticsSupport":false,"logging":null}}' headers: azure-asyncoperation: - https://management.azure.com/providers/Nginx.NginxPlus/locations/EASTUS2EUAP/operationStatuses/4ddc3930-5161-499d-bc34-347d074eeebd*23B61C80BD45EC670D58F6356F4F15E09A23A3DEEC48503E47ACA45B6209CAE3?api-version=2022-08-01 @@ -1356,7 +1356,7 @@ interactions: uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment?api-version=2022-08-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment","name":"azclitest-deployment","type":"nginx.nginxplus/nginxdeployments","sku":{"name":"standard_Monthly"},"location":"eastus2euap","tags":{"tag1":"value1","tag2":"value2"},"systemData":{"createdBy":"georgengugi@microsoft.com","createdByType":"User","createdAt":"2022-09-20T11:55:31.727496Z","lastModifiedBy":"georgengugi@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-20T11:59:25.1693125Z"},"properties":{"provisioningState":"Succeeded","nginxVersion":"1.21.6 + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment","name":"azclitest-deployment","type":"nginx.nginxplus/nginxdeployments","sku":{"name":"preview_Monthly_gmz7xq9ge3py"},"location":"eastus2euap","tags":{"tag1":"value1","tag2":"value2"},"systemData":{"createdBy":"georgengugi@microsoft.com","createdByType":"User","createdAt":"2022-09-20T11:55:31.727496Z","lastModifiedBy":"georgengugi@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-20T11:59:25.1693125Z"},"properties":{"provisioningState":"Succeeded","nginxVersion":"1.21.6 (nginx-plus-r27)","managedResourceGroup":"NGX_AZCLIDeploymentTestRG_000001_azclitest-deployment_eastus2euap","ipAddress":"20.47.162.158","networkProfile":{"frontEndIPConfiguration":{"publicIPAddresses":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip"}]},"networkInterfaceConfiguration":{"subnetId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/virtualNetworks/azclitest-vnet/subnets/azclitest-subnet"}},"enableDiagnosticsSupport":false}}' headers: cache-control: @@ -1405,7 +1405,7 @@ interactions: uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment?api-version=2022-08-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment","name":"azclitest-deployment","type":"nginx.nginxplus/nginxdeployments","sku":{"name":"standard_Monthly"},"location":"eastus2euap","tags":{"tag1":"value1","tag2":"value2"},"systemData":{"createdBy":"georgengugi@microsoft.com","createdByType":"User","createdAt":"2022-09-20T11:55:31.727496Z","lastModifiedBy":"georgengugi@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-20T11:59:25.1693125Z"},"properties":{"provisioningState":"Succeeded","nginxVersion":"1.21.6 + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment","name":"azclitest-deployment","type":"nginx.nginxplus/nginxdeployments","sku":{"name":"preview_Monthly_gmz7xq9ge3py"},"location":"eastus2euap","tags":{"tag1":"value1","tag2":"value2"},"systemData":{"createdBy":"georgengugi@microsoft.com","createdByType":"User","createdAt":"2022-09-20T11:55:31.727496Z","lastModifiedBy":"georgengugi@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-20T11:59:25.1693125Z"},"properties":{"provisioningState":"Succeeded","nginxVersion":"1.21.6 (nginx-plus-r27)","managedResourceGroup":"NGX_AZCLIDeploymentTestRG_000001_azclitest-deployment_eastus2euap","ipAddress":"20.47.162.158","networkProfile":{"frontEndIPConfiguration":{"publicIPAddresses":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip"}]},"networkInterfaceConfiguration":{"subnetId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/virtualNetworks/azclitest-vnet/subnets/azclitest-subnet"}},"enableDiagnosticsSupport":false}}' headers: cache-control: @@ -1454,7 +1454,7 @@ interactions: uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment?api-version=2022-08-01 response: body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment","name":"azclitest-deployment","type":"nginx.nginxplus/nginxdeployments","sku":{"name":"standard_Monthly"},"location":"eastus2euap","tags":{"tag1":"value1","tag2":"value2"},"systemData":{"createdBy":"georgengugi@microsoft.com","createdByType":"User","createdAt":"2022-09-20T11:55:31.727496Z","lastModifiedBy":"georgengugi@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-20T11:59:25.1693125Z"},"properties":{"provisioningState":"Succeeded","nginxVersion":"1.21.6 + string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Nginx.NginxPlus/nginxDeployments/azclitest-deployment","name":"azclitest-deployment","type":"nginx.nginxplus/nginxdeployments","sku":{"name":"preview_Monthly_gmz7xq9ge3py"},"location":"eastus2euap","tags":{"tag1":"value1","tag2":"value2"},"systemData":{"createdBy":"georgengugi@microsoft.com","createdByType":"User","createdAt":"2022-09-20T11:55:31.727496Z","lastModifiedBy":"georgengugi@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-20T11:59:25.1693125Z"},"properties":{"provisioningState":"Succeeded","nginxVersion":"1.21.6 (nginx-plus-r27)","managedResourceGroup":"NGX_AZCLIDeploymentTestRG_000001_azclitest-deployment_eastus2euap","ipAddress":"20.47.162.158","networkProfile":{"frontEndIPConfiguration":{"publicIPAddresses":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/publicIPAddresses/azclitest-public-ip"}]},"networkInterfaceConfiguration":{"subnetId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/AZCLIDeploymentTestRG_000001/providers/Microsoft.Network/virtualNetworks/azclitest-vnet/subnets/azclitest-subnet"}},"enableDiagnosticsSupport":false}}' headers: cache-control: diff --git a/src/nginx/azext_nginx/tests/latest/test_nginx_scenario.py b/src/nginx/azext_nginx/tests/latest/test_nginx_scenario.py index 370782d0c0a..f8f735c6f45 100644 --- a/src/nginx/azext_nginx/tests/latest/test_nginx_scenario.py +++ b/src/nginx/azext_nginx/tests/latest/test_nginx_scenario.py @@ -16,7 +16,7 @@ def test_deployment_cert_config(self, resource_group): 'deployment_name': 'azclitest-deployment', 'location': 'eastus2euap', 'rg': resource_group, - 'sku': 'standard_Monthly', + 'sku': 'preview_Monthly_gmz7xq9ge3py', 'public_ip_name': 'azclitest-public-ip', 'vnet_name': 'azclitest-vnet', 'subnet_name': 'azclitest-subnet', diff --git a/src/nginx/setup.py b/src/nginx/setup.py index 4105594e88e..bd3e0ab055d 100644 --- a/src/nginx/setup.py +++ b/src/nginx/setup.py @@ -16,7 +16,7 @@ # TODO: Confirm this is the right version number you want and it matches your # HISTORY.rst entry. -VERSION = '0.1.1' +VERSION = '0.1.0' # The full list of classifiers is available at # https://pypi.python.org/pypi?%3Aaction=list_classifiers diff --git a/src/quantum/HISTORY.rst b/src/quantum/HISTORY.rst index 2c6efdaf175..d0aa5beaaf5 100644 --- a/src/quantum/HISTORY.rst +++ b/src/quantum/HISTORY.rst @@ -3,12 +3,6 @@ Release History =============== -0.18.0 -++++++ -* [2023-02-08] Version intended to work with QDK version 0.27.253010 and Azure CLI 2.41.0 or greater. -* You can now submit QIR and pass-through jobs using the CLI. -* Fixed Azure/azure-cli-extensions Issue #5831 to eliminate some workspace creation errors. - 0.17.0 ++++++ * [2022-11-02] Update default QDK version to latest 0.27.238334 - See https://learn.microsoft.com/azure/quantum/release-notes. diff --git a/src/quantum/azext_quantum/__init__.py b/src/quantum/azext_quantum/__init__.py index 80bb9d280f0..cc51ac7daca 100644 --- a/src/quantum/azext_quantum/__init__.py +++ b/src/quantum/azext_quantum/__init__.py @@ -11,7 +11,7 @@ # This is the version reported by the CLI to the service when submitting requests. # This should be in sync with the extension version in 'setup.py', unless we need to # submit using a different version. -CLI_REPORTED_VERSION = "0.18.0" +CLI_REPORTED_VERSION = "0.17.0" class QuantumCommandsLoader(AzCommandsLoader): diff --git a/src/quantum/azext_quantum/_help.py b/src/quantum/azext_quantum/_help.py index 7fee9a6b254..38301de1c45 100644 --- a/src/quantum/azext_quantum/_help.py +++ b/src/quantum/azext_quantum/_help.py @@ -15,7 +15,7 @@ type: command short-summary: Submit a job to run on Azure Quantum, and waits for the result. examples: - - name: Submit a Q# program from the current folder and wait for the result. + - name: Submit the Q# program from the current folder and wait for the result. text: |- az quantum execute -g MyResourceGroup -w MyWorkspace -l MyLocation -t MyTarget - name: Submit and wait for a Q# program from the current folder with job and program parameters. @@ -32,7 +32,7 @@ type: command short-summary: Equivalent to `az quantum execute` examples: - - name: Submit a Q# program from the current folder and wait for the result. + - name: Submit the Q# program from the current folder and wait for the result. text: |- az quantum run -g MyResourceGroup -w MyWorkspace -l MyLocation -t MyTarget - name: Submit and wait for a Q# program from the current folder with job and program parameters. @@ -81,17 +81,17 @@ helps['quantum job submit'] = """ type: command - short-summary: Submit a program or circuit to run on Azure Quantum. + short-summary: Submit a Q# project to run on Azure Quantum. examples: - - name: Submit a Q# program from the current folder. + - name: Submit the Q# program from the current folder. text: |- az quantum job submit -g MyResourceGroup -w MyWorkspace -l MyLocation \\ -t MyTarget --job-name MyJob - - name: Submit a Q# program from the current folder with job parameters for a target. + - name: Submit the Q# program from the current folder with job parameters for a target. text: |- az quantum job submit -g MyResourceGroup -w MyWorkspace -l MyLocation \\ -t MyTarget --job-name MyJob --job-params param1=value1 param2=value2 - - name: Submit a Q# program with program parameters (e.g. n-qubits = 2). + - name: Submit the Q# program with program parameters (e.g. n-qubits = 2). text: |- az quantum job submit -g MyResourceGroup -w MyWorkspace -l MyLocation \\ -t MyTarget --job-name MyJob -- --n-qubits=2 @@ -99,11 +99,6 @@ text: |- az quantum job submit -g MyResourceGroup -w MyWorkspace -l MyLocation -t MyTarget \\ --target-capability MyTargetCapability - - name: Submit QIR bitcode from a file in the current folder. - text: |- - az quantum job submit -g MyResourceGroup -w MyWorkspace -l MyLocation -t MyTarget \\ - --job-name MyJob --job-input-format qir.v1 --job-input-file MyQirBitcode.bc \\ - --entry-point MyQirEntryPoint """ helps['quantum job wait'] = """ diff --git a/src/quantum/azext_quantum/_params.py b/src/quantum/azext_quantum/_params.py index 80e6fdf266c..c53cbf60d1e 100644 --- a/src/quantum/azext_quantum/_params.py +++ b/src/quantum/azext_quantum/_params.py @@ -6,6 +6,7 @@ # pylint: disable=line-too-long,protected-access,no-self-use,too-many-statements import argparse +import json from knack.arguments import CLIArgumentType from azure.cli.core.azclierror import InvalidArgumentValueError, CLIError from azure.cli.core.util import shell_safe_json_parse @@ -52,10 +53,6 @@ def load_arguments(self, _): provider_sku_list_type = CLIArgumentType(options_list=['--provider-sku-list', '-r'], help='Comma separated list of Provider/SKU pairs. Separate the Provider and SKU with a slash. Enclose the entire list in quotes. Values from `az quantum offerings list -l -o table`') auto_accept_type = CLIArgumentType(help='If specified, provider terms are accepted without an interactive Y/N prompt.') autoadd_only_type = CLIArgumentType(help='If specified, only the plans flagged "autoAdd" are displayed.') - job_input_file_type = CLIArgumentType(help='The location of the input file to submit. Required for QIR, QIO, and pass-through jobs. Ignored on Q# jobs.') - job_input_format_type = CLIArgumentType(help='The format of the file to submit. Omit this parameter on Q# jobs.') - job_output_format_type = CLIArgumentType(help='The expected job output format. Ignored on Q# jobs.') - entry_point_type = CLIArgumentType(help='The entry point for the QIR program or circuit. Required for QIR. Ignored on Q# jobs.') with self.argument_context('quantum workspace') as c: c.argument('workspace_name', workspace_name_type) @@ -87,10 +84,6 @@ def load_arguments(self, _): with self.argument_context('quantum job submit') as c: c.argument('job_params', job_params_type) c.argument('target_capability', target_capability_type) - c.argument('job_input_file', job_input_file_type) - c.argument('job_input_format', job_input_format_type) - c.argument('job_output_format', job_output_format_type) - c.argument('entry_point', entry_point_type) c.positional('program_args', program_args_type) with self.argument_context('quantum execute') as c: @@ -103,10 +96,6 @@ def load_arguments(self, _): c.argument('no_build', no_build_type) c.argument('job_params', job_params_type) c.argument('target_capability', target_capability_type) - c.argument('job_input_file', job_input_file_type) - c.argument('job_input_format', job_input_format_type) - c.argument('job_output_format', job_output_format_type) - c.argument('entry_point', entry_point_type) c.positional('program_args', program_args_type) with self.argument_context('quantum run') as c: @@ -119,10 +108,6 @@ def load_arguments(self, _): c.argument('no_build', no_build_type) c.argument('job_params', job_params_type) c.argument('target_capability', target_capability_type) - c.argument('job_input_file', job_input_file_type) - c.argument('job_input_format', job_input_format_type) - c.argument('job_output_format', job_output_format_type) - c.argument('entry_point', entry_point_type) c.positional('program_args', program_args_type) with self.argument_context('quantum offerings') as c: diff --git a/src/quantum/azext_quantum/_storage.py b/src/quantum/azext_quantum/_storage.py deleted file mode 100644 index bb372186112..00000000000 --- a/src/quantum/azext_quantum/_storage.py +++ /dev/null @@ -1,116 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -------------------------------------------------------------------------------------------- - -# This file is a reduced version of qdk-python\azure-quantum\azure\quantum\storage.py -# It only contains the functions required to do inputData blob upload for job submission. -# Other cosmetic changes were made to appease the Azure CLI CI/CD checks. - -# Unused imports were removed to reduce Pylint style-rule violations. -import logging -from datetime import datetime, timedelta -from typing import Any -from azure.storage.blob import ( - BlobServiceClient, - ContainerClient, - BlobClient, - BlobSasPermissions, - ContentSettings, - generate_blob_sas, -) - -logger = logging.getLogger(__name__) - - -def create_container( - connection_string: str, container_name: str -) -> ContainerClient: - """ - Creates and initialize a container; returns the client needed to access it. - """ - blob_service_client = BlobServiceClient.from_connection_string( - connection_string - ) - logger.info( - f'{"Initializing storage client for account:"}' - + f"{blob_service_client.account_name}" - ) - - container_client = blob_service_client.get_container_client(container_name) - create_container_using_client(container_client) - return container_client - - -def create_container_using_client(container_client: ContainerClient): - """ - Creates the container if it doesn't already exist. - """ - if not container_client.exists(): - logger.debug( - f'{" - uploading to **new** container:"}' - f"{container_client.container_name}" - ) - container_client.create_container() - - -def upload_blob( - container: ContainerClient, - blob_name: str, - content_type: str, - content_encoding: str, - data: Any, - return_sas_token: bool = True, -) -> str: - """ - Uploads the given data to a blob record. - If a blob with the given name already exist, it throws an error. - - Returns a uri with a SAS token to access the newly created blob. - """ - create_container_using_client(container) - logger.info( - f"Uploading blob '{blob_name}'" - + f"to container '{container.container_name}'" - + f"on account: '{container.account_name}'" - ) - - content_settings = ContentSettings( - content_type=content_type, content_encoding=content_encoding - ) - - blob = container.get_blob_client(blob_name) - - blob.upload_blob(data, content_settings=content_settings) - logger.debug(f" - blob '{blob_name}' uploaded. generating sas token.") - - if return_sas_token: - uri = get_blob_uri_with_sas_token(blob) - else: - uri = remove_sas_token(blob.url) - logger.debug(f" - blob access url: '{uri}'.") - - return uri - - -def get_blob_uri_with_sas_token(blob: BlobClient): - """Returns a URI for the given blob that contains a SAS Token""" - sas_token = generate_blob_sas( - blob.account_name, - blob.container_name, - blob.blob_name, - account_key=blob.credential.account_key, - permission=BlobSasPermissions(read=True), - expiry=datetime.utcnow() + timedelta(days=14), - ) - - return blob.url + "?" + sas_token - - -def remove_sas_token(sas_uri: str) -> str: - """Removes the SAS Token from the given URI if it contains one""" - index = sas_uri.find("?") - if index != -1: - sas_uri = sas_uri[0:index] - - return sas_uri diff --git a/src/quantum/azext_quantum/azext_metadata.json b/src/quantum/azext_quantum/azext_metadata.json index 40dc71e5e71..811d86de250 100644 --- a/src/quantum/azext_quantum/azext_metadata.json +++ b/src/quantum/azext_quantum/azext_metadata.json @@ -1,4 +1,4 @@ { "azext.isPreview": true, - "azext.minCliCoreVersion": "2.41.0" + "azext.minCliCoreVersion": "2.23.0" } diff --git a/src/quantum/azext_quantum/operations/job.py b/src/quantum/azext_quantum/operations/job.py index 73219cf489d..1d566f05998 100644 --- a/src/quantum/azext_quantum/operations/job.py +++ b/src/quantum/azext_quantum/operations/job.py @@ -3,41 +3,20 @@ # Licensed under the MIT License. See License.txt in the project root for license information. # -------------------------------------------------------------------------------------------- -# pylint: disable=line-too-long,redefined-builtin,bare-except,inconsistent-return-statements,too-many-locals,too-many-branches,too-many-statements +# pylint: disable=redefined-builtin,bare-except,inconsistent-return-statements -import gzip -import io -import json import logging -import os -import uuid +import json import knack.log -from azure.cli.command_modules.storage.operations.account import show_storage_account_connection_string from azure.cli.core.azclierror import (FileOperationError, AzureInternalError, - InvalidArgumentValueError, AzureResponseError, - RequiredArgumentMissingError) - -from .._storage import create_container, upload_blob + InvalidArgumentValueError, AzureResponseError) from .._client_factory import cf_jobs, _get_data_credentials from .workspace import WorkspaceInfo -from .target import TargetInfo, get_provider - +from .target import TargetInfo MINIMUM_MAX_POLL_WAIT_SECS = 1 -DEFAULT_SHOTS = 500 -QIO_DEFAULT_TIMEOUT = 100 - -ERROR_MSG_MISSING_INPUT_FORMAT = "The following argument is required: --job-input-format" # NOTE: The Azure CLI core generates a similar error message, but "the" is lowercase and "arguments" is always plural. -ERROR_MSG_MISSING_OUTPUT_FORMAT = "The following argument is required: --job-output-format" -ERROR_MSG_MISSING_ENTRY_POINT = "The following argument is required on QIR jobs: --entry-point" -JOB_SUBMIT_DOC_LINK_MSG = "See https://learn.microsoft.com/cli/azure/quantum/job?view=azure-cli-latest#az-quantum-job-submit" - -# Job types -QIO_JOB = 1 -QIR_JOB = 2 -PASS_THROUGH_JOB = 3 logger = logging.getLogger(__name__) knack_logger = knack.log.get_logger(__name__) @@ -183,6 +162,7 @@ def _set_cli_version(): # before support for the --user-agent parameter is added. We'll rely on the environment # variable before the stand alone executable submits to the service. try: + import os from .._client_factory import get_appid os.environ["USER_AGENT"] = get_appid() except: @@ -193,272 +173,9 @@ def _has_completed(job): return job.status in ("Succeeded", "Failed", "Cancelled") -def _convert_numeric_params(job_params): - # The CLI framework passes all --job-params values as strings. This function - # attempts to convert numeric string values to their appropriate numeric types. - # Non-numeric string values and values that are already integers are unaffected. - for param in job_params: - if isinstance(job_params[param], str): - try: - job_params[param] = int(job_params[param]) - except: - try: - job_params[param] = float(job_params[param]) - except: - pass - - def submit(cmd, program_args, resource_group_name, workspace_name, location, target_id, - project=None, job_name=None, shots=None, storage=None, no_build=False, job_params=None, target_capability=None, - job_input_file=None, job_input_format=None, job_output_format=None, entry_point=None): - """ - Submit a quantum program to run on Azure Quantum. - """ - if job_input_file is None: - return _submit_qsharp(cmd, program_args, resource_group_name, workspace_name, location, target_id, - project, job_name, shots, storage, no_build, job_params, target_capability) - - return _submit_directly_to_service(cmd, resource_group_name, workspace_name, location, target_id, - job_name, shots, storage, job_params, target_capability, - job_input_file, job_input_format, job_output_format, entry_point) - - -def _submit_directly_to_service(cmd, resource_group_name, workspace_name, location, target_id, - job_name, shots, storage, job_params, target_capability, - job_input_file, job_input_format, job_output_format, entry_point): - """ - Submit QIR bitcode, QIO problem JSON, or a pass-through job to run on Azure Quantum. - """ - if job_input_format is None: - raise RequiredArgumentMissingError(ERROR_MSG_MISSING_INPUT_FORMAT, JOB_SUBMIT_DOC_LINK_MSG) - - # Get workspace, target, and provider information - ws_info = WorkspaceInfo(cmd, resource_group_name, workspace_name, location) - if ws_info is None: - raise AzureInternalError("Failed to get workspace information.") - target_info = TargetInfo(cmd, target_id) - if target_info is None: - raise AzureInternalError("Failed to get target information.") - provider_id = get_provider(cmd, target_info.target_id, resource_group_name, workspace_name, location) - if provider_id is None: - raise AzureInternalError(f"Failed to find a Provider ID for the specified Target ID, {target_info.target_id}") - - # Identify the type of job being submitted - lc_job_input_format = job_input_format.lower() - if "qir.v" in lc_job_input_format: - job_type = QIR_JOB - elif lc_job_input_format == "microsoft.qio.v2": - job_type = QIO_JOB - else: - job_type = PASS_THROUGH_JOB - - # If output format is not specified, supply a default for QIR or QIO jobs - if job_output_format is None: - if job_type == QIR_JOB: - job_output_format = "microsoft.quantum-results.v1" - elif job_type == QIO_JOB: - job_output_format = "microsoft.qio-results.v2" - else: - raise RequiredArgumentMissingError(ERROR_MSG_MISSING_OUTPUT_FORMAT, JOB_SUBMIT_DOC_LINK_MSG) - - # An entry point is required on QIR jobs - if job_type == QIR_JOB: - # An entry point is required for a QIR job, but there are four ways to specify it in a CLI command: - # - Use the --entry-point parameter - # - Include it in --job-params as entryPoint=MyEntryPoint - # - Include it as 'entryPoint':'MyEntryPoint' in a JSON --job-params string or file - # - Include it in an "items" list in a JSON --job-params string or file - found_entry_point_in_items = False - if "items" in job_params: - items_list = job_params["items"] - if isinstance(items_list, type([])): # "list" has been redefined as a function name - for item in items_list: - if isinstance(item, dict): - for item_dict in items_list: - if "entryPoint" in item_dict: - if item_dict["entryPoint"] is not None: - found_entry_point_in_items = True - if not found_entry_point_in_items: - if entry_point is None and ("entryPoint" not in job_params.keys() or job_params["entryPoint"] is None): - raise RequiredArgumentMissingError(ERROR_MSG_MISSING_ENTRY_POINT, JOB_SUBMIT_DOC_LINK_MSG) - - # Extract "metadata" and "tags" from job_params, then remove those parameters from job_params, - # since they should not be included in the "inputParams" parameter of job_details. They are - # separate parameters of job_details. - # - # USAGE NOTE: To specify "metadata", the --job-params value needs to be entered as a JSON string or file. - # - metadata = None - tags = [] - if job_params is not None: - if "metadata" in job_params.keys(): - metadata = job_params["metadata"] - del job_params["metadata"] - if not isinstance(metadata, dict) and metadata is not None: - raise InvalidArgumentValueError('The "metadata" parameter is not valid.', - 'To specify "metadata", use a JSON string for the --job-params value.') - if "tags" in job_params.keys(): - tags = job_params["tags"] - del job_params["tags"] - if isinstance(tags, str): - tags = tags.split(',') - list_type = type([]) # "list" has been redefined as a function name, so "isinstance(tags, list)" doesn't work here - if not isinstance(tags, list_type): - raise InvalidArgumentValueError('The "tags" parameter is not valid.') - - # Extract content type and content encoding from --job-parameters, then remove those parameters from job_params, since - # they should not be included in the "inputParams" parameter of job_details. Content type and content encoding are - # parameters of the upload_blob function. These parameters are accepted in three case-formats: kebab-case, snake_case, - # and camelCase. (See comments below.) - content_type = None - content_encoding = None - if job_params is not None: - if "content-type" in job_params.keys(): # Parameter names in the CLI are commonly in kebab-case (hyphenated)... - content_type = job_params["content-type"] - del job_params["content-type"] - if "content_type" in job_params.keys(): # ...however names are often in in snake_case in our Jupyter notebooks... - content_type = job_params["content_type"] - del job_params["content_type"] - if "contentType" in job_params.keys(): # ...but the params that go into inputParams are generally in camelCase. - content_type = job_params["contentType"] - del job_params["contentType"] - if "content-encoding" in job_params.keys(): - content_encoding = job_params["content-encoding"] - del job_params["content-encoding"] - if "content_encoding" in job_params.keys(): - content_encoding = job_params["content_encoding"] - del job_params["content_encoding"] - if "contentEncoding" in job_params.keys(): - content_encoding = job_params["contentEncoding"] - del job_params["contentEncoding"] - - # Prepare for input file upload according to job type - if job_type == QIO_JOB: - if content_type is None: - content_type = "application/json" - if content_encoding is None: - content_encoding = "gzip" - try: - with open(job_input_file, encoding="utf-8") as qio_file: - uncompressed_blob_data = qio_file.read() - except (IOError, OSError) as e: - raise FileOperationError(f"An error occurred opening the input file: {job_input_file}") from e - - if ("content_type" in uncompressed_blob_data and "application/x-protobuf" in uncompressed_blob_data) or (content_type.lower() == "application/x-protobuf"): - raise InvalidArgumentValueError('Content type "application/x-protobuf" is not supported.') - - # Compress the input data (This code is based on to_blob in qdk-python\azure-quantum\azure\quantum\optimization\problem.py) - data = io.BytesIO() - with gzip.GzipFile(fileobj=data, mode="w") as fo: - fo.write(uncompressed_blob_data.encode()) - blob_data = data.getvalue() - - else: - if job_type == QIR_JOB: - if content_type is None: - if provider_id.lower() == "rigetti": - content_type = "application/octet-stream" - else: - # MAINTENANCE NOTE: The following value is valid for QCI and Quantinuum. - # Make sure it's correct for new providers when they are added. If not, - # modify this logic. - content_type = "application/x-qir.v1" - content_encoding = None - try: - with open(job_input_file, "rb") as input_file: - blob_data = input_file.read() - except (IOError, OSError) as e: - raise FileOperationError(f"An error occurred opening the input file: {job_input_file}") from e - - # Upload the input file to the workspace's storage account - if storage is None: - from .workspace import get as ws_get - ws = ws_get(cmd) - if ws.storage_account is None: - raise RequiredArgumentMissingError("No storage account specified or linked with workspace.") - storage = ws.storage_account.split('/')[-1] - job_id = str(uuid.uuid4()) - container_name = "quantum-job-" + job_id - connection_string_dict = show_storage_account_connection_string(cmd, resource_group_name, storage) - connection_string = connection_string_dict["connectionString"] - container_client = create_container(connection_string, container_name) - blob_name = "inputData" - - knack_logger.warning("Uploading input data...") - try: - blob_uri = upload_blob(container_client, blob_name, content_type, content_encoding, blob_data, False) - except Exception as e: - # Unexplained behavior: - # QIR bitcode input and QIO (gzip) input data get UnicodeDecodeError on jobs run in tests using - # "azdev test --live", but the same commands are successful when run interactively. - # See commented-out tests in test_submit in test_quantum_jobs.py - error_msg = f"Input file upload failed.\nError type: {type(e)}" - if isinstance(e, UnicodeDecodeError): - error_msg += f"\nReason: {e.reason}" - raise AzureResponseError(error_msg) from e - - start_of_blob_name = blob_uri.find(blob_name) - container_uri = blob_uri[0:start_of_blob_name - 1] - - # Combine separate command-line parameters (like shots, target_capability, and entry_point) with job_params - if job_params is None: - job_params = {} - if shots is not None: - try: - job_params["shots"] = int(shots) - except: - raise InvalidArgumentValueError("Invalid --shots value. Shots must be an integer.") - if target_capability is not None: - job_params["targetCapability"] = target_capability - if entry_point is not None: - job_params["entryPoint"] = entry_point - - # Convert "count" to an integer - if "count" in job_params.keys(): - try: - job_params["count"] = int(job_params["count"]) - except: - raise InvalidArgumentValueError("Invalid count value. Count must be an integer.") - - # Convert all other numeric parameter values from string to int or float - _convert_numeric_params(job_params) - - # Make sure QIR jobs have an "arguments" parameter, even if it's empty - if job_type == QIR_JOB: - if "arguments" not in job_params: - job_params["arguments"] = [] - - # ...supply a default "shots" if it's not specified (like Q# does) - if "shots" not in job_params: - job_params["shots"] = DEFAULT_SHOTS - - # For QIO jobs, start inputParams with a "params" key and supply a default timeout - if job_type == QIO_JOB: - if job_params is None: - job_params = {"params": {"timeout": QIO_DEFAULT_TIMEOUT}} - else: - if "timeout" not in job_params: - job_params["timeout"] = QIO_DEFAULT_TIMEOUT - job_params = {"params": job_params} - - # Submit the job - client = cf_jobs(cmd.cli_ctx, ws_info.subscription, ws_info.resource_group, ws_info.name, ws_info.location) - job_details = {'name': job_name, - 'container_uri': container_uri, - 'input_data_format': job_input_format, - 'output_data_format': job_output_format, - 'inputParams': job_params, - 'provider_id': provider_id, - 'target': target_info.target_id, - 'metadata': metadata, - 'tags': tags} - - knack_logger.warning("Submitting job...") - return client.create(job_id, job_details) - - -def _submit_qsharp(cmd, program_args, resource_group_name, workspace_name, location, target_id, - project, job_name, shots, storage, no_build, job_params, target_capability): + project=None, job_name=None, shots=None, storage=None, no_build=False, job_params=None, + target_capability=None): """ Submit a Q# project to run on Azure Quantum. """ @@ -522,6 +239,8 @@ def output(cmd, job_id, resource_group_name, workspace_name, location): Get the results of running a Q# job. """ import tempfile + import json + import os from azure.cli.command_modules.storage._client_factory import blob_data_service_factory path = os.path.join(tempfile.gettempdir(), job_id) @@ -631,14 +350,12 @@ def job_show(cmd, job_id, resource_group_name, workspace_name, location): def run(cmd, program_args, resource_group_name, workspace_name, location, target_id, - project=None, job_name=None, shots=None, storage=None, no_build=False, job_params=None, target_capability=None, - job_input_file=None, job_input_format=None, job_output_format=None, entry_point=None): + project=None, job_name=None, shots=None, storage=None, no_build=False, job_params=None, target_capability=None): """ - Submit a job to run on Azure Quantum, and wait for the result. + Submit a job to run on Azure Quantum, and waits for the result. """ job = submit(cmd, program_args, resource_group_name, workspace_name, location, target_id, - project, job_name, shots, storage, no_build, job_params, target_capability, - job_input_file, job_input_format, job_output_format, entry_point) + project, job_name, shots, storage, no_build, job_params, target_capability) logger.warning("Job id: %s", job.id) logger.debug(job) diff --git a/src/quantum/azext_quantum/operations/target.py b/src/quantum/azext_quantum/operations/target.py index 0bbf0243eae..ce93669f7fe 100644 --- a/src/quantum/azext_quantum/operations/target.py +++ b/src/quantum/azext_quantum/operations/target.py @@ -75,20 +75,3 @@ def target_show(cmd, target_id): info = TargetInfo(cmd, target_id) info.target_id += "" # Kludge excuse: Without this the only output we ever get is "targetId": {"isDefault": true} return info - - -def get_provider(cmd, target_id, resource_group_name, workspace_name, location): - """ - Get the the Provider ID for a specific target - """ - provider_id = None - provider_list = list(cmd, resource_group_name, workspace_name, location) - if provider_list is not None: - for item in provider_list: - for target_item in item.targets: - if target_item.id.lower() == target_id.lower(): - provider_id = item.id - break - if provider_id is not None: - break - return provider_id diff --git a/src/quantum/azext_quantum/operations/workspace.py b/src/quantum/azext_quantum/operations/workspace.py index 38e6d8dcd1a..b2db7bc8fed 100644 --- a/src/quantum/azext_quantum/operations/workspace.py +++ b/src/quantum/azext_quantum/operations/workspace.py @@ -118,7 +118,7 @@ def _autoadd_providers(cmd, providers_in_region, providers_selected, workspace_l # Don't duplicate a provider/sku if it was also specified in the command's -r parameter provider_already_added = False for already_selected_provider in providers_selected: - if already_selected_provider['provider_id'] == provider.id: + if already_selected_provider['provider_id'] == provider.id and already_selected_provider['sku'] == sku.id: provider_already_added = True break if not provider_already_added: diff --git a/src/quantum/azext_quantum/tests/latest/input_data/QIO-Problem-2.json b/src/quantum/azext_quantum/tests/latest/input_data/QIO-Problem-2.json deleted file mode 100644 index 84858120d71..00000000000 --- a/src/quantum/azext_quantum/tests/latest/input_data/QIO-Problem-2.json +++ /dev/null @@ -1,18 +0,0 @@ -{ - "metadata": { - "name": "QIO Problem 02 v-wjones" - }, - "cost_function": { - "version": "1.0", - "type": "ising", - "terms": [ - {"c": -9, "ids": [0]}, - {"c": -3, "ids": [1, 0]}, - {"c": 5, "ids": [2, 0]}, - {"c": 9, "ids": [2, 1]}, - {"c": 2, "ids": [3, 0]}, - {"c": -4, "ids": [3, 1]}, - {"c": 4, "ids": [3, 2]} - ] - } -} \ No newline at end of file diff --git a/src/quantum/azext_quantum/tests/latest/input_data/Qiskit-3-qubit-GHZ-circuit.json b/src/quantum/azext_quantum/tests/latest/input_data/Qiskit-3-qubit-GHZ-circuit.json deleted file mode 100644 index 1e740286355..00000000000 --- a/src/quantum/azext_quantum/tests/latest/input_data/Qiskit-3-qubit-GHZ-circuit.json +++ /dev/null @@ -1 +0,0 @@ -{"gateset": "qis", "qubits": 3, "circuit": [{"gate": "h", "targets": [0]}, {"gate": "x", "targets": [1], "controls": [0]}, {"gate": "x", "targets": [2], "controls": [1]}]} \ No newline at end of file diff --git a/src/quantum/azext_quantum/tests/latest/input_data/Qrng.bc b/src/quantum/azext_quantum/tests/latest/input_data/Qrng.bc deleted file mode 100644 index 6fb4ee7729d450c6cd20bd49548ee4b40c4f545b..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 1728 zcmaJ>e@Giw9Diptm)7i(*3c&NF1>3~CSBKEV``Hn0b{JQU0I`DHwPWbCArMD8qYJ) z=zfrx$XV(iX(ucN2MNfa|5~Aag%!4U(T&oLJ-GLM z-|zc;-+jK{_x-*G$IQx66#x|g0FRv3pM3W#|3`mJo~~?(oI;?Dk^^uSE-K3?PzLoq z@I#}zEB0*p38~UxzKX=<2P$M5ZTV$SM0LEZ;c8{WxYD39$<%M`G_(#kbMut0akns{ zv|larWo0*1q@!t={2DQ|#?=RF4knI#IC1U@c{2;oy+i__fzq(Qc?aof0@Ta;q>4HK zC(TRpq49*f)pw56vxA@-p^;Q%=wwCK*aQ}7Bt1B^=QyZ?>uWktp-VL`$RbLI_kjMw zwOca4H-+PQ98o6`>xu7V`4&P3|Iwm`aX?u;mj4qDA+1`DYKzo9cY(M&ORS5bgA))V zE~*9rc#)FtkY5Kz=qtK!jYXhtP21lofwoO4gdRUQbi^6i)Z;p0G~o@tt^7i z7jVA{u?;&+@ytj=1nm!_J;`qQJ)n4?#2!bmT6u$ZZkD){#{G0f2^Oo)No-k%ZA4P&qk-!SHB0wuvH?d78R;!#RRw#UlBIX#apT1<7 zj#(BR=1GZlI%bVaEV)fpuN(cK9X-}A@NkX@TteX7Xm1VL`=kOM+ZPdBGND^7@JXRR z89nrH6MLA)ew)EIXo)AA#*1k@SDKd@e1XE}qr?Iu{UPBnXC3BbX`afMMjfVMiDfkN zD*WlwLCg0N%S1+g`@F!l2|O1IwxeOU5L64nl%TnDM)43ResyBS1h!hQD3I6&jDoBo zmS?qdcI{mXhsCg*$BPBx7ewnt^rTwZ+2Tr2?@62{dag6EWLltU8`CjX2D?jCE?(oXx-(t-0pOZW#($ zb;AU<37Q{oVHQ;RIJg8HB#}r6ALJ@RT_ipqrCLzJXUmKPiWmw8w@@dC6)?% zHz?vBMa)wKyuo#9pP&59GVQQUNz9`$bFOU~-aZU=0P<`W`Z(A$*I{2!u*NEP@-^`8 z(1A8C3Go@2CG%ot@E(3E{ldCkEG>BKR!;U9SKZisCrq`XC?;HS--$h*h(yu;no=c% z1sH{xhc<33W12)P<1yQ4rtBgtDtx(sFOztY5$E-&c8%~{7| zmN8fW5?d-}g~gD_h#kU^0PKUZs@#4ELQ8L${$i@sWIAa%7<4=JI%x%zGx+SV9f^?Y z`X<`r2Bb{-$u8ygmVRzHDsG)>qDRy!ARDxwE!Rn<(2Ld}=|cV1`}w)D9(5|eQ88b- z8{>_yRKeesMmGt71g;F2a(^65{nO0v!MF7^wC|RTa-y+?54`Vkonbn;4z?x41cIT? zRwm%<>U=ZQ>0$ZT*#OHk!7kqA>fYLQx%i-{c+Ll1Oh-qTmkF}}zsc}C)Bm3kp6y_n zo@d>=&-b`o?Jk$6%lE8H$=vxbv&e*JdqN#SSBUe8M0nQE@@&A%y1ZSXK#6E6rY+Xn zSf2HE@jh2qD9D9^M`{n#hiTGx%u`oq_S7=9bgl8I*YEXt41OPLVElD{qlsaR9<$M8 KJnDlf1AhUIzB3H~ diff --git a/src/quantum/azext_quantum/tests/latest/input_data/bell-state.quil b/src/quantum/azext_quantum/tests/latest/input_data/bell-state.quil deleted file mode 100644 index 70706838752..00000000000 --- a/src/quantum/azext_quantum/tests/latest/input_data/bell-state.quil +++ /dev/null @@ -1,7 +0,0 @@ -DECLARE ro BIT[2] - -H 0 -CNOT 0 1 - -MEASURE 0 ro[0] -MEASURE 1 ro[1] \ No newline at end of file diff --git a/src/quantum/azext_quantum/tests/latest/recordings/test_get_provider.yaml b/src/quantum/azext_quantum/tests/latest/recordings/test_get_provider.yaml deleted file mode 100644 index fd2a9092b94..00000000000 --- a/src/quantum/azext_quantum/tests/latest/recordings/test_get_provider.yaml +++ /dev/null @@ -1,1461 +0,0 @@ -interactions: -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - quantum workspace create - Connection: - - keep-alive - ParameterSetName: - - -g -w -l -a -r - User-Agent: - - AZURECLI/2.44.1 azsdk-python-mgmt-quantum/1.0.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - az-cli-ext/0.17.0.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Quantum/locations/eastus/offerings?api-version=2022-01-10-preview - response: - body: - string: "{\"value\":[{\"id\":\"1qbit\",\"name\":\"1Qloud Optimization Platform\",\"properties\":{\"description\":\"1QBit - 1Qloud Optimization Platform with Quantum Inspired Solutions\",\"providerType\":\"qio\",\"company\":\"1QBit\",\"managedApplication\":{\"publisherId\":\"1qbinformationtechnologies1580939206424\",\"offerId\":\"1qbit-1qloud-optimization-aq\"},\"targets\":[{\"id\":\"1qbit.tabu\",\"name\":\"1QBit - Quadratic Tabu Solver\",\"description\":\"An iterative heuristic algorithm - that uses local search techniques to solve a problem\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"1qbit.pathrelinking\",\"name\":\"1QBit - Quadratic Path-Relinking Solver\",\"description\":\"The path-relinking algorithm - is a heuristic algorithm that uses the tabu search as a subroutine to solve - a QUBO problem\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"1qbit.pticm\",\"name\":\"1QBit - Quadratic Parallel Tempering Isoenergetic Cluster Moves Solver\",\"description\":\"The - parallel tempering with isoenergetic cluster moves (PTICM) solver is a Monte - Carlo approach to solving QUBO problems\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]}],\"skus\":[{\"id\":\"1qbit-internal-free-plan\",\"version\":\"1.0.3\",\"name\":\"1QBit - No Charge Plan\",\"description\":\"1QBit plan with no charge for specific - customer arrangements\",\"autoAdd\":false,\"targets\":[\"1qbit.tabu\",\"1qbit.pathrelinking\",\"1qbit.pticm\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Tabu - Search Solver
Path-Relinking Solver
PTICM Solver\"},{\"id\":\"quota\",\"value\":\"N/A\"},{\"id\":\"price\",\"value\":\"Free - for select customers\"}]},{\"id\":\"1qbit-fixed-monthly-202012\",\"version\":\"1.0.3\",\"name\":\"Fixed - Monthly Plan\",\"description\":\"This plan provides access to all 1QBit quantum-inspired - optimization solvers with a flat monthly fee\",\"autoAdd\":false,\"targets\":[\"1qbit.tabu\",\"1qbit.pathrelinking\",\"1qbit.pticm\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Tabu - Search Solver
Path-Relinking Solver
PTICM Solver\"},{\"id\":\"quota\",\"value\":\"N/A\"},{\"id\":\"price\",\"value\":\"$7500 - USD per month\"}]},{\"id\":\"1qbit-pay-as-you-go-20210428\",\"version\":\"1.0.3\",\"name\":\"Pay - As You Go by CPU Usage\",\"description\":\"This plan provides access to all - 1QBit quantum-inspired optimization solvers with a pay as you go pricing\",\"autoAdd\":false,\"targets\":[\"1qbit.tabu\",\"1qbit.pathrelinking\",\"1qbit.pticm\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Tabu - Search Solver
Path-Relinking Solver
PTICM Solver\"},{\"id\":\"quota\",\"value\":\"N/A\"},{\"id\":\"price\",\"value\":\"$0.075 - per minute; rounded up to nearest second, with a minimum 1-second charge per - solve request\"}]}],\"pricingDimensions\":[{\"id\":\"features\",\"name\":\"Features\"},{\"id\":\"quota\",\"name\":\"Quota\"},{\"id\":\"price\",\"name\":\"Pricing\"}]}},{\"id\":\"ionq\",\"name\":\"IonQ\",\"properties\":{\"description\":\"IonQ\u2019s - trapped ion quantum computers perform calculations by manipulating charged - atoms of Ytterbium held in a vacuum with lasers.\",\"providerType\":\"qe\",\"company\":\"IonQ\",\"managedApplication\":{\"publisherId\":\"ionqinc1582730893633\",\"offerId\":\"ionq-aq\"},\"targets\":[{\"id\":\"ionq.simulator\",\"name\":\"Trapped - Ion Quantum Computer Simulator\",\"description\":\"GPU-accelerated idealized - simulator supporting up to 29 qubits, using the same gates IonQ provides on - its quantum computers. No errors are modeled at present.\",\"acceptedDataFormats\":[\"ionq.circuit.v1\"],\"acceptedContentEncodings\":[\"identity\"]},{\"id\":\"ionq.qpu\",\"name\":\"Trapped - Ion Quantum Computer\",\"description\":\"IonQ's quantum computer is dynamically - reconfigurable in software to use up to 11 qubits. All qubits are fully connected, - meaning you can run a two-qubit gate between any pair.\",\"acceptedDataFormats\":[\"ionq.circuit.v1\"],\"acceptedContentEncodings\":[\"identity\"]},{\"id\":\"ionq.qpu.aria-1\",\"name\":\"Aria - 1\",\"description\":\"IonQ's Aria 1 quantum computer is dynamically reconfigurable - in software to use up to 23 qubits. All qubits are fully connected, meaning - you can run a two-qubit gate between any pair.\",\"acceptedDataFormats\":[\"ionq.circuit.v1\"],\"acceptedContentEncodings\":[\"identity\"]},{\"id\":\"ionq.simulator-preview\",\"name\":\"Trapped - Ion Quantum Computer Simulator Preview\",\"description\":\"GPU-accelerated - idealized simulator supporting up to 29 qubits, using the same gates IonQ - provides on its quantum computers. No errors are modeled at present.\",\"acceptedDataFormats\":[\"ionq.qir.v1\"],\"acceptedContentEncodings\":[\"identity\"]},{\"id\":\"ionq.qpu-preview\",\"name\":\"Harmony - Preview\",\"description\":\"IonQ's Harmony quantum computer is dynamically - reconfigurable in software to use up to 11 qubits. All qubits are fully connected, - meaning you can run a two-qubit gate between any pair.\",\"acceptedDataFormats\":[\"ionq.qir.v1\"],\"acceptedContentEncodings\":[\"identity\"]},{\"id\":\"ionq.qpu.aria-1-preview\",\"name\":\"Aria - 1 Preview\",\"description\":\"IonQ's Aria 1 quantum computer is dynamically - reconfigurable in software to use up to 23 qubits. All qubits are fully connected, - meaning you can run a two-qubit gate between any pair.\",\"acceptedDataFormats\":[\"ionq.qir.v1\"],\"acceptedContentEncodings\":[\"identity\"]}],\"skus\":[{\"id\":\"pay-as-you-go-cred\",\"version\":\"0.0.5\",\"name\":\"Azure - Quantum Credits\",\"description\":\"The Azure Quantum Credits program provides - sponsored access to IonQ hardware through Azure. You will not be charged for - usage created under the credits program.\",\"autoAdd\":true,\"targets\":[\"ionq.qpu\",\"ionq.qpu.aria-1\",\"ionq.simulator\"],\"quotaDimensions\":[{\"id\":\"qgs\",\"scope\":\"Subscription\"}],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"IonQ - Simulator
Aria Trapped - Ion QC (23 qubits)
Harmony - Trapped Ion QC (11 qubits)\"},{\"id\":\"quota\",\"value\":\"$500 worth - of IonQ compute, unless you have received an additional project-based grant.

While availability - lasts, credits must be used within 6 months.

Learn more about quota for credits.\"},{\"id\":\"price\",\"value\":\"Free, - up to the granted value of your credits.\"}]},{\"id\":\"pay-as-you-go\",\"version\":\"0.0.5\",\"name\":\"Pay - As You Go\",\"description\":\"A la carte access based on resource requirements - and usage.\",\"autoAdd\":false,\"targets\":[\"ionq.qpu\",\"ionq.simulator\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"IonQ - Simulator
Harmony - Trapped Ion QC (11 qubits)\"},{\"id\":\"quota\",\"value\":\"No limit\"},{\"id\":\"price\",\"value\":\"$ - 3,000.00 USD / hour (est)
See documentation for details\"}]},{\"id\":\"committed-subscription-2\",\"version\":\"0.0.5\",\"name\":\"Subscription\",\"description\":\"Committed - access to all of IonQ's quantum computers\",\"autoAdd\":false,\"restrictedAccessUri\":\"mailto:partnerships@ionq.co\",\"targets\":[\"ionq.qpu\",\"ionq.qpu.aria-1\",\"ionq.simulator\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"IonQ - Simulator
Aria Trapped - Ion QC (23 qubits)
Harmony - Trapped Ion QC (11 qubits)\"},{\"id\":\"quota\",\"value\":\"N/A\"},{\"id\":\"price\",\"value\":\"$ - 25,000.00 USD / month
See documentation for details\"}]},{\"id\":\"private-preview-free\",\"version\":\"0.0.5\",\"name\":\"QIR - Private Preview Free\",\"description\":\"Submit QIR jobs to IonQ quantum platform.\",\"autoAdd\":false,\"targets\":[\"ionq.qpu-preview\",\"ionq.qpu.aria-1-preview\",\"ionq.simulator-preview\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"IonQ - QIR job execution\"},{\"id\":\"quota\",\"value\":\"N/A\"},{\"id\":\"price\",\"value\":\"N/A\"}]},{\"id\":\"preview-internal\",\"version\":\"0.0.5\",\"name\":\"Internal - Preview\",\"description\":\"Internal preview with zero cost.\",\"autoAdd\":false,\"targets\":[\"ionq.qpu-preview\",\"ionq.qpu.aria-1-preview\",\"ionq.simulator-preview\",\"ionq.qpu\",\"ionq.qpu.aria-1\",\"ionq.simulator\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"IonQ - Internal Preview\"},{\"id\":\"quota\",\"value\":\"N/A\"},{\"id\":\"price\",\"value\":\"N/A\"}]},{\"id\":\"aq-internal-testing\",\"version\":\"0.0.1\",\"name\":\"Microsoft - Internal Testing\",\"description\":\"You're testing, so it's free! As in beer.\",\"autoAdd\":false,\"targets\":[\"ionq.qpu\",\"ionq.qpu.aria-1\",\"ionq.simulator\",\"ionq.qpu-preview\",\"ionq.qpu.aria-1-preview\",\"ionq.simulator-preview\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"IonQ - Simulator
Harmony Trapped Ion QC (11 qubits)\"},{\"id\":\"quota\",\"value\":\"N/A\"},{\"id\":\"price\",\"value\":\"Free\"}]}],\"quotaDimensions\":[{\"id\":\"qgs\",\"scope\":\"Subscription\",\"quota\":16666667,\"period\":\"Infinite\",\"name\":\"QPU - Credit\",\"description\":\"Credited resource usage against your account. See - IonQ documentation for more information: https://aka.ms/AQ/IonQ/ProviderDocumentation.\",\"unit\":\"qubit-gate-shot\",\"unitPlural\":\"qubit-gate-shots\"}],\"pricingDimensions\":[{\"id\":\"features\",\"name\":\"Features\"},{\"id\":\"quota\",\"name\":\"Limits\"},{\"id\":\"price\",\"name\":\"Pricing\"}]}},{\"id\":\"Microsoft\",\"name\":\"Microsoft - QIO\",\"properties\":{\"description\":\"Ground-breaking optimization algorithms - inspired by decades of quantum research.\",\"providerType\":\"qio\",\"company\":\"Microsoft\",\"managedApplication\":{\"publisherId\":\"N/A\",\"offerId\":\"N/A\"},\"targets\":[{\"id\":\"microsoft.tabu.cpu\",\"name\":\"microsoft.tabu.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]},{\"id\":\"microsoft.qmc.cpu\",\"name\":\"microsoft.qmc.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]},{\"id\":\"microsoft.tabu-parameterfree.cpu\",\"name\":\"microsoft.tabu-parameterfree.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]},{\"id\":\"microsoft.simulatedannealing.cpu\",\"name\":\"microsoft.simulatedannealing.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]},{\"id\":\"microsoft.simulatedannealing-parameterfree.cpu\",\"name\":\"microsoft.simulatedannealing-parameterfree.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]},{\"id\":\"microsoft.paralleltempering.cpu\",\"name\":\"microsoft.paralleltempering.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]},{\"id\":\"microsoft.paralleltempering-parameterfree.cpu\",\"name\":\"microsoft.paralleltempering-parameterfree.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]},{\"id\":\"microsoft.populationannealing.cpu\",\"name\":\"microsoft.populationannealing.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]},{\"id\":\"microsoft.substochasticmontecarlo.cpu\",\"name\":\"microsoft.substochasticmontecarlo.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]},{\"id\":\"microsoft.substochasticmontecarlo-parameterfree.cpu\",\"name\":\"microsoft.substochasticmontecarlo-parameterfree.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]},{\"id\":\"microsoft.populationannealing-parameterfree.cpu\",\"name\":\"microsoft.populationannealing-parameterfree.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]}],\"skus\":[{\"id\":\"Basic\",\"version\":\"1.0\",\"name\":\"Private - Preview\",\"description\":\"Free Private Preview access through February 15 - 2020\",\"autoAdd\":false,\"targets\":[\"microsoft.paralleltempering-parameterfree.cpu\",\"microsoft.paralleltempering.cpu\",\"microsoft.simulatedannealing-parameterfree.cpu\",\"microsoft.simulatedannealing.cpu\",\"microsoft.tabu-parameterfree.cpu\",\"microsoft.tabu.cpu\",\"microsoft.qmc.cpu\",\"microsoft.populationannealing.cpu\",\"microsoft.populationannealing-parameterfree.cpu\",\"microsoft.substochasticmontecarlo.cpu\",\"microsoft.substochasticmontecarlo-parameterfree.cpu\",\"microsoft.populationannealing-parameterfree.cpu\"],\"quotaDimensions\":[{\"id\":\"combined_job_hours\",\"scope\":\"Workspace\"},{\"id\":\"combined_job_hours\",\"scope\":\"Subscription\"},{\"id\":\"concurrent_cpu_jobs\",\"scope\":\"Workspace\"}],\"pricingDetails\":[{\"id\":\"targets\",\"value\":\"Simulated - Annealing
Parallel Tempering
Tabu Search
Substochastic Monte Carlo
Population - Annealing
all solvers above have a parameter-free mode

Quantum - Monte Carlo\"},{\"id\":\"perf\",\"value\":\"CPU based: Up to 5 concurrent - jobs\"},{\"id\":\"quota\",\"value\":\"CPU based: 5 hours / month\"},{\"id\":\"price\",\"value\":\"$ - 0\"}]},{\"id\":\"DZH3178M639F\",\"version\":\"1.0\",\"name\":\"Learn & Develop\",\"description\":\"Learn - and develop with Optimization solutions.\",\"autoAdd\":true,\"targets\":[\"microsoft.paralleltempering-parameterfree.cpu\",\"microsoft.paralleltempering.cpu\",\"microsoft.simulatedannealing-parameterfree.cpu\",\"microsoft.simulatedannealing.cpu\",\"microsoft.tabu-parameterfree.cpu\",\"microsoft.tabu.cpu\",\"microsoft.qmc.cpu\",\"microsoft.populationannealing.cpu\",\"microsoft.populationannealing-parameterfree.cpu\",\"microsoft.substochasticmontecarlo.cpu\",\"microsoft.substochasticmontecarlo-parameterfree.cpu\"],\"quotaDimensions\":[{\"id\":\"combined_job_hours\",\"scope\":\"Workspace\",\"quota\":20},{\"id\":\"combined_job_hours\",\"scope\":\"Subscription\"},{\"id\":\"concurrent_cpu_jobs\",\"scope\":\"Workspace\"}],\"pricingDetails\":[{\"id\":\"targets\",\"value\":\"Simulated - Annealing
Parallel Tempering
Tabu Search
Substochastic Monte Carlo
Population - Annealing
all solvers above have a parameter-free mode

Quantum - Monte Carlo\"},{\"id\":\"perf\",\"value\":\"CPU based: Up to 5 concurrent - jobs\"},{\"id\":\"quota\",\"value\":\"CPU based: 20 hours / month\"},{\"id\":\"price\",\"value\":\"Pay - as you go
1 free hour included

See - pricing sheet\"}]},{\"id\":\"DZH318RV7MW4\",\"version\":\"1.0\",\"name\":\"Scale\",\"description\":\"Deploy - world-class Optimization solutions.\",\"autoAdd\":false,\"targets\":[\"microsoft.paralleltempering-parameterfree.cpu\",\"microsoft.paralleltempering.cpu\",\"microsoft.simulatedannealing-parameterfree.cpu\",\"microsoft.simulatedannealing.cpu\",\"microsoft.tabu-parameterfree.cpu\",\"microsoft.tabu.cpu\",\"microsoft.qmc.cpu\",\"microsoft.populationannealing.cpu\",\"microsoft.populationannealing-parameterfree.cpu\",\"microsoft.substochasticmontecarlo.cpu\",\"microsoft.substochasticmontecarlo-parameterfree.cpu\"],\"quotaDimensions\":[{\"id\":\"combined_job_hours\",\"scope\":\"Workspace\",\"quota\":1000},{\"id\":\"combined_job_hours\",\"scope\":\"Subscription\"},{\"id\":\"concurrent_cpu_jobs\",\"scope\":\"Workspace\",\"quota\":100}],\"pricingDetails\":[{\"id\":\"targets\",\"value\":\"Simulated - Annealing
Parallel Tempering
Tabu Search
Substochastic Monte Carlo
Population - Annealing
all solvers above have a parameter-free mode

Quantum - Monte Carlo\"},{\"id\":\"perf\",\"value\":\"CPU based: Up to 100 concurrent - jobs\"},{\"id\":\"quota\",\"value\":\"Up to 50,000 hours / month\"},{\"id\":\"price\",\"value\":\"Pay - as you go
1 free hour included

See - pricing sheet\"}]},{\"id\":\"EarlyAccess\",\"version\":\"1.0\",\"name\":\"Early - Access\",\"description\":\"Help us test new capabilities in our Microsoft - Optimization provider. This SKU is available to a select group of users and - limited to targets that we are currently running an Early Access test for.\",\"autoAdd\":false,\"targets\":[],\"quotaDimensions\":[{\"id\":\"combined_job_hours\",\"scope\":\"Workspace\",\"quota\":10},{\"id\":\"combined_job_hours\",\"scope\":\"Subscription\"},{\"id\":\"concurrent_cpu_jobs\",\"scope\":\"Workspace\"}],\"pricingDetails\":[{\"id\":\"targets\",\"value\":\"No - available targets.\"},{\"id\":\"quota\",\"value\":\"CPU based: 10 hours / - month\"},{\"id\":\"price\",\"value\":\"$ 0\"}]}],\"quotaDimensions\":[{\"id\":\"combined_job_hours\",\"scope\":\"Workspace\",\"quota\":5,\"period\":\"Monthly\",\"name\":\"CPU - Solver Hours [Workspace]\",\"description\":\"The amount of CPU solver time - you may use per month within this workspace\",\"unit\":\"hour\",\"unitPlural\":\"hours\"},{\"id\":\"combined_job_hours\",\"scope\":\"Subscription\",\"quota\":1000,\"period\":\"Monthly\",\"name\":\"CPU - Solver Hours [Subscription]\",\"description\":\"The amount of CPU solver time - you may use per month shared by all workspaces within the subscription\",\"unit\":\"hour\",\"unitPlural\":\"hours\"},{\"id\":\"concurrent_cpu_jobs\",\"scope\":\"Workspace\",\"quota\":5}],\"pricingDimensions\":[{\"id\":\"targets\",\"name\":\"Targets - available\"},{\"id\":\"perf\",\"name\":\"Performance\"},{\"id\":\"quota\",\"name\":\"Quota\"},{\"id\":\"price\",\"name\":\"Price - per month\"}]}},{\"id\":\"microsoft-qc\",\"name\":\"Microsoft Quantum Computing\",\"properties\":{\"description\":\"Prepare - for fault-tolerant quantum computing with Microsoft specific tools and services, - including the Azure Quantum Resource Estimator.\",\"providerType\":\"qe\",\"company\":\"Microsoft\",\"managedApplication\":{\"publisherId\":\"N/A\",\"offerId\":\"N/A\"},\"targets\":[{\"id\":\"microsoft.estimator\",\"name\":\"Resource - Estimator\",\"acceptedDataFormats\":[\"microsoft.qir.v1\",\"qir.v1\"],\"acceptedContentEncodings\":[\"identity\"]}],\"skus\":[{\"id\":\"learn-and-develop\",\"version\":\"1.0\",\"name\":\"Learn - & Develop\",\"description\":\"Free plan including access to hosted notebooks - with pre-configured support for Q#, Qiskit and Cirq, noisy simulator and Azure - Quantum Resource Estimator.\",\"autoAdd\":true,\"targets\":[\"microsoft.estimator\"],\"quotaDimensions\":[{\"id\":\"concurrent_resource_estimator_jobs\",\"scope\":\"Workspace\"}],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Resource - Estimator

Designed specifically for scaled quantum systems, Azure - Quantum Resource Estimator provides estimates for the number of physical qubits - and runtime required to execute quantum applications on post-NISQ, fault-tolerant - systems.\"},{\"id\":\"quota\",\"value\":\"Up to 10 concurrent jobs.\"},{\"id\":\"price\",\"value\":\"Free - usage.\"}]}],\"quotaDimensions\":[{\"id\":\"concurrent_resource_estimator_jobs\",\"scope\":\"Workspace\",\"quota\":10}],\"pricingDimensions\":[{\"id\":\"features\",\"name\":\"Features\"},{\"id\":\"quota\",\"name\":\"Quota\"},{\"id\":\"price\",\"name\":\"Pricing\"}]}},{\"id\":\"Microsoft.FleetManagement\",\"name\":\"Microsoft - Fleet Management Solution\",\"properties\":{\"description\":\"(Preview) Leverage - Azure Quantum's advanced optimization algorithms to solve fleet management - problems.\",\"providerType\":\"qio\",\"company\":\"Microsoft\",\"managedApplication\":{\"publisherId\":\"N/A\",\"offerId\":\"N/A\"},\"targets\":[{\"id\":\"microsoft.fleetmanagement\",\"name\":\"microsoft.fleetmanagement\",\"acceptedDataFormats\":[\"microsoft.fleetmanagement.v1\"],\"acceptedContentEncodings\":[\"gzip\"]}],\"skus\":[{\"id\":\"Basic\",\"version\":\"1.0\",\"name\":\"Private - Preview\",\"description\":\"Private preview fleet management SKU.\",\"autoAdd\":false,\"targets\":[\"microsoft.fleetManagement\"],\"quotaDimensions\":[{\"id\":\"combined_job_hours\",\"scope\":\"Workspace\"},{\"id\":\"combined_job_hours\",\"scope\":\"Subscription\"},{\"id\":\"concurrent_cpu_jobs\",\"scope\":\"Workspace\"}]}],\"quotaDimensions\":[{\"id\":\"combined_job_hours\",\"scope\":\"Workspace\",\"quota\":20,\"period\":\"Monthly\",\"name\":\"Job - Hours [Workspace]\",\"description\":\"The amount of job time you may use per - month within this workspace\",\"unit\":\"hour\",\"unitPlural\":\"hours\"},{\"id\":\"combined_job_hours\",\"scope\":\"Subscription\",\"quota\":1000,\"period\":\"Monthly\",\"name\":\"Job - Hours [Subscription]\",\"description\":\"The amount of job time you may use - per month shared by all workspaces within the subscription\",\"unit\":\"hour\",\"unitPlural\":\"hours\"},{\"id\":\"concurrent_cpu_jobs\",\"scope\":\"Workspace\",\"quota\":5}]}},{\"id\":\"Microsoft.Simulator\",\"name\":\"Microsoft - Simulation Tools\",\"properties\":{\"description\":\"Microsoft Simulation - Tools.\",\"providerType\":\"qe\",\"company\":\"Microsoft\",\"managedApplication\":{\"publisherId\":\"N/A\",\"offerId\":\"N/A\"},\"targets\":[{\"id\":\"microsoft.simulator.resources-estimator\",\"name\":\"Quantum - Resources Estimator\",\"acceptedDataFormats\":[\"microsoft.qir.v1\",\"qir.v1\"],\"acceptedContentEncodings\":[\"gzip\"]}],\"skus\":[{\"id\":\"resources-estimator-preview\",\"version\":\"1.0\",\"name\":\"Resource - Estimation Private Preview\",\"description\":\"Private preview plan for resource - estimation. Provider and target names may change upon public preview.\",\"autoAdd\":false,\"targets\":[\"microsoft.simulator.resources-estimator\"],\"quotaDimensions\":[{\"id\":\"concurrent_resource_estimator_jobs\",\"scope\":\"Workspace\"}]}],\"quotaDimensions\":[{\"id\":\"simulator_job_hours\",\"scope\":\"Workspace\",\"quota\":20,\"period\":\"Monthly\",\"name\":\"Simulator - Hours [Workspace]\",\"description\":\"The amount of simulator time you may - use per month within this workspace\",\"unit\":\"hour\",\"unitPlural\":\"hours\"},{\"id\":\"simulator_job_hours\",\"scope\":\"Subscription\",\"quota\":1000,\"period\":\"Monthly\",\"name\":\"Simulator - Hours [Subscription]\",\"description\":\"The amount of simulator time you - may use per month shared by all workspaces within the subscription\",\"unit\":\"hour\",\"unitPlural\":\"hours\"},{\"id\":\"concurrent_simulator_jobs\",\"scope\":\"Workspace\",\"quota\":5},{\"id\":\"concurrent_resource_estimator_jobs\",\"scope\":\"Workspace\",\"quota\":10}]}},{\"id\":\"Microsoft.Test\",\"name\":\"Microsoft - Test Provider\",\"properties\":{\"description\":\"Microsoft Test Provider\",\"providerType\":\"qe\",\"company\":\"Microsoft\",\"managedApplication\":{\"publisherId\":\"microsoft_qio\",\"offerId\":\"samplepartner-aq-preview\"},\"targets\":[{\"id\":\"echo-rigetti\",\"name\":\"echo-rigetti\",\"acceptedDataFormats\":[\"rigetti.qir.v1\"],\"acceptedContentEncodings\":[\"identity\"]},{\"id\":\"echo-quantinuum\",\"name\":\"echo-quantinuum\",\"acceptedDataFormats\":[\"honeywell.qir.v1\"],\"acceptedContentEncodings\":[\"identity\"]},{\"id\":\"echo-qci\",\"name\":\"echo-qci\",\"acceptedDataFormats\":[\"qci.qir.v1\"],\"acceptedContentEncodings\":[\"identity\"]},{\"id\":\"echo-output\",\"name\":\"echo-output\",\"acceptedDataFormats\":[\"microsoft.quantum-log.v1.1\",\"microsoft.quantum-log.v2.1\",\"microsoft.quantum-log.v1\",\"microsoft.quantum-log.v2\"],\"acceptedContentEncodings\":[\"identity\"]}],\"skus\":[{\"id\":\"sample-plan-3\",\"version\":\"1.0.4\",\"name\":\"Standard\",\"description\":\"Standard - services\",\"autoAdd\":false,\"targets\":[\"echo-rigetti\",\"echo-quantinuum\",\"echo-qci\",\"echo-output\"],\"pricingDetails\":[{\"id\":\"price\",\"value\":\"Free\"}]}],\"pricingDimensions\":[{\"id\":\"price\",\"name\":\"Pricing\"}]}},{\"id\":\"qci\",\"name\":\"Quantum - Circuits, Inc.\",\"properties\":{\"description\":\"Superconducting Circuits - Quantum Computing Systems\",\"providerType\":\"qe\",\"company\":\"Quantum - Circuits, Inc.\",\"managedApplication\":{\"publisherId\":\"quantumcircuitsinc1598045891596\",\"offerId\":\"qci-aq\"},\"targets\":[{\"id\":\"qci.machine1\",\"name\":\"Machine - 1\",\"description\":\"8-qubit quantum computing system with real-time control - flow capability.\",\"acceptedDataFormats\":[\"qci.qcdl.v1\",\"qci.qir.v1\"],\"acceptedContentEncodings\":[\"identity\"]},{\"id\":\"qci.simulator\",\"name\":\"AquSim\",\"description\":\"8-qubit - noise-free simulator.\",\"acceptedDataFormats\":[\"qci.qcdl.v1\",\"qci.qir.v1\"],\"acceptedContentEncodings\":[\"identity\"]},{\"id\":\"qci.simulator.noisy\",\"name\":\"AquSim-N\",\"description\":\"8-qubit - simulator that incorporates QCI's gate and measurement performance\",\"acceptedDataFormats\":[\"qci.qcdl.v1\",\"qci.qir.v1\"],\"acceptedContentEncodings\":[\"identity\"]}],\"skus\":[{\"id\":\"qci-syspreview\",\"version\":\"0.1.0\",\"name\":\"System - Preview\",\"description\":\"A metered pricing preview of QCI's Systems and - Simulators\",\"autoAdd\":false,\"targets\":[\"qci.simulator\",\"qci.machine1\",\"qci.simulator.noisy\"],\"quotaDimensions\":[{\"id\":\"jobcount\",\"scope\":\"Workspace\"}],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Integration - testing plan for Microsoft\"},{\"id\":\"quota\",\"value\":\"1000 jobs per - month\"},{\"id\":\"price\",\"value\":\"\"}]},{\"id\":\"qci-syspreview-free\",\"version\":\"0.1.0\",\"name\":\"System - Preview Free\",\"description\":\"A free preview of QCI's Systems and Simulators\",\"autoAdd\":false,\"targets\":[\"qci.simulator\",\"qci.machine1\",\"qci.simulator.noisy\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Integration - testing plan for Microsoft\"},{\"id\":\"quota\",\"value\":\"Unlimited jobs\"},{\"id\":\"price\",\"value\":\"\"}]},{\"id\":\"qci-freepreview\",\"version\":\"0.1.0\",\"name\":\"System - Preview (Free)\",\"description\":\"A free preview of QCI's simulators and - quantum systems.\",\"autoAdd\":false,\"targets\":[\"qci.simulator\",\"qci.machine1\",\"qci.simulator.noisy\"],\"quotaDimensions\":[{\"id\":\"jobcount\",\"scope\":\"Workspace\"}],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Machine - 1 Quantum System and the AquSim Quantum Simulator\"},{\"id\":\"quota\",\"value\":\"1000 - jobs per month\"},{\"id\":\"price\",\"value\":\"\"}]}],\"quotaDimensions\":[{\"id\":\"jobcount\",\"scope\":\"Workspace\",\"quota\":1000,\"period\":\"Monthly\",\"name\":\"Job - Count\",\"description\":\"Number of jobs you can run in a month.\",\"unit\":\"job\",\"unitPlural\":\"jobs\"}],\"pricingDimensions\":[{\"id\":\"features\",\"name\":\"Features\"},{\"id\":\"quota\",\"name\":\"Quota\"},{\"id\":\"price\",\"name\":\"Pricing\"}]}},{\"id\":\"quantinuum\",\"name\":\"Quantinuum\",\"properties\":{\"description\":\"Access - to Quantinuum trapped-ion systems\",\"providerType\":\"qe\",\"company\":\"Quantinuum\",\"managedApplication\":{\"publisherId\":\"quantinuumllc1640113159771\",\"offerId\":\"quantinuum-aq\"},\"targets\":[{\"id\":\"quantinuum.hqs-lt-s1\",\"name\":\"Quantinuum - H1-1\",\"description\":\"Quantinuum H1-1, Powered by Honeywell\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.qpu.h1-1\",\"name\":\"Quantinuum - H1-1\",\"description\":\"Quantinuum H1-1, Powered by Honeywell\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.hqs-lt-s2\",\"name\":\"Quantinuum - H1-2\",\"description\":\"Quantinuum H1-2, Powered by Honeywell\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.qpu.h1-2\",\"name\":\"Quantinuum - H1-2\",\"description\":\"Quantinuum H1-2, Powered by Honeywell\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.hqs-lt\",\"name\":\"Quantinuum - System Model: H1 Family\",\"description\":\"Quantinuum System Model H1 Family, - Powered by Honeywell\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.qpu.h1\",\"name\":\"Quantinuum - System Model: H1 Family\",\"description\":\"Quantinuum System Model H1 Family, - Powered by Honeywell\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.hqs-lt-s1-apival\",\"name\":\"Quantinuum - H1-1 Syntax Checker\",\"description\":\"Quantinuum H1-1 Syntax Checker\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.sim.h1-1sc\",\"name\":\"Quantinuum - H1-1 Syntax Checker\",\"description\":\"Quantinuum H1-1 Syntax Checker\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.hqs-lt-s2-apival\",\"name\":\"Quantinuum - H1-2 Syntax Checker\",\"description\":\"Quantinuum H1-2 Syntax Checker\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.sim.h1-2sc\",\"name\":\"Quantinuum - H1-2 Syntax Checker\",\"description\":\"Quantinuum H1-2 Syntax Checker\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.hqs-lt-s1-sim\",\"name\":\"Quantinuum - H1-1 Emulator\",\"description\":\"Quantinuum H1-1 Emulator\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.sim.h1-1e\",\"name\":\"Quantinuum - H1-1 Emulator\",\"description\":\"Quantinuum H1-1 Emulator\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.hqs-lt-s2-sim\",\"name\":\"Quantinuum - H1-2 Emulator\",\"description\":\"Quantinuum H1-2 Emulator\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.sim.h1-2e\",\"name\":\"Quantinuum - H1-2 Emulator\",\"description\":\"Quantinuum H1-2 Emulator\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.sim.h1-1sc-preview\",\"name\":\"Quantinuum - H1-1 Syntax Checker Preview\",\"description\":\"Quantinuum H1-1 Syntax Checker - Preview\",\"acceptedDataFormats\":[\"honeywell.qir.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.sim.h1-2sc-preview\",\"name\":\"Quantinuum - H1-2 Syntax Checker Preview\",\"description\":\"Quantinuum H1-2 Syntax Checker - Preview\",\"acceptedDataFormats\":[\"honeywell.qir.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.sim.h1-1e-preview\",\"name\":\"Quantinuum - H1-1 Emulator Preview\",\"description\":\"Quantinuum H1-1 Emulator Preview\",\"acceptedDataFormats\":[\"honeywell.qir.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.sim.h1-2e-preview\",\"name\":\"Quantinuum - H1-2 Emulator Preview\",\"description\":\"Quantinuum H1-2 Emulator Preview\",\"acceptedDataFormats\":[\"honeywell.qir.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.qpu.h1-1-preview\",\"name\":\"Quantinuum - H1-1 Preview\",\"description\":\"Quantinuum H1-1 Preview\",\"acceptedDataFormats\":[\"honeywell.qir.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.qpu.h1-2-preview\",\"name\":\"Quantinuum - H1-2 Preview\",\"description\":\"Quantinuum H1-2 Preview\",\"acceptedDataFormats\":[\"honeywell.qir.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]}],\"skus\":[{\"id\":\"credits1\",\"version\":\"1.0.0\",\"name\":\"Azure - Quantum Credits\",\"description\":\"The Azure Quantum Credits program provides - sponsored access to Quantinuum hardware through Azure. You will not be charged - for usage created under the credits program, up to the limit of your credit - grant.\",\"autoAdd\":true,\"targets\":[\"quantinuum.hqs-lt-s1\",\"quantinuum.hqs-lt-s1-apival\",\"quantinuum.hqs-lt-s2\",\"quantinuum.hqs-lt-s2-apival\",\"quantinuum.hqs-lt-s1-sim\",\"quantinuum.hqs-lt-s2-sim\",\"quantinuum.hqs-lt\",\"quantinuum.qpu.h1-1\",\"quantinuum.sim.h1-1sc\",\"quantinuum.qpu.h1-2\",\"quantinuum.sim.h1-2sc\",\"quantinuum.sim.h1-1e\",\"quantinuum.sim.h1-2e\",\"quantinuum.qpu.h1\"],\"quotaDimensions\":[{\"id\":\"hqc\",\"scope\":\"Subscription\"},{\"id\":\"ehqc\",\"scope\":\"Subscription\"}],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"System - Model H1 Syntax Checker
Quantinuum System Model H1 Emulator
Quantinuum - System Model H1, Powered by Honeywell\"},{\"id\":\"limits\",\"value\":\"Up - to $500 of Quantinuum compute, unless you have received an additional project-based grant.

While availability - lasts, credits must be used within 6 months.

Learn more about quota for credits.\"},{\"id\":\"price\",\"value\":\"Free, - up to the granted value of your credits.\"}]},{\"id\":\"premium1\",\"version\":\"1.0.0\",\"name\":\"Premium\",\"description\":\"Monthly - subscription plan with 17K Quantinuum H-System Quantum Credits (HQCs) / month, - available through queue\",\"autoAdd\":false,\"restrictedAccessUri\":\"mailto:QuantinuumAzureQuantumSupport@Quantinuum.com\",\"targets\":[\"quantinuum.hqs-lt-s1\",\"quantinuum.hqs-lt-s1-apival\",\"quantinuum.hqs-lt-s2\",\"quantinuum.hqs-lt-s2-apival\",\"quantinuum.hqs-lt-s1-sim\",\"quantinuum.hqs-lt-s2-sim\",\"quantinuum.hqs-lt\",\"quantinuum.qpu.h1-1\",\"quantinuum.sim.h1-1sc\",\"quantinuum.qpu.h1-2\",\"quantinuum.sim.h1-2sc\",\"quantinuum.sim.h1-1e\",\"quantinuum.sim.h1-2e\",\"quantinuum.qpu.h1\"],\"quotaDimensions\":[{\"id\":\"hqc\",\"scope\":\"Subscription\"},{\"id\":\"ehqc\",\"scope\":\"Subscription\"}],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Quantinuum - System Model H1 Syntax Checker
Quantinuum System Model H1 Emulator
Quantinuum System Model H1\"},{\"id\":\"limits\",\"value\":\"17K H-System - Quantum Credits (HQCs) / month\"},{\"id\":\"price\",\"value\":\"$ 175,000 - USD / Month\"}]},{\"id\":\"standard1\",\"version\":\"1.0.0\",\"name\":\"Standard\",\"description\":\"Monthly - subscription plan with 10K Quantinuum H-System quantum credits (HQCs) / month, - available through queue\",\"autoAdd\":false,\"restrictedAccessUri\":\"mailto:QuantinuumAzureQuantumSupport@Quantinuum.com\",\"targets\":[\"quantinuum.hqs-lt-s1\",\"quantinuum.hqs-lt-s1-apival\",\"quantinuum.hqs-lt-s2\",\"quantinuum.hqs-lt-s2-apival\",\"quantinuum.hqs-lt-s1-sim\",\"quantinuum.hqs-lt-s2-sim\",\"quantinuum.hqs-lt\",\"quantinuum.qpu.h1-1\",\"quantinuum.sim.h1-1sc\",\"quantinuum.qpu.h1-2\",\"quantinuum.sim.h1-2sc\",\"quantinuum.sim.h1-1e\",\"quantinuum.sim.h1-2e\",\"quantinuum.qpu.h1\"],\"quotaDimensions\":[{\"id\":\"hqc\",\"scope\":\"Subscription\"},{\"id\":\"ehqc\",\"scope\":\"Subscription\"}],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Quantinuum - System Model H1 Syntax Checker
Quantinuum System Model H1 Emulator
Quantinuum System Model H1\"},{\"id\":\"limits\",\"value\":\"10K H-System - Quantum Credits (HQCs) / month\"},{\"id\":\"price\",\"value\":\"$ 125,000 - USD / Month\"}]},{\"id\":\"test1\",\"version\":\"1.0.0\",\"name\":\"Partner - Access\",\"description\":\"Charge-free access to Quantinuum System Model H1 - for Azure integration verification\",\"autoAdd\":false,\"targets\":[\"quantinuum.hqs-lt-s1\",\"quantinuum.hqs-lt-s1-apival\",\"quantinuum.hqs-lt-s2\",\"quantinuum.hqs-lt-s2-apival\",\"quantinuum.hqs-lt-s1-sim\",\"quantinuum.hqs-lt-s2-sim\",\"quantinuum.hqs-lt\",\"quantinuum.qpu.h1-1\",\"quantinuum.sim.h1-1sc\",\"quantinuum.qpu.h1-2\",\"quantinuum.sim.h1-2sc\",\"quantinuum.sim.h1-1e\",\"quantinuum.sim.h1-2e\",\"quantinuum.qpu.h1\",\"quantinuum.sim.h1-1sc-preview\",\"quantinuum.sim.h1-2sc-preview\",\"quantinuum.sim.h1-1e-preview\",\"quantinuum.sim.h1-2e-preview\",\"quantinuum.qpu.h1-1-preview\",\"quantinuum.qpu.h1-2-preview\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Quantinuum - System Model H1 Syntax Checker
Quantinuum System Model H1 Emulator
Quantinuum System Model H1\"},{\"id\":\"limits\",\"value\":\"No limit for - integration testing\"},{\"id\":\"price\",\"value\":\"Free for validation\"}]}],\"quotaDimensions\":[{\"id\":\"hqc\",\"scope\":\"Subscription\",\"quota\":40,\"period\":\"Infinite\",\"name\":\"H-System - Quantum Credit (HQC)\",\"description\":\"H-System Quantum Credits (HQCs) are - used to calculate the cost of a job. See Quantinuum documentation for more - information.\",\"unit\":\"HQC\",\"unitPlural\":\"HQC's\"},{\"id\":\"ehqc\",\"scope\":\"Subscription\",\"quota\":400,\"period\":\"Infinite\",\"name\":\"Emulator - HQCs (eHQC)\",\"description\":\"Quantinuum Emulator H-System Quantum Credits - (eHQCs) are used for submission to the emulator.\",\"unit\":\"EHQC\",\"unitPlural\":\"EHQC's\"}],\"pricingDimensions\":[{\"id\":\"features\",\"name\":\"Features\"},{\"id\":\"limits\",\"name\":\"Limits\"},{\"id\":\"price\",\"name\":\"Pricing\"}]}},{\"id\":\"rigetti\",\"name\":\"Rigetti - Quantum\",\"properties\":{\"description\":\"Run quantum programs on Rigetti's - superconducting qubit-based quantum processors.\",\"providerType\":\"qe\",\"company\":\"Rigetti - Computing\",\"managedApplication\":{\"publisherId\":\"rigetticoinc1644276861431\",\"offerId\":\"rigetti-aq\"},\"targets\":[{\"id\":\"rigetti.sim.qvm\",\"name\":\"QVM\",\"description\":\"Simulate - Quil and QIR programs on the open-source Quantum Virtual Machine.\",\"acceptedDataFormats\":[\"rigetti.quil.v1\",\"rigetti.qir.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"rigetti.qpu.aspen-11\",\"name\":\"Aspen-11\",\"description\":\"A - 40-Qubit QPU\",\"acceptedDataFormats\":[\"rigetti.quil.v1\",\"rigetti.qir.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"rigetti.qpu.aspen-m-2\",\"name\":\"Aspen-M-2\",\"description\":\"An - 80-Qubit QPU\",\"acceptedDataFormats\":[\"rigetti.quil.v1\",\"rigetti.qir.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"rigetti.qpu.aspen-m-3\",\"name\":\"Aspen-M-3\",\"description\":\"An - 80-Qubit QPU\",\"acceptedDataFormats\":[\"rigetti.quil.v1\",\"rigetti.qir.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]}],\"skus\":[{\"id\":\"rigetti-private-beta-metered\",\"version\":\"0.0.0\",\"name\":\"Metered - Private Preview\",\"description\":\"Limited-time free access to Rigetti quantum - computers with the ability to see your utilization.\",\"autoAdd\":false,\"targets\":[\"rigetti.sim.qvm\",\"rigetti.qpu.aspen-11\",\"rigetti.qpu.aspen-m-2\",\"rigetti.qpu.aspen-m-3\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Learn more about - Rigetti Targets\"},{\"id\":\"quota\",\"value\":\"This plan has no quota.\"},{\"id\":\"price\",\"value\":\"This - plan is free.\"}]},{\"id\":\"rigetti-pay-as-you-go\",\"version\":\"0.0.0\",\"name\":\"Pay - As You Go\",\"description\":\"Pay-as-you-go access to Rigetti quantum computers.\",\"autoAdd\":false,\"targets\":[\"rigetti.sim.qvm\",\"rigetti.qpu.aspen-11\",\"rigetti.qpu.aspen-m-2\",\"rigetti.qpu.aspen-m-3\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Learn more about - Rigetti Targets\"},{\"id\":\"quota\",\"value\":\"This plan has no quota.\"},{\"id\":\"price\",\"value\":\"$0.02 - per 10 milliseconds (rounded up) of QPU execution time.\"}]},{\"id\":\"azure-quantum-credits\",\"version\":\"0.0.0\",\"name\":\"Azure - Quantum Credits\",\"description\":\"Pay with Azure credits for access to Rigetti - quantum computers.\",\"autoAdd\":true,\"targets\":[\"rigetti.sim.qvm\",\"rigetti.qpu.aspen-11\",\"rigetti.qpu.aspen-m-2\",\"rigetti.qpu.aspen-m-3\"],\"quotaDimensions\":[{\"id\":\"provider-credit\",\"scope\":\"Subscription\"}],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Learn more about - Rigetti Targets\"},{\"id\":\"quota\",\"value\":\"$500 worth of Rigetti - compute, unless you have received an additional project-based grant.

While availability - lasts, credits must be used within 6 months.

Learn more about quota for credits.\"},{\"id\":\"price\",\"value\":\"Free, - up to the granted value of your credits.
Credits consumed on the base - of $0.02 (credits) per 10 milliseconds (rounded up) of QPU execution time.\"}]}],\"quotaDimensions\":[{\"id\":\"provider-credit\",\"scope\":\"Subscription\",\"quota\":25000,\"period\":\"Infinite\",\"name\":\"QPU - Credits\",\"description\":\"One credit covers 10 milliseconds of QPU execution - time, which normally costs $0.02.\",\"unit\":\"credit\",\"unitPlural\":\"credits\"}],\"pricingDimensions\":[{\"id\":\"features\",\"name\":\"Features\"},{\"id\":\"quota\",\"name\":\"Quota\"},{\"id\":\"price\",\"name\":\"Pricing\"}]}},{\"id\":\"toshiba\",\"name\":\"SQBM+ - Cloud on Azure Quantum\",\"properties\":{\"description\":\"A GPU-powered ISING - machine featuring the Simulated Bifurcation algorithm inspired by Toshiba's - research on quantum computing.\",\"providerType\":\"qio\",\"company\":\"Toshiba - Digital Solutions Corporation\",\"managedApplication\":{\"publisherId\":\"2812187\",\"offerId\":\"toshiba-aq\"},\"targets\":[{\"id\":\"toshiba.sbm.ising\",\"name\":\"Ising - solver\",\"description\":\"Originated from research on quantum bifurcation - machines, the SQBM+ is a practical and ready-to-use ISING machine that solves - large-scale \\\"combinatorial optimization problems\\\" at high speed.\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]}],\"skus\":[{\"id\":\"toshiba-solutionseconds\",\"version\":\"1.0.1\",\"name\":\"Pay - As You Go\",\"description\":\"This is the only plan for using SQBM+ in Azure - Quantum Private Preview.\",\"autoAdd\":false,\"targets\":[\"toshiba.sbm.ising\"],\"pricingDetails\":[{\"id\":\"targets\",\"value\":\"toshiba.sbm.ising\"},{\"id\":\"quota\",\"value\":\"No - limit\"},{\"id\":\"price\",\"value\":\"This plan is available for free during - private preview.\"}]},{\"id\":\"learn_and_develop\",\"version\":\"1.0.1\",\"name\":\"Learn - & Develop\",\"description\":\"Learn and develop with SQBM+ (not for operational - use).\",\"autoAdd\":false,\"targets\":[\"toshiba.sbm.ising\"],\"quotaDimensions\":[{\"id\":\"learn_and_develop_concurrent_jobs\",\"scope\":\"Workspace\"},{\"id\":\"learn_and_develop_job_execution_time\",\"scope\":\"Subscription\"}],\"pricingDetails\":[{\"id\":\"targets\",\"value\":\"toshiba.sbm.ising\"},{\"id\":\"quota\",\"value\":\"

Up - to 1 concurrent jobs.

1 hour of compute per month.

\"},{\"id\":\"price\",\"value\":\"This - value loaded from partner center.\"}]},{\"id\":\"performance_at_scale\",\"version\":\"1.0.1\",\"name\":\"Performance - at scale\",\"description\":\"Deploy world-class SQBM+ solutions.\",\"autoAdd\":false,\"targets\":[\"toshiba.sbm.ising\"],\"quotaDimensions\":[{\"id\":\"performance_at_scale_concurrent_jobs\",\"scope\":\"Workspace\"},{\"id\":\"performance_at_scale_job_execution_time\",\"scope\":\"Subscription\"}],\"pricingDetails\":[{\"id\":\"targets\",\"value\":\"toshiba.sbm.ising\"},{\"id\":\"quota\",\"value\":\"

Up - to 3 concurrent jobs.

2,500 hours of compute per month.

\"},{\"id\":\"price\",\"value\":\"This - value loaded from partner center.\"}]}],\"quotaDimensions\":[{\"id\":\"learn_and_develop_concurrent_jobs\",\"scope\":\"Workspace\",\"quota\":1,\"name\":\"Concurrent - jobs\",\"description\":\"The number of jobs that you can submit within a single - workspace at the same time.\",\"unit\":\"job\",\"unitPlural\":\"jobs\"},{\"id\":\"learn_and_develop_job_execution_time\",\"scope\":\"Subscription\",\"quota\":1,\"period\":\"Monthly\",\"name\":\"Computing - hours per month\",\"description\":\"Computing hours within a subscription - per month.\",\"unit\":\"hour\",\"unitPlural\":\"hours\"},{\"id\":\"performance_at_scale_concurrent_jobs\",\"scope\":\"Workspace\",\"quota\":3,\"name\":\"Concurrent - jobs\",\"description\":\"The number of jobs that you can submit within a single - workspace at the same time.\",\"unit\":\"job\",\"unitPlural\":\"jobs\"},{\"id\":\"performance_at_scale_job_execution_time\",\"scope\":\"Subscription\",\"quota\":2500,\"period\":\"Monthly\",\"name\":\"Computing - hours per month\",\"description\":\"Computing hours within a subscription - per month.\",\"unit\":\"hour\",\"unitPlural\":\"hours\"}],\"pricingDimensions\":[{\"id\":\"targets\",\"name\":\"Targets - available\"},{\"id\":\"quota\",\"name\":\"Quota\"},{\"id\":\"price\",\"name\":\"Price - per month\"}]}}]}" - headers: - cache-control: - - no-cache - content-length: - - '41041' - content-type: - - application/json; charset=utf-8 - date: - - Fri, 20 Jan 2023 19:03:42 GMT - expires: - - '-1' - mise-correlation-id: - - 6fb27320-9d0e-4bdc-b7de-6b933b77ed92 - pragma: - - no-cache - request-context: - - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f - set-cookie: - - ARRAffinity=8ff86c9a27601d7f5b6518ec4d18af424875e57b5b1d58a058e5ff9db2bf1a1f;Path=/;HttpOnly;Secure;Domain=rpcontrol-eastus.azurewebsites.net - - ARRAffinitySameSite=8ff86c9a27601d7f5b6518ec4d18af424875e57b5b1d58a058e5ff9db2bf1a1f;Path=/;HttpOnly;SameSite=None;Secure;Domain=rpcontrol-eastus.azurewebsites.net - - ASLBSA=0003d40efdced3b125786ca8cb22325eb49a925b534478081c4d828d5b638143f548; - path=/; secure - - ASLBSACORS=0003d40efdced3b125786ca8cb22325eb49a925b534478081c4d828d5b638143f548; - samesite=none; path=/; secure - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-azure-ref: - - 0jeXKYwAAAABWUw/wC54bSakoyGo90fgfTU5aMjIxMDYwNjE0MDI5AGU0ODIyNTNiLTllMDUtNDA1ZS1hODNmLTU4NmVlMWQ1NTNlNA== - x-cache: - - CONFIG_NOCACHE - x-content-type-options: - - nosniff - x-ms-providerhub-traffic: - - 'True' - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - quantum workspace create - Connection: - - keep-alive - ParameterSetName: - - -g -w -l -a -r - User-Agent: - - AZURECLI/2.44.1 azsdk-python-mgmt-marketplaceordering/1.1.0 Python/3.10.6 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/virtualmachine/publishers/ionqinc1582730893633/offers/ionq-aq/plans/pay-as-you-go-cred/agreements/current?api-version=2021-01-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/VirtualMachine/publishers/ionqinc1582730893633/offers/ionq-aq/plans/pay-as-you-go-cred/agreements/current","name":"pay-as-you-go-cred","type":"Microsoft.MarketplaceOrdering/offertypes","properties":{"publisher":"ionqinc1582730893633","product":"ionq-aq","plan":"pay-as-you-go-cred","licenseTextLink":"https://mpcprodsa.blob.core.windows.net/legalterms/3E5ED_legalterms_IONQINC1582730893633%253a24IONQ%253a2DAQ%253a24PAY%253a2DAS%253a2DYOU%253a2DGO%253a2DCRED%253a247ODGLEAK7RQISNHUEU4KJYVC6QLVZF5IANNQFGBHOKJMXWIW3OPRUADLB63ROSGS5FVYSHLINGX5BK7GF7Y2ZO24HKBHSPKMXBHFBAQ.txt","privacyPolicyLink":"https://ionq.com/privacy","marketplaceTermsLink":"https://mpcprodsa.blob.core.windows.net/marketplaceterms/3EDEF_marketplaceterms_AZUREAPPLICATION%253a24OF7TIMHFEMPZHRBYEO3SVLC7Q2MPXXAASJ5BO2FUY4UC6EZCN5TIL2KIGTA7WI2CSM3WV4L7QMPNRYPE2I7BOCM34RGOL3XTC6ADIMI.txt","retrieveDatetime":"2023-01-20T19:03:45.6167933Z","signature":"RVA52GI5HVUXDUK4L33MCQRODA7OXRLVZLREDVXSWOTOP2RUWMQKSX52PVAHNZC5VHW2GFCXHDN5YOYJBXQUB63S74JQOHTHOQK3WRA","accepted":true},"systemData":{"createdBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","createdByType":"ManagedIdentity","createdAt":"2023-01-20T19:03:45.8355212+00:00","lastModifiedBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","lastModifiedByType":"ManagedIdentity","lastModifiedAt":"2023-01-20T19:03:45.8355212+00:00"}}' - headers: - cache-control: - - no-cache - content-length: - - '1448' - content-type: - - application/json; charset=utf-8 - date: - - Fri, 20 Jan 2023 19:03:45 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-frame-options: - - SAMEORIGIN - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - quantum workspace create - Connection: - - keep-alive - ParameterSetName: - - -g -w -l -a -r - User-Agent: - - AZURECLI/2.44.1 azsdk-python-mgmt-marketplaceordering/1.1.0 Python/3.10.6 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/virtualmachine/publishers/quantinuumllc1640113159771/offers/quantinuum-aq/plans/credits1/agreements/current?api-version=2021-01-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/VirtualMachine/publishers/quantinuumllc1640113159771/offers/quantinuum-aq/plans/credits1/agreements/current","name":"credits1","type":"Microsoft.MarketplaceOrdering/offertypes","properties":{"publisher":"quantinuumllc1640113159771","product":"quantinuum-aq","plan":"credits1","licenseTextLink":"https://mpcprodsa.blob.core.windows.net/legalterms/3E5ED_legalterms_QUANTINUUMLLC1640113159771%253a24QUANTINUUM%253a2DAQ%253a24CREDITS1%253a24U3AGC77IHGZ5FLJYZ6QWF357B7LQHG6PW5CSVK7VKS2YGVWO4OBIOCCOCSXJEEP6BMMDOPFM4ETZZYATWBPM2EFN4YT4KWM6QDFMTOY.txt","privacyPolicyLink":"https://www.quantinuum.com/privacy-statement","marketplaceTermsLink":"https://mpcprodsa.blob.core.windows.net/marketplaceterms/3EDEF_marketplaceterms_AZUREAPPLICATION%253a24OF7TIMHFEMPZHRBYEO3SVLC7Q2MPXXAASJ5BO2FUY4UC6EZCN5TIL2KIGTA7WI2CSM3WV4L7QMPNRYPE2I7BOCM34RGOL3XTC6ADIMI.txt","retrieveDatetime":"2023-01-20T19:03:48.1858181Z","signature":"NBVQZQ7KPMHVGW6AGK2X4C2Y2DZSYN36RUPQYOS5E3Z6A7TI4B2O4HY2NBBVN65QEDMEBJ3GNY33IJALILC26JAG6DPQ6LFKAVRNBIQ","accepted":true},"systemData":{"createdBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","createdByType":"ManagedIdentity","createdAt":"2023-01-20T19:03:48.2483186+00:00","lastModifiedBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","lastModifiedByType":"ManagedIdentity","lastModifiedAt":"2023-01-20T19:03:48.2483186+00:00"}}' - headers: - cache-control: - - no-cache - content-length: - - '1440' - content-type: - - application/json; charset=utf-8 - date: - - Fri, 20 Jan 2023 19:03:47 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-frame-options: - - SAMEORIGIN - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - quantum workspace create - Connection: - - keep-alive - ParameterSetName: - - -g -w -l -a -r - User-Agent: - - AZURECLI/2.44.1 azsdk-python-mgmt-marketplaceordering/1.1.0 Python/3.10.6 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/virtualmachine/publishers/rigetticoinc1644276861431/offers/rigetti-aq/plans/azure-quantum-credits/agreements/current?api-version=2021-01-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/VirtualMachine/publishers/rigetticoinc1644276861431/offers/rigetti-aq/plans/azure-quantum-credits/agreements/current","name":"azure-quantum-credits","type":"Microsoft.MarketplaceOrdering/offertypes","properties":{"publisher":"rigetticoinc1644276861431","product":"rigetti-aq","plan":"azure-quantum-credits","licenseTextLink":"https://mpcprodsa.blob.core.windows.net/legalterms/3E5ED_legalterms_RIGETTICOINC1644276861431%253a24RIGETTI%253a2DAQ%253a24AZURE%253a2DQUANTUM%253a2DCREDITS%253a24H35R3FYQURHQDNSLAZ4YCHIHABQ4NR4UI66LMJ3K53EHCQWZJMC3BLGZODKSAMOQ4ZI5CVO37XQXKFBQ3YWK444S7B3XGBK67JHVZNI.txt","privacyPolicyLink":"https://www.rigetti.com/privacy-policy","marketplaceTermsLink":"https://mpcprodsa.blob.core.windows.net/marketplaceterms/3EDEF_marketplaceterms_AZUREAPPLICATION%253a24OF7TIMHFEMPZHRBYEO3SVLC7Q2MPXXAASJ5BO2FUY4UC6EZCN5TIL2KIGTA7WI2CSM3WV4L7QMPNRYPE2I7BOCM34RGOL3XTC6ADIMI.txt","retrieveDatetime":"2023-01-20T19:03:50.5480142Z","signature":"3ZNIUHASJWR27VXEU73UN4ONBFIFTGLIZGD6LGUPP3DQSFZQUYTIUZLUBM6BA275NWAGPOYTMBFYT2HMHCODZKUCROACCHX3WYW5B6Y","accepted":true},"systemData":{"createdBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","createdByType":"ManagedIdentity","createdAt":"2023-01-20T19:03:50.6261369+00:00","lastModifiedBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","lastModifiedByType":"ManagedIdentity","lastModifiedAt":"2023-01-20T19:03:50.6261369+00:00"}}' - headers: - cache-control: - - no-cache - content-length: - - '1486' - content-type: - - application/json; charset=utf-8 - date: - - Fri, 20 Jan 2023 19:03:50 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-frame-options: - - SAMEORIGIN - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - quantum workspace create - Connection: - - keep-alive - ParameterSetName: - - -g -w -l -a -r - User-Agent: - - AZURECLI/2.44.1 azsdk-python-mgmt-marketplaceordering/1.1.0 Python/3.10.6 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/virtualmachine/publishers/ionqinc1582730893633/offers/ionq-aq/plans/pay-as-you-go-cred/agreements/current?api-version=2021-01-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/VirtualMachine/publishers/ionqinc1582730893633/offers/ionq-aq/plans/pay-as-you-go-cred/agreements/current","name":"pay-as-you-go-cred","type":"Microsoft.MarketplaceOrdering/offertypes","properties":{"publisher":"ionqinc1582730893633","product":"ionq-aq","plan":"pay-as-you-go-cred","licenseTextLink":"https://mpcprodsa.blob.core.windows.net/legalterms/3E5ED_legalterms_IONQINC1582730893633%253a24IONQ%253a2DAQ%253a24PAY%253a2DAS%253a2DYOU%253a2DGO%253a2DCRED%253a247ODGLEAK7RQISNHUEU4KJYVC6QLVZF5IANNQFGBHOKJMXWIW3OPRUADLB63ROSGS5FVYSHLINGX5BK7GF7Y2ZO24HKBHSPKMXBHFBAQ.txt","privacyPolicyLink":"https://ionq.com/privacy","marketplaceTermsLink":"https://mpcprodsa.blob.core.windows.net/marketplaceterms/3EDEF_marketplaceterms_AZUREAPPLICATION%253a24OF7TIMHFEMPZHRBYEO3SVLC7Q2MPXXAASJ5BO2FUY4UC6EZCN5TIL2KIGTA7WI2CSM3WV4L7QMPNRYPE2I7BOCM34RGOL3XTC6ADIMI.txt","retrieveDatetime":"2023-01-20T19:03:53.3988364Z","signature":"WU7A7ZKOMRIX7E37VN263MXKYCIC4J3DG4JG5X2SL67WYHFSEGGCXN3XJUQGULILXH5RSMDQP6Q2VDS7TYCGLY34RBWCE4R623UE2YI","accepted":true},"systemData":{"createdBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","createdByType":"ManagedIdentity","createdAt":"2023-01-20T19:03:53.6332309+00:00","lastModifiedBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","lastModifiedByType":"ManagedIdentity","lastModifiedAt":"2023-01-20T19:03:53.6332309+00:00"}}' - headers: - cache-control: - - no-cache - content-length: - - '1448' - content-type: - - application/json; charset=utf-8 - date: - - Fri, 20 Jan 2023 19:03:53 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-frame-options: - - SAMEORIGIN - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - quantum workspace create - Connection: - - keep-alive - ParameterSetName: - - -g -w -l -a -r - User-Agent: - - AZURECLI/2.44.1 azsdk-python-mgmt-marketplaceordering/1.1.0 Python/3.10.6 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/virtualmachine/publishers/quantinuumllc1640113159771/offers/quantinuum-aq/plans/credits1/agreements/current?api-version=2021-01-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/VirtualMachine/publishers/quantinuumllc1640113159771/offers/quantinuum-aq/plans/credits1/agreements/current","name":"credits1","type":"Microsoft.MarketplaceOrdering/offertypes","properties":{"publisher":"quantinuumllc1640113159771","product":"quantinuum-aq","plan":"credits1","licenseTextLink":"https://mpcprodsa.blob.core.windows.net/legalterms/3E5ED_legalterms_QUANTINUUMLLC1640113159771%253a24QUANTINUUM%253a2DAQ%253a24CREDITS1%253a24U3AGC77IHGZ5FLJYZ6QWF357B7LQHG6PW5CSVK7VKS2YGVWO4OBIOCCOCSXJEEP6BMMDOPFM4ETZZYATWBPM2EFN4YT4KWM6QDFMTOY.txt","privacyPolicyLink":"https://www.quantinuum.com/privacy-statement","marketplaceTermsLink":"https://mpcprodsa.blob.core.windows.net/marketplaceterms/3EDEF_marketplaceterms_AZUREAPPLICATION%253a24OF7TIMHFEMPZHRBYEO3SVLC7Q2MPXXAASJ5BO2FUY4UC6EZCN5TIL2KIGTA7WI2CSM3WV4L7QMPNRYPE2I7BOCM34RGOL3XTC6ADIMI.txt","retrieveDatetime":"2023-01-20T19:03:56.243642Z","signature":"QBU5N5FDU72W4O7S6LJ6ZFB4Q7VIWXANZMH7H35ILYEBGOYC5BH7F2FFQEUSMJQYDMGIQW5FWFXPKQGOFVXNQRUQIGVH4SKDI3J7XCQ","accepted":true},"systemData":{"createdBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","createdByType":"ManagedIdentity","createdAt":"2023-01-20T19:03:56.338663+00:00","lastModifiedBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","lastModifiedByType":"ManagedIdentity","lastModifiedAt":"2023-01-20T19:03:56.338663+00:00"}}' - headers: - cache-control: - - no-cache - content-length: - - '1437' - content-type: - - application/json; charset=utf-8 - date: - - Fri, 20 Jan 2023 19:03:55 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-frame-options: - - SAMEORIGIN - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - quantum workspace create - Connection: - - keep-alive - ParameterSetName: - - -g -w -l -a -r - User-Agent: - - AZURECLI/2.44.1 azsdk-python-mgmt-marketplaceordering/1.1.0 Python/3.10.6 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/virtualmachine/publishers/rigetticoinc1644276861431/offers/rigetti-aq/plans/azure-quantum-credits/agreements/current?api-version=2021-01-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/VirtualMachine/publishers/rigetticoinc1644276861431/offers/rigetti-aq/plans/azure-quantum-credits/agreements/current","name":"azure-quantum-credits","type":"Microsoft.MarketplaceOrdering/offertypes","properties":{"publisher":"rigetticoinc1644276861431","product":"rigetti-aq","plan":"azure-quantum-credits","licenseTextLink":"https://mpcprodsa.blob.core.windows.net/legalterms/3E5ED_legalterms_RIGETTICOINC1644276861431%253a24RIGETTI%253a2DAQ%253a24AZURE%253a2DQUANTUM%253a2DCREDITS%253a24H35R3FYQURHQDNSLAZ4YCHIHABQ4NR4UI66LMJ3K53EHCQWZJMC3BLGZODKSAMOQ4ZI5CVO37XQXKFBQ3YWK444S7B3XGBK67JHVZNI.txt","privacyPolicyLink":"https://www.rigetti.com/privacy-policy","marketplaceTermsLink":"https://mpcprodsa.blob.core.windows.net/marketplaceterms/3EDEF_marketplaceterms_AZUREAPPLICATION%253a24OF7TIMHFEMPZHRBYEO3SVLC7Q2MPXXAASJ5BO2FUY4UC6EZCN5TIL2KIGTA7WI2CSM3WV4L7QMPNRYPE2I7BOCM34RGOL3XTC6ADIMI.txt","retrieveDatetime":"2023-01-20T19:03:58.875214Z","signature":"DX7EDC7PLJBK3N4ZGHHP4RC4VVI56IMEYH6SJQ3LFIOCXKXFW5ZUMKYH2EVLIEYWY2L72JLFKOO6TQ2GAGS4UDZ7EPMW5SKEFGOTOHA","accepted":true},"systemData":{"createdBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","createdByType":"ManagedIdentity","createdAt":"2023-01-20T19:03:58.9689391+00:00","lastModifiedBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","lastModifiedByType":"ManagedIdentity","lastModifiedAt":"2023-01-20T19:03:58.9689391+00:00"}}' - headers: - cache-control: - - no-cache - content-length: - - '1485' - content-type: - - application/json; charset=utf-8 - date: - - Fri, 20 Jan 2023 19:03:58 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-frame-options: - - SAMEORIGIN - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - quantum workspace create - Connection: - - keep-alive - ParameterSetName: - - -g -w -l -a -r - User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts?api-version=2022-09-01 - response: - body: - string: '{"value":[{"sku":{"name":"Standard_LRS","tier":"Standard"},"kind":"Storage","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2","name":"vwjonesstorage2","type":"Microsoft.Storage/storageAccounts","location":"eastus","tags":{},"properties":{"keyCreationTime":{"key1":"2021-09-21T22:04:47.1374328Z","key2":"2021-09-21T22:04:47.1374328Z"},"privateEndpointConnections":[],"minimumTlsVersion":"TLS1_0","allowBlobPublicAccess":true,"networkAcls":{"bypass":"AzureServices","virtualNetworkRules":[],"ipRules":[],"defaultAction":"Allow"},"supportsHttpsTrafficOnly":true,"encryption":{"services":{"file":{"keyType":"Account","enabled":true,"lastEnabledTime":"2021-09-21T22:04:47.1374328Z"},"blob":{"keyType":"Account","enabled":true,"lastEnabledTime":"2021-09-21T22:04:47.1374328Z"}},"keySource":"Microsoft.Storage"},"provisioningState":"Succeeded","creationTime":"2021-09-21T22:04:47.0124593Z","primaryEndpoints":{"blob":"https://vwjonesstorage2.blob.core.windows.net/","queue":"https://vwjonesstorage2.queue.core.windows.net/","table":"https://vwjonesstorage2.table.core.windows.net/","file":"https://vwjonesstorage2.file.core.windows.net/"},"primaryLocation":"eastus","statusOfPrimary":"available"}},{"sku":{"name":"Standard_LRS","tier":"Standard"},"kind":"Storage","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage3","name":"vwjonesstorage3","type":"Microsoft.Storage/storageAccounts","location":"eastus","tags":{},"properties":{"keyCreationTime":{"key1":"2022-08-11T18:41:05.2371860Z","key2":"2022-08-11T18:41:05.2371860Z"},"privateEndpointConnections":[],"minimumTlsVersion":"TLS1_0","allowBlobPublicAccess":true,"networkAcls":{"bypass":"AzureServices","virtualNetworkRules":[],"ipRules":[],"defaultAction":"Allow"},"supportsHttpsTrafficOnly":true,"encryption":{"services":{"file":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-08-11T18:41:05.2371860Z"},"blob":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-08-11T18:41:05.2371860Z"}},"keySource":"Microsoft.Storage"},"provisioningState":"Succeeded","creationTime":"2022-08-11T18:41:05.0652888Z","primaryEndpoints":{"blob":"https://vwjonesstorage3.blob.core.windows.net/","queue":"https://vwjonesstorage3.queue.core.windows.net/","table":"https://vwjonesstorage3.table.core.windows.net/","file":"https://vwjonesstorage3.file.core.windows.net/"},"primaryLocation":"eastus","statusOfPrimary":"available"}},{"sku":{"name":"Standard_LRS","tier":"Standard"},"kind":"Storage","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage33310","name":"vwjonesstorage33310","type":"Microsoft.Storage/storageAccounts","location":"eastus","tags":{},"properties":{"keyCreationTime":{"key1":"2022-12-13T02:10:06.0148695Z","key2":"2022-12-13T02:10:06.0148695Z"},"privateEndpointConnections":[],"minimumTlsVersion":"TLS1_0","allowBlobPublicAccess":true,"networkAcls":{"bypass":"AzureServices","virtualNetworkRules":[],"ipRules":[],"defaultAction":"Allow"},"supportsHttpsTrafficOnly":true,"encryption":{"services":{"file":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-12-13T02:10:06.0148695Z"},"blob":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-12-13T02:10:06.0148695Z"}},"keySource":"Microsoft.Storage"},"provisioningState":"Succeeded","creationTime":"2022-12-13T02:10:05.8273595Z","primaryEndpoints":{"blob":"https://vwjonesstorage33310.blob.core.windows.net/","queue":"https://vwjonesstorage33310.queue.core.windows.net/","table":"https://vwjonesstorage33310.table.core.windows.net/","file":"https://vwjonesstorage33310.file.core.windows.net/"},"primaryLocation":"eastus","statusOfPrimary":"available"}},{"sku":{"name":"Standard_LRS","tier":"Standard"},"kind":"Storage","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage4","name":"vwjonesstorage4","type":"Microsoft.Storage/storageAccounts","location":"westus","tags":{},"properties":{"keyCreationTime":{"key1":"2022-08-24T18:30:25.3831084Z","key2":"2022-08-24T18:30:25.3831084Z"},"privateEndpointConnections":[],"minimumTlsVersion":"TLS1_0","allowBlobPublicAccess":true,"networkAcls":{"bypass":"AzureServices","virtualNetworkRules":[],"ipRules":[],"defaultAction":"Allow"},"supportsHttpsTrafficOnly":true,"encryption":{"services":{"file":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-08-24T18:30:25.3987025Z"},"blob":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-08-24T18:30:25.3987025Z"}},"keySource":"Microsoft.Storage"},"provisioningState":"Succeeded","creationTime":"2022-08-24T18:30:25.2580954Z","primaryEndpoints":{"blob":"https://vwjonesstorage4.blob.core.windows.net/","queue":"https://vwjonesstorage4.queue.core.windows.net/","table":"https://vwjonesstorage4.table.core.windows.net/","file":"https://vwjonesstorage4.file.core.windows.net/"},"primaryLocation":"westus","statusOfPrimary":"available"}},{"sku":{"name":"Standard_LRS","tier":"Standard"},"kind":"StorageV2","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage5","name":"vwjonesstorage5","type":"Microsoft.Storage/storageAccounts","location":"westus2","tags":{},"properties":{"dnsEndpointType":"Standard","defaultToOAuthAuthentication":false,"publicNetworkAccess":"Enabled","keyCreationTime":{"key1":"2022-08-25T21:57:16.1412273Z","key2":"2022-08-25T21:57:16.1412273Z"},"allowCrossTenantReplication":true,"privateEndpointConnections":[],"minimumTlsVersion":"TLS1_2","allowBlobPublicAccess":true,"allowSharedKeyAccess":true,"networkAcls":{"bypass":"AzureServices","virtualNetworkRules":[],"ipRules":[],"defaultAction":"Allow"},"supportsHttpsTrafficOnly":true,"encryption":{"requireInfrastructureEncryption":false,"services":{"file":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-08-25T21:57:16.5630689Z"},"blob":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-08-25T21:57:16.5630689Z"}},"keySource":"Microsoft.Storage"},"accessTier":"Hot","provisioningState":"Succeeded","creationTime":"2022-08-25T21:57:16.0474739Z","primaryEndpoints":{"dfs":"https://vwjonesstorage5.dfs.core.windows.net/","web":"https://vwjonesstorage5.z5.web.core.windows.net/","blob":"https://vwjonesstorage5.blob.core.windows.net/","queue":"https://vwjonesstorage5.queue.core.windows.net/","table":"https://vwjonesstorage5.table.core.windows.net/","file":"https://vwjonesstorage5.file.core.windows.net/"},"primaryLocation":"westus2","statusOfPrimary":"available"}},{"sku":{"name":"Standard_LRS","tier":"Standard"},"kind":"Storage","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage7","name":"vwjonesstorage7","type":"Microsoft.Storage/storageAccounts","location":"eastus2euap","tags":{},"properties":{"keyCreationTime":{"key1":"2022-09-29T22:32:06.2588030Z","key2":"2022-09-29T22:32:06.2588030Z"},"allowCrossTenantReplication":false,"privateEndpointConnections":[],"minimumTlsVersion":"TLS1_0","allowBlobPublicAccess":true,"networkAcls":{"bypass":"AzureServices","virtualNetworkRules":[],"ipRules":[],"defaultAction":"Allow"},"supportsHttpsTrafficOnly":true,"encryption":{"services":{"file":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-09-29T22:32:06.7900691Z"},"blob":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-09-29T22:32:06.7900691Z"}},"keySource":"Microsoft.Storage"},"provisioningState":"Succeeded","creationTime":"2022-09-29T22:32:06.1806703Z","primaryEndpoints":{"blob":"https://vwjonesstorage7.blob.core.windows.net/","queue":"https://vwjonesstorage7.queue.core.windows.net/","table":"https://vwjonesstorage7.table.core.windows.net/","file":"https://vwjonesstorage7.file.core.windows.net/"},"primaryLocation":"eastus2euap","statusOfPrimary":"available"}},{"sku":{"name":"Standard_LRS","tier":"Standard"},"kind":"Storage","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage6","name":"vwjonesstorage6","type":"Microsoft.Storage/storageAccounts","location":"centraluseuap","tags":{},"properties":{"keyCreationTime":{"key1":"2022-09-29T22:13:05.8017810Z","key2":"2022-09-29T22:13:05.8017810Z"},"allowCrossTenantReplication":false,"privateEndpointConnections":[],"minimumTlsVersion":"TLS1_0","allowBlobPublicAccess":true,"networkAcls":{"bypass":"AzureServices","virtualNetworkRules":[],"ipRules":[],"defaultAction":"Allow"},"supportsHttpsTrafficOnly":true,"encryption":{"services":{"file":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-09-29T22:13:06.3017835Z"},"blob":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-09-29T22:13:06.3017835Z"}},"keySource":"Microsoft.Storage"},"provisioningState":"Succeeded","creationTime":"2022-09-29T22:13:05.7392784Z","primaryEndpoints":{"blob":"https://vwjonesstorage6.blob.core.windows.net/","queue":"https://vwjonesstorage6.queue.core.windows.net/","table":"https://vwjonesstorage6.table.core.windows.net/","file":"https://vwjonesstorage6.file.core.windows.net/"},"primaryLocation":"centraluseuap","statusOfPrimary":"available"}},{"sku":{"name":"Standard_LRS","tier":"Standard"},"kind":"Storage","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstoragecanary","name":"vwjonesstoragecanary","type":"Microsoft.Storage/storageAccounts","location":"centraluseuap","tags":{},"properties":{"keyCreationTime":{"key1":"2022-10-27T21:45:38.3454788Z","key2":"2022-10-27T21:45:38.3454788Z"},"allowCrossTenantReplication":false,"privateEndpointConnections":[],"minimumTlsVersion":"TLS1_0","allowBlobPublicAccess":true,"networkAcls":{"bypass":"AzureServices","virtualNetworkRules":[],"ipRules":[],"defaultAction":"Allow"},"supportsHttpsTrafficOnly":true,"encryption":{"services":{"file":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-10-27T21:45:38.3454788Z"},"blob":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-10-27T21:45:38.3454788Z"}},"keySource":"Microsoft.Storage"},"provisioningState":"Succeeded","creationTime":"2022-10-27T21:45:38.2829751Z","primaryEndpoints":{"blob":"https://vwjonesstoragecanary.blob.core.windows.net/","queue":"https://vwjonesstoragecanary.queue.core.windows.net/","table":"https://vwjonesstoragecanary.table.core.windows.net/","file":"https://vwjonesstoragecanary.file.core.windows.net/"},"primaryLocation":"centraluseuap","statusOfPrimary":"available"}}]}' - headers: - cache-control: - - no-cache - content-length: - - '10770' - content-type: - - application/json; charset=utf-8 - date: - - Fri, 20 Jan 2023 19:03:58 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-original-request-ids: - - 7ed43851-3112-4f37-8f7e-5bd4e0439d58 - - f217e0f7-c6fa-4b7c-b706-b43eb59ec1aa - - 620fae5d-b7d2-4f4c-a7a0-f2c7e18da86d - - 6b34fc14-bfab-4910-91a6-b3e3f83eb2ff - - f3f96f03-0f4c-4200-8fc7-bdd9e0c6ed94 - status: - code: 200 - message: OK -- request: - body: '{"properties": {"template": {"$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", - "contentVersion": "1.0.0.0", "parameters": {"quantumWorkspaceName": {"type": - "string", "metadata": {"description": "Quantum Workspace Name"}}, "location": - {"type": "string", "metadata": {"description": "Workspace Location"}}, "tags": - {"type": "object", "defaultValue": {}, "metadata": {"description": "Tags for - this workspace"}}, "providers": {"type": "array", "metadata": {"description": - "A list of Providers for this workspace"}}, "storageAccountName": {"type": "string", - "metadata": {"description": "Storage account short name"}}, "storageAccountId": - {"type": "string", "metadata": {"description": "Storage account ID (path)"}}, - "storageAccountLocation": {"type": "string", "metadata": {"description": "Storage - account location"}}, "storageAccountSku": {"type": "string", "metadata": {"description": - "Storage account SKU"}}, "storageAccountKind": {"type": "string", "metadata": - {"description": "Kind of storage account"}}, "storageAccountDeploymentName": - {"type": "string", "metadata": {"description": "Deployment name for role assignment - operation"}}}, "functions": [], "variables": {}, "resources": [{"type": "Microsoft.Quantum/workspaces", - "apiVersion": "2019-11-04-preview", "name": "[parameters(''quantumWorkspaceName'')]", - "location": "[parameters(''location'')]", "tags": "[parameters(''tags'')]", - "identity": {"type": "SystemAssigned"}, "properties": {"providers": "[parameters(''providers'')]", - "storageAccount": "[parameters(''storageAccountId'')]"}}, {"apiVersion": "2019-10-01", - "name": "[parameters(''storageAccountDeploymentName'')]", "type": "Microsoft.Resources/deployments", - "dependsOn": ["[resourceId(''Microsoft.Quantum/Workspaces'', parameters(''quantumWorkspaceName''))]"], - "properties": {"mode": "Incremental", "template": {"$schema": "https://schema.management.azure.com/schemas/2015-01-01/deploymentTemplate.json#", - "contentVersion": "1.0.0.0", "resources": [{"apiVersion": "2019-06-01", "name": - "[parameters(''storageAccountName'')]", "location": "[parameters(''storageAccountLocation'')]", - "type": "Microsoft.Storage/storageAccounts", "sku": {"name": "[parameters(''storageAccountSku'')]"}, - "kind": "[parameters(''storageAccountKind'')]", "resources": [{"name": "default", - "type": "fileServices", "apiVersion": "2019-06-01", "dependsOn": ["[parameters(''storageAccountId'')]"], - "properties": {"cors": {"corsRules": [{"allowedOrigins": ["*"], "allowedHeaders": - ["*"], "allowedMethods": ["GET", "HEAD", "OPTIONS", "POST", "PUT"], "exposedHeaders": - ["*"], "maxAgeInSeconds": 180}]}}}]}, {"apiVersion": "2020-04-01-preview", "name": - "[concat(parameters(''storageAccountName''), ''/Microsoft.Authorization/'', - guid(reference(concat(''Microsoft.Quantum/Workspaces/'', parameters(''quantumWorkspaceName'')), - ''2019-11-04-preview'', ''Full'').identity.principalId))]", "type": "Microsoft.Storage/storageAccounts/providers/roleAssignments", - "location": "[parameters(''storageAccountLocation'')]", "properties": {"roleDefinitionId": - "[resourceId(''Microsoft.Authorization/roleDefinitions'', ''b24988ac-6180-42a0-ab88-20f7382dd24c'')]", - "principalId": "[reference(concat(''Microsoft.Quantum/Workspaces/'', parameters(''quantumWorkspaceName'')), - ''2019-11-04-preview'', ''Full'').identity.principalId]", "principalType": "ServicePrincipal"}, - "dependsOn": ["[parameters(''storageAccountId'')]"]}]}}}], "outputs": {}}, "parameters": - {"quantumWorkspaceName": {"value": "e2e-test-w6358292"}, "location": {"value": - "eastus"}, "tags": {"value": {}}, "providers": {"value": [{"providerId": "microsoft-qc", - "providerSku": "learn-and-develop"}, {"providerId": "ionq", "providerSku": "pay-as-you-go-cred"}, - {"providerId": "Microsoft", "providerSku": "DZH3178M639F"}, {"providerId": "quantinuum", - "providerSku": "credits1"}, {"providerId": "rigetti", "providerSku": "azure-quantum-credits"}]}, - "storageAccountName": {"value": "vwjonesstorage2"}, "storageAccountId": {"value": - "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2"}, - "storageAccountLocation": {"value": "eastus"}, "storageAccountSku": {"value": - "Standard_LRS"}, "storageAccountKind": {"value": "Storage"}, "storageAccountDeploymentName": - {"value": "Microsoft.StorageAccount-20-Jan-2023-19-03-59"}}, "mode": "Incremental"}}' - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - Content-Length: - - '4350' - Content-Type: - - application/json - User-Agent: - - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment?api-version=2021-04-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/Microsoft.AzureQuantum-e2e-test-w6358292","name":"Microsoft.AzureQuantum-e2e-test-w6358292","type":"Microsoft.Resources/deployments","properties":{"templateHash":"6354453805046911057","parameters":{"quantumWorkspaceName":{"type":"String","value":"e2e-test-w6358292"},"location":{"type":"String","value":"eastus"},"tags":{"type":"Object","value":{}},"providers":{"type":"Array","value":[{"providerId":"microsoft-qc","providerSku":"learn-and-develop"},{"providerId":"ionq","providerSku":"pay-as-you-go-cred"},{"providerId":"Microsoft","providerSku":"DZH3178M639F"},{"providerId":"quantinuum","providerSku":"credits1"},{"providerId":"rigetti","providerSku":"azure-quantum-credits"}]},"storageAccountName":{"type":"String","value":"vwjonesstorage2"},"storageAccountId":{"type":"String","value":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2"},"storageAccountLocation":{"type":"String","value":"eastus"},"storageAccountSku":{"type":"String","value":"Standard_LRS"},"storageAccountKind":{"type":"String","value":"Storage"},"storageAccountDeploymentName":{"type":"String","value":"Microsoft.StorageAccount-20-Jan-2023-19-03-59"}},"mode":"Incremental","provisioningState":"Accepted","timestamp":"2023-01-20T19:04:02.5108628Z","duration":"PT0.0005313S","correlationId":"9ac06a99-7f29-4b84-9e5f-7f5d5afa05ef","providers":[{"namespace":"Microsoft.Quantum","resourceTypes":[{"resourceType":"workspaces","locations":["eastus"]}]},{"namespace":"Microsoft.Resources","resourceTypes":[{"resourceType":"deployments","locations":[null]}]}],"dependencies":[{"dependsOn":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/Workspaces/e2e-test-w6358292","resourceType":"Microsoft.Quantum/Workspaces","resourceName":"e2e-test-w6358292"},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w6358292","resourceType":"Microsoft.Quantum/workspaces","resourceName":"e2e-test-w6358292","apiVersion":"2019-11-04-preview"}],"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/Microsoft.StorageAccount-20-Jan-2023-19-03-59","resourceType":"Microsoft.Resources/deployments","resourceName":"Microsoft.StorageAccount-20-Jan-2023-19-03-59"}]}}' - headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/Microsoft.AzureQuantum-e2e-test-w6358292/operationStatuses/08585273654438437744?api-version=2021-04-01 - cache-control: - - no-cache - content-length: - - '2554' - content-type: - - application/json; charset=utf-8 - date: - - Fri, 20 Jan 2023 19:04:01 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1199' - status: - code: 201 - message: Created -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - User-Agent: - - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585273654438437744?api-version=2021-04-01 - response: - body: - string: '{"status":"Accepted"}' - headers: - cache-control: - - no-cache - content-length: - - '21' - content-type: - - application/json; charset=utf-8 - date: - - Fri, 20 Jan 2023 19:04:01 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - User-Agent: - - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585273654438437744?api-version=2021-04-01 - response: - body: - string: '{"status":"Running"}' - headers: - cache-control: - - no-cache - content-length: - - '20' - content-type: - - application/json; charset=utf-8 - date: - - Fri, 20 Jan 2023 19:04:32 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - User-Agent: - - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585273654438437744?api-version=2021-04-01 - response: - body: - string: '{"status":"Running"}' - headers: - cache-control: - - no-cache - content-length: - - '20' - content-type: - - application/json; charset=utf-8 - date: - - Fri, 20 Jan 2023 19:05:03 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - User-Agent: - - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585273654438437744?api-version=2021-04-01 - response: - body: - string: '{"status":"Running"}' - headers: - cache-control: - - no-cache - connection: - - close - content-length: - - '20' - content-type: - - application/json; charset=utf-8 - date: - - Fri, 20 Jan 2023 19:05:33 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - User-Agent: - - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585273654438437744?api-version=2021-04-01 - response: - body: - string: '{"status":"Running"}' - headers: - cache-control: - - no-cache - content-length: - - '20' - content-type: - - application/json; charset=utf-8 - date: - - Fri, 20 Jan 2023 19:06:02 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - User-Agent: - - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585273654438437744?api-version=2021-04-01 - response: - body: - string: '{"status":"Running"}' - headers: - cache-control: - - no-cache - content-length: - - '20' - content-type: - - application/json; charset=utf-8 - date: - - Fri, 20 Jan 2023 19:06:33 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - User-Agent: - - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585273654438437744?api-version=2021-04-01 - response: - body: - string: '{"status":"Running"}' - headers: - cache-control: - - no-cache - content-length: - - '20' - content-type: - - application/json; charset=utf-8 - date: - - Fri, 20 Jan 2023 19:07:03 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - User-Agent: - - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585273654438437744?api-version=2021-04-01 - response: - body: - string: '{"status":"Running"}' - headers: - cache-control: - - no-cache - content-length: - - '20' - content-type: - - application/json; charset=utf-8 - date: - - Fri, 20 Jan 2023 19:07:33 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - User-Agent: - - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585273654438437744?api-version=2021-04-01 - response: - body: - string: '{"status":"Running"}' - headers: - cache-control: - - no-cache - content-length: - - '20' - content-type: - - application/json; charset=utf-8 - date: - - Fri, 20 Jan 2023 19:08:03 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - User-Agent: - - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585273654438437744?api-version=2021-04-01 - response: - body: - string: '{"status":"Running"}' - headers: - cache-control: - - no-cache - content-length: - - '20' - content-type: - - application/json; charset=utf-8 - date: - - Fri, 20 Jan 2023 19:08:33 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - User-Agent: - - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585273654438437744?api-version=2021-04-01 - response: - body: - string: '{"status":"Succeeded"}' - headers: - cache-control: - - no-cache - content-length: - - '22' - content-type: - - application/json; charset=utf-8 - date: - - Fri, 20 Jan 2023 19:09:03 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - User-Agent: - - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment?api-version=2021-04-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/Microsoft.AzureQuantum-e2e-test-w6358292","name":"Microsoft.AzureQuantum-e2e-test-w6358292","type":"Microsoft.Resources/deployments","properties":{"templateHash":"6354453805046911057","parameters":{"quantumWorkspaceName":{"type":"String","value":"e2e-test-w6358292"},"location":{"type":"String","value":"eastus"},"tags":{"type":"Object","value":{}},"providers":{"type":"Array","value":[{"providerId":"microsoft-qc","providerSku":"learn-and-develop"},{"providerId":"ionq","providerSku":"pay-as-you-go-cred"},{"providerId":"Microsoft","providerSku":"DZH3178M639F"},{"providerId":"quantinuum","providerSku":"credits1"},{"providerId":"rigetti","providerSku":"azure-quantum-credits"}]},"storageAccountName":{"type":"String","value":"vwjonesstorage2"},"storageAccountId":{"type":"String","value":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2"},"storageAccountLocation":{"type":"String","value":"eastus"},"storageAccountSku":{"type":"String","value":"Standard_LRS"},"storageAccountKind":{"type":"String","value":"Storage"},"storageAccountDeploymentName":{"type":"String","value":"Microsoft.StorageAccount-20-Jan-2023-19-03-59"}},"mode":"Incremental","provisioningState":"Succeeded","timestamp":"2023-01-20T19:09:01.2033975Z","duration":"PT4M58.693066S","correlationId":"9ac06a99-7f29-4b84-9e5f-7f5d5afa05ef","providers":[{"namespace":"Microsoft.Quantum","resourceTypes":[{"resourceType":"workspaces","locations":["eastus"]}]},{"namespace":"Microsoft.Resources","resourceTypes":[{"resourceType":"deployments","locations":[null]}]}],"dependencies":[{"dependsOn":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/Workspaces/e2e-test-w6358292","resourceType":"Microsoft.Quantum/Workspaces","resourceName":"e2e-test-w6358292"},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w6358292","resourceType":"Microsoft.Quantum/workspaces","resourceName":"e2e-test-w6358292","apiVersion":"2019-11-04-preview"}],"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/Microsoft.StorageAccount-20-Jan-2023-19-03-59","resourceType":"Microsoft.Resources/deployments","resourceName":"Microsoft.StorageAccount-20-Jan-2023-19-03-59"}],"outputs":{},"outputResources":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w6358292"},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2"},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2/fileServices/default"},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2/providers/Microsoft.Authorization/roleAssignments/503a3621-2e9c-50f7-a6c4-fb765449f56e"}]}}' - headers: - cache-control: - - no-cache - content-length: - - '3291' - content-type: - - application/json; charset=utf-8 - date: - - Fri, 20 Jan 2023 19:09:03 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - User-Agent: - - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w6358292/providerStatus - response: - body: - string: '{"value":[{"id":"microsoft-qc","currentAvailability":"Available","targets":[{"id":"microsoft.estimator","currentAvailability":"Available","averageQueueTime":0,"statusPage":null}]},{"id":"ionq","currentAvailability":"Available","targets":[{"id":"ionq.qpu","currentAvailability":"Available","averageQueueTime":17493,"statusPage":"https://status.ionq.co"},{"id":"ionq.qpu.aria-1","currentAvailability":"Available","averageQueueTime":908201,"statusPage":"https://status.ionq.co"},{"id":"ionq.simulator","currentAvailability":"Available","averageQueueTime":3,"statusPage":"https://status.ionq.co"}]},{"id":"Microsoft","currentAvailability":"Available","targets":[{"id":"microsoft.paralleltempering-parameterfree.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.paralleltempering.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.simulatedannealing-parameterfree.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.simulatedannealing.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.tabu-parameterfree.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.tabu.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.qmc.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.populationannealing.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.populationannealing-parameterfree.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.substochasticmontecarlo.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.substochasticmontecarlo-parameterfree.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null}]},{"id":"quantinuum","currentAvailability":"Degraded","targets":[{"id":"quantinuum.hqs-lt-s1","currentAvailability":"Available","averageQueueTime":34708,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt-s1-apival","currentAvailability":"Available","averageQueueTime":24,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt-s2","currentAvailability":"Unavailable","averageQueueTime":0,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt-s2-apival","currentAvailability":"Available","averageQueueTime":1,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt-s1-sim","currentAvailability":"Available","averageQueueTime":14638,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt-s2-sim","currentAvailability":"Available","averageQueueTime":21,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt","currentAvailability":"Available","averageQueueTime":0,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.qpu.h1-1","currentAvailability":"Available","averageQueueTime":34708,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.sim.h1-1sc","currentAvailability":"Available","averageQueueTime":24,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.qpu.h1-2","currentAvailability":"Unavailable","averageQueueTime":0,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.sim.h1-2sc","currentAvailability":"Available","averageQueueTime":1,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.sim.h1-1e","currentAvailability":"Available","averageQueueTime":14638,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.sim.h1-2e","currentAvailability":"Available","averageQueueTime":21,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.qpu.h1","currentAvailability":"Unavailable","averageQueueTime":0,"statusPage":null}]},{"id":"rigetti","currentAvailability":"Degraded","targets":[{"id":"rigetti.sim.qvm","currentAvailability":"Available","averageQueueTime":5,"statusPage":"https://rigetti.statuspage.io/"},{"id":"rigetti.qpu.aspen-11","currentAvailability":"Unavailable","averageQueueTime":0,"statusPage":null},{"id":"rigetti.qpu.aspen-m-2","currentAvailability":"Degraded","averageQueueTime":5,"statusPage":"https://rigetti.statuspage.io/"},{"id":"rigetti.qpu.aspen-m-3","currentAvailability":"Available","averageQueueTime":5,"statusPage":"https://rigetti.statuspage.io/"}]}],"nextLink":null}' - headers: - connection: - - keep-alive - content-length: - - '4552' - content-type: - - application/json; charset=utf-8 - date: - - Fri, 20 Jan 2023 19:09:07 GMT - mise-correlation-id: - - cd8b321d-2bde-4c66-a409-41554a52fd48 - request-context: - - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f - server: - - Microsoft-IIS/10.0 - set-cookie: - - ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc; Path=/; SameSite=None; - Secure - - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; Path=/ - - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - strict-transport-security: - - max-age=2592000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - User-Agent: - - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w6358292/providerStatus - response: - body: - string: '{"value":[{"id":"microsoft-qc","currentAvailability":"Available","targets":[{"id":"microsoft.estimator","currentAvailability":"Available","averageQueueTime":0,"statusPage":null}]},{"id":"ionq","currentAvailability":"Available","targets":[{"id":"ionq.qpu","currentAvailability":"Available","averageQueueTime":17493,"statusPage":"https://status.ionq.co"},{"id":"ionq.qpu.aria-1","currentAvailability":"Available","averageQueueTime":908201,"statusPage":"https://status.ionq.co"},{"id":"ionq.simulator","currentAvailability":"Available","averageQueueTime":3,"statusPage":"https://status.ionq.co"}]},{"id":"Microsoft","currentAvailability":"Available","targets":[{"id":"microsoft.paralleltempering-parameterfree.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.paralleltempering.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.simulatedannealing-parameterfree.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.simulatedannealing.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.tabu-parameterfree.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.tabu.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.qmc.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.populationannealing.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.populationannealing-parameterfree.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.substochasticmontecarlo.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.substochasticmontecarlo-parameterfree.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null}]},{"id":"quantinuum","currentAvailability":"Degraded","targets":[{"id":"quantinuum.hqs-lt-s1","currentAvailability":"Available","averageQueueTime":34708,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt-s1-apival","currentAvailability":"Available","averageQueueTime":24,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt-s2","currentAvailability":"Unavailable","averageQueueTime":0,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt-s2-apival","currentAvailability":"Available","averageQueueTime":1,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt-s1-sim","currentAvailability":"Available","averageQueueTime":14638,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt-s2-sim","currentAvailability":"Available","averageQueueTime":21,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt","currentAvailability":"Available","averageQueueTime":0,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.qpu.h1-1","currentAvailability":"Available","averageQueueTime":34708,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.sim.h1-1sc","currentAvailability":"Available","averageQueueTime":24,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.qpu.h1-2","currentAvailability":"Unavailable","averageQueueTime":0,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.sim.h1-2sc","currentAvailability":"Available","averageQueueTime":1,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.sim.h1-1e","currentAvailability":"Available","averageQueueTime":14638,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.sim.h1-2e","currentAvailability":"Available","averageQueueTime":21,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.qpu.h1","currentAvailability":"Unavailable","averageQueueTime":0,"statusPage":null}]},{"id":"rigetti","currentAvailability":"Degraded","targets":[{"id":"rigetti.sim.qvm","currentAvailability":"Available","averageQueueTime":5,"statusPage":"https://rigetti.statuspage.io/"},{"id":"rigetti.qpu.aspen-11","currentAvailability":"Unavailable","averageQueueTime":0,"statusPage":null},{"id":"rigetti.qpu.aspen-m-2","currentAvailability":"Degraded","averageQueueTime":5,"statusPage":"https://rigetti.statuspage.io/"},{"id":"rigetti.qpu.aspen-m-3","currentAvailability":"Available","averageQueueTime":5,"statusPage":"https://rigetti.statuspage.io/"}]}],"nextLink":null}' - headers: - connection: - - keep-alive - content-length: - - '4552' - content-type: - - application/json; charset=utf-8 - date: - - Fri, 20 Jan 2023 19:09:07 GMT - mise-correlation-id: - - 1f695a40-c0c9-42d6-9d17-5c129a611007 - request-context: - - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f - server: - - Microsoft-IIS/10.0 - set-cookie: - - ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc; Path=/; SameSite=None; - Secure - - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; Path=/ - - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - strict-transport-security: - - max-age=2592000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - quantum workspace delete - Connection: - - keep-alive - Content-Length: - - '0' - ParameterSetName: - - -g -w - User-Agent: - - AZURECLI/2.44.1 azsdk-python-mgmt-quantum/1.0.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - az-cli-ext/0.17.0.1 - method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w6358292?api-version=2022-01-10-preview - response: - body: - string: 'null' - headers: - azure-asyncoperation: - - https://management.azure.com/providers/Microsoft.Quantum/locations/EASTUS/operationStatuses/93c3e403-6fd8-4ae6-919a-27c5f4e1455f*35023C7D7A6F36DD69B9780F798D55E04B80101294997BCEB8BE5D9EE5FBE7B0?api-version=2022-01-10-preview - cache-control: - - no-cache - content-length: - - '4' - content-type: - - application/json; charset=utf-8 - date: - - Fri, 20 Jan 2023 19:09:07 GMT - etag: - - '"4500f8ed-0000-0100-0000-63cae6d40000"' - expires: - - '-1' - location: - - https://management.azure.com/providers/Microsoft.Quantum/locations/EASTUS/operationStatuses/93c3e403-6fd8-4ae6-919a-27c5f4e1455f*35023C7D7A6F36DD69B9780F798D55E04B80101294997BCEB8BE5D9EE5FBE7B0?api-version=2022-01-10-preview - mise-correlation-id: - - 4e626981-d530-465b-a92a-f6a17a9227bd - pragma: - - no-cache - request-context: - - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f - set-cookie: - - ARRAffinity=8ff86c9a27601d7f5b6518ec4d18af424875e57b5b1d58a058e5ff9db2bf1a1f;Path=/;HttpOnly;Secure;Domain=rpcontrol-eastus.azurewebsites.net - - ARRAffinitySameSite=8ff86c9a27601d7f5b6518ec4d18af424875e57b5b1d58a058e5ff9db2bf1a1f;Path=/;HttpOnly;SameSite=None;Secure;Domain=rpcontrol-eastus.azurewebsites.net - - ASLBSA=0003d40efdced3b125786ca8cb22325eb49a925b534478081c4d828d5b638143f548; - path=/; secure - - ASLBSACORS=0003d40efdced3b125786ca8cb22325eb49a925b534478081c4d828d5b638143f548; - samesite=none; path=/; secure - strict-transport-security: - - max-age=31536000; includeSubDomains - x-azure-ref: - - 01ObKYwAAAABOjAMZwSlFTIu9erCZzXJjTU5aMjIxMDYwNjEzMDUzAGU0ODIyNTNiLTllMDUtNDA1ZS1hODNmLTU4NmVlMWQ1NTNlNA== - x-cache: - - CONFIG_NOCACHE - x-content-type-options: - - nosniff - x-ms-providerhub-traffic: - - 'True' - x-ms-ratelimit-remaining-subscription-deletes: - - '14999' - x-powered-by: - - ASP.NET - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - quantum workspace delete - Connection: - - keep-alive - Cookie: - - ASLBSA=0003d40efdced3b125786ca8cb22325eb49a925b534478081c4d828d5b638143f548; - ASLBSACORS=0003d40efdced3b125786ca8cb22325eb49a925b534478081c4d828d5b638143f548 - ParameterSetName: - - -g -w - User-Agent: - - AZURECLI/2.44.1 azsdk-python-mgmt-quantum/1.0.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - az-cli-ext/0.17.0.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w6358292?api-version=2022-01-10-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w6358292","name":"e2e-test-w6358292","type":"microsoft.quantum/workspaces","location":"eastus","tags":{},"systemData":{"createdBy":"v-wjones@microsoft.com","createdByType":"User","createdAt":"2023-01-20T19:04:04.9195724Z","lastModifiedBy":"v-wjones@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-20T19:04:04.9195724Z"},"identity":{"principalId":"e2c36b92-54c3-4ef3-ae2d-334e90acbe66","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned"},"properties":{"providers":[{"providerId":"microsoft-qc","providerSku":"learn-and-develop","applicationName":"e2e-test-w6358292-microsoft-qc","provisioningState":"Succeeded"},{"providerId":"ionq","providerSku":"pay-as-you-go-cred","applicationName":"e2e-test-w6358292-ionq","provisioningState":"Succeeded","resourceUsageId":"fe2b3f5d-7627-4135-82fd-7c853bd1c800"},{"providerId":"Microsoft","providerSku":"DZH3178M639F","applicationName":"e2e-test-w6358292-Microsoft","provisioningState":"Succeeded"},{"providerId":"quantinuum","providerSku":"credits1","applicationName":"e2e-test-w6358292-quantinuum","provisioningState":"Succeeded","resourceUsageId":"465e53bd-002d-45d1-a39c-86e83f30680d"},{"providerId":"rigetti","providerSku":"azure-quantum-credits","applicationName":"e2e-test-w6358292-rigetti","provisioningState":"Succeeded","resourceUsageId":"59090a45-56a1-49b9-bb85-840f5e7840be"}],"provisioningState":"Deleting","usable":"Yes","storageAccount":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2","endpointUri":"https://e2e-test-w6358292.eastus.quantum.azure.com"}}' - headers: - cache-control: - - no-cache - content-length: - - '1778' - content-type: - - application/json; charset=utf-8 - date: - - Fri, 20 Jan 2023 19:09:08 GMT - etag: - - '"4500f8ed-0000-0100-0000-63cae6d40000"' - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-providerhub-traffic: - - 'True' - status: - code: 200 - message: OK -version: 1 diff --git a/src/quantum/azext_quantum/tests/latest/recordings/test_submit.yaml b/src/quantum/azext_quantum/tests/latest/recordings/test_submit.yaml deleted file mode 100644 index 051abcda551..00000000000 --- a/src/quantum/azext_quantum/tests/latest/recordings/test_submit.yaml +++ /dev/null @@ -1,3326 +0,0 @@ -interactions: -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - quantum workspace create - Connection: - - keep-alive - ParameterSetName: - - -g -w -l -a -r - User-Agent: - - AZURECLI/2.44.1 azsdk-python-mgmt-quantum/1.0.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - az-cli-ext/0.17.0.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.Quantum/locations/eastus/offerings?api-version=2022-01-10-preview - response: - body: - string: "{\"value\":[{\"id\":\"1qbit\",\"name\":\"1Qloud Optimization Platform\",\"properties\":{\"description\":\"1QBit - 1Qloud Optimization Platform with Quantum Inspired Solutions\",\"providerType\":\"qio\",\"company\":\"1QBit\",\"managedApplication\":{\"publisherId\":\"1qbinformationtechnologies1580939206424\",\"offerId\":\"1qbit-1qloud-optimization-aq\"},\"targets\":[{\"id\":\"1qbit.tabu\",\"name\":\"1QBit - Quadratic Tabu Solver\",\"description\":\"An iterative heuristic algorithm - that uses local search techniques to solve a problem\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"1qbit.pathrelinking\",\"name\":\"1QBit - Quadratic Path-Relinking Solver\",\"description\":\"The path-relinking algorithm - is a heuristic algorithm that uses the tabu search as a subroutine to solve - a QUBO problem\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"1qbit.pticm\",\"name\":\"1QBit - Quadratic Parallel Tempering Isoenergetic Cluster Moves Solver\",\"description\":\"The - parallel tempering with isoenergetic cluster moves (PTICM) solver is a Monte - Carlo approach to solving QUBO problems\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]}],\"skus\":[{\"id\":\"1qbit-internal-free-plan\",\"version\":\"1.0.3\",\"name\":\"1QBit - No Charge Plan\",\"description\":\"1QBit plan with no charge for specific - customer arrangements\",\"autoAdd\":false,\"targets\":[\"1qbit.tabu\",\"1qbit.pathrelinking\",\"1qbit.pticm\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Tabu - Search Solver
Path-Relinking Solver
PTICM Solver\"},{\"id\":\"quota\",\"value\":\"N/A\"},{\"id\":\"price\",\"value\":\"Free - for select customers\"}]},{\"id\":\"1qbit-fixed-monthly-202012\",\"version\":\"1.0.3\",\"name\":\"Fixed - Monthly Plan\",\"description\":\"This plan provides access to all 1QBit quantum-inspired - optimization solvers with a flat monthly fee\",\"autoAdd\":false,\"targets\":[\"1qbit.tabu\",\"1qbit.pathrelinking\",\"1qbit.pticm\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Tabu - Search Solver
Path-Relinking Solver
PTICM Solver\"},{\"id\":\"quota\",\"value\":\"N/A\"},{\"id\":\"price\",\"value\":\"$7500 - USD per month\"}]},{\"id\":\"1qbit-pay-as-you-go-20210428\",\"version\":\"1.0.3\",\"name\":\"Pay - As You Go by CPU Usage\",\"description\":\"This plan provides access to all - 1QBit quantum-inspired optimization solvers with a pay as you go pricing\",\"autoAdd\":false,\"targets\":[\"1qbit.tabu\",\"1qbit.pathrelinking\",\"1qbit.pticm\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Tabu - Search Solver
Path-Relinking Solver
PTICM Solver\"},{\"id\":\"quota\",\"value\":\"N/A\"},{\"id\":\"price\",\"value\":\"$0.075 - per minute; rounded up to nearest second, with a minimum 1-second charge per - solve request\"}]}],\"pricingDimensions\":[{\"id\":\"features\",\"name\":\"Features\"},{\"id\":\"quota\",\"name\":\"Quota\"},{\"id\":\"price\",\"name\":\"Pricing\"}]}},{\"id\":\"ionq\",\"name\":\"IonQ\",\"properties\":{\"description\":\"IonQ\u2019s - trapped ion quantum computers perform calculations by manipulating charged - atoms of Ytterbium held in a vacuum with lasers.\",\"providerType\":\"qe\",\"company\":\"IonQ\",\"managedApplication\":{\"publisherId\":\"ionqinc1582730893633\",\"offerId\":\"ionq-aq\"},\"targets\":[{\"id\":\"ionq.simulator\",\"name\":\"Trapped - Ion Quantum Computer Simulator\",\"description\":\"GPU-accelerated idealized - simulator supporting up to 29 qubits, using the same gates IonQ provides on - its quantum computers. No errors are modeled at present.\",\"acceptedDataFormats\":[\"ionq.circuit.v1\"],\"acceptedContentEncodings\":[\"identity\"]},{\"id\":\"ionq.qpu\",\"name\":\"Trapped - Ion Quantum Computer\",\"description\":\"IonQ's quantum computer is dynamically - reconfigurable in software to use up to 11 qubits. All qubits are fully connected, - meaning you can run a two-qubit gate between any pair.\",\"acceptedDataFormats\":[\"ionq.circuit.v1\"],\"acceptedContentEncodings\":[\"identity\"]},{\"id\":\"ionq.qpu.aria-1\",\"name\":\"Aria - 1\",\"description\":\"IonQ's Aria 1 quantum computer is dynamically reconfigurable - in software to use up to 23 qubits. All qubits are fully connected, meaning - you can run a two-qubit gate between any pair.\",\"acceptedDataFormats\":[\"ionq.circuit.v1\"],\"acceptedContentEncodings\":[\"identity\"]},{\"id\":\"ionq.simulator-preview\",\"name\":\"Trapped - Ion Quantum Computer Simulator Preview\",\"description\":\"GPU-accelerated - idealized simulator supporting up to 29 qubits, using the same gates IonQ - provides on its quantum computers. No errors are modeled at present.\",\"acceptedDataFormats\":[\"ionq.qir.v1\"],\"acceptedContentEncodings\":[\"identity\"]},{\"id\":\"ionq.qpu-preview\",\"name\":\"Harmony - Preview\",\"description\":\"IonQ's Harmony quantum computer is dynamically - reconfigurable in software to use up to 11 qubits. All qubits are fully connected, - meaning you can run a two-qubit gate between any pair.\",\"acceptedDataFormats\":[\"ionq.qir.v1\"],\"acceptedContentEncodings\":[\"identity\"]},{\"id\":\"ionq.qpu.aria-1-preview\",\"name\":\"Aria - 1 Preview\",\"description\":\"IonQ's Aria 1 quantum computer is dynamically - reconfigurable in software to use up to 23 qubits. All qubits are fully connected, - meaning you can run a two-qubit gate between any pair.\",\"acceptedDataFormats\":[\"ionq.qir.v1\"],\"acceptedContentEncodings\":[\"identity\"]}],\"skus\":[{\"id\":\"pay-as-you-go-cred\",\"version\":\"0.0.5\",\"name\":\"Azure - Quantum Credits\",\"description\":\"The Azure Quantum Credits program provides - sponsored access to IonQ hardware through Azure. You will not be charged for - usage created under the credits program.\",\"autoAdd\":true,\"targets\":[\"ionq.qpu\",\"ionq.qpu.aria-1\",\"ionq.simulator\"],\"quotaDimensions\":[{\"id\":\"qgs\",\"scope\":\"Subscription\"}],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"IonQ - Simulator
Aria Trapped - Ion QC (23 qubits)
Harmony - Trapped Ion QC (11 qubits)\"},{\"id\":\"quota\",\"value\":\"$500 worth - of IonQ compute, unless you have received an additional project-based grant.

While availability - lasts, credits must be used within 6 months.

Learn more about quota for credits.\"},{\"id\":\"price\",\"value\":\"Free, - up to the granted value of your credits.\"}]},{\"id\":\"pay-as-you-go\",\"version\":\"0.0.5\",\"name\":\"Pay - As You Go\",\"description\":\"A la carte access based on resource requirements - and usage.\",\"autoAdd\":false,\"targets\":[\"ionq.qpu\",\"ionq.simulator\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"IonQ - Simulator
Harmony - Trapped Ion QC (11 qubits)\"},{\"id\":\"quota\",\"value\":\"No limit\"},{\"id\":\"price\",\"value\":\"$ - 3,000.00 USD / hour (est)
See documentation for details\"}]},{\"id\":\"committed-subscription-2\",\"version\":\"0.0.5\",\"name\":\"Subscription\",\"description\":\"Committed - access to all of IonQ's quantum computers\",\"autoAdd\":false,\"restrictedAccessUri\":\"mailto:partnerships@ionq.co\",\"targets\":[\"ionq.qpu\",\"ionq.qpu.aria-1\",\"ionq.simulator\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"IonQ - Simulator
Aria Trapped - Ion QC (23 qubits)
Harmony - Trapped Ion QC (11 qubits)\"},{\"id\":\"quota\",\"value\":\"N/A\"},{\"id\":\"price\",\"value\":\"$ - 25,000.00 USD / month
See documentation for details\"}]},{\"id\":\"private-preview-free\",\"version\":\"0.0.5\",\"name\":\"QIR - Private Preview Free\",\"description\":\"Submit QIR jobs to IonQ quantum platform.\",\"autoAdd\":false,\"targets\":[\"ionq.qpu-preview\",\"ionq.qpu.aria-1-preview\",\"ionq.simulator-preview\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"IonQ - QIR job execution\"},{\"id\":\"quota\",\"value\":\"N/A\"},{\"id\":\"price\",\"value\":\"N/A\"}]},{\"id\":\"preview-internal\",\"version\":\"0.0.5\",\"name\":\"Internal - Preview\",\"description\":\"Internal preview with zero cost.\",\"autoAdd\":false,\"targets\":[\"ionq.qpu-preview\",\"ionq.qpu.aria-1-preview\",\"ionq.simulator-preview\",\"ionq.qpu\",\"ionq.qpu.aria-1\",\"ionq.simulator\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"IonQ - Internal Preview\"},{\"id\":\"quota\",\"value\":\"N/A\"},{\"id\":\"price\",\"value\":\"N/A\"}]},{\"id\":\"aq-internal-testing\",\"version\":\"0.0.1\",\"name\":\"Microsoft - Internal Testing\",\"description\":\"You're testing, so it's free! As in beer.\",\"autoAdd\":false,\"targets\":[\"ionq.qpu\",\"ionq.qpu.aria-1\",\"ionq.simulator\",\"ionq.qpu-preview\",\"ionq.qpu.aria-1-preview\",\"ionq.simulator-preview\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"IonQ - Simulator
Harmony Trapped Ion QC (11 qubits)\"},{\"id\":\"quota\",\"value\":\"N/A\"},{\"id\":\"price\",\"value\":\"Free\"}]}],\"quotaDimensions\":[{\"id\":\"qgs\",\"scope\":\"Subscription\",\"quota\":16666667,\"period\":\"Infinite\",\"name\":\"QPU - Credit\",\"description\":\"Credited resource usage against your account. See - IonQ documentation for more information: https://aka.ms/AQ/IonQ/ProviderDocumentation.\",\"unit\":\"qubit-gate-shot\",\"unitPlural\":\"qubit-gate-shots\"}],\"pricingDimensions\":[{\"id\":\"features\",\"name\":\"Features\"},{\"id\":\"quota\",\"name\":\"Limits\"},{\"id\":\"price\",\"name\":\"Pricing\"}]}},{\"id\":\"Microsoft\",\"name\":\"Microsoft - QIO\",\"properties\":{\"description\":\"Ground-breaking optimization algorithms - inspired by decades of quantum research.\",\"providerType\":\"qio\",\"company\":\"Microsoft\",\"managedApplication\":{\"publisherId\":\"N/A\",\"offerId\":\"N/A\"},\"targets\":[{\"id\":\"microsoft.tabu.cpu\",\"name\":\"microsoft.tabu.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]},{\"id\":\"microsoft.qmc.cpu\",\"name\":\"microsoft.qmc.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]},{\"id\":\"microsoft.tabu-parameterfree.cpu\",\"name\":\"microsoft.tabu-parameterfree.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]},{\"id\":\"microsoft.simulatedannealing.cpu\",\"name\":\"microsoft.simulatedannealing.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]},{\"id\":\"microsoft.simulatedannealing-parameterfree.cpu\",\"name\":\"microsoft.simulatedannealing-parameterfree.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]},{\"id\":\"microsoft.paralleltempering.cpu\",\"name\":\"microsoft.paralleltempering.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]},{\"id\":\"microsoft.paralleltempering-parameterfree.cpu\",\"name\":\"microsoft.paralleltempering-parameterfree.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]},{\"id\":\"microsoft.populationannealing.cpu\",\"name\":\"microsoft.populationannealing.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]},{\"id\":\"microsoft.substochasticmontecarlo.cpu\",\"name\":\"microsoft.substochasticmontecarlo.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]},{\"id\":\"microsoft.substochasticmontecarlo-parameterfree.cpu\",\"name\":\"microsoft.substochasticmontecarlo-parameterfree.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]},{\"id\":\"microsoft.populationannealing-parameterfree.cpu\",\"name\":\"microsoft.populationannealing-parameterfree.cpu\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]}],\"skus\":[{\"id\":\"Basic\",\"version\":\"1.0\",\"name\":\"Private - Preview\",\"description\":\"Free Private Preview access through February 15 - 2020\",\"autoAdd\":false,\"targets\":[\"microsoft.paralleltempering-parameterfree.cpu\",\"microsoft.paralleltempering.cpu\",\"microsoft.simulatedannealing-parameterfree.cpu\",\"microsoft.simulatedannealing.cpu\",\"microsoft.tabu-parameterfree.cpu\",\"microsoft.tabu.cpu\",\"microsoft.qmc.cpu\",\"microsoft.populationannealing.cpu\",\"microsoft.populationannealing-parameterfree.cpu\",\"microsoft.substochasticmontecarlo.cpu\",\"microsoft.substochasticmontecarlo-parameterfree.cpu\",\"microsoft.populationannealing-parameterfree.cpu\"],\"quotaDimensions\":[{\"id\":\"combined_job_hours\",\"scope\":\"Workspace\"},{\"id\":\"combined_job_hours\",\"scope\":\"Subscription\"},{\"id\":\"concurrent_cpu_jobs\",\"scope\":\"Workspace\"}],\"pricingDetails\":[{\"id\":\"targets\",\"value\":\"Simulated - Annealing
Parallel Tempering
Tabu Search
Substochastic Monte Carlo
Population - Annealing
all solvers above have a parameter-free mode

Quantum - Monte Carlo\"},{\"id\":\"perf\",\"value\":\"CPU based: Up to 5 concurrent - jobs\"},{\"id\":\"quota\",\"value\":\"CPU based: 5 hours / month\"},{\"id\":\"price\",\"value\":\"$ - 0\"}]},{\"id\":\"DZH3178M639F\",\"version\":\"1.0\",\"name\":\"Learn & Develop\",\"description\":\"Learn - and develop with Optimization solutions.\",\"autoAdd\":true,\"targets\":[\"microsoft.paralleltempering-parameterfree.cpu\",\"microsoft.paralleltempering.cpu\",\"microsoft.simulatedannealing-parameterfree.cpu\",\"microsoft.simulatedannealing.cpu\",\"microsoft.tabu-parameterfree.cpu\",\"microsoft.tabu.cpu\",\"microsoft.qmc.cpu\",\"microsoft.populationannealing.cpu\",\"microsoft.populationannealing-parameterfree.cpu\",\"microsoft.substochasticmontecarlo.cpu\",\"microsoft.substochasticmontecarlo-parameterfree.cpu\"],\"quotaDimensions\":[{\"id\":\"combined_job_hours\",\"scope\":\"Workspace\",\"quota\":20},{\"id\":\"combined_job_hours\",\"scope\":\"Subscription\"},{\"id\":\"concurrent_cpu_jobs\",\"scope\":\"Workspace\"}],\"pricingDetails\":[{\"id\":\"targets\",\"value\":\"Simulated - Annealing
Parallel Tempering
Tabu Search
Substochastic Monte Carlo
Population - Annealing
all solvers above have a parameter-free mode

Quantum - Monte Carlo\"},{\"id\":\"perf\",\"value\":\"CPU based: Up to 5 concurrent - jobs\"},{\"id\":\"quota\",\"value\":\"CPU based: 20 hours / month\"},{\"id\":\"price\",\"value\":\"Pay - as you go
1 free hour included

See - pricing sheet\"}]},{\"id\":\"DZH318RV7MW4\",\"version\":\"1.0\",\"name\":\"Scale\",\"description\":\"Deploy - world-class Optimization solutions.\",\"autoAdd\":false,\"targets\":[\"microsoft.paralleltempering-parameterfree.cpu\",\"microsoft.paralleltempering.cpu\",\"microsoft.simulatedannealing-parameterfree.cpu\",\"microsoft.simulatedannealing.cpu\",\"microsoft.tabu-parameterfree.cpu\",\"microsoft.tabu.cpu\",\"microsoft.qmc.cpu\",\"microsoft.populationannealing.cpu\",\"microsoft.populationannealing-parameterfree.cpu\",\"microsoft.substochasticmontecarlo.cpu\",\"microsoft.substochasticmontecarlo-parameterfree.cpu\"],\"quotaDimensions\":[{\"id\":\"combined_job_hours\",\"scope\":\"Workspace\",\"quota\":1000},{\"id\":\"combined_job_hours\",\"scope\":\"Subscription\"},{\"id\":\"concurrent_cpu_jobs\",\"scope\":\"Workspace\",\"quota\":100}],\"pricingDetails\":[{\"id\":\"targets\",\"value\":\"Simulated - Annealing
Parallel Tempering
Tabu Search
Substochastic Monte Carlo
Population - Annealing
all solvers above have a parameter-free mode

Quantum - Monte Carlo\"},{\"id\":\"perf\",\"value\":\"CPU based: Up to 100 concurrent - jobs\"},{\"id\":\"quota\",\"value\":\"Up to 50,000 hours / month\"},{\"id\":\"price\",\"value\":\"Pay - as you go
1 free hour included

See - pricing sheet\"}]},{\"id\":\"EarlyAccess\",\"version\":\"1.0\",\"name\":\"Early - Access\",\"description\":\"Help us test new capabilities in our Microsoft - Optimization provider. This SKU is available to a select group of users and - limited to targets that we are currently running an Early Access test for.\",\"autoAdd\":false,\"targets\":[],\"quotaDimensions\":[{\"id\":\"combined_job_hours\",\"scope\":\"Workspace\",\"quota\":10},{\"id\":\"combined_job_hours\",\"scope\":\"Subscription\"},{\"id\":\"concurrent_cpu_jobs\",\"scope\":\"Workspace\"}],\"pricingDetails\":[{\"id\":\"targets\",\"value\":\"No - available targets.\"},{\"id\":\"quota\",\"value\":\"CPU based: 10 hours / - month\"},{\"id\":\"price\",\"value\":\"$ 0\"}]}],\"quotaDimensions\":[{\"id\":\"combined_job_hours\",\"scope\":\"Workspace\",\"quota\":5,\"period\":\"Monthly\",\"name\":\"CPU - Solver Hours [Workspace]\",\"description\":\"The amount of CPU solver time - you may use per month within this workspace\",\"unit\":\"hour\",\"unitPlural\":\"hours\"},{\"id\":\"combined_job_hours\",\"scope\":\"Subscription\",\"quota\":1000,\"period\":\"Monthly\",\"name\":\"CPU - Solver Hours [Subscription]\",\"description\":\"The amount of CPU solver time - you may use per month shared by all workspaces within the subscription\",\"unit\":\"hour\",\"unitPlural\":\"hours\"},{\"id\":\"concurrent_cpu_jobs\",\"scope\":\"Workspace\",\"quota\":5}],\"pricingDimensions\":[{\"id\":\"targets\",\"name\":\"Targets - available\"},{\"id\":\"perf\",\"name\":\"Performance\"},{\"id\":\"quota\",\"name\":\"Quota\"},{\"id\":\"price\",\"name\":\"Price - per month\"}]}},{\"id\":\"microsoft-qc\",\"name\":\"Microsoft Quantum Computing\",\"properties\":{\"description\":\"Prepare - for fault-tolerant quantum computing with Microsoft specific tools and services, - including the Azure Quantum Resource Estimator.\",\"providerType\":\"qe\",\"company\":\"Microsoft\",\"managedApplication\":{\"publisherId\":\"N/A\",\"offerId\":\"N/A\"},\"targets\":[{\"id\":\"microsoft.estimator\",\"name\":\"Resource - Estimator\",\"acceptedDataFormats\":[\"microsoft.qir.v1\",\"qir.v1\"],\"acceptedContentEncodings\":[\"identity\"]}],\"skus\":[{\"id\":\"learn-and-develop\",\"version\":\"1.0\",\"name\":\"Learn - & Develop\",\"description\":\"Free plan including access to hosted notebooks - with pre-configured support for Q#, Qiskit and Cirq, noisy simulator and Azure - Quantum Resource Estimator.\",\"autoAdd\":true,\"targets\":[\"microsoft.estimator\"],\"quotaDimensions\":[{\"id\":\"concurrent_resource_estimator_jobs\",\"scope\":\"Workspace\"}],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Resource - Estimator

Designed specifically for scaled quantum systems, Azure - Quantum Resource Estimator provides estimates for the number of physical qubits - and runtime required to execute quantum applications on post-NISQ, fault-tolerant - systems.\"},{\"id\":\"quota\",\"value\":\"Up to 10 concurrent jobs.\"},{\"id\":\"price\",\"value\":\"Free - usage.\"}]}],\"quotaDimensions\":[{\"id\":\"concurrent_resource_estimator_jobs\",\"scope\":\"Workspace\",\"quota\":10}],\"pricingDimensions\":[{\"id\":\"features\",\"name\":\"Features\"},{\"id\":\"quota\",\"name\":\"Quota\"},{\"id\":\"price\",\"name\":\"Pricing\"}]}},{\"id\":\"Microsoft.FleetManagement\",\"name\":\"Microsoft - Fleet Management Solution\",\"properties\":{\"description\":\"(Preview) Leverage - Azure Quantum's advanced optimization algorithms to solve fleet management - problems.\",\"providerType\":\"qio\",\"company\":\"Microsoft\",\"managedApplication\":{\"publisherId\":\"N/A\",\"offerId\":\"N/A\"},\"targets\":[{\"id\":\"microsoft.fleetmanagement\",\"name\":\"microsoft.fleetmanagement\",\"acceptedDataFormats\":[\"microsoft.fleetmanagement.v1\"],\"acceptedContentEncodings\":[\"gzip\"]}],\"skus\":[{\"id\":\"Basic\",\"version\":\"1.0\",\"name\":\"Private - Preview\",\"description\":\"Private preview fleet management SKU.\",\"autoAdd\":false,\"targets\":[\"microsoft.fleetManagement\"],\"quotaDimensions\":[{\"id\":\"combined_job_hours\",\"scope\":\"Workspace\"},{\"id\":\"combined_job_hours\",\"scope\":\"Subscription\"},{\"id\":\"concurrent_cpu_jobs\",\"scope\":\"Workspace\"}]}],\"quotaDimensions\":[{\"id\":\"combined_job_hours\",\"scope\":\"Workspace\",\"quota\":20,\"period\":\"Monthly\",\"name\":\"Job - Hours [Workspace]\",\"description\":\"The amount of job time you may use per - month within this workspace\",\"unit\":\"hour\",\"unitPlural\":\"hours\"},{\"id\":\"combined_job_hours\",\"scope\":\"Subscription\",\"quota\":1000,\"period\":\"Monthly\",\"name\":\"Job - Hours [Subscription]\",\"description\":\"The amount of job time you may use - per month shared by all workspaces within the subscription\",\"unit\":\"hour\",\"unitPlural\":\"hours\"},{\"id\":\"concurrent_cpu_jobs\",\"scope\":\"Workspace\",\"quota\":5}]}},{\"id\":\"Microsoft.Simulator\",\"name\":\"Microsoft - Simulation Tools\",\"properties\":{\"description\":\"Microsoft Simulation - Tools.\",\"providerType\":\"qe\",\"company\":\"Microsoft\",\"managedApplication\":{\"publisherId\":\"N/A\",\"offerId\":\"N/A\"},\"targets\":[{\"id\":\"microsoft.simulator.resources-estimator\",\"name\":\"Quantum - Resources Estimator\",\"acceptedDataFormats\":[\"microsoft.qir.v1\",\"qir.v1\"],\"acceptedContentEncodings\":[\"gzip\"]}],\"skus\":[{\"id\":\"resources-estimator-preview\",\"version\":\"1.0\",\"name\":\"Resource - Estimation Private Preview\",\"description\":\"Private preview plan for resource - estimation. Provider and target names may change upon public preview.\",\"autoAdd\":false,\"targets\":[\"microsoft.simulator.resources-estimator\"],\"quotaDimensions\":[{\"id\":\"concurrent_resource_estimator_jobs\",\"scope\":\"Workspace\"}]}],\"quotaDimensions\":[{\"id\":\"simulator_job_hours\",\"scope\":\"Workspace\",\"quota\":20,\"period\":\"Monthly\",\"name\":\"Simulator - Hours [Workspace]\",\"description\":\"The amount of simulator time you may - use per month within this workspace\",\"unit\":\"hour\",\"unitPlural\":\"hours\"},{\"id\":\"simulator_job_hours\",\"scope\":\"Subscription\",\"quota\":1000,\"period\":\"Monthly\",\"name\":\"Simulator - Hours [Subscription]\",\"description\":\"The amount of simulator time you - may use per month shared by all workspaces within the subscription\",\"unit\":\"hour\",\"unitPlural\":\"hours\"},{\"id\":\"concurrent_simulator_jobs\",\"scope\":\"Workspace\",\"quota\":5},{\"id\":\"concurrent_resource_estimator_jobs\",\"scope\":\"Workspace\",\"quota\":10}]}},{\"id\":\"Microsoft.Test\",\"name\":\"Microsoft - Test Provider\",\"properties\":{\"description\":\"Microsoft Test Provider\",\"providerType\":\"qe\",\"company\":\"Microsoft\",\"managedApplication\":{\"publisherId\":\"microsoft_qio\",\"offerId\":\"samplepartner-aq-preview\"},\"targets\":[{\"id\":\"echo-rigetti\",\"name\":\"echo-rigetti\",\"acceptedDataFormats\":[\"rigetti.qir.v1\"],\"acceptedContentEncodings\":[\"identity\"]},{\"id\":\"echo-quantinuum\",\"name\":\"echo-quantinuum\",\"acceptedDataFormats\":[\"honeywell.qir.v1\"],\"acceptedContentEncodings\":[\"identity\"]},{\"id\":\"echo-qci\",\"name\":\"echo-qci\",\"acceptedDataFormats\":[\"qci.qir.v1\"],\"acceptedContentEncodings\":[\"identity\"]},{\"id\":\"echo-output\",\"name\":\"echo-output\",\"acceptedDataFormats\":[\"microsoft.quantum-log.v1.1\",\"microsoft.quantum-log.v2.1\",\"microsoft.quantum-log.v1\",\"microsoft.quantum-log.v2\"],\"acceptedContentEncodings\":[\"identity\"]}],\"skus\":[{\"id\":\"sample-plan-3\",\"version\":\"1.0.4\",\"name\":\"Standard\",\"description\":\"Standard - services\",\"autoAdd\":false,\"targets\":[\"echo-rigetti\",\"echo-quantinuum\",\"echo-qci\",\"echo-output\"],\"pricingDetails\":[{\"id\":\"price\",\"value\":\"Free\"}]}],\"pricingDimensions\":[{\"id\":\"price\",\"name\":\"Pricing\"}]}},{\"id\":\"qci\",\"name\":\"Quantum - Circuits, Inc.\",\"properties\":{\"description\":\"Superconducting Circuits - Quantum Computing Systems\",\"providerType\":\"qe\",\"company\":\"Quantum - Circuits, Inc.\",\"managedApplication\":{\"publisherId\":\"quantumcircuitsinc1598045891596\",\"offerId\":\"qci-aq\"},\"targets\":[{\"id\":\"qci.machine1\",\"name\":\"Machine - 1\",\"description\":\"8-qubit quantum computing system with real-time control - flow capability.\",\"acceptedDataFormats\":[\"qci.qcdl.v1\",\"qci.qir.v1\"],\"acceptedContentEncodings\":[\"identity\"]},{\"id\":\"qci.simulator\",\"name\":\"AquSim\",\"description\":\"8-qubit - noise-free simulator.\",\"acceptedDataFormats\":[\"qci.qcdl.v1\",\"qci.qir.v1\"],\"acceptedContentEncodings\":[\"identity\"]},{\"id\":\"qci.simulator.noisy\",\"name\":\"AquSim-N\",\"description\":\"8-qubit - simulator that incorporates QCI's gate and measurement performance\",\"acceptedDataFormats\":[\"qci.qcdl.v1\",\"qci.qir.v1\"],\"acceptedContentEncodings\":[\"identity\"]}],\"skus\":[{\"id\":\"qci-syspreview\",\"version\":\"0.1.0\",\"name\":\"System - Preview\",\"description\":\"A metered pricing preview of QCI's Systems and - Simulators\",\"autoAdd\":false,\"targets\":[\"qci.simulator\",\"qci.machine1\",\"qci.simulator.noisy\"],\"quotaDimensions\":[{\"id\":\"jobcount\",\"scope\":\"Workspace\"}],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Integration - testing plan for Microsoft\"},{\"id\":\"quota\",\"value\":\"1000 jobs per - month\"},{\"id\":\"price\",\"value\":\"\"}]},{\"id\":\"qci-syspreview-free\",\"version\":\"0.1.0\",\"name\":\"System - Preview Free\",\"description\":\"A free preview of QCI's Systems and Simulators\",\"autoAdd\":false,\"targets\":[\"qci.simulator\",\"qci.machine1\",\"qci.simulator.noisy\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Integration - testing plan for Microsoft\"},{\"id\":\"quota\",\"value\":\"Unlimited jobs\"},{\"id\":\"price\",\"value\":\"\"}]},{\"id\":\"qci-freepreview\",\"version\":\"0.1.0\",\"name\":\"System - Preview (Free)\",\"description\":\"A free preview of QCI's simulators and - quantum systems.\",\"autoAdd\":false,\"targets\":[\"qci.simulator\",\"qci.machine1\",\"qci.simulator.noisy\"],\"quotaDimensions\":[{\"id\":\"jobcount\",\"scope\":\"Workspace\"}],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Machine - 1 Quantum System and the AquSim Quantum Simulator\"},{\"id\":\"quota\",\"value\":\"1000 - jobs per month\"},{\"id\":\"price\",\"value\":\"\"}]}],\"quotaDimensions\":[{\"id\":\"jobcount\",\"scope\":\"Workspace\",\"quota\":1000,\"period\":\"Monthly\",\"name\":\"Job - Count\",\"description\":\"Number of jobs you can run in a month.\",\"unit\":\"job\",\"unitPlural\":\"jobs\"}],\"pricingDimensions\":[{\"id\":\"features\",\"name\":\"Features\"},{\"id\":\"quota\",\"name\":\"Quota\"},{\"id\":\"price\",\"name\":\"Pricing\"}]}},{\"id\":\"quantinuum\",\"name\":\"Quantinuum\",\"properties\":{\"description\":\"Access - to Quantinuum trapped-ion systems\",\"providerType\":\"qe\",\"company\":\"Quantinuum\",\"managedApplication\":{\"publisherId\":\"quantinuumllc1640113159771\",\"offerId\":\"quantinuum-aq\"},\"targets\":[{\"id\":\"quantinuum.hqs-lt-s1\",\"name\":\"Quantinuum - H1-1\",\"description\":\"Quantinuum H1-1, Powered by Honeywell\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.qpu.h1-1\",\"name\":\"Quantinuum - H1-1\",\"description\":\"Quantinuum H1-1, Powered by Honeywell\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.hqs-lt-s2\",\"name\":\"Quantinuum - H1-2\",\"description\":\"Quantinuum H1-2, Powered by Honeywell\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.qpu.h1-2\",\"name\":\"Quantinuum - H1-2\",\"description\":\"Quantinuum H1-2, Powered by Honeywell\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.hqs-lt\",\"name\":\"Quantinuum - System Model: H1 Family\",\"description\":\"Quantinuum System Model H1 Family, - Powered by Honeywell\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.qpu.h1\",\"name\":\"Quantinuum - System Model: H1 Family\",\"description\":\"Quantinuum System Model H1 Family, - Powered by Honeywell\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.hqs-lt-s1-apival\",\"name\":\"Quantinuum - H1-1 Syntax Checker\",\"description\":\"Quantinuum H1-1 Syntax Checker\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.sim.h1-1sc\",\"name\":\"Quantinuum - H1-1 Syntax Checker\",\"description\":\"Quantinuum H1-1 Syntax Checker\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.hqs-lt-s2-apival\",\"name\":\"Quantinuum - H1-2 Syntax Checker\",\"description\":\"Quantinuum H1-2 Syntax Checker\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.sim.h1-2sc\",\"name\":\"Quantinuum - H1-2 Syntax Checker\",\"description\":\"Quantinuum H1-2 Syntax Checker\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.hqs-lt-s1-sim\",\"name\":\"Quantinuum - H1-1 Emulator\",\"description\":\"Quantinuum H1-1 Emulator\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.sim.h1-1e\",\"name\":\"Quantinuum - H1-1 Emulator\",\"description\":\"Quantinuum H1-1 Emulator\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.hqs-lt-s2-sim\",\"name\":\"Quantinuum - H1-2 Emulator\",\"description\":\"Quantinuum H1-2 Emulator\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.sim.h1-2e\",\"name\":\"Quantinuum - H1-2 Emulator\",\"description\":\"Quantinuum H1-2 Emulator\",\"acceptedDataFormats\":[\"honeywell.openqasm.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.sim.h1-1sc-preview\",\"name\":\"Quantinuum - H1-1 Syntax Checker Preview\",\"description\":\"Quantinuum H1-1 Syntax Checker - Preview\",\"acceptedDataFormats\":[\"honeywell.qir.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.sim.h1-2sc-preview\",\"name\":\"Quantinuum - H1-2 Syntax Checker Preview\",\"description\":\"Quantinuum H1-2 Syntax Checker - Preview\",\"acceptedDataFormats\":[\"honeywell.qir.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.sim.h1-1e-preview\",\"name\":\"Quantinuum - H1-1 Emulator Preview\",\"description\":\"Quantinuum H1-1 Emulator Preview\",\"acceptedDataFormats\":[\"honeywell.qir.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.sim.h1-2e-preview\",\"name\":\"Quantinuum - H1-2 Emulator Preview\",\"description\":\"Quantinuum H1-2 Emulator Preview\",\"acceptedDataFormats\":[\"honeywell.qir.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.qpu.h1-1-preview\",\"name\":\"Quantinuum - H1-1 Preview\",\"description\":\"Quantinuum H1-1 Preview\",\"acceptedDataFormats\":[\"honeywell.qir.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"quantinuum.qpu.h1-2-preview\",\"name\":\"Quantinuum - H1-2 Preview\",\"description\":\"Quantinuum H1-2 Preview\",\"acceptedDataFormats\":[\"honeywell.qir.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]}],\"skus\":[{\"id\":\"credits1\",\"version\":\"1.0.0\",\"name\":\"Azure - Quantum Credits\",\"description\":\"The Azure Quantum Credits program provides - sponsored access to Quantinuum hardware through Azure. You will not be charged - for usage created under the credits program, up to the limit of your credit - grant.\",\"autoAdd\":true,\"targets\":[\"quantinuum.hqs-lt-s1\",\"quantinuum.hqs-lt-s1-apival\",\"quantinuum.hqs-lt-s2\",\"quantinuum.hqs-lt-s2-apival\",\"quantinuum.hqs-lt-s1-sim\",\"quantinuum.hqs-lt-s2-sim\",\"quantinuum.hqs-lt\",\"quantinuum.qpu.h1-1\",\"quantinuum.sim.h1-1sc\",\"quantinuum.qpu.h1-2\",\"quantinuum.sim.h1-2sc\",\"quantinuum.sim.h1-1e\",\"quantinuum.sim.h1-2e\",\"quantinuum.qpu.h1\"],\"quotaDimensions\":[{\"id\":\"hqc\",\"scope\":\"Subscription\"},{\"id\":\"ehqc\",\"scope\":\"Subscription\"}],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"System - Model H1 Syntax Checker
Quantinuum System Model H1 Emulator
Quantinuum - System Model H1, Powered by Honeywell\"},{\"id\":\"limits\",\"value\":\"Up - to $500 of Quantinuum compute, unless you have received an additional project-based grant.

While availability - lasts, credits must be used within 6 months.

Learn more about quota for credits.\"},{\"id\":\"price\",\"value\":\"Free, - up to the granted value of your credits.\"}]},{\"id\":\"premium1\",\"version\":\"1.0.0\",\"name\":\"Premium\",\"description\":\"Monthly - subscription plan with 17K Quantinuum H-System Quantum Credits (HQCs) / month, - available through queue\",\"autoAdd\":false,\"restrictedAccessUri\":\"mailto:QuantinuumAzureQuantumSupport@Quantinuum.com\",\"targets\":[\"quantinuum.hqs-lt-s1\",\"quantinuum.hqs-lt-s1-apival\",\"quantinuum.hqs-lt-s2\",\"quantinuum.hqs-lt-s2-apival\",\"quantinuum.hqs-lt-s1-sim\",\"quantinuum.hqs-lt-s2-sim\",\"quantinuum.hqs-lt\",\"quantinuum.qpu.h1-1\",\"quantinuum.sim.h1-1sc\",\"quantinuum.qpu.h1-2\",\"quantinuum.sim.h1-2sc\",\"quantinuum.sim.h1-1e\",\"quantinuum.sim.h1-2e\",\"quantinuum.qpu.h1\"],\"quotaDimensions\":[{\"id\":\"hqc\",\"scope\":\"Subscription\"},{\"id\":\"ehqc\",\"scope\":\"Subscription\"}],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Quantinuum - System Model H1 Syntax Checker
Quantinuum System Model H1 Emulator
Quantinuum System Model H1\"},{\"id\":\"limits\",\"value\":\"17K H-System - Quantum Credits (HQCs) / month\"},{\"id\":\"price\",\"value\":\"$ 175,000 - USD / Month\"}]},{\"id\":\"standard1\",\"version\":\"1.0.0\",\"name\":\"Standard\",\"description\":\"Monthly - subscription plan with 10K Quantinuum H-System quantum credits (HQCs) / month, - available through queue\",\"autoAdd\":false,\"restrictedAccessUri\":\"mailto:QuantinuumAzureQuantumSupport@Quantinuum.com\",\"targets\":[\"quantinuum.hqs-lt-s1\",\"quantinuum.hqs-lt-s1-apival\",\"quantinuum.hqs-lt-s2\",\"quantinuum.hqs-lt-s2-apival\",\"quantinuum.hqs-lt-s1-sim\",\"quantinuum.hqs-lt-s2-sim\",\"quantinuum.hqs-lt\",\"quantinuum.qpu.h1-1\",\"quantinuum.sim.h1-1sc\",\"quantinuum.qpu.h1-2\",\"quantinuum.sim.h1-2sc\",\"quantinuum.sim.h1-1e\",\"quantinuum.sim.h1-2e\",\"quantinuum.qpu.h1\"],\"quotaDimensions\":[{\"id\":\"hqc\",\"scope\":\"Subscription\"},{\"id\":\"ehqc\",\"scope\":\"Subscription\"}],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Quantinuum - System Model H1 Syntax Checker
Quantinuum System Model H1 Emulator
Quantinuum System Model H1\"},{\"id\":\"limits\",\"value\":\"10K H-System - Quantum Credits (HQCs) / month\"},{\"id\":\"price\",\"value\":\"$ 125,000 - USD / Month\"}]},{\"id\":\"test1\",\"version\":\"1.0.0\",\"name\":\"Partner - Access\",\"description\":\"Charge-free access to Quantinuum System Model H1 - for Azure integration verification\",\"autoAdd\":false,\"targets\":[\"quantinuum.hqs-lt-s1\",\"quantinuum.hqs-lt-s1-apival\",\"quantinuum.hqs-lt-s2\",\"quantinuum.hqs-lt-s2-apival\",\"quantinuum.hqs-lt-s1-sim\",\"quantinuum.hqs-lt-s2-sim\",\"quantinuum.hqs-lt\",\"quantinuum.qpu.h1-1\",\"quantinuum.sim.h1-1sc\",\"quantinuum.qpu.h1-2\",\"quantinuum.sim.h1-2sc\",\"quantinuum.sim.h1-1e\",\"quantinuum.sim.h1-2e\",\"quantinuum.qpu.h1\",\"quantinuum.sim.h1-1sc-preview\",\"quantinuum.sim.h1-2sc-preview\",\"quantinuum.sim.h1-1e-preview\",\"quantinuum.sim.h1-2e-preview\",\"quantinuum.qpu.h1-1-preview\",\"quantinuum.qpu.h1-2-preview\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Quantinuum - System Model H1 Syntax Checker
Quantinuum System Model H1 Emulator
Quantinuum System Model H1\"},{\"id\":\"limits\",\"value\":\"No limit for - integration testing\"},{\"id\":\"price\",\"value\":\"Free for validation\"}]}],\"quotaDimensions\":[{\"id\":\"hqc\",\"scope\":\"Subscription\",\"quota\":40,\"period\":\"Infinite\",\"name\":\"H-System - Quantum Credit (HQC)\",\"description\":\"H-System Quantum Credits (HQCs) are - used to calculate the cost of a job. See Quantinuum documentation for more - information.\",\"unit\":\"HQC\",\"unitPlural\":\"HQC's\"},{\"id\":\"ehqc\",\"scope\":\"Subscription\",\"quota\":400,\"period\":\"Infinite\",\"name\":\"Emulator - HQCs (eHQC)\",\"description\":\"Quantinuum Emulator H-System Quantum Credits - (eHQCs) are used for submission to the emulator.\",\"unit\":\"EHQC\",\"unitPlural\":\"EHQC's\"}],\"pricingDimensions\":[{\"id\":\"features\",\"name\":\"Features\"},{\"id\":\"limits\",\"name\":\"Limits\"},{\"id\":\"price\",\"name\":\"Pricing\"}]}},{\"id\":\"rigetti\",\"name\":\"Rigetti - Quantum\",\"properties\":{\"description\":\"Run quantum programs on Rigetti's - superconducting qubit-based quantum processors.\",\"providerType\":\"qe\",\"company\":\"Rigetti - Computing\",\"managedApplication\":{\"publisherId\":\"rigetticoinc1644276861431\",\"offerId\":\"rigetti-aq\"},\"targets\":[{\"id\":\"rigetti.sim.qvm\",\"name\":\"QVM\",\"description\":\"Simulate - Quil and QIR programs on the open-source Quantum Virtual Machine.\",\"acceptedDataFormats\":[\"rigetti.quil.v1\",\"rigetti.qir.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"rigetti.qpu.aspen-11\",\"name\":\"Aspen-11\",\"description\":\"A - 40-Qubit QPU\",\"acceptedDataFormats\":[\"rigetti.quil.v1\",\"rigetti.qir.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"rigetti.qpu.aspen-m-2\",\"name\":\"Aspen-M-2\",\"description\":\"An - 80-Qubit QPU\",\"acceptedDataFormats\":[\"rigetti.quil.v1\",\"rigetti.qir.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]},{\"id\":\"rigetti.qpu.aspen-m-3\",\"name\":\"Aspen-M-3\",\"description\":\"An - 80-Qubit QPU\",\"acceptedDataFormats\":[\"rigetti.quil.v1\",\"rigetti.qir.v1\"],\"acceptedContentEncodings\":[\"gzip\",\"identity\"]}],\"skus\":[{\"id\":\"rigetti-private-beta-metered\",\"version\":\"0.0.0\",\"name\":\"Metered - Private Preview\",\"description\":\"Limited-time free access to Rigetti quantum - computers with the ability to see your utilization.\",\"autoAdd\":false,\"targets\":[\"rigetti.sim.qvm\",\"rigetti.qpu.aspen-11\",\"rigetti.qpu.aspen-m-2\",\"rigetti.qpu.aspen-m-3\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Learn more about - Rigetti Targets\"},{\"id\":\"quota\",\"value\":\"This plan has no quota.\"},{\"id\":\"price\",\"value\":\"This - plan is free.\"}]},{\"id\":\"rigetti-pay-as-you-go\",\"version\":\"0.0.0\",\"name\":\"Pay - As You Go\",\"description\":\"Pay-as-you-go access to Rigetti quantum computers.\",\"autoAdd\":false,\"targets\":[\"rigetti.sim.qvm\",\"rigetti.qpu.aspen-11\",\"rigetti.qpu.aspen-m-2\",\"rigetti.qpu.aspen-m-3\"],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Learn more about - Rigetti Targets\"},{\"id\":\"quota\",\"value\":\"This plan has no quota.\"},{\"id\":\"price\",\"value\":\"$0.02 - per 10 milliseconds (rounded up) of QPU execution time.\"}]},{\"id\":\"azure-quantum-credits\",\"version\":\"0.0.0\",\"name\":\"Azure - Quantum Credits\",\"description\":\"Pay with Azure credits for access to Rigetti - quantum computers.\",\"autoAdd\":true,\"targets\":[\"rigetti.sim.qvm\",\"rigetti.qpu.aspen-11\",\"rigetti.qpu.aspen-m-2\",\"rigetti.qpu.aspen-m-3\"],\"quotaDimensions\":[{\"id\":\"provider-credit\",\"scope\":\"Subscription\"}],\"pricingDetails\":[{\"id\":\"features\",\"value\":\"Learn more about - Rigetti Targets\"},{\"id\":\"quota\",\"value\":\"$500 worth of Rigetti - compute, unless you have received an additional project-based grant.

While availability - lasts, credits must be used within 6 months.

Learn more about quota for credits.\"},{\"id\":\"price\",\"value\":\"Free, - up to the granted value of your credits.
Credits consumed on the base - of $0.02 (credits) per 10 milliseconds (rounded up) of QPU execution time.\"}]}],\"quotaDimensions\":[{\"id\":\"provider-credit\",\"scope\":\"Subscription\",\"quota\":25000,\"period\":\"Infinite\",\"name\":\"QPU - Credits\",\"description\":\"One credit covers 10 milliseconds of QPU execution - time, which normally costs $0.02.\",\"unit\":\"credit\",\"unitPlural\":\"credits\"}],\"pricingDimensions\":[{\"id\":\"features\",\"name\":\"Features\"},{\"id\":\"quota\",\"name\":\"Quota\"},{\"id\":\"price\",\"name\":\"Pricing\"}]}},{\"id\":\"toshiba\",\"name\":\"SQBM+ - Cloud on Azure Quantum\",\"properties\":{\"description\":\"A GPU-powered ISING - machine featuring the Simulated Bifurcation algorithm inspired by Toshiba's - research on quantum computing.\",\"providerType\":\"qio\",\"company\":\"Toshiba - Digital Solutions Corporation\",\"managedApplication\":{\"publisherId\":\"2812187\",\"offerId\":\"toshiba-aq\"},\"targets\":[{\"id\":\"toshiba.sbm.ising\",\"name\":\"Ising - solver\",\"description\":\"Originated from research on quantum bifurcation - machines, the SQBM+ is a practical and ready-to-use ISING machine that solves - large-scale \\\"combinatorial optimization problems\\\" at high speed.\",\"acceptedDataFormats\":[\"microsoft.qio.v2\"],\"acceptedContentEncodings\":[\"gzip\"]}],\"skus\":[{\"id\":\"toshiba-solutionseconds\",\"version\":\"1.0.1\",\"name\":\"Pay - As You Go\",\"description\":\"This is the only plan for using SQBM+ in Azure - Quantum Private Preview.\",\"autoAdd\":false,\"targets\":[\"toshiba.sbm.ising\"],\"pricingDetails\":[{\"id\":\"targets\",\"value\":\"toshiba.sbm.ising\"},{\"id\":\"quota\",\"value\":\"No - limit\"},{\"id\":\"price\",\"value\":\"This plan is available for free during - private preview.\"}]},{\"id\":\"learn_and_develop\",\"version\":\"1.0.1\",\"name\":\"Learn - & Develop\",\"description\":\"Learn and develop with SQBM+ (not for operational - use).\",\"autoAdd\":false,\"targets\":[\"toshiba.sbm.ising\"],\"quotaDimensions\":[{\"id\":\"learn_and_develop_concurrent_jobs\",\"scope\":\"Workspace\"},{\"id\":\"learn_and_develop_job_execution_time\",\"scope\":\"Subscription\"}],\"pricingDetails\":[{\"id\":\"targets\",\"value\":\"toshiba.sbm.ising\"},{\"id\":\"quota\",\"value\":\"

Up - to 1 concurrent jobs.

1 hour of compute per month.

\"},{\"id\":\"price\",\"value\":\"This - value loaded from partner center.\"}]},{\"id\":\"performance_at_scale\",\"version\":\"1.0.1\",\"name\":\"Performance - at scale\",\"description\":\"Deploy world-class SQBM+ solutions.\",\"autoAdd\":false,\"targets\":[\"toshiba.sbm.ising\"],\"quotaDimensions\":[{\"id\":\"performance_at_scale_concurrent_jobs\",\"scope\":\"Workspace\"},{\"id\":\"performance_at_scale_job_execution_time\",\"scope\":\"Subscription\"}],\"pricingDetails\":[{\"id\":\"targets\",\"value\":\"toshiba.sbm.ising\"},{\"id\":\"quota\",\"value\":\"

Up - to 3 concurrent jobs.

2,500 hours of compute per month.

\"},{\"id\":\"price\",\"value\":\"This - value loaded from partner center.\"}]}],\"quotaDimensions\":[{\"id\":\"learn_and_develop_concurrent_jobs\",\"scope\":\"Workspace\",\"quota\":1,\"name\":\"Concurrent - jobs\",\"description\":\"The number of jobs that you can submit within a single - workspace at the same time.\",\"unit\":\"job\",\"unitPlural\":\"jobs\"},{\"id\":\"learn_and_develop_job_execution_time\",\"scope\":\"Subscription\",\"quota\":1,\"period\":\"Monthly\",\"name\":\"Computing - hours per month\",\"description\":\"Computing hours within a subscription - per month.\",\"unit\":\"hour\",\"unitPlural\":\"hours\"},{\"id\":\"performance_at_scale_concurrent_jobs\",\"scope\":\"Workspace\",\"quota\":3,\"name\":\"Concurrent - jobs\",\"description\":\"The number of jobs that you can submit within a single - workspace at the same time.\",\"unit\":\"job\",\"unitPlural\":\"jobs\"},{\"id\":\"performance_at_scale_job_execution_time\",\"scope\":\"Subscription\",\"quota\":2500,\"period\":\"Monthly\",\"name\":\"Computing - hours per month\",\"description\":\"Computing hours within a subscription - per month.\",\"unit\":\"hour\",\"unitPlural\":\"hours\"}],\"pricingDimensions\":[{\"id\":\"targets\",\"name\":\"Targets - available\"},{\"id\":\"quota\",\"name\":\"Quota\"},{\"id\":\"price\",\"name\":\"Price - per month\"}]}}]}" - headers: - cache-control: - - no-cache - content-length: - - '41041' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 23 Jan 2023 23:53:37 GMT - expires: - - '-1' - mise-correlation-id: - - 8a259e7c-d048-4f00-8f47-c4f23da77e03 - pragma: - - no-cache - request-context: - - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f - set-cookie: - - ARRAffinity=8ff86c9a27601d7f5b6518ec4d18af424875e57b5b1d58a058e5ff9db2bf1a1f;Path=/;HttpOnly;Secure;Domain=rpcontrol-eastus.azurewebsites.net - - ARRAffinitySameSite=8ff86c9a27601d7f5b6518ec4d18af424875e57b5b1d58a058e5ff9db2bf1a1f;Path=/;HttpOnly;SameSite=None;Secure;Domain=rpcontrol-eastus.azurewebsites.net - - ASLBSA=0003d40efdced3b125786ca8cb22325eb49a925b534478081c4d828d5b638143f548; - path=/; secure - - ASLBSACORS=0003d40efdced3b125786ca8cb22325eb49a925b534478081c4d828d5b638143f548; - samesite=none; path=/; secure - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-azure-ref: - - 0Ah7PYwAAAADUroH2IYYnTK4Yg9D+aIdlUEhMMzBFREdFMDMxMwBlNDgyMjUzYi05ZTA1LTQwNWUtYTgzZi01ODZlZTFkNTUzZTQ= - x-cache: - - CONFIG_NOCACHE - x-content-type-options: - - nosniff - x-ms-providerhub-traffic: - - 'True' - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - quantum workspace create - Connection: - - keep-alive - ParameterSetName: - - -g -w -l -a -r - User-Agent: - - AZURECLI/2.44.1 azsdk-python-mgmt-marketplaceordering/1.1.0 Python/3.10.6 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/virtualmachine/publishers/quantinuumllc1640113159771/offers/quantinuum-aq/plans/credits1/agreements/current?api-version=2021-01-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/VirtualMachine/publishers/quantinuumllc1640113159771/offers/quantinuum-aq/plans/credits1/agreements/current","name":"credits1","type":"Microsoft.MarketplaceOrdering/offertypes","properties":{"publisher":"quantinuumllc1640113159771","product":"quantinuum-aq","plan":"credits1","licenseTextLink":"https://mpcprodsa.blob.core.windows.net/legalterms/3E5ED_legalterms_QUANTINUUMLLC1640113159771%253a24QUANTINUUM%253a2DAQ%253a24CREDITS1%253a24U3AGC77IHGZ5FLJYZ6QWF357B7LQHG6PW5CSVK7VKS2YGVWO4OBIOCCOCSXJEEP6BMMDOPFM4ETZZYATWBPM2EFN4YT4KWM6QDFMTOY.txt","privacyPolicyLink":"https://www.quantinuum.com/privacy-statement","marketplaceTermsLink":"https://mpcprodsa.blob.core.windows.net/marketplaceterms/3EDEF_marketplaceterms_AZUREAPPLICATION%253a24OF7TIMHFEMPZHRBYEO3SVLC7Q2MPXXAASJ5BO2FUY4UC6EZCN5TIL2KIGTA7WI2CSM3WV4L7QMPNRYPE2I7BOCM34RGOL3XTC6ADIMI.txt","retrieveDatetime":"2023-01-23T23:53:41.1664378Z","signature":"5Y32HTGUQ3SZ7DXZFNY2W6WXBFKK4FCY4G5BAV5XRFVTEBD7FAETP4WUDZBDQTE5JEU4EO5OSJ3RFGVNOTWYFW64BBU7LCP6WCYV4JI","accepted":true},"systemData":{"createdBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","createdByType":"ManagedIdentity","createdAt":"2023-01-23T23:53:41.2602379+00:00","lastModifiedBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","lastModifiedByType":"ManagedIdentity","lastModifiedAt":"2023-01-23T23:53:41.2602379+00:00"}}' - headers: - cache-control: - - no-cache - content-length: - - '1440' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 23 Jan 2023 23:53:40 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-frame-options: - - SAMEORIGIN - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - quantum workspace create - Connection: - - keep-alive - ParameterSetName: - - -g -w -l -a -r - User-Agent: - - AZURECLI/2.44.1 azsdk-python-mgmt-marketplaceordering/1.1.0 Python/3.10.6 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/virtualmachine/publishers/quantumcircuitsinc1598045891596/offers/qci-aq/plans/qci-freepreview/agreements/current?api-version=2021-01-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/VirtualMachine/publishers/quantumcircuitsinc1598045891596/offers/qci-aq/plans/qci-freepreview/agreements/current","name":"qci-freepreview","type":"Microsoft.MarketplaceOrdering/offertypes","properties":{"publisher":"quantumcircuitsinc1598045891596","product":"qci-aq","plan":"qci-freepreview","licenseTextLink":"https://mpcprodsa.blob.core.windows.net/legalterms/3E5ED_legalterms_QUANTUMCIRCUITSINC1598045891596%253a24QCI%253a2DAQ%253a24QCI%253a2DFREEPREVIEW%253a24PP3GLE327RQ6PXCFKVKKUIHX2KTKAPSMYHMY4RTIDVZNPA5MI4TAS4E3EMRM43OT3R3PWF5I7NG2Z2AYJYYMAIATBW7A256UYHC34CY.txt","privacyPolicyLink":"https://www.quantumcircuits.com/privacy-policy","marketplaceTermsLink":"https://mpcprodsa.blob.core.windows.net/marketplaceterms/3EDEF_marketplaceterms_AZUREAPPLICATION%253a24OF7TIMHFEMPZHRBYEO3SVLC7Q2MPXXAASJ5BO2FUY4UC6EZCN5TIL2KIGTA7WI2CSM3WV4L7QMPNRYPE2I7BOCM34RGOL3XTC6ADIMI.txt","retrieveDatetime":"2023-01-23T23:53:44.0959179Z","signature":"B2YT2LIQZGTIQYZOVHBBM5Z3QBSWXLSESYUH6AACOQXUYR7WPLYZ6K4YTNUEN6OWG4GPDEN4EQQDV6ETWDHGEUA7MSH4CYGIZVRUPFQ","accepted":true},"systemData":{"createdBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","createdByType":"ManagedIdentity","createdAt":"2023-01-23T23:53:44.4709855+00:00","lastModifiedBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","lastModifiedByType":"ManagedIdentity","lastModifiedAt":"2023-01-23T23:53:44.4709855+00:00"}}' - headers: - cache-control: - - no-cache - content-length: - - '1470' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 23 Jan 2023 23:53:44 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-frame-options: - - SAMEORIGIN - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - quantum workspace create - Connection: - - keep-alive - ParameterSetName: - - -g -w -l -a -r - User-Agent: - - AZURECLI/2.44.1 azsdk-python-mgmt-marketplaceordering/1.1.0 Python/3.10.6 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/virtualmachine/publishers/rigetticoinc1644276861431/offers/rigetti-aq/plans/azure-quantum-credits/agreements/current?api-version=2021-01-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/VirtualMachine/publishers/rigetticoinc1644276861431/offers/rigetti-aq/plans/azure-quantum-credits/agreements/current","name":"azure-quantum-credits","type":"Microsoft.MarketplaceOrdering/offertypes","properties":{"publisher":"rigetticoinc1644276861431","product":"rigetti-aq","plan":"azure-quantum-credits","licenseTextLink":"https://mpcprodsa.blob.core.windows.net/legalterms/3E5ED_legalterms_RIGETTICOINC1644276861431%253a24RIGETTI%253a2DAQ%253a24AZURE%253a2DQUANTUM%253a2DCREDITS%253a24H35R3FYQURHQDNSLAZ4YCHIHABQ4NR4UI66LMJ3K53EHCQWZJMC3BLGZODKSAMOQ4ZI5CVO37XQXKFBQ3YWK444S7B3XGBK67JHVZNI.txt","privacyPolicyLink":"https://www.rigetti.com/privacy-policy","marketplaceTermsLink":"https://mpcprodsa.blob.core.windows.net/marketplaceterms/3EDEF_marketplaceterms_AZUREAPPLICATION%253a24OF7TIMHFEMPZHRBYEO3SVLC7Q2MPXXAASJ5BO2FUY4UC6EZCN5TIL2KIGTA7WI2CSM3WV4L7QMPNRYPE2I7BOCM34RGOL3XTC6ADIMI.txt","retrieveDatetime":"2023-01-23T23:53:46.8260086Z","signature":"WLVIWIGCA55LLZXVGE2HMZB4RUDK2WFDYJCEBCHOK2ZXEYQBEZ4RUPE3B4DDZSZTF4E2KS6VXSO237JCY2DXI7GOWB7FHR6UKFQTOEA","accepted":true},"systemData":{"createdBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","createdByType":"ManagedIdentity","createdAt":"2023-01-23T23:53:46.8729165+00:00","lastModifiedBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","lastModifiedByType":"ManagedIdentity","lastModifiedAt":"2023-01-23T23:53:46.8729165+00:00"}}' - headers: - cache-control: - - no-cache - content-length: - - '1486' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 23 Jan 2023 23:53:46 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-frame-options: - - SAMEORIGIN - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - quantum workspace create - Connection: - - keep-alive - ParameterSetName: - - -g -w -l -a -r - User-Agent: - - AZURECLI/2.44.1 azsdk-python-mgmt-marketplaceordering/1.1.0 Python/3.10.6 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/virtualmachine/publishers/ionqinc1582730893633/offers/ionq-aq/plans/pay-as-you-go-cred/agreements/current?api-version=2021-01-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/VirtualMachine/publishers/ionqinc1582730893633/offers/ionq-aq/plans/pay-as-you-go-cred/agreements/current","name":"pay-as-you-go-cred","type":"Microsoft.MarketplaceOrdering/offertypes","properties":{"publisher":"ionqinc1582730893633","product":"ionq-aq","plan":"pay-as-you-go-cred","licenseTextLink":"https://mpcprodsa.blob.core.windows.net/legalterms/3E5ED_legalterms_IONQINC1582730893633%253a24IONQ%253a2DAQ%253a24PAY%253a2DAS%253a2DYOU%253a2DGO%253a2DCRED%253a247ODGLEAK7RQISNHUEU4KJYVC6QLVZF5IANNQFGBHOKJMXWIW3OPRUADLB63ROSGS5FVYSHLINGX5BK7GF7Y2ZO24HKBHSPKMXBHFBAQ.txt","privacyPolicyLink":"https://ionq.com/privacy","marketplaceTermsLink":"https://mpcprodsa.blob.core.windows.net/marketplaceterms/3EDEF_marketplaceterms_AZUREAPPLICATION%253a24OF7TIMHFEMPZHRBYEO3SVLC7Q2MPXXAASJ5BO2FUY4UC6EZCN5TIL2KIGTA7WI2CSM3WV4L7QMPNRYPE2I7BOCM34RGOL3XTC6ADIMI.txt","retrieveDatetime":"2023-01-23T23:53:49.5359409Z","signature":"6G36P3GWN52X7G2MFGD7OHF47VWVYHZCR65XOL6WWUKRTXSVYKSGTKTRYHGIJZMXQMZPERJNSGMXKCM66MJBPT7JGKLW3PYSXIBLZRY","accepted":true},"systemData":{"createdBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","createdByType":"ManagedIdentity","createdAt":"2023-01-23T23:53:49.6921817+00:00","lastModifiedBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","lastModifiedByType":"ManagedIdentity","lastModifiedAt":"2023-01-23T23:53:49.6921817+00:00"}}' - headers: - cache-control: - - no-cache - content-length: - - '1448' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 23 Jan 2023 23:53:49 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-frame-options: - - SAMEORIGIN - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - quantum workspace create - Connection: - - keep-alive - ParameterSetName: - - -g -w -l -a -r - User-Agent: - - AZURECLI/2.44.1 azsdk-python-mgmt-marketplaceordering/1.1.0 Python/3.10.6 - (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/virtualmachine/publishers/quantinuumllc1640113159771/offers/quantinuum-aq/plans/credits1/agreements/current?api-version=2021-01-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.MarketplaceOrdering/offerTypes/VirtualMachine/publishers/quantinuumllc1640113159771/offers/quantinuum-aq/plans/credits1/agreements/current","name":"credits1","type":"Microsoft.MarketplaceOrdering/offertypes","properties":{"publisher":"quantinuumllc1640113159771","product":"quantinuum-aq","plan":"credits1","licenseTextLink":"https://mpcprodsa.blob.core.windows.net/legalterms/3E5ED_legalterms_QUANTINUUMLLC1640113159771%253a24QUANTINUUM%253a2DAQ%253a24CREDITS1%253a24U3AGC77IHGZ5FLJYZ6QWF357B7LQHG6PW5CSVK7VKS2YGVWO4OBIOCCOCSXJEEP6BMMDOPFM4ETZZYATWBPM2EFN4YT4KWM6QDFMTOY.txt","privacyPolicyLink":"https://www.quantinuum.com/privacy-statement","marketplaceTermsLink":"https://mpcprodsa.blob.core.windows.net/marketplaceterms/3EDEF_marketplaceterms_AZUREAPPLICATION%253a24OF7TIMHFEMPZHRBYEO3SVLC7Q2MPXXAASJ5BO2FUY4UC6EZCN5TIL2KIGTA7WI2CSM3WV4L7QMPNRYPE2I7BOCM34RGOL3XTC6ADIMI.txt","retrieveDatetime":"2023-01-23T23:53:52.2083793Z","signature":"HO7LUGMLF2BYUTPYEHAKL3YYEYWCNJZJ74MXNUU4F7Y6UJRN34SZOS4MWA6BMSWAOF7MY5MOV4ALHGARHTU3HFMCWN4ZAX7XQBMZ5OQ","accepted":true},"systemData":{"createdBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","createdByType":"ManagedIdentity","createdAt":"2023-01-23T23:53:52.270862+00:00","lastModifiedBy":"677fc922-91d0-4bf6-9b06-4274d319a0fa","lastModifiedByType":"ManagedIdentity","lastModifiedAt":"2023-01-23T23:53:52.270862+00:00"}}' - headers: - cache-control: - - no-cache - content-length: - - '1438' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 23 Jan 2023 23:53:51 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-IIS/10.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-frame-options: - - SAMEORIGIN - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - quantum workspace create - Connection: - - keep-alive - ParameterSetName: - - -g -w -l -a -r - User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts?api-version=2022-09-01 - response: - body: - string: '{"value":[{"sku":{"name":"Standard_LRS","tier":"Standard"},"kind":"Storage","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2","name":"vwjonesstorage2","type":"Microsoft.Storage/storageAccounts","location":"eastus","tags":{},"properties":{"keyCreationTime":{"key1":"2021-09-21T22:04:47.1374328Z","key2":"2021-09-21T22:04:47.1374328Z"},"privateEndpointConnections":[],"minimumTlsVersion":"TLS1_0","allowBlobPublicAccess":true,"networkAcls":{"bypass":"AzureServices","virtualNetworkRules":[],"ipRules":[],"defaultAction":"Allow"},"supportsHttpsTrafficOnly":true,"encryption":{"services":{"file":{"keyType":"Account","enabled":true,"lastEnabledTime":"2021-09-21T22:04:47.1374328Z"},"blob":{"keyType":"Account","enabled":true,"lastEnabledTime":"2021-09-21T22:04:47.1374328Z"}},"keySource":"Microsoft.Storage"},"provisioningState":"Succeeded","creationTime":"2021-09-21T22:04:47.0124593Z","primaryEndpoints":{"blob":"https://vwjonesstorage2.blob.core.windows.net/","queue":"https://vwjonesstorage2.queue.core.windows.net/","table":"https://vwjonesstorage2.table.core.windows.net/","file":"https://vwjonesstorage2.file.core.windows.net/"},"primaryLocation":"eastus","statusOfPrimary":"available"}},{"sku":{"name":"Standard_LRS","tier":"Standard"},"kind":"Storage","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage3","name":"vwjonesstorage3","type":"Microsoft.Storage/storageAccounts","location":"eastus","tags":{},"properties":{"keyCreationTime":{"key1":"2022-08-11T18:41:05.2371860Z","key2":"2022-08-11T18:41:05.2371860Z"},"privateEndpointConnections":[],"minimumTlsVersion":"TLS1_0","allowBlobPublicAccess":true,"networkAcls":{"bypass":"AzureServices","virtualNetworkRules":[],"ipRules":[],"defaultAction":"Allow"},"supportsHttpsTrafficOnly":true,"encryption":{"services":{"file":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-08-11T18:41:05.2371860Z"},"blob":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-08-11T18:41:05.2371860Z"}},"keySource":"Microsoft.Storage"},"provisioningState":"Succeeded","creationTime":"2022-08-11T18:41:05.0652888Z","primaryEndpoints":{"blob":"https://vwjonesstorage3.blob.core.windows.net/","queue":"https://vwjonesstorage3.queue.core.windows.net/","table":"https://vwjonesstorage3.table.core.windows.net/","file":"https://vwjonesstorage3.file.core.windows.net/"},"primaryLocation":"eastus","statusOfPrimary":"available"}},{"sku":{"name":"Standard_LRS","tier":"Standard"},"kind":"Storage","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage33310","name":"vwjonesstorage33310","type":"Microsoft.Storage/storageAccounts","location":"eastus","tags":{},"properties":{"keyCreationTime":{"key1":"2022-12-13T02:10:06.0148695Z","key2":"2022-12-13T02:10:06.0148695Z"},"privateEndpointConnections":[],"minimumTlsVersion":"TLS1_0","allowBlobPublicAccess":true,"networkAcls":{"bypass":"AzureServices","virtualNetworkRules":[],"ipRules":[],"defaultAction":"Allow"},"supportsHttpsTrafficOnly":true,"encryption":{"services":{"file":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-12-13T02:10:06.0148695Z"},"blob":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-12-13T02:10:06.0148695Z"}},"keySource":"Microsoft.Storage"},"provisioningState":"Succeeded","creationTime":"2022-12-13T02:10:05.8273595Z","primaryEndpoints":{"blob":"https://vwjonesstorage33310.blob.core.windows.net/","queue":"https://vwjonesstorage33310.queue.core.windows.net/","table":"https://vwjonesstorage33310.table.core.windows.net/","file":"https://vwjonesstorage33310.file.core.windows.net/"},"primaryLocation":"eastus","statusOfPrimary":"available"}},{"sku":{"name":"Standard_LRS","tier":"Standard"},"kind":"Storage","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage4","name":"vwjonesstorage4","type":"Microsoft.Storage/storageAccounts","location":"westus","tags":{},"properties":{"keyCreationTime":{"key1":"2022-08-24T18:30:25.3831084Z","key2":"2022-08-24T18:30:25.3831084Z"},"privateEndpointConnections":[],"minimumTlsVersion":"TLS1_0","allowBlobPublicAccess":true,"networkAcls":{"bypass":"AzureServices","virtualNetworkRules":[],"ipRules":[],"defaultAction":"Allow"},"supportsHttpsTrafficOnly":true,"encryption":{"services":{"file":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-08-24T18:30:25.3987025Z"},"blob":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-08-24T18:30:25.3987025Z"}},"keySource":"Microsoft.Storage"},"provisioningState":"Succeeded","creationTime":"2022-08-24T18:30:25.2580954Z","primaryEndpoints":{"blob":"https://vwjonesstorage4.blob.core.windows.net/","queue":"https://vwjonesstorage4.queue.core.windows.net/","table":"https://vwjonesstorage4.table.core.windows.net/","file":"https://vwjonesstorage4.file.core.windows.net/"},"primaryLocation":"westus","statusOfPrimary":"available"}},{"sku":{"name":"Standard_LRS","tier":"Standard"},"kind":"StorageV2","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage5","name":"vwjonesstorage5","type":"Microsoft.Storage/storageAccounts","location":"westus2","tags":{},"properties":{"dnsEndpointType":"Standard","defaultToOAuthAuthentication":false,"publicNetworkAccess":"Enabled","keyCreationTime":{"key1":"2022-08-25T21:57:16.1412273Z","key2":"2022-08-25T21:57:16.1412273Z"},"allowCrossTenantReplication":true,"privateEndpointConnections":[],"minimumTlsVersion":"TLS1_2","allowBlobPublicAccess":true,"allowSharedKeyAccess":true,"networkAcls":{"bypass":"AzureServices","virtualNetworkRules":[],"ipRules":[],"defaultAction":"Allow"},"supportsHttpsTrafficOnly":true,"encryption":{"requireInfrastructureEncryption":false,"services":{"file":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-08-25T21:57:16.5630689Z"},"blob":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-08-25T21:57:16.5630689Z"}},"keySource":"Microsoft.Storage"},"accessTier":"Hot","provisioningState":"Succeeded","creationTime":"2022-08-25T21:57:16.0474739Z","primaryEndpoints":{"dfs":"https://vwjonesstorage5.dfs.core.windows.net/","web":"https://vwjonesstorage5.z5.web.core.windows.net/","blob":"https://vwjonesstorage5.blob.core.windows.net/","queue":"https://vwjonesstorage5.queue.core.windows.net/","table":"https://vwjonesstorage5.table.core.windows.net/","file":"https://vwjonesstorage5.file.core.windows.net/"},"primaryLocation":"westus2","statusOfPrimary":"available"}},{"sku":{"name":"Standard_LRS","tier":"Standard"},"kind":"Storage","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage7","name":"vwjonesstorage7","type":"Microsoft.Storage/storageAccounts","location":"eastus2euap","tags":{},"properties":{"keyCreationTime":{"key1":"2022-09-29T22:32:06.2588030Z","key2":"2022-09-29T22:32:06.2588030Z"},"allowCrossTenantReplication":false,"privateEndpointConnections":[],"minimumTlsVersion":"TLS1_0","allowBlobPublicAccess":true,"networkAcls":{"bypass":"AzureServices","virtualNetworkRules":[],"ipRules":[],"defaultAction":"Allow"},"supportsHttpsTrafficOnly":true,"encryption":{"services":{"file":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-09-29T22:32:06.7900691Z"},"blob":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-09-29T22:32:06.7900691Z"}},"keySource":"Microsoft.Storage"},"provisioningState":"Succeeded","creationTime":"2022-09-29T22:32:06.1806703Z","primaryEndpoints":{"blob":"https://vwjonesstorage7.blob.core.windows.net/","queue":"https://vwjonesstorage7.queue.core.windows.net/","table":"https://vwjonesstorage7.table.core.windows.net/","file":"https://vwjonesstorage7.file.core.windows.net/"},"primaryLocation":"eastus2euap","statusOfPrimary":"available"}},{"sku":{"name":"Standard_LRS","tier":"Standard"},"kind":"Storage","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage6","name":"vwjonesstorage6","type":"Microsoft.Storage/storageAccounts","location":"centraluseuap","tags":{},"properties":{"keyCreationTime":{"key1":"2022-09-29T22:13:05.8017810Z","key2":"2022-09-29T22:13:05.8017810Z"},"allowCrossTenantReplication":false,"privateEndpointConnections":[],"minimumTlsVersion":"TLS1_0","allowBlobPublicAccess":true,"networkAcls":{"bypass":"AzureServices","virtualNetworkRules":[],"ipRules":[],"defaultAction":"Allow"},"supportsHttpsTrafficOnly":true,"encryption":{"services":{"file":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-09-29T22:13:06.3017835Z"},"blob":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-09-29T22:13:06.3017835Z"}},"keySource":"Microsoft.Storage"},"provisioningState":"Succeeded","creationTime":"2022-09-29T22:13:05.7392784Z","primaryEndpoints":{"blob":"https://vwjonesstorage6.blob.core.windows.net/","queue":"https://vwjonesstorage6.queue.core.windows.net/","table":"https://vwjonesstorage6.table.core.windows.net/","file":"https://vwjonesstorage6.file.core.windows.net/"},"primaryLocation":"centraluseuap","statusOfPrimary":"available"}},{"sku":{"name":"Standard_LRS","tier":"Standard"},"kind":"Storage","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstoragecanary","name":"vwjonesstoragecanary","type":"Microsoft.Storage/storageAccounts","location":"centraluseuap","tags":{},"properties":{"keyCreationTime":{"key1":"2022-10-27T21:45:38.3454788Z","key2":"2022-10-27T21:45:38.3454788Z"},"allowCrossTenantReplication":false,"privateEndpointConnections":[],"minimumTlsVersion":"TLS1_0","allowBlobPublicAccess":true,"networkAcls":{"bypass":"AzureServices","virtualNetworkRules":[],"ipRules":[],"defaultAction":"Allow"},"supportsHttpsTrafficOnly":true,"encryption":{"services":{"file":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-10-27T21:45:38.3454788Z"},"blob":{"keyType":"Account","enabled":true,"lastEnabledTime":"2022-10-27T21:45:38.3454788Z"}},"keySource":"Microsoft.Storage"},"provisioningState":"Succeeded","creationTime":"2022-10-27T21:45:38.2829751Z","primaryEndpoints":{"blob":"https://vwjonesstoragecanary.blob.core.windows.net/","queue":"https://vwjonesstoragecanary.queue.core.windows.net/","table":"https://vwjonesstoragecanary.table.core.windows.net/","file":"https://vwjonesstoragecanary.file.core.windows.net/"},"primaryLocation":"centraluseuap","statusOfPrimary":"available"}}]}' - headers: - cache-control: - - no-cache - content-length: - - '10770' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 23 Jan 2023 23:53:52 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-original-request-ids: - - d5176945-61e0-4c6b-b031-eac48aca78ee - - 536008ae-bb8f-4590-99c7-4442b054332a - - e0b566c6-7e8d-4037-bec5-324e35d5de02 - - 2dd73991-6cba-4cc6-b429-0f35832064fa - - f0ce29fd-53bd-4b2e-b5a3-cc36bd92ec2c - status: - code: 200 - message: OK -- request: - body: '{"properties": {"template": {"$schema": "https://schema.management.azure.com/schemas/2019-04-01/deploymentTemplate.json#", - "contentVersion": "1.0.0.0", "parameters": {"quantumWorkspaceName": {"type": - "string", "metadata": {"description": "Quantum Workspace Name"}}, "location": - {"type": "string", "metadata": {"description": "Workspace Location"}}, "tags": - {"type": "object", "defaultValue": {}, "metadata": {"description": "Tags for - this workspace"}}, "providers": {"type": "array", "metadata": {"description": - "A list of Providers for this workspace"}}, "storageAccountName": {"type": "string", - "metadata": {"description": "Storage account short name"}}, "storageAccountId": - {"type": "string", "metadata": {"description": "Storage account ID (path)"}}, - "storageAccountLocation": {"type": "string", "metadata": {"description": "Storage - account location"}}, "storageAccountSku": {"type": "string", "metadata": {"description": - "Storage account SKU"}}, "storageAccountKind": {"type": "string", "metadata": - {"description": "Kind of storage account"}}, "storageAccountDeploymentName": - {"type": "string", "metadata": {"description": "Deployment name for role assignment - operation"}}}, "functions": [], "variables": {}, "resources": [{"type": "Microsoft.Quantum/workspaces", - "apiVersion": "2019-11-04-preview", "name": "[parameters(''quantumWorkspaceName'')]", - "location": "[parameters(''location'')]", "tags": "[parameters(''tags'')]", - "identity": {"type": "SystemAssigned"}, "properties": {"providers": "[parameters(''providers'')]", - "storageAccount": "[parameters(''storageAccountId'')]"}}, {"apiVersion": "2019-10-01", - "name": "[parameters(''storageAccountDeploymentName'')]", "type": "Microsoft.Resources/deployments", - "dependsOn": ["[resourceId(''Microsoft.Quantum/Workspaces'', parameters(''quantumWorkspaceName''))]"], - "properties": {"mode": "Incremental", "template": {"$schema": "https://schema.management.azure.com/schemas/2015-01-01/deploymentTemplate.json#", - "contentVersion": "1.0.0.0", "resources": [{"apiVersion": "2019-06-01", "name": - "[parameters(''storageAccountName'')]", "location": "[parameters(''storageAccountLocation'')]", - "type": "Microsoft.Storage/storageAccounts", "sku": {"name": "[parameters(''storageAccountSku'')]"}, - "kind": "[parameters(''storageAccountKind'')]", "resources": [{"name": "default", - "type": "fileServices", "apiVersion": "2019-06-01", "dependsOn": ["[parameters(''storageAccountId'')]"], - "properties": {"cors": {"corsRules": [{"allowedOrigins": ["*"], "allowedHeaders": - ["*"], "allowedMethods": ["GET", "HEAD", "OPTIONS", "POST", "PUT"], "exposedHeaders": - ["*"], "maxAgeInSeconds": 180}]}}}]}, {"apiVersion": "2020-04-01-preview", "name": - "[concat(parameters(''storageAccountName''), ''/Microsoft.Authorization/'', - guid(reference(concat(''Microsoft.Quantum/Workspaces/'', parameters(''quantumWorkspaceName'')), - ''2019-11-04-preview'', ''Full'').identity.principalId))]", "type": "Microsoft.Storage/storageAccounts/providers/roleAssignments", - "location": "[parameters(''storageAccountLocation'')]", "properties": {"roleDefinitionId": - "[resourceId(''Microsoft.Authorization/roleDefinitions'', ''b24988ac-6180-42a0-ab88-20f7382dd24c'')]", - "principalId": "[reference(concat(''Microsoft.Quantum/Workspaces/'', parameters(''quantumWorkspaceName'')), - ''2019-11-04-preview'', ''Full'').identity.principalId]", "principalType": "ServicePrincipal"}, - "dependsOn": ["[parameters(''storageAccountId'')]"]}]}}}], "outputs": {}}, "parameters": - {"quantumWorkspaceName": {"value": "e2e-test-w9154517"}, "location": {"value": - "eastus"}, "tags": {"value": {}}, "providers": {"value": [{"providerId": "qci", - "providerSku": "qci-freepreview"}, {"providerId": "rigetti", "providerSku": - "azure-quantum-credits"}, {"providerId": "ionq", "providerSku": "pay-as-you-go-cred"}, - {"providerId": "Microsoft", "providerSku": "DZH3178M639F"}, {"providerId": "microsoft-qc", - "providerSku": "learn-and-develop"}, {"providerId": "quantinuum", "providerSku": - "credits1"}]}, "storageAccountName": {"value": "vwjonesstorage2"}, "storageAccountId": - {"value": "/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2"}, - "storageAccountLocation": {"value": "eastus"}, "storageAccountSku": {"value": - "Standard_LRS"}, "storageAccountKind": {"value": "Storage"}, "storageAccountDeploymentName": - {"value": "Microsoft.StorageAccount-23-Jan-2023-23-53-52"}}, "mode": "Incremental"}}' - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - Content-Length: - - '4407' - Content-Type: - - application/json - User-Agent: - - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment?api-version=2021-04-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/Microsoft.AzureQuantum-e2e-test-w9154517","name":"Microsoft.AzureQuantum-e2e-test-w9154517","type":"Microsoft.Resources/deployments","properties":{"templateHash":"6354453805046911057","parameters":{"quantumWorkspaceName":{"type":"String","value":"e2e-test-w9154517"},"location":{"type":"String","value":"eastus"},"tags":{"type":"Object","value":{}},"providers":{"type":"Array","value":[{"providerId":"qci","providerSku":"qci-freepreview"},{"providerId":"rigetti","providerSku":"azure-quantum-credits"},{"providerId":"ionq","providerSku":"pay-as-you-go-cred"},{"providerId":"Microsoft","providerSku":"DZH3178M639F"},{"providerId":"microsoft-qc","providerSku":"learn-and-develop"},{"providerId":"quantinuum","providerSku":"credits1"}]},"storageAccountName":{"type":"String","value":"vwjonesstorage2"},"storageAccountId":{"type":"String","value":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2"},"storageAccountLocation":{"type":"String","value":"eastus"},"storageAccountSku":{"type":"String","value":"Standard_LRS"},"storageAccountKind":{"type":"String","value":"Storage"},"storageAccountDeploymentName":{"type":"String","value":"Microsoft.StorageAccount-23-Jan-2023-23-53-52"}},"mode":"Incremental","provisioningState":"Accepted","timestamp":"2023-01-23T23:53:55.5261362Z","duration":"PT0.0000859S","correlationId":"6d789773-7724-47ae-a1c4-a7ee02bca3d6","providers":[{"namespace":"Microsoft.Quantum","resourceTypes":[{"resourceType":"workspaces","locations":["eastus"]}]},{"namespace":"Microsoft.Resources","resourceTypes":[{"resourceType":"deployments","locations":[null]}]}],"dependencies":[{"dependsOn":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/Workspaces/e2e-test-w9154517","resourceType":"Microsoft.Quantum/Workspaces","resourceName":"e2e-test-w9154517"},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517","resourceType":"Microsoft.Quantum/workspaces","resourceName":"e2e-test-w9154517","apiVersion":"2019-11-04-preview"}],"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/Microsoft.StorageAccount-23-Jan-2023-23-53-52","resourceType":"Microsoft.Resources/deployments","resourceName":"Microsoft.StorageAccount-23-Jan-2023-23-53-52"}]}}' - headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/Microsoft.AzureQuantum-e2e-test-w9154517/operationStatuses/08585270888509999263?api-version=2021-04-01 - cache-control: - - no-cache - content-length: - - '2607' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 23 Jan 2023 23:53:55 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-writes: - - '1199' - status: - code: 201 - message: Created -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - User-Agent: - - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585270888509999263?api-version=2021-04-01 - response: - body: - string: '{"status":"Running"}' - headers: - cache-control: - - no-cache - content-length: - - '20' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 23 Jan 2023 23:53:55 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - User-Agent: - - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585270888509999263?api-version=2021-04-01 - response: - body: - string: '{"status":"Running"}' - headers: - cache-control: - - no-cache - content-length: - - '20' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 23 Jan 2023 23:54:25 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - User-Agent: - - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585270888509999263?api-version=2021-04-01 - response: - body: - string: '{"status":"Running"}' - headers: - cache-control: - - no-cache - content-length: - - '20' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 23 Jan 2023 23:54:56 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - User-Agent: - - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585270888509999263?api-version=2021-04-01 - response: - body: - string: '{"status":"Running"}' - headers: - cache-control: - - no-cache - content-length: - - '20' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 23 Jan 2023 23:55:25 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - User-Agent: - - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585270888509999263?api-version=2021-04-01 - response: - body: - string: '{"status":"Running"}' - headers: - cache-control: - - no-cache - content-length: - - '20' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 23 Jan 2023 23:55:55 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - User-Agent: - - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585270888509999263?api-version=2021-04-01 - response: - body: - string: '{"status":"Running"}' - headers: - cache-control: - - no-cache - content-length: - - '20' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 23 Jan 2023 23:56:25 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - User-Agent: - - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585270888509999263?api-version=2021-04-01 - response: - body: - string: '{"status":"Running"}' - headers: - cache-control: - - no-cache - content-length: - - '20' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 23 Jan 2023 23:56:55 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - User-Agent: - - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585270888509999263?api-version=2021-04-01 - response: - body: - string: '{"status":"Running"}' - headers: - cache-control: - - no-cache - content-length: - - '20' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 23 Jan 2023 23:57:26 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - User-Agent: - - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585270888509999263?api-version=2021-04-01 - response: - body: - string: '{"status":"Running"}' - headers: - cache-control: - - no-cache - content-length: - - '20' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 23 Jan 2023 23:57:56 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - User-Agent: - - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585270888509999263?api-version=2021-04-01 - response: - body: - string: '{"status":"Running"}' - headers: - cache-control: - - no-cache - content-length: - - '20' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 23 Jan 2023 23:58:26 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - User-Agent: - - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585270888509999263?api-version=2021-04-01 - response: - body: - string: '{"status":"Running"}' - headers: - cache-control: - - no-cache - content-length: - - '20' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 23 Jan 2023 23:58:56 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - User-Agent: - - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585270888509999263?api-version=2021-04-01 - response: - body: - string: '{"status":"Running"}' - headers: - cache-control: - - no-cache - content-length: - - '20' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 23 Jan 2023 23:59:26 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - User-Agent: - - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585270888509999263?api-version=2021-04-01 - response: - body: - string: '{"status":"Running"}' - headers: - cache-control: - - no-cache - content-length: - - '20' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 23 Jan 2023 23:59:56 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - User-Agent: - - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585270888509999263?api-version=2021-04-01 - response: - body: - string: '{"status":"Running"}' - headers: - cache-control: - - no-cache - content-length: - - '20' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 24 Jan 2023 00:00:26 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - User-Agent: - - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment/operationStatuses/08585270888509999263?api-version=2021-04-01 - response: - body: - string: '{"status":"Succeeded"}' - headers: - cache-control: - - no-cache - content-length: - - '22' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 24 Jan 2023 00:00:57 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - User-Agent: - - azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/mock-deployment?api-version=2021-04-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/Microsoft.AzureQuantum-e2e-test-w9154517","name":"Microsoft.AzureQuantum-e2e-test-w9154517","type":"Microsoft.Resources/deployments","properties":{"templateHash":"6354453805046911057","parameters":{"quantumWorkspaceName":{"type":"String","value":"e2e-test-w9154517"},"location":{"type":"String","value":"eastus"},"tags":{"type":"Object","value":{}},"providers":{"type":"Array","value":[{"providerId":"qci","providerSku":"qci-freepreview"},{"providerId":"rigetti","providerSku":"azure-quantum-credits"},{"providerId":"ionq","providerSku":"pay-as-you-go-cred"},{"providerId":"Microsoft","providerSku":"DZH3178M639F"},{"providerId":"microsoft-qc","providerSku":"learn-and-develop"},{"providerId":"quantinuum","providerSku":"credits1"}]},"storageAccountName":{"type":"String","value":"vwjonesstorage2"},"storageAccountId":{"type":"String","value":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2"},"storageAccountLocation":{"type":"String","value":"eastus"},"storageAccountSku":{"type":"String","value":"Standard_LRS"},"storageAccountKind":{"type":"String","value":"Storage"},"storageAccountDeploymentName":{"type":"String","value":"Microsoft.StorageAccount-23-Jan-2023-23-53-52"}},"mode":"Incremental","provisioningState":"Succeeded","timestamp":"2023-01-24T00:00:46.1976076Z","duration":"PT6M50.6715573S","correlationId":"6d789773-7724-47ae-a1c4-a7ee02bca3d6","providers":[{"namespace":"Microsoft.Quantum","resourceTypes":[{"resourceType":"workspaces","locations":["eastus"]}]},{"namespace":"Microsoft.Resources","resourceTypes":[{"resourceType":"deployments","locations":[null]}]}],"dependencies":[{"dependsOn":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/Workspaces/e2e-test-w9154517","resourceType":"Microsoft.Quantum/Workspaces","resourceName":"e2e-test-w9154517"},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517","resourceType":"Microsoft.Quantum/workspaces","resourceName":"e2e-test-w9154517","apiVersion":"2019-11-04-preview"}],"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Resources/deployments/Microsoft.StorageAccount-23-Jan-2023-23-53-52","resourceType":"Microsoft.Resources/deployments","resourceName":"Microsoft.StorageAccount-23-Jan-2023-23-53-52"}],"outputs":{},"outputResources":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517"},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2"},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2/fileServices/default"},{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2/providers/Microsoft.Authorization/roleAssignments/d550c41b-4c5d-5b1b-9b5c-059d9eb63549"}]}}' - headers: - cache-control: - - no-cache - content-length: - - '3345' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 24 Jan 2023 00:00:57 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - quantum workspace set - Connection: - - keep-alive - ParameterSetName: - - -g -w -l - User-Agent: - - AZURECLI/2.44.1 azsdk-python-mgmt-quantum/1.0.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - az-cli-ext/0.17.0.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517?api-version=2022-01-10-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517","name":"e2e-test-w9154517","type":"microsoft.quantum/workspaces","location":"eastus","tags":{},"systemData":{"createdBy":"v-wjones@microsoft.com","createdByType":"User","createdAt":"2023-01-23T23:53:56.9639159Z","lastModifiedBy":"v-wjones@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-23T23:53:56.9639159Z"},"identity":{"principalId":"75b04db9-f07d-49f2-b05e-c8150e586215","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned"},"properties":{"providers":[{"providerId":"qci","providerSku":"qci-freepreview","applicationName":"e2e-test-w9154517-qci","provisioningState":"Succeeded"},{"providerId":"rigetti","providerSku":"azure-quantum-credits","applicationName":"e2e-test-w9154517-rigetti","provisioningState":"Succeeded","resourceUsageId":"7964fd5b-f302-4c93-bf64-d458ff733112"},{"providerId":"ionq","providerSku":"pay-as-you-go-cred","applicationName":"e2e-test-w9154517-ionq","provisioningState":"Succeeded","resourceUsageId":"71b0823e-8eab-4e92-a036-28d137c0c498"},{"providerId":"Microsoft","providerSku":"DZH3178M639F","applicationName":"e2e-test-w9154517-Microsoft","provisioningState":"Succeeded"},{"providerId":"microsoft-qc","providerSku":"learn-and-develop","applicationName":"e2e-test-w9154517-microsoft-qc","provisioningState":"Succeeded"},{"providerId":"quantinuum","providerSku":"credits1","applicationName":"e2e-test-w9154517-quantinuum","provisioningState":"Succeeded","resourceUsageId":"be341c87-5098-487f-b767-5a091fa55d3b"}],"provisioningState":"Succeeded","usable":"Yes","storageAccount":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2","endpointUri":"https://e2e-test-w9154517.eastus.quantum.azure.com"}}' - headers: - cache-control: - - no-cache - content-length: - - '1906' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 24 Jan 2023 00:01:00 GMT - etag: - - '"45004ef6-0000-0100-0000-63cf1f980000"' - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-providerhub-traffic: - - 'True' - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - User-Agent: - - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/providerStatus - response: - body: - string: '{"value":[{"id":"qci","currentAvailability":"Degraded","targets":[{"id":"qci.simulator","currentAvailability":"Available","averageQueueTime":1,"statusPage":"https://quantumcircuits.com"},{"id":"qci.machine1","currentAvailability":"Unavailable","averageQueueTime":1,"statusPage":"https://quantumcircuits.com"},{"id":"qci.simulator.noisy","currentAvailability":"Available","averageQueueTime":0,"statusPage":"https://quantumcircuits.com"}]},{"id":"rigetti","currentAvailability":"Degraded","targets":[{"id":"rigetti.sim.qvm","currentAvailability":"Available","averageQueueTime":5,"statusPage":"https://rigetti.statuspage.io/"},{"id":"rigetti.qpu.aspen-11","currentAvailability":"Unavailable","averageQueueTime":0,"statusPage":null},{"id":"rigetti.qpu.aspen-m-2","currentAvailability":"Available","averageQueueTime":5,"statusPage":"https://rigetti.statuspage.io/"},{"id":"rigetti.qpu.aspen-m-3","currentAvailability":"Available","averageQueueTime":5,"statusPage":"https://rigetti.statuspage.io/"}]},{"id":"ionq","currentAvailability":"Available","targets":[{"id":"ionq.qpu","currentAvailability":"Available","averageQueueTime":66466,"statusPage":"https://status.ionq.co"},{"id":"ionq.qpu.aria-1","currentAvailability":"Available","averageQueueTime":1029551,"statusPage":"https://status.ionq.co"},{"id":"ionq.simulator","currentAvailability":"Available","averageQueueTime":2,"statusPage":"https://status.ionq.co"}]},{"id":"Microsoft","currentAvailability":"Available","targets":[{"id":"microsoft.paralleltempering-parameterfree.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.paralleltempering.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.simulatedannealing-parameterfree.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.simulatedannealing.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.tabu-parameterfree.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.tabu.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.qmc.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.populationannealing.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.populationannealing-parameterfree.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.substochasticmontecarlo.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.substochasticmontecarlo-parameterfree.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null}]},{"id":"microsoft-qc","currentAvailability":"Available","targets":[{"id":"microsoft.estimator","currentAvailability":"Available","averageQueueTime":0,"statusPage":null}]},{"id":"quantinuum","currentAvailability":"Degraded","targets":[{"id":"quantinuum.hqs-lt-s1","currentAvailability":"Degraded","averageQueueTime":777,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt-s1-apival","currentAvailability":"Available","averageQueueTime":2,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt-s2","currentAvailability":"Unavailable","averageQueueTime":0,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt-s2-apival","currentAvailability":"Available","averageQueueTime":0,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt-s1-sim","currentAvailability":"Available","averageQueueTime":1061,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt-s2-sim","currentAvailability":"Available","averageQueueTime":29,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt","currentAvailability":"Degraded","averageQueueTime":0,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.qpu.h1-1","currentAvailability":"Degraded","averageQueueTime":777,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.sim.h1-1sc","currentAvailability":"Available","averageQueueTime":2,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.qpu.h1-2","currentAvailability":"Unavailable","averageQueueTime":0,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.sim.h1-2sc","currentAvailability":"Available","averageQueueTime":0,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.sim.h1-1e","currentAvailability":"Available","averageQueueTime":1061,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.sim.h1-2e","currentAvailability":"Available","averageQueueTime":29,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.qpu.h1","currentAvailability":"Unavailable","averageQueueTime":0,"statusPage":null}]}],"nextLink":null}' - headers: - connection: - - keep-alive - content-length: - - '4971' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 24 Jan 2023 00:01:01 GMT - mise-correlation-id: - - bda7e6d7-9cbb-4081-acac-947286838bdf - request-context: - - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f - server: - - Microsoft-IIS/10.0 - set-cookie: - - ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc; Path=/; SameSite=None; - Secure - - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; Path=/ - - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - strict-transport-security: - - max-age=2592000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - quantum run - Connection: - - keep-alive - ParameterSetName: - - -t --job-input-format -t --job-input-file --job-output-format -o - User-Agent: - - AZURECLI/2.44.1 azsdk-python-mgmt-quantum/1.0.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - az-cli-ext/0.17.0.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517?api-version=2022-01-10-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517","name":"e2e-test-w9154517","type":"microsoft.quantum/workspaces","location":"eastus","tags":{},"systemData":{"createdBy":"v-wjones@microsoft.com","createdByType":"User","createdAt":"2023-01-23T23:53:56.9639159Z","lastModifiedBy":"v-wjones@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-23T23:53:56.9639159Z"},"identity":{"principalId":"75b04db9-f07d-49f2-b05e-c8150e586215","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned"},"properties":{"providers":[{"providerId":"qci","providerSku":"qci-freepreview","applicationName":"e2e-test-w9154517-qci","provisioningState":"Succeeded"},{"providerId":"rigetti","providerSku":"azure-quantum-credits","applicationName":"e2e-test-w9154517-rigetti","provisioningState":"Succeeded","resourceUsageId":"7964fd5b-f302-4c93-bf64-d458ff733112"},{"providerId":"ionq","providerSku":"pay-as-you-go-cred","applicationName":"e2e-test-w9154517-ionq","provisioningState":"Succeeded","resourceUsageId":"71b0823e-8eab-4e92-a036-28d137c0c498"},{"providerId":"Microsoft","providerSku":"DZH3178M639F","applicationName":"e2e-test-w9154517-Microsoft","provisioningState":"Succeeded"},{"providerId":"microsoft-qc","providerSku":"learn-and-develop","applicationName":"e2e-test-w9154517-microsoft-qc","provisioningState":"Succeeded"},{"providerId":"quantinuum","providerSku":"credits1","applicationName":"e2e-test-w9154517-quantinuum","provisioningState":"Succeeded","resourceUsageId":"be341c87-5098-487f-b767-5a091fa55d3b"}],"provisioningState":"Succeeded","usable":"Yes","storageAccount":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2","endpointUri":"https://e2e-test-w9154517.eastus.quantum.azure.com"}}' - headers: - cache-control: - - no-cache - content-length: - - '1906' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 24 Jan 2023 00:01:01 GMT - etag: - - '"45004ef6-0000-0100-0000-63cf1f980000"' - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-providerhub-traffic: - - 'True' - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - quantum run - Connection: - - keep-alive - Content-Length: - - '0' - ParameterSetName: - - -t --job-input-format -t --job-input-file --job-output-format -o - User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2/listKeys?api-version=2022-09-01&$expand=kerb - response: - body: - string: '{"keys":[{"creationTime":"2021-09-21T22:04:47.1374328Z","keyName":"key1","value":"veryFakedStorageAccountKey==","permissions":"FULL"},{"creationTime":"2021-09-21T22:04:47.1374328Z","keyName":"key2","value":"veryFakedStorageAccountKey==","permissions":"FULL"}]}' - headers: - cache-control: - - no-cache - content-length: - - '260' - content-type: - - application/json - date: - - Tue, 24 Jan 2023 00:01:02 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '11999' - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - quantum run - Connection: - - keep-alive - ParameterSetName: - - -t --job-input-format -t --job-input-file --job-output-format -o - User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2?api-version=2022-09-01 - response: - body: - string: '{"sku":{"name":"Standard_LRS","tier":"Standard"},"kind":"Storage","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2","name":"vwjonesstorage2","type":"Microsoft.Storage/storageAccounts","location":"eastus","tags":{},"properties":{"keyCreationTime":{"key1":"2021-09-21T22:04:47.1374328Z","key2":"2021-09-21T22:04:47.1374328Z"},"privateEndpointConnections":[],"minimumTlsVersion":"TLS1_0","allowBlobPublicAccess":true,"networkAcls":{"bypass":"AzureServices","virtualNetworkRules":[],"ipRules":[],"defaultAction":"Allow"},"supportsHttpsTrafficOnly":true,"encryption":{"services":{"file":{"keyType":"Account","enabled":true,"lastEnabledTime":"2021-09-21T22:04:47.1374328Z"},"blob":{"keyType":"Account","enabled":true,"lastEnabledTime":"2021-09-21T22:04:47.1374328Z"}},"keySource":"Microsoft.Storage"},"provisioningState":"Succeeded","creationTime":"2021-09-21T22:04:47.0124593Z","primaryEndpoints":{"blob":"https://vwjonesstorage2.blob.core.windows.net/","queue":"https://vwjonesstorage2.queue.core.windows.net/","table":"https://vwjonesstorage2.table.core.windows.net/","file":"https://vwjonesstorage2.file.core.windows.net/"},"primaryLocation":"eastus","statusOfPrimary":"available"}}' - headers: - cache-control: - - no-cache - content-length: - - '1277' - content-type: - - application/json - date: - - Tue, 24 Jan 2023 00:01:02 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/xml - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - User-Agent: - - azsdk-python-storage-blob/12.14.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - x-ms-date: - - Tue, 24 Jan 2023 00:01:02 GMT - x-ms-version: - - '2021-08-06' - method: GET - uri: https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04?restype=container - response: - body: - string: "\uFEFFContainerNotFoundThe - specified container does not exist.\nRequestId:9b5c8450-101e-0022-2a86-2f8712000000\nTime:2023-01-24T00:01:03.2610959Z" - headers: - content-length: - - '223' - content-type: - - application/xml - date: - - Tue, 24 Jan 2023 00:01:02 GMT - server: - - Windows-Azure-Blob/1.0 Microsoft-HTTPAPI/2.0 - x-ms-error-code: - - ContainerNotFound - x-ms-version: - - '2021-08-06' - status: - code: 404 - message: The specified container does not exist. -- request: - body: null - headers: - Accept: - - application/xml - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - Content-Length: - - '0' - User-Agent: - - azsdk-python-storage-blob/12.14.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - x-ms-date: - - Tue, 24 Jan 2023 00:01:03 GMT - x-ms-version: - - '2021-08-06' - method: PUT - uri: https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04?restype=container - response: - body: - string: '' - headers: - content-length: - - '0' - date: - - Tue, 24 Jan 2023 00:01:03 GMT - etag: - - '"0x8DAFD9E157DC471"' - last-modified: - - Tue, 24 Jan 2023 00:01:03 GMT - server: - - Windows-Azure-Blob/1.0 Microsoft-HTTPAPI/2.0 - x-ms-version: - - '2021-08-06' - status: - code: 201 - message: Created -- request: - body: null - headers: - Accept: - - application/xml - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - User-Agent: - - azsdk-python-storage-blob/12.14.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - x-ms-date: - - Tue, 24 Jan 2023 00:01:03 GMT - x-ms-version: - - '2021-08-06' - method: GET - uri: https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04?restype=container - response: - body: - string: '' - headers: - content-length: - - '0' - date: - - Tue, 24 Jan 2023 00:01:03 GMT - etag: - - '"0x8DAFD9E157DC471"' - last-modified: - - Tue, 24 Jan 2023 00:01:03 GMT - server: - - Windows-Azure-Blob/1.0 Microsoft-HTTPAPI/2.0 - x-ms-default-encryption-scope: - - $account-encryption-key - x-ms-deny-encryption-scope-override: - - 'false' - x-ms-has-immutability-policy: - - 'false' - x-ms-has-legal-hold: - - 'false' - x-ms-immutable-storage-with-versioning-enabled: - - 'false' - x-ms-lease-state: - - available - x-ms-lease-status: - - unlocked - x-ms-version: - - '2021-08-06' - status: - code: 200 - message: OK -- request: - body: "DECLARE ro BIT[2]\r\n\r\nH 0\r\nCNOT 0 1\r\n\r\nMEASURE 0 ro[0]\r\nMEASURE - 1 ro[1]" - headers: - Accept: - - application/xml - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - Content-Length: - - '70' - Content-Type: - - application/octet-stream - If-None-Match: - - '*' - User-Agent: - - azsdk-python-storage-blob/12.14.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - x-ms-blob-type: - - BlockBlob - x-ms-date: - - Tue, 24 Jan 2023 00:01:03 GMT - x-ms-version: - - '2021-08-06' - method: PUT - uri: https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/inputData - response: - body: - string: '' - headers: - content-length: - - '0' - content-md5: - - wBue1+6CQmWpgL5BeUu42Q== - date: - - Tue, 24 Jan 2023 00:01:03 GMT - etag: - - '"0x8DAFD9E15A4582B"' - last-modified: - - Tue, 24 Jan 2023 00:01:03 GMT - server: - - Windows-Azure-Blob/1.0 Microsoft-HTTPAPI/2.0 - x-ms-content-crc64: - - csHCMZWsMR0= - x-ms-request-server-encrypted: - - 'true' - x-ms-version: - - '2021-08-06' - status: - code: 201 - message: Created -- request: - body: '{"containerUri": "https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04", - "inputDataFormat": "rigetti.quil.v1", "inputParams": {}, "providerId": "rigetti", - "target": "rigetti.sim.qvm", "outputDataFormat": "rigetti.quil-results.v1", - "tags": []}' - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - Content-Length: - - '284' - Content-Type: - - application/json - User-Agent: - - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: PUT - uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/jobs/9299af19-149b-473f-b0c7-caa21f832a04 - response: - body: - string: '{"containerUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04","inputDataUri":"https://vwjonesstorage2.blob.core.windows.net:443/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/inputData","inputDataFormat":"rigetti.quil.v1","inputParams":{},"metadata":null,"sessionId":null,"status":"Waiting","jobType":"Unknown","outputDataFormat":"rigetti.quil-results.v1","outputDataUri":"https://vwjonesstorage2.blob.core.windows.net:443/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/outputData","beginExecutionTime":null,"cancellationTime":null,"quantumComputingData":null,"errorData":null,"isCancelling":false,"tags":[],"name":null,"id":"9299af19-149b-473f-b0c7-caa21f832a04","providerId":"rigetti","target":"rigetti.sim.qvm","creationTime":"2023-01-24T00:01:04.0381633+00:00","endExecutionTime":null,"costEstimate":null,"itemType":"Job"}' - headers: - connection: - - keep-alive - content-length: - - '881' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 24 Jan 2023 00:01:04 GMT - mise-correlation-id: - - 5283d66c-2dba-4eff-aeda-c8e7b85c8b07 - request-context: - - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f - server: - - Microsoft-IIS/10.0 - set-cookie: - - ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc; Path=/; SameSite=None; - Secure - - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; Path=/ - - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - strict-transport-security: - - max-age=2592000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - User-Agent: - - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/jobs/9299af19-149b-473f-b0c7-caa21f832a04 - response: - body: - string: '{"containerUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04","inputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/inputData?sv=2019-07-07&sr=b&sig=196l3rto%2FiErsoNKNuu3kdSa8bBExnzC0san3TA%2Bv78%3D&se=2023-01-28T00%3A01%3A05Z&sp=r&rscd=attachment%3B%20filename%3Djob-9299af19-149b-473f-b0c7-caa21f832a04.input.json","inputDataFormat":"rigetti.quil.v1","inputParams":{},"metadata":null,"sessionId":null,"status":"Waiting","jobType":"Unknown","outputDataFormat":"rigetti.quil-results.v1","outputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/outputData?sv=2019-07-07&sr=b&sig=6aEX01kamP55lVCPYWgx4xKkIzxZKK0Za%2B%2Bc0U9vqEs%3D&se=2023-01-28T00%3A01%3A05Z&sp=r&rscd=attachment%3B%20filename%3Djob-9299af19-149b-473f-b0c7-caa21f832a04.output.json","beginExecutionTime":null,"cancellationTime":null,"quantumComputingData":null,"errorData":null,"isCancelling":false,"tags":[],"name":null,"id":"9299af19-149b-473f-b0c7-caa21f832a04","providerId":"rigetti","target":"rigetti.sim.qvm","creationTime":"2023-01-24T00:01:04.0381633+00:00","endExecutionTime":null,"costEstimate":null,"itemType":"Job"}' - headers: - connection: - - keep-alive - content-length: - - '1256' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 24 Jan 2023 00:01:05 GMT - mise-correlation-id: - - 4d8cffd1-9ba4-4ff5-b2df-8e8861d4ef2c - request-context: - - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f - server: - - Microsoft-IIS/10.0 - set-cookie: - - ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc; Path=/; SameSite=None; - Secure - - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; Path=/ - - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - strict-transport-security: - - max-age=2592000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - Cookie: - - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc - User-Agent: - - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/jobs/9299af19-149b-473f-b0c7-caa21f832a04 - response: - body: - string: '{"containerUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04","inputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/inputData?sv=2019-07-07&sr=b&sig=32jhKNasct4oafX1D1LRMQ%2F90fYGK65Bao%2BOI64QJlg%3D&se=2023-01-28T00%3A01%3A06Z&sp=r&rscd=attachment%3B%20filename%3Djob-9299af19-149b-473f-b0c7-caa21f832a04.input.json","inputDataFormat":"rigetti.quil.v1","inputParams":{},"metadata":null,"sessionId":null,"status":"Waiting","jobType":"QuantumComputing","outputDataFormat":"rigetti.quil-results.v1","outputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/outputData?sv=2019-07-07&sr=b&sig=rmlQYOTTlqmLx9yThReHBUlT0W0POCKXabUIOik1TwQ%3D&se=2023-01-28T00%3A01%3A06Z&sp=r&rscd=attachment%3B%20filename%3Djob-9299af19-149b-473f-b0c7-caa21f832a04.output.json","beginExecutionTime":null,"cancellationTime":null,"quantumComputingData":{"count":1},"errorData":null,"isCancelling":false,"tags":[],"name":null,"id":"9299af19-149b-473f-b0c7-caa21f832a04","providerId":"rigetti","target":"rigetti.sim.qvm","creationTime":"2023-01-24T00:01:04.0381633+00:00","endExecutionTime":null,"costEstimate":null,"itemType":"Job"}' - headers: - connection: - - keep-alive - content-length: - - '1268' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 24 Jan 2023 00:01:06 GMT - mise-correlation-id: - - a2216388-802d-4d91-9fbb-573b18929d54 - request-context: - - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f - server: - - Microsoft-IIS/10.0 - set-cookie: - - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - strict-transport-security: - - max-age=2592000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - Cookie: - - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc - User-Agent: - - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/jobs/9299af19-149b-473f-b0c7-caa21f832a04 - response: - body: - string: '{"containerUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04","inputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/inputData?sv=2019-07-07&sr=b&sig=32jhKNasct4oafX1D1LRMQ%2F90fYGK65Bao%2BOI64QJlg%3D&se=2023-01-28T00%3A01%3A06Z&sp=r&rscd=attachment%3B%20filename%3Djob-9299af19-149b-473f-b0c7-caa21f832a04.input.json","inputDataFormat":"rigetti.quil.v1","inputParams":{},"metadata":null,"sessionId":null,"status":"Waiting","jobType":"QuantumComputing","outputDataFormat":"rigetti.quil-results.v1","outputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/outputData?sv=2019-07-07&sr=b&sig=rmlQYOTTlqmLx9yThReHBUlT0W0POCKXabUIOik1TwQ%3D&se=2023-01-28T00%3A01%3A06Z&sp=r&rscd=attachment%3B%20filename%3Djob-9299af19-149b-473f-b0c7-caa21f832a04.output.json","beginExecutionTime":null,"cancellationTime":null,"quantumComputingData":{"count":1},"errorData":null,"isCancelling":false,"tags":[],"name":null,"id":"9299af19-149b-473f-b0c7-caa21f832a04","providerId":"rigetti","target":"rigetti.sim.qvm","creationTime":"2023-01-24T00:01:04.0381633+00:00","endExecutionTime":null,"costEstimate":null,"itemType":"Job"}' - headers: - connection: - - keep-alive - content-length: - - '1268' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 24 Jan 2023 00:01:06 GMT - mise-correlation-id: - - be00132a-e76e-4455-ab6a-623f4a8e864a - request-context: - - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f - server: - - Microsoft-IIS/10.0 - set-cookie: - - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - strict-transport-security: - - max-age=2592000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - Cookie: - - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc - User-Agent: - - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/jobs/9299af19-149b-473f-b0c7-caa21f832a04 - response: - body: - string: '{"containerUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04","inputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/inputData?sv=2019-07-07&sr=b&sig=iERZEPoIeZnQyIXFoxbWbJpLeAFL%2BF2yyElhYzzFlqE%3D&se=2023-01-28T00%3A01%3A07Z&sp=r&rscd=attachment%3B%20filename%3Djob-9299af19-149b-473f-b0c7-caa21f832a04.input.json","inputDataFormat":"rigetti.quil.v1","inputParams":{},"metadata":null,"sessionId":null,"status":"Waiting","jobType":"QuantumComputing","outputDataFormat":"rigetti.quil-results.v1","outputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/outputData?sv=2019-07-07&sr=b&sig=qbF6QCTF89gqkSioQ8UXR31qWZsGi4ILWUHCEYfsjvs%3D&se=2023-01-28T00%3A01%3A07Z&sp=r&rscd=attachment%3B%20filename%3Djob-9299af19-149b-473f-b0c7-caa21f832a04.output.json","beginExecutionTime":null,"cancellationTime":null,"quantumComputingData":{"count":1},"errorData":null,"isCancelling":false,"tags":[],"name":null,"id":"9299af19-149b-473f-b0c7-caa21f832a04","providerId":"rigetti","target":"rigetti.sim.qvm","creationTime":"2023-01-24T00:01:04.0381633+00:00","endExecutionTime":null,"costEstimate":null,"itemType":"Job"}' - headers: - connection: - - keep-alive - content-length: - - '1266' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 24 Jan 2023 00:01:07 GMT - mise-correlation-id: - - 358e59c4-1dfc-46c8-be90-16092d0b61b2 - request-context: - - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f - server: - - Microsoft-IIS/10.0 - set-cookie: - - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - strict-transport-security: - - max-age=2592000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - Cookie: - - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc - User-Agent: - - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/jobs/9299af19-149b-473f-b0c7-caa21f832a04 - response: - body: - string: '{"containerUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04","inputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/inputData?sv=2019-07-07&sr=b&sig=iERZEPoIeZnQyIXFoxbWbJpLeAFL%2BF2yyElhYzzFlqE%3D&se=2023-01-28T00%3A01%3A07Z&sp=r&rscd=attachment%3B%20filename%3Djob-9299af19-149b-473f-b0c7-caa21f832a04.input.json","inputDataFormat":"rigetti.quil.v1","inputParams":{},"metadata":null,"sessionId":null,"status":"Waiting","jobType":"QuantumComputing","outputDataFormat":"rigetti.quil-results.v1","outputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/outputData?sv=2019-07-07&sr=b&sig=qbF6QCTF89gqkSioQ8UXR31qWZsGi4ILWUHCEYfsjvs%3D&se=2023-01-28T00%3A01%3A07Z&sp=r&rscd=attachment%3B%20filename%3Djob-9299af19-149b-473f-b0c7-caa21f832a04.output.json","beginExecutionTime":null,"cancellationTime":null,"quantumComputingData":{"count":1},"errorData":null,"isCancelling":false,"tags":[],"name":null,"id":"9299af19-149b-473f-b0c7-caa21f832a04","providerId":"rigetti","target":"rigetti.sim.qvm","creationTime":"2023-01-24T00:01:04.0381633+00:00","endExecutionTime":null,"costEstimate":null,"itemType":"Job"}' - headers: - connection: - - keep-alive - content-length: - - '1266' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 24 Jan 2023 00:01:07 GMT - mise-correlation-id: - - 7c4070b2-07b5-4812-a9e8-425476aa1270 - request-context: - - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f - server: - - Microsoft-IIS/10.0 - set-cookie: - - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - strict-transport-security: - - max-age=2592000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - Cookie: - - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc - User-Agent: - - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/jobs/9299af19-149b-473f-b0c7-caa21f832a04 - response: - body: - string: '{"containerUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04","inputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/inputData?sv=2019-07-07&sr=b&sig=q9afTepaJL8V8nkrL40XzXwyU1%2FXZfA4q7UR774Muds%3D&se=2023-01-28T00%3A01%3A08Z&sp=r&rscd=attachment%3B%20filename%3Djob-9299af19-149b-473f-b0c7-caa21f832a04.input.json","inputDataFormat":"rigetti.quil.v1","inputParams":{},"metadata":null,"sessionId":null,"status":"Executing","jobType":"QuantumComputing","outputDataFormat":"rigetti.quil-results.v1","outputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/outputData?sv=2019-07-07&sr=b&sig=ojIT3zvEC43DvcfzETIdy%2FFwQzXREszQEFObgQIqdLo%3D&se=2023-01-28T00%3A01%3A08Z&sp=r&rscd=attachment%3B%20filename%3Djob-9299af19-149b-473f-b0c7-caa21f832a04.output.json","beginExecutionTime":"2023-01-24T00:01:08.6533255Z","cancellationTime":null,"quantumComputingData":{"count":1},"errorData":null,"isCancelling":false,"tags":[],"name":null,"id":"9299af19-149b-473f-b0c7-caa21f832a04","providerId":"rigetti","target":"rigetti.sim.qvm","creationTime":"2023-01-24T00:01:04.0381633+00:00","endExecutionTime":null,"costEstimate":null,"itemType":"Job"}' - headers: - connection: - - keep-alive - content-length: - - '1296' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 24 Jan 2023 00:01:08 GMT - mise-correlation-id: - - 580fc7a1-c48a-47d2-929d-bb7d743e2560 - request-context: - - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f - server: - - Microsoft-IIS/10.0 - set-cookie: - - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - strict-transport-security: - - max-age=2592000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - Cookie: - - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc - User-Agent: - - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/jobs/9299af19-149b-473f-b0c7-caa21f832a04 - response: - body: - string: '{"containerUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04","inputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/inputData?sv=2019-07-07&sr=b&sig=A3ThuTTbxno215AB%2BtQfEyoSBNR27jZpIwWJJdllNH4%3D&se=2023-01-28T00%3A01%3A10Z&sp=r&rscd=attachment%3B%20filename%3Djob-9299af19-149b-473f-b0c7-caa21f832a04.input.json","inputDataFormat":"rigetti.quil.v1","inputParams":{},"metadata":null,"sessionId":null,"status":"Executing","jobType":"QuantumComputing","outputDataFormat":"rigetti.quil-results.v1","outputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/outputData?sv=2019-07-07&sr=b&sig=bvfmXKugkelgIiXAwfU6WT7sjKgNsaG4meMb4WQ3C7g%3D&se=2023-01-28T00%3A01%3A10Z&sp=r&rscd=attachment%3B%20filename%3Djob-9299af19-149b-473f-b0c7-caa21f832a04.output.json","beginExecutionTime":"2023-01-24T00:01:08.6533255Z","cancellationTime":null,"quantumComputingData":{"count":1},"errorData":null,"isCancelling":false,"tags":[],"name":null,"id":"9299af19-149b-473f-b0c7-caa21f832a04","providerId":"rigetti","target":"rigetti.sim.qvm","creationTime":"2023-01-24T00:01:04.0381633+00:00","endExecutionTime":null,"costEstimate":null,"itemType":"Job"}' - headers: - connection: - - keep-alive - content-length: - - '1294' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 24 Jan 2023 00:01:10 GMT - mise-correlation-id: - - 9acb306b-e91f-4684-b5b3-cd462d80548e - request-context: - - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f - server: - - Microsoft-IIS/10.0 - set-cookie: - - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - strict-transport-security: - - max-age=2592000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - Cookie: - - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc - User-Agent: - - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/jobs/9299af19-149b-473f-b0c7-caa21f832a04 - response: - body: - string: '{"containerUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04","inputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/inputData?sv=2019-07-07&sr=b&sig=X%2Bl1cJa246nD0qBNUYTFYLuh0K2PdGwW2zi1ZFoRT9U%3D&se=2023-01-28T00%3A01%3A12Z&sp=r&rscd=attachment%3B%20filename%3Djob-9299af19-149b-473f-b0c7-caa21f832a04.input.json","inputDataFormat":"rigetti.quil.v1","inputParams":{},"metadata":null,"sessionId":null,"status":"Succeeded","jobType":"QuantumComputing","outputDataFormat":"rigetti.quil-results.v1","outputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/rawOutputData?sv=2019-07-07&sr=b&sig=X99ZpReiJbIfvzFaKDDau9lt7b%2BdXrWxVMoUBJ%2FXsoU%3D&se=2023-01-28T00%3A01%3A12Z&sp=r&rscd=attachment%3B%20filename%3Djob-9299af19-149b-473f-b0c7-caa21f832a04.output.json","beginExecutionTime":"2023-01-24T00:01:08.6533255Z","cancellationTime":null,"quantumComputingData":{"count":1},"errorData":null,"isCancelling":false,"tags":[],"name":null,"id":"9299af19-149b-473f-b0c7-caa21f832a04","providerId":"rigetti","target":"rigetti.sim.qvm","creationTime":"2023-01-24T00:01:04.0381633+00:00","endExecutionTime":"2023-01-24T00:01:10.7805788Z","costEstimate":{"currencyCode":"USD","events":[{"dimensionId":"qpu_time_centiseconds","dimensionName":"QPU - Execution Time","measureUnit":"10ms (rounded up)","amountBilled":0.0,"amountConsumed":0.0,"unitPrice":0.0}],"estimatedTotal":0.0},"itemType":"Job"}' - headers: - connection: - - keep-alive - content-length: - - '1544' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 24 Jan 2023 00:01:12 GMT - mise-correlation-id: - - 30e8c501-d201-47dc-ad53-668fc626cf24 - request-context: - - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f - server: - - Microsoft-IIS/10.0 - set-cookie: - - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - strict-transport-security: - - max-age=2592000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - User-Agent: - - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/jobs/9299af19-149b-473f-b0c7-caa21f832a04 - response: - body: - string: '{"containerUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04","inputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/inputData?sv=2019-07-07&sr=b&sig=YpRiai7YWinpgLHPxSs3KdBpH4afnjGSoTKPaOzVEL4%3D&se=2023-01-28T00%3A01%3A13Z&sp=r&rscd=attachment%3B%20filename%3Djob-9299af19-149b-473f-b0c7-caa21f832a04.input.json","inputDataFormat":"rigetti.quil.v1","inputParams":{},"metadata":null,"sessionId":null,"status":"Succeeded","jobType":"QuantumComputing","outputDataFormat":"rigetti.quil-results.v1","outputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/rawOutputData?sv=2019-07-07&sr=b&sig=TpatYf%2FqKxTbrhPtRXPy91rKNlEkMmRoXRN3nrbOPKE%3D&se=2023-01-28T00%3A01%3A13Z&sp=r&rscd=attachment%3B%20filename%3Djob-9299af19-149b-473f-b0c7-caa21f832a04.output.json","beginExecutionTime":"2023-01-24T00:01:08.6533255Z","cancellationTime":null,"quantumComputingData":{"count":1},"errorData":null,"isCancelling":false,"tags":[],"name":null,"id":"9299af19-149b-473f-b0c7-caa21f832a04","providerId":"rigetti","target":"rigetti.sim.qvm","creationTime":"2023-01-24T00:01:04.0381633+00:00","endExecutionTime":"2023-01-24T00:01:10.7805788Z","costEstimate":{"currencyCode":"USD","events":[{"dimensionId":"qpu_time_centiseconds","dimensionName":"QPU - Execution Time","measureUnit":"10ms (rounded up)","amountBilled":0.0,"amountConsumed":0.0,"unitPrice":0.0}],"estimatedTotal":0.0},"itemType":"Job"}' - headers: - connection: - - keep-alive - content-length: - - '1540' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 24 Jan 2023 00:01:13 GMT - mise-correlation-id: - - e3c89597-f5b1-4cc6-8ce9-e4e891aee5b6 - request-context: - - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f - server: - - Microsoft-IIS/10.0 - set-cookie: - - ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc; Path=/; SameSite=None; - Secure - - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; Path=/ - - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - strict-transport-security: - - max-age=2592000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Connection: - - keep-alive - User-Agent: - - Azure-Storage/2.0.0-2.0.1 (Python CPython 3.10.6; Windows 10) AZURECLI/2.44.1 - x-ms-date: - - Tue, 24 Jan 2023 00:01:13 GMT - x-ms-range: - - bytes=0-33554431 - x-ms-version: - - '2018-11-09' - method: GET - uri: https://vwjonesstorage2.blob.core.windows.net/quantum-job-9299af19-149b-473f-b0c7-caa21f832a04/rawOutputData?sv=2019-07-07&sr=b&sig=TpatYf%2FqKxTbrhPtRXPy91rKNlEkMmRoXRN3nrbOPKE%3D&se=2023-01-28T00%3A01%3A13Z&sp=r&rscd=attachment%3B+filename%3Djob-9299af19-149b-473f-b0c7-caa21f832a04.output.json - response: - body: - string: '{"ro":[[1,1]]}' - headers: - accept-ranges: - - bytes - content-disposition: - - attachment; filename=job-9299af19-149b-473f-b0c7-caa21f832a04.output.json - content-length: - - '14' - content-range: - - bytes 0-13/14 - content-type: - - application/json - date: - - Tue, 24 Jan 2023 00:01:13 GMT - etag: - - '"0x8DAFD9E19E3396E"' - last-modified: - - Tue, 24 Jan 2023 00:01:10 GMT - server: - - Windows-Azure-Blob/1.0 Microsoft-HTTPAPI/2.0 - x-ms-blob-content-md5: - - IjWSe/NyJii12borFKQGng== - x-ms-blob-type: - - BlockBlob - x-ms-creation-time: - - Tue, 24 Jan 2023 00:01:06 GMT - x-ms-lease-state: - - available - x-ms-lease-status: - - unlocked - x-ms-server-encrypted: - - 'true' - x-ms-version: - - '2018-11-09' - status: - code: 206 - message: Partial Content -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - User-Agent: - - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/providerStatus - response: - body: - string: '{"value":[{"id":"qci","currentAvailability":"Degraded","targets":[{"id":"qci.simulator","currentAvailability":"Available","averageQueueTime":1,"statusPage":"https://quantumcircuits.com"},{"id":"qci.machine1","currentAvailability":"Unavailable","averageQueueTime":1,"statusPage":"https://quantumcircuits.com"},{"id":"qci.simulator.noisy","currentAvailability":"Available","averageQueueTime":0,"statusPage":"https://quantumcircuits.com"}]},{"id":"rigetti","currentAvailability":"Degraded","targets":[{"id":"rigetti.sim.qvm","currentAvailability":"Available","averageQueueTime":5,"statusPage":"https://rigetti.statuspage.io/"},{"id":"rigetti.qpu.aspen-11","currentAvailability":"Unavailable","averageQueueTime":0,"statusPage":null},{"id":"rigetti.qpu.aspen-m-2","currentAvailability":"Available","averageQueueTime":5,"statusPage":"https://rigetti.statuspage.io/"},{"id":"rigetti.qpu.aspen-m-3","currentAvailability":"Available","averageQueueTime":5,"statusPage":"https://rigetti.statuspage.io/"}]},{"id":"ionq","currentAvailability":"Available","targets":[{"id":"ionq.qpu","currentAvailability":"Available","averageQueueTime":66466,"statusPage":"https://status.ionq.co"},{"id":"ionq.qpu.aria-1","currentAvailability":"Available","averageQueueTime":1029551,"statusPage":"https://status.ionq.co"},{"id":"ionq.simulator","currentAvailability":"Available","averageQueueTime":2,"statusPage":"https://status.ionq.co"}]},{"id":"Microsoft","currentAvailability":"Available","targets":[{"id":"microsoft.paralleltempering-parameterfree.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.paralleltempering.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.simulatedannealing-parameterfree.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.simulatedannealing.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.tabu-parameterfree.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.tabu.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.qmc.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.populationannealing.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.populationannealing-parameterfree.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.substochasticmontecarlo.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null},{"id":"microsoft.substochasticmontecarlo-parameterfree.cpu","currentAvailability":"Available","averageQueueTime":0,"statusPage":null}]},{"id":"microsoft-qc","currentAvailability":"Available","targets":[{"id":"microsoft.estimator","currentAvailability":"Available","averageQueueTime":0,"statusPage":null}]},{"id":"quantinuum","currentAvailability":"Degraded","targets":[{"id":"quantinuum.hqs-lt-s1","currentAvailability":"Degraded","averageQueueTime":777,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt-s1-apival","currentAvailability":"Available","averageQueueTime":2,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt-s2","currentAvailability":"Unavailable","averageQueueTime":0,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt-s2-apival","currentAvailability":"Available","averageQueueTime":0,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt-s1-sim","currentAvailability":"Available","averageQueueTime":1061,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt-s2-sim","currentAvailability":"Available","averageQueueTime":29,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.hqs-lt","currentAvailability":"Degraded","averageQueueTime":0,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.qpu.h1-1","currentAvailability":"Degraded","averageQueueTime":777,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.sim.h1-1sc","currentAvailability":"Available","averageQueueTime":2,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.qpu.h1-2","currentAvailability":"Unavailable","averageQueueTime":0,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.sim.h1-2sc","currentAvailability":"Available","averageQueueTime":0,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.sim.h1-1e","currentAvailability":"Available","averageQueueTime":1061,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.sim.h1-2e","currentAvailability":"Available","averageQueueTime":29,"statusPage":"https://www.quantinuum.com/products/h1"},{"id":"quantinuum.qpu.h1","currentAvailability":"Unavailable","averageQueueTime":0,"statusPage":null}]}],"nextLink":null}' - headers: - connection: - - keep-alive - content-length: - - '4971' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 24 Jan 2023 00:01:14 GMT - mise-correlation-id: - - 60a63976-917b-488c-860b-6363795d5efc - request-context: - - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f - server: - - Microsoft-IIS/10.0 - set-cookie: - - ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc; Path=/; SameSite=None; - Secure - - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; Path=/ - - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - strict-transport-security: - - max-age=2592000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - quantum run - Connection: - - keep-alive - ParameterSetName: - - -t --shots --job-input-format --job-input-file --job-output-format --job-params - -o - User-Agent: - - AZURECLI/2.44.1 azsdk-python-mgmt-quantum/1.0.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - az-cli-ext/0.17.0.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517?api-version=2022-01-10-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517","name":"e2e-test-w9154517","type":"microsoft.quantum/workspaces","location":"eastus","tags":{},"systemData":{"createdBy":"v-wjones@microsoft.com","createdByType":"User","createdAt":"2023-01-23T23:53:56.9639159Z","lastModifiedBy":"v-wjones@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-23T23:53:56.9639159Z"},"identity":{"principalId":"75b04db9-f07d-49f2-b05e-c8150e586215","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned"},"properties":{"providers":[{"providerId":"qci","providerSku":"qci-freepreview","applicationName":"e2e-test-w9154517-qci","provisioningState":"Succeeded"},{"providerId":"rigetti","providerSku":"azure-quantum-credits","applicationName":"e2e-test-w9154517-rigetti","provisioningState":"Succeeded","resourceUsageId":"7964fd5b-f302-4c93-bf64-d458ff733112"},{"providerId":"ionq","providerSku":"pay-as-you-go-cred","applicationName":"e2e-test-w9154517-ionq","provisioningState":"Succeeded","resourceUsageId":"71b0823e-8eab-4e92-a036-28d137c0c498"},{"providerId":"Microsoft","providerSku":"DZH3178M639F","applicationName":"e2e-test-w9154517-Microsoft","provisioningState":"Succeeded"},{"providerId":"microsoft-qc","providerSku":"learn-and-develop","applicationName":"e2e-test-w9154517-microsoft-qc","provisioningState":"Succeeded"},{"providerId":"quantinuum","providerSku":"credits1","applicationName":"e2e-test-w9154517-quantinuum","provisioningState":"Succeeded","resourceUsageId":"be341c87-5098-487f-b767-5a091fa55d3b"}],"provisioningState":"Succeeded","usable":"Yes","storageAccount":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2","endpointUri":"https://e2e-test-w9154517.eastus.quantum.azure.com"}}' - headers: - cache-control: - - no-cache - content-length: - - '1906' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 24 Jan 2023 00:01:13 GMT - etag: - - '"45004ef6-0000-0100-0000-63cf1f980000"' - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-providerhub-traffic: - - 'True' - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - quantum run - Connection: - - keep-alive - Content-Length: - - '0' - ParameterSetName: - - -t --shots --job-input-format --job-input-file --job-output-format --job-params - -o - User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2/listKeys?api-version=2022-09-01&$expand=kerb - response: - body: - string: '{"keys":[{"creationTime":"2021-09-21T22:04:47.1374328Z","keyName":"key1","value":"veryFakedStorageAccountKey==","permissions":"FULL"},{"creationTime":"2021-09-21T22:04:47.1374328Z","keyName":"key2","value":"veryFakedStorageAccountKey==","permissions":"FULL"}]}' - headers: - cache-control: - - no-cache - content-length: - - '260' - content-type: - - application/json - date: - - Tue, 24 Jan 2023 00:01:14 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-ratelimit-remaining-subscription-resource-requests: - - '11999' - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - quantum run - Connection: - - keep-alive - ParameterSetName: - - -t --shots --job-input-format --job-input-file --job-output-format --job-params - -o - User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-storage/21.0.0 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2?api-version=2022-09-01 - response: - body: - string: '{"sku":{"name":"Standard_LRS","tier":"Standard"},"kind":"Storage","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2","name":"vwjonesstorage2","type":"Microsoft.Storage/storageAccounts","location":"eastus","tags":{},"properties":{"keyCreationTime":{"key1":"2021-09-21T22:04:47.1374328Z","key2":"2021-09-21T22:04:47.1374328Z"},"privateEndpointConnections":[],"minimumTlsVersion":"TLS1_0","allowBlobPublicAccess":true,"networkAcls":{"bypass":"AzureServices","virtualNetworkRules":[],"ipRules":[],"defaultAction":"Allow"},"supportsHttpsTrafficOnly":true,"encryption":{"services":{"file":{"keyType":"Account","enabled":true,"lastEnabledTime":"2021-09-21T22:04:47.1374328Z"},"blob":{"keyType":"Account","enabled":true,"lastEnabledTime":"2021-09-21T22:04:47.1374328Z"}},"keySource":"Microsoft.Storage"},"provisioningState":"Succeeded","creationTime":"2021-09-21T22:04:47.0124593Z","primaryEndpoints":{"blob":"https://vwjonesstorage2.blob.core.windows.net/","queue":"https://vwjonesstorage2.queue.core.windows.net/","table":"https://vwjonesstorage2.table.core.windows.net/","file":"https://vwjonesstorage2.file.core.windows.net/"},"primaryLocation":"eastus","statusOfPrimary":"available"}}' - headers: - cache-control: - - no-cache - content-length: - - '1277' - content-type: - - application/json - date: - - Tue, 24 Jan 2023 00:01:14 GMT - expires: - - '-1' - pragma: - - no-cache - server: - - Microsoft-Azure-Storage-Resource-Provider/1.0,Microsoft-HTTPAPI/2.0 Microsoft-HTTPAPI/2.0 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/xml - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - User-Agent: - - azsdk-python-storage-blob/12.14.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - x-ms-date: - - Tue, 24 Jan 2023 00:01:15 GMT - x-ms-version: - - '2021-08-06' - method: GET - uri: https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14?restype=container - response: - body: - string: "\uFEFFContainerNotFoundThe - specified container does not exist.\nRequestId:3105c290-801e-0042-7a86-2ffb8d000000\nTime:2023-01-24T00:01:15.4120367Z" - headers: - content-length: - - '223' - content-type: - - application/xml - date: - - Tue, 24 Jan 2023 00:01:15 GMT - server: - - Windows-Azure-Blob/1.0 Microsoft-HTTPAPI/2.0 - x-ms-error-code: - - ContainerNotFound - x-ms-version: - - '2021-08-06' - status: - code: 404 - message: The specified container does not exist. -- request: - body: null - headers: - Accept: - - application/xml - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - Content-Length: - - '0' - User-Agent: - - azsdk-python-storage-blob/12.14.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - x-ms-date: - - Tue, 24 Jan 2023 00:01:15 GMT - x-ms-version: - - '2021-08-06' - method: PUT - uri: https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14?restype=container - response: - body: - string: '' - headers: - content-length: - - '0' - date: - - Tue, 24 Jan 2023 00:01:15 GMT - etag: - - '"0x8DAFD9E1CC094C8"' - last-modified: - - Tue, 24 Jan 2023 00:01:15 GMT - server: - - Windows-Azure-Blob/1.0 Microsoft-HTTPAPI/2.0 - x-ms-version: - - '2021-08-06' - status: - code: 201 - message: Created -- request: - body: null - headers: - Accept: - - application/xml - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - User-Agent: - - azsdk-python-storage-blob/12.14.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - x-ms-date: - - Tue, 24 Jan 2023 00:01:15 GMT - x-ms-version: - - '2021-08-06' - method: GET - uri: https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14?restype=container - response: - body: - string: '' - headers: - content-length: - - '0' - date: - - Tue, 24 Jan 2023 00:01:15 GMT - etag: - - '"0x8DAFD9E1CC094C8"' - last-modified: - - Tue, 24 Jan 2023 00:01:15 GMT - server: - - Windows-Azure-Blob/1.0 Microsoft-HTTPAPI/2.0 - x-ms-default-encryption-scope: - - $account-encryption-key - x-ms-deny-encryption-scope-override: - - 'false' - x-ms-has-immutability-policy: - - 'false' - x-ms-has-legal-hold: - - 'false' - x-ms-immutable-storage-with-versioning-enabled: - - 'false' - x-ms-lease-state: - - available - x-ms-lease-status: - - unlocked - x-ms-version: - - '2021-08-06' - status: - code: 200 - message: OK -- request: - body: '{"gateset": "qis", "qubits": 3, "circuit": [{"gate": "h", "targets": [0]}, - {"gate": "x", "targets": [1], "controls": [0]}, {"gate": "x", "targets": [2], - "controls": [1]}]}' - headers: - Accept: - - application/xml - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - Content-Length: - - '171' - Content-Type: - - application/octet-stream - If-None-Match: - - '*' - User-Agent: - - azsdk-python-storage-blob/12.14.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - x-ms-blob-content-type: - - application/json - x-ms-blob-type: - - BlockBlob - x-ms-date: - - Tue, 24 Jan 2023 00:01:15 GMT - x-ms-version: - - '2021-08-06' - method: PUT - uri: https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/inputData - response: - body: - string: '' - headers: - content-length: - - '0' - content-md5: - - 3+pg2wKa9x2rK+IB+BmzGA== - date: - - Tue, 24 Jan 2023 00:01:15 GMT - etag: - - '"0x8DAFD9E1CEC5F82"' - last-modified: - - Tue, 24 Jan 2023 00:01:15 GMT - server: - - Windows-Azure-Blob/1.0 Microsoft-HTTPAPI/2.0 - x-ms-content-crc64: - - VPUiKdL2pXs= - x-ms-request-server-encrypted: - - 'true' - x-ms-version: - - '2021-08-06' - status: - code: 201 - message: Created -- request: - body: '{"containerUri": "https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14", - "inputDataFormat": "ionq.circuit.v1", "inputParams": {"count": 100, "shots": - 100}, "providerId": "ionq", "target": "ionq.simulator", "outputDataFormat": - "ionq.quantum-results.v1", "tags": []}' - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - Content-Length: - - '306' - Content-Type: - - application/json - User-Agent: - - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: PUT - uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/jobs/398f62ca-1311-458f-8843-d78c0ebf7a14 - response: - body: - string: '{"containerUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14","inputDataUri":"https://vwjonesstorage2.blob.core.windows.net:443/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/inputData","inputDataFormat":"ionq.circuit.v1","inputParams":{"count":100,"shots":100},"metadata":null,"sessionId":null,"status":"Waiting","jobType":"Unknown","outputDataFormat":"ionq.quantum-results.v1","outputDataUri":"https://vwjonesstorage2.blob.core.windows.net:443/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/outputData","beginExecutionTime":null,"cancellationTime":null,"quantumComputingData":null,"errorData":null,"isCancelling":false,"tags":[],"name":null,"id":"398f62ca-1311-458f-8843-d78c0ebf7a14","providerId":"ionq","target":"ionq.simulator","creationTime":"2023-01-24T00:01:16.1680299+00:00","endExecutionTime":null,"costEstimate":null,"itemType":"Job"}' - headers: - connection: - - keep-alive - content-length: - - '900' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 24 Jan 2023 00:01:16 GMT - mise-correlation-id: - - a68dc305-e07e-400b-9f55-202048a5eea4 - request-context: - - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f - server: - - Microsoft-IIS/10.0 - set-cookie: - - ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc; Path=/; SameSite=None; - Secure - - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; Path=/ - - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - strict-transport-security: - - max-age=2592000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - User-Agent: - - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/jobs/398f62ca-1311-458f-8843-d78c0ebf7a14 - response: - body: - string: '{"containerUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14","inputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/inputData?sv=2019-07-07&sr=b&sig=mkUU29DndFtCn%2FuDSiWzhFiivQgWQlKRlohzU3ATyx0%3D&se=2023-01-28T00%3A01%3A16Z&sp=r&rscd=attachment%3B%20filename%3Djob-398f62ca-1311-458f-8843-d78c0ebf7a14.input.json","inputDataFormat":"ionq.circuit.v1","inputParams":{"count":100,"shots":100},"metadata":null,"sessionId":null,"status":"Waiting","jobType":"QuantumComputing","outputDataFormat":"ionq.quantum-results.v1","outputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/outputData?sv=2019-07-07&sr=b&sig=4S7kWpmHEJtgLqdWGEAL2NfX9i%2BuN%2FOU8Wxyi95Vdcg%3D&se=2023-01-28T00%3A01%3A16Z&sp=r&rscd=attachment%3B%20filename%3Djob-398f62ca-1311-458f-8843-d78c0ebf7a14.output.json","beginExecutionTime":null,"cancellationTime":null,"quantumComputingData":{"count":1},"errorData":null,"isCancelling":false,"tags":[],"name":null,"id":"398f62ca-1311-458f-8843-d78c0ebf7a14","providerId":"ionq","target":"ionq.simulator","creationTime":"2023-01-24T00:01:16.1680299+00:00","endExecutionTime":null,"costEstimate":null,"itemType":"Job"}' - headers: - connection: - - keep-alive - content-length: - - '1289' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 24 Jan 2023 00:01:16 GMT - mise-correlation-id: - - 63ef75df-7dc7-46a1-ae10-7bf780156d38 - request-context: - - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f - server: - - Microsoft-IIS/10.0 - set-cookie: - - ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc; Path=/; SameSite=None; - Secure - - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; Path=/ - - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - strict-transport-security: - - max-age=2592000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - Cookie: - - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc - User-Agent: - - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/jobs/398f62ca-1311-458f-8843-d78c0ebf7a14 - response: - body: - string: '{"containerUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14","inputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/inputData?sv=2019-07-07&sr=b&sig=mkUU29DndFtCn%2FuDSiWzhFiivQgWQlKRlohzU3ATyx0%3D&se=2023-01-28T00%3A01%3A16Z&sp=r&rscd=attachment%3B%20filename%3Djob-398f62ca-1311-458f-8843-d78c0ebf7a14.input.json","inputDataFormat":"ionq.circuit.v1","inputParams":{"count":100,"shots":100},"metadata":null,"sessionId":null,"status":"Waiting","jobType":"QuantumComputing","outputDataFormat":"ionq.quantum-results.v1","outputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/outputData?sv=2019-07-07&sr=b&sig=4S7kWpmHEJtgLqdWGEAL2NfX9i%2BuN%2FOU8Wxyi95Vdcg%3D&se=2023-01-28T00%3A01%3A16Z&sp=r&rscd=attachment%3B%20filename%3Djob-398f62ca-1311-458f-8843-d78c0ebf7a14.output.json","beginExecutionTime":null,"cancellationTime":null,"quantumComputingData":{"count":1},"errorData":null,"isCancelling":false,"tags":[],"name":null,"id":"398f62ca-1311-458f-8843-d78c0ebf7a14","providerId":"ionq","target":"ionq.simulator","creationTime":"2023-01-24T00:01:16.1680299+00:00","endExecutionTime":null,"costEstimate":null,"itemType":"Job"}' - headers: - connection: - - keep-alive - content-length: - - '1289' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 24 Jan 2023 00:01:16 GMT - mise-correlation-id: - - eab616d5-a8a1-42ed-8904-52c5369dfd06 - request-context: - - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f - server: - - Microsoft-IIS/10.0 - set-cookie: - - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - strict-transport-security: - - max-age=2592000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - Cookie: - - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc - User-Agent: - - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/jobs/398f62ca-1311-458f-8843-d78c0ebf7a14 - response: - body: - string: '{"containerUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14","inputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/inputData?sv=2019-07-07&sr=b&sig=TST8VFMgakopwOYokKH%2BG%2FKE0rOK9oNuSk%2FQIVcAm1g%3D&se=2023-01-28T00%3A01%3A17Z&sp=r&rscd=attachment%3B%20filename%3Djob-398f62ca-1311-458f-8843-d78c0ebf7a14.input.json","inputDataFormat":"ionq.circuit.v1","inputParams":{"count":100,"shots":100},"metadata":null,"sessionId":null,"status":"Waiting","jobType":"QuantumComputing","outputDataFormat":"ionq.quantum-results.v1","outputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/outputData?sv=2019-07-07&sr=b&sig=OIULmt%2BruIUV2rd8srnAZFM4NGxtBRSEm0S6nMXZtVA%3D&se=2023-01-28T00%3A01%3A17Z&sp=r&rscd=attachment%3B%20filename%3Djob-398f62ca-1311-458f-8843-d78c0ebf7a14.output.json","beginExecutionTime":null,"cancellationTime":null,"quantumComputingData":{"count":1},"errorData":null,"isCancelling":false,"tags":[],"name":null,"id":"398f62ca-1311-458f-8843-d78c0ebf7a14","providerId":"ionq","target":"ionq.simulator","creationTime":"2023-01-24T00:01:16.1680299+00:00","endExecutionTime":null,"costEstimate":null,"itemType":"Job"}' - headers: - connection: - - keep-alive - content-length: - - '1291' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 24 Jan 2023 00:01:17 GMT - mise-correlation-id: - - a90771df-eab6-4c75-96ad-dca396aa8aaa - request-context: - - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f - server: - - Microsoft-IIS/10.0 - set-cookie: - - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - strict-transport-security: - - max-age=2592000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - Cookie: - - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc - User-Agent: - - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/jobs/398f62ca-1311-458f-8843-d78c0ebf7a14 - response: - body: - string: '{"containerUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14","inputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/inputData?sv=2019-07-07&sr=b&sig=TST8VFMgakopwOYokKH%2BG%2FKE0rOK9oNuSk%2FQIVcAm1g%3D&se=2023-01-28T00%3A01%3A17Z&sp=r&rscd=attachment%3B%20filename%3Djob-398f62ca-1311-458f-8843-d78c0ebf7a14.input.json","inputDataFormat":"ionq.circuit.v1","inputParams":{"count":100,"shots":100},"metadata":null,"sessionId":null,"status":"Waiting","jobType":"QuantumComputing","outputDataFormat":"ionq.quantum-results.v1","outputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/outputData?sv=2019-07-07&sr=b&sig=OIULmt%2BruIUV2rd8srnAZFM4NGxtBRSEm0S6nMXZtVA%3D&se=2023-01-28T00%3A01%3A17Z&sp=r&rscd=attachment%3B%20filename%3Djob-398f62ca-1311-458f-8843-d78c0ebf7a14.output.json","beginExecutionTime":null,"cancellationTime":null,"quantumComputingData":{"count":1},"errorData":null,"isCancelling":false,"tags":[],"name":null,"id":"398f62ca-1311-458f-8843-d78c0ebf7a14","providerId":"ionq","target":"ionq.simulator","creationTime":"2023-01-24T00:01:16.1680299+00:00","endExecutionTime":null,"costEstimate":null,"itemType":"Job"}' - headers: - connection: - - keep-alive - content-length: - - '1291' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 24 Jan 2023 00:01:17 GMT - mise-correlation-id: - - 95916ed4-641d-4e6d-ac59-e6e0a8bdb78b - request-context: - - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f - server: - - Microsoft-IIS/10.0 - set-cookie: - - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - strict-transport-security: - - max-age=2592000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - Cookie: - - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc - User-Agent: - - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/jobs/398f62ca-1311-458f-8843-d78c0ebf7a14 - response: - body: - string: '{"containerUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14","inputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/inputData?sv=2019-07-07&sr=b&sig=9uFU6Oa%2BrlbtuGySZXsijXz13wPAXzfKnZqGBSMXye4%3D&se=2023-01-28T00%3A01%3A18Z&sp=r&rscd=attachment%3B%20filename%3Djob-398f62ca-1311-458f-8843-d78c0ebf7a14.input.json","inputDataFormat":"ionq.circuit.v1","inputParams":{"count":100,"shots":100},"metadata":null,"sessionId":null,"status":"Waiting","jobType":"QuantumComputing","outputDataFormat":"ionq.quantum-results.v1","outputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/outputData?sv=2019-07-07&sr=b&sig=dwDghUIXtHNI%2BIgr%2FMv%2BTg5%2FWOUMjNXHjMJIzqlt3z4%3D&se=2023-01-28T00%3A01%3A18Z&sp=r&rscd=attachment%3B%20filename%3Djob-398f62ca-1311-458f-8843-d78c0ebf7a14.output.json","beginExecutionTime":null,"cancellationTime":null,"quantumComputingData":{"count":1},"errorData":null,"isCancelling":false,"tags":[],"name":null,"id":"398f62ca-1311-458f-8843-d78c0ebf7a14","providerId":"ionq","target":"ionq.simulator","creationTime":"2023-01-24T00:01:16.1680299+00:00","endExecutionTime":null,"costEstimate":null,"itemType":"Job"}' - headers: - connection: - - keep-alive - content-length: - - '1293' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 24 Jan 2023 00:01:18 GMT - mise-correlation-id: - - 975d87fc-d555-4083-b24f-955ab26ca6fc - request-context: - - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f - server: - - Microsoft-IIS/10.0 - set-cookie: - - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - strict-transport-security: - - max-age=2592000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - Cookie: - - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc - User-Agent: - - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/jobs/398f62ca-1311-458f-8843-d78c0ebf7a14 - response: - body: - string: '{"containerUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14","inputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/inputData?sv=2019-07-07&sr=b&sig=ry6z01ZBqwAaKFjkuCdNc1Hv92sOxmgeHjBbfKvMVvw%3D&se=2023-01-28T00%3A01%3A19Z&sp=r&rscd=attachment%3B%20filename%3Djob-398f62ca-1311-458f-8843-d78c0ebf7a14.input.json","inputDataFormat":"ionq.circuit.v1","inputParams":{"count":100,"shots":100},"metadata":null,"sessionId":null,"status":"Waiting","jobType":"QuantumComputing","outputDataFormat":"ionq.quantum-results.v1","outputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/outputData?sv=2019-07-07&sr=b&sig=cuH2n1llb02s9QcQMq9%2BTDLzptTAAQU%2BS87CQQfGjYg%3D&se=2023-01-28T00%3A01%3A19Z&sp=r&rscd=attachment%3B%20filename%3Djob-398f62ca-1311-458f-8843-d78c0ebf7a14.output.json","beginExecutionTime":null,"cancellationTime":null,"quantumComputingData":{"count":1},"errorData":null,"isCancelling":false,"tags":[],"name":null,"id":"398f62ca-1311-458f-8843-d78c0ebf7a14","providerId":"ionq","target":"ionq.simulator","creationTime":"2023-01-24T00:01:16.1680299+00:00","endExecutionTime":null,"costEstimate":null,"itemType":"Job"}' - headers: - connection: - - keep-alive - content-length: - - '1287' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 24 Jan 2023 00:01:19 GMT - mise-correlation-id: - - 42a29ad2-6148-44ca-ac9c-eccefc31709a - request-context: - - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f - server: - - Microsoft-IIS/10.0 - set-cookie: - - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - strict-transport-security: - - max-age=2592000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - Cookie: - - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc - User-Agent: - - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/jobs/398f62ca-1311-458f-8843-d78c0ebf7a14 - response: - body: - string: '{"containerUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14","inputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/inputData?sv=2019-07-07&sr=b&sig=jmZzKlOZPmz60Enp3BfJhiCfvaIxQn0Twd2%2BpvJpPBQ%3D&se=2023-01-28T00%3A01%3A21Z&sp=r&rscd=attachment%3B%20filename%3Djob-398f62ca-1311-458f-8843-d78c0ebf7a14.input.json","inputDataFormat":"ionq.circuit.v1","inputParams":{"count":100,"shots":100},"metadata":null,"sessionId":null,"status":"Waiting","jobType":"QuantumComputing","outputDataFormat":"ionq.quantum-results.v1","outputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/outputData?sv=2019-07-07&sr=b&sig=wgLX5vQRFNSwSbKWTL2v6R8S4NznBOa%2F2h2J%2BE6JH0g%3D&se=2023-01-28T00%3A01%3A21Z&sp=r&rscd=attachment%3B%20filename%3Djob-398f62ca-1311-458f-8843-d78c0ebf7a14.output.json","beginExecutionTime":null,"cancellationTime":null,"quantumComputingData":{"count":1},"errorData":null,"isCancelling":false,"tags":[],"name":null,"id":"398f62ca-1311-458f-8843-d78c0ebf7a14","providerId":"ionq","target":"ionq.simulator","creationTime":"2023-01-24T00:01:16.1680299+00:00","endExecutionTime":null,"costEstimate":null,"itemType":"Job"}' - headers: - connection: - - keep-alive - content-length: - - '1289' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 24 Jan 2023 00:01:21 GMT - mise-correlation-id: - - 06239b25-6f12-4658-abb5-46d005768d89 - request-context: - - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f - server: - - Microsoft-IIS/10.0 - set-cookie: - - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - strict-transport-security: - - max-age=2592000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - Cookie: - - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc - User-Agent: - - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/jobs/398f62ca-1311-458f-8843-d78c0ebf7a14 - response: - body: - string: '{"containerUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14","inputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/inputData?sv=2019-07-07&sr=b&sig=qHVjRfOSy6dNin%2BynpbFp40lm3m5F8M9HSCn%2FYBSEa4%3D&se=2023-01-28T00%3A01%3A23Z&sp=r&rscd=attachment%3B%20filename%3Djob-398f62ca-1311-458f-8843-d78c0ebf7a14.input.json","inputDataFormat":"ionq.circuit.v1","inputParams":{"count":100,"shots":100},"metadata":null,"sessionId":null,"status":"Succeeded","jobType":"QuantumComputing","outputDataFormat":"ionq.quantum-results.v1","outputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/rawOutputData?sv=2019-07-07&sr=b&sig=bsjokMHDEus8m7q1qUIzbgP%2BTLq3aSXw4bbUZqnbDv4%3D&se=2023-01-28T00%3A01%3A23Z&sp=r&rscd=attachment%3B%20filename%3Djob-398f62ca-1311-458f-8843-d78c0ebf7a14.output.json","beginExecutionTime":"2023-01-24T00:01:22.232Z","cancellationTime":null,"quantumComputingData":{"count":1},"errorData":null,"isCancelling":false,"tags":[],"name":null,"id":"398f62ca-1311-458f-8843-d78c0ebf7a14","providerId":"ionq","target":"ionq.simulator","creationTime":"2023-01-24T00:01:16.1680299+00:00","endExecutionTime":"2023-01-24T00:01:22.313Z","costEstimate":null,"itemType":"Job"}' - headers: - connection: - - keep-alive - content-length: - - '1338' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 24 Jan 2023 00:01:23 GMT - mise-correlation-id: - - ff85161a-2f4c-4e6a-8119-a6f8b5c6d71f - request-context: - - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f - server: - - Microsoft-IIS/10.0 - set-cookie: - - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - strict-transport-security: - - max-age=2592000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - Connection: - - keep-alive - User-Agent: - - az-cli-ext/0.17.0.1 azsdk-python-quantum/0.0.0.1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://eastus.quantum.azure.com/v1.0/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517/jobs/398f62ca-1311-458f-8843-d78c0ebf7a14 - response: - body: - string: '{"containerUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14","inputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/inputData?sv=2019-07-07&sr=b&sig=qHVjRfOSy6dNin%2BynpbFp40lm3m5F8M9HSCn%2FYBSEa4%3D&se=2023-01-28T00%3A01%3A23Z&sp=r&rscd=attachment%3B%20filename%3Djob-398f62ca-1311-458f-8843-d78c0ebf7a14.input.json","inputDataFormat":"ionq.circuit.v1","inputParams":{"count":100,"shots":100},"metadata":null,"sessionId":null,"status":"Succeeded","jobType":"QuantumComputing","outputDataFormat":"ionq.quantum-results.v1","outputDataUri":"https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/rawOutputData?sv=2019-07-07&sr=b&sig=bsjokMHDEus8m7q1qUIzbgP%2BTLq3aSXw4bbUZqnbDv4%3D&se=2023-01-28T00%3A01%3A23Z&sp=r&rscd=attachment%3B%20filename%3Djob-398f62ca-1311-458f-8843-d78c0ebf7a14.output.json","beginExecutionTime":"2023-01-24T00:01:22.232Z","cancellationTime":null,"quantumComputingData":{"count":1},"errorData":null,"isCancelling":false,"tags":[],"name":null,"id":"398f62ca-1311-458f-8843-d78c0ebf7a14","providerId":"ionq","target":"ionq.simulator","creationTime":"2023-01-24T00:01:16.1680299+00:00","endExecutionTime":"2023-01-24T00:01:22.313Z","costEstimate":null,"itemType":"Job"}' - headers: - connection: - - keep-alive - content-length: - - '1338' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 24 Jan 2023 00:01:23 GMT - mise-correlation-id: - - 83c80300-3ad4-48a3-be0a-ec6d6413c799 - request-context: - - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f - server: - - Microsoft-IIS/10.0 - set-cookie: - - ApplicationGatewayAffinityCORS=f41f4d84e6de1cfe7357bf648ccde6bc; Path=/; SameSite=None; - Secure - - ApplicationGatewayAffinity=f41f4d84e6de1cfe7357bf648ccde6bc; Path=/ - - ARRAffinity=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - - ARRAffinitySameSite=9d716053ef092553e7bdd2639d89f002241b80715630c2dbb839c205a5e8d5f8;Path=/;HttpOnly;SameSite=None;Secure;Domain=app-jobscheduler-westus-003.ase-jobscheduler-westus-003.appserviceenvironment.net - strict-transport-security: - - max-age=2592000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-powered-by: - - ASP.NET - status: - code: 200 - message: OK -- request: - body: null - headers: - Connection: - - keep-alive - User-Agent: - - Azure-Storage/2.0.0-2.0.1 (Python CPython 3.10.6; Windows 10) AZURECLI/2.44.1 - x-ms-date: - - Tue, 24 Jan 2023 00:01:23 GMT - x-ms-range: - - bytes=0-33554431 - x-ms-version: - - '2018-11-09' - method: GET - uri: https://vwjonesstorage2.blob.core.windows.net/quantum-job-398f62ca-1311-458f-8843-d78c0ebf7a14/rawOutputData?sv=2019-07-07&sr=b&sig=bsjokMHDEus8m7q1qUIzbgP%2BTLq3aSXw4bbUZqnbDv4%3D&se=2023-01-28T00%3A01%3A23Z&sp=r&rscd=attachment%3B+filename%3Djob-398f62ca-1311-458f-8843-d78c0ebf7a14.output.json - response: - body: - string: '{"histogram":{"0":0.500000000,"7":0.500000000}}' - headers: - accept-ranges: - - bytes - content-disposition: - - attachment; filename=job-398f62ca-1311-458f-8843-d78c0ebf7a14.output.json - content-length: - - '47' - content-range: - - bytes 0-46/47 - content-type: - - application/json - date: - - Tue, 24 Jan 2023 00:01:23 GMT - etag: - - '"0x8DAFD9E21079149"' - last-modified: - - Tue, 24 Jan 2023 00:01:22 GMT - server: - - Windows-Azure-Blob/1.0 Microsoft-HTTPAPI/2.0 - x-ms-blob-type: - - BlockBlob - x-ms-creation-time: - - Tue, 24 Jan 2023 00:01:18 GMT - x-ms-lease-state: - - available - x-ms-lease-status: - - unlocked - x-ms-server-encrypted: - - 'true' - x-ms-version: - - '2018-11-09' - status: - code: 206 - message: Partial Content -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - quantum workspace delete - Connection: - - keep-alive - Content-Length: - - '0' - ParameterSetName: - - -g -w - User-Agent: - - AZURECLI/2.44.1 azsdk-python-mgmt-quantum/1.0.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - az-cli-ext/0.17.0.1 - method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517?api-version=2022-01-10-preview - response: - body: - string: 'null' - headers: - azure-asyncoperation: - - https://management.azure.com/providers/Microsoft.Quantum/locations/EASTUS/operationStatuses/8e852d6e-256c-4085-8b18-f975964d129a*9791A27D973CEDA5971DD16C3BE876DA873258CAC7236125D24D1E999120C663?api-version=2022-01-10-preview - cache-control: - - no-cache - content-length: - - '4' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 24 Jan 2023 00:01:25 GMT - etag: - - '"45004ff6-0000-0100-0000-63cf1fd50000"' - expires: - - '-1' - location: - - https://management.azure.com/providers/Microsoft.Quantum/locations/EASTUS/operationStatuses/8e852d6e-256c-4085-8b18-f975964d129a*9791A27D973CEDA5971DD16C3BE876DA873258CAC7236125D24D1E999120C663?api-version=2022-01-10-preview - mise-correlation-id: - - 673c2de1-842d-4250-a0b1-d5a3135af34f - pragma: - - no-cache - request-context: - - appId=cid-v1:4d6ac272-7369-45c6-9036-63d733c8519f - set-cookie: - - ARRAffinity=8ff86c9a27601d7f5b6518ec4d18af424875e57b5b1d58a058e5ff9db2bf1a1f;Path=/;HttpOnly;Secure;Domain=rpcontrol-eastus.azurewebsites.net - - ARRAffinitySameSite=8ff86c9a27601d7f5b6518ec4d18af424875e57b5b1d58a058e5ff9db2bf1a1f;Path=/;HttpOnly;SameSite=None;Secure;Domain=rpcontrol-eastus.azurewebsites.net - - ASLBSA=0003d40efdced3b125786ca8cb22325eb49a925b534478081c4d828d5b638143f548; - path=/; secure - - ASLBSACORS=0003d40efdced3b125786ca8cb22325eb49a925b534478081c4d828d5b638143f548; - samesite=none; path=/; secure - strict-transport-security: - - max-age=31536000; includeSubDomains - x-azure-ref: - - 01R/PYwAAAACpX24CzKoETZt8uW5nGJVhTU5aMjIxMDYwNjExMDM1AGU0ODIyNTNiLTllMDUtNDA1ZS1hODNmLTU4NmVlMWQ1NTNlNA== - x-cache: - - CONFIG_NOCACHE - x-content-type-options: - - nosniff - x-ms-providerhub-traffic: - - 'True' - x-ms-ratelimit-remaining-subscription-deletes: - - '14999' - x-powered-by: - - ASP.NET - status: - code: 202 - message: Accepted -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - quantum workspace delete - Connection: - - keep-alive - Cookie: - - ASLBSA=0003d40efdced3b125786ca8cb22325eb49a925b534478081c4d828d5b638143f548; - ASLBSACORS=0003d40efdced3b125786ca8cb22325eb49a925b534478081c4d828d5b638143f548 - ParameterSetName: - - -g -w - User-Agent: - - AZURECLI/2.44.1 azsdk-python-mgmt-quantum/1.0.0b1 Python/3.10.6 (Windows-10-10.0.22621-SP0) - az-cli-ext/0.17.0.1 - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517?api-version=2022-01-10-preview - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Quantum/workspaces/e2e-test-w9154517","name":"e2e-test-w9154517","type":"microsoft.quantum/workspaces","location":"eastus","tags":{},"systemData":{"createdBy":"v-wjones@microsoft.com","createdByType":"User","createdAt":"2023-01-23T23:53:56.9639159Z","lastModifiedBy":"v-wjones@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-23T23:53:56.9639159Z"},"identity":{"principalId":"75b04db9-f07d-49f2-b05e-c8150e586215","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","type":"SystemAssigned"},"properties":{"providers":[{"providerId":"qci","providerSku":"qci-freepreview","applicationName":"e2e-test-w9154517-qci","provisioningState":"Succeeded"},{"providerId":"rigetti","providerSku":"azure-quantum-credits","applicationName":"e2e-test-w9154517-rigetti","provisioningState":"Succeeded","resourceUsageId":"7964fd5b-f302-4c93-bf64-d458ff733112"},{"providerId":"ionq","providerSku":"pay-as-you-go-cred","applicationName":"e2e-test-w9154517-ionq","provisioningState":"Succeeded","resourceUsageId":"71b0823e-8eab-4e92-a036-28d137c0c498"},{"providerId":"Microsoft","providerSku":"DZH3178M639F","applicationName":"e2e-test-w9154517-Microsoft","provisioningState":"Succeeded"},{"providerId":"microsoft-qc","providerSku":"learn-and-develop","applicationName":"e2e-test-w9154517-microsoft-qc","provisioningState":"Succeeded"},{"providerId":"quantinuum","providerSku":"credits1","applicationName":"e2e-test-w9154517-quantinuum","provisioningState":"Succeeded","resourceUsageId":"be341c87-5098-487f-b767-5a091fa55d3b"}],"provisioningState":"Deleting","usable":"Yes","storageAccount":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/rg-v-wjones2/providers/Microsoft.Storage/storageAccounts/vwjonesstorage2","endpointUri":"https://e2e-test-w9154517.eastus.quantum.azure.com"}}' - headers: - cache-control: - - no-cache - content-length: - - '1905' - content-type: - - application/json; charset=utf-8 - date: - - Tue, 24 Jan 2023 00:01:25 GMT - etag: - - '"45004ff6-0000-0100-0000-63cf1fd50000"' - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-providerhub-traffic: - - 'True' - status: - code: 200 - message: OK -version: 1 diff --git a/src/quantum/azext_quantum/tests/latest/input_data/Program.qs b/src/quantum/azext_quantum/tests/latest/source_for_build_test/Program.qs similarity index 100% rename from src/quantum/azext_quantum/tests/latest/input_data/Program.qs rename to src/quantum/azext_quantum/tests/latest/source_for_build_test/Program.qs diff --git a/src/quantum/azext_quantum/tests/latest/input_data/QuantumRNG.csproj b/src/quantum/azext_quantum/tests/latest/source_for_build_test/QuantumRNG.csproj similarity index 55% rename from src/quantum/azext_quantum/tests/latest/input_data/QuantumRNG.csproj rename to src/quantum/azext_quantum/tests/latest/source_for_build_test/QuantumRNG.csproj index 4b048a8363c..fff8f29d8b3 100644 --- a/src/quantum/azext_quantum/tests/latest/input_data/QuantumRNG.csproj +++ b/src/quantum/azext_quantum/tests/latest/source_for_build_test/QuantumRNG.csproj @@ -1,7 +1,7 @@ - + Exe - net6.0 + netcoreapp3.1 ionq.qpu \ No newline at end of file diff --git a/src/quantum/azext_quantum/tests/latest/test_quantum_jobs.py b/src/quantum/azext_quantum/tests/latest/test_quantum_jobs.py index 2c1aa9c936f..3c8d1d009f9 100644 --- a/src/quantum/azext_quantum/tests/latest/test_quantum_jobs.py +++ b/src/quantum/azext_quantum/tests/latest/test_quantum_jobs.py @@ -12,12 +12,12 @@ from azure.cli.testsdk import ScenarioTest from azure.cli.core.azclierror import InvalidArgumentValueError, AzureInternalError -from .utils import get_test_subscription_id, get_test_resource_group, get_test_workspace, get_test_workspace_location, issue_cmd_with_param_missing, get_test_workspace_storage, get_test_workspace_random_name +from .utils import get_test_subscription_id, get_test_resource_group, get_test_workspace, get_test_workspace_location, issue_cmd_with_param_missing from ..._client_factory import _get_data_credentials from ...commands import transform_output -from ...operations.workspace import WorkspaceInfo, DEPLOYMENT_NAME_PREFIX +from ...operations.workspace import WorkspaceInfo from ...operations.target import TargetInfo -from ...operations.job import _generate_submit_args, _parse_blob_url, _validate_max_poll_wait_secs, build, _convert_numeric_params +from ...operations.job import _generate_submit_args, _parse_blob_url, _validate_max_poll_wait_secs, build TEST_DIR = os.path.abspath(os.path.join(os.path.abspath(__file__), '..')) @@ -44,16 +44,16 @@ def test_job_errors(self): issue_cmd_with_param_missing(self, "az quantum job wait", "az quantum job wait -g MyResourceGroup -w MyWorkspace -l MyLocation -j yyyyyyyy-yyyy-yyyy-yyyy-yyyyyyyyyyyy --max-poll-wait-secs 60 -o table\nWait for completion of a job, check at 60 second intervals.") def test_build(self): - result = build(self, target_id='ionq.simulator', project='src\\quantum\\azext_quantum\\tests\\latest\\input_data\\QuantumRNG.csproj', target_capability='BasicQuantumFunctionality') + result = build(self, target_id='ionq.simulator', project='src\\quantum\\azext_quantum\\tests\\latest\\source_for_build_test\\QuantumRNG.csproj', target_capability='BasicQuantumFunctionality') assert result == {'result': 'ok'} - self.testfile = open(os.path.join(os.path.dirname(__file__), 'input_data/obj/qsharp/config/qsc.rsp')) + self.testfile = open(os.path.join(os.path.dirname(__file__), 'source_for_build_test/obj/qsharp/config/qsc.rsp')) self.testdata = self.testfile.read() self.assertIn('TargetCapability:BasicQuantumFunctionality', self.testdata) self.testfile.close() try: - build(self, target_id='ionq.simulator', project='src\\quantum\\azext_quantum\\tests\\latest\\input_data\\QuantumRNG.csproj', target_capability='BogusQuantumFunctionality') + build(self, target_id='ionq.simulator', project='src\\quantum\\azext_quantum\\tests\\latest\\source_for_build_test\\QuantumRNG.csproj', target_capability='BogusQuantumFunctionality') assert False except AzureInternalError as e: assert str(e) == "Failed to compile program." @@ -237,54 +237,3 @@ def test_validate_max_poll_wait_secs(self): assert False except InvalidArgumentValueError as e: assert str(e) == "--max-poll-wait-secs parameter is not valid: foobar" - - def test_convert_numeric_params(self): - # Show that it converts numeric strings, but doesn't modify params that are already numeric - test_job_params = {"integer1": "1", "float1.5": "1.5", "integer2": 2, "float2.5": 2.5, "integer3": "3", "float3.5": "3.5"} - _convert_numeric_params(test_job_params) - assert test_job_params == {"integer1": 1, "float1.5": 1.5, "integer2": 2, "float2.5": 2.5, "integer3": 3, "float3.5": 3.5} - - # Make sure it doesn't modify non-numeric strings - test_job_params = {"string1": "string_value1", "string2": "string_value2", "string3": "string_value3"} - _convert_numeric_params(test_job_params) - assert test_job_params == {"string1": "string_value1", "string2": "string_value2", "string3": "string_value3"} - - # Make sure it doesn't modify the "tags" list - test_job_params = {"string1": "string_value1", "tags": ["tag1", "tag2", "3", "4"], "integer1": "1"} - _convert_numeric_params(test_job_params) - assert test_job_params == {"string1": "string_value1", "tags": ["tag1", "tag2", "3", "4"], "integer1": 1} - - # Make sure it doesn't modify nested dict like metadata uses - test_job_params = {"string1": "string_value1", "metadata": {"meta1": "meta_value1", "meta2": "2"}, "integer1": "1"} - _convert_numeric_params(test_job_params) - assert test_job_params == {"string1": "string_value1", "metadata": {"meta1": "meta_value1", "meta2": "2"}, "integer1": 1} - - @live_only() - def test_submit(self): - test_location = get_test_workspace_location() - test_resource_group = get_test_resource_group() - test_workspace_temp = get_test_workspace_random_name() - test_provider_sku_list = "qci/qci-freepreview,rigetti/azure-quantum-credits,ionq/pay-as-you-go-cred,Microsoft/DZH3178M639F" - test_storage = get_test_workspace_storage() - - self.cmd(f"az quantum workspace create -g {test_resource_group} -w {test_workspace_temp} -l {test_location} -a {test_storage} -r {test_provider_sku_list}") - self.cmd(f"az quantum workspace set -g {test_resource_group} -w {test_workspace_temp} -l {test_location}") - - # Run a Quil pass-through job on Rigetti - results = self.cmd("az quantum run -t rigetti.sim.qvm --job-input-format rigetti.quil.v1 -t rigetti.sim.qvm --job-input-file src/quantum/azext_quantum/tests/latest/input_data/bell-state.quil --job-output-format rigetti.quil-results.v1 -o json").get_output_in_json() - self.assertIn("ro", results) - - # Run a Qiskit pass-through job on IonQ - results = self.cmd("az quantum run -t ionq.simulator --shots 100 --job-input-format ionq.circuit.v1 --job-input-file src/quantum/azext_quantum/tests/latest/input_data/Qiskit-3-qubit-GHZ-circuit.json --job-output-format ionq.quantum-results.v1 --job-params count=100 content-type=application/json -o json").get_output_in_json() - self.assertIn("histogram", results) - - # Unexplained behavior: upload_blob fails with on the next two tests, but the same commands succeed when run interactively. - # # Run a QIR job on QCI - # results = self.cmd("az quantum run -t qci.simulator --shots 100 --job-input-format qir.v1 --job-input-file src/quantum/azext_quantum/tests/latest/input_data/Qrng.bc --entry-point Qrng__SampleQuantumRandomNumberGenerator -o json") - # self.assertIn("Histogram", results) - # - # # Run a QIO job - # results = self.cmd("az quantum run -t microsoft.paralleltempering-parameterfree.cpu --job-input-format microsoft.qio.v2 --job-input-file src/quantum/azext_quantum/tests/latest/input_data/QIO-Problem-2.json -o json").get_output_in_json() - # self.assertIn("solutions", results) - - self.cmd(f'az quantum workspace delete -g {test_resource_group} -w {test_workspace_temp}') diff --git a/src/quantum/azext_quantum/tests/latest/test_quantum_targets.py b/src/quantum/azext_quantum/tests/latest/test_quantum_targets.py index dc0c8e5836c..e350a96ae32 100644 --- a/src/quantum/azext_quantum/tests/latest/test_quantum_targets.py +++ b/src/quantum/azext_quantum/tests/latest/test_quantum_targets.py @@ -7,13 +7,10 @@ import pytest import unittest -from azure.cli.testsdk.scenario_tests import AllowLargeResponse, live_only +from azure.cli.testsdk.scenario_tests import AllowLargeResponse from azure.cli.testsdk import (ScenarioTest, ResourceGroupPreparer) -from .utils import (get_test_resource_group, get_test_workspace, get_test_workspace_location, issue_cmd_with_param_missing, - get_test_workspace_random_name, get_test_workspace_storage, get_test_target_provider_sku_list, - get_test_target_provider, get_test_target_target) -from ...operations.target import get_provider, TargetInfo +from .utils import get_test_resource_group, get_test_workspace, get_test_workspace_location, issue_cmd_with_param_missing TEST_DIR = os.path.abspath(os.path.join(os.path.abspath(__file__), '..')) @@ -55,25 +52,3 @@ def test_targets(self): def test_target_errors(self): self.cmd(f'az quantum target clear') issue_cmd_with_param_missing(self, "az quantum target set", "az quantum target set -t target-id\nSelect a default when submitting jobs to Azure Quantum.") - - @live_only() - def test_get_provider(self): - test_resource_group = get_test_resource_group() - test_location = get_test_workspace_location() - test_storage = get_test_workspace_storage() - test_target_provider_sku_list = get_test_target_provider_sku_list() - test_workspace_temp = get_test_workspace_random_name() - - self.cmd(f'az quantum workspace create -g {test_resource_group} -w {test_workspace_temp} -l {test_location} -a {test_storage} -r "{test_target_provider_sku_list}"') - - test_target = get_test_target_target() - test_expected_provider = get_test_target_provider() - test_returned_provider = get_provider(self, test_target, test_resource_group, test_workspace_temp, test_location) - assert test_returned_provider == test_expected_provider - - test_target = "nonexistant.target" - test_expected_provider = None - test_returned_provider = get_provider(self, test_target, test_resource_group, test_workspace_temp, test_location) - assert test_returned_provider == test_expected_provider - - self.cmd(f'az quantum workspace delete -g {test_resource_group} -w {test_workspace_temp}') diff --git a/src/quantum/azext_quantum/tests/latest/test_quantum_workspace.py b/src/quantum/azext_quantum/tests/latest/test_quantum_workspace.py index e34c6dc15ba..ed65adfb7c4 100644 --- a/src/quantum/azext_quantum/tests/latest/test_quantum_workspace.py +++ b/src/quantum/azext_quantum/tests/latest/test_quantum_workspace.py @@ -155,7 +155,7 @@ def test_workspace_create_destroy(self): # @pytest.fixture(autouse=True) # def _pass_fixtures(self, capsys): # self.capsys = capsys - # # See "TODO" in issue_cmd_with_param_missing in utils.py + # # See "TODO" in issue_cmd_with_param_missing un utils.py @live_only() def test_workspace_errors(self): diff --git a/src/quantum/azext_quantum/tests/latest/utils.py b/src/quantum/azext_quantum/tests/latest/utils.py index 7f6f37d8ab3..a2540136728 100644 --- a/src/quantum/azext_quantum/tests/latest/utils.py +++ b/src/quantum/azext_quantum/tests/latest/utils.py @@ -10,11 +10,7 @@ TEST_WORKSPACE_DEFAULT_STORAGE = "e2etests" TEST_WORKSPACE_DEFAULT_STORAGE_GRS = "e2etestsgrs" TEST_WORKSPACE_DEFAULT_PROVIDER_SKU_LIST = "Microsoft/Basic" -TEST_CAPABILITIES_DEFAULT = "new.microsoft;submit.microsoft" - -TEST_TARGET_DEFAULT_PROVIDER_SKU_LIST = "microsoft-qc/learn-and-develop" -TEST_TARGET_DEFAULT_PROVIDER = "microsoft-qc" -TEST_TARGET_DEFAULT_TARGET = "microsoft.estimator" +TEST_CAPABILITIES_DEFAULT = "new.microsoft;submit.microsoft" def get_from_os_environment(env_name, default): import os @@ -44,15 +40,6 @@ def get_test_workspace_provider_sku_list(): def get_test_capabilities(): return get_from_os_environment("AZURE_QUANTUM_CAPABILITIES", TEST_CAPABILITIES_DEFAULT).lower() -def get_test_target_provider_sku_list(): - return get_from_os_environment("AZURE_QUANTUM_TARGET_PROVIDER_SKU_LIST", TEST_TARGET_DEFAULT_PROVIDER_SKU_LIST) - -def get_test_target_provider(): - return get_from_os_environment("AZURE_QUANTUM_PROVIDER", TEST_TARGET_DEFAULT_PROVIDER) - -def get_test_target_target(): - return get_from_os_environment("AZURE_QUANTUM_TARGET", TEST_TARGET_DEFAULT_TARGET) - def get_test_workspace_random_name(): import random return "e2e-test-w" + str(random.randint(1000000, 9999999)) diff --git a/src/quantum/setup.py b/src/quantum/setup.py index 6b9bb07c5a9..2343cb8117d 100644 --- a/src/quantum/setup.py +++ b/src/quantum/setup.py @@ -17,7 +17,7 @@ # This version should match the latest entry in HISTORY.rst # Also, when updating this, please review the version used by the extension to # submit requests, which can be found at './azext_quantum/__init__.py' -VERSION = '0.18.0' +VERSION = '0.17.0' # The full list of classifiers is available at # https://pypi.python.org/pypi?%3Aaction=list_classifiers @@ -34,7 +34,6 @@ ] DEPENDENCIES = [ - 'azure-storage-blob~=12.14.1' ] with open('README.rst', 'r', encoding='utf-8') as f: diff --git a/src/service_name.json b/src/service_name.json index 3b53fc1220b..5abca86ef6e 100644 --- a/src/service_name.json +++ b/src/service_name.json @@ -79,11 +79,6 @@ "AzureServiceName": "Azure Communication Service", "URL": "https://docs.microsoft.com/azure/communication-services/" }, - { - "Command": "az confcom", - "AzureServiceName": "Microsoft Confidential Computing", - "URL": "https://docs.microsoft.com/en-us/azure/confcom/" - }, { "Command": "az confidentialledger", "AzureServiceName": "Microsoft Confidential Ledger", @@ -104,11 +99,6 @@ "AzureServiceName": "Azure Arc", "URL": "https://docs.microsoft.com/azure/azure-arc/servers/overview" }, - { - "Command": "az connection", - "AzureServiceName": "Service Connector", - "URL": "https://learn.microsoft.com/azure/service-connector/" - }, { "Command": "az containerapp", "AzureServiceName": "Azure Container Apps", @@ -650,9 +640,9 @@ "URL": "https://docs.microsoft.com/en-us/azure/azure-monitor/change/change-analysis" }, { - "Command": "az orbital", - "AzureServiceName": "Azure Orbital", - "URL": "https://docs.microsoft.com/en-us/azure/orbital/" + "Command": "az orbital", + "AzureServiceName": "Azure Orbital", + "URL": "https://docs.microsoft.com/en-us/azure/orbital/" }, { "Command": "az nginx", @@ -700,13 +690,8 @@ "URL": "https://learn.microsoft.com/en-us/azure/private-5g-core/" }, { - "Command": "az automanage", - "AzureServiceName": "Azure Automanage", - "URL": "https://learn.microsoft.com/en-us/azure/automanage/" - }, - { - "Command": "az voice-service", - "AzureServiceName": "Azure VoiceServices", - "URL": "" + "Command": "az automanage", + "AzureServiceName": "Azure Automanage", + "URL": "https://learn.microsoft.com/en-us/azure/automanage/" } -] \ No newline at end of file +] diff --git a/src/serviceconnector-passwordless/HISTORY.rst b/src/serviceconnector-passwordless/HISTORY.rst deleted file mode 100644 index 8c34bccfff8..00000000000 --- a/src/serviceconnector-passwordless/HISTORY.rst +++ /dev/null @@ -1,8 +0,0 @@ -.. :changelog: - -Release History -=============== - -0.1.0 -++++++ -* Initial release. \ No newline at end of file diff --git a/src/serviceconnector-passwordless/README.rst b/src/serviceconnector-passwordless/README.rst deleted file mode 100644 index a0633f7e6cd..00000000000 --- a/src/serviceconnector-passwordless/README.rst +++ /dev/null @@ -1,5 +0,0 @@ -Microsoft Azure CLI 'serviceconnector-passwordless' Extension -========================================== - -This package is for the 'serviceconnector-passwordless' extension. -i.e. 'az serviceconnector-passwordless' \ No newline at end of file diff --git a/src/serviceconnector-passwordless/azext_serviceconnector_passwordless/__init__.py b/src/serviceconnector-passwordless/azext_serviceconnector_passwordless/__init__.py deleted file mode 100644 index 99cfe3905e0..00000000000 --- a/src/serviceconnector-passwordless/azext_serviceconnector_passwordless/__init__.py +++ /dev/null @@ -1,31 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -------------------------------------------------------------------------------------------- - -from azure.cli.core import AzCommandsLoader - -from azext_serviceconnector_passwordless._help import helps # pylint: disable=unused-import - - -class Serviceconnector_passwordlessCommandsLoader(AzCommandsLoader): - - def __init__(self, cli_ctx=None): - from azure.cli.core.commands import CliCommandType - serviceconnector_passwordless_custom = CliCommandType( - operations_tmpl='azext_serviceconnector_passwordless.custom#{}') - super().__init__( - cli_ctx=cli_ctx, - custom_command_type=serviceconnector_passwordless_custom) - - def load_command_table(self, args): - from azext_serviceconnector_passwordless.commands import load_command_table - load_command_table(self, args) - return self.command_table - - def load_arguments(self, command): - from azext_serviceconnector_passwordless._params import load_arguments - load_arguments(self, command) - - -COMMAND_LOADER_CLS = Serviceconnector_passwordlessCommandsLoader diff --git a/src/serviceconnector-passwordless/azext_serviceconnector_passwordless/_credential_free.py b/src/serviceconnector-passwordless/azext_serviceconnector_passwordless/_credential_free.py deleted file mode 100644 index 95e24483782..00000000000 --- a/src/serviceconnector-passwordless/azext_serviceconnector_passwordless/_credential_free.py +++ /dev/null @@ -1,732 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -------------------------------------------------------------------------------------------- - -import struct -import sys -from knack.log import get_logger -from msrestazure.tools import parse_resource_id -from azure.cli.core.azclierror import ( - AzureConnectionError, - ValidationError, - CLIInternalError -) -from azure.cli.core.extension.operations import _install_deps_for_psycopg2, _run_pip -from azure.cli.core._profile import Profile -from azure.cli.command_modules.serviceconnector._utils import ( - run_cli_cmd, - generate_random_string, - is_packaged_installed, - get_object_id_of_current_user -) -from azure.cli.command_modules.serviceconnector._resource_config import ( - RESOURCE, - AUTH_TYPE -) -from azure.cli.command_modules.serviceconnector._validators import ( - get_source_resource_name, - get_target_resource_name, -) - -logger = get_logger(__name__) - -AUTHTYPES = { - AUTH_TYPE.SystemIdentity: 'systemAssignedIdentity', - AUTH_TYPE.UserAccount: 'userAccount' -} - - -# pylint: disable=line-too-long, consider-using-f-string -# For db(mysqlFlex/psql/psqlFlex/sql) linker with auth type=systemAssignedIdentity, enable AAD auth and create db user on data plane -# For other linker, ignore the steps -def enable_mi_for_db_linker(cmd, source_id, target_id, auth_info, client_type, connection_name): - # return if connection is not for db mi - if auth_info['auth_type'] not in {AUTHTYPES[AUTH_TYPE.SystemIdentity], AUTHTYPES[AUTH_TYPE.UserAccount]}: - return None - - source_type = get_source_resource_name(cmd) - target_type = get_target_resource_name(cmd) - source_handler = getSourceHandler(source_id, source_type) - if source_handler is None: - return None - target_handler = getTargetHandler( - cmd, target_id, target_type, auth_info['auth_type'], client_type, connection_name) - if target_handler is None: - return None - - user_object_id = auth_info.get('principal_id') - if user_object_id is None: - user_object_id = get_object_id_of_current_user() - - if user_object_id is None: - raise Exception( - "No object id for user {}".format(target_handler.login_username)) - - target_handler.user_object_id = user_object_id - if source_type != RESOURCE.Local: - # enable source mi - source_object_id = source_handler.get_identity_pid() - target_handler.identity_object_id = source_object_id - try: - identity_info = run_cli_cmd( - 'az ad sp show --id {}'.format(source_object_id), 15, 10) - target_handler.identity_client_id = identity_info.get('appId') - target_handler.identity_name = identity_info.get('displayName') - except CLIInternalError as e: - if 'AADSTS530003' in e.error_msg: - logger.warning( - 'Please ask your IT department for help to join this device to Azure Active Directory.') - raise e - - # enable target aad authentication and set login user as db aad admin - target_handler.enable_target_aad_auth() - target_handler.set_user_admin( - user_object_id, mysql_identity_id=auth_info.get('mysql-identity-id')) - - # create an aad user in db - target_handler.create_aad_user() - return target_handler.get_auth_config(user_object_id) - - -# pylint: disable=no-self-use, unused-argument, too-many-instance-attributes -def getTargetHandler(cmd, target_id, target_type, auth_type, client_type, connection_name): - if target_type in {RESOURCE.Sql}: - return SqlHandler(cmd, target_id, target_type, auth_type, connection_name) - if target_type in {RESOURCE.Postgres}: - return PostgresSingleHandler(cmd, target_id, target_type, auth_type, connection_name) - if target_type in {RESOURCE.PostgresFlexible}: - return PostgresFlexHandler(cmd, target_id, target_type, auth_type, connection_name) - if target_type in {RESOURCE.MysqlFlexible}: - return MysqlFlexibleHandler(cmd, target_id, target_type, auth_type, connection_name) - return None - - -class TargetHandler: - cmd = None - auth_type = "" - - tenant_id = "" - subscription = "" - resource_group = "" - target_id = "" - target_type = "" - endpoint = "" - - login_username = "" - login_usertype = "" # servicePrincipal, user - user_object_id = "" - aad_username = "" - - identity_name = "" - identity_client_id = "" - identity_object_id = "" - - def __init__(self, cmd, target_id, target_type, auth_type, connection_name): - self.cmd = cmd - self.target_id = target_id - self.target_type = target_type - self.tenant_id = Profile( - cli_ctx=cmd.cli_ctx).get_subscription().get("tenantId") - target_segments = parse_resource_id(target_id) - self.subscription = target_segments.get('subscription') - self.resource_group = target_segments.get('resource_group') - self.auth_type = auth_type - self.login_username = run_cli_cmd( - 'az account show').get("user").get("name") - self.login_usertype = run_cli_cmd( - 'az account show').get("user").get("type") - if(self.login_usertype not in ['servicePrincipal', 'user']): - raise CLIInternalError( - f'{self.login_usertype} is not supported. Please login as user or servicePrincipal') - self.aad_username = "aad_" + connection_name - - def enable_target_aad_auth(self): - return - - def set_user_admin(self, user_object_id, **kwargs): - return - - def set_target_firewall(self, add_new_rule, ip_name): - return - - def create_aad_user(self): - return - - def get_auth_config(self, user_object_id): - if self.auth_type == AUTHTYPES[AUTH_TYPE.UserAccount]: - return { - 'auth_type': self.auth_type, - 'username': self.aad_username, - 'principal_id': user_object_id - } - if self.auth_type == AUTHTYPES[AUTH_TYPE.SystemIdentity]: - return { - 'auth_type': self.auth_type, - 'username': self.aad_username, - } - return None - - -class MysqlFlexibleHandler(TargetHandler): - - server = "" - dbname = "" - - def __init__(self, cmd, target_id, target_type, auth_type, connection_name): - super().__init__(cmd, target_id, target_type, auth_type, connection_name) - self.endpoint = cmd.cli_ctx.cloud.suffixes.mysql_server_endpoint - target_segments = parse_resource_id(target_id) - self.server = target_segments.get('name') - self.dbname = target_segments.get('child_name_1') - - def set_user_admin(self, user_object_id, **kwargs): - mysql_identity_id = kwargs['mysql_identity_id'] - admins = run_cli_cmd( - 'az mysql flexible-server ad-admin list -g {} -s {} --subscription {}'.format( - self.resource_group, self.server, self.subscription) - ) - is_admin = any(ad.get('sid') == user_object_id for ad in admins) - if is_admin: - return - - logger.warning('Set current user as DB Server AAD Administrators.') - # set user as AAD admin - if mysql_identity_id is None: - raise ValidationError( - "Provide '{} mysql-identity-id=xx' to set {} as AAD administrator.".format( - '--system-identity' if self.auth_type == AUTHTYPES[AUTH_TYPE.SystemIdentity] else '--user-account', self.login_username)) - mysql_umi = run_cli_cmd( - 'az mysql flexible-server identity list -g {} -s {} --subscription {}'.format(self.resource_group, self.server, self.subscription)) - if (not mysql_umi) or (not mysql_umi.get("userAssignedIdentities")) or mysql_identity_id not in mysql_umi.get("userAssignedIdentities"): - run_cli_cmd('az mysql flexible-server identity assign -g {} -s {} --subscription {} --identity {}'.format( - self.resource_group, self.server, self.subscription, mysql_identity_id)) - run_cli_cmd('az mysql flexible-server ad-admin create -g {} -s {} --subscription {} -u {} -i {} --identity {}'.format( - self.resource_group, self.server, self.subscription, self.login_username, user_object_id, mysql_identity_id)) - - def create_aad_user(self): - query_list = self.get_create_query() - connection_kwargs = self.get_connection_string() - ip_name = None - try: - logger.warning("Connecting to database...") - self.create_aad_user_in_mysql(connection_kwargs, query_list) - except AzureConnectionError: - # allow public access - ip_name = generate_random_string(prefix='svc_').lower() - self.set_target_firewall(True, ip_name) - # create again - self.create_aad_user_in_mysql(connection_kwargs, query_list) - - # remove firewall rule - if ip_name is not None: - try: - self.set_target_firewall(False, ip_name) - # pylint: disable=bare-except - except: - pass - # logger.warning('Please manually delete firewall rule %s to avoid security issue', ipname) - - def set_target_firewall(self, add_new_rule, ip_name): - if add_new_rule: - target = run_cli_cmd( - 'az mysql flexible-server show --ids {}'.format(self.target_id)) - # logger.warning("Update database server firewall rule to connect...") - if target.get('network').get('publicNetworkAccess') == "Disabled": - return - run_cli_cmd( - 'az mysql flexible-server firewall-rule create --resource-group {0} --name {1} --rule-name {2} ' - '--subscription {3} --start-ip-address 0.0.0.0 --end-ip-address 255.255.255.255'.format( - self.resource_group, self.server, ip_name, self.subscription) - ) - # logger.warning("Remove database server firewall rules to recover...") - # run_cli_cmd('az mysql server firewall-rule delete -g {0} -s {1} -n {2} -y'.format(rg, server, ipname)) - # if deny_public_access: - # run_cli_cmd('az mysql server update --public Disabled --ids {}'.format(target_id)) - - def create_aad_user_in_mysql(self, connection_kwargs, query_list): - if not is_packaged_installed('pymysql'): - _run_pip(["install", "pymysql"]) - # pylint: disable=import-error - try: - import pymysql - from pymysql.constants import CLIENT - except ModuleNotFoundError as e: - raise CLIInternalError( - "Dependency pymysql can't be installed, please install it manually with `" + sys.executable + " -m pip install pymysql`.") from e - - connection_kwargs['client_flag'] = CLIENT.MULTI_STATEMENTS - try: - connection = pymysql.connect(**connection_kwargs) - cursor = connection.cursor() - for q in query_list: - if q: - try: - logger.debug(q) - cursor.execute(q) - except Exception as e: # pylint: disable=broad-except - logger.warning( - "Query %s, error: %s", q, str(e)) - except pymysql.Error as e: - raise AzureConnectionError("Fail to connect mysql. " + str(e)) from e - if cursor is not None: - try: - cursor.close() - except Exception as e: # pylint: disable=broad-except - raise CLIInternalError("connection close failed." + str(e)) from e - - def get_connection_string(self): - password = run_cli_cmd( - 'az account get-access-token --resource-type oss-rdbms').get('accessToken') - - return { - 'host': self.server + self.endpoint, - 'database': self.dbname, - 'user': self.login_username, - 'password': password, - 'ssl': {"fake_flag_to_enable_tls": True}, - 'autocommit': True - } - - def get_create_query(self): - client_id = self.identity_client_id - if self.auth_type == AUTHTYPES[AUTH_TYPE.UserAccount]: - client_id = self.user_object_id - return [ - "SET aad_auth_validate_oids_in_tenant = OFF;", - "DROP USER IF EXISTS '{}'@'%';".format(self.aad_username), - "CREATE AADUSER '{}' IDENTIFIED BY '{}';".format( - self.aad_username, client_id), - "GRANT ALL PRIVILEGES ON `{}`.* TO '{}'@'%';".format( - self.dbname, self.aad_username), - "FLUSH privileges;" - ] - - -class SqlHandler(TargetHandler): - - server = "" - dbname = "" - - def __init__(self, cmd, target_id, target_type, auth_type, connection_name): - super().__init__(cmd, target_id, target_type, auth_type, connection_name) - self.endpoint = cmd.cli_ctx.cloud.suffixes.sql_server_hostname - target_segments = parse_resource_id(target_id) - self.server = target_segments.get('name') - self.dbname = target_segments.get('child_name_1') - - def set_user_admin(self, user_object_id, **kwargs): - # pylint: disable=not-an-iterable - admins = run_cli_cmd( - 'az sql server ad-admin list --ids {}'.format(self.target_id)) - is_admin = any(ad.get('sid') == user_object_id for ad in admins) - if not is_admin: - logger.warning('Setting current user as database server AAD admin:' - ' user=%s object id=%s', self.login_username, user_object_id) - run_cli_cmd('az sql server ad-admin create -g {} --server-name {} --display-name {} --object-id {} --subscription {}'.format( - self.resource_group, self.server, self.login_username, user_object_id, self.subscription)).get('objectId') - - def create_aad_user(self): - - query_list = self.get_create_query() - connection_args = self.get_connection_string() - ip_name = None - try: - logger.warning("Connecting to database...") - self.create_aad_user_in_sql(connection_args, query_list) - except AzureConnectionError: - # allow public access - ip_name = generate_random_string(prefix='svc_').lower() - self.set_target_firewall(True, ip_name) - # create again - self.create_aad_user_in_sql(connection_args, query_list) - - # remove firewall rule - if ip_name is not None: - try: - self.set_target_firewall(False, ip_name) - # pylint: disable=bare-except - except: - pass - # logger.warning('Please manually delete firewall rule %s to avoid security issue', ipname) - - def set_target_firewall(self, add_new_rule, ip_name): - if add_new_rule: - target = run_cli_cmd( - 'az sql server show --ids {}'.format(self.target_id)) - # logger.warning("Update database server firewall rule to connect...") - if target.get('publicNetworkAccess') == "Disabled": - run_cli_cmd( - 'az sql server update -e true --ids {}'.format(self.target_id)) - run_cli_cmd( - 'az sql server firewall-rule create -g {0} -s {1} -n {2} ' - '--subscription {3} --start-ip-address 0.0.0.0 --end-ip-address 255.255.255.255'.format( - self.resource_group, self.server, ip_name, self.subscription) - ) - # return False - - def create_aad_user_in_sql(self, connection_args, query_list): - - if not is_packaged_installed('pyodbc'): - _run_pip(["install", "pyodbc"]) - - # pylint: disable=import-error, c-extension-no-member - try: - import pyodbc - except ModuleNotFoundError as e: - raise CLIInternalError( - "Dependency pyodbc can't be installed, please install it manually with `" + sys.executable + " -m pip install pyodbc`.") from e - drivers = [x for x in pyodbc.drivers() if x in [ - 'ODBC Driver 17 for SQL Server', 'ODBC Driver 18 for SQL Server']] - if not drivers: - raise CLIInternalError( - "Please manually install odbc 17/18 for SQL server, reference: https://docs.microsoft.com/en-us/sql/connect/odbc/download-odbc-driver-for-sql-server/") - try: - with pyodbc.connect(connection_args.get("connection_string").format(driver=drivers[0]), attrs_before=connection_args.get("attrs_before")) as conn: - with conn.cursor() as cursor: - for execution_query in query_list: - try: - logger.debug(execution_query) - cursor.execute(execution_query) - except pyodbc.ProgrammingError as e: - logger.warning(e) - conn.commit() - except pyodbc.Error as e: - raise AzureConnectionError("Fail to connect sql." + str(e)) from e - - def get_connection_string(self): - token_bytes = run_cli_cmd( - 'az account get-access-token --output json --resource https://database.windows.net/').get('accessToken').encode('utf-16-le') - - token_struct = struct.pack( - f'.', validator=validate_app_name, configured_default='spring-app') sku_type = CLIArgumentType(arg_type=get_enum_type(['Basic', 'Standard', 'Enterprise']), help='Name of SKU. Enterprise is still in Preview.') source_path_type = CLIArgumentType(nargs='?', const='.', @@ -62,7 +66,7 @@ def load_arguments(self, _): with self.argument_context('spring') as c: c.argument('resource_group', arg_type=resource_group_name_type) c.argument('name', options_list=[ - '--name', '-n'], help='The name of Azure Spring Apps instance.') + '--name', '-n'], help='Name of Azure Spring Apps.') # A refactoring work item to move validators to command level to reduce the duplications. # https://dev.azure.com/msazure/AzureDMSS/_workitems/edit/11002857/ @@ -121,7 +125,7 @@ def load_arguments(self, _): help='Ingress read timeout value in seconds. Default 300, Minimum is 1, maximum is 1800.', validator=validate_ingress_timeout) c.argument('build_pool_size', - arg_type=get_enum_type(['S1', 'S2', 'S3', 'S4', 'S5', 'S6', 'S7', 'S8', 'S9']), + arg_type=get_enum_type(['S1', 'S2', 'S3', 'S4', 'S5']), validator=validate_build_pool_size, help='(Enterprise Tier Only) Size of build agent pool. See https://aka.ms/azure-spring-cloud-build-service-docs for size info.') c.argument('enable_application_configuration_service', @@ -196,7 +200,7 @@ def load_arguments(self, _): redirect='az spring app-insights update --disable', hide=True)) c.argument('build_pool_size', - arg_type=get_enum_type(['S1', 'S2', 'S3', 'S4', 'S5', 'S6', 'S7', 'S8', 'S9']), + arg_type=get_enum_type(['S1', 'S2', 'S3', 'S4', 'S5']), help='(Enterprise Tier Only) Size of build agent pool. See https://aka.ms/azure-spring-cloud-build-service-docs for size info.') c.argument('enable_log_stream_public_endpoint', arg_type=get_three_state_flag(), @@ -213,7 +217,7 @@ def load_arguments(self, _): with self.argument_context('spring app') as c: c.argument('service', service_name_type) - c.argument('name', name_type, help='The name of app running in the specified Azure Spring Apps instance.') + c.argument('name', name_type, help='Name of app.') for scope in ['spring app create', 'spring app update', 'spring app deploy', 'spring app deployment create', 'spring app deployment update']: with self.argument_context(scope) as c: @@ -263,8 +267,6 @@ def load_arguments(self, _): help='A json file path for the persistent storages to be mounted to the app') c.argument('loaded_public_certificate_file', options_list=['--loaded-public-certificate-file', '-f'], type=str, help='A json file path indicates the certificates which would be loaded to app') - c.argument('deployment_name', default='default', - help='Name of the default deployment.', validator=validate_name) with self.argument_context('spring app update') as c: c.argument('assign_endpoint', arg_type=get_three_state_flag(), @@ -314,10 +316,10 @@ def load_arguments(self, _): validator=validate_remote_debugging_port) with self.argument_context('spring app unset-deployment') as c: - c.argument('name', name_type, help='The name of app running in the specified Azure Spring Apps instance.', validator=active_deployment_exist) + c.argument('name', name_type, help='Name of app.', validator=active_deployment_exist) with self.argument_context('spring app identity') as c: - c.argument('name', name_type, help='The name of app running in the specified Azure Spring Apps instance.', validator=active_deployment_exist_or_warning) + c.argument('name', name_type, help='Name of app.', validator=active_deployment_exist_or_warning) with self.argument_context('spring app identity assign') as c: c.argument('scope', diff --git a/src/spring/azext_spring/_util_enterprise.py b/src/spring/azext_spring/_util_enterprise.py index 0d1c5a9cc06..c735dccb947 100644 --- a/src/spring/azext_spring/_util_enterprise.py +++ b/src/spring/azext_spring/_util_enterprise.py @@ -5,7 +5,7 @@ # pylint: disable=wrong-import-order -from .vendored_sdks.appplatform.v2022_11_01_preview import AppPlatformManagementClient +from .vendored_sdks.appplatform.v2022_01_01_preview import AppPlatformManagementClient from azure.cli.core.commands.client_factory import get_mgmt_service_client diff --git a/src/spring/azext_spring/_utils.py b/src/spring/azext_spring/_utils.py index 796c7927eb6..4496f5ae9c6 100644 --- a/src/spring/azext_spring/_utils.py +++ b/src/spring/azext_spring/_utils.py @@ -15,7 +15,7 @@ from json import dumps from knack.util import CLIError, todict from knack.log import get_logger -from .vendored_sdks.appplatform.v2022_11_01_preview.models._app_platform_management_client_enums import SupportedRuntimeValue +from .vendored_sdks.appplatform.v2020_07_01.models import _app_platform_management_client_enums as AppPlatformEnums from ._client_factory import cf_resource_groups @@ -27,7 +27,7 @@ def _get_upload_local_file(runtime_version, artifact_path=None, source_path=None file_path = None if artifact_path is not None: file_path = artifact_path - file_type = "NetCoreZip" if runtime_version == SupportedRuntimeValue.NET_CORE31 else "Jar" + file_type = "NetCoreZip" if runtime_version == AppPlatformEnums.RuntimeVersion.NET_CORE31 else "Jar" elif source_path is not None: file_path = os.path.join(tempfile.gettempdir( ), 'build_archive_{}.tar.gz'.format(uuid.uuid4().hex)) @@ -39,7 +39,7 @@ def _get_upload_local_file(runtime_version, artifact_path=None, source_path=None def _get_file_type(runtime_version, artifact_path=None): - file_type = "NetCoreZip" if runtime_version == SupportedRuntimeValue.NET_CORE31 else "Jar" + file_type = "NetCoreZip" if runtime_version == AppPlatformEnums.RuntimeVersion.NET_CORE31 else "Jar" if artifact_path is None: file_type = "Source" diff --git a/src/spring/azext_spring/_validators.py b/src/spring/azext_spring/_validators.py index 2ad34c177b2..b1d80cce1db 100644 --- a/src/spring/azext_spring/_validators.py +++ b/src/spring/azext_spring/_validators.py @@ -21,7 +21,7 @@ from ._clierror import NotSupportedPricingTierError from ._utils import (ApiType, _get_rg_location, _get_file_type, _get_sku_name) from ._util_enterprise import is_enterprise_tier -from .vendored_sdks.appplatform.v2022_11_01_preview import models +from .vendored_sdks.appplatform.v2020_07_01 import models from ._constant import (MARKETPLACE_OFFER_ID, MARKETPLACE_PLAN_ID, MARKETPLACE_PUBLISHER_ID) logger = get_logger(__name__) diff --git a/src/spring/azext_spring/api_portal.py b/src/spring/azext_spring/api_portal.py index 7554c23c959..cb0dfdedb53 100644 --- a/src/spring/azext_spring/api_portal.py +++ b/src/spring/azext_spring/api_portal.py @@ -6,7 +6,7 @@ from azure.cli.core.azclierror import ClientRequestError from azure.cli.core.commands.client_factory import get_subscription_id from msrestazure.tools import resource_id -from .vendored_sdks.appplatform.v2022_11_01_preview import models +from .vendored_sdks.appplatform.v2022_01_01_preview import models from ._utils import get_spring_sku DEFAULT_NAME = "default" diff --git a/src/spring/azext_spring/app.py b/src/spring/azext_spring/app.py index ec9b97732ca..54841ef88f6 100644 --- a/src/spring/azext_spring/app.py +++ b/src/spring/azext_spring/app.py @@ -35,7 +35,6 @@ def app_create(cmd, client, resource_group, service, name, - deployment_name=None, # deployment.settings cpu=None, memory=None, @@ -144,13 +143,12 @@ def app_create(cmd, client, resource_group, service, name, app_poller = client.apps.begin_create_or_update(resource_group, service, name, app_resource) wait_till_end(cmd, app_poller) - banner_deployment_name = deployment_name or DEFAULT_DEPLOYMENT_NAME - logger.warning('[2/3] Creating default deployment with name "{}"'.format(banner_deployment_name)) + logger.warning('[2/3] Creating default deployment with name "{}"'.format(DEFAULT_DEPLOYMENT_NAME)) deployment_resource = deployment_factory.format_resource(**create_deployment_kwargs, **basic_kwargs) poller = client.deployments.begin_create_or_update(resource_group, service, name, - banner_deployment_name, + DEFAULT_DEPLOYMENT_NAME, deployment_resource) logger.warning('[3/3] Updating app "{}" (this operation can take a while to complete)'.format(name)) app_resource = app_factory.format_resource(**update_app_kwargs, **basic_kwargs) diff --git a/src/spring/azext_spring/app_managed_identity.py b/src/spring/azext_spring/app_managed_identity.py index b78511534fb..7b23a4ec97c 100644 --- a/src/spring/azext_spring/app_managed_identity.py +++ b/src/spring/azext_spring/app_managed_identity.py @@ -5,7 +5,7 @@ from ._clierror import ConflictRequestError from ._utils import wait_till_end -from .vendored_sdks.appplatform.v2022_11_01_preview import models +from .vendored_sdks.appplatform.v2022_03_01_preview import models as models_20220301preview from azure.cli.core.azclierror import (AzureInternalError, CLIInternalError) from azure.core.exceptions import HttpResponseError from msrestazure.azure_exceptions import CloudError @@ -86,7 +86,7 @@ def app_identity_remove(cmd, return if not app.identity.type: raise AzureInternalError("Invalid existed identity type {}.".format(app.identity.type)) - if app.identity.type == models.ManagedIdentityType.NONE: + if app.identity.type == models_20220301preview.ManagedIdentityType.NONE: logger.warning("Skip remove managed identity since identity type is {}.".format(app.identity.type)) return @@ -98,11 +98,11 @@ def app_identity_remove(cmd, new_identity_type = _get_new_identity_type_for_remove(app.identity.type, system_assigned, new_user_identities) user_identity_payload = _get_user_identity_payload_for_remove(new_identity_type, user_assigned) - target_identity = models.ManagedIdentityProperties() + target_identity = models_20220301preview.ManagedIdentityProperties() target_identity.type = new_identity_type target_identity.user_assigned_identities = user_identity_payload - app_resource = models.AppResource() + app_resource = models_20220301preview.AppResource() app_resource.identity = target_identity poller = client.apps.begin_update(resource_group, service, name, app_resource) @@ -134,7 +134,7 @@ def app_identity_force_set(cmd, new_identity_type = _get_new_identity_type_for_force_set(system_assigned, user_assigned) user_identity_payload = _get_user_identity_payload_for_force_set(user_assigned) - target_identity = models.ManagedIdentityProperties() + target_identity = models_20220301preview.ManagedIdentityProperties() target_identity.type = new_identity_type target_identity.user_assigned_identities = user_identity_payload @@ -168,12 +168,12 @@ def _legacy_app_identity_assign(cmd, client, resource_group, service, name): raise ConflictRequestError("Failed to enable system-assigned managed identity since app is in {} state.".format( app.properties.provisioning_state)) - new_identity_type = models.ManagedIdentityType.SYSTEM_ASSIGNED - if app.identity and app.identity.type in (models.ManagedIdentityType.USER_ASSIGNED, - models.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED): - new_identity_type = models.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED - target_identity = models.ManagedIdentityProperties(type=new_identity_type) - app_resource = models.AppResource(identity=target_identity) + new_identity_type = models_20220301preview.ManagedIdentityType.SYSTEM_ASSIGNED + if app.identity and app.identity.type in (models_20220301preview.ManagedIdentityType.USER_ASSIGNED, + models_20220301preview.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED): + new_identity_type = models_20220301preview.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED + target_identity = models_20220301preview.ManagedIdentityProperties(type=new_identity_type) + app_resource = models_20220301preview.AppResource(identity=target_identity) logger.warning("Start to enable system-assigned managed identity.") return client.apps.begin_update(resource_group, service, name, app_resource) @@ -188,11 +188,11 @@ def _new_app_identity_assign(cmd, client, resource_group, service, name, system_ new_identity_type = _get_new_identity_type_for_assign(app, system_assigned, user_assigned) user_identity_payload = _get_user_identity_payload_for_assign(new_identity_type, user_assigned) - identity_payload = models.ManagedIdentityProperties() + identity_payload = models_20220301preview.ManagedIdentityProperties() identity_payload.type = new_identity_type identity_payload.user_assigned_identities = user_identity_payload - app_resource = models.AppResource(identity=identity_payload) + app_resource = models_20220301preview.AppResource(identity=identity_payload) logger.warning("Start to assign managed identities to app.") return client.apps.begin_update(resource_group, service, name, app_resource) @@ -204,23 +204,23 @@ def _get_new_identity_type_for_assign(app, system_assigned, user_assigned): if app.identity and app.identity.type: new_identity_type = app.identity.type else: - new_identity_type = models.ManagedIdentityType.NONE + new_identity_type = models_20220301preview.ManagedIdentityType.NONE if system_assigned: - if new_identity_type in (models.ManagedIdentityType.USER_ASSIGNED, - models.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED): - new_identity_type = models.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED + if new_identity_type in (models_20220301preview.ManagedIdentityType.USER_ASSIGNED, + models_20220301preview.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED): + new_identity_type = models_20220301preview.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED else: - new_identity_type = models.ManagedIdentityType.SYSTEM_ASSIGNED + new_identity_type = models_20220301preview.ManagedIdentityType.SYSTEM_ASSIGNED if user_assigned: - if new_identity_type in (models.ManagedIdentityType.SYSTEM_ASSIGNED, - models.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED): - new_identity_type = models.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED + if new_identity_type in (models_20220301preview.ManagedIdentityType.SYSTEM_ASSIGNED, + models_20220301preview.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED): + new_identity_type = models_20220301preview.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED else: - new_identity_type = models.ManagedIdentityType.USER_ASSIGNED + new_identity_type = models_20220301preview.ManagedIdentityType.USER_ASSIGNED - if not new_identity_type or new_identity_type == models.ManagedIdentityType.NONE: + if not new_identity_type or new_identity_type == models_20220301preview.ManagedIdentityType.NONE: raise CLIInternalError("Internal error: invalid new identity type:{}.".format(new_identity_type)) return new_identity_type @@ -234,13 +234,13 @@ def _get_user_identity_payload_for_assign(new_identity_type, new_user_identity_r 2. A dict from user-assigned managed identity to an empty object. """ uid_payload = {} - if new_identity_type == models.ManagedIdentityType.SYSTEM_ASSIGNED: + if new_identity_type == models_20220301preview.ManagedIdentityType.SYSTEM_ASSIGNED: pass - elif new_identity_type in (models.ManagedIdentityType.USER_ASSIGNED, - models.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED): + elif new_identity_type in (models_20220301preview.ManagedIdentityType.USER_ASSIGNED, + models_20220301preview.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED): if new_user_identity_rid_list: for rid in new_user_identity_rid_list: - uid_payload[rid] = models.UserAssignedManagedIdentity() + uid_payload[rid] = models_20220301preview.UserAssignedManagedIdentity() if len(uid_payload) == 0: uid_payload = None @@ -314,27 +314,27 @@ def _get_new_identity_type_for_remove(exist_identity_type, is_remove_system_iden exist_identity_type_str = exist_identity_type.lower() - if exist_identity_type_str == models.ManagedIdentityType.NONE.lower(): - new_identity_type = models.ManagedIdentityType.NONE - elif exist_identity_type_str == models.ManagedIdentityType.SYSTEM_ASSIGNED.lower(): + if exist_identity_type_str == models_20220301preview.ManagedIdentityType.NONE.lower(): + new_identity_type = models_20220301preview.ManagedIdentityType.NONE + elif exist_identity_type_str == models_20220301preview.ManagedIdentityType.SYSTEM_ASSIGNED.lower(): if is_remove_system_identity: - new_identity_type = models.ManagedIdentityType.NONE + new_identity_type = models_20220301preview.ManagedIdentityType.NONE else: - new_identity_type = models.ManagedIdentityType.SYSTEM_ASSIGNED - elif exist_identity_type_str == models.ManagedIdentityType.USER_ASSIGNED.lower(): + new_identity_type = models_20220301preview.ManagedIdentityType.SYSTEM_ASSIGNED + elif exist_identity_type_str == models_20220301preview.ManagedIdentityType.USER_ASSIGNED.lower(): if not new_user_identities: - new_identity_type = models.ManagedIdentityType.NONE + new_identity_type = models_20220301preview.ManagedIdentityType.NONE else: - new_identity_type = models.ManagedIdentityType.USER_ASSIGNED - elif exist_identity_type_str == models.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED.lower(): + new_identity_type = models_20220301preview.ManagedIdentityType.USER_ASSIGNED + elif exist_identity_type_str == models_20220301preview.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED.lower(): if is_remove_system_identity and not new_user_identities: - new_identity_type = models.ManagedIdentityType.NONE + new_identity_type = models_20220301preview.ManagedIdentityType.NONE elif not is_remove_system_identity and not new_user_identities: - new_identity_type = models.ManagedIdentityType.SYSTEM_ASSIGNED + new_identity_type = models_20220301preview.ManagedIdentityType.SYSTEM_ASSIGNED elif is_remove_system_identity and new_user_identities: - new_identity_type = models.ManagedIdentityType.USER_ASSIGNED + new_identity_type = models_20220301preview.ManagedIdentityType.USER_ASSIGNED else: - new_identity_type = models.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED + new_identity_type = models_20220301preview.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED else: raise AzureInternalError("Invalid identity type: {}.".format(exist_identity_type_str)) @@ -348,8 +348,8 @@ def _get_user_identity_payload_for_remove(new_identity_type, user_identity_list_ :return None object or a non-empty dict from user-assigned managed identity resource id to None object """ user_identity_payload = {} - if new_identity_type in (models.ManagedIdentityType.USER_ASSIGNED, - models.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED): + if new_identity_type in (models_20220301preview.ManagedIdentityType.USER_ASSIGNED, + models_20220301preview.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED): # empty list means remove all user-assigned managed identites if user_identity_list_to_remove is not None and len(user_identity_list_to_remove) == 0: raise CLIInternalError("When remove all user-assigned managed identities, " @@ -366,13 +366,13 @@ def _get_user_identity_payload_for_remove(new_identity_type, user_identity_list_ def _get_new_identity_type_for_force_set(system_assigned, user_assigned): - new_identity_type = models.ManagedIdentityType.NONE + new_identity_type = models_20220301preview.ManagedIdentityType.NONE if DISABLE_LOWER == system_assigned and DISABLE_LOWER != user_assigned[0]: - new_identity_type = models.ManagedIdentityType.USER_ASSIGNED + new_identity_type = models_20220301preview.ManagedIdentityType.USER_ASSIGNED elif ENABLE_LOWER == system_assigned and DISABLE_LOWER == user_assigned[0]: - new_identity_type = models.ManagedIdentityType.SYSTEM_ASSIGNED + new_identity_type = models_20220301preview.ManagedIdentityType.SYSTEM_ASSIGNED elif ENABLE_LOWER == system_assigned and DISABLE_LOWER != user_assigned[0]: - new_identity_type = models.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED + new_identity_type = models_20220301preview.ManagedIdentityType.SYSTEM_ASSIGNED_USER_ASSIGNED return new_identity_type @@ -381,7 +381,7 @@ def _get_user_identity_payload_for_force_set(user_assigned): return None user_identity_payload = {} for user_identity_resource_id in user_assigned: - user_identity_payload[user_identity_resource_id] = models.UserAssignedManagedIdentity() + user_identity_payload[user_identity_resource_id] = models_20220301preview.UserAssignedManagedIdentity() if not user_identity_payload: user_identity_payload = None return user_identity_payload diff --git a/src/spring/azext_spring/application_configuration_service.py b/src/spring/azext_spring/application_configuration_service.py index 8dec44ce8c1..022c4d1b307 100644 --- a/src/spring/azext_spring/application_configuration_service.py +++ b/src/spring/azext_spring/application_configuration_service.py @@ -12,7 +12,7 @@ from knack.log import get_logger from msrestazure.tools import resource_id -from .vendored_sdks.appplatform.v2022_11_01_preview import models +from .vendored_sdks.appplatform.v2022_01_01_preview import models APPLICATION_CONFIGURATION_SERVICE_NAME = "applicationConfigurationService" RESOURCE_ID = "resourceId" diff --git a/src/spring/azext_spring/buildpack_binding.py b/src/spring/azext_spring/buildpack_binding.py index 873c27ebe1c..0588f7123ef 100644 --- a/src/spring/azext_spring/buildpack_binding.py +++ b/src/spring/azext_spring/buildpack_binding.py @@ -4,7 +4,7 @@ # -------------------------------------------------------------------------------------------- # pylint: disable=wrong-import-order -from .vendored_sdks.appplatform.v2022_11_01_preview import models +from .vendored_sdks.appplatform.v2022_01_01_preview import models from azure.cli.core.util import sdk_no_wait from ._utils import get_portal_uri from msrestazure.tools import parse_resource_id, is_valid_resource_id diff --git a/src/spring/azext_spring/commands.py b/src/spring/azext_spring/commands.py index 0fabf2ff460..b284f799024 100644 --- a/src/spring/azext_spring/commands.py +++ b/src/spring/azext_spring/commands.py @@ -7,7 +7,12 @@ from azure.cli.core.commands import CliCommandType from azext_spring._utils import handle_asc_exception -from ._client_factory import (cf_spring, +from ._client_factory import (cf_spring_20221101preview, + cf_spring_20220901preview, + cf_spring_20220501preview, + cf_spring_20220301preview, + cf_spring_20220101preview, + cf_spring_20201101preview, cf_config_servers) from ._transformers import (transform_spring_table_output, transform_app_table_output, @@ -34,77 +39,77 @@ def load_command_table(self, _): spring_routing_util = CliCommandType( operations_tmpl='azext_spring.spring_instance#{}', - client_factory=cf_spring + client_factory=cf_spring_20221101preview ) app_command = CliCommandType( operations_tmpl='azext_spring.app#{}', - client_factory=cf_spring + client_factory=cf_spring_20220901preview ) app_managed_identity_command = CliCommandType( operations_tmpl='azext_spring.app_managed_identity#{}', - client_factory=cf_spring + client_factory=cf_spring_20220301preview ) service_registry_cmd_group = CliCommandType( operations_tmpl='azext_spring.service_registry#{}', - client_factory=cf_spring + client_factory=cf_spring_20220101preview ) builder_cmd_group = CliCommandType( operations_tmpl="azext_spring._build_service#{}", - client_factory=cf_spring + client_factory=cf_spring_20220901preview ) buildpack_binding_cmd_group = CliCommandType( operations_tmpl="azext_spring.buildpack_binding#{}", - client_factory=cf_spring + client_factory=cf_spring_20220101preview ) application_configuration_service_cmd_group = CliCommandType( operations_tmpl='azext_spring.application_configuration_service#{}', - client_factory=cf_spring + client_factory=cf_spring_20220101preview ) application_live_view_cmd_group = CliCommandType( operations_tmpl='azext_spring.application_live_view#{}', - client_factory=cf_spring + client_factory=cf_spring_20221101preview ) dev_tool_portal_cmd_group = CliCommandType( operations_tmpl='azext_spring.dev_tool_portal#{}', - client_factory=cf_spring + client_factory=cf_spring_20221101preview ) gateway_cmd_group = CliCommandType( operations_tmpl='azext_spring.gateway#{}', - client_factory=cf_spring + client_factory=cf_spring_20221101preview ) gateway_custom_domain_cmd_group = CliCommandType( operations_tmpl='azext_spring.gateway#{}', - client_factory=cf_spring + client_factory=cf_spring_20220101preview ) gateway_route_config_cmd_group = CliCommandType( operations_tmpl='azext_spring.gateway#{}', - client_factory=cf_spring + client_factory=cf_spring_20221101preview ) api_portal_cmd_group = CliCommandType( operations_tmpl='azext_spring.api_portal#{}', - client_factory=cf_spring + client_factory=cf_spring_20220101preview ) api_portal_custom_domain_cmd_group = CliCommandType( operations_tmpl='azext_spring.api_portal#{}', - client_factory=cf_spring + client_factory=cf_spring_20220101preview ) application_accelerator_cmd_group = CliCommandType( operations_tmpl='azext_spring.application_accelerator#{}', - client_factory=cf_spring + client_factory=cf_spring_20221101preview ) with self.command_group('spring', custom_command_type=spring_routing_util, @@ -114,7 +119,7 @@ def load_command_table(self, _): is_preview=True, table_transformer=transform_marketplace_plan_output) - with self.command_group('spring', client_factory=cf_spring, + with self.command_group('spring', client_factory=cf_spring_20220501preview, exception_handler=handle_asc_exception) as g: g.custom_command('update', 'spring_update', supports_no_wait=True) g.custom_command('delete', 'spring_delete', supports_no_wait=True) @@ -123,7 +128,7 @@ def load_command_table(self, _): g.custom_command('list', 'spring_list', table_transformer=transform_spring_table_output) g.custom_show_command('show', 'spring_get', table_transformer=transform_spring_table_output) - with self.command_group('spring test-endpoint', client_factory=cf_spring, + with self.command_group('spring test-endpoint', client_factory=cf_spring_20220101preview, exception_handler=handle_asc_exception) as g: g.custom_command('enable ', 'enable_test_endpoint') g.custom_show_command('disable ', 'disable_test_endpoint') @@ -149,7 +154,7 @@ def load_command_table(self, _): g.custom_command('create', 'app_create') g.custom_command('update', 'app_update', supports_no_wait=True) - with self.command_group('spring app', client_factory=cf_spring, + with self.command_group('spring app', client_factory=cf_spring_20220901preview, exception_handler=handle_asc_exception) as g: g.custom_command('set-deployment', 'app_set_deployment', supports_no_wait=True) @@ -180,20 +185,20 @@ def load_command_table(self, _): g.custom_command('force-set', 'app_identity_force_set') g.custom_show_command('show', 'app_identity_show') - with self.command_group('spring app log', client_factory=cf_spring, + with self.command_group('spring app log', client_factory=cf_spring_20220101preview, deprecate_info=g.deprecate(redirect='az spring app logs', hide=True), exception_handler=handle_asc_exception) as g: g.custom_command('tail', 'app_tail_log') - with self.command_group('spring app', custom_command_type=app_command, client_factory=cf_spring, + with self.command_group('spring app', custom_command_type=app_command, client_factory=cf_spring_20221101preview, exception_handler=handle_asc_exception) as g: g.custom_command('deploy', 'app_deploy', supports_no_wait=True) - with self.command_group('spring app deployment', custom_command_type=app_command, client_factory=cf_spring, + with self.command_group('spring app deployment', custom_command_type=app_command, client_factory=cf_spring_20220501preview, exception_handler=handle_asc_exception) as g: g.custom_command('create', 'deployment_create', supports_no_wait=True) - with self.command_group('spring app deployment', client_factory=cf_spring, + with self.command_group('spring app deployment', client_factory=cf_spring_20220501preview, exception_handler=handle_asc_exception) as g: g.custom_command('list', 'deployment_list', table_transformer=transform_spring_deployment_output) @@ -204,7 +209,7 @@ def load_command_table(self, _): g.custom_command('generate-thread-dump', 'deployment_generate_thread_dump') g.custom_command('start-jfr', 'deployment_start_jfr') - with self.command_group('spring app binding', client_factory=cf_spring, + with self.command_group('spring app binding', client_factory=cf_spring_20220101preview, exception_handler=handle_asc_exception, deprecate_info=self.deprecate( target='spring app binding', redirect='spring connection', hide=True)) as g: @@ -218,7 +223,7 @@ def load_command_table(self, _): g.custom_command('redis update', 'binding_redis_update') g.custom_show_command('remove', 'binding_remove') - with self.command_group('spring storage', client_factory=cf_spring, + with self.command_group('spring storage', client_factory=cf_spring_20220101preview, exception_handler=handle_asc_exception) as g: g.custom_command('list', 'storage_list') g.custom_show_command('show', 'storage_get') @@ -227,7 +232,7 @@ def load_command_table(self, _): g.custom_command('remove', 'storage_remove') g.custom_command('list-persistent-storage', "storage_list_persistent_storage", table_transformer=transform_app_table_output) - with self.command_group('spring certificate', client_factory=cf_spring, + with self.command_group('spring certificate', client_factory=cf_spring_20220101preview, exception_handler=handle_asc_exception) as g: g.custom_command('add', 'certificate_add') g.custom_show_command('show', 'certificate_show', table_transformer=transform_spring_certificate_output) @@ -235,7 +240,7 @@ def load_command_table(self, _): g.custom_command('remove', 'certificate_remove') g.custom_command('list-reference-app', 'certificate_list_reference_app', table_transformer=transform_app_table_output) - with self.command_group('spring app custom-domain', client_factory=cf_spring, + with self.command_group('spring app custom-domain', client_factory=cf_spring_20220101preview, exception_handler=handle_asc_exception) as g: g.custom_command('bind', 'domain_bind') g.custom_show_command('show', 'domain_show', table_transformer=transform_spring_custom_domain_output) @@ -244,7 +249,7 @@ def load_command_table(self, _): g.custom_command('unbind', 'domain_unbind') with self.command_group('spring app-insights', - client_factory=cf_spring, + client_factory=cf_spring_20201101preview, exception_handler=handle_asc_exception) as g: g.custom_command('update', 'app_insights_update', supports_no_wait=True) g.custom_show_command('show', 'app_insights_show', diff --git a/src/spring/azext_spring/custom.py b/src/spring/azext_spring/custom.py index 4328b9b6164..f653dc64928 100644 --- a/src/spring/azext_spring/custom.py +++ b/src/spring/azext_spring/custom.py @@ -21,13 +21,23 @@ from azure.mgmt.core.tools import (parse_resource_id, is_valid_resource_id) from ._utils import (get_portal_uri, get_spring_sku) from knack.util import CLIError -from .vendored_sdks.appplatform.v2022_11_01_preview import models, AppPlatformManagementClient +from .vendored_sdks.appplatform.v2020_07_01 import models +from .vendored_sdks.appplatform.v2020_11_01_preview import models as models_20201101preview +from .vendored_sdks.appplatform.v2022_01_01_preview import models as models_20220101preview +from .vendored_sdks.appplatform.v2022_05_01_preview import models as models_20220501preview +from .vendored_sdks.appplatform.v2020_07_01.models import _app_platform_management_client_enums as AppPlatformEnums +from .vendored_sdks.appplatform.v2022_09_01_preview import models as models_20220901preview +from .vendored_sdks.appplatform.v2020_11_01_preview import ( + AppPlatformManagementClient as AppPlatformManagementClient_20201101preview +) +from ._client_factory import (cf_spring) from knack.log import get_logger from azure.cli.core.azclierror import ClientRequestError, FileOperationError, InvalidArgumentValueError, ResourceNotFoundError from azure.cli.core.commands.client_factory import get_mgmt_service_client from azure.cli.core.util import sdk_no_wait from azure.mgmt.applicationinsights import ApplicationInsightsManagementClient from azure.cli.core.commands import cached_put +from ._utils import _get_rg_location from ._resource_quantity import validate_cpu, validate_memory from six.moves.urllib import parse from threading import Thread @@ -68,7 +78,7 @@ def _update_application_insights_asc_create(cmd, **_): monitoring_setting_resource = models.MonitoringSettingResource() if disable_app_insights is not True: - client_preview = get_mgmt_service_client(cmd.cli_ctx, AppPlatformManagementClient) + client_preview = get_mgmt_service_client(cmd.cli_ctx, AppPlatformManagementClient_20201101preview) logger.warning("Start configure Application Insights") monitoring_setting_properties = update_java_agent_config( cmd, resource_group, name, location, app_insights_key, app_insights, sampling_rate) @@ -87,7 +97,7 @@ def spring_update(cmd, client, resource_group, name, app_insights_key=None, app_ Will be decommissioned in future releases. :param app_insights_key: Connection string or Instrumentation key """ - updated_resource = models.ServiceResource() + updated_resource = models_20220501preview.ServiceResource() update_service_tags = False update_service_sku = False update_log_stream_public_endpoint = False @@ -99,11 +109,11 @@ def spring_update(cmd, client, resource_group, name, app_insights_key=None, app_ resource = client.services.get(resource_group, name) location = resource.location - updated_resource_properties = models.ClusterResourceProperties() + updated_resource_properties = models_20220501preview.ClusterResourceProperties() updated_resource_properties.zone_redundant = None if enable_log_stream_public_endpoint is not None: - updated_resource_properties.vnet_addons = models.ServiceVNetAddons( + updated_resource_properties.vnet_addons = models_20220501preview.ServiceVNetAddons( log_stream_public_endpoint=enable_log_stream_public_endpoint ) update_log_stream_public_endpoint = True @@ -133,8 +143,8 @@ def spring_update(cmd, client, resource_group, name, app_insights_key=None, app_ def _update_ingress_config(updated_resource_properties, ingress_read_timeout=None): if ingress_read_timeout: - ingress_configuration = models.IngressConfig(read_timeout_in_seconds=ingress_read_timeout) - updated_resource_properties.network_profile = models.NetworkProfile( + ingress_configuration = models_20220501preview.IngressConfig(read_timeout_in_seconds=ingress_read_timeout) + updated_resource_properties.network_profile = models_20220501preview.NetworkProfile( ingress_config=ingress_configuration) @@ -145,7 +155,7 @@ def _update_application_insights_asc_update(cmd, resource_group, name, location, update_app_insights = False app_insights_target_status = False - client_preview = get_mgmt_service_client(cmd.cli_ctx, AppPlatformManagementClient) + client_preview = get_mgmt_service_client(cmd.cli_ctx, AppPlatformManagementClient_20201101preview) monitoring_setting_properties = client_preview.monitoring_settings.get(resource_group, name).properties trace_enabled = monitoring_setting_properties.trace_enabled if monitoring_setting_properties is not None else False @@ -164,7 +174,7 @@ def _update_application_insights_asc_update(cmd, resource_group, name, location, # update application insights if update_app_insights is True: if app_insights_target_status is False: - monitoring_setting_properties = models.MonitoringSettingProperties(trace_enabled=False) + monitoring_setting_properties = models_20201101preview.MonitoringSettingProperties(trace_enabled=False) elif monitoring_setting_properties.app_insights_instrumentation_key and not app_insights and not app_insights_key: monitoring_setting_properties.trace_enabled = app_insights_target_status else: @@ -252,7 +262,7 @@ def app_append_persistent_storage(cmd, client, resource_group, service, name, for disk in app.properties.custom_persistent_disks: custom_persistent_disks.append(disk) - custom_persistent_disk_properties = models.AzureFileVolume( + custom_persistent_disk_properties = models_20220101preview.AzureFileVolume( type=persistent_storage_type, share_name=share_name, mount_path=mount_path, @@ -260,7 +270,7 @@ def app_append_persistent_storage(cmd, client, resource_group, service, name, read_only=read_only) custom_persistent_disks.append( - models.CustomPersistentDiskResource( + models_20220101preview.CustomPersistentDiskResource( storage_id=storage_resource.id, custom_persistent_disk_properties=custom_persistent_disk_properties)) @@ -308,7 +318,7 @@ def app_stop(cmd, client, def deployment_enable_remote_debugging(cmd, client, resource_group, service, name, remote_debugging_port=None, deployment=None, no_wait=False): logger.warning("Enable remote debugging for the app '{}', deployment '{}'".format(name, deployment.name)) - remote_debugging_payload = models.RemoteDebuggingPayload(port=remote_debugging_port) + remote_debugging_payload = models_20220901preview.RemoteDebuggingPayload(port=remote_debugging_port) return sdk_no_wait(no_wait, client.deployments.begin_enable_remote_debugging, resource_group, service, name, deployment.name, remote_debugging_payload) @@ -371,13 +381,13 @@ def app_scale(cmd, client, resource_group, service, name, resource = client.services.get(resource_group, service) _validate_instance_count(resource.sku.tier, instance_count) - resource_requests = models.ResourceRequests(cpu=cpu, memory=memory) + resource_requests = models_20220101preview.ResourceRequests(cpu=cpu, memory=memory) - deployment_settings = models.DeploymentSettings(resource_requests=resource_requests) - properties = models.DeploymentResourceProperties( + deployment_settings = models_20220101preview.DeploymentSettings(resource_requests=resource_requests) + properties = models_20220101preview.DeploymentResourceProperties( deployment_settings=deployment_settings) - sku = models.Sku(name="S0", tier="STANDARD", capacity=instance_count) - deployment_resource = models.DeploymentResource(properties=properties, sku=sku) + sku = models_20220101preview.Sku(name="S0", tier="STANDARD", capacity=instance_count) + deployment_resource = models_20220101preview.DeploymentResource(properties=properties, sku=sku) return sdk_no_wait(no_wait, client.deployments.begin_update, resource_group, service, name, deployment.name, deployment_resource) @@ -432,20 +442,36 @@ def app_tail_log(cmd, client, resource_group, service, name, def app_set_deployment(cmd, client, resource_group, service, name, deployment): - return _set_active_in_preview_api(cmd, client, resource_group, service, name, deployment) + sku = get_spring_sku(client, resource_group, service) + if sku.tier == 'Enterprise': + return _set_active_in_preview_api(cmd, client, resource_group, service, name, deployment) + else: + return _set_active_in_lagecy_api(cmd, client, resource_group, service, name, deployment) def app_unset_deployment(cmd, client, resource_group, service, name): - return _set_active_in_preview_api(cmd, client, resource_group, service, name) + sku = get_spring_sku(client, resource_group, service) + if sku.tier == 'Enterprise': + return _set_active_in_preview_api(cmd, client, resource_group, service, name) + else: + return _set_active_in_lagecy_api(cmd, client, resource_group, service, name) def _set_active_in_preview_api(cmd, client, resource_group, service, name, deployment=None): - active_deployment_collection = models.ActiveDeploymentCollection( + active_deployment_collection = models_20220101preview.ActiveDeploymentCollection( active_deployment_names=[x for x in [deployment] if x is not None] ) return client.apps.begin_set_active_deployments(resource_group, service, name, active_deployment_collection) +def _set_active_in_lagecy_api(cmd, client, resource_group, service, name, deployment=''): + app = models.AppResource( + properties=models.AppResourceProperties(active_deployment_name=deployment) + ) + client = cf_spring(cmd.cli_ctx) + return client.apps.begin_update(resource_group, service, name, app) + + def app_append_loaded_public_certificate(cmd, client, resource_group, service, name, certificate_name, load_trust_store): app_resource = client.apps.get(resource_group, service, name) certificate_resource = client.certificates.get(resource_group, service, certificate_name) @@ -460,7 +486,7 @@ def app_append_loaded_public_certificate(cmd, client, resource_group, service, n if loaded_certificate.resource_id == certificate_resource.id: raise ClientRequestError("This certificate has already been loaded.") - loaded_certificates.append(models. + loaded_certificates.append(models_20220101preview. LoadedCertificate(resource_id=certificate_resource_id, load_trust_store=load_trust_store)) @@ -494,21 +520,22 @@ def deployment_list(cmd, client, resource_group, service, app): def deployment_generate_heap_dump(cmd, client, resource_group, service, app, app_instance, file_path, deployment=None): - diagnostic_parameters = models.DiagnosticParameters(app_instance=app_instance, file_path=file_path) + diagnostic_parameters = models_20220101preview.DiagnosticParameters(app_instance=app_instance, file_path=file_path) logger.info("Heap dump is triggered.") return client.deployments.begin_generate_heap_dump(resource_group, service, app, deployment.name, diagnostic_parameters) def deployment_generate_thread_dump(cmd, client, resource_group, service, app, app_instance, file_path, deployment=None): - diagnostic_parameters = models.DiagnosticParameters(app_instance=app_instance, file_path=file_path) + diagnostic_parameters = models_20220101preview.DiagnosticParameters(app_instance=app_instance, file_path=file_path) logger.info("Thread dump is triggered.") return client.deployments.begin_generate_thread_dump(resource_group, service, app, deployment.name, diagnostic_parameters) def deployment_start_jfr(cmd, client, resource_group, service, app, app_instance, file_path, duration=None, deployment=None): - diagnostic_parameters = models.DiagnosticParameters(app_instance=app_instance, file_path=file_path, duration=duration) + diagnostic_parameters = models_20220101preview.DiagnosticParameters(app_instance=app_instance, file_path=file_path, + duration=duration) logger.info("JFR is triggered.") return client.deployments.begin_start_jfr(resource_group, service, app, deployment.name, diagnostic_parameters) @@ -1092,13 +1119,13 @@ def iter_lines(response, limit=2 ** 20): def storage_callback(pipeline_response, deserialized, headers): - return models.StorageResource.deserialize(json.loads(pipeline_response.http_response.text())) + return models_20220101preview.StorageResource.deserialize(json.loads(pipeline_response.http_response.text())) def storage_add(client, resource_group, service, name, storage_type, account_name, account_key): properties = None if storage_type == 'StorageAccount': - properties = models.StorageAccount( + properties = models_20220101preview.StorageAccount( storage_type=storage_type, account_name=account_name, account_key=account_key) @@ -1107,7 +1134,7 @@ def storage_add(client, resource_group, service, name, storage_type, account_nam resource_group_name=resource_group, service_name=service, storage_name=name, - storage_resource=models.StorageResource(properties=properties), + storage_resource=models_20220101preview.StorageResource(properties=properties), cls=storage_callback) @@ -1127,7 +1154,7 @@ def storage_remove(client, resource_group, service, name): def storage_update(client, resource_group, service, name, storage_type, account_name, account_key): properties = None if storage_type == 'StorageAccount': - properties = models.StorageAccount( + properties = models_20220101preview.StorageAccount( storage_type=storage_type, account_name=account_name, account_key=account_key) @@ -1136,7 +1163,7 @@ def storage_update(client, resource_group, service, name, storage_type, account_ resource_group_name=resource_group, service_name=service, storage_name=name, - storage_resource=models.StorageResource(properties=properties), + storage_resource=models_20220101preview.StorageResource(properties=properties), cls=storage_callback) @@ -1168,7 +1195,7 @@ def certificate_add(cmd, client, resource_group, service, name, only_public_cert if vault_uri is not None: if only_public_cert is None: only_public_cert = False - properties = models.KeyVaultCertificateProperties( + properties = models_20220101preview.KeyVaultCertificateProperties( type="KeyVaultCertificate", vault_uri=vault_uri, key_vault_cert_name=vault_certificate_name, @@ -1184,14 +1211,14 @@ def certificate_add(cmd, client, resource_group, service, name, only_public_cert raise FileOperationError('Failed to decode file {} - unknown decoding'.format(public_certificate_file)) else: raise FileOperationError("public_certificate_file {} could not be found".format(public_certificate_file)) - properties = models.ContentCertificateProperties( + properties = models_20220101preview.ContentCertificateProperties( type="ContentCertificate", content=content ) - certificate_resource = models.CertificateResource(properties=properties) + certificate_resource = models_20220101preview.CertificateResource(properties=properties) def callback(pipeline_response, deserialized, headers): - return models.CertificateResource.deserialize(json.loads(pipeline_response.http_response.text())) + return models_20220101preview.CertificateResource.deserialize(json.loads(pipeline_response.http_response.text())) return client.certificates.begin_create_or_update( resource_group_name=resource_group, @@ -1263,8 +1290,8 @@ def _update_app_e2e_tls(cmd, client, resource_group, service, app, enable_ingres resource = client.services.get(resource_group, service) location = resource.location - properties = models.AppResourceProperties(enable_end_to_end_tls=enable_ingress_to_app_tls) - app_resource = models.AppResource() + properties = models_20220101preview.AppResourceProperties(enable_end_to_end_tls=enable_ingress_to_app_tls) + app_resource = models_20220101preview.AppResource() app_resource.properties = properties app_resource.location = location @@ -1332,7 +1359,7 @@ def update_java_agent_config(cmd, resource_group, service_name, location, try: created_app_insights = try_create_application_insights(cmd, resource_group, service_name, location) if created_app_insights: - monitoring_setting_properties = models.MonitoringSettingProperties( + monitoring_setting_properties = models_20201101preview.MonitoringSettingProperties( trace_enabled=True, app_insights_instrumentation_key=created_app_insights.connection_string) except Exception: # pylint: disable=broad-except logger.warning( @@ -1347,12 +1374,12 @@ def update_java_agent_config(cmd, resource_group, service_name, location, def _get_monitoring_setting(cmd, resource_group, app_insights_key, app_insights): monitoring_setting_properties = None if app_insights_key: - monitoring_setting_properties = models.MonitoringSettingProperties( + monitoring_setting_properties = models_20201101preview.MonitoringSettingProperties( trace_enabled=True, app_insights_instrumentation_key=app_insights_key) elif app_insights: connection_string = _get_connection_string_from_app_insights(cmd, resource_group, app_insights) - monitoring_setting_properties = models.MonitoringSettingProperties( + monitoring_setting_properties = models_20201101preview.MonitoringSettingProperties( trace_enabled=True, app_insights_instrumentation_key=connection_string) return monitoring_setting_properties @@ -1415,7 +1442,7 @@ def app_insights_update(cmd, client, resource_group, name, :param sampling_rate: float from 0.0 to 100.0, both included """ if disable: - monitoring_setting_properties = models.MonitoringSettingProperties(trace_enabled=False) + monitoring_setting_properties = models_20201101preview.MonitoringSettingProperties(trace_enabled=False) else: monitoring_setting_properties = client.monitoring_settings.get(resource_group, name).properties if not monitoring_setting_properties.app_insights_instrumentation_key \ @@ -1435,12 +1462,12 @@ def app_insights_update(cmd, client, resource_group, name, else: connection_string = monitoring_setting_properties.app_insights_instrumentation_key if sampling_rate is not None: - monitoring_setting_properties = models.MonitoringSettingProperties( + monitoring_setting_properties = models_20201101preview.MonitoringSettingProperties( trace_enabled=True, app_insights_instrumentation_key=connection_string, app_insights_sampling_rate=sampling_rate) elif monitoring_setting_properties.app_insights_sampling_rate is not None: - monitoring_setting_properties = models.MonitoringSettingProperties( + monitoring_setting_properties = models_20201101preview.MonitoringSettingProperties( trace_enabled=True, app_insights_instrumentation_key=connection_string, app_insights_sampling_rate=monitoring_setting_properties.app_insights_sampling_rate) diff --git a/src/spring/azext_spring/spring_instance.py b/src/spring/azext_spring/spring_instance.py index b0870b3a47d..c58e7425caa 100644 --- a/src/spring/azext_spring/spring_instance.py +++ b/src/spring/azext_spring/spring_instance.py @@ -6,7 +6,7 @@ # pylint: disable=wrong-import-order # pylint: disable=unused-argument, logging-format-interpolation, protected-access, wrong-import-order, too-many-lines from ._utils import (wait_till_end, _get_rg_location) -from .vendored_sdks.appplatform.v2022_11_01_preview import models +from .vendored_sdks.appplatform.v2022_09_01_preview import models from .custom import (_warn_enable_java_agent, _update_application_insights_asc_create) from ._build_service import _update_default_build_agent_pool from .buildpack_binding import create_default_buildpack_binding_for_application_insights diff --git a/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_app_identity_crud.yaml b/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_app_identity_crud.yaml index 06fdc0b60d5..f2f96c00302 100644 --- a/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_app_identity_crud.yaml +++ b/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_app_identity_crud.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"5f3a9b2d-8040-40bd-9a3e-d7d0b58e7241","clientId":"36c2e1b3-750f-447d-83a7-fc54b2a282d6"}},"type":"SystemAssigned,UserAssigned","principalId":"bb0a953d-7aa7-408f-9c65-a7ca70f0f386","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:15:28.4583463Z"}}' @@ -71,13 +71,13 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"5f3a9b2d-8040-40bd-9a3e-d7d0b58e7241","clientId":"36c2e1b3-750f-447d-83a7-fc54b2a282d6"}},"type":"SystemAssigned,UserAssigned","principalId":"bb0a953d-7aa7-408f-9c65-a7ca70f0f386","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:29:24.2627818Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/c9f4b79e-f909-4719-b613-9a8dcc4b8a2c?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/c9f4b79e-f909-4719-b613-9a8dcc4b8a2c?api-version=2022-03-01-preview cache-control: - no-cache content-length: @@ -89,7 +89,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/c9f4b79e-f909-4719-b613-9a8dcc4b8a2c/Spring/test-msi-app-1?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/c9f4b79e-f909-4719-b613-9a8dcc4b8a2c/Spring/test-msi-app-1?api-version=2022-03-01-preview pragma: - no-cache request-context: @@ -123,7 +123,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/c9f4b79e-f909-4719-b613-9a8dcc4b8a2c?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/c9f4b79e-f909-4719-b613-9a8dcc4b8a2c?api-version=2022-03-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/c9f4b79e-f909-4719-b613-9a8dcc4b8a2c","name":"c9f4b79e-f909-4719-b613-9a8dcc4b8a2c","status":"Succeeded","startTime":"2022-03-22T11:29:24.67803Z","endTime":"2022-03-22T11:29:34.6364203Z"}' @@ -173,7 +173,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:29:24.2627818Z"}}' @@ -225,7 +225,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:29:24.2627818Z"}}' @@ -277,7 +277,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1/deployments?api-version=2022-05-01-preview response: body: string: '{"value":[{"properties":{"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"},"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-msi-app-1-default-14-c64d57654-qkhf7","status":"Running","reason":"Unschedulable","discoveryStatus":"UNKNOWN","startTime":"2022-03-20T14:03:39Z"}]},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1/deployments/default","name":"default","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:34.571185Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-20T14:03:34.571185Z"}}]}' @@ -329,7 +329,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:29:24.2627818Z"}}' @@ -381,7 +381,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:29:24.2627818Z"}}' @@ -437,13 +437,13 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:30:28.2576505Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/294afe9a-4603-4747-820d-6d477ea1ffb7?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/294afe9a-4603-4747-820d-6d477ea1ffb7?api-version=2022-03-01-preview cache-control: - no-cache content-length: @@ -455,7 +455,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/294afe9a-4603-4747-820d-6d477ea1ffb7/Spring/test-msi-app-1?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/294afe9a-4603-4747-820d-6d477ea1ffb7/Spring/test-msi-app-1?api-version=2022-03-01-preview pragma: - no-cache request-context: @@ -489,7 +489,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/294afe9a-4603-4747-820d-6d477ea1ffb7?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/294afe9a-4603-4747-820d-6d477ea1ffb7?api-version=2022-03-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/294afe9a-4603-4747-820d-6d477ea1ffb7","name":"294afe9a-4603-4747-820d-6d477ea1ffb7","status":"Succeeded","startTime":"2022-03-22T11:30:30.5989384Z","endTime":"2022-03-22T11:30:44.714044Z"}' @@ -539,7 +539,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":null,"type":"SystemAssigned","principalId":"116ab438-1b87-44fb-b921-76e3ea876490","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:30:28.2576505Z"}}' @@ -591,7 +591,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":null,"type":"SystemAssigned","principalId":"116ab438-1b87-44fb-b921-76e3ea876490","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:30:28.2576505Z"}}' @@ -643,7 +643,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":null,"type":"SystemAssigned","principalId":"116ab438-1b87-44fb-b921-76e3ea876490","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:30:28.2576505Z"}}' @@ -702,13 +702,13 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":null,"type":"SystemAssigned","principalId":"116ab438-1b87-44fb-b921-76e3ea876490","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:31:09.2234867Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/e4780ba8-91e8-4fd2-b5b0-24b1cd76db19?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/e4780ba8-91e8-4fd2-b5b0-24b1cd76db19?api-version=2022-03-01-preview cache-control: - no-cache content-length: @@ -720,7 +720,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/e4780ba8-91e8-4fd2-b5b0-24b1cd76db19/Spring/test-msi-app-1?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/e4780ba8-91e8-4fd2-b5b0-24b1cd76db19/Spring/test-msi-app-1?api-version=2022-03-01-preview pragma: - no-cache request-context: @@ -754,7 +754,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/e4780ba8-91e8-4fd2-b5b0-24b1cd76db19?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/e4780ba8-91e8-4fd2-b5b0-24b1cd76db19?api-version=2022-03-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/e4780ba8-91e8-4fd2-b5b0-24b1cd76db19","name":"e4780ba8-91e8-4fd2-b5b0-24b1cd76db19","status":"Succeeded","startTime":"2022-03-22T11:31:10.6755773Z","endTime":"2022-03-22T11:31:22.3970818Z"}' @@ -804,7 +804,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"b1780895-22f2-4f90-a892-03c4e673e1cb","clientId":"ab88a149-200a-4550-b269-1f2b0ae252bf"},"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"5f3a9b2d-8040-40bd-9a3e-d7d0b58e7241","clientId":"36c2e1b3-750f-447d-83a7-fc54b2a282d6"}},"type":"SystemAssigned,UserAssigned","principalId":"116ab438-1b87-44fb-b921-76e3ea876490","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:31:09.2234867Z"}}' @@ -856,7 +856,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"b1780895-22f2-4f90-a892-03c4e673e1cb","clientId":"ab88a149-200a-4550-b269-1f2b0ae252bf"},"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"5f3a9b2d-8040-40bd-9a3e-d7d0b58e7241","clientId":"36c2e1b3-750f-447d-83a7-fc54b2a282d6"}},"type":"SystemAssigned,UserAssigned","principalId":"116ab438-1b87-44fb-b921-76e3ea876490","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:31:09.2234867Z"}}' @@ -908,7 +908,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"b1780895-22f2-4f90-a892-03c4e673e1cb","clientId":"ab88a149-200a-4550-b269-1f2b0ae252bf"},"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"5f3a9b2d-8040-40bd-9a3e-d7d0b58e7241","clientId":"36c2e1b3-750f-447d-83a7-fc54b2a282d6"}},"type":"SystemAssigned,UserAssigned","principalId":"116ab438-1b87-44fb-b921-76e3ea876490","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:31:09.2234867Z"}}' @@ -966,13 +966,13 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"b1780895-22f2-4f90-a892-03c4e673e1cb","clientId":"ab88a149-200a-4550-b269-1f2b0ae252bf"},"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"5f3a9b2d-8040-40bd-9a3e-d7d0b58e7241","clientId":"36c2e1b3-750f-447d-83a7-fc54b2a282d6"}},"type":"SystemAssigned,UserAssigned","principalId":"116ab438-1b87-44fb-b921-76e3ea876490","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:31:48.9571136Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/ba695375-f006-44b0-b927-ed40d9f2556f?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/ba695375-f006-44b0-b927-ed40d9f2556f?api-version=2022-03-01-preview cache-control: - no-cache content-length: @@ -984,7 +984,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/ba695375-f006-44b0-b927-ed40d9f2556f/Spring/test-msi-app-1?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/ba695375-f006-44b0-b927-ed40d9f2556f/Spring/test-msi-app-1?api-version=2022-03-01-preview pragma: - no-cache request-context: @@ -1018,7 +1018,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/ba695375-f006-44b0-b927-ed40d9f2556f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/ba695375-f006-44b0-b927-ed40d9f2556f?api-version=2022-03-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/ba695375-f006-44b0-b927-ed40d9f2556f","name":"ba695375-f006-44b0-b927-ed40d9f2556f","status":"Succeeded","startTime":"2022-03-22T11:31:50.1398137Z","endTime":"2022-03-22T11:32:01.9057715Z"}' @@ -1068,7 +1068,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"5f3a9b2d-8040-40bd-9a3e-d7d0b58e7241","clientId":"36c2e1b3-750f-447d-83a7-fc54b2a282d6"}},"type":"SystemAssigned,UserAssigned","principalId":"116ab438-1b87-44fb-b921-76e3ea876490","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:31:48.9571136Z"}}' @@ -1120,7 +1120,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"5f3a9b2d-8040-40bd-9a3e-d7d0b58e7241","clientId":"36c2e1b3-750f-447d-83a7-fc54b2a282d6"}},"type":"SystemAssigned,UserAssigned","principalId":"116ab438-1b87-44fb-b921-76e3ea876490","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:31:48.9571136Z"}}' @@ -1172,7 +1172,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"5f3a9b2d-8040-40bd-9a3e-d7d0b58e7241","clientId":"36c2e1b3-750f-447d-83a7-fc54b2a282d6"}},"type":"SystemAssigned,UserAssigned","principalId":"116ab438-1b87-44fb-b921-76e3ea876490","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:31:48.9571136Z"}}' @@ -1228,13 +1228,13 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"5f3a9b2d-8040-40bd-9a3e-d7d0b58e7241","clientId":"36c2e1b3-750f-447d-83a7-fc54b2a282d6"}},"type":"SystemAssigned,UserAssigned","principalId":"116ab438-1b87-44fb-b921-76e3ea876490","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:32:28.2582306Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/cfdeca9a-e073-40ee-a01e-af4afd960e5a?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/cfdeca9a-e073-40ee-a01e-af4afd960e5a?api-version=2022-03-01-preview cache-control: - no-cache content-length: @@ -1246,7 +1246,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/cfdeca9a-e073-40ee-a01e-af4afd960e5a/Spring/test-msi-app-1?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/cfdeca9a-e073-40ee-a01e-af4afd960e5a/Spring/test-msi-app-1?api-version=2022-03-01-preview pragma: - no-cache request-context: @@ -1280,7 +1280,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/cfdeca9a-e073-40ee-a01e-af4afd960e5a?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/cfdeca9a-e073-40ee-a01e-af4afd960e5a?api-version=2022-03-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/cfdeca9a-e073-40ee-a01e-af4afd960e5a","name":"cfdeca9a-e073-40ee-a01e-af4afd960e5a","status":"Succeeded","startTime":"2022-03-22T11:32:29.4313623Z","endTime":"2022-03-22T11:32:39.4110337Z"}' @@ -1330,7 +1330,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":null,"type":"SystemAssigned","principalId":"116ab438-1b87-44fb-b921-76e3ea876490","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:32:28.2582306Z"}}' @@ -1382,7 +1382,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":null,"type":"SystemAssigned","principalId":"116ab438-1b87-44fb-b921-76e3ea876490","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:32:28.2582306Z"}}' @@ -1434,7 +1434,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":null,"type":"SystemAssigned","principalId":"116ab438-1b87-44fb-b921-76e3ea876490","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:32:28.2582306Z"}}' @@ -1490,13 +1490,13 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":null,"type":"SystemAssigned","principalId":"116ab438-1b87-44fb-b921-76e3ea876490","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:33:06.8633111Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/ac3cf8d5-4b9a-4e64-9a40-faed4bbb0bc8?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/ac3cf8d5-4b9a-4e64-9a40-faed4bbb0bc8?api-version=2022-03-01-preview cache-control: - no-cache content-length: @@ -1508,7 +1508,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/ac3cf8d5-4b9a-4e64-9a40-faed4bbb0bc8/Spring/test-msi-app-1?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/ac3cf8d5-4b9a-4e64-9a40-faed4bbb0bc8/Spring/test-msi-app-1?api-version=2022-03-01-preview pragma: - no-cache request-context: @@ -1542,7 +1542,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/ac3cf8d5-4b9a-4e64-9a40-faed4bbb0bc8?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/ac3cf8d5-4b9a-4e64-9a40-faed4bbb0bc8?api-version=2022-03-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/ac3cf8d5-4b9a-4e64-9a40-faed4bbb0bc8","name":"ac3cf8d5-4b9a-4e64-9a40-faed4bbb0bc8","status":"Succeeded","startTime":"2022-03-22T11:33:08.7052105Z","endTime":"2022-03-22T11:33:18.7115215Z"}' @@ -1592,7 +1592,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:33:06.8633111Z"}}' @@ -1644,7 +1644,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:33:06.8633111Z"}}' @@ -1696,7 +1696,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:33:06.8633111Z"}}' @@ -1755,13 +1755,13 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:33:47.0102171Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/0344e56e-d1c8-421c-99eb-e60b063768c4?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/0344e56e-d1c8-421c-99eb-e60b063768c4?api-version=2022-03-01-preview cache-control: - no-cache content-length: @@ -1773,7 +1773,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/0344e56e-d1c8-421c-99eb-e60b063768c4/Spring/test-msi-app-1?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/0344e56e-d1c8-421c-99eb-e60b063768c4/Spring/test-msi-app-1?api-version=2022-03-01-preview pragma: - no-cache request-context: @@ -1807,7 +1807,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/0344e56e-d1c8-421c-99eb-e60b063768c4?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/0344e56e-d1c8-421c-99eb-e60b063768c4?api-version=2022-03-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/0344e56e-d1c8-421c-99eb-e60b063768c4","name":"0344e56e-d1c8-421c-99eb-e60b063768c4","status":"Succeeded","startTime":"2022-03-22T11:33:50.4980311Z","endTime":"2022-03-22T11:34:01.700367Z"}' @@ -1857,7 +1857,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"b1780895-22f2-4f90-a892-03c4e673e1cb","clientId":"ab88a149-200a-4550-b269-1f2b0ae252bf"},"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"5f3a9b2d-8040-40bd-9a3e-d7d0b58e7241","clientId":"36c2e1b3-750f-447d-83a7-fc54b2a282d6"}},"type":"SystemAssigned,UserAssigned","principalId":"43d225fe-e7e1-47e1-9d72-dddc03e0a39c","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:33:47.0102171Z"}}' @@ -1909,7 +1909,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"b1780895-22f2-4f90-a892-03c4e673e1cb","clientId":"ab88a149-200a-4550-b269-1f2b0ae252bf"},"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"5f3a9b2d-8040-40bd-9a3e-d7d0b58e7241","clientId":"36c2e1b3-750f-447d-83a7-fc54b2a282d6"}},"type":"SystemAssigned,UserAssigned","principalId":"43d225fe-e7e1-47e1-9d72-dddc03e0a39c","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:33:47.0102171Z"}}' @@ -1961,7 +1961,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"b1780895-22f2-4f90-a892-03c4e673e1cb","clientId":"ab88a149-200a-4550-b269-1f2b0ae252bf"},"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"5f3a9b2d-8040-40bd-9a3e-d7d0b58e7241","clientId":"36c2e1b3-750f-447d-83a7-fc54b2a282d6"}},"type":"SystemAssigned,UserAssigned","principalId":"43d225fe-e7e1-47e1-9d72-dddc03e0a39c","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:33:47.0102171Z"}}' @@ -2017,13 +2017,13 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"b1780895-22f2-4f90-a892-03c4e673e1cb","clientId":"ab88a149-200a-4550-b269-1f2b0ae252bf"},"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"5f3a9b2d-8040-40bd-9a3e-d7d0b58e7241","clientId":"36c2e1b3-750f-447d-83a7-fc54b2a282d6"}},"type":"SystemAssigned,UserAssigned","principalId":"43d225fe-e7e1-47e1-9d72-dddc03e0a39c","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:34:28.0732599Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/9ce70110-0a04-42fd-820e-89ec8612c089?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/9ce70110-0a04-42fd-820e-89ec8612c089?api-version=2022-03-01-preview cache-control: - no-cache content-length: @@ -2035,7 +2035,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/9ce70110-0a04-42fd-820e-89ec8612c089/Spring/test-msi-app-1?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/9ce70110-0a04-42fd-820e-89ec8612c089/Spring/test-msi-app-1?api-version=2022-03-01-preview pragma: - no-cache request-context: @@ -2069,7 +2069,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/9ce70110-0a04-42fd-820e-89ec8612c089?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/9ce70110-0a04-42fd-820e-89ec8612c089?api-version=2022-03-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-msi-app-1/operationId/9ce70110-0a04-42fd-820e-89ec8612c089","name":"9ce70110-0a04-42fd-820e-89ec8612c089","status":"Succeeded","startTime":"2022-03-22T11:34:28.5140021Z","endTime":"2022-03-22T11:34:38.0409754Z"}' @@ -2119,7 +2119,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:34:28.0732599Z"}}' @@ -2171,7 +2171,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-app-1","name":"test-msi-app-1","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T14:03:20.2023737Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-22T11:34:28.0732599Z"}}' diff --git a/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_app_identity_force_set.yaml b/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_app_identity_force_set.yaml index 03782e7e9cc..e22137b754f 100644 --- a/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_app_identity_force_set.yaml +++ b/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_app_identity_force_set.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments?api-version=2022-05-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-msi-force-set-default-18-6dfcbdb69c-kbrcz","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T02:16:15Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:16:02.3941932Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:16:02.3941932Z"}}]}' @@ -65,7 +65,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned","principalId":"255b11fc-1d64-441c-8c53-ede51b8c18fb","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:38:37.4218302Z"}}' @@ -123,13 +123,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned","principalId":"255b11fc-1d64-441c-8c53-ede51b8c18fb","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:43:26.8107587Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/bbeeaae8-88a9-4fa5-809d-2d4d36543f01?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/bbeeaae8-88a9-4fa5-809d-2d4d36543f01?api-version=2022-03-01-preview cache-control: - no-cache content-length: @@ -141,7 +141,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/bbeeaae8-88a9-4fa5-809d-2d4d36543f01/Spring/test-msi-force-set?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/bbeeaae8-88a9-4fa5-809d-2d4d36543f01/Spring/test-msi-force-set?api-version=2022-03-01-preview pragma: - no-cache request-context: @@ -173,7 +173,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/bbeeaae8-88a9-4fa5-809d-2d4d36543f01?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/bbeeaae8-88a9-4fa5-809d-2d4d36543f01?api-version=2022-03-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/bbeeaae8-88a9-4fa5-809d-2d4d36543f01","name":"bbeeaae8-88a9-4fa5-809d-2d4d36543f01","status":"Succeeded","startTime":"2022-09-07T02:43:27.5348511Z","endTime":"2022-09-07T02:43:34.4799677Z"}' @@ -221,7 +221,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:43:26.8107587Z"}}' @@ -271,7 +271,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:43:26.8107587Z"}}' @@ -321,7 +321,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments?api-version=2022-05-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-msi-force-set-default-18-6dfcbdb69c-kbrcz","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T02:16:15Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:16:02.3941932Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:16:02.3941932Z"}}]}' @@ -371,7 +371,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:43:26.8107587Z"}}' @@ -429,13 +429,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:44:30.1577668Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/0a596f2a-66ed-4a6c-9ac0-198c4a835d45?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/0a596f2a-66ed-4a6c-9ac0-198c4a835d45?api-version=2022-03-01-preview cache-control: - no-cache content-length: @@ -447,7 +447,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/0a596f2a-66ed-4a6c-9ac0-198c4a835d45/Spring/test-msi-force-set?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/0a596f2a-66ed-4a6c-9ac0-198c4a835d45/Spring/test-msi-force-set?api-version=2022-03-01-preview pragma: - no-cache request-context: @@ -479,7 +479,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/0a596f2a-66ed-4a6c-9ac0-198c4a835d45?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/0a596f2a-66ed-4a6c-9ac0-198c4a835d45?api-version=2022-03-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/0a596f2a-66ed-4a6c-9ac0-198c4a835d45","name":"0a596f2a-66ed-4a6c-9ac0-198c4a835d45","status":"Succeeded","startTime":"2022-09-07T02:44:32.9024274Z","endTime":"2022-09-07T02:44:40.557122Z"}' @@ -527,7 +527,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned","principalId":"95740b41-34cf-4ecd-b926-ad78e4fa310a","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:44:30.1577668Z"}}' @@ -577,7 +577,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned","principalId":"95740b41-34cf-4ecd-b926-ad78e4fa310a","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:44:30.1577668Z"}}' @@ -627,7 +627,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments?api-version=2022-05-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-msi-force-set-default-18-6dfcbdb69c-kbrcz","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T02:16:15Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:16:02.3941932Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:16:02.3941932Z"}}]}' @@ -673,7 +673,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned","principalId":"95740b41-34cf-4ecd-b926-ad78e4fa310a","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:44:30.1577668Z"}}' @@ -732,13 +732,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned","principalId":"95740b41-34cf-4ecd-b926-ad78e4fa310a","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:45:36.0929958Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/bf6146f2-c6cf-4cda-9bf6-abf5aa9a0fd6?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/bf6146f2-c6cf-4cda-9bf6-abf5aa9a0fd6?api-version=2022-03-01-preview cache-control: - no-cache content-length: @@ -750,7 +750,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/bf6146f2-c6cf-4cda-9bf6-abf5aa9a0fd6/Spring/test-msi-force-set?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/bf6146f2-c6cf-4cda-9bf6-abf5aa9a0fd6/Spring/test-msi-force-set?api-version=2022-03-01-preview pragma: - no-cache request-context: @@ -782,7 +782,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/bf6146f2-c6cf-4cda-9bf6-abf5aa9a0fd6?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/bf6146f2-c6cf-4cda-9bf6-abf5aa9a0fd6?api-version=2022-03-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/bf6146f2-c6cf-4cda-9bf6-abf5aa9a0fd6","name":"bf6146f2-c6cf-4cda-9bf6-abf5aa9a0fd6","status":"Succeeded","startTime":"2022-09-07T02:45:39.8583538Z","endTime":"2022-09-07T02:45:48.6845168Z"}' @@ -830,7 +830,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"f8c67039-dd17-48f7-a1e2-5f6884e6e8fb","clientId":"e4f56bfa-0cdb-4930-836d-62088046f751"}},"type":"UserAssigned","principalId":null,"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:45:36.0929958Z"}}' @@ -880,7 +880,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"f8c67039-dd17-48f7-a1e2-5f6884e6e8fb","clientId":"e4f56bfa-0cdb-4930-836d-62088046f751"}},"type":"UserAssigned","principalId":null,"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:45:36.0929958Z"}}' @@ -930,7 +930,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments?api-version=2022-05-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-msi-force-set-default-18-6dfcbdb69c-kbrcz","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T02:16:15Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:16:02.3941932Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:16:02.3941932Z"}}]}' @@ -980,7 +980,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"f8c67039-dd17-48f7-a1e2-5f6884e6e8fb","clientId":"e4f56bfa-0cdb-4930-836d-62088046f751"}},"type":"UserAssigned","principalId":null,"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:45:36.0929958Z"}}' @@ -1039,13 +1039,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"f8c67039-dd17-48f7-a1e2-5f6884e6e8fb","clientId":"e4f56bfa-0cdb-4930-836d-62088046f751"}},"type":"UserAssigned","principalId":null,"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:46:40.3433492Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/35fcb24c-7ce7-46e5-85d3-f1796c21e80f?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/35fcb24c-7ce7-46e5-85d3-f1796c21e80f?api-version=2022-03-01-preview cache-control: - no-cache content-length: @@ -1057,7 +1057,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/35fcb24c-7ce7-46e5-85d3-f1796c21e80f/Spring/test-msi-force-set?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/35fcb24c-7ce7-46e5-85d3-f1796c21e80f/Spring/test-msi-force-set?api-version=2022-03-01-preview pragma: - no-cache request-context: @@ -1089,7 +1089,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/35fcb24c-7ce7-46e5-85d3-f1796c21e80f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/35fcb24c-7ce7-46e5-85d3-f1796c21e80f?api-version=2022-03-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/35fcb24c-7ce7-46e5-85d3-f1796c21e80f","name":"35fcb24c-7ce7-46e5-85d3-f1796c21e80f","status":"Succeeded","startTime":"2022-09-07T02:46:42.7612604Z","endTime":"2022-09-07T02:46:50.3374644Z"}' @@ -1137,7 +1137,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"c2d73bc7-e20e-4e4a-a61c-20d0dea549bc","clientId":"0d0f5a96-197b-47ef-9c94-99275fda77f2"}},"type":"UserAssigned","principalId":null,"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:46:40.3433492Z"}}' @@ -1187,7 +1187,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"c2d73bc7-e20e-4e4a-a61c-20d0dea549bc","clientId":"0d0f5a96-197b-47ef-9c94-99275fda77f2"}},"type":"UserAssigned","principalId":null,"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:46:40.3433492Z"}}' @@ -1237,7 +1237,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments?api-version=2022-05-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-msi-force-set-default-18-6dfcbdb69c-kbrcz","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T02:16:15Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:16:02.3941932Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:16:02.3941932Z"}}]}' @@ -1287,7 +1287,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"c2d73bc7-e20e-4e4a-a61c-20d0dea549bc","clientId":"0d0f5a96-197b-47ef-9c94-99275fda77f2"}},"type":"UserAssigned","principalId":null,"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:46:40.3433492Z"}}' @@ -1347,13 +1347,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"c2d73bc7-e20e-4e4a-a61c-20d0dea549bc","clientId":"0d0f5a96-197b-47ef-9c94-99275fda77f2"}},"type":"UserAssigned","principalId":null,"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:47:45.9030922Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/8ac92c71-f715-458a-b0a0-1666c02e9a98?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/8ac92c71-f715-458a-b0a0-1666c02e9a98?api-version=2022-03-01-preview cache-control: - no-cache content-length: @@ -1365,7 +1365,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/8ac92c71-f715-458a-b0a0-1666c02e9a98/Spring/test-msi-force-set?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/8ac92c71-f715-458a-b0a0-1666c02e9a98/Spring/test-msi-force-set?api-version=2022-03-01-preview pragma: - no-cache request-context: @@ -1397,7 +1397,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/8ac92c71-f715-458a-b0a0-1666c02e9a98?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/8ac92c71-f715-458a-b0a0-1666c02e9a98?api-version=2022-03-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/8ac92c71-f715-458a-b0a0-1666c02e9a98","name":"8ac92c71-f715-458a-b0a0-1666c02e9a98","status":"Succeeded","startTime":"2022-09-07T02:47:49.4217897Z","endTime":"2022-09-07T02:47:59.4573738Z"}' @@ -1445,7 +1445,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"f8c67039-dd17-48f7-a1e2-5f6884e6e8fb","clientId":"e4f56bfa-0cdb-4930-836d-62088046f751"},"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"c2d73bc7-e20e-4e4a-a61c-20d0dea549bc","clientId":"0d0f5a96-197b-47ef-9c94-99275fda77f2"}},"type":"SystemAssigned,UserAssigned","principalId":"14cb6647-da65-48f8-aef1-1f9b2f651db8","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:47:45.9030922Z"}}' @@ -1495,7 +1495,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"f8c67039-dd17-48f7-a1e2-5f6884e6e8fb","clientId":"e4f56bfa-0cdb-4930-836d-62088046f751"},"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"c2d73bc7-e20e-4e4a-a61c-20d0dea549bc","clientId":"0d0f5a96-197b-47ef-9c94-99275fda77f2"}},"type":"SystemAssigned,UserAssigned","principalId":"14cb6647-da65-48f8-aef1-1f9b2f651db8","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:47:45.9030922Z"}}' @@ -1545,7 +1545,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments?api-version=2022-05-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-msi-force-set-default-18-6dfcbdb69c-kbrcz","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T02:16:15Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:16:02.3941932Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:16:02.3941932Z"}}]}' @@ -1595,7 +1595,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"f8c67039-dd17-48f7-a1e2-5f6884e6e8fb","clientId":"e4f56bfa-0cdb-4930-836d-62088046f751"},"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"c2d73bc7-e20e-4e4a-a61c-20d0dea549bc","clientId":"0d0f5a96-197b-47ef-9c94-99275fda77f2"}},"type":"SystemAssigned,UserAssigned","principalId":"14cb6647-da65-48f8-aef1-1f9b2f651db8","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:47:45.9030922Z"}}' @@ -1653,13 +1653,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"f8c67039-dd17-48f7-a1e2-5f6884e6e8fb","clientId":"e4f56bfa-0cdb-4930-836d-62088046f751"},"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"c2d73bc7-e20e-4e4a-a61c-20d0dea549bc","clientId":"0d0f5a96-197b-47ef-9c94-99275fda77f2"}},"type":"SystemAssigned,UserAssigned","principalId":"14cb6647-da65-48f8-aef1-1f9b2f651db8","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:48:51.4087021Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/cfdbaf4b-4a06-4fd7-9fd5-69791189ac1e?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/cfdbaf4b-4a06-4fd7-9fd5-69791189ac1e?api-version=2022-03-01-preview cache-control: - no-cache content-length: @@ -1671,7 +1671,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/cfdbaf4b-4a06-4fd7-9fd5-69791189ac1e/Spring/test-msi-force-set?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/cfdbaf4b-4a06-4fd7-9fd5-69791189ac1e/Spring/test-msi-force-set?api-version=2022-03-01-preview pragma: - no-cache request-context: @@ -1703,7 +1703,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/cfdbaf4b-4a06-4fd7-9fd5-69791189ac1e?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/cfdbaf4b-4a06-4fd7-9fd5-69791189ac1e?api-version=2022-03-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/cfdbaf4b-4a06-4fd7-9fd5-69791189ac1e","name":"cfdbaf4b-4a06-4fd7-9fd5-69791189ac1e","status":"Succeeded","startTime":"2022-09-07T02:48:53.5171595Z","endTime":"2022-09-07T02:49:01.0694001Z"}' @@ -1751,7 +1751,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned","principalId":"14cb6647-da65-48f8-aef1-1f9b2f651db8","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:48:51.4087021Z"}}' @@ -1801,7 +1801,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned","principalId":"14cb6647-da65-48f8-aef1-1f9b2f651db8","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:48:51.4087021Z"}}' @@ -1851,7 +1851,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments?api-version=2022-05-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-msi-force-set-default-18-6dfcbdb69c-kbrcz","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T02:16:15Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:16:02.3941932Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:16:02.3941932Z"}}]}' @@ -1901,7 +1901,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned","principalId":"14cb6647-da65-48f8-aef1-1f9b2f651db8","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:48:51.4087021Z"}}' @@ -1959,13 +1959,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned","principalId":"14cb6647-da65-48f8-aef1-1f9b2f651db8","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:49:56.4480171Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/1b003dd6-6886-4743-829c-56ca0dd41539?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/1b003dd6-6886-4743-829c-56ca0dd41539?api-version=2022-03-01-preview cache-control: - no-cache content-length: @@ -1977,7 +1977,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/1b003dd6-6886-4743-829c-56ca0dd41539/Spring/test-msi-force-set?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/1b003dd6-6886-4743-829c-56ca0dd41539/Spring/test-msi-force-set?api-version=2022-03-01-preview pragma: - no-cache request-context: @@ -2009,7 +2009,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/1b003dd6-6886-4743-829c-56ca0dd41539?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/1b003dd6-6886-4743-829c-56ca0dd41539?api-version=2022-03-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-msi-force-set/operationId/1b003dd6-6886-4743-829c-56ca0dd41539","name":"1b003dd6-6886-4743-829c-56ca0dd41539","status":"Succeeded","startTime":"2022-09-07T02:49:56.9921264Z","endTime":"2022-09-07T02:50:03.936183Z"}' @@ -2057,7 +2057,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:49:56.4480171Z"}}' @@ -2107,7 +2107,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set?api-version=2022-03-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-msi-force-set","name":"test-msi-force-set","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:15:51.8991693Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:49:56.4480171Z"}}' diff --git a/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_create_app_with_assign_identity.yaml b/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_create_app_with_assign_identity.yaml index 9b5a47d1ce0..7d6169249ff 100644 --- a/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_create_app_with_assign_identity.yaml +++ b/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_create_app_with_assign_identity.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1?api-version=2022-09-01-preview response: body: string: '{"error":{"code":"NotFound","message":"App was not found","target":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1","details":null}}' @@ -61,7 +61,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-09-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"e55ed5c1ee8942f9a36f033e7bbd28e8","networkProfile":{"outboundIPs":{"publicIPs":["20.237.103.188","20.237.103.250"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:05:42.8680393Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:11:29.9671687Z"}}' @@ -116,13 +116,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Creating","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1","name":"create-app-system-identity-1","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:09:36.211793Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:09:36.211793Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-system-identity-1/operationId/1c6fd929-24c6-407c-89ef-498a422eeb57?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-system-identity-1/operationId/1c6fd929-24c6-407c-89ef-498a422eeb57?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -134,7 +134,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/1c6fd929-24c6-407c-89ef-498a422eeb57/Spring/create-app-system-identity-1?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/1c6fd929-24c6-407c-89ef-498a422eeb57/Spring/create-app-system-identity-1?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -166,7 +166,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-system-identity-1/operationId/1c6fd929-24c6-407c-89ef-498a422eeb57?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-system-identity-1/operationId/1c6fd929-24c6-407c-89ef-498a422eeb57?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-system-identity-1/operationId/1c6fd929-24c6-407c-89ef-498a422eeb57","name":"1c6fd929-24c6-407c-89ef-498a422eeb57","status":"Succeeded","startTime":"2022-09-07T03:09:38.8918945Z","endTime":"2022-09-07T03:09:46.4506473Z"}' @@ -214,7 +214,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned","principalId":"dcf581e3-fb3c-4a69-9dd2-94b6485e29ba","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1","name":"create-app-system-identity-1","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:09:36.211793Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:09:36.211793Z"}}' @@ -271,13 +271,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1/deployments/mock-deployment?api-version=2022-09-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90},"provisioningState":"Creating","status":"Running","active":true,"instances":null,"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:10:15.2273638Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:10:15.2273638Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/3cb3a92b-6e8f-4b4f-a59e-ed909f967a44?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/3cb3a92b-6e8f-4b4f-a59e-ed909f967a44?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -289,7 +289,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/3cb3a92b-6e8f-4b4f-a59e-ed909f967a44/Spring/default?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/3cb3a92b-6e8f-4b4f-a59e-ed909f967a44/Spring/default?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -326,13 +326,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned","principalId":"dcf581e3-fb3c-4a69-9dd2-94b6485e29ba","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1","name":"create-app-system-identity-1","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:09:36.211793Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:10:18.0554846Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-system-identity-1/operationId/ca019b0e-6e00-4582-b1b1-708a14773339?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-system-identity-1/operationId/ca019b0e-6e00-4582-b1b1-708a14773339?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -344,7 +344,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/ca019b0e-6e00-4582-b1b1-708a14773339/Spring/create-app-system-identity-1?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/ca019b0e-6e00-4582-b1b1-708a14773339/Spring/create-app-system-identity-1?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -376,7 +376,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/3cb3a92b-6e8f-4b4f-a59e-ed909f967a44?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/3cb3a92b-6e8f-4b4f-a59e-ed909f967a44?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/3cb3a92b-6e8f-4b4f-a59e-ed909f967a44","name":"3cb3a92b-6e8f-4b4f-a59e-ed909f967a44","status":"Succeeded","startTime":"2022-09-07T03:10:17.6984106Z","endTime":"2022-09-07T03:10:45.843813Z"}' @@ -424,7 +424,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-system-identity-1/operationId/ca019b0e-6e00-4582-b1b1-708a14773339?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-system-identity-1/operationId/ca019b0e-6e00-4582-b1b1-708a14773339?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-system-identity-1/operationId/ca019b0e-6e00-4582-b1b1-708a14773339","name":"ca019b0e-6e00-4582-b1b1-708a14773339","status":"Succeeded","startTime":"2022-09-07T03:10:18.9730916Z","endTime":"2022-09-07T03:10:25.5389523Z"}' @@ -472,7 +472,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned","principalId":"dcf581e3-fb3c-4a69-9dd2-94b6485e29ba","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1","name":"create-app-system-identity-1","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:09:36.211793Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:10:18.0554846Z"}}' @@ -522,7 +522,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1/deployments/mock-deployment?api-version=2022-09-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"create-app-system-identity-1-default-28-5b8d45897f-n2tnd","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T03:10:22Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:10:15.2273638Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:10:15.2273638Z"}}' @@ -572,7 +572,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned","principalId":"dcf581e3-fb3c-4a69-9dd2-94b6485e29ba","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1","name":"create-app-system-identity-1","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:09:36.211793Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:10:18.0554846Z"}}' @@ -622,7 +622,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1/deployments?api-version=2022-09-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"create-app-system-identity-1-default-28-5b8d45897f-n2tnd","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T03:10:22Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-1/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:10:15.2273638Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:10:15.2273638Z"}}]}' diff --git a/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_create_app_with_both_identity.yaml b/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_create_app_with_both_identity.yaml index 15f0d2482f9..a3fe2ec198c 100644 --- a/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_create_app_with_both_identity.yaml +++ b/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_create_app_with_both_identity.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity?api-version=2022-09-01-preview response: body: string: '{"error":{"code":"NotFound","message":"App was not found","target":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity","details":null}}' @@ -61,7 +61,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-09-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"e55ed5c1ee8942f9a36f033e7bbd28e8","networkProfile":{"outboundIPs":{"publicIPs":["20.237.103.188","20.237.103.250"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:05:42.8680393Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:11:29.9671687Z"}}' @@ -119,13 +119,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Creating","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity","name":"create-app-both-identity","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:28:59.9792223Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:28:59.9792223Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-both-identity/operationId/63d19296-5763-45e1-b14e-e48aa1771d77?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-both-identity/operationId/63d19296-5763-45e1-b14e-e48aa1771d77?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -137,7 +137,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/63d19296-5763-45e1-b14e-e48aa1771d77/Spring/create-app-both-identity?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/63d19296-5763-45e1-b14e-e48aa1771d77/Spring/create-app-both-identity?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -169,7 +169,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-both-identity/operationId/63d19296-5763-45e1-b14e-e48aa1771d77?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-both-identity/operationId/63d19296-5763-45e1-b14e-e48aa1771d77?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-both-identity/operationId/63d19296-5763-45e1-b14e-e48aa1771d77","name":"63d19296-5763-45e1-b14e-e48aa1771d77","status":"Succeeded","startTime":"2022-09-07T02:29:02.4102691Z","endTime":"2022-09-07T02:29:11.6225494Z"}' @@ -217,7 +217,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned,UserAssigned","principalId":"9b3edfa8-d102-4a3c-859f-eea55cba7b89","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"f8c67039-dd17-48f7-a1e2-5f6884e6e8fb","clientId":"e4f56bfa-0cdb-4930-836d-62088046f751"},"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"c2d73bc7-e20e-4e4a-a61c-20d0dea549bc","clientId":"0d0f5a96-197b-47ef-9c94-99275fda77f2"}}},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity","name":"create-app-both-identity","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:28:59.9792223Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:28:59.9792223Z"}}' @@ -274,13 +274,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity/deployments/mock-deployment?api-version=2022-09-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90},"provisioningState":"Creating","status":"Running","active":true,"instances":null,"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:29:37.8695913Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:29:37.8695913Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/69352fa3-cbdc-413b-96e2-5615b1aa4501?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/69352fa3-cbdc-413b-96e2-5615b1aa4501?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -292,7 +292,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/69352fa3-cbdc-413b-96e2-5615b1aa4501/Spring/default?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/69352fa3-cbdc-413b-96e2-5615b1aa4501/Spring/default?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -329,13 +329,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned,UserAssigned","principalId":"9b3edfa8-d102-4a3c-859f-eea55cba7b89","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"f8c67039-dd17-48f7-a1e2-5f6884e6e8fb","clientId":"e4f56bfa-0cdb-4930-836d-62088046f751"},"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"c2d73bc7-e20e-4e4a-a61c-20d0dea549bc","clientId":"0d0f5a96-197b-47ef-9c94-99275fda77f2"}}},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity","name":"create-app-both-identity","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:28:59.9792223Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:29:40.4945738Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-both-identity/operationId/d275d342-505e-4eb9-b9b9-ebc7eae3bc66?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-both-identity/operationId/d275d342-505e-4eb9-b9b9-ebc7eae3bc66?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -347,7 +347,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/d275d342-505e-4eb9-b9b9-ebc7eae3bc66/Spring/create-app-both-identity?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/d275d342-505e-4eb9-b9b9-ebc7eae3bc66/Spring/create-app-both-identity?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -379,7 +379,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/69352fa3-cbdc-413b-96e2-5615b1aa4501?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/69352fa3-cbdc-413b-96e2-5615b1aa4501?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/69352fa3-cbdc-413b-96e2-5615b1aa4501","name":"69352fa3-cbdc-413b-96e2-5615b1aa4501","status":"Succeeded","startTime":"2022-09-07T02:29:40.0053611Z","endTime":"2022-09-07T02:30:07.8819499Z"}' @@ -427,7 +427,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-both-identity/operationId/d275d342-505e-4eb9-b9b9-ebc7eae3bc66?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-both-identity/operationId/d275d342-505e-4eb9-b9b9-ebc7eae3bc66?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-both-identity/operationId/d275d342-505e-4eb9-b9b9-ebc7eae3bc66","name":"d275d342-505e-4eb9-b9b9-ebc7eae3bc66","status":"Succeeded","startTime":"2022-09-07T02:29:41.1902627Z","endTime":"2022-09-07T02:29:47.478367Z"}' @@ -475,7 +475,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned,UserAssigned","principalId":"9b3edfa8-d102-4a3c-859f-eea55cba7b89","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"f8c67039-dd17-48f7-a1e2-5f6884e6e8fb","clientId":"e4f56bfa-0cdb-4930-836d-62088046f751"},"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"c2d73bc7-e20e-4e4a-a61c-20d0dea549bc","clientId":"0d0f5a96-197b-47ef-9c94-99275fda77f2"}}},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity","name":"create-app-both-identity","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:28:59.9792223Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:29:40.4945738Z"}}' @@ -525,7 +525,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity/deployments/mock-deployment?api-version=2022-09-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"create-app-both-identity-default-24-7c6fd946b4-2hsfq","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T02:29:43Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:29:37.8695913Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:29:37.8695913Z"}}' @@ -575,7 +575,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned,UserAssigned","principalId":"9b3edfa8-d102-4a3c-859f-eea55cba7b89","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"f8c67039-dd17-48f7-a1e2-5f6884e6e8fb","clientId":"e4f56bfa-0cdb-4930-836d-62088046f751"},"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"c2d73bc7-e20e-4e4a-a61c-20d0dea549bc","clientId":"0d0f5a96-197b-47ef-9c94-99275fda77f2"}}},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity","name":"create-app-both-identity","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:28:59.9792223Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:29:40.4945738Z"}}' @@ -625,7 +625,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity/deployments?api-version=2022-09-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"create-app-both-identity-default-24-7c6fd946b4-2hsfq","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T02:29:43Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-both-identity/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:29:37.8695913Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:29:37.8695913Z"}}]}' diff --git a/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_create_app_with_system_assigned.yaml b/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_create_app_with_system_assigned.yaml index 0b331d3ccba..e384afcf7dd 100644 --- a/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_create_app_with_system_assigned.yaml +++ b/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_create_app_with_system_assigned.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2?api-version=2022-09-01-preview response: body: string: '{"error":{"code":"NotFound","message":"App was not found","target":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2","details":null}}' @@ -61,7 +61,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-09-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"e55ed5c1ee8942f9a36f033e7bbd28e8","networkProfile":{"outboundIPs":{"publicIPs":["20.237.103.188","20.237.103.250"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:05:42.8680393Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:11:29.9671687Z"}}' @@ -116,13 +116,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Creating","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2","name":"create-app-system-identity-2","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:11:41.5113326Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:11:41.5113326Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-system-identity-2/operationId/1aa74228-51b6-47ec-b50f-7941b668d417?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-system-identity-2/operationId/1aa74228-51b6-47ec-b50f-7941b668d417?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -134,7 +134,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/1aa74228-51b6-47ec-b50f-7941b668d417/Spring/create-app-system-identity-2?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/1aa74228-51b6-47ec-b50f-7941b668d417/Spring/create-app-system-identity-2?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -166,7 +166,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-system-identity-2/operationId/1aa74228-51b6-47ec-b50f-7941b668d417?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-system-identity-2/operationId/1aa74228-51b6-47ec-b50f-7941b668d417?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-system-identity-2/operationId/1aa74228-51b6-47ec-b50f-7941b668d417","name":"1aa74228-51b6-47ec-b50f-7941b668d417","status":"Succeeded","startTime":"2022-09-07T03:11:44.0543792Z","endTime":"2022-09-07T03:11:52.473214Z"}' @@ -214,7 +214,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned","principalId":"10b971a6-1b43-4344-8e28-19fead330b43","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2","name":"create-app-system-identity-2","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:11:41.5113326Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:11:41.5113326Z"}}' @@ -271,13 +271,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2/deployments/mock-deployment?api-version=2022-09-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90},"provisioningState":"Creating","status":"Running","active":true,"instances":null,"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:12:19.6834345Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:12:19.6834345Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/9160e34f-50f7-4898-9c53-c689e9367ab1?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/9160e34f-50f7-4898-9c53-c689e9367ab1?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -289,7 +289,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/9160e34f-50f7-4898-9c53-c689e9367ab1/Spring/default?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/9160e34f-50f7-4898-9c53-c689e9367ab1/Spring/default?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -326,13 +326,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned","principalId":"10b971a6-1b43-4344-8e28-19fead330b43","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2","name":"create-app-system-identity-2","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:11:41.5113326Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:12:22.2771882Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-system-identity-2/operationId/4a2382fa-fea8-42c9-85d2-27ccae86101b?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-system-identity-2/operationId/4a2382fa-fea8-42c9-85d2-27ccae86101b?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -344,7 +344,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/4a2382fa-fea8-42c9-85d2-27ccae86101b/Spring/create-app-system-identity-2?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/4a2382fa-fea8-42c9-85d2-27ccae86101b/Spring/create-app-system-identity-2?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -376,7 +376,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/9160e34f-50f7-4898-9c53-c689e9367ab1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/9160e34f-50f7-4898-9c53-c689e9367ab1?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/9160e34f-50f7-4898-9c53-c689e9367ab1","name":"9160e34f-50f7-4898-9c53-c689e9367ab1","status":"Succeeded","startTime":"2022-09-07T03:12:21.9104089Z","endTime":"2022-09-07T03:12:52.3535388Z"}' @@ -424,7 +424,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-system-identity-2/operationId/4a2382fa-fea8-42c9-85d2-27ccae86101b?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-system-identity-2/operationId/4a2382fa-fea8-42c9-85d2-27ccae86101b?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-system-identity-2/operationId/4a2382fa-fea8-42c9-85d2-27ccae86101b","name":"4a2382fa-fea8-42c9-85d2-27ccae86101b","status":"Succeeded","startTime":"2022-09-07T03:12:22.9363363Z","endTime":"2022-09-07T03:12:29.3555503Z"}' @@ -472,7 +472,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned","principalId":"10b971a6-1b43-4344-8e28-19fead330b43","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2","name":"create-app-system-identity-2","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:11:41.5113326Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:12:22.2771882Z"}}' @@ -522,7 +522,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2/deployments/mock-deployment?api-version=2022-09-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"create-app-system-identity-2-default-28-5fdfd8bcb-7tdmz","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T03:12:25Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:12:19.6834345Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:12:19.6834345Z"}}' @@ -572,7 +572,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned","principalId":"10b971a6-1b43-4344-8e28-19fead330b43","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2","name":"create-app-system-identity-2","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:11:41.5113326Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:12:22.2771882Z"}}' @@ -622,7 +622,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2/deployments?api-version=2022-09-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"create-app-system-identity-2-default-28-5fdfd8bcb-7tdmz","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T03:12:25Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-system-identity-2/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:12:19.6834345Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:12:19.6834345Z"}}]}' diff --git a/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_create_app_with_user_identity.yaml b/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_create_app_with_user_identity.yaml index 6d95dea7565..d667b537ee9 100644 --- a/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_create_app_with_user_identity.yaml +++ b/src/spring/azext_spring/tests/latest/app_managed_identity/recordings/test_create_app_with_user_identity.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity?api-version=2022-09-01-preview response: body: string: '{"error":{"code":"NotFound","message":"App was not found","target":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity","details":null}}' @@ -61,7 +61,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-09-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"e55ed5c1ee8942f9a36f033e7bbd28e8","networkProfile":{"outboundIPs":{"publicIPs":["20.237.103.188","20.237.103.250"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:05:42.8680393Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:11:29.9671687Z"}}' @@ -119,13 +119,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Creating","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity","name":"create-app-user-identity","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:02:25.2446169Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:02:25.2446169Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-user-identity/operationId/7eeba826-cec6-4e2e-aa57-dd4209a05996?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-user-identity/operationId/7eeba826-cec6-4e2e-aa57-dd4209a05996?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -137,7 +137,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/7eeba826-cec6-4e2e-aa57-dd4209a05996/Spring/create-app-user-identity?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/7eeba826-cec6-4e2e-aa57-dd4209a05996/Spring/create-app-user-identity?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -169,7 +169,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-user-identity/operationId/7eeba826-cec6-4e2e-aa57-dd4209a05996?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-user-identity/operationId/7eeba826-cec6-4e2e-aa57-dd4209a05996?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-user-identity/operationId/7eeba826-cec6-4e2e-aa57-dd4209a05996","name":"7eeba826-cec6-4e2e-aa57-dd4209a05996","status":"Succeeded","startTime":"2022-09-07T03:02:27.4070512Z","endTime":"2022-09-07T03:02:36.0110471Z"}' @@ -217,7 +217,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"UserAssigned","principalId":null,"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"f8c67039-dd17-48f7-a1e2-5f6884e6e8fb","clientId":"e4f56bfa-0cdb-4930-836d-62088046f751"},"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"c2d73bc7-e20e-4e4a-a61c-20d0dea549bc","clientId":"0d0f5a96-197b-47ef-9c94-99275fda77f2"}}},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity","name":"create-app-user-identity","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:02:25.2446169Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:02:25.2446169Z"}}' @@ -274,13 +274,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity/deployments/mock-deployment?api-version=2022-09-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90},"provisioningState":"Creating","status":"Running","active":true,"instances":null,"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:03:02.8539734Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:03:02.8539734Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/8a77610d-d139-4aba-af61-96baa0d176e9?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/8a77610d-d139-4aba-af61-96baa0d176e9?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -292,7 +292,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/8a77610d-d139-4aba-af61-96baa0d176e9/Spring/default?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/8a77610d-d139-4aba-af61-96baa0d176e9/Spring/default?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -329,13 +329,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"UserAssigned","principalId":null,"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"f8c67039-dd17-48f7-a1e2-5f6884e6e8fb","clientId":"e4f56bfa-0cdb-4930-836d-62088046f751"},"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"c2d73bc7-e20e-4e4a-a61c-20d0dea549bc","clientId":"0d0f5a96-197b-47ef-9c94-99275fda77f2"}}},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity","name":"create-app-user-identity","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:02:25.2446169Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:03:05.4633187Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-user-identity/operationId/9d1b53dd-a05b-4f0e-87b6-9f2d12d1b983?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-user-identity/operationId/9d1b53dd-a05b-4f0e-87b6-9f2d12d1b983?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -347,7 +347,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/9d1b53dd-a05b-4f0e-87b6-9f2d12d1b983/Spring/create-app-user-identity?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/9d1b53dd-a05b-4f0e-87b6-9f2d12d1b983/Spring/create-app-user-identity?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -379,7 +379,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/8a77610d-d139-4aba-af61-96baa0d176e9?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/8a77610d-d139-4aba-af61-96baa0d176e9?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/8a77610d-d139-4aba-af61-96baa0d176e9","name":"8a77610d-d139-4aba-af61-96baa0d176e9","status":"Succeeded","startTime":"2022-09-07T03:03:05.046743Z","endTime":"2022-09-07T03:03:32.3292434Z"}' @@ -427,7 +427,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-user-identity/operationId/9d1b53dd-a05b-4f0e-87b6-9f2d12d1b983?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-user-identity/operationId/9d1b53dd-a05b-4f0e-87b6-9f2d12d1b983?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/create-app-user-identity/operationId/9d1b53dd-a05b-4f0e-87b6-9f2d12d1b983","name":"9d1b53dd-a05b-4f0e-87b6-9f2d12d1b983","status":"Succeeded","startTime":"2022-09-07T03:03:06.4467378Z","endTime":"2022-09-07T03:03:13.0593068Z"}' @@ -475,7 +475,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"UserAssigned","principalId":null,"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"f8c67039-dd17-48f7-a1e2-5f6884e6e8fb","clientId":"e4f56bfa-0cdb-4930-836d-62088046f751"},"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"c2d73bc7-e20e-4e4a-a61c-20d0dea549bc","clientId":"0d0f5a96-197b-47ef-9c94-99275fda77f2"}}},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity","name":"create-app-user-identity","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:02:25.2446169Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:03:05.4633187Z"}}' @@ -525,7 +525,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity/deployments/mock-deployment?api-version=2022-09-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"create-app-user-identity-default-24-67fd8f6849-mhr4r","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T03:03:10Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:03:02.8539734Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:03:02.8539734Z"}}' @@ -575,7 +575,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"UserAssigned","principalId":null,"tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47","userAssignedIdentities":{"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-1":{"principalId":"f8c67039-dd17-48f7-a1e2-5f6884e6e8fb","clientId":"e4f56bfa-0cdb-4930-836d-62088046f751"},"/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli/providers/microsoft.managedidentity/userassignedidentities/managed-identity-2":{"principalId":"c2d73bc7-e20e-4e4a-a61c-20d0dea549bc","clientId":"0d0f5a96-197b-47ef-9c94-99275fda77f2"}}},"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity","name":"create-app-user-identity","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:02:25.2446169Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:03:05.4633187Z"}}' @@ -625,7 +625,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity/deployments?api-version=2022-09-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"create-app-user-identity-default-24-67fd8f6849-mhr4r","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T03:03:10Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/create-app-user-identity/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T03:03:02.8539734Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T03:03:02.8539734Z"}}]}' diff --git a/src/spring/azext_spring/tests/latest/app_managed_identity/test_app_managed_identity_force_set_scenario.py b/src/spring/azext_spring/tests/latest/app_managed_identity/test_app_managed_identity_force_set_scenario.py index 456a911ce76..035be96c1d9 100644 --- a/src/spring/azext_spring/tests/latest/app_managed_identity/test_app_managed_identity_force_set_scenario.py +++ b/src/spring/azext_spring/tests/latest/app_managed_identity/test_app_managed_identity_force_set_scenario.py @@ -5,7 +5,7 @@ from azure.cli.testsdk import (ScenarioTest, record_only) -from ....vendored_sdks.appplatform.v2022_11_01_preview.models import ManagedIdentityType +from ....vendored_sdks.appplatform.v2022_03_01_preview.models import ManagedIdentityType """ diff --git a/src/spring/azext_spring/tests/latest/app_managed_identity/test_app_managed_identity_remove.py b/src/spring/azext_spring/tests/latest/app_managed_identity/test_app_managed_identity_remove.py index d4e2ca77f0c..cef494a3031 100644 --- a/src/spring/azext_spring/tests/latest/app_managed_identity/test_app_managed_identity_remove.py +++ b/src/spring/azext_spring/tests/latest/app_managed_identity/test_app_managed_identity_remove.py @@ -5,7 +5,7 @@ import unittest from argparse import Namespace -from ....vendored_sdks.appplatform.v2022_11_01_preview.models import ManagedIdentityType +from ....vendored_sdks.appplatform.v2022_03_01_preview.models import ManagedIdentityType from ....app_managed_identity import (_get_new_identity_type_for_remove) diff --git a/src/spring/azext_spring/tests/latest/app_managed_identity/test_app_managed_identity_scenario.py b/src/spring/azext_spring/tests/latest/app_managed_identity/test_app_managed_identity_scenario.py index db451eb9e98..6215d57c510 100644 --- a/src/spring/azext_spring/tests/latest/app_managed_identity/test_app_managed_identity_scenario.py +++ b/src/spring/azext_spring/tests/latest/app_managed_identity/test_app_managed_identity_scenario.py @@ -5,7 +5,7 @@ from azure.cli.testsdk import (ScenarioTest, record_only) -from ....vendored_sdks.appplatform.v2022_11_01_preview.models import ManagedIdentityType +from ....vendored_sdks.appplatform.v2022_03_01_preview.models import ManagedIdentityType """ diff --git a/src/spring/azext_spring/tests/latest/app_managed_identity/test_create_app_with_both_identity_scenario.py b/src/spring/azext_spring/tests/latest/app_managed_identity/test_create_app_with_both_identity_scenario.py index 994c1a0eab4..3ff59d11988 100644 --- a/src/spring/azext_spring/tests/latest/app_managed_identity/test_create_app_with_both_identity_scenario.py +++ b/src/spring/azext_spring/tests/latest/app_managed_identity/test_create_app_with_both_identity_scenario.py @@ -5,7 +5,7 @@ from azure.cli.testsdk import (ScenarioTest, record_only) -from ....vendored_sdks.appplatform.v2022_11_01_preview.models import ManagedIdentityType +from ....vendored_sdks.appplatform.v2022_03_01_preview.models import ManagedIdentityType """ diff --git a/src/spring/azext_spring/tests/latest/app_managed_identity/test_create_app_with_system_identity_scenario.py b/src/spring/azext_spring/tests/latest/app_managed_identity/test_create_app_with_system_identity_scenario.py index 284afd9ed9a..24026bfed94 100644 --- a/src/spring/azext_spring/tests/latest/app_managed_identity/test_create_app_with_system_identity_scenario.py +++ b/src/spring/azext_spring/tests/latest/app_managed_identity/test_create_app_with_system_identity_scenario.py @@ -5,7 +5,7 @@ from azure.cli.testsdk import (ScenarioTest, record_only) -from ....vendored_sdks.appplatform.v2022_11_01_preview.models import ManagedIdentityType +from ....vendored_sdks.appplatform.v2022_03_01_preview.models import ManagedIdentityType @record_only() diff --git a/src/spring/azext_spring/tests/latest/app_managed_identity/test_create_app_with_user_identity_scenario.py b/src/spring/azext_spring/tests/latest/app_managed_identity/test_create_app_with_user_identity_scenario.py index e0854ca6967..d944a52b9f7 100644 --- a/src/spring/azext_spring/tests/latest/app_managed_identity/test_create_app_with_user_identity_scenario.py +++ b/src/spring/azext_spring/tests/latest/app_managed_identity/test_create_app_with_user_identity_scenario.py @@ -5,7 +5,7 @@ from azure.cli.testsdk import (ScenarioTest, record_only) -from ....vendored_sdks.appplatform.v2022_11_01_preview.models import ManagedIdentityType +from ....vendored_sdks.appplatform.v2022_03_01_preview.models import ManagedIdentityType """ diff --git a/src/spring/azext_spring/tests/latest/recordings/test_Builder.yaml b/src/spring/azext_spring/tests/latest/recordings/test_Builder.yaml index a51511c5bb8..4a0dfa20a48 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_Builder.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_Builder.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"4c0e8168e93e4d54b77d255f95557b3c","networkProfile":{"outboundIPs":{"publicIPs":["20.102.6.42","20.102.5.239"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"qingyliu@microsoft.com","createdByType":"User","createdAt":"2022-09-13T09:15:56.0034586Z","lastModifiedBy":"qingyliu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-13T09:15:56.0034586Z"}}' @@ -65,7 +65,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test-builder?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test-builder?api-version=2022-01-01-preview response: body: string: '{"error":{"code":"NotFound","message":"KPack builder does not exist","target":"default/test-builder","details":null}}' @@ -114,13 +114,13 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test-builder?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test-builder?api-version=2022-09-01-preview response: body: string: '{"type":"Microsoft.AppPlatform/Spring/buildServices/builders","properties":{"provisioningState":"Creating","stack":{"id":"io.buildpacks.stacks.bionic","version":"base"},"buildpackGroups":[{"name":"mix","buildpacks":[{"id":"tanzu-buildpacks/java-azure"}]}]},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test-builder","name":"test-builder","systemData":{"createdBy":"qingyliu@microsoft.com","createdByType":"User","createdAt":"2022-09-14T05:38:09.1999786Z","lastModifiedBy":"qingyliu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-14T05:38:09.1999786Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/cli-unittest/operationId/8e5f273d-b78f-47fa-b462-e6c366e129e7?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/cli-unittest/operationId/8e5f273d-b78f-47fa-b462-e6c366e129e7?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -132,7 +132,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/8e5f273d-b78f-47fa-b462-e6c366e129e7/Spring/cli-unittest?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/8e5f273d-b78f-47fa-b462-e6c366e129e7/Spring/cli-unittest?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -164,7 +164,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/cli-unittest/operationId/8e5f273d-b78f-47fa-b462-e6c366e129e7?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/cli-unittest/operationId/8e5f273d-b78f-47fa-b462-e6c366e129e7?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/cli-unittest/operationId/8e5f273d-b78f-47fa-b462-e6c366e129e7","name":"8e5f273d-b78f-47fa-b462-e6c366e129e7","status":"Succeeded","startTime":"2022-09-14T05:38:10.6065091Z","endTime":"2022-09-14T05:38:30.9524Z"}' @@ -212,7 +212,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test-builder?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test-builder?api-version=2022-09-01-preview response: body: string: '{"type":"Microsoft.AppPlatform/Spring/buildServices/builders","properties":{"provisioningState":"Succeeded","stack":{"id":"io.buildpacks.stacks.bionic","version":"base"},"buildpackGroups":[{"name":"mix","buildpacks":[{"id":"tanzu-buildpacks/java-azure"}]}]},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test-builder","name":"test-builder","systemData":{"createdBy":"qingyliu@microsoft.com","createdByType":"User","createdAt":"2022-09-14T05:38:09.1999786Z","lastModifiedBy":"qingyliu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-14T05:38:09.1999786Z"}}' @@ -260,7 +260,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"4c0e8168e93e4d54b77d255f95557b3c","networkProfile":{"outboundIPs":{"publicIPs":["20.102.6.42","20.102.5.239"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"qingyliu@microsoft.com","createdByType":"User","createdAt":"2022-09-13T09:15:56.0034586Z","lastModifiedBy":"qingyliu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-13T09:15:56.0034586Z"}}' @@ -310,7 +310,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test?api-version=2022-01-01-preview response: body: string: '{"type":"Microsoft.AppPlatform/Spring/buildServices/builders","properties":{"provisioningState":"Succeeded","stack":{"id":"io.buildpacks.stacks.bionic","version":"base"},"buildpackGroups":[{"name":"mix","buildpacks":[{"id":"tanzu-buildpacks/java-azure"}]}]},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test","name":"test","systemData":{"createdBy":"qingyliu@microsoft.com","createdByType":"User","createdAt":"2022-09-14T05:17:47.9520459Z","lastModifiedBy":"qingyliu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-14T05:23:16.6521425Z"}}' @@ -363,13 +363,13 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test?api-version=2022-09-01-preview response: body: string: '{"type":"Microsoft.AppPlatform/Spring/buildServices/builders","properties":{"provisioningState":"Updating","stack":{"id":"io.buildpacks.stacks.bionic","version":"base"},"buildpackGroups":[{"name":"mix","buildpacks":[{"id":"tanzu-buildpacks/java-azure"}]}]},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test","name":"test","systemData":{"createdBy":"qingyliu@microsoft.com","createdByType":"User","createdAt":"2022-09-14T05:17:47.9520459Z","lastModifiedBy":"qingyliu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-14T05:38:45.8564663Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/cli-unittest/operationId/654cc100-686f-4c9c-abab-6ffd244706c0?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/cli-unittest/operationId/654cc100-686f-4c9c-abab-6ffd244706c0?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -381,7 +381,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/654cc100-686f-4c9c-abab-6ffd244706c0/Spring/cli-unittest?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/654cc100-686f-4c9c-abab-6ffd244706c0/Spring/cli-unittest?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -413,7 +413,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/cli-unittest/operationId/654cc100-686f-4c9c-abab-6ffd244706c0?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/cli-unittest/operationId/654cc100-686f-4c9c-abab-6ffd244706c0?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/cli-unittest/operationId/654cc100-686f-4c9c-abab-6ffd244706c0","name":"654cc100-686f-4c9c-abab-6ffd244706c0","status":"Succeeded","startTime":"2022-09-14T05:38:47.3335213Z","endTime":"2022-09-14T05:39:07.3299337Z"}' @@ -457,7 +457,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test?api-version=2022-09-01-preview response: body: string: '{"type":"Microsoft.AppPlatform/Spring/buildServices/builders","properties":{"provisioningState":"Succeeded","stack":{"id":"io.buildpacks.stacks.bionic","version":"base"},"buildpackGroups":[{"name":"mix","buildpacks":[{"id":"tanzu-buildpacks/java-azure"}]}]},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test","name":"test","systemData":{"createdBy":"qingyliu@microsoft.com","createdByType":"User","createdAt":"2022-09-14T05:17:47.9520459Z","lastModifiedBy":"qingyliu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-14T05:38:45.8564663Z"}}' @@ -501,7 +501,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"4c0e8168e93e4d54b77d255f95557b3c","networkProfile":{"outboundIPs":{"publicIPs":["20.102.6.42","20.102.5.239"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"qingyliu@microsoft.com","createdByType":"User","createdAt":"2022-09-13T09:15:56.0034586Z","lastModifiedBy":"qingyliu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-13T09:15:56.0034586Z"}}' @@ -551,7 +551,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test-builder?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test-builder?api-version=2022-09-01-preview response: body: string: '{"type":"Microsoft.AppPlatform/Spring/buildServices/builders","properties":{"provisioningState":"Succeeded","stack":{"id":"io.buildpacks.stacks.bionic","version":"base"},"buildpackGroups":[{"name":"mix","buildpacks":[{"id":"tanzu-buildpacks/java-azure"}]}]},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test-builder","name":"test-builder","systemData":{"createdBy":"qingyliu@microsoft.com","createdByType":"User","createdAt":"2022-09-14T05:38:09.1999786Z","lastModifiedBy":"qingyliu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-14T05:38:09.1999786Z"}}' @@ -599,7 +599,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"4c0e8168e93e4d54b77d255f95557b3c","networkProfile":{"outboundIPs":{"publicIPs":["20.102.6.42","20.102.5.239"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"qingyliu@microsoft.com","createdByType":"User","createdAt":"2022-09-13T09:15:56.0034586Z","lastModifiedBy":"qingyliu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-13T09:15:56.0034586Z"}}' @@ -651,7 +651,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/default/listUsingDeployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/default/listUsingDeployments?api-version=2022-09-01-preview response: body: string: '{"deployments":["/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test/deployments/default"]}' @@ -701,7 +701,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"4c0e8168e93e4d54b77d255f95557b3c","networkProfile":{"outboundIPs":{"publicIPs":["20.102.6.42","20.102.5.239"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"qingyliu@microsoft.com","createdByType":"User","createdAt":"2022-09-13T09:15:56.0034586Z","lastModifiedBy":"qingyliu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-13T09:15:56.0034586Z"}}' @@ -753,13 +753,13 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test-builder?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/buildServices/default/builders/test-builder?api-version=2022-09-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/cli-unittest/operationId/d7d513b7-4061-4bc6-8cb9-69adde3eb5c2?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/cli-unittest/operationId/d7d513b7-4061-4bc6-8cb9-69adde3eb5c2?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -769,7 +769,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/d7d513b7-4061-4bc6-8cb9-69adde3eb5c2/Spring/cli-unittest?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/d7d513b7-4061-4bc6-8cb9-69adde3eb5c2/Spring/cli-unittest?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -801,7 +801,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/cli-unittest/operationId/d7d513b7-4061-4bc6-8cb9-69adde3eb5c2?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/cli-unittest/operationId/d7d513b7-4061-4bc6-8cb9-69adde3eb5c2?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/cli-unittest/operationId/d7d513b7-4061-4bc6-8cb9-69adde3eb5c2","name":"d7d513b7-4061-4bc6-8cb9-69adde3eb5c2","status":"Succeeded","startTime":"2022-09-14T05:39:32.1387832Z","endTime":"2022-09-14T05:39:38.7014511Z"}' diff --git a/src/spring/azext_spring/tests/latest/recordings/test_api_portal.yaml b/src/spring/azext_spring/tests/latest/recordings/test_api_portal.yaml index 4413280f273..33c7bead0d7 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_api_portal.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_api_portal.yaml @@ -16,7 +16,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","public":false,"url":"","httpsOnly":false,"ssoProperties":{"scope":["openid","profile","email"],"clientId":"*","clientSecret":"*","issuerUri":"https://login.microsoftonline.com/72f988bf-86f1-41af-91ab-2d7cd011db47/v2.0"},"gatewayIds":["/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default"],"resourceRequests":{"cpu":"500m","memory":"1Gi"},"instances":[{"name":"asc-api-portal-default-569ccd9db-sgj2d","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/apiPortals","sku":{"name":"E0","tier":"Enterprise","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.5105937Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T03:55:50.2322725Z"}}' @@ -72,13 +72,13 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Updating","public":true,"url":"","httpsOnly":true,"ssoProperties":{"scope":["openid","profile","email"],"clientId":"*","clientSecret":"*","issuerUri":"https://login.microsoftonline.com/72f988bf-86f1-41af-91ab-2d7cd011db47/v2.0"},"gatewayIds":["/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default"],"resourceRequests":{"cpu":"500m","memory":"1Gi"},"instances":[{"name":"asc-api-portal-default-569ccd9db-sgj2d","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/apiPortals","sku":{"name":"E0","tier":"Enterprise","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.5105937Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T03:57:51.1396245Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/c0cc3c64-fae3-4684-b971-4e87fce41d79?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/c0cc3c64-fae3-4684-b971-4e87fce41d79?api-version=2022-01-01-preview cache-control: - no-cache content-length: @@ -90,7 +90,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/c0cc3c64-fae3-4684-b971-4e87fce41d79/Spring/tx-enterprise?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/c0cc3c64-fae3-4684-b971-4e87fce41d79/Spring/tx-enterprise?api-version=2022-01-01-preview pragma: - no-cache request-context: @@ -123,7 +123,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/c0cc3c64-fae3-4684-b971-4e87fce41d79?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/c0cc3c64-fae3-4684-b971-4e87fce41d79?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/c0cc3c64-fae3-4684-b971-4e87fce41d79","name":"c0cc3c64-fae3-4684-b971-4e87fce41d79","status":"Running","startTime":"2023-01-10T03:57:52.0088807Z"}' @@ -172,7 +172,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/c0cc3c64-fae3-4684-b971-4e87fce41d79?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/c0cc3c64-fae3-4684-b971-4e87fce41d79?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/c0cc3c64-fae3-4684-b971-4e87fce41d79","name":"c0cc3c64-fae3-4684-b971-4e87fce41d79","status":"Running","startTime":"2023-01-10T03:57:52.0088807Z"}' @@ -221,7 +221,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/c0cc3c64-fae3-4684-b971-4e87fce41d79?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/c0cc3c64-fae3-4684-b971-4e87fce41d79?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/c0cc3c64-fae3-4684-b971-4e87fce41d79","name":"c0cc3c64-fae3-4684-b971-4e87fce41d79","status":"Succeeded","startTime":"2023-01-10T03:57:52.0088807Z","endTime":"2023-01-10T03:58:14.0649531Z"}' @@ -270,7 +270,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","public":true,"url":"tx-enterprise-apiportal-d07d1.svc.asc-test.net","httpsOnly":true,"ssoProperties":{"scope":["openid","profile","email"],"clientId":"*","clientSecret":"*","issuerUri":"https://login.microsoftonline.com/72f988bf-86f1-41af-91ab-2d7cd011db47/v2.0"},"gatewayIds":["/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default"],"resourceRequests":{"cpu":"500m","memory":"1Gi"},"instances":[{"name":"asc-api-portal-default-569ccd9db-sgj2d","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/apiPortals","sku":{"name":"E0","tier":"Enterprise","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.5105937Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T03:57:51.1396245Z"}}' @@ -318,7 +318,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -368,7 +368,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","public":true,"url":"tx-enterprise-apiportal-d07d1.svc.asc-test.net","httpsOnly":true,"ssoProperties":{"scope":["openid","profile","email"],"clientId":"*","clientSecret":"*","issuerUri":"https://login.microsoftonline.com/72f988bf-86f1-41af-91ab-2d7cd011db47/v2.0"},"gatewayIds":["/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default"],"resourceRequests":{"cpu":"500m","memory":"1Gi"},"instances":[{"name":"asc-api-portal-default-569ccd9db-sgj2d","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/apiPortals","sku":{"name":"E0","tier":"Enterprise","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.5105937Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T03:57:51.1396245Z"}}' @@ -416,7 +416,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -466,7 +466,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","public":true,"url":"tx-enterprise-apiportal-d07d1.svc.asc-test.net","httpsOnly":true,"ssoProperties":{"scope":["openid","profile","email"],"clientId":"*","clientSecret":"*","issuerUri":"https://login.microsoftonline.com/72f988bf-86f1-41af-91ab-2d7cd011db47/v2.0"},"gatewayIds":["/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default"],"resourceRequests":{"cpu":"500m","memory":"1Gi"},"instances":[{"name":"asc-api-portal-default-569ccd9db-sgj2d","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/apiPortals","sku":{"name":"E0","tier":"Enterprise","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.5105937Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T03:57:51.1396245Z"}}' @@ -519,13 +519,13 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Updating","public":false,"url":"tx-enterprise-apiportal-d07d1.svc.asc-test.net","httpsOnly":false,"gatewayIds":["/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default"],"resourceRequests":{"cpu":"500m","memory":"1Gi"},"instances":[{"name":"asc-api-portal-default-569ccd9db-sgj2d","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/apiPortals","sku":{"name":"E0","tier":"Enterprise","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.5105937Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T03:58:27.3148636Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60?api-version=2022-01-01-preview cache-control: - no-cache content-length: @@ -537,7 +537,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/0c2e17dc-8ce4-4729-973d-de46b2f26c60/Spring/tx-enterprise?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/0c2e17dc-8ce4-4729-973d-de46b2f26c60/Spring/tx-enterprise?api-version=2022-01-01-preview pragma: - no-cache request-context: @@ -569,7 +569,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60","name":"0c2e17dc-8ce4-4729-973d-de46b2f26c60","status":"Running","startTime":"2023-01-10T03:58:27.972877Z"}' @@ -617,7 +617,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60","name":"0c2e17dc-8ce4-4729-973d-de46b2f26c60","status":"Running","startTime":"2023-01-10T03:58:27.972877Z"}' @@ -665,7 +665,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60","name":"0c2e17dc-8ce4-4729-973d-de46b2f26c60","status":"Running","startTime":"2023-01-10T03:58:27.972877Z"}' @@ -713,7 +713,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60","name":"0c2e17dc-8ce4-4729-973d-de46b2f26c60","status":"Running","startTime":"2023-01-10T03:58:27.972877Z"}' @@ -761,7 +761,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60","name":"0c2e17dc-8ce4-4729-973d-de46b2f26c60","status":"Running","startTime":"2023-01-10T03:58:27.972877Z"}' @@ -809,7 +809,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60","name":"0c2e17dc-8ce4-4729-973d-de46b2f26c60","status":"Running","startTime":"2023-01-10T03:58:27.972877Z"}' @@ -857,7 +857,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60","name":"0c2e17dc-8ce4-4729-973d-de46b2f26c60","status":"Running","startTime":"2023-01-10T03:58:27.972877Z"}' @@ -905,7 +905,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60","name":"0c2e17dc-8ce4-4729-973d-de46b2f26c60","status":"Running","startTime":"2023-01-10T03:58:27.972877Z"}' @@ -953,7 +953,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/0c2e17dc-8ce4-4729-973d-de46b2f26c60","name":"0c2e17dc-8ce4-4729-973d-de46b2f26c60","status":"Succeeded","startTime":"2023-01-10T03:58:27.972877Z","endTime":"2023-01-10T03:59:47.8922599Z"}' @@ -1001,7 +1001,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","public":false,"url":"","httpsOnly":false,"gatewayIds":["/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default"],"resourceRequests":{"cpu":"500m","memory":"1Gi"},"instances":[{"name":"asc-api-portal-default-7bd684fc9c-pv7ch","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/apiPortals","sku":{"name":"E0","tier":"Enterprise","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.5105937Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T03:58:27.3148636Z"}}' @@ -1049,7 +1049,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -1101,13 +1101,13 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default?api-version=2022-01-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/360604e7-6995-427b-8c9f-679f05ef0053?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/360604e7-6995-427b-8c9f-679f05ef0053?api-version=2022-01-01-preview cache-control: - no-cache content-length: @@ -1117,7 +1117,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/360604e7-6995-427b-8c9f-679f05ef0053/Spring/tx-enterprise?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/360604e7-6995-427b-8c9f-679f05ef0053/Spring/tx-enterprise?api-version=2022-01-01-preview pragma: - no-cache request-context: @@ -1149,7 +1149,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/360604e7-6995-427b-8c9f-679f05ef0053?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/360604e7-6995-427b-8c9f-679f05ef0053?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/360604e7-6995-427b-8c9f-679f05ef0053","name":"360604e7-6995-427b-8c9f-679f05ef0053","status":"Running","startTime":"2023-01-10T03:59:58.9228891Z"}' @@ -1197,7 +1197,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/360604e7-6995-427b-8c9f-679f05ef0053?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/360604e7-6995-427b-8c9f-679f05ef0053?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/360604e7-6995-427b-8c9f-679f05ef0053","name":"360604e7-6995-427b-8c9f-679f05ef0053","status":"Succeeded","startTime":"2023-01-10T03:59:58.9228891Z","endTime":"2023-01-10T04:00:06.7035564Z"}' @@ -1245,7 +1245,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -1295,7 +1295,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -1349,13 +1349,13 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Creating","public":false,"httpsOnly":false,"gatewayIds":["/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default"],"resourceRequests":{"cpu":"500m","memory":"1Gi"},"instances":[]},"type":"Microsoft.AppPlatform/Spring/apiPortals","sku":{"name":"E0","tier":"Enterprise","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-10T04:00:15.6209168Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:00:15.6209168Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b?api-version=2022-01-01-preview cache-control: - no-cache content-length: @@ -1367,7 +1367,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/e0838d07-d161-4831-b79e-b382f954342b/Spring/tx-enterprise?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/e0838d07-d161-4831-b79e-b382f954342b/Spring/tx-enterprise?api-version=2022-01-01-preview pragma: - no-cache request-context: @@ -1399,7 +1399,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b","name":"e0838d07-d161-4831-b79e-b382f954342b","status":"Running","startTime":"2023-01-10T04:00:16.2768813Z"}' @@ -1447,7 +1447,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b","name":"e0838d07-d161-4831-b79e-b382f954342b","status":"Running","startTime":"2023-01-10T04:00:16.2768813Z"}' @@ -1495,7 +1495,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b","name":"e0838d07-d161-4831-b79e-b382f954342b","status":"Running","startTime":"2023-01-10T04:00:16.2768813Z"}' @@ -1543,7 +1543,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b","name":"e0838d07-d161-4831-b79e-b382f954342b","status":"Running","startTime":"2023-01-10T04:00:16.2768813Z"}' @@ -1591,7 +1591,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b","name":"e0838d07-d161-4831-b79e-b382f954342b","status":"Running","startTime":"2023-01-10T04:00:16.2768813Z"}' @@ -1639,7 +1639,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b","name":"e0838d07-d161-4831-b79e-b382f954342b","status":"Running","startTime":"2023-01-10T04:00:16.2768813Z"}' @@ -1687,7 +1687,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b","name":"e0838d07-d161-4831-b79e-b382f954342b","status":"Running","startTime":"2023-01-10T04:00:16.2768813Z"}' @@ -1735,7 +1735,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b","name":"e0838d07-d161-4831-b79e-b382f954342b","status":"Running","startTime":"2023-01-10T04:00:16.2768813Z"}' @@ -1783,7 +1783,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/e0838d07-d161-4831-b79e-b382f954342b","name":"e0838d07-d161-4831-b79e-b382f954342b","status":"Succeeded","startTime":"2023-01-10T04:00:16.2768813Z","endTime":"2023-01-10T04:01:35.4397089Z"}' @@ -1831,7 +1831,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","public":false,"url":"","httpsOnly":false,"gatewayIds":["/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default"],"resourceRequests":{"cpu":"500m","memory":"1Gi"},"instances":[{"name":"asc-api-portal-default-7bd684fc9c-ctx9v","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/apiPortals","sku":{"name":"E0","tier":"Enterprise","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-10T04:00:15.6209168Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:00:15.6209168Z"}}' @@ -1879,7 +1879,7 @@ interactions: User-Agent: - AZURECLI/2.31.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.5 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/certificates/cli-unittest?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/certificates/cli-unittest?api-version=2022-01-01-preview response: body: string: '{"properties":{"vaultUri":"https://integration-test-prod.vault.azure.net","keyVaultCertName":"cli-unittest","certVersion":"b7518f6674c744cb8eca1e83fc221e56","excludePrivateKey":false,"type":"KeyVaultCertificate","thumbprint":"ef16ce1a35ecd6b7a9d4e546a5b1d480b38f3e5d","issuer":"*.asc-test.net","expirationDate":"2022-12-13T04:50:31.000+00:00","activateDate":"2021-12-13T04:40:31.000+00:00","subjectName":"*.asc-test.net","dnsNames":["cli.asc-test.net"]},"type":"Microsoft.AppPlatform/Spring/certificates","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/certificates/cli-unittest","name":"cli-unittest"}' @@ -1929,7 +1929,7 @@ interactions: User-Agent: - AZURECLI/2.31.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.5 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"2b82253390324f40b72979245318a2f8","networkProfile":{"outboundIPs":{"publicIPs":["20.62.180.122","20.62.180.124"]}},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"xiading@microsoft.com","createdByType":"User","createdAt":"2021-12-13T10:11:28.9082846Z","lastModifiedBy":"xiading@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2021-12-13T10:11:28.9082846Z"}}' @@ -1985,7 +1985,7 @@ interactions: User-Agent: - AZURECLI/2.31.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.5 (Windows-10-10.0.19041-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default/domains/api-portal-cli.asc-test.net?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default/domains/api-portal-cli.asc-test.net?api-version=2022-01-01-preview response: body: string: '{"properties":{"thumbprint":""},"type":"Microsoft.AppPlatform/Spring/apiPortals/domains","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default/domains/api-portal-cli.asc-test.net","name":"api-portal-cli.asc-test.net"}' @@ -2037,7 +2037,7 @@ interactions: User-Agent: - AZURECLI/2.31.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.5 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"2b82253390324f40b72979245318a2f8","networkProfile":{"outboundIPs":{"publicIPs":["20.62.180.122","20.62.180.124"]}},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"xiading@microsoft.com","createdByType":"User","createdAt":"2021-12-13T10:11:28.9082846Z","lastModifiedBy":"xiading@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2021-12-13T10:11:28.9082846Z"}}' @@ -2089,7 +2089,7 @@ interactions: User-Agent: - AZURECLI/2.31.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.5 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default/domains/api-portal-cli.asc-test.net?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default/domains/api-portal-cli.asc-test.net?api-version=2022-01-01-preview response: body: string: '{"properties":{"thumbprint":""},"type":"Microsoft.AppPlatform/Spring/apiPortals/domains","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default/domains/api-portal-cli.asc-test.net","name":"api-portal-cli.asc-test.net"}' @@ -2139,7 +2139,7 @@ interactions: User-Agent: - AZURECLI/2.31.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.5 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"2b82253390324f40b72979245318a2f8","networkProfile":{"outboundIPs":{"publicIPs":["20.62.180.122","20.62.180.124"]}},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"xiading@microsoft.com","createdByType":"User","createdAt":"2021-12-13T10:11:28.9082846Z","lastModifiedBy":"xiading@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2021-12-13T10:11:28.9082846Z"}}' @@ -2191,7 +2191,7 @@ interactions: User-Agent: - AZURECLI/2.31.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.5 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default/domains?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default/domains?api-version=2022-01-01-preview response: body: string: '{"value":[{"properties":{"thumbprint":""},"type":"Microsoft.AppPlatform/Spring/apiPortals/domains","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default/domains/api-portal-cli.asc-test.net","name":"api-portal-cli.asc-test.net"}]}' @@ -2241,7 +2241,7 @@ interactions: User-Agent: - AZURECLI/2.31.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.5 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"2b82253390324f40b72979245318a2f8","networkProfile":{"outboundIPs":{"publicIPs":["20.62.180.122","20.62.180.124"]}},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"xiading@microsoft.com","createdByType":"User","createdAt":"2021-12-13T10:11:28.9082846Z","lastModifiedBy":"xiading@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2021-12-13T10:11:28.9082846Z"}}' @@ -2293,7 +2293,7 @@ interactions: User-Agent: - AZURECLI/2.31.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.5 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/certificates/cli-unittest?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/certificates/cli-unittest?api-version=2022-01-01-preview response: body: string: '{"properties":{"vaultUri":"https://integration-test-prod.vault.azure.net","keyVaultCertName":"cli-unittest","certVersion":"b7518f6674c744cb8eca1e83fc221e56","excludePrivateKey":false,"type":"KeyVaultCertificate","thumbprint":"ef16ce1a35ecd6b7a9d4e546a5b1d480b38f3e5d","issuer":"*.asc-test.net","expirationDate":"2022-12-13T04:50:31.000+00:00","activateDate":"2021-12-13T04:40:31.000+00:00","subjectName":"*.asc-test.net","dnsNames":["cli.asc-test.net"]},"type":"Microsoft.AppPlatform/Spring/certificates","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/certificates/cli-unittest","name":"cli-unittest"}' @@ -2347,7 +2347,7 @@ interactions: User-Agent: - AZURECLI/2.31.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.5 (Windows-10-10.0.19041-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default/domains/api-portal-cli.asc-test.net?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default/domains/api-portal-cli.asc-test.net?api-version=2022-01-01-preview response: body: string: '{"properties":{"thumbprint":"ef16ce1a35ecd6b7a9d4e546a5b1d480b38f3e5d"},"type":"Microsoft.AppPlatform/Spring/apiPortals/domains","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default/domains/api-portal-cli.asc-test.net","name":"api-portal-cli.asc-test.net"}' @@ -2399,7 +2399,7 @@ interactions: User-Agent: - AZURECLI/2.31.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.5 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"2b82253390324f40b72979245318a2f8","networkProfile":{"outboundIPs":{"publicIPs":["20.62.180.122","20.62.180.124"]}},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"xiading@microsoft.com","createdByType":"User","createdAt":"2021-12-13T10:11:28.9082846Z","lastModifiedBy":"xiading@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2021-12-13T10:11:28.9082846Z"}}' @@ -2451,7 +2451,7 @@ interactions: User-Agent: - AZURECLI/2.31.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.5 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default/domains/api-portal-cli.asc-test.net?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default/domains/api-portal-cli.asc-test.net?api-version=2022-01-01-preview response: body: string: '{"properties":{"thumbprint":"ef16ce1a35ecd6b7a9d4e546a5b1d480b38f3e5d"},"type":"Microsoft.AppPlatform/Spring/apiPortals/domains","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default/domains/api-portal-cli.asc-test.net","name":"api-portal-cli.asc-test.net"}' @@ -2503,7 +2503,7 @@ interactions: User-Agent: - AZURECLI/2.31.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.5 (Windows-10-10.0.19041-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default/domains/api-portal-cli.asc-test.net?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default/domains/api-portal-cli.asc-test.net?api-version=2022-01-01-preview response: body: string: '' @@ -2549,7 +2549,7 @@ interactions: User-Agent: - AZURECLI/2.31.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.5 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"2b82253390324f40b72979245318a2f8","networkProfile":{"outboundIPs":{"publicIPs":["20.62.180.122","20.62.180.124"]}},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"xiading@microsoft.com","createdByType":"User","createdAt":"2021-12-13T10:11:28.9082846Z","lastModifiedBy":"xiading@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2021-12-13T10:11:28.9082846Z"}}' @@ -2601,7 +2601,7 @@ interactions: User-Agent: - AZURECLI/2.31.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.5 (Windows-10-10.0.19041-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default/domains/api-portal-cli.asc-test.net?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apiPortals/default/domains/api-portal-cli.asc-test.net?api-version=2022-01-01-preview response: body: string: '{"error":{"code":"EntityNotFound","message":"CustomDomain ''api-portal-cli.asc-test.net'' diff --git a/src/spring/azext_spring/tests/latest/recordings/test_app_connect.yaml b/src/spring/azext_spring/tests/latest/recordings/test_app_connect.yaml index 8ac330f7d88..7a37f85bcfb 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_app_connect.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_app_connect.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.4 (Linux-5.15.57.1-microsoft-standard-WSL2-x86_64-with-glibc2.35) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments?api-version=2022-05-01-preview response: body: string: '{"error":{"code":"ResourceGroupNotFound","message":"Resource group diff --git a/src/spring/azext_spring/tests/latest/recordings/test_app_crud.yaml b/src/spring/azext_spring/tests/latest/recordings/test_app_crud.yaml index 16dc3e8d51d..93ae22aa279 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_app_crud.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_app_crud.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-09-01-preview response: body: string: '{"error":{"code":"NotFound","message":"App was not found","target":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app","details":null}}' @@ -61,7 +61,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-09-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"e55ed5c1ee8942f9a36f033e7bbd28e8","networkProfile":{"outboundIPs":{"publicIPs":["20.237.103.188","20.237.103.250"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:05:42.8680393Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:11:29.9671687Z"}}' @@ -116,13 +116,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Creating","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app","name":"test-crud-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:11:31.9182282Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:11:31.9182282Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app/operationId/cb4b1ae6-219f-421d-b735-59f607f5c040?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app/operationId/cb4b1ae6-219f-421d-b735-59f607f5c040?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -134,7 +134,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/cb4b1ae6-219f-421d-b735-59f607f5c040/Spring/test-crud-app?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/cb4b1ae6-219f-421d-b735-59f607f5c040/Spring/test-crud-app?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -166,7 +166,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app/operationId/cb4b1ae6-219f-421d-b735-59f607f5c040?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app/operationId/cb4b1ae6-219f-421d-b735-59f607f5c040?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app/operationId/cb4b1ae6-219f-421d-b735-59f607f5c040","name":"cb4b1ae6-219f-421d-b735-59f607f5c040","status":"Succeeded","startTime":"2022-09-07T06:11:32.9251735Z","endTime":"2022-09-07T06:11:39.213316Z"}' @@ -214,7 +214,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app","name":"test-crud-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:11:31.9182282Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:11:31.9182282Z"}}' @@ -271,13 +271,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/mock-deployment?api-version=2022-09-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"foo":"bar"},"terminationGracePeriodSeconds":90},"provisioningState":"Creating","status":"Running","active":true,"instances":null,"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:12:08.3089326Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:12:08.3089326Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/966d7e4d-f627-4a5b-bc79-d123b4b436d7?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/966d7e4d-f627-4a5b-bc79-d123b4b436d7?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -289,7 +289,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/966d7e4d-f627-4a5b-bc79-d123b4b436d7/Spring/default?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/966d7e4d-f627-4a5b-bc79-d123b4b436d7/Spring/default?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -326,13 +326,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app","name":"test-crud-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:11:31.9182282Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:12:10.8245634Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app/operationId/94c9b3ad-2060-4e64-8618-471b0663c4f8?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app/operationId/94c9b3ad-2060-4e64-8618-471b0663c4f8?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -344,7 +344,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/94c9b3ad-2060-4e64-8618-471b0663c4f8/Spring/test-crud-app?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/94c9b3ad-2060-4e64-8618-471b0663c4f8/Spring/test-crud-app?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -376,7 +376,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/966d7e4d-f627-4a5b-bc79-d123b4b436d7?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/966d7e4d-f627-4a5b-bc79-d123b4b436d7?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/966d7e4d-f627-4a5b-bc79-d123b4b436d7","name":"966d7e4d-f627-4a5b-bc79-d123b4b436d7","status":"Succeeded","startTime":"2022-09-07T06:12:10.2482199Z","endTime":"2022-09-07T06:12:32.4936271Z"}' @@ -424,7 +424,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app/operationId/94c9b3ad-2060-4e64-8618-471b0663c4f8?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app/operationId/94c9b3ad-2060-4e64-8618-471b0663c4f8?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app/operationId/94c9b3ad-2060-4e64-8618-471b0663c4f8","name":"94c9b3ad-2060-4e64-8618-471b0663c4f8","status":"Succeeded","startTime":"2022-09-07T06:12:11.4867409Z","endTime":"2022-09-07T06:12:18.5010133Z"}' @@ -472,7 +472,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app","name":"test-crud-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:11:31.9182282Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:12:10.8245634Z"}}' @@ -522,7 +522,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/mock-deployment?api-version=2022-09-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"foo":"bar"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-crud-app-default-13-78fc7857dd-x5cqf","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:12:21Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:12:08.3089326Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:12:08.3089326Z"}}' @@ -572,7 +572,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app","name":"test-crud-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:11:31.9182282Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:12:10.8245634Z"}}' @@ -622,7 +622,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments?api-version=2022-09-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"foo":"bar"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-crud-app-default-13-78fc7857dd-x5cqf","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:12:21Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:12:08.3089326Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:12:08.3089326Z"}}]}' @@ -672,7 +672,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments?api-version=2022-05-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"foo":"bar"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-crud-app-default-13-78fc7857dd-x5cqf","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:12:21Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:12:08.3089326Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:12:08.3089326Z"}}]}' @@ -729,13 +729,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/mock-deployment?api-version=2022-05-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"foo":"bar"},"terminationGracePeriodSeconds":90},"provisioningState":"Creating","status":"Running","active":false,"instances":null,"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":2},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/green","name":"green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:13:55.414023Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:13:55.414023Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/61a848e2-d689-4c2a-bb1b-421c0362e8c4?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/61a848e2-d689-4c2a-bb1b-421c0362e8c4?api-version=2022-05-01-preview cache-control: - no-cache content-length: @@ -747,7 +747,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/61a848e2-d689-4c2a-bb1b-421c0362e8c4/Spring/green?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/61a848e2-d689-4c2a-bb1b-421c0362e8c4/Spring/green?api-version=2022-05-01-preview pragma: - no-cache request-context: @@ -779,7 +779,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/61a848e2-d689-4c2a-bb1b-421c0362e8c4?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/61a848e2-d689-4c2a-bb1b-421c0362e8c4?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/61a848e2-d689-4c2a-bb1b-421c0362e8c4","name":"61a848e2-d689-4c2a-bb1b-421c0362e8c4","status":"Running","startTime":"2022-09-07T06:13:57.8591579Z"}' @@ -827,7 +827,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/61a848e2-d689-4c2a-bb1b-421c0362e8c4?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/61a848e2-d689-4c2a-bb1b-421c0362e8c4?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/61a848e2-d689-4c2a-bb1b-421c0362e8c4","name":"61a848e2-d689-4c2a-bb1b-421c0362e8c4","status":"Running","startTime":"2022-09-07T06:13:57.8591579Z"}' @@ -875,7 +875,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/61a848e2-d689-4c2a-bb1b-421c0362e8c4?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/61a848e2-d689-4c2a-bb1b-421c0362e8c4?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/61a848e2-d689-4c2a-bb1b-421c0362e8c4","name":"61a848e2-d689-4c2a-bb1b-421c0362e8c4","status":"Running","startTime":"2022-09-07T06:13:57.8591579Z"}' @@ -923,7 +923,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/61a848e2-d689-4c2a-bb1b-421c0362e8c4?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/61a848e2-d689-4c2a-bb1b-421c0362e8c4?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/61a848e2-d689-4c2a-bb1b-421c0362e8c4","name":"61a848e2-d689-4c2a-bb1b-421c0362e8c4","status":"Running","startTime":"2022-09-07T06:13:57.8591579Z"}' @@ -971,7 +971,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/61a848e2-d689-4c2a-bb1b-421c0362e8c4?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/61a848e2-d689-4c2a-bb1b-421c0362e8c4?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/61a848e2-d689-4c2a-bb1b-421c0362e8c4","name":"61a848e2-d689-4c2a-bb1b-421c0362e8c4","status":"Succeeded","startTime":"2022-09-07T06:13:57.8591579Z","endTime":"2022-09-07T06:15:09.542631Z"}' @@ -1019,7 +1019,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/mock-deployment?api-version=2022-05-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"foo":"bar"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-crud-app-green-13-754b49586b-6gnxd","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:14:04Z"},{"name":"test-crud-app-green-13-754b49586b-cdghh","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:14:04Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":2},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/green","name":"green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:13:55.414023Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:13:55.414023Z"}}' @@ -1069,7 +1069,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments?api-version=2022-05-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"foo":"bar"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-crud-app-default-13-78fc7857dd-x5cqf","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:12:21Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:12:08.3089326Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:12:08.3089326Z"}},{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"foo":"bar"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-crud-app-green-13-754b49586b-6gnxd","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:14:04Z"},{"name":"test-crud-app-green-13-754b49586b-cdghh","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:14:04Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":2},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/green","name":"green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:13:55.414023Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:13:55.414023Z"}}]}' @@ -1119,7 +1119,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"e55ed5c1ee8942f9a36f033e7bbd28e8","networkProfile":{"outboundIPs":{"publicIPs":["20.237.103.188","20.237.103.250"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:05:42.8680393Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:11:29.9671687Z"}}' @@ -1173,13 +1173,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app","name":"test-crud-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:11:31.9182282Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:16:01.266639Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app/operationId/32806c47-f784-495e-b033-4ee161101691?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app/operationId/32806c47-f784-495e-b033-4ee161101691?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -1191,7 +1191,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/32806c47-f784-495e-b033-4ee161101691/Spring/test-crud-app?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/32806c47-f784-495e-b033-4ee161101691/Spring/test-crud-app?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -1229,13 +1229,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/mock-deployment?api-version=2022-09-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"foo":"bar"},"terminationGracePeriodSeconds":90},"provisioningState":"Updating","status":"Running","active":true,"instances":null,"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_11"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:12:08.3089326Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:16:03.5322783Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/014ca80b-2bfa-45af-9025-52fce0fee3f0?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/014ca80b-2bfa-45af-9025-52fce0fee3f0?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -1247,7 +1247,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/014ca80b-2bfa-45af-9025-52fce0fee3f0/Spring/default?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/014ca80b-2bfa-45af-9025-52fce0fee3f0/Spring/default?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -1279,7 +1279,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app/operationId/32806c47-f784-495e-b033-4ee161101691?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app/operationId/32806c47-f784-495e-b033-4ee161101691?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app/operationId/32806c47-f784-495e-b033-4ee161101691","name":"32806c47-f784-495e-b033-4ee161101691","status":"Succeeded","startTime":"2022-09-07T06:16:03.0053511Z","endTime":"2022-09-07T06:16:09.634366Z"}' @@ -1327,7 +1327,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app","name":"test-crud-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:11:31.9182282Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:16:01.266639Z"}}' @@ -1377,7 +1377,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/014ca80b-2bfa-45af-9025-52fce0fee3f0?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/014ca80b-2bfa-45af-9025-52fce0fee3f0?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/014ca80b-2bfa-45af-9025-52fce0fee3f0","name":"014ca80b-2bfa-45af-9025-52fce0fee3f0","status":"Running","startTime":"2022-09-07T06:16:05.6760055Z"}' @@ -1425,7 +1425,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/014ca80b-2bfa-45af-9025-52fce0fee3f0?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/014ca80b-2bfa-45af-9025-52fce0fee3f0?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/014ca80b-2bfa-45af-9025-52fce0fee3f0","name":"014ca80b-2bfa-45af-9025-52fce0fee3f0","status":"Succeeded","startTime":"2022-09-07T06:16:05.6760055Z","endTime":"2022-09-07T06:16:43.2242881Z"}' @@ -1473,7 +1473,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/mock-deployment?api-version=2022-09-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"foo":"bar"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-crud-app-default-13-78fc7857dd-x5cqf","status":"Terminating","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:12:21Z"},{"name":"test-crud-app-default-13-f86658f9c-j7bz8","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:16:17Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_11"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:12:08.3089326Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:16:03.5322783Z"}}' @@ -1523,7 +1523,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app","name":"test-crud-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:11:31.9182282Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:16:01.266639Z"}}' @@ -1573,7 +1573,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments?api-version=2022-09-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"foo":"bar"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-crud-app-default-13-f86658f9c-j7bz8","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:16:17Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_11"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:12:08.3089326Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:16:03.5322783Z"}},{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"foo":"bar"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-crud-app-green-13-754b49586b-6gnxd","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:14:04Z"},{"name":"test-crud-app-green-13-754b49586b-cdghh","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:14:04Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":2},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app/deployments/green","name":"green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:13:55.414023Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:13:55.414023Z"}}]}' @@ -1623,7 +1623,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app","name":"test-crud-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:11:31.9182282Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:16:01.266639Z"}}' @@ -1675,13 +1675,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app?api-version=2022-09-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app/operationId/3c84454c-1343-4692-83f7-d73063b3ffd7?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app/operationId/3c84454c-1343-4692-83f7-d73063b3ffd7?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -1691,7 +1691,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/3c84454c-1343-4692-83f7-d73063b3ffd7/Spring/test-crud-app?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/3c84454c-1343-4692-83f7-d73063b3ffd7/Spring/test-crud-app?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -1723,7 +1723,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app/operationId/3c84454c-1343-4692-83f7-d73063b3ffd7?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app/operationId/3c84454c-1343-4692-83f7-d73063b3ffd7?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app/operationId/3c84454c-1343-4692-83f7-d73063b3ffd7","name":"3c84454c-1343-4692-83f7-d73063b3ffd7","status":"Succeeded","startTime":"2022-09-07T06:17:38.5678269Z","endTime":"2022-09-07T06:17:48.3624459Z"}' diff --git a/src/spring/azext_spring/tests/latest/recordings/test_app_crud_1.yaml b/src/spring/azext_spring/tests/latest/recordings/test_app_crud_1.yaml index 3349fec09ab..5b6d7b13e50 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_app_crud_1.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_app_crud_1.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1?api-version=2022-09-01-preview response: body: string: '{"error":{"code":"NotFound","message":"App was not found","target":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1","details":null}}' @@ -61,7 +61,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-09-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"e55ed5c1ee8942f9a36f033e7bbd28e8","networkProfile":{"outboundIPs":{"publicIPs":["20.237.103.188","20.237.103.250"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:05:42.8680393Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:11:29.9671687Z"}}' @@ -112,13 +112,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":true,"provisioningState":"Creating","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1","name":"test-crud-app-1","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T05:34:15.45467Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T05:34:15.45467Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app-1/operationId/1b0725cc-13c5-4c1e-aa5e-9a1fa0c31404?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app-1/operationId/1b0725cc-13c5-4c1e-aa5e-9a1fa0c31404?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -130,7 +130,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/1b0725cc-13c5-4c1e-aa5e-9a1fa0c31404/Spring/test-crud-app-1?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/1b0725cc-13c5-4c1e-aa5e-9a1fa0c31404/Spring/test-crud-app-1?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -162,7 +162,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app-1/operationId/1b0725cc-13c5-4c1e-aa5e-9a1fa0c31404?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app-1/operationId/1b0725cc-13c5-4c1e-aa5e-9a1fa0c31404?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app-1/operationId/1b0725cc-13c5-4c1e-aa5e-9a1fa0c31404","name":"1b0725cc-13c5-4c1e-aa5e-9a1fa0c31404","status":"Succeeded","startTime":"2022-09-07T05:34:16.2318426Z","endTime":"2022-09-07T05:34:22.8118926Z"}' @@ -206,7 +206,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1","name":"test-crud-app-1","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T05:34:15.45467Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T05:34:15.45467Z"}}' @@ -259,13 +259,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1/deployments/mock-deployment?api-version=2022-09-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"2Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90},"provisioningState":"Creating","status":"Running","active":true,"instances":null,"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T05:34:51.8922065Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T05:34:51.8922065Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/9cdf6f04-7506-4c38-98ea-fe8ebadff7e0?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/9cdf6f04-7506-4c38-98ea-fe8ebadff7e0?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -277,7 +277,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/9cdf6f04-7506-4c38-98ea-fe8ebadff7e0/Spring/default?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/9cdf6f04-7506-4c38-98ea-fe8ebadff7e0/Spring/default?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -314,13 +314,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":true,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1","name":"test-crud-app-1","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T05:34:15.45467Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T05:34:54.548459Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app-1/operationId/25c41fb8-c561-4668-a0ba-530d46aa9141?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app-1/operationId/25c41fb8-c561-4668-a0ba-530d46aa9141?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -332,7 +332,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/25c41fb8-c561-4668-a0ba-530d46aa9141/Spring/test-crud-app-1?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/25c41fb8-c561-4668-a0ba-530d46aa9141/Spring/test-crud-app-1?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -364,7 +364,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/9cdf6f04-7506-4c38-98ea-fe8ebadff7e0?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/9cdf6f04-7506-4c38-98ea-fe8ebadff7e0?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/9cdf6f04-7506-4c38-98ea-fe8ebadff7e0","name":"9cdf6f04-7506-4c38-98ea-fe8ebadff7e0","status":"Running","startTime":"2022-09-07T05:34:53.9617375Z"}' @@ -408,7 +408,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app-1/operationId/25c41fb8-c561-4668-a0ba-530d46aa9141?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app-1/operationId/25c41fb8-c561-4668-a0ba-530d46aa9141?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-crud-app-1/operationId/25c41fb8-c561-4668-a0ba-530d46aa9141","name":"25c41fb8-c561-4668-a0ba-530d46aa9141","status":"Succeeded","startTime":"2022-09-07T05:35:02.4217124Z","endTime":"2022-09-07T05:35:30.8656814Z"}' @@ -452,7 +452,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":true,"url":"https://cli-unittest-test-crud-app-1.asc-test.net","provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1","name":"test-crud-app-1","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T05:34:15.45467Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T05:34:54.548459Z"}}' @@ -498,7 +498,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/9cdf6f04-7506-4c38-98ea-fe8ebadff7e0?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/9cdf6f04-7506-4c38-98ea-fe8ebadff7e0?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/9cdf6f04-7506-4c38-98ea-fe8ebadff7e0","name":"9cdf6f04-7506-4c38-98ea-fe8ebadff7e0","status":"Succeeded","startTime":"2022-09-07T05:34:53.9617375Z","endTime":"2022-09-07T05:35:24.8130115Z"}' @@ -542,7 +542,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1/deployments/mock-deployment?api-version=2022-09-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"2Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-crud-app-1-default-15-59574859cb-8ss2w","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T05:35:01Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T05:34:51.8922065Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T05:34:51.8922065Z"}}' @@ -588,7 +588,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":true,"url":"https://cli-unittest-test-crud-app-1.asc-test.net","provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1","name":"test-crud-app-1","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T05:34:15.45467Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T05:34:54.548459Z"}}' @@ -634,7 +634,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1/deployments?api-version=2022-09-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"2Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-crud-app-1-default-15-59574859cb-8ss2w","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T05:35:01Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T05:34:51.8922065Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T05:34:51.8922065Z"}}]}' @@ -680,7 +680,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-05-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"e55ed5c1ee8942f9a36f033e7bbd28e8","networkProfile":{"outboundIPs":{"publicIPs":["20.237.103.188","20.237.103.250"]}},"powerState":"Running","fqdn":"cli-unittest.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:05:42.8680393Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:11:29.9671687Z"}}' @@ -737,13 +737,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1/deployments/mock-deployment?api-version=2022-05-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":{},"terminationGracePeriodSeconds":90},"provisioningState":"Creating","status":"Running","active":false,"instances":null,"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1/deployments/green","name":"green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T05:36:28.7111414Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T05:36:28.7111414Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/9787763d-62d4-4501-9e3b-ae68adb74348?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/9787763d-62d4-4501-9e3b-ae68adb74348?api-version=2022-05-01-preview cache-control: - no-cache content-length: @@ -755,7 +755,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/9787763d-62d4-4501-9e3b-ae68adb74348/Spring/green?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/9787763d-62d4-4501-9e3b-ae68adb74348/Spring/green?api-version=2022-05-01-preview pragma: - no-cache request-context: @@ -787,7 +787,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/9787763d-62d4-4501-9e3b-ae68adb74348?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/9787763d-62d4-4501-9e3b-ae68adb74348?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/9787763d-62d4-4501-9e3b-ae68adb74348","name":"9787763d-62d4-4501-9e3b-ae68adb74348","status":"Succeeded","startTime":"2022-09-07T05:36:30.8787418Z","endTime":"2022-09-07T05:36:57.6390401Z"}' @@ -835,7 +835,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1/deployments/mock-deployment?api-version=2022-05-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":{},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-crud-app-1-green-15-74bfd957-mcwq8","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T05:36:35Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-crud-app-1/deployments/green","name":"green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T05:36:28.7111414Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T05:36:28.7111414Z"}}' diff --git a/src/spring/azext_spring/tests/latest/recordings/test_app_deploy_container.yaml b/src/spring/azext_spring/tests/latest/recordings/test_app_deploy_container.yaml index 178b794f53f..61c2203159c 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_app_deploy_container.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_app_deploy_container.yaml @@ -1400,13 +1400,13 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.3.1"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=afa283e7-e32b-4d82-8722-028ca59dd4f1;IngestionEndpoint=https://centralindia-0.in.applicationinsights.azure.com/;LiveEndpoint=https://centralindia.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/cli-unittest/operationId/7f243e4c-4da6-4b3e-a15e-f5fea65a6110?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/cli-unittest/operationId/7f243e4c-4da6-4b3e-a15e-f5fea65a6110?api-version=2020-11-01-preview cache-control: - no-cache content-length: @@ -1418,7 +1418,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/7f243e4c-4da6-4b3e-a15e-f5fea65a6110/Spring/cli-unittest?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/7f243e4c-4da6-4b3e-a15e-f5fea65a6110/Spring/cli-unittest?api-version=2020-11-01-preview pragma: - no-cache request-context: @@ -1450,7 +1450,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container?api-version=2022-09-01-preview response: body: string: '{"error":{"code":"NotFound","message":"App was not found","target":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container","details":null}}' @@ -1496,7 +1496,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-09-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"2083e5d93d1b4a43a6c0590409f6588d","networkProfile":{"outboundIPs":{"publicIPs":["20.207.64.95","20.207.64.112"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"centralindia","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:16:06.3030492Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:20:29.0241388Z"}}' @@ -1551,13 +1551,13 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Creating","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container","name":"test-container","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:20:31.69866Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:20:31.69866Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-container/operationId/286de09e-3fcb-4f28-9caa-3d87fc827797?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-container/operationId/286de09e-3fcb-4f28-9caa-3d87fc827797?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -1569,7 +1569,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/286de09e-3fcb-4f28-9caa-3d87fc827797/Spring/test-container?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/286de09e-3fcb-4f28-9caa-3d87fc827797/Spring/test-container?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -1601,7 +1601,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/cli-unittest/operationId/7f243e4c-4da6-4b3e-a15e-f5fea65a6110?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/cli-unittest/operationId/7f243e4c-4da6-4b3e-a15e-f5fea65a6110?api-version=2020-11-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/cli-unittest/operationId/7f243e4c-4da6-4b3e-a15e-f5fea65a6110","name":"7f243e4c-4da6-4b3e-a15e-f5fea65a6110","status":"Succeeded","startTime":"2022-11-25T03:20:29.5520502Z","endTime":"2022-11-25T03:20:39.3708349Z"}' @@ -1649,7 +1649,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.3.1"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=afa283e7-e32b-4d82-8722-028ca59dd4f1;IngestionEndpoint=https://centralindia-0.in.applicationinsights.azure.com/;LiveEndpoint=https://centralindia.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/monitoringSettings/default","name":"default"}' @@ -1697,7 +1697,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-container/operationId/286de09e-3fcb-4f28-9caa-3d87fc827797?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-container/operationId/286de09e-3fcb-4f28-9caa-3d87fc827797?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-container/operationId/286de09e-3fcb-4f28-9caa-3d87fc827797","name":"286de09e-3fcb-4f28-9caa-3d87fc827797","status":"Succeeded","startTime":"2022-11-25T03:20:32.4332148Z","endTime":"2022-11-25T03:20:38.815186Z"}' @@ -1745,7 +1745,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container","name":"test-container","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:20:31.69866Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:20:31.69866Z"}}' @@ -1802,13 +1802,13 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments/mock-deployment?api-version=2022-09-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90},"provisioningState":"Creating","status":"Running","active":true,"instances":null,"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments/default","name":"default","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:21:07.7612764Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:21:07.7612764Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/5758ae29-e5af-412f-999c-f6dc7377f3f3?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/5758ae29-e5af-412f-999c-f6dc7377f3f3?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -1820,7 +1820,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/5758ae29-e5af-412f-999c-f6dc7377f3f3/Spring/default?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/5758ae29-e5af-412f-999c-f6dc7377f3f3/Spring/default?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -1857,13 +1857,13 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container","name":"test-container","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:20:31.69866Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:21:08.8237826Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-container/operationId/36586fb7-0dcd-4595-aa33-d9a5f724d380?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-container/operationId/36586fb7-0dcd-4595-aa33-d9a5f724d380?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -1875,7 +1875,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/36586fb7-0dcd-4595-aa33-d9a5f724d380/Spring/test-container?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/36586fb7-0dcd-4595-aa33-d9a5f724d380/Spring/test-container?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -1907,7 +1907,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/5758ae29-e5af-412f-999c-f6dc7377f3f3?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/5758ae29-e5af-412f-999c-f6dc7377f3f3?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/5758ae29-e5af-412f-999c-f6dc7377f3f3","name":"5758ae29-e5af-412f-999c-f6dc7377f3f3","status":"Running","startTime":"2022-11-25T03:21:08.4518668Z"}' @@ -1955,7 +1955,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-container/operationId/36586fb7-0dcd-4595-aa33-d9a5f724d380?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-container/operationId/36586fb7-0dcd-4595-aa33-d9a5f724d380?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-container/operationId/36586fb7-0dcd-4595-aa33-d9a5f724d380","name":"36586fb7-0dcd-4595-aa33-d9a5f724d380","status":"Succeeded","startTime":"2022-11-25T03:21:09.2153998Z","endTime":"2022-11-25T03:21:15.6614743Z"}' @@ -2003,7 +2003,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container","name":"test-container","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:20:31.69866Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:21:08.8237826Z"}}' @@ -2053,7 +2053,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/5758ae29-e5af-412f-999c-f6dc7377f3f3?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/5758ae29-e5af-412f-999c-f6dc7377f3f3?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/5758ae29-e5af-412f-999c-f6dc7377f3f3","name":"5758ae29-e5af-412f-999c-f6dc7377f3f3","status":"Running","startTime":"2022-11-25T03:21:08.4518668Z"}' @@ -2101,7 +2101,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/5758ae29-e5af-412f-999c-f6dc7377f3f3?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/5758ae29-e5af-412f-999c-f6dc7377f3f3?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/5758ae29-e5af-412f-999c-f6dc7377f3f3","name":"5758ae29-e5af-412f-999c-f6dc7377f3f3","status":"Succeeded","startTime":"2022-11-25T03:21:08.4518668Z","endTime":"2022-11-25T03:21:58.5335687Z"}' @@ -2149,7 +2149,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments/mock-deployment?api-version=2022-09-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-container-default-14-5cc8dcd477-kdsv4","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-11-25T03:21:17Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments/default","name":"default","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:21:07.7612764Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:21:07.7612764Z"}}' @@ -2199,7 +2199,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container","name":"test-container","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:20:31.69866Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:21:08.8237826Z"}}' @@ -2249,7 +2249,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments?api-version=2022-09-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-container-default-14-5cc8dcd477-kdsv4","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-11-25T03:21:17Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments/default","name":"default","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:21:07.7612764Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:21:07.7612764Z"}}]}' @@ -2299,7 +2299,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments?api-version=2022-05-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-container-default-14-5cc8dcd477-kdsv4","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-11-25T03:21:17Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments/default","name":"default","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:21:07.7612764Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:21:07.7612764Z"}}]}' @@ -2552,7 +2552,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments?api-version=2022-05-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-container-default-14-75b769fd85-qhs5l","status":"Running","discoveryStatus":"N/A","startTime":"2022-11-25T03:22:24Z"}],"source":{"type":"Container","version":"","customContainer":{"containerImage":"springio/gs-spring-boot-docker","server":"docker.io"}}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments/default","name":"default","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:21:07.7612764Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:22:12.0199195Z"}}]}' @@ -2757,7 +2757,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments?api-version=2022-05-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-container-default-14-8475bff5df-gl7nl","status":"Running","discoveryStatus":"N/A","startTime":"2022-11-25T03:23:14Z"}],"source":{"type":"Container","version":"","customContainer":{"containerImage":"springio/gs-spring-boot-docker","server":"docker.io","command":["java"],"args":["-cp","/app/resources:/app/classes:/app/libs/*","hello.Application"]}}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments/default","name":"default","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:21:07.7612764Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:23:01.5831987Z"}}]}' @@ -2814,13 +2814,13 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments/mock-deployment?api-version=2022-05-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90},"provisioningState":"Creating","status":"Running","active":false,"instances":null,"source":{"type":"Container","customContainer":{"containerImage":"springio/gs-spring-boot-docker","server":"docker.io","languageFramework":"springboot"}}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments/green","name":"green","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:23:40.0709417Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:23:40.0709417Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/green/operationId/969ba402-9a5c-4604-948c-ed6fce91c262?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/green/operationId/969ba402-9a5c-4604-948c-ed6fce91c262?api-version=2022-05-01-preview cache-control: - no-cache content-length: @@ -2832,7 +2832,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/969ba402-9a5c-4604-948c-ed6fce91c262/Spring/green?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/969ba402-9a5c-4604-948c-ed6fce91c262/Spring/green?api-version=2022-05-01-preview pragma: - no-cache request-context: @@ -2864,7 +2864,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/green/operationId/969ba402-9a5c-4604-948c-ed6fce91c262?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/green/operationId/969ba402-9a5c-4604-948c-ed6fce91c262?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/green/operationId/969ba402-9a5c-4604-948c-ed6fce91c262","name":"969ba402-9a5c-4604-948c-ed6fce91c262","status":"Succeeded","startTime":"2022-11-25T03:23:40.7370884Z","endTime":"2022-11-25T03:24:02.6738696Z"}' @@ -2912,7 +2912,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments/mock-deployment?api-version=2022-05-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-container-green-14-774894788-dtsmp","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-11-25T03:23:48Z"}],"source":{"type":"Container","customContainer":{"containerImage":"springio/gs-spring-boot-docker","server":"docker.io","languageFramework":"springboot"}}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container/deployments/green","name":"green","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:23:40.0709417Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:23:40.0709417Z"}}' diff --git a/src/spring/azext_spring/tests/latest/recordings/test_app_i2a_tls.yaml b/src/spring/azext_spring/tests/latest/recordings/test_app_i2a_tls.yaml index a100d598304..ad66e92a380 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_app_i2a_tls.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_app_i2a_tls.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-09-01-preview response: body: string: '{"error":{"code":"NotFound","message":"App was not found","target":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app","details":null}}' @@ -61,7 +61,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-09-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"e55ed5c1ee8942f9a36f033e7bbd28e8","networkProfile":{"outboundIPs":{"publicIPs":["20.237.103.188","20.237.103.250"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:05:42.8680393Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:11:29.9671687Z"}}' @@ -116,13 +116,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Creating","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app","name":"test-i2atls-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:27:33.1872921Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:27:33.1872921Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/2df6d763-3fe6-4b0b-a052-915045558513?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/2df6d763-3fe6-4b0b-a052-915045558513?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -134,7 +134,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/2df6d763-3fe6-4b0b-a052-915045558513/Spring/test-i2atls-app?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/2df6d763-3fe6-4b0b-a052-915045558513/Spring/test-i2atls-app?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -166,7 +166,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/2df6d763-3fe6-4b0b-a052-915045558513?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/2df6d763-3fe6-4b0b-a052-915045558513?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/2df6d763-3fe6-4b0b-a052-915045558513","name":"2df6d763-3fe6-4b0b-a052-915045558513","status":"Succeeded","startTime":"2022-09-07T06:27:33.8901992Z","endTime":"2022-09-07T06:27:40.2774043Z"}' @@ -214,7 +214,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app","name":"test-i2atls-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:27:33.1872921Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:27:33.1872921Z"}}' @@ -271,13 +271,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/mock-deployment?api-version=2022-09-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90},"provisioningState":"Creating","status":"Running","active":true,"instances":null,"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:28:09.4529284Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:28:09.4529284Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/fd1f5510-ad2c-451b-8a4c-f8f0e27c899f?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/fd1f5510-ad2c-451b-8a4c-f8f0e27c899f?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -289,7 +289,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/fd1f5510-ad2c-451b-8a4c-f8f0e27c899f/Spring/default?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/fd1f5510-ad2c-451b-8a4c-f8f0e27c899f/Spring/default?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -326,13 +326,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app","name":"test-i2atls-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:27:33.1872921Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:28:12.0623334Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/2e3c2634-1343-4d30-b82b-88754cd45a75?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/2e3c2634-1343-4d30-b82b-88754cd45a75?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -344,7 +344,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/2e3c2634-1343-4d30-b82b-88754cd45a75/Spring/test-i2atls-app?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/2e3c2634-1343-4d30-b82b-88754cd45a75/Spring/test-i2atls-app?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -376,7 +376,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/fd1f5510-ad2c-451b-8a4c-f8f0e27c899f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/fd1f5510-ad2c-451b-8a4c-f8f0e27c899f?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/fd1f5510-ad2c-451b-8a4c-f8f0e27c899f","name":"fd1f5510-ad2c-451b-8a4c-f8f0e27c899f","status":"Running","startTime":"2022-09-07T06:28:11.7326248Z"}' @@ -424,7 +424,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/2e3c2634-1343-4d30-b82b-88754cd45a75?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/2e3c2634-1343-4d30-b82b-88754cd45a75?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/2e3c2634-1343-4d30-b82b-88754cd45a75","name":"2e3c2634-1343-4d30-b82b-88754cd45a75","status":"Succeeded","startTime":"2022-09-07T06:28:13.0728131Z","endTime":"2022-09-07T06:28:20.3295847Z"}' @@ -472,7 +472,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app","name":"test-i2atls-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:27:33.1872921Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:28:12.0623334Z"}}' @@ -522,7 +522,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/fd1f5510-ad2c-451b-8a4c-f8f0e27c899f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/fd1f5510-ad2c-451b-8a4c-f8f0e27c899f?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/fd1f5510-ad2c-451b-8a4c-f8f0e27c899f","name":"fd1f5510-ad2c-451b-8a4c-f8f0e27c899f","status":"Succeeded","startTime":"2022-09-07T06:28:11.7326248Z","endTime":"2022-09-07T06:28:46.5128426Z"}' @@ -570,7 +570,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/mock-deployment?api-version=2022-09-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-i2atls-app-default-15-7f56cc47c4-zspz4","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:28:14Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:28:09.4529284Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:28:09.4529284Z"}}' @@ -620,7 +620,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app","name":"test-i2atls-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:27:33.1872921Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:28:12.0623334Z"}}' @@ -670,7 +670,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments?api-version=2022-09-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-i2atls-app-default-15-7f56cc47c4-zspz4","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:28:14Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:28:09.4529284Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:28:09.4529284Z"}}]}' @@ -720,7 +720,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments?api-version=2022-05-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-i2atls-app-default-15-7f56cc47c4-zspz4","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:28:14Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:28:09.4529284Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:28:09.4529284Z"}}]}' @@ -774,13 +774,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":true,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app","name":"test-i2atls-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:27:33.1872921Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:30:07.1988729Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/8d676a54-4b7c-40e3-91ef-1a78584eeb07?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/8d676a54-4b7c-40e3-91ef-1a78584eeb07?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -792,7 +792,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/8d676a54-4b7c-40e3-91ef-1a78584eeb07/Spring/test-i2atls-app?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/8d676a54-4b7c-40e3-91ef-1a78584eeb07/Spring/test-i2atls-app?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -829,7 +829,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/mock-deployment?api-version=2022-09-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-i2atls-app-default-15-7f56cc47c4-zspz4","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:28:14Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:28:09.4529284Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:28:09.4529284Z"}}' @@ -879,7 +879,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/8d676a54-4b7c-40e3-91ef-1a78584eeb07?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/8d676a54-4b7c-40e3-91ef-1a78584eeb07?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/8d676a54-4b7c-40e3-91ef-1a78584eeb07","name":"8d676a54-4b7c-40e3-91ef-1a78584eeb07","status":"Succeeded","startTime":"2022-09-07T06:30:08.547959Z","endTime":"2022-09-07T06:30:26.4137775Z"}' @@ -927,7 +927,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":true,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app","name":"test-i2atls-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:27:33.1872921Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:30:07.1988729Z"}}' @@ -977,7 +977,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":true,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app","name":"test-i2atls-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:27:33.1872921Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:30:07.1988729Z"}}' @@ -1027,7 +1027,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments?api-version=2022-09-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-i2atls-app-default-15-7f56cc47c4-zspz4","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:28:14Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:28:09.4529284Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:28:09.4529284Z"}}]}' @@ -1077,7 +1077,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments?api-version=2022-05-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-i2atls-app-default-15-7f56cc47c4-zspz4","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:28:14Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:28:09.4529284Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:28:09.4529284Z"}}]}' @@ -1131,13 +1131,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app","name":"test-i2atls-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:27:33.1872921Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:31:31.6726448Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/5d8e770b-3e76-41d9-91b3-d0fadc4fde33?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/5d8e770b-3e76-41d9-91b3-d0fadc4fde33?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -1149,7 +1149,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/5d8e770b-3e76-41d9-91b3-d0fadc4fde33/Spring/test-i2atls-app?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/5d8e770b-3e76-41d9-91b3-d0fadc4fde33/Spring/test-i2atls-app?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -1186,7 +1186,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/mock-deployment?api-version=2022-09-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-i2atls-app-default-15-7f56cc47c4-zspz4","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:28:14Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:28:09.4529284Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:28:09.4529284Z"}}' @@ -1236,7 +1236,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/5d8e770b-3e76-41d9-91b3-d0fadc4fde33?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/5d8e770b-3e76-41d9-91b3-d0fadc4fde33?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/5d8e770b-3e76-41d9-91b3-d0fadc4fde33","name":"5d8e770b-3e76-41d9-91b3-d0fadc4fde33","status":"Succeeded","startTime":"2022-09-07T06:31:33.2283137Z","endTime":"2022-09-07T06:31:52.8830363Z"}' @@ -1284,7 +1284,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app","name":"test-i2atls-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:27:33.1872921Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:31:31.6726448Z"}}' @@ -1334,7 +1334,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app","name":"test-i2atls-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:27:33.1872921Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:31:31.6726448Z"}}' @@ -1384,7 +1384,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments?api-version=2022-09-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-i2atls-app-default-15-7f56cc47c4-zspz4","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:28:14Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:28:09.4529284Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:28:09.4529284Z"}}]}' @@ -1434,7 +1434,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments?api-version=2022-05-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-i2atls-app-default-15-7f56cc47c4-zspz4","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:28:14Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:28:09.4529284Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:28:09.4529284Z"}}]}' @@ -1484,13 +1484,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":true,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app","name":"test-i2atls-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:27:33.1872921Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:32:56.1746854Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/176cf344-f049-43bd-acf0-506985143991?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/176cf344-f049-43bd-acf0-506985143991?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -1502,7 +1502,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/176cf344-f049-43bd-acf0-506985143991/Spring/test-i2atls-app?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/176cf344-f049-43bd-acf0-506985143991/Spring/test-i2atls-app?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -1539,7 +1539,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/mock-deployment?api-version=2022-09-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-i2atls-app-default-15-7f56cc47c4-zspz4","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:28:14Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:28:09.4529284Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:28:09.4529284Z"}}' @@ -1589,7 +1589,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/176cf344-f049-43bd-acf0-506985143991?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/176cf344-f049-43bd-acf0-506985143991?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/176cf344-f049-43bd-acf0-506985143991","name":"176cf344-f049-43bd-acf0-506985143991","status":"Succeeded","startTime":"2022-09-07T06:32:56.7178132Z","endTime":"2022-09-07T06:33:09.2901372Z"}' @@ -1637,7 +1637,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":true,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app","name":"test-i2atls-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:27:33.1872921Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:32:56.1746854Z"}}' @@ -1687,7 +1687,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":true,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app","name":"test-i2atls-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:27:33.1872921Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:32:56.1746854Z"}}' @@ -1737,7 +1737,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments?api-version=2022-09-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-i2atls-app-default-15-7f56cc47c4-zspz4","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:28:14Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:28:09.4529284Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:28:09.4529284Z"}}]}' @@ -1787,7 +1787,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments?api-version=2022-05-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-i2atls-app-default-15-7f56cc47c4-zspz4","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:28:14Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:28:09.4529284Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:28:09.4529284Z"}}]}' @@ -1841,13 +1841,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app","name":"test-i2atls-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:27:33.1872921Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:34:19.2717273Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/cbbdc6ae-38e5-4f34-88c2-7146f6db31bb?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/cbbdc6ae-38e5-4f34-88c2-7146f6db31bb?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -1859,7 +1859,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/cbbdc6ae-38e5-4f34-88c2-7146f6db31bb/Spring/test-i2atls-app?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/cbbdc6ae-38e5-4f34-88c2-7146f6db31bb/Spring/test-i2atls-app?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -1896,7 +1896,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/mock-deployment?api-version=2022-09-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-i2atls-app-default-15-7f56cc47c4-zspz4","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:28:14Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:28:09.4529284Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:28:09.4529284Z"}}' @@ -1946,7 +1946,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/cbbdc6ae-38e5-4f34-88c2-7146f6db31bb?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/cbbdc6ae-38e5-4f34-88c2-7146f6db31bb?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-i2atls-app/operationId/cbbdc6ae-38e5-4f34-88c2-7146f6db31bb","name":"cbbdc6ae-38e5-4f34-88c2-7146f6db31bb","status":"Succeeded","startTime":"2022-09-07T06:34:20.827413Z","endTime":"2022-09-07T06:34:33.6650093Z"}' @@ -1994,7 +1994,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app","name":"test-i2atls-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:27:33.1872921Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:34:19.2717273Z"}}' @@ -2044,7 +2044,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app","name":"test-i2atls-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:27:33.1872921Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:34:19.2717273Z"}}' @@ -2094,7 +2094,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments?api-version=2022-09-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-i2atls-app-default-15-7f56cc47c4-zspz4","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:28:14Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-i2atls-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:28:09.4529284Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:28:09.4529284Z"}}]}' diff --git a/src/spring/azext_spring/tests/latest/recordings/test_application_accelerator.yaml b/src/spring/azext_spring/tests/latest/recordings/test_application_accelerator.yaml index f8a55b12d0a..453b9e62f64 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_application_accelerator.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_application_accelerator.yaml @@ -262,7 +262,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.4 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"ae4f75574d184b2fb405fe09d2d263b2","networkProfile":{"outboundIPs":{"publicIPs":["20.85.134.20","20.85.134.26"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"acc-test.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test","name":"acc-test","systemData":{"createdBy":"guitarsheng@microsoft.com","createdByType":"User","createdAt":"2022-11-19T04:25:42.5500169Z","lastModifiedBy":"guitarsheng@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-19T04:25:42.5500169Z"}}' @@ -1470,7 +1470,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.4 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"ae4f75574d184b2fb405fe09d2d263b2","networkProfile":{"outboundIPs":{"publicIPs":["20.85.134.20","20.85.134.26"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"acc-test.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test","name":"acc-test","systemData":{"createdBy":"guitarsheng@microsoft.com","createdByType":"User","createdAt":"2022-11-19T04:25:42.5500169Z","lastModifiedBy":"guitarsheng@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-19T04:25:42.5500169Z"}}' @@ -1568,7 +1568,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.4 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"ae4f75574d184b2fb405fe09d2d263b2","networkProfile":{"outboundIPs":{"publicIPs":["20.85.134.20","20.85.134.26"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"acc-test.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test","name":"acc-test","systemData":{"createdBy":"guitarsheng@microsoft.com","createdByType":"User","createdAt":"2022-11-19T04:25:42.5500169Z","lastModifiedBy":"guitarsheng@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-19T04:25:42.5500169Z"}}' @@ -1666,7 +1666,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.4 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"ae4f75574d184b2fb405fe09d2d263b2","networkProfile":{"outboundIPs":{"publicIPs":["20.85.134.20","20.85.134.26"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"acc-test.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test","name":"acc-test","systemData":{"createdBy":"guitarsheng@microsoft.com","createdByType":"User","createdAt":"2022-11-19T04:25:42.5500169Z","lastModifiedBy":"guitarsheng@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-19T04:25:42.5500169Z"}}' @@ -2493,7 +2493,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.4 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"ae4f75574d184b2fb405fe09d2d263b2","networkProfile":{"outboundIPs":{"publicIPs":["20.85.134.20","20.85.134.26"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"acc-test.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test","name":"acc-test","systemData":{"createdBy":"guitarsheng@microsoft.com","createdByType":"User","createdAt":"2022-11-19T04:25:42.5500169Z","lastModifiedBy":"guitarsheng@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-19T04:25:42.5500169Z"}}' diff --git a/src/spring/azext_spring/tests/latest/recordings/test_application_configuration_service.yaml b/src/spring/azext_spring/tests/latest/recordings/test_application_configuration_service.yaml index 6073108e289..e4338f5643c 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_application_configuration_service.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_application_configuration_service.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -65,7 +65,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","resourceRequests":{"cpu":"500m","memory":"1Gi","instanceCount":2},"instances":[{"name":"application-configuration-service-7859999697-hfsbw","status":"Running"},{"name":"application-configuration-service-7859999697-nx6t8","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/configurationServices","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.4949677Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T09:01:20.4949677Z"}}' @@ -113,7 +113,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -163,7 +163,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","resourceRequests":{"cpu":"500m","memory":"1Gi","instanceCount":2},"instances":[{"name":"application-configuration-service-7859999697-hfsbw","status":"Running"},{"name":"application-configuration-service-7859999697-nx6t8","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/configurationServices","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.4949677Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T09:01:20.4949677Z"}}' @@ -217,13 +217,13 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default/validate?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default/validate?api-version=2022-01-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/44655a52-549d-47d7-89ab-78a8ae6890ff?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/44655a52-549d-47d7-89ab-78a8ae6890ff?api-version=2022-01-01-preview cache-control: - no-cache content-length: @@ -233,7 +233,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/44655a52-549d-47d7-89ab-78a8ae6890ff/Spring/tx-enterprise?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/44655a52-549d-47d7-89ab-78a8ae6890ff/Spring/tx-enterprise?api-version=2022-01-01-preview pragma: - no-cache request-context: @@ -265,7 +265,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/44655a52-549d-47d7-89ab-78a8ae6890ff?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/44655a52-549d-47d7-89ab-78a8ae6890ff?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/44655a52-549d-47d7-89ab-78a8ae6890ff","name":"44655a52-549d-47d7-89ab-78a8ae6890ff","status":"Running","startTime":"2023-01-10T04:18:02.973666Z"}' @@ -313,7 +313,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/44655a52-549d-47d7-89ab-78a8ae6890ff?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/44655a52-549d-47d7-89ab-78a8ae6890ff?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/44655a52-549d-47d7-89ab-78a8ae6890ff","name":"44655a52-549d-47d7-89ab-78a8ae6890ff","status":"Succeeded","startTime":"2023-01-10T04:18:02.973666Z","endTime":"2023-01-10T04:18:09.3789342Z"}' @@ -361,7 +361,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/44655a52-549d-47d7-89ab-78a8ae6890ff/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/44655a52-549d-47d7-89ab-78a8ae6890ff/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"gitPropertyValidationResult":{"isValid":true,"gitReposValidationResult":[]}}' @@ -415,13 +415,13 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Updating","settings":{"gitProperty":{"repositories":[{"name":"repo1","patterns":["api-gateway","customers-service"],"label":"master","uri":"https://github.com/spring-petclinic/spring-petclinic-microservices-config"}]}},"resourceRequests":{"cpu":"500m","memory":"1Gi","instanceCount":2},"instances":[{"name":"application-configuration-service-7859999697-hfsbw","status":"Running"},{"name":"application-configuration-service-7859999697-nx6t8","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/configurationServices","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.4949677Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:18:14.9547302Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/95f828a5-1be7-4984-a568-6185b303d1f3?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/95f828a5-1be7-4984-a568-6185b303d1f3?api-version=2022-01-01-preview cache-control: - no-cache content-length: @@ -433,7 +433,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/95f828a5-1be7-4984-a568-6185b303d1f3/Spring/tx-enterprise?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/95f828a5-1be7-4984-a568-6185b303d1f3/Spring/tx-enterprise?api-version=2022-01-01-preview pragma: - no-cache request-context: @@ -465,7 +465,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/95f828a5-1be7-4984-a568-6185b303d1f3?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/95f828a5-1be7-4984-a568-6185b303d1f3?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/95f828a5-1be7-4984-a568-6185b303d1f3","name":"95f828a5-1be7-4984-a568-6185b303d1f3","status":"Running","startTime":"2023-01-10T04:18:15.4678349Z"}' @@ -513,7 +513,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/95f828a5-1be7-4984-a568-6185b303d1f3?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/95f828a5-1be7-4984-a568-6185b303d1f3?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/95f828a5-1be7-4984-a568-6185b303d1f3","name":"95f828a5-1be7-4984-a568-6185b303d1f3","status":"Running","startTime":"2023-01-10T04:18:15.4678349Z"}' @@ -561,7 +561,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/95f828a5-1be7-4984-a568-6185b303d1f3?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/95f828a5-1be7-4984-a568-6185b303d1f3?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/95f828a5-1be7-4984-a568-6185b303d1f3","name":"95f828a5-1be7-4984-a568-6185b303d1f3","status":"Succeeded","startTime":"2023-01-10T04:18:15.4678349Z","endTime":"2023-01-10T04:18:31.9020656Z"}' @@ -609,7 +609,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","settings":{"gitProperty":{"repositories":[{"name":"repo1","patterns":["api-gateway","customers-service"],"label":"master","uri":"https://github.com/spring-petclinic/spring-petclinic-microservices-config"}]}},"resourceRequests":{"cpu":"500m","memory":"1Gi","instanceCount":2},"instances":[{"name":"application-configuration-service-7859999697-hfsbw","status":"Running"},{"name":"application-configuration-service-7859999697-nx6t8","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/configurationServices","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.4949677Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:18:14.9547302Z"}}' @@ -657,7 +657,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -707,7 +707,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","settings":{"gitProperty":{"repositories":[{"name":"repo1","patterns":["api-gateway","customers-service"],"label":"master","uri":"https://github.com/spring-petclinic/spring-petclinic-microservices-config"}]}},"resourceRequests":{"cpu":"500m","memory":"1Gi","instanceCount":2},"instances":[{"name":"application-configuration-service-7859999697-hfsbw","status":"Running"},{"name":"application-configuration-service-7859999697-nx6t8","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/configurationServices","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.4949677Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:18:14.9547302Z"}}' @@ -761,13 +761,13 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default/validate?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default/validate?api-version=2022-01-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/7681cb2a-462b-4738-b8c7-d19a282856de?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/7681cb2a-462b-4738-b8c7-d19a282856de?api-version=2022-01-01-preview cache-control: - no-cache content-length: @@ -777,7 +777,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/7681cb2a-462b-4738-b8c7-d19a282856de/Spring/tx-enterprise?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/7681cb2a-462b-4738-b8c7-d19a282856de/Spring/tx-enterprise?api-version=2022-01-01-preview pragma: - no-cache request-context: @@ -809,7 +809,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/7681cb2a-462b-4738-b8c7-d19a282856de?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/7681cb2a-462b-4738-b8c7-d19a282856de?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/7681cb2a-462b-4738-b8c7-d19a282856de","name":"7681cb2a-462b-4738-b8c7-d19a282856de","status":"Running","startTime":"2023-01-10T04:18:43.1101209Z"}' @@ -857,7 +857,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/7681cb2a-462b-4738-b8c7-d19a282856de?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/7681cb2a-462b-4738-b8c7-d19a282856de?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/7681cb2a-462b-4738-b8c7-d19a282856de","name":"7681cb2a-462b-4738-b8c7-d19a282856de","status":"Succeeded","startTime":"2023-01-10T04:18:43.1101209Z","endTime":"2023-01-10T04:18:49.3069371Z"}' @@ -905,7 +905,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/7681cb2a-462b-4738-b8c7-d19a282856de/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/7681cb2a-462b-4738-b8c7-d19a282856de/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"gitPropertyValidationResult":{"isValid":true,"gitReposValidationResult":[]}}' @@ -959,13 +959,13 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Updating","settings":{"gitProperty":{"repositories":[{"name":"repo1","patterns":["api-gateway","customers-service"],"label":"master","uri":"https://github.com/spring-petclinic/spring-petclinic-microservices-config"}]}},"resourceRequests":{"cpu":"500m","memory":"1Gi","instanceCount":2},"instances":[{"name":"application-configuration-service-7859999697-hfsbw","status":"Running"},{"name":"application-configuration-service-7859999697-nx6t8","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/configurationServices","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.4949677Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:18:55.374256Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/9c2085b5-e330-4e06-91e9-9cc12f8aa8f7?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/9c2085b5-e330-4e06-91e9-9cc12f8aa8f7?api-version=2022-01-01-preview cache-control: - no-cache content-length: @@ -977,7 +977,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/9c2085b5-e330-4e06-91e9-9cc12f8aa8f7/Spring/tx-enterprise?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/9c2085b5-e330-4e06-91e9-9cc12f8aa8f7/Spring/tx-enterprise?api-version=2022-01-01-preview pragma: - no-cache request-context: @@ -1009,7 +1009,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/9c2085b5-e330-4e06-91e9-9cc12f8aa8f7?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/9c2085b5-e330-4e06-91e9-9cc12f8aa8f7?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/9c2085b5-e330-4e06-91e9-9cc12f8aa8f7","name":"9c2085b5-e330-4e06-91e9-9cc12f8aa8f7","status":"Running","startTime":"2023-01-10T04:18:55.8812371Z"}' @@ -1057,7 +1057,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/9c2085b5-e330-4e06-91e9-9cc12f8aa8f7?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/9c2085b5-e330-4e06-91e9-9cc12f8aa8f7?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/9c2085b5-e330-4e06-91e9-9cc12f8aa8f7","name":"9c2085b5-e330-4e06-91e9-9cc12f8aa8f7","status":"Running","startTime":"2023-01-10T04:18:55.8812371Z"}' @@ -1105,7 +1105,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/9c2085b5-e330-4e06-91e9-9cc12f8aa8f7?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/9c2085b5-e330-4e06-91e9-9cc12f8aa8f7?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/9c2085b5-e330-4e06-91e9-9cc12f8aa8f7","name":"9c2085b5-e330-4e06-91e9-9cc12f8aa8f7","status":"Succeeded","startTime":"2023-01-10T04:18:55.8812371Z","endTime":"2023-01-10T04:19:12.7893762Z"}' @@ -1153,7 +1153,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","settings":{"gitProperty":{"repositories":[{"name":"repo1","patterns":["api-gateway","customers-service"],"label":"master","uri":"https://github.com/spring-petclinic/spring-petclinic-microservices-config"}]}},"resourceRequests":{"cpu":"500m","memory":"1Gi","instanceCount":2},"instances":[{"name":"application-configuration-service-7859999697-hfsbw","status":"Running"},{"name":"application-configuration-service-7859999697-nx6t8","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/configurationServices","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.4949677Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:18:55.374256Z"}}' @@ -1201,7 +1201,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -1251,7 +1251,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","settings":{"gitProperty":{"repositories":[{"name":"repo1","patterns":["api-gateway","customers-service"],"label":"master","uri":"https://github.com/spring-petclinic/spring-petclinic-microservices-config"}]}},"resourceRequests":{"cpu":"500m","memory":"1Gi","instanceCount":2},"instances":[{"name":"application-configuration-service-7859999697-hfsbw","status":"Running"},{"name":"application-configuration-service-7859999697-nx6t8","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/configurationServices","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.4949677Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:18:55.374256Z"}}' @@ -1299,7 +1299,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -1349,7 +1349,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","settings":{"gitProperty":{"repositories":[{"name":"repo1","patterns":["api-gateway","customers-service"],"label":"master","uri":"https://github.com/spring-petclinic/spring-petclinic-microservices-config"}]}},"resourceRequests":{"cpu":"500m","memory":"1Gi","instanceCount":2},"instances":[{"name":"application-configuration-service-7859999697-hfsbw","status":"Running"},{"name":"application-configuration-service-7859999697-nx6t8","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/configurationServices","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.4949677Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:18:55.374256Z"}}' @@ -1401,13 +1401,13 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default/validate?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default/validate?api-version=2022-01-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cf0c7c13-4ed3-495d-a51f-b80b55cc6cbd?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cf0c7c13-4ed3-495d-a51f-b80b55cc6cbd?api-version=2022-01-01-preview cache-control: - no-cache content-length: @@ -1417,7 +1417,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/cf0c7c13-4ed3-495d-a51f-b80b55cc6cbd/Spring/tx-enterprise?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/cf0c7c13-4ed3-495d-a51f-b80b55cc6cbd/Spring/tx-enterprise?api-version=2022-01-01-preview pragma: - no-cache request-context: @@ -1449,7 +1449,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cf0c7c13-4ed3-495d-a51f-b80b55cc6cbd?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cf0c7c13-4ed3-495d-a51f-b80b55cc6cbd?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cf0c7c13-4ed3-495d-a51f-b80b55cc6cbd","name":"cf0c7c13-4ed3-495d-a51f-b80b55cc6cbd","status":"Running","startTime":"2023-01-10T04:19:28.5839448Z"}' @@ -1497,7 +1497,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cf0c7c13-4ed3-495d-a51f-b80b55cc6cbd?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cf0c7c13-4ed3-495d-a51f-b80b55cc6cbd?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cf0c7c13-4ed3-495d-a51f-b80b55cc6cbd","name":"cf0c7c13-4ed3-495d-a51f-b80b55cc6cbd","status":"Succeeded","startTime":"2023-01-10T04:19:28.5839448Z","endTime":"2023-01-10T04:19:34.7545481Z"}' @@ -1545,7 +1545,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/cf0c7c13-4ed3-495d-a51f-b80b55cc6cbd/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/cf0c7c13-4ed3-495d-a51f-b80b55cc6cbd/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"gitPropertyValidationResult":{"isValid":true,"gitReposValidationResult":[]}}' @@ -1597,13 +1597,13 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Updating","settings":{"gitProperty":{"repositories":[]}},"resourceRequests":{"cpu":"500m","memory":"1Gi","instanceCount":2},"instances":[{"name":"application-configuration-service-7859999697-hfsbw","status":"Running"},{"name":"application-configuration-service-7859999697-nx6t8","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/configurationServices","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.4949677Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:19:41.2987821Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/7d1a7d79-3f83-49d7-855a-ba6857da6268?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/7d1a7d79-3f83-49d7-855a-ba6857da6268?api-version=2022-01-01-preview cache-control: - no-cache content-length: @@ -1615,7 +1615,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/7d1a7d79-3f83-49d7-855a-ba6857da6268/Spring/tx-enterprise?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/7d1a7d79-3f83-49d7-855a-ba6857da6268/Spring/tx-enterprise?api-version=2022-01-01-preview pragma: - no-cache request-context: @@ -1647,7 +1647,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/7d1a7d79-3f83-49d7-855a-ba6857da6268?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/7d1a7d79-3f83-49d7-855a-ba6857da6268?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/7d1a7d79-3f83-49d7-855a-ba6857da6268","name":"7d1a7d79-3f83-49d7-855a-ba6857da6268","status":"Running","startTime":"2023-01-10T04:19:42.1700797Z"}' @@ -1695,7 +1695,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/7d1a7d79-3f83-49d7-855a-ba6857da6268?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/7d1a7d79-3f83-49d7-855a-ba6857da6268?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/7d1a7d79-3f83-49d7-855a-ba6857da6268","name":"7d1a7d79-3f83-49d7-855a-ba6857da6268","status":"Running","startTime":"2023-01-10T04:19:42.1700797Z"}' @@ -1743,7 +1743,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/7d1a7d79-3f83-49d7-855a-ba6857da6268?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/7d1a7d79-3f83-49d7-855a-ba6857da6268?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/7d1a7d79-3f83-49d7-855a-ba6857da6268","name":"7d1a7d79-3f83-49d7-855a-ba6857da6268","status":"Succeeded","startTime":"2023-01-10T04:19:42.1700797Z","endTime":"2023-01-10T04:19:58.5354844Z"}' @@ -1791,7 +1791,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","settings":{"gitProperty":{"repositories":[]}},"resourceRequests":{"cpu":"500m","memory":"1Gi","instanceCount":2},"instances":[{"name":"application-configuration-service-7859999697-hfsbw","status":"Running"},{"name":"application-configuration-service-7859999697-nx6t8","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/configurationServices","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.4949677Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:19:41.2987821Z"}}' @@ -1839,7 +1839,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -1889,7 +1889,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","settings":{"gitProperty":{"repositories":[]}},"resourceRequests":{"cpu":"500m","memory":"1Gi","instanceCount":2},"instances":[{"name":"application-configuration-service-7859999697-hfsbw","status":"Running"},{"name":"application-configuration-service-7859999697-nx6t8","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/configurationServices","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.4949677Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:19:41.2987821Z"}}' @@ -1937,7 +1937,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -1987,7 +1987,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-01-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"tx-enterprise.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1","name":"app1","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-10T03:52:15.6583077Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T03:52:34.6547317Z"}}' @@ -2045,13 +2045,13 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-01-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default"},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"tx-enterprise.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1","name":"app1","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-10T03:52:15.6583077Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:20:15.5114585Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/5961b72d-ab41-4f11-b0a0-c9c4fa80af70?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/5961b72d-ab41-4f11-b0a0-c9c4fa80af70?api-version=2022-01-01-preview cache-control: - no-cache content-length: @@ -2063,7 +2063,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/5961b72d-ab41-4f11-b0a0-c9c4fa80af70/Spring/app1?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/5961b72d-ab41-4f11-b0a0-c9c4fa80af70/Spring/app1?api-version=2022-01-01-preview pragma: - no-cache request-context: @@ -2095,7 +2095,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/5961b72d-ab41-4f11-b0a0-c9c4fa80af70?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/5961b72d-ab41-4f11-b0a0-c9c4fa80af70?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/5961b72d-ab41-4f11-b0a0-c9c4fa80af70","name":"5961b72d-ab41-4f11-b0a0-c9c4fa80af70","status":"Running","startTime":"2023-01-10T04:20:16.530904Z"}' @@ -2143,7 +2143,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/5961b72d-ab41-4f11-b0a0-c9c4fa80af70?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/5961b72d-ab41-4f11-b0a0-c9c4fa80af70?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/5961b72d-ab41-4f11-b0a0-c9c4fa80af70","name":"5961b72d-ab41-4f11-b0a0-c9c4fa80af70","status":"Running","startTime":"2023-01-10T04:20:16.530904Z"}' @@ -2191,7 +2191,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/5961b72d-ab41-4f11-b0a0-c9c4fa80af70?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/5961b72d-ab41-4f11-b0a0-c9c4fa80af70?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/5961b72d-ab41-4f11-b0a0-c9c4fa80af70","name":"5961b72d-ab41-4f11-b0a0-c9c4fa80af70","status":"Succeeded","startTime":"2023-01-10T04:20:16.530904Z","endTime":"2023-01-10T04:20:34.5884998Z"}' @@ -2239,7 +2239,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-01-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default"},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"tx-enterprise.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1","name":"app1","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-10T03:52:15.6583077Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:20:15.5114585Z"}}' @@ -2289,7 +2289,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -2339,7 +2339,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-01-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default"},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"tx-enterprise.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1","name":"app1","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-10T03:52:15.6583077Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:20:15.5114585Z"}}' @@ -2397,13 +2397,13 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-01-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"tx-enterprise.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1","name":"app1","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-10T03:52:15.6583077Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:20:44.8337983Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/1b4a6c7c-0438-4d5b-b079-f203e560eff0?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/1b4a6c7c-0438-4d5b-b079-f203e560eff0?api-version=2022-01-01-preview cache-control: - no-cache content-length: @@ -2415,7 +2415,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/1b4a6c7c-0438-4d5b-b079-f203e560eff0/Spring/app1?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/1b4a6c7c-0438-4d5b-b079-f203e560eff0/Spring/app1?api-version=2022-01-01-preview pragma: - no-cache request-context: @@ -2447,7 +2447,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/1b4a6c7c-0438-4d5b-b079-f203e560eff0?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/1b4a6c7c-0438-4d5b-b079-f203e560eff0?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/1b4a6c7c-0438-4d5b-b079-f203e560eff0","name":"1b4a6c7c-0438-4d5b-b079-f203e560eff0","status":"Running","startTime":"2023-01-10T04:20:45.5344737Z"}' @@ -2495,7 +2495,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/1b4a6c7c-0438-4d5b-b079-f203e560eff0?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/1b4a6c7c-0438-4d5b-b079-f203e560eff0?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/1b4a6c7c-0438-4d5b-b079-f203e560eff0","name":"1b4a6c7c-0438-4d5b-b079-f203e560eff0","status":"Running","startTime":"2023-01-10T04:20:45.5344737Z"}' @@ -2543,7 +2543,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/1b4a6c7c-0438-4d5b-b079-f203e560eff0?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/1b4a6c7c-0438-4d5b-b079-f203e560eff0?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/1b4a6c7c-0438-4d5b-b079-f203e560eff0","name":"1b4a6c7c-0438-4d5b-b079-f203e560eff0","status":"Succeeded","startTime":"2023-01-10T04:20:45.5344737Z","endTime":"2023-01-10T04:21:03.2808052Z"}' @@ -2591,7 +2591,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-01-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"tx-enterprise.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1","name":"app1","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-10T03:52:15.6583077Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:20:44.8337983Z"}}' @@ -2641,7 +2641,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -2695,13 +2695,13 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Updating","resourceRequests":{"cpu":"500m","memory":"1Gi","instanceCount":2},"instances":[{"name":"application-configuration-service-7859999697-hfsbw","status":"Running"},{"name":"application-configuration-service-7859999697-nx6t8","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/configurationServices","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.4949677Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:21:12.34443Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/f22a6e11-abf4-4471-9dff-b2f7b2385934?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/f22a6e11-abf4-4471-9dff-b2f7b2385934?api-version=2022-01-01-preview cache-control: - no-cache content-length: @@ -2713,7 +2713,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/f22a6e11-abf4-4471-9dff-b2f7b2385934/Spring/tx-enterprise?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/f22a6e11-abf4-4471-9dff-b2f7b2385934/Spring/tx-enterprise?api-version=2022-01-01-preview pragma: - no-cache request-context: @@ -2745,7 +2745,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/f22a6e11-abf4-4471-9dff-b2f7b2385934?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/f22a6e11-abf4-4471-9dff-b2f7b2385934?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/f22a6e11-abf4-4471-9dff-b2f7b2385934","name":"f22a6e11-abf4-4471-9dff-b2f7b2385934","status":"Running","startTime":"2023-01-10T04:21:13.6331895Z"}' @@ -2793,7 +2793,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/f22a6e11-abf4-4471-9dff-b2f7b2385934?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/f22a6e11-abf4-4471-9dff-b2f7b2385934?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/f22a6e11-abf4-4471-9dff-b2f7b2385934","name":"f22a6e11-abf4-4471-9dff-b2f7b2385934","status":"Running","startTime":"2023-01-10T04:21:13.6331895Z"}' @@ -2841,7 +2841,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/f22a6e11-abf4-4471-9dff-b2f7b2385934?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/f22a6e11-abf4-4471-9dff-b2f7b2385934?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/f22a6e11-abf4-4471-9dff-b2f7b2385934","name":"f22a6e11-abf4-4471-9dff-b2f7b2385934","status":"Succeeded","startTime":"2023-01-10T04:21:13.6331895Z","endTime":"2023-01-10T04:21:30.0074276Z"}' @@ -2889,7 +2889,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","resourceRequests":{"cpu":"500m","memory":"1Gi","instanceCount":2},"instances":[{"name":"application-configuration-service-7859999697-hfsbw","status":"Running"},{"name":"application-configuration-service-7859999697-nx6t8","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/configurationServices","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.4949677Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:21:12.34443Z"}}' @@ -2937,7 +2937,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -2989,13 +2989,13 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-01-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/50e642dc-1705-4cf1-8b32-662dc9b8b64e?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/50e642dc-1705-4cf1-8b32-662dc9b8b64e?api-version=2022-01-01-preview cache-control: - no-cache content-length: @@ -3005,7 +3005,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/50e642dc-1705-4cf1-8b32-662dc9b8b64e/Spring/tx-enterprise?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/50e642dc-1705-4cf1-8b32-662dc9b8b64e/Spring/tx-enterprise?api-version=2022-01-01-preview pragma: - no-cache request-context: @@ -3037,7 +3037,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/50e642dc-1705-4cf1-8b32-662dc9b8b64e?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/50e642dc-1705-4cf1-8b32-662dc9b8b64e?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/50e642dc-1705-4cf1-8b32-662dc9b8b64e","name":"50e642dc-1705-4cf1-8b32-662dc9b8b64e","status":"Running","startTime":"2023-01-10T04:21:41.5933878Z"}' @@ -3085,7 +3085,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/50e642dc-1705-4cf1-8b32-662dc9b8b64e?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/50e642dc-1705-4cf1-8b32-662dc9b8b64e?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/50e642dc-1705-4cf1-8b32-662dc9b8b64e","name":"50e642dc-1705-4cf1-8b32-662dc9b8b64e","status":"Succeeded","startTime":"2023-01-10T04:21:41.5933878Z","endTime":"2023-01-10T04:21:47.9437027Z"}' @@ -3133,7 +3133,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -3187,13 +3187,13 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Creating","resourceRequests":{"cpu":"500m","memory":"1Gi","instanceCount":2},"instances":[]},"type":"Microsoft.AppPlatform/Spring/configurationServices","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-10T04:21:56.1125489Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:21:56.1125489Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01?api-version=2022-01-01-preview cache-control: - no-cache content-length: @@ -3205,7 +3205,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/b74294f5-a68e-4cd7-808d-e1ac13ae0f01/Spring/tx-enterprise?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/b74294f5-a68e-4cd7-808d-e1ac13ae0f01/Spring/tx-enterprise?api-version=2022-01-01-preview pragma: - no-cache request-context: @@ -3237,7 +3237,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01","name":"b74294f5-a68e-4cd7-808d-e1ac13ae0f01","status":"Running","startTime":"2023-01-10T04:21:59.2482441Z"}' @@ -3285,7 +3285,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01","name":"b74294f5-a68e-4cd7-808d-e1ac13ae0f01","status":"Running","startTime":"2023-01-10T04:21:59.2482441Z"}' @@ -3333,7 +3333,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01","name":"b74294f5-a68e-4cd7-808d-e1ac13ae0f01","status":"Running","startTime":"2023-01-10T04:21:59.2482441Z"}' @@ -3381,7 +3381,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01","name":"b74294f5-a68e-4cd7-808d-e1ac13ae0f01","status":"Running","startTime":"2023-01-10T04:21:59.2482441Z"}' @@ -3429,7 +3429,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01","name":"b74294f5-a68e-4cd7-808d-e1ac13ae0f01","status":"Running","startTime":"2023-01-10T04:21:59.2482441Z"}' @@ -3477,7 +3477,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01","name":"b74294f5-a68e-4cd7-808d-e1ac13ae0f01","status":"Running","startTime":"2023-01-10T04:21:59.2482441Z"}' @@ -3525,7 +3525,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01","name":"b74294f5-a68e-4cd7-808d-e1ac13ae0f01","status":"Running","startTime":"2023-01-10T04:21:59.2482441Z"}' @@ -3573,7 +3573,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/b74294f5-a68e-4cd7-808d-e1ac13ae0f01","name":"b74294f5-a68e-4cd7-808d-e1ac13ae0f01","status":"Succeeded","startTime":"2023-01-10T04:21:59.2482441Z","endTime":"2023-01-10T04:23:05.9086531Z"}' @@ -3621,7 +3621,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","resourceRequests":{"cpu":"500m","memory":"1Gi","instanceCount":2},"instances":[{"name":"application-configuration-service-7859999697-hlxhc","status":"Running"},{"name":"application-configuration-service-7859999697-l96dz","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/configurationServices","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/configurationServices/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-10T04:21:56.1125489Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:21:56.1125489Z"}}' diff --git a/src/spring/azext_spring/tests/latest/recordings/test_asc_app_insights_update.yaml b/src/spring/azext_spring/tests/latest/recordings/test_asc_app_insights_update.yaml index 305f218ec32..98ae5b0ef99 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_asc_app_insights_update.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_asc_app_insights_update.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:31:26.7455551Z"}}' @@ -71,13 +71,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/3e7478d7-bd96-412b-97b8-f467ad14b151?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/3e7478d7-bd96-412b-97b8-f467ad14b151?api-version=2020-11-01-preview cache-control: - no-cache content-length: @@ -89,7 +89,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/3e7478d7-bd96-412b-97b8-f467ad14b151/Spring/cli-unittest10?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/3e7478d7-bd96-412b-97b8-f467ad14b151/Spring/cli-unittest10?api-version=2020-11-01-preview pragma: - no-cache request-context: @@ -123,7 +123,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:34:33.4149466Z"}}' @@ -175,7 +175,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -225,7 +225,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:34:33.4149466Z"}}' @@ -277,7 +277,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -327,7 +327,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:34:33.4149466Z"}}' @@ -379,7 +379,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -429,7 +429,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:34:33.4149466Z"}}' @@ -481,7 +481,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -604,13 +604,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/4eacec8f-eb56-45ad-a607-025fa76baa1c?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/4eacec8f-eb56-45ad-a607-025fa76baa1c?api-version=2020-11-01-preview cache-control: - no-cache content-length: @@ -622,7 +622,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/4eacec8f-eb56-45ad-a607-025fa76baa1c/Spring/cli-unittest10?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/4eacec8f-eb56-45ad-a607-025fa76baa1c/Spring/cli-unittest10?api-version=2020-11-01-preview pragma: - no-cache request-context: @@ -656,7 +656,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:35:11.2820718Z"}}' @@ -708,7 +708,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -758,7 +758,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:35:11.2820718Z"}}' @@ -810,7 +810,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -860,7 +860,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:35:11.2820718Z"}}' @@ -912,7 +912,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -962,7 +962,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:35:11.2820718Z"}}' @@ -1014,7 +1014,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -1064,7 +1064,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:35:11.2820718Z"}}' @@ -1120,13 +1120,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/9446e144-70cf-41ca-b6a7-d0b7aff40948?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/9446e144-70cf-41ca-b6a7-d0b7aff40948?api-version=2020-11-01-preview cache-control: - no-cache content-length: @@ -1138,7 +1138,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/9446e144-70cf-41ca-b6a7-d0b7aff40948/Spring/cli-unittest10?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/9446e144-70cf-41ca-b6a7-d0b7aff40948/Spring/cli-unittest10?api-version=2020-11-01-preview pragma: - no-cache request-context: @@ -1172,7 +1172,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:35:32.6349347Z"}}' @@ -1224,7 +1224,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -1274,7 +1274,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:35:32.6349347Z"}}' @@ -1326,7 +1326,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -1376,7 +1376,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:35:32.6349347Z"}}' @@ -1428,7 +1428,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -1478,7 +1478,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:35:32.6349347Z"}}' @@ -1530,7 +1530,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -1653,13 +1653,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/63d753cf-4aeb-42fb-a635-db62796cae58?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/63d753cf-4aeb-42fb-a635-db62796cae58?api-version=2020-11-01-preview cache-control: - no-cache content-length: @@ -1671,7 +1671,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/63d753cf-4aeb-42fb-a635-db62796cae58/Spring/cli-unittest10?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/63d753cf-4aeb-42fb-a635-db62796cae58/Spring/cli-unittest10?api-version=2020-11-01-preview pragma: - no-cache request-context: @@ -1705,7 +1705,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:35:51.3395913Z"}}' @@ -1757,7 +1757,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -1807,7 +1807,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:35:51.3395913Z"}}' @@ -1859,7 +1859,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -1909,7 +1909,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:35:51.3395913Z"}}' @@ -1961,7 +1961,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -2011,7 +2011,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:35:51.3395913Z"}}' @@ -2063,7 +2063,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -2113,7 +2113,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:35:51.3395913Z"}}' @@ -2169,13 +2169,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/e893ebcf-83da-4758-a3c6-fadb502cafb1?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/e893ebcf-83da-4758-a3c6-fadb502cafb1?api-version=2020-11-01-preview cache-control: - no-cache content-length: @@ -2187,7 +2187,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/e893ebcf-83da-4758-a3c6-fadb502cafb1/Spring/cli-unittest10?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/e893ebcf-83da-4758-a3c6-fadb502cafb1/Spring/cli-unittest10?api-version=2020-11-01-preview pragma: - no-cache request-context: @@ -2221,7 +2221,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:36:12.4962802Z"}}' @@ -2273,7 +2273,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -2323,7 +2323,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:36:12.4962802Z"}}' @@ -2375,7 +2375,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -2425,7 +2425,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:36:12.4962802Z"}}' @@ -2477,7 +2477,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -2527,7 +2527,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:36:12.4962802Z"}}' @@ -2579,7 +2579,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -2634,13 +2634,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"e157df4b-c2b4-4d03-b2bc-b85f6570ee8d"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/11f454d1-c35a-4ffd-bf2d-93c1f1f1f708?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/11f454d1-c35a-4ffd-bf2d-93c1f1f1f708?api-version=2020-11-01-preview cache-control: - no-cache content-length: @@ -2652,7 +2652,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/11f454d1-c35a-4ffd-bf2d-93c1f1f1f708/Spring/cli-unittest10?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/11f454d1-c35a-4ffd-bf2d-93c1f1f1f708/Spring/cli-unittest10?api-version=2020-11-01-preview pragma: - no-cache request-context: @@ -2686,7 +2686,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:36:30.567439Z"}}' @@ -2738,7 +2738,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"e157df4b-c2b4-4d03-b2bc-b85f6570ee8d"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -2788,7 +2788,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:36:30.567439Z"}}' @@ -2840,7 +2840,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"e157df4b-c2b4-4d03-b2bc-b85f6570ee8d"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -2890,7 +2890,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:36:30.567439Z"}}' @@ -2942,7 +2942,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"e157df4b-c2b4-4d03-b2bc-b85f6570ee8d"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -2992,7 +2992,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:36:30.567439Z"}}' @@ -3044,7 +3044,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"e157df4b-c2b4-4d03-b2bc-b85f6570ee8d"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -3094,7 +3094,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:36:30.567439Z"}}' @@ -3150,13 +3150,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/ed7d3a8b-7e26-44d0-965f-278e166165c5?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/ed7d3a8b-7e26-44d0-965f-278e166165c5?api-version=2020-11-01-preview cache-control: - no-cache content-length: @@ -3168,7 +3168,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/ed7d3a8b-7e26-44d0-965f-278e166165c5/Spring/cli-unittest10?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/ed7d3a8b-7e26-44d0-965f-278e166165c5/Spring/cli-unittest10?api-version=2020-11-01-preview pragma: - no-cache request-context: @@ -3202,7 +3202,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:36:49.4585506Z"}}' @@ -3254,7 +3254,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -3304,7 +3304,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:36:49.4585506Z"}}' @@ -3356,7 +3356,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -3406,7 +3406,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:36:49.4585506Z"}}' @@ -3458,7 +3458,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -3508,7 +3508,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:36:49.4585506Z"}}' @@ -3560,7 +3560,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -3616,13 +3616,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/a736bfd6-5d87-4a63-a2c8-715a03de2849?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/a736bfd6-5d87-4a63-a2c8-715a03de2849?api-version=2020-11-01-preview cache-control: - no-cache content-length: @@ -3634,7 +3634,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/a736bfd6-5d87-4a63-a2c8-715a03de2849/Spring/cli-unittest10?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/a736bfd6-5d87-4a63-a2c8-715a03de2849/Spring/cli-unittest10?api-version=2020-11-01-preview pragma: - no-cache request-context: @@ -3668,7 +3668,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:37:06.4181491Z"}}' @@ -3720,7 +3720,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -3770,7 +3770,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:37:06.4181491Z"}}' @@ -3822,7 +3822,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -3872,7 +3872,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:37:06.4181491Z"}}' @@ -3924,7 +3924,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -3974,7 +3974,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:37:06.4181491Z"}}' @@ -4026,7 +4026,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -4076,7 +4076,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:37:06.4181491Z"}}' @@ -4128,7 +4128,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -4184,13 +4184,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":0.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/e0908ebf-108d-4804-8000-6ab3f75e319c?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/e0908ebf-108d-4804-8000-6ab3f75e319c?api-version=2020-11-01-preview cache-control: - no-cache content-length: @@ -4202,7 +4202,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/e0908ebf-108d-4804-8000-6ab3f75e319c/Spring/cli-unittest10?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/e0908ebf-108d-4804-8000-6ab3f75e319c/Spring/cli-unittest10?api-version=2020-11-01-preview pragma: - no-cache request-context: @@ -4236,7 +4236,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:37:27.5729199Z"}}' @@ -4288,7 +4288,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":0.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -4338,7 +4338,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:37:27.5729199Z"}}' @@ -4390,7 +4390,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":0.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -4440,7 +4440,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:37:27.5729199Z"}}' @@ -4492,7 +4492,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":0.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -4542,7 +4542,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:37:27.5729199Z"}}' @@ -4594,7 +4594,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":0.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -4644,7 +4644,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:37:27.5729199Z"}}' @@ -4696,7 +4696,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":0.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -4752,13 +4752,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":0.1,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/3e40334e-2cf9-413b-8267-f8bb7707e862?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/3e40334e-2cf9-413b-8267-f8bb7707e862?api-version=2020-11-01-preview cache-control: - no-cache content-length: @@ -4770,7 +4770,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/3e40334e-2cf9-413b-8267-f8bb7707e862/Spring/cli-unittest10?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/3e40334e-2cf9-413b-8267-f8bb7707e862/Spring/cli-unittest10?api-version=2020-11-01-preview pragma: - no-cache request-context: @@ -4804,7 +4804,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:37:46.9449185Z"}}' @@ -4856,7 +4856,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":0.1,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -4906,7 +4906,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:37:46.9449185Z"}}' @@ -4958,7 +4958,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":0.1,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -5008,7 +5008,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:37:46.9449185Z"}}' @@ -5060,7 +5060,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":0.1,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -5110,7 +5110,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:37:46.9449185Z"}}' @@ -5162,7 +5162,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":0.1,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -5212,7 +5212,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:37:46.9449185Z"}}' @@ -5264,7 +5264,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":0.1,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -5320,13 +5320,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":1.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/e65d84c9-90c4-4d6f-b6f7-18240f530f2c?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/e65d84c9-90c4-4d6f-b6f7-18240f530f2c?api-version=2020-11-01-preview cache-control: - no-cache content-length: @@ -5338,7 +5338,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/e65d84c9-90c4-4d6f-b6f7-18240f530f2c/Spring/cli-unittest10?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/e65d84c9-90c4-4d6f-b6f7-18240f530f2c/Spring/cli-unittest10?api-version=2020-11-01-preview pragma: - no-cache request-context: @@ -5372,7 +5372,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:38:06.4918407Z"}}' @@ -5424,7 +5424,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":1.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -5474,7 +5474,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:38:06.4918407Z"}}' @@ -5526,7 +5526,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":1.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -5576,7 +5576,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:38:06.4918407Z"}}' @@ -5628,7 +5628,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":1.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -5678,7 +5678,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:38:06.4918407Z"}}' @@ -5730,7 +5730,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":1.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -5780,7 +5780,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:38:06.4918407Z"}}' @@ -5832,7 +5832,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":1.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -5888,13 +5888,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/416ea116-6d24-41b9-8330-c6b9177c883e?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/416ea116-6d24-41b9-8330-c6b9177c883e?api-version=2020-11-01-preview cache-control: - no-cache content-length: @@ -5906,7 +5906,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/416ea116-6d24-41b9-8330-c6b9177c883e/Spring/cli-unittest10?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/416ea116-6d24-41b9-8330-c6b9177c883e/Spring/cli-unittest10?api-version=2020-11-01-preview pragma: - no-cache request-context: @@ -5940,7 +5940,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:38:26.9814628Z"}}' @@ -5992,7 +5992,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -6042,7 +6042,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:38:26.9814628Z"}}' @@ -6094,7 +6094,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -6144,7 +6144,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:38:26.9814628Z"}}' @@ -6196,7 +6196,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -6246,7 +6246,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:38:26.9814628Z"}}' @@ -6298,7 +6298,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -6348,7 +6348,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:38:26.9814628Z"}}' @@ -6400,7 +6400,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -6456,13 +6456,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":50.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/9ddbeaf5-00e5-4124-ad53-ea3a95863f5a?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/9ddbeaf5-00e5-4124-ad53-ea3a95863f5a?api-version=2020-11-01-preview cache-control: - no-cache content-length: @@ -6474,7 +6474,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/9ddbeaf5-00e5-4124-ad53-ea3a95863f5a/Spring/cli-unittest10?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/9ddbeaf5-00e5-4124-ad53-ea3a95863f5a/Spring/cli-unittest10?api-version=2020-11-01-preview pragma: - no-cache request-context: @@ -6508,7 +6508,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:38:45.7241426Z"}}' @@ -6560,7 +6560,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":50.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -6610,7 +6610,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:38:45.7241426Z"}}' @@ -6662,7 +6662,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":50.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -6712,7 +6712,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:38:45.7241426Z"}}' @@ -6764,7 +6764,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":50.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -6814,7 +6814,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:38:45.7241426Z"}}' @@ -6866,7 +6866,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":50.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -6916,7 +6916,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:38:45.7241426Z"}}' @@ -6968,7 +6968,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":50.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -7024,13 +7024,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":99.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/60bf9bb1-443b-42e8-8f67-a49f4ee4b949?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/60bf9bb1-443b-42e8-8f67-a49f4ee4b949?api-version=2020-11-01-preview cache-control: - no-cache content-length: @@ -7042,7 +7042,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/60bf9bb1-443b-42e8-8f67-a49f4ee4b949/Spring/cli-unittest10?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/60bf9bb1-443b-42e8-8f67-a49f4ee4b949/Spring/cli-unittest10?api-version=2020-11-01-preview pragma: - no-cache request-context: @@ -7076,7 +7076,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:39:06.0770506Z"}}' @@ -7128,7 +7128,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":99.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -7178,7 +7178,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:39:06.0770506Z"}}' @@ -7230,7 +7230,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":99.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -7280,7 +7280,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:39:06.0770506Z"}}' @@ -7332,7 +7332,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":99.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -7382,7 +7382,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:39:06.0770506Z"}}' @@ -7434,7 +7434,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":99.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -7484,7 +7484,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:39:06.0770506Z"}}' @@ -7536,7 +7536,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":99.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -7592,13 +7592,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":100.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/9a0b06ab-d349-4d3e-937e-d2547f92a40e?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/9a0b06ab-d349-4d3e-937e-d2547f92a40e?api-version=2020-11-01-preview cache-control: - no-cache content-length: @@ -7610,7 +7610,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/9a0b06ab-d349-4d3e-937e-d2547f92a40e/Spring/cli-unittest10?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/9a0b06ab-d349-4d3e-937e-d2547f92a40e/Spring/cli-unittest10?api-version=2020-11-01-preview pragma: - no-cache request-context: @@ -7644,7 +7644,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:39:25.1186118Z"}}' @@ -7696,7 +7696,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":100.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -7746,7 +7746,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:39:25.1186118Z"}}' @@ -7798,7 +7798,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":100.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -7848,7 +7848,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:39:25.1186118Z"}}' @@ -7900,7 +7900,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":100.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -7950,7 +7950,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:39:25.1186118Z"}}' @@ -8002,7 +8002,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":100.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' diff --git a/src/spring/azext_spring/tests/latest/recordings/test_asc_update.yaml b/src/spring/azext_spring/tests/latest/recordings/test_asc_update.yaml index 82ad020e5d9..0166da9ec4a 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_asc_update.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_asc_update.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-05-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:39:25.1186118Z"}}' @@ -67,7 +67,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":100.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -121,13 +121,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/2fa1119f-4645-4aed-a55d-07e9abf2c8d1?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/2fa1119f-4645-4aed-a55d-07e9abf2c8d1?api-version=2020-11-01-preview cache-control: - no-cache content-length: @@ -139,7 +139,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/2fa1119f-4645-4aed-a55d-07e9abf2c8d1/Spring/cli-unittest10?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/2fa1119f-4645-4aed-a55d-07e9abf2c8d1/Spring/cli-unittest10?api-version=2020-11-01-preview pragma: - no-cache request-context: @@ -173,7 +173,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:44:17.2734231Z"}}' @@ -225,7 +225,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -275,7 +275,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:44:17.2734231Z"}}' @@ -327,7 +327,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -377,7 +377,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:44:17.2734231Z"}}' @@ -429,7 +429,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -479,7 +479,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-05-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:44:17.2734231Z"}}' @@ -531,7 +531,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -653,13 +653,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/78d5b0c8-e992-4841-b2df-7e6147c546b5?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/78d5b0c8-e992-4841-b2df-7e6147c546b5?api-version=2020-11-01-preview cache-control: - no-cache content-length: @@ -671,7 +671,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/78d5b0c8-e992-4841-b2df-7e6147c546b5/Spring/cli-unittest10?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/78d5b0c8-e992-4841-b2df-7e6147c546b5/Spring/cli-unittest10?api-version=2020-11-01-preview pragma: - no-cache request-context: @@ -705,7 +705,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:44:38.3964064Z"}}' @@ -757,7 +757,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -807,7 +807,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:44:38.3964064Z"}}' @@ -859,7 +859,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -909,7 +909,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:44:38.3964064Z"}}' @@ -961,7 +961,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -1011,7 +1011,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-05-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:44:38.3964064Z"}}' @@ -1063,7 +1063,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -1117,13 +1117,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/737f14e7-fb8d-4fb9-bbcc-cde8c77e0b6c?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/737f14e7-fb8d-4fb9-bbcc-cde8c77e0b6c?api-version=2020-11-01-preview cache-control: - no-cache content-length: @@ -1135,7 +1135,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/737f14e7-fb8d-4fb9-bbcc-cde8c77e0b6c/Spring/cli-unittest10?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/737f14e7-fb8d-4fb9-bbcc-cde8c77e0b6c/Spring/cli-unittest10?api-version=2020-11-01-preview pragma: - no-cache request-context: @@ -1169,7 +1169,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:44:56.0010121Z"}}' @@ -1221,7 +1221,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -1271,7 +1271,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:44:56.0010121Z"}}' @@ -1323,7 +1323,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -1373,7 +1373,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:44:56.0010121Z"}}' @@ -1425,7 +1425,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -1475,7 +1475,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-05-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:44:56.0010121Z"}}' @@ -1527,7 +1527,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -1649,13 +1649,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/de453699-27ed-49ba-a213-6e6e7213071b?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/de453699-27ed-49ba-a213-6e6e7213071b?api-version=2020-11-01-preview cache-control: - no-cache content-length: @@ -1667,7 +1667,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/de453699-27ed-49ba-a213-6e6e7213071b/Spring/cli-unittest10?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/de453699-27ed-49ba-a213-6e6e7213071b/Spring/cli-unittest10?api-version=2020-11-01-preview pragma: - no-cache request-context: @@ -1701,7 +1701,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:45:15.6162002Z"}}' @@ -1753,7 +1753,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -1803,7 +1803,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:45:15.6162002Z"}}' @@ -1855,7 +1855,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -1905,7 +1905,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:45:15.6162002Z"}}' @@ -1957,7 +1957,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -2007,7 +2007,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-05-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:45:15.6162002Z"}}' @@ -2059,7 +2059,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -2113,13 +2113,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/ee974dda-ed60-4a42-9efd-44f7f6f813fb?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/ee974dda-ed60-4a42-9efd-44f7f6f813fb?api-version=2020-11-01-preview cache-control: - no-cache content-length: @@ -2131,7 +2131,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/ee974dda-ed60-4a42-9efd-44f7f6f813fb/Spring/cli-unittest10?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/ee974dda-ed60-4a42-9efd-44f7f6f813fb/Spring/cli-unittest10?api-version=2020-11-01-preview pragma: - no-cache request-context: @@ -2165,7 +2165,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:45:34.0554291Z"}}' @@ -2217,7 +2217,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -2267,7 +2267,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:45:34.0554291Z"}}' @@ -2319,7 +2319,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -2369,7 +2369,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:45:34.0554291Z"}}' @@ -2421,7 +2421,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -2471,7 +2471,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-05-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:45:34.0554291Z"}}' @@ -2523,7 +2523,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -2578,13 +2578,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"e157df4b-c2b4-4d03-b2bc-b85f6570ee8d"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/efa616a3-f4c0-498f-a9f0-f0b6ae13e226?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/efa616a3-f4c0-498f-a9f0-f0b6ae13e226?api-version=2020-11-01-preview cache-control: - no-cache content-length: @@ -2596,7 +2596,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/efa616a3-f4c0-498f-a9f0-f0b6ae13e226/Spring/cli-unittest10?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/efa616a3-f4c0-498f-a9f0-f0b6ae13e226/Spring/cli-unittest10?api-version=2020-11-01-preview pragma: - no-cache request-context: @@ -2630,7 +2630,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:45:50.4180251Z"}}' @@ -2682,7 +2682,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"e157df4b-c2b4-4d03-b2bc-b85f6570ee8d"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -2732,7 +2732,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:45:50.4180251Z"}}' @@ -2784,7 +2784,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"e157df4b-c2b4-4d03-b2bc-b85f6570ee8d"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -2834,7 +2834,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:45:50.4180251Z"}}' @@ -2886,7 +2886,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"e157df4b-c2b4-4d03-b2bc-b85f6570ee8d"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -2936,7 +2936,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-05-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:45:50.4180251Z"}}' @@ -2988,7 +2988,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"e157df4b-c2b4-4d03-b2bc-b85f6570ee8d"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -3042,13 +3042,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/abbcf879-525c-4bc9-9262-3955a501e9d8?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/abbcf879-525c-4bc9-9262-3955a501e9d8?api-version=2020-11-01-preview cache-control: - no-cache content-length: @@ -3060,7 +3060,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/abbcf879-525c-4bc9-9262-3955a501e9d8/Spring/cli-unittest10?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/abbcf879-525c-4bc9-9262-3955a501e9d8/Spring/cli-unittest10?api-version=2020-11-01-preview pragma: - no-cache request-context: @@ -3094,7 +3094,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:46:08.8904826Z"}}' @@ -3146,7 +3146,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -3196,7 +3196,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:46:08.8904826Z"}}' @@ -3248,7 +3248,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -3298,7 +3298,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:46:08.8904826Z"}}' @@ -3350,7 +3350,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -3400,7 +3400,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-05-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:46:08.8904826Z"}}' @@ -3452,7 +3452,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -3507,13 +3507,13 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/d0fffb87-68dc-4832-a879-33ea3e9bd5f4?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest10/operationId/d0fffb87-68dc-4832-a879-33ea3e9bd5f4?api-version=2020-11-01-preview cache-control: - no-cache content-length: @@ -3525,7 +3525,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/d0fffb87-68dc-4832-a879-33ea3e9bd5f4/Spring/cli-unittest10?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/d0fffb87-68dc-4832-a879-33ea3e9bd5f4/Spring/cli-unittest10?api-version=2020-11-01-preview pragma: - no-cache request-context: @@ -3559,7 +3559,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:46:26.1402904Z"}}' @@ -3611,7 +3611,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -3661,7 +3661,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:46:26.1402904Z"}}' @@ -3713,7 +3713,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' @@ -3763,7 +3763,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1d959049b8334e429eb07ca9e107dedc","networkProfile":{"outboundIPs":{"publicIPs":["20.94.26.33","20.96.133.171"]}},"powerState":"Running","fqdn":"cli-unittest10.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10","name":"cli-unittest10","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-07-02T10:21:39.0945487Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-07-02T10:46:26.1402904Z"}}' @@ -3815,7 +3815,7 @@ interactions: User-Agent: - AZURECLI/2.37.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=e157df4b-c2b4-4d03-b2bc-b85f6570ee8d;IngestionEndpoint=https://eastus-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest10/monitoringSettings/default","name":"default"}' diff --git a/src/spring/azext_spring/tests/latest/recordings/test_az_asc_create.yaml b/src/spring/azext_spring/tests/latest/recordings/test_az_asc_create.yaml index b73256da192..6bfbd718817 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_az_asc_create.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_az_asc_create.yaml @@ -1136,13 +1136,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-az1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-az1?api-version=2022-05-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-az1/operationId/ace8b8de-9796-45cb-a2ee-ee0358a57102?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-az1/operationId/ace8b8de-9796-45cb-a2ee-ee0358a57102?api-version=2022-05-01-preview cache-control: - no-cache content-length: @@ -1152,7 +1152,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationResults/ace8b8de-9796-45cb-a2ee-ee0358a57102/Spring/cli-unittest-az1?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationResults/ace8b8de-9796-45cb-a2ee-ee0358a57102/Spring/cli-unittest-az1?api-version=2022-05-01-preview pragma: - no-cache request-context: diff --git a/src/spring/azext_spring/tests/latest/recordings/test_bind_cert_to_domain.yaml b/src/spring/azext_spring/tests/latest/recordings/test_bind_cert_to_domain.yaml index a6d4b7e02ee..3e38f40b095 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_bind_cert_to_domain.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_bind_cert_to_domain.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain?api-version=2022-09-01-preview response: body: string: '{"error":{"code":"NotFound","message":"App was not found","target":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain","details":null}}' @@ -61,7 +61,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-09-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"e55ed5c1ee8942f9a36f033e7bbd28e8","networkProfile":{"outboundIPs":{"publicIPs":["20.237.103.188","20.237.103.250"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:05:42.8680393Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:11:29.9671687Z"}}' @@ -116,13 +116,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Creating","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain","name":"test-custom-domain","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:24:50.0031575Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:24:50.0031575Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-custom-domain/operationId/c0f9d69b-81cb-482f-b512-fe63942ab54d?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-custom-domain/operationId/c0f9d69b-81cb-482f-b512-fe63942ab54d?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -134,7 +134,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/c0f9d69b-81cb-482f-b512-fe63942ab54d/Spring/test-custom-domain?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/c0f9d69b-81cb-482f-b512-fe63942ab54d/Spring/test-custom-domain?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -166,7 +166,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-custom-domain/operationId/c0f9d69b-81cb-482f-b512-fe63942ab54d?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-custom-domain/operationId/c0f9d69b-81cb-482f-b512-fe63942ab54d?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-custom-domain/operationId/c0f9d69b-81cb-482f-b512-fe63942ab54d","name":"c0f9d69b-81cb-482f-b512-fe63942ab54d","status":"Succeeded","startTime":"2022-09-07T14:24:50.719882Z","endTime":"2022-09-07T14:24:57.0940115Z"}' @@ -214,7 +214,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain","name":"test-custom-domain","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:24:50.0031575Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:24:50.0031575Z"}}' @@ -271,13 +271,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments/mock-deployment?api-version=2022-09-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90},"provisioningState":"Creating","status":"Running","active":true,"instances":null,"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:25:26.2799224Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:25:26.2799224Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/fb5f6053-bb0b-4e01-b9c8-88fed265b5d4?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/fb5f6053-bb0b-4e01-b9c8-88fed265b5d4?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -289,7 +289,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/fb5f6053-bb0b-4e01-b9c8-88fed265b5d4/Spring/default?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/fb5f6053-bb0b-4e01-b9c8-88fed265b5d4/Spring/default?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -326,13 +326,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain","name":"test-custom-domain","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:24:50.0031575Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:25:28.9844521Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-custom-domain/operationId/804278a9-4aa6-4ae1-be9b-76e718aa8f90?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-custom-domain/operationId/804278a9-4aa6-4ae1-be9b-76e718aa8f90?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -344,7 +344,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/804278a9-4aa6-4ae1-be9b-76e718aa8f90/Spring/test-custom-domain?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/804278a9-4aa6-4ae1-be9b-76e718aa8f90/Spring/test-custom-domain?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -376,7 +376,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/fb5f6053-bb0b-4e01-b9c8-88fed265b5d4?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/fb5f6053-bb0b-4e01-b9c8-88fed265b5d4?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/fb5f6053-bb0b-4e01-b9c8-88fed265b5d4","name":"fb5f6053-bb0b-4e01-b9c8-88fed265b5d4","status":"Running","startTime":"2022-09-07T14:25:28.6461174Z"}' @@ -424,7 +424,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-custom-domain/operationId/804278a9-4aa6-4ae1-be9b-76e718aa8f90?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-custom-domain/operationId/804278a9-4aa6-4ae1-be9b-76e718aa8f90?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-custom-domain/operationId/804278a9-4aa6-4ae1-be9b-76e718aa8f90","name":"804278a9-4aa6-4ae1-be9b-76e718aa8f90","status":"Succeeded","startTime":"2022-09-07T14:25:29.5449416Z","endTime":"2022-09-07T14:25:35.9508357Z"}' @@ -472,7 +472,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain","name":"test-custom-domain","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:24:50.0031575Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:25:28.9844521Z"}}' @@ -522,7 +522,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/fb5f6053-bb0b-4e01-b9c8-88fed265b5d4?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/fb5f6053-bb0b-4e01-b9c8-88fed265b5d4?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/fb5f6053-bb0b-4e01-b9c8-88fed265b5d4","name":"fb5f6053-bb0b-4e01-b9c8-88fed265b5d4","status":"Running","startTime":"2022-09-07T14:25:28.6461174Z"}' @@ -570,7 +570,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/fb5f6053-bb0b-4e01-b9c8-88fed265b5d4?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/fb5f6053-bb0b-4e01-b9c8-88fed265b5d4?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/fb5f6053-bb0b-4e01-b9c8-88fed265b5d4","name":"fb5f6053-bb0b-4e01-b9c8-88fed265b5d4","status":"Succeeded","startTime":"2022-09-07T14:25:28.6461174Z","endTime":"2022-09-07T14:26:11.3117661Z"}' @@ -618,7 +618,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments/mock-deployment?api-version=2022-09-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-custom-domain-default-18-78f5fb7766-ptsvn","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T14:25:35Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:25:26.2799224Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:25:26.2799224Z"}}' @@ -668,7 +668,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain","name":"test-custom-domain","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:24:50.0031575Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:25:28.9844521Z"}}' @@ -718,7 +718,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments?api-version=2022-09-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-custom-domain-default-18-78f5fb7766-ptsvn","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T14:25:35Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:25:26.2799224Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:25:26.2799224Z"}}]}' @@ -773,7 +773,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert?api-version=2022-01-01-preview response: body: string: '{"properties":{"vaultUri":"https://integration-test-prod.vault.azure.net","keyVaultCertName":"cli-unittest","certVersion":"b7518f6674c744cb8eca1e83fc221e56","excludePrivateKey":false,"type":"KeyVaultCertificate","thumbprint":"ef16ce1a35ecd6b7a9d4e546a5b1d480b38f3e5d","issuer":"*.asc-test.net","expirationDate":"2022-12-13T04:50:31.000+00:00","activateDate":"2021-12-13T04:40:31.000+00:00","subjectName":"*.asc-test.net","dnsNames":["cli.asc-test.net"]},"type":"Microsoft.AppPlatform/Spring/certificates","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert","name":"test-cert","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:27:10.6980537Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:27:10.6980537Z"}}' @@ -823,7 +823,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert?api-version=2022-01-01-preview response: body: string: '{"properties":{"vaultUri":"https://integration-test-prod.vault.azure.net","keyVaultCertName":"cli-unittest","certVersion":"b7518f6674c744cb8eca1e83fc221e56","excludePrivateKey":false,"type":"KeyVaultCertificate","thumbprint":"ef16ce1a35ecd6b7a9d4e546a5b1d480b38f3e5d","issuer":"*.asc-test.net","expirationDate":"2022-12-13T04:50:31.000+00:00","activateDate":"2021-12-13T04:40:31.000+00:00","subjectName":"*.asc-test.net","dnsNames":["cli.asc-test.net"]},"type":"Microsoft.AppPlatform/Spring/certificates","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert","name":"test-cert","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:27:10.6980537Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:27:10.6980537Z"}}' @@ -871,7 +871,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates?api-version=2022-01-01-preview response: body: string: '{"value":[{"properties":{"type":"ContentCertificate","thumbprint":"d4de20d05e66fc53fe1a50882c78db2852cae474","issuer":"Baltimore @@ -923,7 +923,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments?api-version=2022-05-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-custom-domain-default-18-78f5fb7766-ptsvn","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T14:25:35Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:25:26.2799224Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:25:26.2799224Z"}}]}' @@ -977,7 +977,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/domains/cli.asc-test.net?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/domains/cli.asc-test.net?api-version=2022-01-01-preview response: body: string: '{"properties":{"appName":"test-custom-domain"},"type":"Microsoft.AppPlatform/Spring/apps/domains","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/domains/cli.asc-test.net","name":"cli.asc-test.net","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:27:44.04635Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:27:44.04635Z"}}' @@ -1027,7 +1027,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments?api-version=2022-05-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-custom-domain-default-18-78f5fb7766-ptsvn","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T14:25:35Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:25:26.2799224Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:25:26.2799224Z"}}]}' @@ -1077,7 +1077,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/domains/cli.asc-test.net?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/domains/cli.asc-test.net?api-version=2022-01-01-preview response: body: string: '{"properties":{"appName":"test-custom-domain"},"type":"Microsoft.AppPlatform/Spring/apps/domains","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/domains/cli.asc-test.net","name":"cli.asc-test.net","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:27:44.04635Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:27:44.04635Z"}}' @@ -1125,7 +1125,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments?api-version=2022-05-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-custom-domain-default-18-78f5fb7766-ptsvn","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T14:25:35Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:25:26.2799224Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:25:26.2799224Z"}}]}' @@ -1175,7 +1175,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/domains?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/domains?api-version=2022-01-01-preview response: body: string: '{"value":[{"properties":{"appName":"test-custom-domain"},"type":"Microsoft.AppPlatform/Spring/apps/domains","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/domains/cli.asc-test.net","name":"cli.asc-test.net","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:27:44.04635Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:27:44.04635Z"}}]}' @@ -1223,7 +1223,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments?api-version=2022-05-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-custom-domain-default-18-78f5fb7766-ptsvn","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T14:25:35Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:25:26.2799224Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:25:26.2799224Z"}}]}' @@ -1273,7 +1273,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert?api-version=2022-01-01-preview response: body: string: '{"properties":{"vaultUri":"https://integration-test-prod.vault.azure.net","keyVaultCertName":"cli-unittest","certVersion":"b7518f6674c744cb8eca1e83fc221e56","excludePrivateKey":false,"type":"KeyVaultCertificate","thumbprint":"ef16ce1a35ecd6b7a9d4e546a5b1d480b38f3e5d","issuer":"*.asc-test.net","expirationDate":"2022-12-13T04:50:31.000+00:00","activateDate":"2021-12-13T04:40:31.000+00:00","subjectName":"*.asc-test.net","dnsNames":["cli.asc-test.net"]},"type":"Microsoft.AppPlatform/Spring/certificates","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert","name":"test-cert","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:27:10.6980537Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:27:10.6980537Z"}}' @@ -1326,7 +1326,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/domains/cli.asc-test.net?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/domains/cli.asc-test.net?api-version=2022-01-01-preview response: body: string: '{"properties":{"thumbprint":"ef16ce1a35ecd6b7a9d4e546a5b1d480b38f3e5d","appName":"test-custom-domain","certName":"test-cert"},"type":"Microsoft.AppPlatform/Spring/apps/domains","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/domains/cli.asc-test.net","name":"cli.asc-test.net","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:27:44.04635Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:29:04.8190967Z"}}' @@ -1376,7 +1376,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments?api-version=2022-05-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-custom-domain-default-18-78f5fb7766-ptsvn","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T14:25:35Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:25:26.2799224Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:25:26.2799224Z"}}]}' @@ -1426,7 +1426,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/domains/cli.asc-test.net?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/domains/cli.asc-test.net?api-version=2022-01-01-preview response: body: string: '{"properties":{"thumbprint":"ef16ce1a35ecd6b7a9d4e546a5b1d480b38f3e5d","appName":"test-custom-domain","certName":"test-cert"},"type":"Microsoft.AppPlatform/Spring/apps/domains","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/domains/cli.asc-test.net","name":"cli.asc-test.net","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:27:44.04635Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:29:04.8190967Z"}}' @@ -1476,7 +1476,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/domains/cli.asc-test.net?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/domains/cli.asc-test.net?api-version=2022-01-01-preview response: body: string: '' @@ -1520,7 +1520,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments?api-version=2022-05-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-custom-domain-default-18-78f5fb7766-ptsvn","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T14:25:35Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:25:26.2799224Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:25:26.2799224Z"}}]}' @@ -1570,7 +1570,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/domains/cli.asc-test.net?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-custom-domain/domains/cli.asc-test.net?api-version=2022-01-01-preview response: body: string: '{"error":{"code":"NotFound","message":"CustomDomain ''cli.asc-test.net'' @@ -1615,7 +1615,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert?api-version=2022-01-01-preview response: body: string: '{"properties":{"vaultUri":"https://integration-test-prod.vault.azure.net","keyVaultCertName":"cli-unittest","certVersion":"b7518f6674c744cb8eca1e83fc221e56","excludePrivateKey":false,"type":"KeyVaultCertificate","thumbprint":"ef16ce1a35ecd6b7a9d4e546a5b1d480b38f3e5d","issuer":"*.asc-test.net","expirationDate":"2022-12-13T04:50:31.000+00:00","activateDate":"2021-12-13T04:40:31.000+00:00","subjectName":"*.asc-test.net","dnsNames":["cli.asc-test.net"]},"type":"Microsoft.AppPlatform/Spring/certificates","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert","name":"test-cert","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T14:27:10.6980537Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T14:27:10.6980537Z"}}' @@ -1665,7 +1665,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert?api-version=2022-01-01-preview response: body: string: '' @@ -1709,7 +1709,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert?api-version=2022-01-01-preview response: body: string: '{"error":{"code":"NotFound","message":"Certificate ''test-cert'' diff --git a/src/spring/azext_spring/tests/latest/recordings/test_blue_green_deployment.yaml b/src/spring/azext_spring/tests/latest/recordings/test_blue_green_deployment.yaml index 35f58588a1c..968115d4323 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_blue_green_deployment.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_blue_green_deployment.yaml @@ -13,9 +13,9 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2022-09-01-preview response: body: string: '{"error":{"code":"NotFound","message":"App was not found","target":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","details":null}}' @@ -27,13 +27,13 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Thu, 09 Feb 2023 08:04:49 GMT + - Wed, 07 Sep 2022 06:18:22 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains x-content-type-options: @@ -41,7 +41,7 @@ interactions: x-ms-ratelimit-remaining-subscription-resource-requests: - '11999' x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 404 message: Not Found @@ -59,27 +59,27 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-09-01-preview response: body: - string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"5ba46920b17d471fb607ab2b0ea28f1d","networkProfile":{"outboundIPs":{"publicIPs":["20.232.236.85","20.232.236.151"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T07:38:29.1366068Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T07:44:18.9847621Z"}}' + string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"e55ed5c1ee8942f9a36f033e7bbd28e8","networkProfile":{"outboundIPs":{"publicIPs":["20.237.103.188","20.237.103.250"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:05:42.8680393Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:11:29.9671687Z"}}' headers: cache-control: - no-cache content-length: - - '798' + - '796' content-type: - application/json; charset=utf-8 date: - - Thu, 09 Feb 2023 08:04:51 GMT + - Wed, 07 Sep 2022 06:18:22 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -91,7 +91,7 @@ interactions: x-ms-ratelimit-remaining-subscription-resource-requests: - '11999' x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 200 message: OK @@ -114,31 +114,31 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2022-09-01-preview response: body: - string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Creating","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:04:52.1228902Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:04:52.1228902Z"}}' + string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Creating","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:18:23.2992628Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:18:23.2992628Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/e5d35752-e9d3-4e22-a7a8-cc630e088f65?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/37041d9a-430e-4048-a636-e164405f1c21?api-version=2022-09-01-preview cache-control: - no-cache content-length: - - '876' + - '882' content-type: - application/json; charset=utf-8 date: - - Thu, 09 Feb 2023 08:04:52 GMT + - Wed, 07 Sep 2022 06:18:23 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/e5d35752-e9d3-4e22-a7a8-cc630e088f65/Spring/test-app-blue-green?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/37041d9a-430e-4048-a636-e164405f1c21/Spring/test-app-blue-green?api-version=2022-09-01-preview pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains x-content-type-options: @@ -146,7 +146,7 @@ interactions: x-ms-ratelimit-remaining-subscription-resource-requests: - '1199' x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 201 message: Created @@ -164,60 +164,12 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/e5d35752-e9d3-4e22-a7a8-cc630e088f65?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/37041d9a-430e-4048-a636-e164405f1c21?api-version=2022-09-01-preview response: body: - string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/e5d35752-e9d3-4e22-a7a8-cc630e088f65","name":"e5d35752-e9d3-4e22-a7a8-cc630e088f65","status":"Running","startTime":"2023-02-09T08:04:52.6282571Z"}' - headers: - cache-control: - - no-cache - content-length: - - '320' - content-type: - - application/json; charset=utf-8 - date: - - Thu, 09 Feb 2023 08:04:52 GMT - expires: - - '-1' - pragma: - - no-cache - request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - spring app create - Connection: - - keep-alive - ParameterSetName: - - -n -g -s - User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/e5d35752-e9d3-4e22-a7a8-cc630e088f65?api-version=2022-11-01-preview - response: - body: - string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/e5d35752-e9d3-4e22-a7a8-cc630e088f65","name":"e5d35752-e9d3-4e22-a7a8-cc630e088f65","status":"Succeeded","startTime":"2023-02-09T08:04:52.6282571Z","endTime":"2023-02-09T08:04:59.0147636Z"}' + string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/37041d9a-430e-4048-a636-e164405f1c21","name":"37041d9a-430e-4048-a636-e164405f1c21","status":"Succeeded","startTime":"2022-09-07T06:18:24.0756998Z","endTime":"2022-09-07T06:18:30.6961394Z"}' headers: cache-control: - no-cache @@ -226,13 +178,13 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Thu, 09 Feb 2023 08:05:03 GMT + - Wed, 07 Sep 2022 06:18:53 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -242,7 +194,7 @@ interactions: x-content-type-options: - nosniff x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 200 message: OK @@ -260,27 +212,27 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2022-09-01-preview response: body: - string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:04:52.1228902Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:04:52.1228902Z"}}' + string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:18:23.2992628Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:18:23.2992628Z"}}' headers: cache-control: - no-cache content-length: - - '979' + - '976' content-type: - application/json; charset=utf-8 date: - - Thu, 09 Feb 2023 08:05:03 GMT + - Wed, 07 Sep 2022 06:18:54 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -292,7 +244,7 @@ interactions: x-ms-ratelimit-remaining-subscription-resource-requests: - '11998' x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 200 message: OK @@ -317,31 +269,31 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/mock-deployment?api-version=2022-09-01-preview response: body: - string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90},"provisioningState":"Creating","status":"Running","active":true,"instances":null,"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/default","name":"default","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:05:07.9978086Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:05:07.9978086Z"}}' + string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90},"provisioningState":"Creating","status":"Running","active":true,"instances":null,"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:18:59.4472936Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:18:59.4472936Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/c16922be-b6e4-4918-8e80-337eb4b90de0?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/96952abf-e20e-41c5-8db8-eeda20593d13?api-version=2022-09-01-preview cache-control: - no-cache content-length: - - '836' + - '842' content-type: - application/json; charset=utf-8 date: - - Thu, 09 Feb 2023 08:05:08 GMT + - Wed, 07 Sep 2022 06:19:01 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/c16922be-b6e4-4918-8e80-337eb4b90de0/Spring/default?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/96952abf-e20e-41c5-8db8-eeda20593d13/Spring/default?api-version=2022-09-01-preview pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains x-content-type-options: @@ -349,7 +301,7 @@ interactions: x-ms-ratelimit-remaining-subscription-resource-requests: - '1199' x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 201 message: Created @@ -372,31 +324,31 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2022-09-01-preview response: body: - string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:04:52.1228902Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:05:09.8891564Z"}}' + string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:18:23.2992628Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:19:02.119731Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/065ff562-fff3-42a0-a0b4-826ff96e6b81?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/6083e324-0129-4511-99a3-1649e53f043c?api-version=2022-09-01-preview cache-control: - no-cache content-length: - - '978' + - '974' content-type: - application/json; charset=utf-8 date: - - Thu, 09 Feb 2023 08:05:10 GMT + - Wed, 07 Sep 2022 06:19:02 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/065ff562-fff3-42a0-a0b4-826ff96e6b81/Spring/test-app-blue-green?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/6083e324-0129-4511-99a3-1649e53f043c/Spring/test-app-blue-green?api-version=2022-09-01-preview pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains x-content-type-options: @@ -404,7 +356,7 @@ interactions: x-ms-ratelimit-remaining-subscription-resource-requests: - '1198' x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 202 message: Accepted @@ -422,60 +374,12 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/065ff562-fff3-42a0-a0b4-826ff96e6b81?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/96952abf-e20e-41c5-8db8-eeda20593d13?api-version=2022-09-01-preview response: body: - string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/065ff562-fff3-42a0-a0b4-826ff96e6b81","name":"065ff562-fff3-42a0-a0b4-826ff96e6b81","status":"Running","startTime":"2023-02-09T08:05:10.8199502Z"}' - headers: - cache-control: - - no-cache - content-length: - - '320' - content-type: - - application/json; charset=utf-8 - date: - - Thu, 09 Feb 2023 08:05:10 GMT - expires: - - '-1' - pragma: - - no-cache - request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - spring app create - Connection: - - keep-alive - ParameterSetName: - - -n -g -s - User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/c16922be-b6e4-4918-8e80-337eb4b90de0?api-version=2022-11-01-preview - response: - body: - string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/c16922be-b6e4-4918-8e80-337eb4b90de0","name":"c16922be-b6e4-4918-8e80-337eb4b90de0","status":"Running","startTime":"2023-02-09T08:05:09.5250306Z"}' + string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/96952abf-e20e-41c5-8db8-eeda20593d13","name":"96952abf-e20e-41c5-8db8-eeda20593d13","status":"Running","startTime":"2022-09-07T06:19:01.7579279Z"}' headers: cache-control: - no-cache @@ -484,13 +388,13 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Thu, 09 Feb 2023 08:05:21 GMT + - Wed, 07 Sep 2022 06:19:32 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -500,7 +404,7 @@ interactions: x-content-type-options: - nosniff x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 200 message: OK @@ -518,27 +422,27 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/065ff562-fff3-42a0-a0b4-826ff96e6b81?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/6083e324-0129-4511-99a3-1649e53f043c?api-version=2022-09-01-preview response: body: - string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/065ff562-fff3-42a0-a0b4-826ff96e6b81","name":"065ff562-fff3-42a0-a0b4-826ff96e6b81","status":"Succeeded","startTime":"2023-02-09T08:05:10.8199502Z","endTime":"2023-02-09T08:05:17.2536917Z"}' + string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/6083e324-0129-4511-99a3-1649e53f043c","name":"6083e324-0129-4511-99a3-1649e53f043c","status":"Succeeded","startTime":"2022-09-07T06:19:03.071124Z","endTime":"2022-09-07T06:19:09.8457236Z"}' headers: cache-control: - no-cache content-length: - - '363' + - '362' content-type: - application/json; charset=utf-8 date: - - Thu, 09 Feb 2023 08:05:23 GMT + - Wed, 07 Sep 2022 06:19:33 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -548,7 +452,7 @@ interactions: x-content-type-options: - nosniff x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 200 message: OK @@ -566,27 +470,27 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2022-09-01-preview response: body: - string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:04:52.1228902Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:05:09.8891564Z"}}' + string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:18:23.2992628Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:19:02.119731Z"}}' headers: cache-control: - no-cache content-length: - - '979' + - '975' content-type: - application/json; charset=utf-8 date: - - Thu, 09 Feb 2023 08:05:23 GMT + - Wed, 07 Sep 2022 06:19:34 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -596,105 +500,9 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '11999' - x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - spring app create - Connection: - - keep-alive - ParameterSetName: - - -n -g -s - User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/c16922be-b6e4-4918-8e80-337eb4b90de0?api-version=2022-11-01-preview - response: - body: - string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/c16922be-b6e4-4918-8e80-337eb4b90de0","name":"c16922be-b6e4-4918-8e80-337eb4b90de0","status":"Running","startTime":"2023-02-09T08:05:09.5250306Z"}' - headers: - cache-control: - - no-cache - content-length: - - '308' - content-type: - - application/json; charset=utf-8 - date: - - Thu, 09 Feb 2023 08:05:32 GMT - expires: - - '-1' - pragma: - - no-cache - request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - spring app create - Connection: - - keep-alive - ParameterSetName: - - -n -g -s - User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/c16922be-b6e4-4918-8e80-337eb4b90de0?api-version=2022-11-01-preview - response: - body: - string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/c16922be-b6e4-4918-8e80-337eb4b90de0","name":"c16922be-b6e4-4918-8e80-337eb4b90de0","status":"Running","startTime":"2023-02-09T08:05:09.5250306Z"}' - headers: - cache-control: - - no-cache - content-length: - - '308' - content-type: - - application/json; charset=utf-8 - date: - - Thu, 09 Feb 2023 08:05:42 GMT - expires: - - '-1' - pragma: - - no-cache - request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff + - '11997' x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 200 message: OK @@ -712,12 +520,12 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/c16922be-b6e4-4918-8e80-337eb4b90de0?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/96952abf-e20e-41c5-8db8-eeda20593d13?api-version=2022-09-01-preview response: body: - string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/c16922be-b6e4-4918-8e80-337eb4b90de0","name":"c16922be-b6e4-4918-8e80-337eb4b90de0","status":"Succeeded","startTime":"2023-02-09T08:05:09.5250306Z","endTime":"2023-02-09T08:05:43.9037965Z"}' + string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/96952abf-e20e-41c5-8db8-eeda20593d13","name":"96952abf-e20e-41c5-8db8-eeda20593d13","status":"Succeeded","startTime":"2022-09-07T06:19:01.7579279Z","endTime":"2022-09-07T06:19:37.4689828Z"}' headers: cache-control: - no-cache @@ -726,13 +534,13 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Thu, 09 Feb 2023 08:05:52 GMT + - Wed, 07 Sep 2022 06:19:42 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -742,7 +550,7 @@ interactions: x-content-type-options: - nosniff x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 200 message: OK @@ -760,27 +568,27 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/mock-deployment?api-version=2022-09-01-preview response: body: - string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":300,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":5,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-blue-green-default-19-85dd45f974-wp26k","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:05:16Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/default","name":"default","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:05:07.9978086Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:05:07.9978086Z"}}' + string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-blue-green-default-19-66db75ffd8-2c2hr","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:19:03Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:18:59.4472936Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:18:59.4472936Z"}}' headers: cache-control: - no-cache content-length: - - '1350' + - '1352' content-type: - application/json; charset=utf-8 date: - - Thu, 09 Feb 2023 08:05:55 GMT + - Wed, 07 Sep 2022 06:20:05 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -790,9 +598,9 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '11998' + - '11999' x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 200 message: OK @@ -810,27 +618,27 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2022-09-01-preview response: body: - string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:04:52.1228902Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:05:09.8891564Z"}}' + string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:18:23.2992628Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:19:02.119731Z"}}' headers: cache-control: - no-cache content-length: - - '979' + - '975' content-type: - application/json; charset=utf-8 date: - - Thu, 09 Feb 2023 08:06:01 GMT + - Wed, 07 Sep 2022 06:20:08 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -840,9 +648,9 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '11998' + - '11996' x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 200 message: OK @@ -860,27 +668,27 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments?api-version=2022-09-01-preview response: body: - string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":300,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":5,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-blue-green-default-19-85dd45f974-wp26k","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:05:16Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/default","name":"default","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:05:07.9978086Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:05:07.9978086Z"}}]}' + string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-blue-green-default-19-66db75ffd8-2c2hr","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:19:03Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:18:59.4472936Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:18:59.4472936Z"}}]}' headers: cache-control: - no-cache content-length: - - '1362' + - '1364' content-type: - application/json; charset=utf-8 date: - - Thu, 09 Feb 2023 08:06:04 GMT + - Wed, 07 Sep 2022 06:20:31 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -890,9 +698,9 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '11997' + - '11998' x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 200 message: OK @@ -910,27 +718,27 @@ interactions: ParameterSetName: - --app -n -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments?api-version=2022-05-01-preview response: body: - string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":300,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":5,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-blue-green-default-19-85dd45f974-wp26k","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:05:16Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/default","name":"default","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:05:07.9978086Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:05:07.9978086Z"}}]}' + string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-blue-green-default-19-66db75ffd8-2c2hr","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:19:03Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:18:59.4472936Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:18:59.4472936Z"}}]}' headers: cache-control: - no-cache content-length: - - '1362' + - '1364' content-type: - application/json; charset=utf-8 date: - - Thu, 09 Feb 2023 08:06:08 GMT + - Wed, 07 Sep 2022 06:20:55 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -940,9 +748,9 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '11999' + - '11998' x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 200 message: OK @@ -967,39 +775,39 @@ interactions: ParameterSetName: - --app -n -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/mock-deployment?api-version=2022-05-01-preview response: body: - string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90},"provisioningState":"Creating","status":"Running","active":false,"instances":null,"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/green","name":"green","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:06:10.4113564Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:06:10.4113564Z"}}' + string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90},"provisioningState":"Creating","status":"Running","active":false,"instances":null,"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/green","name":"green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:20:57.2222074Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:20:57.2222074Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/56b2cc89-8044-48e1-b236-33f00b84a21c?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/cfe5a378-8809-4215-ba89-6075e0325f32?api-version=2022-05-01-preview cache-control: - no-cache content-length: - - '833' + - '839' content-type: - application/json; charset=utf-8 date: - - Thu, 09 Feb 2023 08:06:11 GMT + - Wed, 07 Sep 2022 06:20:58 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/56b2cc89-8044-48e1-b236-33f00b84a21c/Spring/green?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/cfe5a378-8809-4215-ba89-6075e0325f32/Spring/green?api-version=2022-05-01-preview pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '1199' + - '1198' x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 201 message: Created @@ -1017,27 +825,27 @@ interactions: ParameterSetName: - --app -n -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/56b2cc89-8044-48e1-b236-33f00b84a21c?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/cfe5a378-8809-4215-ba89-6075e0325f32?api-version=2022-05-01-preview response: body: - string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/56b2cc89-8044-48e1-b236-33f00b84a21c","name":"56b2cc89-8044-48e1-b236-33f00b84a21c","status":"Running","startTime":"2023-02-09T08:06:12.139335Z"}' + string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/cfe5a378-8809-4215-ba89-6075e0325f32","name":"cfe5a378-8809-4215-ba89-6075e0325f32","status":"Running","startTime":"2022-09-07T06:20:59.1627404Z"}' headers: cache-control: - no-cache content-length: - - '305' + - '306' content-type: - application/json; charset=utf-8 date: - - Thu, 09 Feb 2023 08:06:11 GMT + - Wed, 07 Sep 2022 06:21:28 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -1047,7 +855,7 @@ interactions: x-content-type-options: - nosniff x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 200 message: OK @@ -1065,27 +873,27 @@ interactions: ParameterSetName: - --app -n -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/56b2cc89-8044-48e1-b236-33f00b84a21c?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/cfe5a378-8809-4215-ba89-6075e0325f32?api-version=2022-05-01-preview response: body: - string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/56b2cc89-8044-48e1-b236-33f00b84a21c","name":"56b2cc89-8044-48e1-b236-33f00b84a21c","status":"Running","startTime":"2023-02-09T08:06:12.139335Z"}' + string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/cfe5a378-8809-4215-ba89-6075e0325f32","name":"cfe5a378-8809-4215-ba89-6075e0325f32","status":"Running","startTime":"2022-09-07T06:20:59.1627404Z"}' headers: cache-control: - no-cache content-length: - - '305' + - '306' content-type: - application/json; charset=utf-8 date: - - Thu, 09 Feb 2023 08:06:23 GMT + - Wed, 07 Sep 2022 06:21:40 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -1095,7 +903,7 @@ interactions: x-content-type-options: - nosniff x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 200 message: OK @@ -1113,27 +921,27 @@ interactions: ParameterSetName: - --app -n -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/56b2cc89-8044-48e1-b236-33f00b84a21c?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/cfe5a378-8809-4215-ba89-6075e0325f32?api-version=2022-05-01-preview response: body: - string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/56b2cc89-8044-48e1-b236-33f00b84a21c","name":"56b2cc89-8044-48e1-b236-33f00b84a21c","status":"Running","startTime":"2023-02-09T08:06:12.139335Z"}' + string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/cfe5a378-8809-4215-ba89-6075e0325f32","name":"cfe5a378-8809-4215-ba89-6075e0325f32","status":"Succeeded","startTime":"2022-09-07T06:20:59.1627404Z","endTime":"2022-09-07T06:21:40.9082365Z"}' headers: cache-control: - no-cache content-length: - - '305' + - '349' content-type: - application/json; charset=utf-8 date: - - Thu, 09 Feb 2023 08:06:33 GMT + - Wed, 07 Sep 2022 06:21:50 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -1143,7 +951,7 @@ interactions: x-content-type-options: - nosniff x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 200 message: OK @@ -1161,27 +969,27 @@ interactions: ParameterSetName: - --app -n -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/56b2cc89-8044-48e1-b236-33f00b84a21c?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/mock-deployment?api-version=2022-05-01-preview response: body: - string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/green/operationId/56b2cc89-8044-48e1-b236-33f00b84a21c","name":"56b2cc89-8044-48e1-b236-33f00b84a21c","status":"Succeeded","startTime":"2023-02-09T08:06:12.139335Z","endTime":"2023-02-09T08:06:39.7042004Z"}' + string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-app-blue-green-green-19-5889c59457-6qffb","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:21:06Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/green","name":"green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:20:57.2222074Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:20:57.2222074Z"}}' headers: cache-control: - no-cache content-length: - - '348' + - '1347' content-type: - application/json; charset=utf-8 date: - - Thu, 09 Feb 2023 08:06:43 GMT + - Wed, 07 Sep 2022 06:22:13 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -1190,8 +998,10 @@ interactions: - Accept-Encoding x-content-type-options: - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '11997' x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 200 message: OK @@ -1199,37 +1009,37 @@ interactions: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - spring app deployment create + - spring app deployment list Connection: - keep-alive ParameterSetName: - - --app -n -g -s + - --app -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments?api-version=2022-05-01-preview response: body: - string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":300,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":5,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-app-blue-green-green-19-748f8b4f8f-t8scm","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:06:13Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/green","name":"green","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:06:10.4113564Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:06:10.4113564Z"}}' + string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-blue-green-default-19-66db75ffd8-2c2hr","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:19:03Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:18:59.4472936Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:18:59.4472936Z"}},{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-app-blue-green-green-19-5889c59457-6qffb","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:21:06Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/green","name":"green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:20:57.2222074Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:20:57.2222074Z"}}]}' headers: cache-control: - no-cache content-length: - - '1345' + - '2712' content-type: - application/json; charset=utf-8 date: - - Thu, 09 Feb 2023 08:06:46 GMT + - Wed, 07 Sep 2022 06:22:38 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -1239,9 +1049,9 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '11998' + - '11999' x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 200 message: OK @@ -1253,33 +1063,33 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - spring app deployment list + - spring app set-deployment Connection: - keep-alive ParameterSetName: - - --app -g -s + - -d -n -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/mock-deployment?api-version=2022-05-01-preview response: body: - string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":300,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":5,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-blue-green-default-19-85dd45f974-wp26k","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:05:16Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/default","name":"default","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:05:07.9978086Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:05:07.9978086Z"}},{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":300,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":5,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-app-blue-green-green-19-748f8b4f8f-t8scm","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:06:13Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/green","name":"green","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:06:10.4113564Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:06:10.4113564Z"}}]}' + string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-app-blue-green-green-19-5889c59457-6qffb","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:21:06Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/green","name":"green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:20:57.2222074Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:20:57.2222074Z"}}' headers: cache-control: - no-cache content-length: - - '2708' + - '1347' content-type: - application/json; charset=utf-8 date: - - Thu, 09 Feb 2023 08:06:51 GMT + - Wed, 07 Sep 2022 06:23:02 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -1291,7 +1101,7 @@ interactions: x-ms-ratelimit-remaining-subscription-resource-requests: - '11999' x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 200 message: OK @@ -1309,27 +1119,27 @@ interactions: ParameterSetName: - -d -n -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-09-01-preview response: body: - string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":300,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":5,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-app-blue-green-green-19-748f8b4f8f-t8scm","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:06:13Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/green","name":"green","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:06:10.4113564Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:06:10.4113564Z"}}' + string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"e55ed5c1ee8942f9a36f033e7bbd28e8","networkProfile":{"outboundIPs":{"publicIPs":["20.237.103.188","20.237.103.250"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:05:42.8680393Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:11:29.9671687Z"}}' headers: cache-control: - no-cache content-length: - - '1345' + - '796' content-type: - application/json; charset=utf-8 date: - - Thu, 09 Feb 2023 08:06:56 GMT + - Wed, 07 Sep 2022 06:23:04 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -1339,14 +1149,14 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '11999' + - '11998' x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 200 message: OK - request: - body: '{"activeDeploymentNames": ["green"]}' + body: '{"properties": {"activeDeploymentName": "green", "httpsOnly": false}}' headers: Accept: - application/json @@ -1357,45 +1167,45 @@ interactions: Connection: - keep-alive Content-Length: - - '36' + - '69' Content-Type: - application/json ParameterSetName: - -d -n -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) - method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/setActiveDeployments?api-version=2022-11-01-preview + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + method: PATCH + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2020-07-01 response: body: - string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:04:52.1228902Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:06:57.15789Z"}}' + string: '{"properties":{"public":false,"provisioningState":"Updating","activeDeploymentName":"green","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"createdTime":"2022-09-07T06:18:30.626Z","temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/35d56015-02e1-4fa5-9312-3e6985f94337?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/1cc2dd77-358a-4ec1-b0da-16ca2956f5c6?api-version=2020-07-01 cache-control: - no-cache content-length: - - '976' + - '708' content-type: - application/json; charset=utf-8 date: - - Thu, 09 Feb 2023 08:06:58 GMT + - Wed, 07 Sep 2022 06:23:08 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/35d56015-02e1-4fa5-9312-3e6985f94337/Spring/test-app-blue-green?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/1cc2dd77-358a-4ec1-b0da-16ca2956f5c6/Spring/test-app-blue-green?api-version=2020-07-01 pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-writes: + x-ms-ratelimit-remaining-subscription-resource-requests: - '1199' x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 202 message: Accepted @@ -1413,12 +1223,12 @@ interactions: ParameterSetName: - -d -n -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/35d56015-02e1-4fa5-9312-3e6985f94337?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/1cc2dd77-358a-4ec1-b0da-16ca2956f5c6?api-version=2020-07-01 response: body: - string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/35d56015-02e1-4fa5-9312-3e6985f94337","name":"35d56015-02e1-4fa5-9312-3e6985f94337","status":"Running","startTime":"2023-02-09T08:06:58.7237292Z"}' + string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/1cc2dd77-358a-4ec1-b0da-16ca2956f5c6","name":"1cc2dd77-358a-4ec1-b0da-16ca2956f5c6","status":"Running","startTime":"2022-09-07T06:23:09.1187592Z"}' headers: cache-control: - no-cache @@ -1427,13 +1237,13 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Thu, 09 Feb 2023 08:06:58 GMT + - Wed, 07 Sep 2022 06:23:39 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -1443,7 +1253,7 @@ interactions: x-content-type-options: - nosniff x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 200 message: OK @@ -1461,27 +1271,27 @@ interactions: ParameterSetName: - -d -n -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/35d56015-02e1-4fa5-9312-3e6985f94337?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/1cc2dd77-358a-4ec1-b0da-16ca2956f5c6?api-version=2020-07-01 response: body: - string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/35d56015-02e1-4fa5-9312-3e6985f94337","name":"35d56015-02e1-4fa5-9312-3e6985f94337","status":"Running","startTime":"2023-02-09T08:06:58.7237292Z"}' + string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/1cc2dd77-358a-4ec1-b0da-16ca2956f5c6","name":"1cc2dd77-358a-4ec1-b0da-16ca2956f5c6","status":"Succeeded","startTime":"2022-09-07T06:23:09.1187592Z","endTime":"2022-09-07T06:23:43.9059922Z"}' headers: cache-control: - no-cache content-length: - - '320' + - '363' content-type: - application/json; charset=utf-8 date: - - Thu, 09 Feb 2023 08:07:09 GMT + - Wed, 07 Sep 2022 06:23:49 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -1491,7 +1301,7 @@ interactions: x-content-type-options: - nosniff x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 200 message: OK @@ -1509,27 +1319,27 @@ interactions: ParameterSetName: - -d -n -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/35d56015-02e1-4fa5-9312-3e6985f94337?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2020-07-01 response: body: - string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/35d56015-02e1-4fa5-9312-3e6985f94337","name":"35d56015-02e1-4fa5-9312-3e6985f94337","status":"Succeeded","startTime":"2023-02-09T08:06:58.7237292Z","endTime":"2023-02-09T08:07:16.5467574Z"}' + string: '{"properties":{"public":false,"provisioningState":"Succeeded","activeDeploymentName":"green","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"createdTime":"2022-09-07T06:18:30.626Z","temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green"}' headers: cache-control: - no-cache content-length: - - '363' + - '709' content-type: - application/json; charset=utf-8 date: - - Thu, 09 Feb 2023 08:07:19 GMT + - Wed, 07 Sep 2022 06:23:50 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -1538,8 +1348,10 @@ interactions: - Accept-Encoding x-content-type-options: - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '11999' x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 200 message: OK @@ -1547,37 +1359,37 @@ interactions: body: null headers: Accept: - - '*/*' + - application/json Accept-Encoding: - gzip, deflate CommandName: - - spring app set-deployment + - spring app show Connection: - keep-alive ParameterSetName: - - -d -n -g -s + - -n -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/35d56015-02e1-4fa5-9312-3e6985f94337/Spring/test-app-blue-green?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2022-09-01-preview response: body: - string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","activeDeploymentName":"green","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"createdTime":"2023-02-09T08:04:58.957Z","temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:04:52.1228902Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:06:57.15789Z"}}' + string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:18:23.2992628Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:23:05.4099579Z"}}' headers: cache-control: - no-cache content-length: - - '1049' + - '976' content-type: - application/json; charset=utf-8 date: - - Thu, 09 Feb 2023 08:07:20 GMT + - Wed, 07 Sep 2022 06:23:53 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -1586,8 +1398,10 @@ interactions: - Accept-Encoding x-content-type-options: - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '11998' x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 200 message: OK @@ -1605,27 +1419,29 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments?api-version=2022-09-01-preview response: body: - string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:04:52.1228902Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:06:57.15789Z"}}' + string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-app-blue-green-default-19-66db75ffd8-2c2hr","status":"Terminating","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:19:03Z"},{"name":"test-app-blue-green-default-19-66db75ffd8-hrtdk","status":"Starting","reason":"Not + ready for connecting","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:23:38Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:18:59.4472936Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:23:05.4099579Z"}},{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-blue-green-green-19-5889c59457-6qffb","status":"Terminating","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:21:06Z"},{"name":"test-app-blue-green-green-19-5889c59457-xzh5p","status":"Starting","reason":"Not + ready for connecting","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:23:28Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/green","name":"green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:20:57.2222074Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:23:05.4099579Z"}}]}' headers: cache-control: - no-cache content-length: - - '977' + - '3074' content-type: - application/json; charset=utf-8 date: - - Thu, 09 Feb 2023 08:07:23 GMT + - Wed, 07 Sep 2022 06:24:16 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -1637,7 +1453,7 @@ interactions: x-ms-ratelimit-remaining-subscription-resource-requests: - '11999' x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 200 message: OK @@ -1649,33 +1465,33 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - spring app show + - spring app deployment show Connection: - keep-alive ParameterSetName: - - -n -g -s + - -n --app -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/mock-deployment?api-version=2022-05-01-preview response: body: - string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":300,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":5,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-app-blue-green-default-19-85dd45f974-wp26k","status":"Terminating","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:05:16Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/default","name":"default","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:05:07.9978086Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:06:57.15789Z"}},{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":300,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":5,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-blue-green-green-19-748f8b4f8f-t8scm","status":"Terminating","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:06:13Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/green","name":"green","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:06:10.4113564Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:06:57.15789Z"}}]}' + string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-app-blue-green-default-19-66db75ffd8-2c2hr","status":"Terminating","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:19:03Z"},{"name":"test-app-blue-green-default-19-66db75ffd8-hrtdk","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:23:38Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:18:59.4472936Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:23:05.4099579Z"}}' headers: cache-control: - no-cache content-length: - - '2712' + - '1498' content-type: - application/json; charset=utf-8 date: - - Thu, 09 Feb 2023 08:07:26 GMT + - Wed, 07 Sep 2022 06:24:40 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -1687,7 +1503,7 @@ interactions: x-ms-ratelimit-remaining-subscription-resource-requests: - '11999' x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 200 message: OK @@ -1705,28 +1521,27 @@ interactions: ParameterSetName: - -n --app -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/mock-deployment?api-version=2022-05-01-preview response: body: - string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":300,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":5,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-app-blue-green-default-19-6c5c955fcb-z6gs7","status":"Starting","reason":"Not - ready for connecting","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:07:08Z"},{"name":"test-app-blue-green-default-19-85dd45f974-wp26k","status":"Terminating","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:05:16Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/default","name":"default","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:05:07.9978086Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:06:57.15789Z"}}' + string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-blue-green-green-19-5889c59457-xzh5p","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:23:28Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/green","name":"green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:20:57.2222074Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:23:05.4099579Z"}}' headers: cache-control: - no-cache content-length: - - '1536' + - '1346' content-type: - application/json; charset=utf-8 date: - - Thu, 09 Feb 2023 08:07:30 GMT + - Wed, 07 Sep 2022 06:25:04 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -1738,7 +1553,7 @@ interactions: x-ms-ratelimit-remaining-subscription-resource-requests: - '11999' x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 200 message: OK @@ -1750,34 +1565,33 @@ interactions: Accept-Encoding: - gzip, deflate CommandName: - - spring app deployment show + - spring app unset-deployment Connection: - keep-alive ParameterSetName: - - -n --app -g -s + - -n -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments?api-version=2022-05-01-preview response: body: - string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":300,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":5,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-blue-green-green-19-57c6b8d86c-gwtpm","status":"Starting","reason":"Not - ready for connecting","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:07:08Z"},{"name":"test-app-blue-green-green-19-748f8b4f8f-t8scm","status":"Terminating","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:06:13Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/green","name":"green","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:06:10.4113564Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:06:57.15789Z"}}' + string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-app-blue-green-default-19-66db75ffd8-hrtdk","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:23:38Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:18:59.4472936Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:23:05.4099579Z"}},{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-blue-green-green-19-5889c59457-xzh5p","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:23:28Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/green","name":"green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:20:57.2222074Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:23:05.4099579Z"}}]}' headers: cache-control: - no-cache content-length: - - '1527' + - '2712' content-type: - application/json; charset=utf-8 date: - - Thu, 09 Feb 2023 08:07:34 GMT + - Wed, 07 Sep 2022 06:25:28 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -1787,9 +1601,9 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '11999' + - '11996' x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 200 message: OK @@ -1807,29 +1621,27 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-09-01-preview response: body: - string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":300,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":5,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-app-blue-green-default-19-6c5c955fcb-z6gs7","status":"Starting","reason":"Not - ready for connecting","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:07:08Z"},{"name":"test-app-blue-green-default-19-85dd45f974-wp26k","status":"Terminating","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:05:16Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/default","name":"default","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:05:07.9978086Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:06:57.15789Z"}},{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":300,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":5,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-blue-green-green-19-57c6b8d86c-gwtpm","status":"Starting","reason":"Not - ready for connecting","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:07:08Z"},{"name":"test-app-blue-green-green-19-748f8b4f8f-t8scm","status":"Terminating","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:06:13Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/green","name":"green","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:06:10.4113564Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:06:57.15789Z"}}]}' + string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"e55ed5c1ee8942f9a36f033e7bbd28e8","networkProfile":{"outboundIPs":{"publicIPs":["20.237.103.188","20.237.103.250"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T02:05:42.8680393Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T02:11:29.9671687Z"}}' headers: cache-control: - no-cache content-length: - - '3076' + - '796' content-type: - application/json; charset=utf-8 date: - - Thu, 09 Feb 2023 08:07:38 GMT + - Wed, 07 Sep 2022 06:25:30 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -1839,14 +1651,14 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '11999' + - '11998' x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 200 message: OK - request: - body: '{"activeDeploymentNames": []}' + body: '{"properties": {"activeDeploymentName": "", "httpsOnly": false}}' headers: Accept: - application/json @@ -1857,45 +1669,45 @@ interactions: Connection: - keep-alive Content-Length: - - '29' + - '64' Content-Type: - application/json ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) - method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/setActiveDeployments?api-version=2022-11-01-preview + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) + method: PATCH + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2020-07-01 response: body: - string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:04:52.1228902Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:07:39.5826293Z"}}' + string: '{"properties":{"public":false,"provisioningState":"Updating","activeDeploymentName":"","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"createdTime":"2022-09-07T06:18:30.626Z","temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/b827576a-01e1-44d3-8c4a-a44eb9d4de16?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/a3202500-75ed-4815-a490-88fa71001601?api-version=2020-07-01 cache-control: - no-cache content-length: - - '978' + - '703' content-type: - application/json; charset=utf-8 date: - - Thu, 09 Feb 2023 08:07:41 GMT + - Wed, 07 Sep 2022 06:25:33 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/b827576a-01e1-44d3-8c4a-a44eb9d4de16/Spring/test-app-blue-green?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/a3202500-75ed-4815-a490-88fa71001601/Spring/test-app-blue-green?api-version=2020-07-01 pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains x-content-type-options: - nosniff - x-ms-ratelimit-remaining-subscription-writes: + x-ms-ratelimit-remaining-subscription-resource-requests: - '1199' x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 202 message: Accepted @@ -1913,108 +1725,12 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/b827576a-01e1-44d3-8c4a-a44eb9d4de16?api-version=2022-11-01-preview - response: - body: - string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/b827576a-01e1-44d3-8c4a-a44eb9d4de16","name":"b827576a-01e1-44d3-8c4a-a44eb9d4de16","status":"Running","startTime":"2023-02-09T08:07:42.0779201Z"}' - headers: - cache-control: - - no-cache - content-length: - - '320' - content-type: - - application/json; charset=utf-8 - date: - - Thu, 09 Feb 2023 08:07:42 GMT - expires: - - '-1' - pragma: - - no-cache - request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - spring app unset-deployment - Connection: - - keep-alive - ParameterSetName: - - -n -g -s - User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/b827576a-01e1-44d3-8c4a-a44eb9d4de16?api-version=2022-11-01-preview - response: - body: - string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/b827576a-01e1-44d3-8c4a-a44eb9d4de16","name":"b827576a-01e1-44d3-8c4a-a44eb9d4de16","status":"Running","startTime":"2023-02-09T08:07:42.0779201Z"}' - headers: - cache-control: - - no-cache - content-length: - - '320' - content-type: - - application/json; charset=utf-8 - date: - - Thu, 09 Feb 2023 08:07:52 GMT - expires: - - '-1' - pragma: - - no-cache - request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - spring app unset-deployment - Connection: - - keep-alive - ParameterSetName: - - -n -g -s - User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/b827576a-01e1-44d3-8c4a-a44eb9d4de16?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/a3202500-75ed-4815-a490-88fa71001601?api-version=2020-07-01 response: body: - string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/b827576a-01e1-44d3-8c4a-a44eb9d4de16","name":"b827576a-01e1-44d3-8c4a-a44eb9d4de16","status":"Succeeded","startTime":"2023-02-09T08:07:42.0779201Z","endTime":"2023-02-09T08:07:59.9571598Z"}' + string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/a3202500-75ed-4815-a490-88fa71001601","name":"a3202500-75ed-4815-a490-88fa71001601","status":"Succeeded","startTime":"2022-09-07T06:25:33.5019609Z","endTime":"2022-09-07T06:26:02.7110459Z"}' headers: cache-control: - no-cache @@ -2023,23 +1739,19 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Thu, 09 Feb 2023 08:08:03 GMT + - Wed, 07 Sep 2022 06:26:03 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding x-content-type-options: - nosniff x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 200 message: OK @@ -2057,37 +1769,35 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/b827576a-01e1-44d3-8c4a-a44eb9d4de16/Spring/test-app-blue-green?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2020-07-01 response: body: - string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"createdTime":"2023-02-09T08:04:58.957Z","temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:04:52.1228902Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:07:39.5826293Z"}}' + string: '{"properties":{"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"createdTime":"2022-09-07T06:18:30.626Z","temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green"}' headers: cache-control: - no-cache content-length: - - '1020' + - '678' content-type: - application/json; charset=utf-8 date: - - Thu, 09 Feb 2023 08:08:04 GMT + - Wed, 07 Sep 2022 06:26:04 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding x-content-type-options: - nosniff + x-ms-ratelimit-remaining-subscription-resource-requests: + - '11999' x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 200 message: OK @@ -2105,39 +1815,35 @@ interactions: ParameterSetName: - -n --app -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/mock-deployment?api-version=2022-05-01-preview response: body: - string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":300,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":5,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-app-blue-green-default-19-6c5c955fcb-z6gs7","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:07:08Z"},{"name":"test-app-blue-green-default-19-85dd45f974-wp26k","status":"Terminating","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:05:16Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/default","name":"default","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:05:07.9978086Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:06:57.15789Z"}}' + string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-app-blue-green-default-19-66db75ffd8-hrtdk","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:23:38Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:18:59.4472936Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:23:05.4099579Z"}}' headers: cache-control: - no-cache content-length: - - '1499' + - '1353' content-type: - application/json; charset=utf-8 date: - - Thu, 09 Feb 2023 08:08:08 GMT + - Wed, 07 Sep 2022 06:26:28 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - '11997' x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 200 message: OK @@ -2155,28 +1861,27 @@ interactions: ParameterSetName: - -n --app -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/mock-deployment?api-version=2022-05-01-preview response: body: - string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":300,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":5,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-app-blue-green-green-19-57c6b8d86c-gwtpm","status":"Terminating","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:07:08Z"},{"name":"test-app-blue-green-green-19-59bff4757c-mh6r6","status":"Starting","reason":"Not - ready for connecting","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:07:53Z"},{"name":"test-app-blue-green-green-19-748f8b4f8f-t8scm","status":"Terminating","discoveryStatus":"UNREGISTERED","startTime":"2023-02-09T08:06:13Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/green","name":"green","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:06:10.4113564Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:07:39.5826293Z"}}' + string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":false,"instances":[{"name":"test-app-blue-green-green-19-5889c59457-hb6fr","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:25:53Z"},{"name":"test-app-blue-green-green-19-5889c59457-xzh5p","status":"Terminating","discoveryStatus":"UNKNOWN","startTime":"2022-09-07T06:23:28Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green/deployments/green","name":"green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:20:57.2222074Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:25:31.9903582Z"}}' headers: cache-control: - no-cache content-length: - - '1678' + - '1490' content-type: - application/json; charset=utf-8 date: - - Thu, 09 Feb 2023 08:08:12 GMT + - Wed, 07 Sep 2022 06:26:53 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -2188,7 +1893,7 @@ interactions: x-ms-ratelimit-remaining-subscription-resource-requests: - '11999' x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 200 message: OK @@ -2206,27 +1911,27 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2022-09-01-preview response: body: - string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green","systemData":{"createdBy":"shiqiu@microsoft.com","createdByType":"User","createdAt":"2023-02-09T08:04:52.1228902Z","lastModifiedBy":"shiqiu@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-09T08:07:39.5826293Z"}}' + string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green","name":"test-app-blue-green","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:18:23.2992628Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:25:31.9903582Z"}}' headers: cache-control: - no-cache content-length: - - '979' + - '976' content-type: - application/json; charset=utf-8 date: - - Thu, 09 Feb 2023 08:08:15 GMT + - Wed, 07 Sep 2022 06:26:56 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -2236,9 +1941,9 @@ interactions: x-content-type-options: - nosniff x-ms-ratelimit-remaining-subscription-resource-requests: - - '11999' + - '11998' x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 200 message: OK @@ -2258,29 +1963,29 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-blue-green?api-version=2022-09-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/22c3b201-14e2-4c09-a3e1-6c4f973dab45?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/6048aceb-25c2-4a44-bc57-72920b2190f3?api-version=2022-09-01-preview cache-control: - no-cache content-length: - '0' date: - - Thu, 09 Feb 2023 08:08:16 GMT + - Wed, 07 Sep 2022 06:26:57 GMT expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/22c3b201-14e2-4c09-a3e1-6c4f973dab45/Spring/test-app-blue-green?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/6048aceb-25c2-4a44-bc57-72920b2190f3/Spring/test-app-blue-green?api-version=2022-09-01-preview pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains x-content-type-options: @@ -2288,7 +1993,7 @@ interactions: x-ms-ratelimit-remaining-subscription-deletes: - '14999' x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 202 message: Accepted @@ -2306,156 +2011,12 @@ interactions: ParameterSetName: - -n -g -s User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/22c3b201-14e2-4c09-a3e1-6c4f973dab45?api-version=2022-11-01-preview - response: - body: - string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/22c3b201-14e2-4c09-a3e1-6c4f973dab45","name":"22c3b201-14e2-4c09-a3e1-6c4f973dab45","status":"Running","startTime":"2023-02-09T08:08:16.9880957Z"}' - headers: - cache-control: - - no-cache - content-length: - - '320' - content-type: - - application/json; charset=utf-8 - date: - - Thu, 09 Feb 2023 08:08:16 GMT - expires: - - '-1' - pragma: - - no-cache - request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - spring app delete - Connection: - - keep-alive - ParameterSetName: - - -n -g -s - User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/22c3b201-14e2-4c09-a3e1-6c4f973dab45?api-version=2022-11-01-preview - response: - body: - string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/22c3b201-14e2-4c09-a3e1-6c4f973dab45","name":"22c3b201-14e2-4c09-a3e1-6c4f973dab45","status":"Running","startTime":"2023-02-09T08:08:16.9880957Z"}' - headers: - cache-control: - - no-cache - content-length: - - '320' - content-type: - - application/json; charset=utf-8 - date: - - Thu, 09 Feb 2023 08:08:27 GMT - expires: - - '-1' - pragma: - - no-cache - request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - spring app delete - Connection: - - keep-alive - ParameterSetName: - - -n -g -s - User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/22c3b201-14e2-4c09-a3e1-6c4f973dab45?api-version=2022-11-01-preview - response: - body: - string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/22c3b201-14e2-4c09-a3e1-6c4f973dab45","name":"22c3b201-14e2-4c09-a3e1-6c4f973dab45","status":"Running","startTime":"2023-02-09T08:08:16.9880957Z"}' - headers: - cache-control: - - no-cache - content-length: - - '320' - content-type: - - application/json; charset=utf-8 - date: - - Thu, 09 Feb 2023 08:08:37 GMT - expires: - - '-1' - pragma: - - no-cache - request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - spring app delete - Connection: - - keep-alive - ParameterSetName: - - -n -g -s - User-Agent: - - AZURECLI/2.45.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.19041-SP0) + - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/22c3b201-14e2-4c09-a3e1-6c4f973dab45?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/6048aceb-25c2-4a44-bc57-72920b2190f3?api-version=2022-09-01-preview response: body: - string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/22c3b201-14e2-4c09-a3e1-6c4f973dab45","name":"22c3b201-14e2-4c09-a3e1-6c4f973dab45","status":"Succeeded","startTime":"2023-02-09T08:08:16.9880957Z","endTime":"2023-02-09T08:08:38.4949061Z"}' + string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-app-blue-green/operationId/6048aceb-25c2-4a44-bc57-72920b2190f3","name":"6048aceb-25c2-4a44-bc57-72920b2190f3","status":"Succeeded","startTime":"2022-09-07T06:26:57.8363533Z","endTime":"2022-09-07T06:27:08.6485418Z"}' headers: cache-control: - no-cache @@ -2464,13 +2025,13 @@ interactions: content-type: - application/json; charset=utf-8 date: - - Thu, 09 Feb 2023 08:08:48 GMT + - Wed, 07 Sep 2022 06:27:27 GMT expires: - '-1' pragma: - no-cache request-context: - - appId=cid-v1:797d7e4e-8180-497e-a254-780fbd39ba4d + - appId=cid-v1:ccd65fc4-7cd4-497e-8dc8-9a76e9a43ae2 strict-transport-security: - max-age=31536000; includeSubDomains transfer-encoding: @@ -2480,7 +2041,7 @@ interactions: x-content-type-options: - nosniff x-rp-server-mvid: - - 6dbdb235-5cc6-4623-8007-38694e14f2b5 + - fa22c12d-0ac0-47d5-865d-0f883a3c3460 status: code: 200 message: OK diff --git a/src/spring/azext_spring/tests/latest/recordings/test_buildpack_binding.yaml b/src/spring/azext_spring/tests/latest/recordings/test_buildpack_binding.yaml index bc7bbf2b159..4071c2371ad 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_buildpack_binding.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_buildpack_binding.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"ed7caa979562408889414f01aa59e5de","networkProfile":{"outboundIPs":{"publicIPs":["20.120.66.58","20.120.66.69"]}},"powerState":"Running","fqdn":"test-buildpack-binding.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding","name":"test-buildpack-binding","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:10:06.9913584Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:10:06.9913584Z"}}' @@ -67,7 +67,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name?api-version=2022-01-01-preview response: body: string: '{"error":{"code":"NotFound","message":"KPack buildpacksBinding does @@ -119,13 +119,13 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Creating","bindingType":"ApplicationInsights","launchProperties":{"properties":{"a":"b","b":"c"},"secrets":{"x":"*","y":"*"}}},"type":"Microsoft.AppPlatform/Spring/buildServices/builders/buildpackBindings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name","name":"test-binding-name","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:54:46.3402505Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:54:46.3402505Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/a0d1278d-55bc-47d2-9ace-7142e6bf8d78?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/a0d1278d-55bc-47d2-9ace-7142e6bf8d78?api-version=2022-01-01-preview cache-control: - no-cache content-length: @@ -137,7 +137,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationResults/a0d1278d-55bc-47d2-9ace-7142e6bf8d78/Spring/test-buildpack-binding?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationResults/a0d1278d-55bc-47d2-9ace-7142e6bf8d78/Spring/test-buildpack-binding?api-version=2022-01-01-preview pragma: - no-cache request-context: @@ -171,7 +171,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/a0d1278d-55bc-47d2-9ace-7142e6bf8d78?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/a0d1278d-55bc-47d2-9ace-7142e6bf8d78?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/a0d1278d-55bc-47d2-9ace-7142e6bf8d78","name":"a0d1278d-55bc-47d2-9ace-7142e6bf8d78","status":"Succeeded","startTime":"2022-01-07T11:54:50.4769869Z","endTime":"2022-01-07T11:54:57.4899293Z"}' @@ -221,7 +221,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","bindingType":"ApplicationInsights","launchProperties":{"properties":{"a":"b","b":"c"},"secrets":{"x":"*","y":"*"}}},"type":"Microsoft.AppPlatform/Spring/buildServices/builders/buildpackBindings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name","name":"test-binding-name","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:54:46.3402505Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:54:46.3402505Z"}}' @@ -271,7 +271,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"ed7caa979562408889414f01aa59e5de","networkProfile":{"outboundIPs":{"publicIPs":["20.120.66.58","20.120.66.69"]}},"powerState":"Running","fqdn":"test-buildpack-binding.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding","name":"test-buildpack-binding","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:10:06.9913584Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:10:06.9913584Z"}}' @@ -323,7 +323,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","bindingType":"ApplicationInsights","launchProperties":{"properties":{"a":"b","b":"c"},"secrets":{"x":"*","y":"*"}}},"type":"Microsoft.AppPlatform/Spring/buildServices/builders/buildpackBindings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name","name":"test-binding-name","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:54:46.3402505Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:54:46.3402505Z"}}' @@ -373,7 +373,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","bindingType":"ApplicationInsights","launchProperties":{"properties":{"a":"b","b":"c"},"secrets":{"x":"*","y":"*"}}},"type":"Microsoft.AppPlatform/Spring/buildServices/builders/buildpackBindings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name","name":"test-binding-name","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:54:46.3402505Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:54:46.3402505Z"}}' @@ -423,7 +423,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"ed7caa979562408889414f01aa59e5de","networkProfile":{"outboundIPs":{"publicIPs":["20.120.66.58","20.120.66.69"]}},"powerState":"Running","fqdn":"test-buildpack-binding.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding","name":"test-buildpack-binding","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:10:06.9913584Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:10:06.9913584Z"}}' @@ -475,7 +475,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","bindingType":"ApplicationInsights","launchProperties":{"properties":{"a":"b","b":"c"},"secrets":{"x":"*","y":"*"}}},"type":"Microsoft.AppPlatform/Spring/buildServices/builders/buildpackBindings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name","name":"test-binding-name","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:54:46.3402505Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:54:46.3402505Z"}}' @@ -530,13 +530,13 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Updating","bindingType":"NewRelic","launchProperties":{"properties":{"a":"b"},"secrets":{"c":"*"}}},"type":"Microsoft.AppPlatform/Spring/buildServices/builders/buildpackBindings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name","name":"test-binding-name","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:54:46.3402505Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:55:36.0622673Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/a6bdf74b-39a8-425e-9cdc-11c4ba49143b?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/a6bdf74b-39a8-425e-9cdc-11c4ba49143b?api-version=2022-01-01-preview cache-control: - no-cache content-length: @@ -548,7 +548,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationResults/a6bdf74b-39a8-425e-9cdc-11c4ba49143b/Spring/test-buildpack-binding?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationResults/a6bdf74b-39a8-425e-9cdc-11c4ba49143b/Spring/test-buildpack-binding?api-version=2022-01-01-preview pragma: - no-cache request-context: @@ -582,7 +582,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/a6bdf74b-39a8-425e-9cdc-11c4ba49143b?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/a6bdf74b-39a8-425e-9cdc-11c4ba49143b?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/a6bdf74b-39a8-425e-9cdc-11c4ba49143b","name":"a6bdf74b-39a8-425e-9cdc-11c4ba49143b","status":"Succeeded","startTime":"2022-01-07T11:55:40.4735174Z","endTime":"2022-01-07T11:55:50.4056357Z"}' @@ -632,7 +632,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","bindingType":"NewRelic","launchProperties":{"properties":{"a":"b"},"secrets":{"c":"*"}}},"type":"Microsoft.AppPlatform/Spring/buildServices/builders/buildpackBindings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name","name":"test-binding-name","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:54:46.3402505Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:55:36.0622673Z"}}' @@ -682,7 +682,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"ed7caa979562408889414f01aa59e5de","networkProfile":{"outboundIPs":{"publicIPs":["20.120.66.58","20.120.66.69"]}},"powerState":"Running","fqdn":"test-buildpack-binding.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding","name":"test-buildpack-binding","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:10:06.9913584Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:10:06.9913584Z"}}' @@ -734,7 +734,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","bindingType":"NewRelic","launchProperties":{"properties":{"a":"b"},"secrets":{"c":"*"}}},"type":"Microsoft.AppPlatform/Spring/buildServices/builders/buildpackBindings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name","name":"test-binding-name","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:54:46.3402505Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:55:36.0622673Z"}}' @@ -786,13 +786,13 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name?api-version=2022-01-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/8cc21ac2-d90c-4a5c-a985-18bfe7faccba?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/8cc21ac2-d90c-4a5c-a985-18bfe7faccba?api-version=2022-01-01-preview cache-control: - no-cache content-length: @@ -802,7 +802,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationResults/8cc21ac2-d90c-4a5c-a985-18bfe7faccba/Spring/test-buildpack-binding?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationResults/8cc21ac2-d90c-4a5c-a985-18bfe7faccba/Spring/test-buildpack-binding?api-version=2022-01-01-preview pragma: - no-cache request-context: @@ -836,7 +836,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/8cc21ac2-d90c-4a5c-a985-18bfe7faccba?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/8cc21ac2-d90c-4a5c-a985-18bfe7faccba?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/8cc21ac2-d90c-4a5c-a985-18bfe7faccba","name":"8cc21ac2-d90c-4a5c-a985-18bfe7faccba","status":"Succeeded","startTime":"2022-01-07T11:56:23.4616931Z","endTime":"2022-01-07T11:56:30.3724245Z"}' @@ -886,7 +886,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"ed7caa979562408889414f01aa59e5de","networkProfile":{"outboundIPs":{"publicIPs":["20.120.66.58","20.120.66.69"]}},"powerState":"Running","fqdn":"test-buildpack-binding.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding","name":"test-buildpack-binding","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:10:06.9913584Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:10:06.9913584Z"}}' @@ -938,7 +938,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name-0?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name-0?api-version=2022-01-01-preview response: body: string: '{"error":{"code":"NotFound","message":"KPack buildpacksBinding does @@ -990,13 +990,13 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name-0?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name-0?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Creating","bindingType":"ApplicationInsights","launchProperties":{"properties":{"a":"b","b":"c"},"secrets":{"x":"*","y":"*"}}},"type":"Microsoft.AppPlatform/Spring/buildServices/builders/buildpackBindings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name-0","name":"test-binding-name-0","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:56:58.77283Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:56:58.77283Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/af0e6ea7-6203-49b0-a78e-7ba9e78ccdbf?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/af0e6ea7-6203-49b0-a78e-7ba9e78ccdbf?api-version=2022-01-01-preview cache-control: - no-cache content-length: @@ -1008,7 +1008,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationResults/af0e6ea7-6203-49b0-a78e-7ba9e78ccdbf/Spring/test-buildpack-binding?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationResults/af0e6ea7-6203-49b0-a78e-7ba9e78ccdbf/Spring/test-buildpack-binding?api-version=2022-01-01-preview pragma: - no-cache request-context: @@ -1042,7 +1042,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/af0e6ea7-6203-49b0-a78e-7ba9e78ccdbf?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/af0e6ea7-6203-49b0-a78e-7ba9e78ccdbf?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/af0e6ea7-6203-49b0-a78e-7ba9e78ccdbf","name":"af0e6ea7-6203-49b0-a78e-7ba9e78ccdbf","status":"Succeeded","startTime":"2022-01-07T11:57:01.45146Z","endTime":"2022-01-07T11:57:09.5464218Z"}' @@ -1092,7 +1092,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name-0?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name-0?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","bindingType":"ApplicationInsights","launchProperties":{"properties":{"a":"b","b":"c"},"secrets":{"x":"*","y":"*"}}},"type":"Microsoft.AppPlatform/Spring/buildServices/builders/buildpackBindings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name-0","name":"test-binding-name-0","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:56:58.77283Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:56:58.77283Z"}}' @@ -1142,7 +1142,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"ed7caa979562408889414f01aa59e5de","networkProfile":{"outboundIPs":{"publicIPs":["20.120.66.58","20.120.66.69"]}},"powerState":"Running","fqdn":"test-buildpack-binding.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding","name":"test-buildpack-binding","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:10:06.9913584Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:10:06.9913584Z"}}' @@ -1194,7 +1194,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name-1?api-version=2022-01-01-preview response: body: string: '{"error":{"code":"NotFound","message":"KPack buildpacksBinding does @@ -1246,13 +1246,13 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name-1?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Creating","bindingType":"NewRelic","launchProperties":{"properties":{"a":"b","b":"c"},"secrets":{"x":"*","y":"*"}}},"type":"Microsoft.AppPlatform/Spring/buildServices/builders/buildpackBindings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name-1","name":"test-binding-name-1","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:57:39.2402412Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:57:39.2402412Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/72f81f61-7e9d-446e-aef4-79a5f07d6546?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/72f81f61-7e9d-446e-aef4-79a5f07d6546?api-version=2022-01-01-preview cache-control: - no-cache content-length: @@ -1264,7 +1264,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationResults/72f81f61-7e9d-446e-aef4-79a5f07d6546/Spring/test-buildpack-binding?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationResults/72f81f61-7e9d-446e-aef4-79a5f07d6546/Spring/test-buildpack-binding?api-version=2022-01-01-preview pragma: - no-cache request-context: @@ -1298,7 +1298,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/72f81f61-7e9d-446e-aef4-79a5f07d6546?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/72f81f61-7e9d-446e-aef4-79a5f07d6546?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-buildpack-binding/operationId/72f81f61-7e9d-446e-aef4-79a5f07d6546","name":"72f81f61-7e9d-446e-aef4-79a5f07d6546","status":"Succeeded","startTime":"2022-01-07T11:57:43.2250279Z","endTime":"2022-01-07T11:57:50.9028007Z"}' @@ -1348,7 +1348,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name-1?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","bindingType":"NewRelic","launchProperties":{"properties":{"a":"b","b":"c"},"secrets":{"x":"*","y":"*"}}},"type":"Microsoft.AppPlatform/Spring/buildServices/builders/buildpackBindings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name-1","name":"test-binding-name-1","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:57:39.2402412Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:57:39.2402412Z"}}' @@ -1398,7 +1398,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"ed7caa979562408889414f01aa59e5de","networkProfile":{"outboundIPs":{"publicIPs":["20.120.66.58","20.120.66.69"]}},"powerState":"Running","fqdn":"test-buildpack-binding.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding","name":"test-buildpack-binding","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:10:06.9913584Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:10:06.9913584Z"}}' @@ -1450,7 +1450,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.9 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings?api-version=2022-01-01-preview response: body: string: '{"value":[{"properties":{"provisioningState":"Succeeded","bindingType":"ApplicationInsights","launchProperties":{"properties":{"a":"b","b":"c"},"secrets":{"x":"*","y":"*"}}},"type":"Microsoft.AppPlatform/Spring/buildServices/builders/buildpackBindings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name-0","name":"test-binding-name-0","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:56:58.77283Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:56:58.77283Z"}},{"properties":{"provisioningState":"Succeeded","bindingType":"NewRelic","launchProperties":{"properties":{"a":"b","b":"c"},"secrets":{"x":"*","y":"*"}}},"type":"Microsoft.AppPlatform/Spring/buildServices/builders/buildpackBindings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/enterprise-test/providers/Microsoft.AppPlatform/Spring/test-buildpack-binding/buildServices/default/builders/default/buildpackBindings/test-binding-name-1","name":"test-binding-name-1","systemData":{"createdBy":"panli@microsoft.com","createdByType":"User","createdAt":"2022-01-07T11:57:39.2402412Z","lastModifiedBy":"panli@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-01-07T11:57:39.2402412Z"}}]}' diff --git a/src/spring/azext_spring/tests/latest/recordings/test_client_auth.yaml b/src/spring/azext_spring/tests/latest/recordings/test_client_auth.yaml index 0094a3b1ae9..57569949937 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_client_auth.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_client_auth.yaml @@ -252,13 +252,13 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.10 (Linux-5.10.16.3-microsoft-standard-WSL2-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.4.4"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=eebffb0f-1488-4622-93b5-df9da041b930;IngestionEndpoint=https://eastus-2.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/cli-unittest/operationId/47b7e35c-d5ca-4578-8685-d1755c5303ce?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/cli-unittest/operationId/47b7e35c-d5ca-4578-8685-d1755c5303ce?api-version=2020-11-01-preview cache-control: - no-cache content-length: @@ -270,7 +270,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/47b7e35c-d5ca-4578-8685-d1755c5303ce/Spring/cli-unittest?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/47b7e35c-d5ca-4578-8685-d1755c5303ce/Spring/cli-unittest?api-version=2020-11-01-preview pragma: - no-cache request-context: @@ -302,7 +302,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.10 (Linux-5.10.16.3-microsoft-standard-WSL2-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-09-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"d773daacb0b44a8aa65671160fe99c53","networkProfile":{"outboundIPs":{"publicIPs":["20.242.240.135","20.242.242.241"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"haojianzhong@microsoft.com","createdByType":"User","createdAt":"2022-12-21T12:04:23.2024183Z","lastModifiedBy":"haojianzhong@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-12-21T12:18:15.0269319Z"}}' @@ -357,13 +357,13 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.10 (Linux-5.10.16.3-microsoft-standard-WSL2-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":true,"provisioningState":"Creating","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth","name":"test-client-auth","systemData":{"createdBy":"haojianzhong@microsoft.com","createdByType":"User","createdAt":"2022-12-21T12:18:25.5690042Z","lastModifiedBy":"haojianzhong@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-12-21T12:18:25.5690042Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-client-auth/operationId/3dc326d5-2114-4ae4-ace5-b556fa069444?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-client-auth/operationId/3dc326d5-2114-4ae4-ace5-b556fa069444?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -375,7 +375,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/3dc326d5-2114-4ae4-ace5-b556fa069444/Spring/test-client-auth?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/3dc326d5-2114-4ae4-ace5-b556fa069444/Spring/test-client-auth?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -407,7 +407,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.10 (Linux-5.10.16.3-microsoft-standard-WSL2-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.4.4"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=eebffb0f-1488-4622-93b5-df9da041b930;IngestionEndpoint=https://eastus-2.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/monitoringSettings/default","name":"default"}' @@ -462,13 +462,13 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.10 (Linux-5.10.16.3-microsoft-standard-WSL2-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth/deployments/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth/deployments/default?api-version=2022-09-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90},"provisioningState":"Creating","status":"Running","active":true,"instances":null,"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth/deployments/default","name":"default","systemData":{"createdBy":"haojianzhong@microsoft.com","createdByType":"User","createdAt":"2022-12-21T12:18:41.8910045Z","lastModifiedBy":"haojianzhong@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-12-21T12:18:41.8910045Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/9b3a9eda-b855-49a2-bce1-e0acd3704625?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/default/operationId/9b3a9eda-b855-49a2-bce1-e0acd3704625?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -480,7 +480,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/9b3a9eda-b855-49a2-bce1-e0acd3704625/Spring/default?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/9b3a9eda-b855-49a2-bce1-e0acd3704625/Spring/default?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -512,7 +512,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.10 (Linux-5.10.16.3-microsoft-standard-WSL2-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth/deployments/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth/deployments/default?api-version=2022-09-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":300,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":5,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-client-auth-default-16-74bc7c9f97-zfdtv","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-12-21T12:18:47Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth/deployments/default","name":"default","systemData":{"createdBy":"haojianzhong@microsoft.com","createdByType":"User","createdAt":"2022-12-21T12:18:41.8910045Z","lastModifiedBy":"haojianzhong@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-12-21T12:18:41.8910045Z"}}' @@ -562,7 +562,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.10 (Linux-5.10.16.3-microsoft-standard-WSL2-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth/deployments?api-version=2022-09-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":300,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":5,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-client-auth-default-16-74bc7c9f97-zfdtv","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-12-21T12:18:47Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth/deployments/default","name":"default","systemData":{"createdBy":"haojianzhong@microsoft.com","createdByType":"User","createdAt":"2022-12-21T12:18:41.8910045Z","lastModifiedBy":"haojianzhong@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-12-21T12:18:41.8910045Z"}}]}' @@ -618,7 +618,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.10 (Linux-5.10.16.3-microsoft-standard-WSL2-x86_64-with-glibc2.29) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert?api-version=2022-01-01-preview response: body: string: '{"properties":{"vaultUri":"https://integration-test-prod.vault.azure.net","keyVaultCertName":"cli-unittest","certVersion":"9f2205d5d2ca43ea97c3516dec1e2e06","excludePrivateKey":true,"type":"KeyVaultCertificate","thumbprint":"8ee74495d2fe82c19ee118fa52bf7ab88c170972","issuer":"*.asc-test.net","expirationDate":"2023-10-01T04:48:33.000+00:00","activateDate":"2022-10-01T04:38:33.000+00:00","subjectName":"*.asc-test.net","dnsNames":["cli.asc-test.net"]},"type":"Microsoft.AppPlatform/Spring/certificates","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert","name":"test-cert","systemData":{"createdBy":"haojianzhong@microsoft.com","createdByType":"User","createdAt":"2022-12-21T12:20:32.4842446Z","lastModifiedBy":"haojianzhong@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-12-21T12:20:32.4842446Z"}}' @@ -723,13 +723,13 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.10 (Linux-5.10.16.3-microsoft-standard-WSL2-x86_64-with-glibc2.29) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":true,"url":"https://cli-unittest-test-client-auth.asc-test.net","provisioningState":"Updating","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"clientAuth":{"certificates":["/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert"]},"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth","name":"test-client-auth","systemData":{"createdBy":"haojianzhong@microsoft.com","createdByType":"User","createdAt":"2022-12-21T12:18:25.5690042Z","lastModifiedBy":"haojianzhong@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-12-21T12:21:05.4463291Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-client-auth/operationId/7a233536-7528-4ea1-9e29-44e35df4232a?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-client-auth/operationId/7a233536-7528-4ea1-9e29-44e35df4232a?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -741,7 +741,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/7a233536-7528-4ea1-9e29-44e35df4232a/Spring/test-client-auth?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationResults/7a233536-7528-4ea1-9e29-44e35df4232a/Spring/test-client-auth?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -773,7 +773,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.10 (Linux-5.10.16.3-microsoft-standard-WSL2-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-client-auth/operationId/7a233536-7528-4ea1-9e29-44e35df4232a?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-client-auth/operationId/7a233536-7528-4ea1-9e29-44e35df4232a?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-client-auth/operationId/7a233536-7528-4ea1-9e29-44e35df4232a","name":"7a233536-7528-4ea1-9e29-44e35df4232a","status":"Running","startTime":"2022-12-21T12:21:06.5012228Z"}' @@ -821,7 +821,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.10 (Linux-5.10.16.3-microsoft-standard-WSL2-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-client-auth/operationId/7a233536-7528-4ea1-9e29-44e35df4232a?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-client-auth/operationId/7a233536-7528-4ea1-9e29-44e35df4232a?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-client-auth/operationId/7a233536-7528-4ea1-9e29-44e35df4232a","name":"7a233536-7528-4ea1-9e29-44e35df4232a","status":"Running","startTime":"2022-12-21T12:21:06.5012228Z"}' @@ -869,7 +869,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.10 (Linux-5.10.16.3-microsoft-standard-WSL2-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-client-auth/operationId/7a233536-7528-4ea1-9e29-44e35df4232a?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-client-auth/operationId/7a233536-7528-4ea1-9e29-44e35df4232a?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/test-client-auth/operationId/7a233536-7528-4ea1-9e29-44e35df4232a","name":"7a233536-7528-4ea1-9e29-44e35df4232a","status":"Succeeded","startTime":"2022-12-21T12:21:06.5012228Z","endTime":"2022-12-21T12:21:25.2079953Z"}' @@ -917,7 +917,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.10 (Linux-5.10.16.3-microsoft-standard-WSL2-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":true,"url":"https://cli-unittest-test-client-auth.asc-test.net","provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"clientAuth":{"certificates":["/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert"]},"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth","name":"test-client-auth","systemData":{"createdBy":"haojianzhong@microsoft.com","createdByType":"User","createdAt":"2022-12-21T12:18:25.5690042Z","lastModifiedBy":"haojianzhong@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-12-21T12:21:05.4463291Z"}}' @@ -967,7 +967,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.10 (Linux-5.10.16.3-microsoft-standard-WSL2-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":true,"url":"https://cli-unittest-test-client-auth.asc-test.net","provisioningState":"Succeeded","fqdn":"cli-unittest.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"clientAuth":{"certificates":["/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/test-cert"]},"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth","name":"test-client-auth","systemData":{"createdBy":"haojianzhong@microsoft.com","createdByType":"User","createdAt":"2022-12-21T12:18:25.5690042Z","lastModifiedBy":"haojianzhong@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-12-21T12:21:05.4463291Z"}}' @@ -1017,7 +1017,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.10 (Linux-5.10.16.3-microsoft-standard-WSL2-x86_64-with-glibc2.29) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth/deployments?api-version=2022-09-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":300,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":5,"successThreshold":1,"timeoutSeconds":3,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-client-auth-default-16-74bc7c9f97-zfdtv","status":"Running","discoveryStatus":"UNKNOWN","startTime":"2022-12-21T12:18:47Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth/deployments/default","name":"default","systemData":{"createdBy":"haojianzhong@microsoft.com","createdByType":"User","createdAt":"2022-12-21T12:18:41.8910045Z","lastModifiedBy":"haojianzhong@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-12-21T12:18:41.8910045Z"}}]}' @@ -1072,7 +1072,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth/deployments/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth/deployments/default?api-version=2022-09-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-default-8-57c694d5d4-6dzkv","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-09-07T11:53:23Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-client-auth/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:53:18.3498623Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:53:18.3498623Z"}}' diff --git a/src/spring/azext_spring/tests/latest/recordings/test_create_asc_heavy_cases.yaml b/src/spring/azext_spring/tests/latest/recordings/test_create_asc_heavy_cases.yaml index 37a6a86e025..59db088e3ed 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_create_asc_heavy_cases.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_create_asc_heavy_cases.yaml @@ -92,7 +92,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/46c2a575-e9a0-433c-8134-8bc02e37e33f/Spring/cli-unittest-1?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/46c2a575-e9a0-433c-8134-8bc02e37e33f/Spring/cli-unittest-1?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -1876,13 +1876,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-1/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-1/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=5c291f49-048e-47c7-8756-6aa2055518d0;IngestionEndpoint=https://eastus2-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus2.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-1/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-1/operationId/bb10637f-5eb4-4848-b190-8fb888eb6056?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-1/operationId/bb10637f-5eb4-4848-b190-8fb888eb6056?api-version=2020-11-01-preview cache-control: - no-cache content-length: @@ -1894,7 +1894,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/bb10637f-5eb4-4848-b190-8fb888eb6056/Spring/cli-unittest-1?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/bb10637f-5eb4-4848-b190-8fb888eb6056/Spring/cli-unittest-1?api-version=2020-11-01-preview pragma: - no-cache request-context: @@ -1926,7 +1926,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-1?api-version=2022-05-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"191408f014f94241a5dac00ad05f9096","networkProfile":{"outboundIPs":{"publicIPs":["52.179.218.122"]}},"powerState":"Running","fqdn":"cli-unittest-1.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"B0","tier":"Basic"},"location":"eastus2","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-1","name":"cli-unittest-1","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T05:47:23.9098215Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T05:55:08.239604Z"}}' @@ -1976,7 +1976,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-1?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"191408f014f94241a5dac00ad05f9096","networkProfile":{"outboundIPs":{"publicIPs":["52.179.218.122"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest-1.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"B0","tier":"Basic"},"location":"eastus2","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-1","name":"cli-unittest-1","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T05:47:23.9098215Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T05:55:08.239604Z"}}' @@ -2026,7 +2026,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-1/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-1/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=5c291f49-048e-47c7-8756-6aa2055518d0;IngestionEndpoint=https://eastus2-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus2.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-1/monitoringSettings/default","name":"default"}' @@ -2074,7 +2074,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-1?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"191408f014f94241a5dac00ad05f9096","networkProfile":{"outboundIPs":{"publicIPs":["52.179.218.122"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest-1.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"B0","tier":"Basic"},"location":"eastus2","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-1","name":"cli-unittest-1","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T05:47:23.9098215Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T05:55:08.239604Z"}}' @@ -2124,7 +2124,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-1/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-1/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=5c291f49-048e-47c7-8756-6aa2055518d0;IngestionEndpoint=https://eastus2-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus2.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-1/monitoringSettings/default","name":"default"}' @@ -2174,13 +2174,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-1?api-version=2022-05-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-1/operationId/4cb501ef-b401-4f56-acae-2acc7b0fae45?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-1/operationId/4cb501ef-b401-4f56-acae-2acc7b0fae45?api-version=2022-05-01-preview cache-control: - no-cache content-length: @@ -2190,7 +2190,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/4cb501ef-b401-4f56-acae-2acc7b0fae45/Spring/cli-unittest-1?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/4cb501ef-b401-4f56-acae-2acc7b0fae45/Spring/cli-unittest-1?api-version=2022-05-01-preview pragma: - no-cache request-context: @@ -2295,7 +2295,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/60a71227-ffdb-415d-91bf-9c5e6210ea91/Spring/cli-unittest-2?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/60a71227-ffdb-415d-91bf-9c5e6210ea91/Spring/cli-unittest-2?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -3679,13 +3679,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-2/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-2/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":0.1,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=5c291f49-048e-47c7-8756-6aa2055518d0;IngestionEndpoint=https://eastus2-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus2.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-2/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-2/operationId/9425e139-d0c3-4479-88e1-b6fdc1c5cfd6?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-2/operationId/9425e139-d0c3-4479-88e1-b6fdc1c5cfd6?api-version=2020-11-01-preview cache-control: - no-cache content-length: @@ -3697,7 +3697,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/9425e139-d0c3-4479-88e1-b6fdc1c5cfd6/Spring/cli-unittest-2?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/9425e139-d0c3-4479-88e1-b6fdc1c5cfd6/Spring/cli-unittest-2?api-version=2020-11-01-preview pragma: - no-cache request-context: @@ -3729,7 +3729,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-2?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-2?api-version=2022-05-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"14987ef12d3446b0819b882dd8f9d412","networkProfile":{"outboundIPs":{"publicIPs":["52.177.149.233"]}},"powerState":"Running","fqdn":"cli-unittest-2.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"B0","tier":"Basic"},"location":"eastus2","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-2","name":"cli-unittest-2","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T05:55:37.1584572Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:01:01.0670444Z"}}' @@ -3779,7 +3779,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-2?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-2?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"14987ef12d3446b0819b882dd8f9d412","networkProfile":{"outboundIPs":{"publicIPs":["52.177.149.233"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest-2.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"B0","tier":"Basic"},"location":"eastus2","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-2","name":"cli-unittest-2","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T05:55:37.1584572Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:01:01.0670444Z"}}' @@ -3829,7 +3829,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-2/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-2/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":0.1,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=5c291f49-048e-47c7-8756-6aa2055518d0;IngestionEndpoint=https://eastus2-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus2.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-2/monitoringSettings/default","name":"default"}' @@ -3877,7 +3877,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-2?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-2?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"14987ef12d3446b0819b882dd8f9d412","networkProfile":{"outboundIPs":{"publicIPs":["52.177.149.233"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest-2.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"B0","tier":"Basic"},"location":"eastus2","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-2","name":"cli-unittest-2","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T05:55:37.1584572Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:01:01.0670444Z"}}' @@ -3927,7 +3927,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-2/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-2/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":0.1,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=5c291f49-048e-47c7-8756-6aa2055518d0;IngestionEndpoint=https://eastus2-3.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus2.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-2/monitoringSettings/default","name":"default"}' @@ -3977,13 +3977,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-2?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-2?api-version=2022-05-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-2/operationId/85d75fc6-9f19-4dec-a5c3-8e5aafb69fd6?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-2/operationId/85d75fc6-9f19-4dec-a5c3-8e5aafb69fd6?api-version=2022-05-01-preview cache-control: - no-cache content-length: @@ -3993,7 +3993,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/85d75fc6-9f19-4dec-a5c3-8e5aafb69fd6/Spring/cli-unittest-2?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/85d75fc6-9f19-4dec-a5c3-8e5aafb69fd6/Spring/cli-unittest-2?api-version=2022-05-01-preview pragma: - no-cache request-context: @@ -4102,7 +4102,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/d7b6b1d0-23c5-420b-9a73-ed43ea0025f3/Spring/cli-unittest-3?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/d7b6b1d0-23c5-420b-9a73-ed43ea0025f3/Spring/cli-unittest-3?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -5677,13 +5677,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-3/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-3/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":1.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"00000000-0000-0000-0000-000000000000"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-3/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-3/operationId/e1cb113e-f948-4417-87ce-607fd9d75c76?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-3/operationId/e1cb113e-f948-4417-87ce-607fd9d75c76?api-version=2020-11-01-preview cache-control: - no-cache content-length: @@ -5695,7 +5695,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/e1cb113e-f948-4417-87ce-607fd9d75c76/Spring/cli-unittest-3?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/e1cb113e-f948-4417-87ce-607fd9d75c76/Spring/cli-unittest-3?api-version=2020-11-01-preview pragma: - no-cache request-context: @@ -5727,7 +5727,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-3?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-3?api-version=2022-05-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"7f2d6fc3799e4748bc6b78336fd76fc0","networkProfile":{"outboundIPs":{"publicIPs":["20.97.154.146"]}},"powerState":"Running","fqdn":"cli-unittest-3.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"B0","tier":"Basic"},"location":"eastus2","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-3","name":"cli-unittest-3","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:01:33.3444276Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:07:26.4309688Z"}}' @@ -5777,7 +5777,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-3?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-3?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"7f2d6fc3799e4748bc6b78336fd76fc0","networkProfile":{"outboundIPs":{"publicIPs":["20.97.154.146"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest-3.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"B0","tier":"Basic"},"location":"eastus2","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-3","name":"cli-unittest-3","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:01:33.3444276Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:07:26.4309688Z"}}' @@ -5827,7 +5827,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-3/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-3/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":1.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"00000000-0000-0000-0000-000000000000"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-3/monitoringSettings/default","name":"default"}' @@ -5875,7 +5875,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-3?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-3?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"7f2d6fc3799e4748bc6b78336fd76fc0","networkProfile":{"outboundIPs":{"publicIPs":["20.97.154.146"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest-3.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"B0","tier":"Basic"},"location":"eastus2","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-3","name":"cli-unittest-3","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:01:33.3444276Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:07:26.4309688Z"}}' @@ -5925,7 +5925,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-3/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-3/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":1.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"00000000-0000-0000-0000-000000000000"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-3/monitoringSettings/default","name":"default"}' @@ -5975,13 +5975,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-3?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-3?api-version=2022-05-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-3/operationId/5b0ddd71-2f00-4a96-a1b4-b96cad89df63?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-3/operationId/5b0ddd71-2f00-4a96-a1b4-b96cad89df63?api-version=2022-05-01-preview cache-control: - no-cache content-length: @@ -5991,7 +5991,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/5b0ddd71-2f00-4a96-a1b4-b96cad89df63/Spring/cli-unittest-3?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/5b0ddd71-2f00-4a96-a1b4-b96cad89df63/Spring/cli-unittest-3?api-version=2022-05-01-preview pragma: - no-cache request-context: @@ -6100,7 +6100,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/993cab47-87d3-4598-a58e-ec8463203316/Spring/cli-unittest-4?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/993cab47-87d3-4598-a58e-ec8463203316/Spring/cli-unittest-4?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -7724,13 +7724,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-4/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-4/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=00000000-0000-0000-0000-000000000000;IngestionEndpoint=https://xxxxxxxxxxxxxxxxxxxxxxxx/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-4/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-4/operationId/6e46db7a-1ab4-4c5d-abde-c87aeb61a0d8?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-4/operationId/6e46db7a-1ab4-4c5d-abde-c87aeb61a0d8?api-version=2020-11-01-preview cache-control: - no-cache content-length: @@ -7742,7 +7742,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/6e46db7a-1ab4-4c5d-abde-c87aeb61a0d8/Spring/cli-unittest-4?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/6e46db7a-1ab4-4c5d-abde-c87aeb61a0d8/Spring/cli-unittest-4?api-version=2020-11-01-preview pragma: - no-cache request-context: @@ -7774,7 +7774,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-4?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-4?api-version=2022-05-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"6716ad3c4bc5400b9131d8a7cdfab34a","networkProfile":{"outboundIPs":{"publicIPs":["20.75.109.235"]}},"powerState":"Running","fqdn":"cli-unittest-4.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"B0","tier":"Basic"},"location":"eastus2","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-4","name":"cli-unittest-4","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:07:55.5342308Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:14:03.8477583Z"}}' @@ -7824,7 +7824,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-4?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-4?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"6716ad3c4bc5400b9131d8a7cdfab34a","networkProfile":{"outboundIPs":{"publicIPs":["20.75.109.235"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest-4.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"B0","tier":"Basic"},"location":"eastus2","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-4","name":"cli-unittest-4","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:07:55.5342308Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:14:03.8477583Z"}}' @@ -7874,7 +7874,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-4/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-4/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=00000000-0000-0000-0000-000000000000;IngestionEndpoint=https://xxxxxxxxxxxxxxxxxxxxxxxx/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-4/monitoringSettings/default","name":"default"}' @@ -7922,7 +7922,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-4?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-4?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"6716ad3c4bc5400b9131d8a7cdfab34a","networkProfile":{"outboundIPs":{"publicIPs":["20.75.109.235"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest-4.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"B0","tier":"Basic"},"location":"eastus2","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-4","name":"cli-unittest-4","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:07:55.5342308Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:14:03.8477583Z"}}' @@ -7972,7 +7972,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-4/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-4/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=00000000-0000-0000-0000-000000000000;IngestionEndpoint=https://xxxxxxxxxxxxxxxxxxxxxxxx/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-4/monitoringSettings/default","name":"default"}' @@ -8018,13 +8018,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-4?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-4?api-version=2022-05-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-4/operationId/4d6742d8-086a-4ddb-98f4-8a9aead2cbbd?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-4/operationId/4d6742d8-086a-4ddb-98f4-8a9aead2cbbd?api-version=2022-05-01-preview cache-control: - no-cache content-length: @@ -8034,7 +8034,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/4d6742d8-086a-4ddb-98f4-8a9aead2cbbd/Spring/cli-unittest-4?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/4d6742d8-086a-4ddb-98f4-8a9aead2cbbd/Spring/cli-unittest-4?api-version=2022-05-01-preview pragma: - no-cache request-context: diff --git a/src/spring/azext_spring/tests/latest/recordings/test_create_asc_with_ai_basic_case.yaml b/src/spring/azext_spring/tests/latest/recordings/test_create_asc_with_ai_basic_case.yaml index 8348e29ba77..c86ea96a36d 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_create_asc_with_ai_basic_case.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_create_asc_with_ai_basic_case.yaml @@ -2028,13 +2028,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-11/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-11/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=94875c0b-bf9a-4716-bc7e-6c713266f4b9;IngestionEndpoint=https://eastus2-0.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus2.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-11/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-11/operationId/1926afa0-ba6a-4fd6-bb71-4bfd8e03c391?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-11/operationId/1926afa0-ba6a-4fd6-bb71-4bfd8e03c391?api-version=2020-11-01-preview cache-control: - no-cache content-length: @@ -2046,7 +2046,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/1926afa0-ba6a-4fd6-bb71-4bfd8e03c391/Spring/cli-unittest-11?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/1926afa0-ba6a-4fd6-bb71-4bfd8e03c391/Spring/cli-unittest-11?api-version=2020-11-01-preview pragma: - no-cache request-context: @@ -2078,7 +2078,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-11?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-11?api-version=2022-05-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"c27a42a2bf3f46a3abb061fb9381894a","networkProfile":{"outboundIPs":{"publicIPs":["20.94.20.98"]}},"powerState":"Running","fqdn":"cli-unittest-11.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"B0","tier":"Basic"},"location":"eastus2","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-11","name":"cli-unittest-11","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:14:28.4129284Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:21:40.1615285Z"}}' @@ -2128,7 +2128,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-11?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-11?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"c27a42a2bf3f46a3abb061fb9381894a","networkProfile":{"outboundIPs":{"publicIPs":["20.94.20.98"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest-11.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"B0","tier":"Basic"},"location":"eastus2","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-11","name":"cli-unittest-11","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:14:28.4129284Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:21:40.1615285Z"}}' @@ -2178,7 +2178,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-11/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-11/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=94875c0b-bf9a-4716-bc7e-6c713266f4b9;IngestionEndpoint=https://eastus2-0.in.applicationinsights.azure.com/;LiveEndpoint=https://eastus2.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-11/monitoringSettings/default","name":"default"}' @@ -2228,13 +2228,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-11?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-11?api-version=2022-05-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-11/operationId/2293e7a6-7796-4595-82ce-52abb6abc939?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-11/operationId/2293e7a6-7796-4595-82ce-52abb6abc939?api-version=2022-05-01-preview cache-control: - no-cache content-length: @@ -2244,7 +2244,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/2293e7a6-7796-4595-82ce-52abb6abc939/Spring/cli-unittest-11?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/2293e7a6-7796-4595-82ce-52abb6abc939/Spring/cli-unittest-11?api-version=2022-05-01-preview pragma: - no-cache request-context: diff --git a/src/spring/azext_spring/tests/latest/recordings/test_create_asc_without_ai_cases.yaml b/src/spring/azext_spring/tests/latest/recordings/test_create_asc_without_ai_cases.yaml index 3123b3c9584..d9894718583 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_create_asc_without_ai_cases.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_create_asc_without_ai_cases.yaml @@ -1518,7 +1518,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-9-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-9-1?api-version=2022-05-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"3b8cb45a5e624383be671c5bfe2bccb3","networkProfile":{"outboundIPs":{"publicIPs":["20.22.37.207"]}},"powerState":"Running","fqdn":"cli-unittest-9-1.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"B0","tier":"Basic"},"location":"eastus2","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-9-1","name":"cli-unittest-9-1","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T04:58:50.6853133Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T04:58:50.6853133Z"}}' @@ -1568,7 +1568,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-9-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-9-1?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"3b8cb45a5e624383be671c5bfe2bccb3","networkProfile":{"outboundIPs":{"publicIPs":["20.22.37.207"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest-9-1.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"B0","tier":"Basic"},"location":"eastus2","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-9-1","name":"cli-unittest-9-1","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T04:58:50.6853133Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T04:58:50.6853133Z"}}' @@ -1618,7 +1618,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-9-1/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-9-1/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.2.11"},"provisioningState":"Succeeded","traceEnabled":false,"appInsightsInstrumentationKey":null},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-9-1/monitoringSettings/default","name":"default"}' @@ -1668,13 +1668,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-9-1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest-9-1?api-version=2022-05-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-9-1/operationId/3674feda-29cc-4022-8e36-848cd43d34cc?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationStatus/cli-unittest-9-1/operationId/3674feda-29cc-4022-8e36-848cd43d34cc?api-version=2022-05-01-preview cache-control: - no-cache content-length: @@ -1684,7 +1684,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/3674feda-29cc-4022-8e36-848cd43d34cc/Spring/cli-unittest-9-1?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2/operationResults/3674feda-29cc-4022-8e36-848cd43d34cc/Spring/cli-unittest-9-1?api-version=2022-05-01-preview pragma: - no-cache request-context: diff --git a/src/spring/azext_spring/tests/latest/recordings/test_customized_accelerator.yaml b/src/spring/azext_spring/tests/latest/recordings/test_customized_accelerator.yaml index 2079e477d06..0355377964b 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_customized_accelerator.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_customized_accelerator.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.4 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"fdf807108ecb4e278019e5ef5ff4d130","networkProfile":{"outboundIPs":{"publicIPs":["20.62.137.13","20.62.137.128"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"acc-test.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test","name":"acc-test","systemData":{"createdBy":"guitarsheng@microsoft.com","createdByType":"User","createdAt":"2022-11-09T02:16:56.5791077Z","lastModifiedBy":"guitarsheng@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-09T02:16:56.5791077Z"}}' @@ -216,7 +216,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.4 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"fdf807108ecb4e278019e5ef5ff4d130","networkProfile":{"outboundIPs":{"publicIPs":["20.62.137.13","20.62.137.128"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"acc-test.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test","name":"acc-test","systemData":{"createdBy":"guitarsheng@microsoft.com","createdByType":"User","createdAt":"2022-11-09T02:16:56.5791077Z","lastModifiedBy":"guitarsheng@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-09T02:16:56.5791077Z"}}' @@ -418,7 +418,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.4 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"fdf807108ecb4e278019e5ef5ff4d130","networkProfile":{"outboundIPs":{"publicIPs":["20.62.137.13","20.62.137.128"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"acc-test.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test","name":"acc-test","systemData":{"createdBy":"guitarsheng@microsoft.com","createdByType":"User","createdAt":"2022-11-09T02:16:56.5791077Z","lastModifiedBy":"guitarsheng@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-09T02:16:56.5791077Z"}}' @@ -516,7 +516,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.4 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"fdf807108ecb4e278019e5ef5ff4d130","networkProfile":{"outboundIPs":{"publicIPs":["20.62.137.13","20.62.137.128"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"acc-test.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test","name":"acc-test","systemData":{"createdBy":"guitarsheng@microsoft.com","createdByType":"User","createdAt":"2022-11-09T02:16:56.5791077Z","lastModifiedBy":"guitarsheng@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-09T02:16:56.5791077Z"}}' @@ -614,7 +614,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.4 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"fdf807108ecb4e278019e5ef5ff4d130","networkProfile":{"outboundIPs":{"publicIPs":["20.62.137.13","20.62.137.128"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"acc-test.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test","name":"acc-test","systemData":{"createdBy":"guitarsheng@microsoft.com","createdByType":"User","createdAt":"2022-11-09T02:16:56.5791077Z","lastModifiedBy":"guitarsheng@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-09T02:16:56.5791077Z"}}' @@ -762,7 +762,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.4 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"fdf807108ecb4e278019e5ef5ff4d130","networkProfile":{"outboundIPs":{"publicIPs":["20.62.137.13","20.62.137.128"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"acc-test.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test","name":"acc-test","systemData":{"createdBy":"guitarsheng@microsoft.com","createdByType":"User","createdAt":"2022-11-09T02:16:56.5791077Z","lastModifiedBy":"guitarsheng@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-09T02:16:56.5791077Z"}}' diff --git a/src/spring/azext_spring/tests/latest/recordings/test_deploy_app.yaml b/src/spring/azext_spring/tests/latest/recordings/test_deploy_app.yaml index 4e7204ad282..e8a0bf478b5 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_deploy_app.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_deploy_app.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"2083e5d93d1b4a43a6c0590409f6588d","networkProfile":{"outboundIPs":{"publicIPs":["20.207.64.95","20.207.64.112"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"centralindia","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:16:06.3030492Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:20:29.0241388Z"}}' @@ -65,7 +65,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-09-01-preview response: body: string: '{"error":{"code":"NotFound","message":"App was not found","target":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy","details":null}}' @@ -111,7 +111,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-09-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"2083e5d93d1b4a43a6c0590409f6588d","networkProfile":{"outboundIPs":{"publicIPs":["20.207.64.95","20.207.64.112"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"centralindia","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:16:06.3030492Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:20:29.0241388Z"}}' @@ -166,13 +166,13 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Creating","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy","name":"deploy","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:42:23.945853Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:42:23.945853Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/deploy/operationId/42b06656-ec7d-46df-b3cd-d529a826969d?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/deploy/operationId/42b06656-ec7d-46df-b3cd-d529a826969d?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -184,7 +184,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/42b06656-ec7d-46df-b3cd-d529a826969d/Spring/deploy?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/42b06656-ec7d-46df-b3cd-d529a826969d/Spring/deploy?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -216,7 +216,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/deploy/operationId/42b06656-ec7d-46df-b3cd-d529a826969d?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/deploy/operationId/42b06656-ec7d-46df-b3cd-d529a826969d?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/deploy/operationId/42b06656-ec7d-46df-b3cd-d529a826969d","name":"42b06656-ec7d-46df-b3cd-d529a826969d","status":"Succeeded","startTime":"2022-11-25T03:42:24.3354908Z","endTime":"2022-11-25T03:42:30.6029033Z"}' @@ -264,7 +264,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy","name":"deploy","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:42:23.945853Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:42:23.945853Z"}}' @@ -321,13 +321,13 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/mock-deployment?api-version=2022-09-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"foo":"bar"},"terminationGracePeriodSeconds":90},"provisioningState":"Creating","status":"Running","active":true,"instances":null,"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_11"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/default","name":"default","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:42:59.6799807Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:42:59.6799807Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/a4ec079f-0b8f-4563-a3ba-967d462880ec?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/a4ec079f-0b8f-4563-a3ba-967d462880ec?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -339,7 +339,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/a4ec079f-0b8f-4563-a3ba-967d462880ec/Spring/default?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/a4ec079f-0b8f-4563-a3ba-967d462880ec/Spring/default?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -376,13 +376,13 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy","name":"deploy","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:42:23.945853Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:43:00.6174463Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/deploy/operationId/4ffd0fae-0a69-4afa-8421-97bef94bc355?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/deploy/operationId/4ffd0fae-0a69-4afa-8421-97bef94bc355?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -394,7 +394,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/4ffd0fae-0a69-4afa-8421-97bef94bc355/Spring/deploy?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/4ffd0fae-0a69-4afa-8421-97bef94bc355/Spring/deploy?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -426,7 +426,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/a4ec079f-0b8f-4563-a3ba-967d462880ec?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/a4ec079f-0b8f-4563-a3ba-967d462880ec?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/a4ec079f-0b8f-4563-a3ba-967d462880ec","name":"a4ec079f-0b8f-4563-a3ba-967d462880ec","status":"Running","startTime":"2022-11-25T03:43:00.3772926Z"}' @@ -474,7 +474,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/deploy/operationId/4ffd0fae-0a69-4afa-8421-97bef94bc355?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/deploy/operationId/4ffd0fae-0a69-4afa-8421-97bef94bc355?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/deploy/operationId/4ffd0fae-0a69-4afa-8421-97bef94bc355","name":"4ffd0fae-0a69-4afa-8421-97bef94bc355","status":"Succeeded","startTime":"2022-11-25T03:43:01.0038387Z","endTime":"2022-11-25T03:43:07.3317178Z"}' @@ -522,7 +522,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy","name":"deploy","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:42:23.945853Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:43:00.6174463Z"}}' @@ -572,7 +572,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/a4ec079f-0b8f-4563-a3ba-967d462880ec?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/a4ec079f-0b8f-4563-a3ba-967d462880ec?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/a4ec079f-0b8f-4563-a3ba-967d462880ec","name":"a4ec079f-0b8f-4563-a3ba-967d462880ec","status":"Running","startTime":"2022-11-25T03:43:00.3772926Z"}' @@ -620,7 +620,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/a4ec079f-0b8f-4563-a3ba-967d462880ec?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/a4ec079f-0b8f-4563-a3ba-967d462880ec?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/a4ec079f-0b8f-4563-a3ba-967d462880ec","name":"a4ec079f-0b8f-4563-a3ba-967d462880ec","status":"Running","startTime":"2022-11-25T03:43:00.3772926Z"}' @@ -668,7 +668,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/a4ec079f-0b8f-4563-a3ba-967d462880ec?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/a4ec079f-0b8f-4563-a3ba-967d462880ec?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/a4ec079f-0b8f-4563-a3ba-967d462880ec","name":"a4ec079f-0b8f-4563-a3ba-967d462880ec","status":"Succeeded","startTime":"2022-11-25T03:43:00.3772926Z","endTime":"2022-11-25T03:43:54.358602Z"}' @@ -716,7 +716,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/mock-deployment?api-version=2022-09-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"foo":"bar"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"deploy-default-6-68bfd4747b-gqxk2","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-11-25T03:43:09Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_11"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/default","name":"default","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:42:59.6799807Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:42:59.6799807Z"}}' @@ -766,7 +766,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy","name":"deploy","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:42:23.945853Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:43:00.6174463Z"}}' @@ -816,7 +816,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments?api-version=2022-09-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"foo":"bar"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"deploy-default-6-68bfd4747b-gqxk2","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-11-25T03:43:09Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_11"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/default","name":"default","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:42:59.6799807Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:42:59.6799807Z"}}]}' @@ -866,7 +866,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments?api-version=2022-05-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"foo":"bar"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"deploy-default-6-68bfd4747b-gqxk2","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-11-25T03:43:09Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_11"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/default","name":"default","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:42:59.6799807Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:42:59.6799807Z"}}]}' @@ -1252,7 +1252,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/mock-deployment?api-version=2022-05-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"foo":"bar"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Failed","status":"Running","active":true,"instances":[{"name":"deploy-default-6-858bf948cf-jf8l9","status":"Failed","reason":"Exit @@ -1303,7 +1303,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments?api-version=2022-05-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"foo":"bar"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Failed","status":"Running","active":true,"instances":[{"name":"deploy-default-6-858bf948cf-jf8l9","status":"Failed","reason":"Exit @@ -1354,7 +1354,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"2083e5d93d1b4a43a6c0590409f6588d","networkProfile":{"outboundIPs":{"publicIPs":["20.207.64.95","20.207.64.112"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"centralindia","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:16:06.3030492Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:20:29.0241388Z"}}' @@ -1408,13 +1408,13 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy","name":"deploy","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:42:23.945853Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:45:16.1775177Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/deploy/operationId/3009af3e-93e9-44ef-92c8-3555e6c3c60e?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/deploy/operationId/3009af3e-93e9-44ef-92c8-3555e6c3c60e?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -1426,7 +1426,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/3009af3e-93e9-44ef-92c8-3555e6c3c60e/Spring/deploy?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/3009af3e-93e9-44ef-92c8-3555e6c3c60e/Spring/deploy?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -1465,13 +1465,13 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/mock-deployment?api-version=2022-09-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"bas":"baz"},"terminationGracePeriodSeconds":90},"provisioningState":"Updating","status":"Running","active":true,"instances":null,"source":{"type":"Jar","relativePath":"resources/b7bd55c11b781b0ccc43aa6e57f9dadf0660e9d1d4e27e0979ee43a407d454ae-2022112503-dba466af-6a94-4b45-9d7e-9b8c23b0101b","version":"v1","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/default","name":"default","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:42:59.6799807Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:45:17.0993951Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/ecb90cdf-663d-415f-b319-1f8ba2caaa39?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/ecb90cdf-663d-415f-b319-1f8ba2caaa39?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -1483,7 +1483,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/ecb90cdf-663d-415f-b319-1f8ba2caaa39/Spring/default?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/ecb90cdf-663d-415f-b319-1f8ba2caaa39/Spring/default?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -1515,7 +1515,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/deploy/operationId/3009af3e-93e9-44ef-92c8-3555e6c3c60e?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/deploy/operationId/3009af3e-93e9-44ef-92c8-3555e6c3c60e?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/deploy/operationId/3009af3e-93e9-44ef-92c8-3555e6c3c60e","name":"3009af3e-93e9-44ef-92c8-3555e6c3c60e","status":"Succeeded","startTime":"2022-11-25T03:45:16.689773Z","endTime":"2022-11-25T03:45:23.7726675Z"}' @@ -1563,7 +1563,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy","name":"deploy","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:42:23.945853Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:45:16.1775177Z"}}' @@ -1613,7 +1613,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/ecb90cdf-663d-415f-b319-1f8ba2caaa39?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/ecb90cdf-663d-415f-b319-1f8ba2caaa39?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/ecb90cdf-663d-415f-b319-1f8ba2caaa39","name":"ecb90cdf-663d-415f-b319-1f8ba2caaa39","status":"Running","startTime":"2022-11-25T03:45:17.5427514Z"}' @@ -1661,7 +1661,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/ecb90cdf-663d-415f-b319-1f8ba2caaa39?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/ecb90cdf-663d-415f-b319-1f8ba2caaa39?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/ecb90cdf-663d-415f-b319-1f8ba2caaa39","name":"ecb90cdf-663d-415f-b319-1f8ba2caaa39","status":"Running","startTime":"2022-11-25T03:45:17.5427514Z"}' @@ -1709,7 +1709,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/ecb90cdf-663d-415f-b319-1f8ba2caaa39?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/ecb90cdf-663d-415f-b319-1f8ba2caaa39?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/ecb90cdf-663d-415f-b319-1f8ba2caaa39","name":"ecb90cdf-663d-415f-b319-1f8ba2caaa39","status":"Running","startTime":"2022-11-25T03:45:17.5427514Z"}' @@ -1757,7 +1757,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/ecb90cdf-663d-415f-b319-1f8ba2caaa39?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/ecb90cdf-663d-415f-b319-1f8ba2caaa39?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/ecb90cdf-663d-415f-b319-1f8ba2caaa39","name":"ecb90cdf-663d-415f-b319-1f8ba2caaa39","status":"Failed","startTime":"2022-11-25T03:45:17.5427514Z","endTime":"2022-11-25T03:46:13.7379667Z","error":{"code":"BadRequest","message":"112404: @@ -1806,7 +1806,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy","name":"deploy","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:42:23.945853Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:45:16.1775177Z"}}' @@ -1856,7 +1856,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments?api-version=2022-09-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"bas":"baz"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Failed","status":"Running","active":true,"instances":[{"name":"deploy-default-6-597c4b9d85-x92w4","status":"Failed","reason":"Exit @@ -1907,7 +1907,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/mock-deployment?api-version=2022-05-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"bas":"baz"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Failed","status":"Running","active":true,"instances":[{"name":"deploy-default-6-597c4b9d85-x92w4","status":"Failed","reason":"Exit @@ -1958,7 +1958,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments?api-version=2022-05-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"bas":"baz"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Failed","status":"Running","active":true,"instances":[{"name":"deploy-default-6-597c4b9d85-x92w4","status":"Failed","reason":"Exit @@ -2009,7 +2009,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"2083e5d93d1b4a43a6c0590409f6588d","networkProfile":{"outboundIPs":{"publicIPs":["20.207.64.95","20.207.64.112"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"centralindia","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:16:06.3030492Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:20:29.0241388Z"}}' @@ -2491,7 +2491,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/mock-deployment?api-version=2022-05-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"bas":"baz"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Failed","status":"Running","active":true,"instances":[{"name":"deploy-default-6-5dd4df9dbf-868lg","status":"Failed","reason":"Exit @@ -2542,7 +2542,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments?api-version=2022-05-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"bas":"baz"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Failed","status":"Running","active":true,"instances":[{"name":"deploy-default-6-5dd4df9dbf-868lg","status":"Failed","reason":"Exit @@ -2597,13 +2597,13 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy","name":"deploy","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:42:23.945853Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:47:59.2098651Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/deploy/operationId/7863463f-aa4f-44a7-bbe8-8bb63da40ce2?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/deploy/operationId/7863463f-aa4f-44a7-bbe8-8bb63da40ce2?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -2615,7 +2615,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/7863463f-aa4f-44a7-bbe8-8bb63da40ce2/Spring/deploy?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/7863463f-aa4f-44a7-bbe8-8bb63da40ce2/Spring/deploy?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -2654,13 +2654,13 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/mock-deployment?api-version=2022-09-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"bas":"baz"},"terminationGracePeriodSeconds":90},"provisioningState":"Updating","status":"Running","active":true,"instances":null,"source":{"type":"NetCoreZip","relativePath":"resources/b7bd55c11b781b0ccc43aa6e57f9dadf0660e9d1d4e27e0979ee43a407d454ae-2022112503-1acbaf2a-37f1-4df5-9570-7569bdf55067","version":"v2","runtimeVersion":"NetCore_31","netCoreMainEntryPath":"test1"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/default","name":"default","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:42:59.6799807Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:48:00.3817451Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/d3e6c769-e3f7-45ae-ba7e-4c7a4a2e5c3e?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/d3e6c769-e3f7-45ae-ba7e-4c7a4a2e5c3e?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -2672,7 +2672,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/d3e6c769-e3f7-45ae-ba7e-4c7a4a2e5c3e/Spring/default?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/d3e6c769-e3f7-45ae-ba7e-4c7a4a2e5c3e/Spring/default?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -2704,7 +2704,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/deploy/operationId/7863463f-aa4f-44a7-bbe8-8bb63da40ce2?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/deploy/operationId/7863463f-aa4f-44a7-bbe8-8bb63da40ce2?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/deploy/operationId/7863463f-aa4f-44a7-bbe8-8bb63da40ce2","name":"7863463f-aa4f-44a7-bbe8-8bb63da40ce2","status":"Succeeded","startTime":"2022-11-25T03:47:59.9505435Z","endTime":"2022-11-25T03:48:06.71284Z"}' @@ -2752,7 +2752,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy","name":"deploy","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:42:23.945853Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:47:59.2098651Z"}}' @@ -2802,7 +2802,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/d3e6c769-e3f7-45ae-ba7e-4c7a4a2e5c3e?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/d3e6c769-e3f7-45ae-ba7e-4c7a4a2e5c3e?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/d3e6c769-e3f7-45ae-ba7e-4c7a4a2e5c3e","name":"d3e6c769-e3f7-45ae-ba7e-4c7a4a2e5c3e","status":"Running","startTime":"2022-11-25T03:48:00.9083778Z"}' @@ -2850,7 +2850,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/d3e6c769-e3f7-45ae-ba7e-4c7a4a2e5c3e?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/d3e6c769-e3f7-45ae-ba7e-4c7a4a2e5c3e?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/d3e6c769-e3f7-45ae-ba7e-4c7a4a2e5c3e","name":"d3e6c769-e3f7-45ae-ba7e-4c7a4a2e5c3e","status":"Running","startTime":"2022-11-25T03:48:00.9083778Z"}' @@ -2898,7 +2898,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/d3e6c769-e3f7-45ae-ba7e-4c7a4a2e5c3e?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/d3e6c769-e3f7-45ae-ba7e-4c7a4a2e5c3e?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/d3e6c769-e3f7-45ae-ba7e-4c7a4a2e5c3e","name":"d3e6c769-e3f7-45ae-ba7e-4c7a4a2e5c3e","status":"Failed","startTime":"2022-11-25T03:48:00.9083778Z","endTime":"2022-11-25T03:48:48.9285508Z","error":{"code":"BadRequest","message":"112404: @@ -2947,7 +2947,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy","name":"deploy","systemData":{"createdBy":"yili7@microsoft.com","createdByType":"User","createdAt":"2022-11-25T03:42:23.945853Z","lastModifiedBy":"yili7@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-25T03:47:59.2098651Z"}}' @@ -2997,7 +2997,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments?api-version=2022-09-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"bas":"baz"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Failed","status":"Running","active":true,"instances":[{"name":"deploy-default-6-6b454dbd66-mbkbd","status":"Failed","reason":"Exit @@ -3048,7 +3048,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/mock-deployment?api-version=2022-05-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"bas":"baz"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Failed","status":"Running","active":true,"instances":[{"name":"deploy-default-6-6b454dbd66-mbkbd","status":"Failed","reason":"Exit @@ -3099,7 +3099,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments?api-version=2022-05-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"bas":"baz"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Failed","status":"Running","active":true,"instances":[{"name":"deploy-default-6-6b454dbd66-mbkbd","status":"Failed","reason":"Exit @@ -3486,7 +3486,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy/deployments/mock-deployment?api-version=2022-05-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"2","memory":"1Gi"},"environmentVariables":{"bas":"baz"},"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Failed","status":"Running","active":true,"instances":[{"name":"deploy-default-6-595fcb6859-lmt5b","status":"Failed","reason":"Exit diff --git a/src/spring/azext_spring/tests/latest/recordings/test_gateway.yaml b/src/spring/azext_spring/tests/latest/recordings/test_gateway.yaml index 6b3dfce89fc..3046d704df8 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_gateway.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_gateway.yaml @@ -399,7 +399,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -498,7 +498,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -851,7 +851,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -1258,7 +1258,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -1713,7 +1713,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -1813,7 +1813,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -2009,7 +2009,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -2104,7 +2104,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -3170,7 +3170,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -3366,7 +3366,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -4480,7 +4480,7 @@ interactions: User-Agent: - AZURECLI/2.41.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.0 (Linux-4.4.0-22621-Microsoft-x86_64-with-glibc2.27) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/certificates/cli-unittest?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/certificates/cli-unittest?api-version=2022-01-01-preview response: body: string: '{"properties":{"vaultUri":"https://integration-test-prod.vault.azure.net","keyVaultCertName":"pfx-cert","certVersion":"012850b3685548edb418696a491c6d72","excludePrivateKey":false,"type":"KeyVaultCertificate","thumbprint":"6695512ed53e0c46817348b78411876a9a9c3396","issuer":"Microsoft @@ -4530,7 +4530,7 @@ interactions: User-Agent: - AZURECLI/2.41.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.0 (Linux-4.4.0-22621-Microsoft-x86_64-with-glibc2.27) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"901491e641cf4c0fbcedeeced84919f4","networkProfile":{"outboundIPs":{"publicIPs":["20.246.169.224","20.246.170.4"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"xiading@microsoft.com","createdByType":"User","createdAt":"2022-11-01T05:28:28.6663306Z","lastModifiedBy":"xiading@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-01T05:28:28.6663306Z"}}' @@ -4584,7 +4584,7 @@ interactions: User-Agent: - AZURECLI/2.41.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.0 (Linux-4.4.0-22621-Microsoft-x86_64-with-glibc2.27) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default/domains/gateway-cli.azdmss-test.net?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default/domains/gateway-cli.azdmss-test.net?api-version=2022-01-01-preview response: body: string: '{"properties":{"thumbprint":""},"type":"Microsoft.AppPlatform/Spring/gateways/domains","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default/domains/gateway-cli.azdmss-test.net","name":"gateway-cli.azdmss-test.net"}' @@ -4634,7 +4634,7 @@ interactions: User-Agent: - AZURECLI/2.41.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.0 (Linux-4.4.0-22621-Microsoft-x86_64-with-glibc2.27) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"901491e641cf4c0fbcedeeced84919f4","networkProfile":{"outboundIPs":{"publicIPs":["20.246.169.224","20.246.170.4"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"xiading@microsoft.com","createdByType":"User","createdAt":"2022-11-01T05:28:28.6663306Z","lastModifiedBy":"xiading@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-01T05:28:28.6663306Z"}}' @@ -4684,7 +4684,7 @@ interactions: User-Agent: - AZURECLI/2.41.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.0 (Linux-4.4.0-22621-Microsoft-x86_64-with-glibc2.27) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default/domains/gateway-cli.azdmss-test.net?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default/domains/gateway-cli.azdmss-test.net?api-version=2022-01-01-preview response: body: string: '{"properties":{"thumbprint":""},"type":"Microsoft.AppPlatform/Spring/gateways/domains","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default/domains/gateway-cli.azdmss-test.net","name":"gateway-cli.azdmss-test.net"}' @@ -4732,7 +4732,7 @@ interactions: User-Agent: - AZURECLI/2.41.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.0 (Linux-4.4.0-22621-Microsoft-x86_64-with-glibc2.27) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"901491e641cf4c0fbcedeeced84919f4","networkProfile":{"outboundIPs":{"publicIPs":["20.246.169.224","20.246.170.4"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"xiading@microsoft.com","createdByType":"User","createdAt":"2022-11-01T05:28:28.6663306Z","lastModifiedBy":"xiading@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-01T05:28:28.6663306Z"}}' @@ -4782,7 +4782,7 @@ interactions: User-Agent: - AZURECLI/2.41.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.0 (Linux-4.4.0-22621-Microsoft-x86_64-with-glibc2.27) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default/domains?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default/domains?api-version=2022-01-01-preview response: body: string: '{"value":[{"properties":{"thumbprint":""},"type":"Microsoft.AppPlatform/Spring/gateways/domains","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default/domains/gateway-cli.azdmss-test.net","name":"gateway-cli.azdmss-test.net"}]}' @@ -4830,7 +4830,7 @@ interactions: User-Agent: - AZURECLI/2.41.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.0 (Linux-4.4.0-22621-Microsoft-x86_64-with-glibc2.27) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"901491e641cf4c0fbcedeeced84919f4","networkProfile":{"outboundIPs":{"publicIPs":["20.246.169.224","20.246.170.4"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"xiading@microsoft.com","createdByType":"User","createdAt":"2022-11-01T05:28:28.6663306Z","lastModifiedBy":"xiading@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-01T05:28:28.6663306Z"}}' @@ -4880,7 +4880,7 @@ interactions: User-Agent: - AZURECLI/2.41.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.0 (Linux-4.4.0-22621-Microsoft-x86_64-with-glibc2.27) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/certificates/cli-unittest?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/certificates/cli-unittest?api-version=2022-01-01-preview response: body: string: '{"properties":{"vaultUri":"https://integration-test-prod.vault.azure.net","keyVaultCertName":"pfx-cert","certVersion":"012850b3685548edb418696a491c6d72","excludePrivateKey":false,"type":"KeyVaultCertificate","thumbprint":"6695512ed53e0c46817348b78411876a9a9c3396","issuer":"Microsoft @@ -4934,7 +4934,7 @@ interactions: User-Agent: - AZURECLI/2.41.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.0 (Linux-4.4.0-22621-Microsoft-x86_64-with-glibc2.27) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default/domains/gateway-cli.azdmss-test.net?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default/domains/gateway-cli.azdmss-test.net?api-version=2022-01-01-preview response: body: string: '{"properties":{"thumbprint":"6695512ed53e0c46817348b78411876a9a9c3396"},"type":"Microsoft.AppPlatform/Spring/gateways/domains","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default/domains/gateway-cli.azdmss-test.net","name":"gateway-cli.azdmss-test.net"}' @@ -4984,7 +4984,7 @@ interactions: User-Agent: - AZURECLI/2.41.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.0 (Linux-4.4.0-22621-Microsoft-x86_64-with-glibc2.27) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"901491e641cf4c0fbcedeeced84919f4","networkProfile":{"outboundIPs":{"publicIPs":["20.246.169.224","20.246.170.4"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"xiading@microsoft.com","createdByType":"User","createdAt":"2022-11-01T05:28:28.6663306Z","lastModifiedBy":"xiading@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-01T05:28:28.6663306Z"}}' @@ -5034,7 +5034,7 @@ interactions: User-Agent: - AZURECLI/2.41.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.0 (Linux-4.4.0-22621-Microsoft-x86_64-with-glibc2.27) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default/domains/gateway-cli.azdmss-test.net?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default/domains/gateway-cli.azdmss-test.net?api-version=2022-01-01-preview response: body: string: '{"properties":{"thumbprint":"6695512ed53e0c46817348b78411876a9a9c3396"},"type":"Microsoft.AppPlatform/Spring/gateways/domains","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default/domains/gateway-cli.azdmss-test.net","name":"gateway-cli.azdmss-test.net"}' @@ -5080,7 +5080,7 @@ interactions: User-Agent: - AZURECLI/2.41.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.0 (Linux-4.4.0-22621-Microsoft-x86_64-with-glibc2.27) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default/domains/gateway-cli.azdmss-test.net?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default/domains/gateway-cli.azdmss-test.net?api-version=2022-01-01-preview response: body: string: '' @@ -5126,7 +5126,7 @@ interactions: User-Agent: - AZURECLI/2.41.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.0 (Linux-4.4.0-22621-Microsoft-x86_64-with-glibc2.27) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"901491e641cf4c0fbcedeeced84919f4","networkProfile":{"outboundIPs":{"publicIPs":["20.246.169.224","20.246.170.4"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"xiading@microsoft.com","createdByType":"User","createdAt":"2022-11-01T05:28:28.6663306Z","lastModifiedBy":"xiading@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-01T05:28:28.6663306Z"}}' @@ -5176,7 +5176,7 @@ interactions: User-Agent: - AZURECLI/2.41.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.0 (Linux-4.4.0-22621-Microsoft-x86_64-with-glibc2.27) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default/domains/gateway-cli.azdmss-test.net?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/gateways/default/domains/gateway-cli.azdmss-test.net?api-version=2022-01-01-preview response: body: string: '{"error":{"code":"EntityNotFound","message":"CustomDomain ''gateway-cli.azdmss-test.net'' diff --git a/src/spring/azext_spring/tests/latest/recordings/test_generate_deployment_dump.yaml b/src/spring/azext_spring/tests/latest/recordings/test_generate_deployment_dump.yaml index 0d17bab5d91..d035ac98b00 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_generate_deployment_dump.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_generate_deployment_dump.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-dump/deployments/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-dump/deployments/default?api-version=2022-05-01-preview response: body: string: '{"properties":{"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"},"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-dump-default-23-75bf876455-xz892","status":"Running","discoveryStatus":"UP","startTime":"2022-01-17T21:05:40Z"}]},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-dump/deployments/default","name":"default","systemData":{"createdBy":"3462cf92-dc17-43c5-8c7e-e50c11a1c181","createdByType":"Application","createdAt":"2022-01-17T21:05:09.7194765Z","lastModifiedBy":"3462cf92-dc17-43c5-8c7e-e50c11a1c181","lastModifiedByType":"Application","lastModifiedAt":"2022-01-17T21:05:27.4994709Z"}}' @@ -67,7 +67,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-dump/deployments/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-dump/deployments/default?api-version=2022-05-01-preview response: body: string: '{"properties":{"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"},"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-dump-default-23-75bf876455-xz892","status":"Running","discoveryStatus":"UP","startTime":"2022-01-17T21:05:40Z"}]},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-dump/deployments/default","name":"default","systemData":{"createdBy":"3462cf92-dc17-43c5-8c7e-e50c11a1c181","createdByType":"Application","createdAt":"2022-01-17T21:05:09.7194765Z","lastModifiedBy":"3462cf92-dc17-43c5-8c7e-e50c11a1c181","lastModifiedByType":"Application","lastModifiedAt":"2022-01-17T21:05:27.4994709Z"}}' @@ -124,13 +124,13 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-dump/deployments/default/generateHeapDump?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-dump/deployments/default/generateHeapDump?api-version=2022-05-01-preview response: body: string: '{"appInstance":"test-app-dump-default-23-75bf876455-xz892","filePath":"C:UsersyuwzhoAppDataLocalTempdumpfile.txt","duration":"60s"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview cache-control: - no-cache content-length: @@ -174,7 +174,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -224,7 +224,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -274,7 +274,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -324,7 +324,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -374,7 +374,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -424,7 +424,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -474,7 +474,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -524,7 +524,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -574,7 +574,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -624,7 +624,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -674,7 +674,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -724,7 +724,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -774,7 +774,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -824,7 +824,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -874,7 +874,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -924,7 +924,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -974,7 +974,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -1024,7 +1024,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -1074,7 +1074,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -1124,7 +1124,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -1174,7 +1174,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -1224,7 +1224,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -1274,7 +1274,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -1324,7 +1324,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -1374,7 +1374,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -1424,7 +1424,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -1474,7 +1474,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -1524,7 +1524,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -1574,7 +1574,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -1624,7 +1624,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -1674,7 +1674,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -1724,7 +1724,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -1774,7 +1774,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -1824,7 +1824,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -1874,7 +1874,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -1924,7 +1924,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -1974,7 +1974,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -2024,7 +2024,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -2074,7 +2074,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -2124,7 +2124,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -2174,7 +2174,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -2224,7 +2224,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -2274,7 +2274,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -2324,7 +2324,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -2374,7 +2374,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -2424,7 +2424,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -2474,7 +2474,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -2524,7 +2524,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -2574,7 +2574,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -2624,7 +2624,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -2674,7 +2674,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -2724,7 +2724,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -2774,7 +2774,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -2824,7 +2824,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -2874,7 +2874,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -2924,7 +2924,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -2974,7 +2974,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -3024,7 +3024,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -3074,7 +3074,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -3124,7 +3124,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -3174,7 +3174,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -3224,7 +3224,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -3274,7 +3274,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -3324,7 +3324,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -3374,7 +3374,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -3424,7 +3424,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -3474,7 +3474,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -3524,7 +3524,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -3574,7 +3574,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -3624,7 +3624,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -3674,7 +3674,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -3724,7 +3724,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -3774,7 +3774,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -3824,7 +3824,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -3874,7 +3874,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -3924,7 +3924,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -3974,7 +3974,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -4024,7 +4024,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -4074,7 +4074,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -4124,7 +4124,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -4174,7 +4174,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -4224,7 +4224,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -4274,7 +4274,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -4324,7 +4324,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -4374,7 +4374,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -4424,7 +4424,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -4474,7 +4474,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -4524,7 +4524,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -4574,7 +4574,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -4624,7 +4624,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -4674,7 +4674,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -4724,7 +4724,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -4774,7 +4774,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -4824,7 +4824,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -4874,7 +4874,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -4924,7 +4924,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -4974,7 +4974,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -5024,7 +5024,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -5074,7 +5074,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -5124,7 +5124,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -5174,7 +5174,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -5224,7 +5224,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -5274,7 +5274,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -5324,7 +5324,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -5374,7 +5374,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -5424,7 +5424,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -5474,7 +5474,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -5524,7 +5524,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -5574,7 +5574,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -5624,7 +5624,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -5674,7 +5674,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -5724,7 +5724,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -5774,7 +5774,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -5824,7 +5824,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -5874,7 +5874,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -5924,7 +5924,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -5974,7 +5974,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -6024,7 +6024,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -6074,7 +6074,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -6124,7 +6124,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -6174,7 +6174,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -6224,7 +6224,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -6274,7 +6274,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -6324,7 +6324,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -6374,7 +6374,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -6424,7 +6424,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -6474,7 +6474,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -6524,7 +6524,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -6574,7 +6574,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -6624,7 +6624,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -6674,7 +6674,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -6724,7 +6724,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -6774,7 +6774,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -6824,7 +6824,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -6874,7 +6874,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -6924,7 +6924,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -6974,7 +6974,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -7024,7 +7024,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -7074,7 +7074,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -7124,7 +7124,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -7174,7 +7174,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -7224,7 +7224,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -7274,7 +7274,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -7324,7 +7324,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -7374,7 +7374,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -7424,7 +7424,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -7474,7 +7474,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -7524,7 +7524,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -7574,7 +7574,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -7624,7 +7624,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -7674,7 +7674,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -7724,7 +7724,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -7774,7 +7774,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -7824,7 +7824,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -7874,7 +7874,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -7924,7 +7924,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -7974,7 +7974,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -8024,7 +8024,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -8074,7 +8074,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -8124,7 +8124,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -8174,7 +8174,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -8224,7 +8224,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -8274,7 +8274,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -8324,7 +8324,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -8374,7 +8374,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -8424,7 +8424,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -8474,7 +8474,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -8524,7 +8524,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -8574,7 +8574,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -8624,7 +8624,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -8674,7 +8674,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -8724,7 +8724,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -8774,7 +8774,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -8824,7 +8824,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -8874,7 +8874,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -8924,7 +8924,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -8974,7 +8974,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -9024,7 +9024,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -9074,7 +9074,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -9124,7 +9124,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -9174,7 +9174,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -9224,7 +9224,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -9274,7 +9274,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -9324,7 +9324,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -9374,7 +9374,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -9424,7 +9424,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -9474,7 +9474,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -9524,7 +9524,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -9574,7 +9574,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -9624,7 +9624,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -9674,7 +9674,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -9724,7 +9724,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -9774,7 +9774,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -9824,7 +9824,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -9874,7 +9874,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -9924,7 +9924,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -9974,7 +9974,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -10024,7 +10024,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -10074,7 +10074,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -10124,7 +10124,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -10174,7 +10174,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -10224,7 +10224,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -10274,7 +10274,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -10324,7 +10324,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -10374,7 +10374,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -10424,7 +10424,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -10474,7 +10474,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -10524,7 +10524,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -10574,7 +10574,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -10624,7 +10624,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -10674,7 +10674,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -10724,7 +10724,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -10774,7 +10774,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -10824,7 +10824,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -10874,7 +10874,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -10924,7 +10924,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -10974,7 +10974,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -11024,7 +11024,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -11074,7 +11074,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -11124,7 +11124,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -11174,7 +11174,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -11224,7 +11224,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -11274,7 +11274,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -11324,7 +11324,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -11374,7 +11374,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -11424,7 +11424,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -11474,7 +11474,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -11524,7 +11524,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -11574,7 +11574,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -11624,7 +11624,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -11674,7 +11674,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -11724,7 +11724,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -11774,7 +11774,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -11824,7 +11824,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -11874,7 +11874,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -11924,7 +11924,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -11974,7 +11974,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -12024,7 +12024,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -12074,7 +12074,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -12124,7 +12124,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -12174,7 +12174,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -12224,7 +12224,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -12274,7 +12274,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -12324,7 +12324,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -12374,7 +12374,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -12424,7 +12424,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -12474,7 +12474,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -12524,7 +12524,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -12574,7 +12574,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -12624,7 +12624,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -12674,7 +12674,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -12724,7 +12724,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -12774,7 +12774,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -12824,7 +12824,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -12874,7 +12874,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -12924,7 +12924,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -12974,7 +12974,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -13024,7 +13024,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -13074,7 +13074,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -13124,7 +13124,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -13174,7 +13174,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -13224,7 +13224,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -13274,7 +13274,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -13324,7 +13324,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -13374,7 +13374,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -13424,7 +13424,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -13474,7 +13474,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -13524,7 +13524,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -13574,7 +13574,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -13624,7 +13624,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -13674,7 +13674,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -13724,7 +13724,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -13774,7 +13774,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -13824,7 +13824,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -13874,7 +13874,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -13924,7 +13924,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -13974,7 +13974,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -14024,7 +14024,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -14074,7 +14074,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -14124,7 +14124,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -14174,7 +14174,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -14224,7 +14224,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -14274,7 +14274,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -14324,7 +14324,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -14374,7 +14374,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -14424,7 +14424,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -14474,7 +14474,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -14524,7 +14524,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -14574,7 +14574,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -14624,7 +14624,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -14674,7 +14674,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -14724,7 +14724,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -14774,7 +14774,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -14824,7 +14824,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -14874,7 +14874,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -14924,7 +14924,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -14974,7 +14974,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -15024,7 +15024,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -15074,7 +15074,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -15124,7 +15124,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -15174,7 +15174,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -15224,7 +15224,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -15274,7 +15274,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -15324,7 +15324,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -15374,7 +15374,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -15424,7 +15424,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -15474,7 +15474,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -15524,7 +15524,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -15574,7 +15574,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -15624,7 +15624,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -15674,7 +15674,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -15724,7 +15724,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -15774,7 +15774,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -15824,7 +15824,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -15874,7 +15874,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -15924,7 +15924,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -15974,7 +15974,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -16024,7 +16024,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -16074,7 +16074,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -16124,7 +16124,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -16174,7 +16174,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -16224,7 +16224,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -16274,7 +16274,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -16324,7 +16324,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -16374,7 +16374,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -16424,7 +16424,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -16474,7 +16474,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -16524,7 +16524,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -16574,7 +16574,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -16624,7 +16624,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -16674,7 +16674,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -16724,7 +16724,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -16774,7 +16774,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -16824,7 +16824,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -16874,7 +16874,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -16924,7 +16924,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -16974,7 +16974,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -17024,7 +17024,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -17074,7 +17074,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -17124,7 +17124,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -17174,7 +17174,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -17224,7 +17224,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -17274,7 +17274,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -17324,7 +17324,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -17374,7 +17374,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -17424,7 +17424,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -17474,7 +17474,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -17524,7 +17524,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -17574,7 +17574,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -17624,7 +17624,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -17674,7 +17674,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -17724,7 +17724,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -17774,7 +17774,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -17824,7 +17824,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -17874,7 +17874,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -17924,7 +17924,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -17974,7 +17974,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Running","startTime":"2022-01-19T03:28:30.1744848Z"}' @@ -18024,7 +18024,7 @@ interactions: User-Agent: - AZURECLI/2.32.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.10 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/default/operationId/a0429aa1-0799-4855-a144-a245ad21685f","name":"a0429aa1-0799-4855-a144-a245ad21685f","status":"Succeeded","startTime":"2022-01-19T03:28:30.1744848Z"}' diff --git a/src/spring/azext_spring/tests/latest/recordings/test_live_view.yaml b/src/spring/azext_spring/tests/latest/recordings/test_live_view.yaml index c73eb36eb45..fd9f5b8e5d5 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_live_view.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_live_view.yaml @@ -214,7 +214,7 @@ interactions: User-Agent: - AZURECLI/2.41.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/test-cli/providers/Microsoft.AppPlatform/Spring/test-cli?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/test-cli/providers/Microsoft.AppPlatform/Spring/test-cli?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1beb2a690b2647bb818d170dae53e840","networkProfile":{"outboundIPs":{"publicIPs":["20.69.73.184","20.69.75.52"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"test-cli.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"westus2","tags":{"asc-test":"prod","api-target":"arm","service-create-time":"2022-11-17 @@ -655,7 +655,7 @@ interactions: User-Agent: - AZURECLI/2.41.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/test-cli/providers/Microsoft.AppPlatform/Spring/test-cli?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/test-cli/providers/Microsoft.AppPlatform/Spring/test-cli?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1beb2a690b2647bb818d170dae53e840","networkProfile":{"outboundIPs":{"publicIPs":["20.69.73.184","20.69.75.52"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"test-cli.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"westus2","tags":{"asc-test":"prod","api-target":"arm","service-create-time":"2022-11-17 @@ -754,7 +754,7 @@ interactions: User-Agent: - AZURECLI/2.41.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/test-cli/providers/Microsoft.AppPlatform/Spring/test-cli?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/test-cli/providers/Microsoft.AppPlatform/Spring/test-cli?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1beb2a690b2647bb818d170dae53e840","networkProfile":{"outboundIPs":{"publicIPs":["20.69.73.184","20.69.75.52"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"test-cli.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"westus2","tags":{"asc-test":"prod","api-target":"arm","service-create-time":"2022-11-17 @@ -1342,7 +1342,7 @@ interactions: User-Agent: - AZURECLI/2.41.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/test-cli/providers/Microsoft.AppPlatform/Spring/test-cli?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/test-cli/providers/Microsoft.AppPlatform/Spring/test-cli?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"1beb2a690b2647bb818d170dae53e840","networkProfile":{"outboundIPs":{"publicIPs":["20.69.73.184","20.69.75.52"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"test-cli.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"westus2","tags":{"asc-test":"prod","api-target":"arm","service-create-time":"2022-11-17 diff --git a/src/spring/azext_spring/tests/latest/recordings/test_load_public_cert_to_app.yaml b/src/spring/azext_spring/tests/latest/recordings/test_load_public_cert_to_app.yaml index e382bc1a327..7329b476579 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_load_public_cert_to_app.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_load_public_cert_to_app.yaml @@ -19,7 +19,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/digi-cert?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/digi-cert?api-version=2022-01-01-preview response: body: string: '{"properties":{"type":"ContentCertificate","thumbprint":"a8985d3a65e5e5c4b2d7d66d40c6dd2fb19c5436","issuer":"DigiCert @@ -77,7 +77,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/balti-cert?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/balti-cert?api-version=2022-01-01-preview response: body: string: '{"properties":{"type":"ContentCertificate","thumbprint":"d4de20d05e66fc53fe1a50882c78db2852cae474","issuer":"Baltimore @@ -131,7 +131,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/digi-cert?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/digi-cert?api-version=2022-01-01-preview response: body: string: '{"properties":{"type":"ContentCertificate","thumbprint":"a8985d3a65e5e5c4b2d7d66d40c6dd2fb19c5436","issuer":"DigiCert @@ -183,7 +183,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/balti-cert?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/balti-cert?api-version=2022-01-01-preview response: body: string: '{"properties":{"type":"ContentCertificate","thumbprint":"d4de20d05e66fc53fe1a50882c78db2852cae474","issuer":"Baltimore @@ -235,7 +235,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates?api-version=2022-01-01-preview response: body: string: '{"value":[{"properties":{"type":"ContentCertificate","thumbprint":"a8985d3a65e5e5c4b2d7d66d40c6dd2fb19c5436","issuer":"DigiCert @@ -289,7 +289,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert?api-version=2022-09-01-preview response: body: string: '{"error":{"code":"NotFound","message":"App was not found","target":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert","details":null}}' @@ -337,7 +337,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-09-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"0c7bf6b91ae840c78655bb6f57ea0391","networkProfile":{"outboundIPs":{"publicIPs":["20.24.160.30","20.24.160.222"]}},"powerState":"Running","fqdn":"cli-unittest.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"southeastasia","tags":{"asc-test":"prod","api-target":"arm","service-create-time":"2022-03-20 @@ -390,7 +390,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/balti-cert?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/balti-cert?api-version=2022-09-01-preview response: body: string: '{"properties":{"type":"ContentCertificate","thumbprint":"d4de20d05e66fc53fe1a50882c78db2852cae474","issuer":"Baltimore @@ -449,13 +449,13 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Creating","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"loadedCertificates":[{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/balti-cert","loadTrustStore":true}],"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert","name":"test-app-cert","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T07:59:12.8576427Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-20T07:59:12.8576427Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-app-cert/operationId/1467b6c0-4175-4c72-bfdc-cf84201cabff?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-app-cert/operationId/1467b6c0-4175-4c72-bfdc-cf84201cabff?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -467,7 +467,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/1467b6c0-4175-4c72-bfdc-cf84201cabff/Spring/test-app-cert?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/1467b6c0-4175-4c72-bfdc-cf84201cabff/Spring/test-app-cert?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -501,7 +501,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-app-cert/operationId/1467b6c0-4175-4c72-bfdc-cf84201cabff?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-app-cert/operationId/1467b6c0-4175-4c72-bfdc-cf84201cabff?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-app-cert/operationId/1467b6c0-4175-4c72-bfdc-cf84201cabff","name":"1467b6c0-4175-4c72-bfdc-cf84201cabff","status":"Succeeded","startTime":"2022-03-20T07:59:13.2344085Z","endTime":"2022-03-20T07:59:19.3638519Z"}' @@ -551,7 +551,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"loadedCertificates":[{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/balti-cert","loadTrustStore":true}],"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert","name":"test-app-cert","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T07:59:12.8576427Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-20T07:59:12.8576427Z"}}' @@ -610,13 +610,13 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert/deployments/mock-deployment?api-version=2022-09-01-preview response: body: string: '{"properties":{"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"},"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null},"provisioningState":"Creating","status":"Running","active":true,"instances":null},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert/deployments/default","name":"default","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T07:59:48.5765983Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-20T07:59:48.5765983Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/default/operationId/d174bbc2-aab8-48ab-9f95-1e43c43395a3?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/default/operationId/d174bbc2-aab8-48ab-9f95-1e43c43395a3?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -628,7 +628,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/d174bbc2-aab8-48ab-9f95-1e43c43395a3/Spring/default?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/d174bbc2-aab8-48ab-9f95-1e43c43395a3/Spring/default?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -667,13 +667,13 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"loadedCertificates":[{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/balti-cert","loadTrustStore":true}],"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert","name":"test-app-cert","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T07:59:12.8576427Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-20T07:59:49.6703751Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-app-cert/operationId/c05411e6-6ed9-4533-a437-e37475f6c019?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-app-cert/operationId/c05411e6-6ed9-4533-a437-e37475f6c019?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -685,7 +685,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/c05411e6-6ed9-4533-a437-e37475f6c019/Spring/test-app-cert?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/c05411e6-6ed9-4533-a437-e37475f6c019/Spring/test-app-cert?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -719,7 +719,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/default/operationId/d174bbc2-aab8-48ab-9f95-1e43c43395a3?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/default/operationId/d174bbc2-aab8-48ab-9f95-1e43c43395a3?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/default/operationId/d174bbc2-aab8-48ab-9f95-1e43c43395a3","name":"d174bbc2-aab8-48ab-9f95-1e43c43395a3","status":"Succeeded","startTime":"2022-03-20T07:59:49.3471251Z","endTime":"2022-03-20T08:00:19.3492879Z"}' @@ -769,7 +769,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert/deployments/mock-deployment?api-version=2022-09-01-preview response: body: string: '{"properties":{"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"},"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-cert-default-15-cc789b5f9-p78lf","status":"Running","discoveryStatus":"UP","startTime":"2022-03-20T07:59:52Z"}]},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert/deployments/default","name":"default","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T07:59:48.5765983Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-20T07:59:48.5765983Z"}}' @@ -821,7 +821,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-app-cert/operationId/c05411e6-6ed9-4533-a437-e37475f6c019?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-app-cert/operationId/c05411e6-6ed9-4533-a437-e37475f6c019?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-app-cert/operationId/c05411e6-6ed9-4533-a437-e37475f6c019","name":"c05411e6-6ed9-4533-a437-e37475f6c019","status":"Succeeded","startTime":"2022-03-20T07:59:49.8614287Z","endTime":"2022-03-20T07:59:56.1202247Z"}' @@ -871,7 +871,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"loadedCertificates":[{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/balti-cert","loadTrustStore":true}],"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert","name":"test-app-cert","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T07:59:12.8576427Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-20T07:59:49.6703751Z"}}' @@ -923,7 +923,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"loadedCertificates":[{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/balti-cert","loadTrustStore":true}],"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert","name":"test-app-cert","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T07:59:12.8576427Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-20T07:59:49.6703751Z"}}' @@ -975,7 +975,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert/deployments?api-version=2022-09-01-preview response: body: string: '{"value":[{"properties":{"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"},"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-cert-default-15-cc789b5f9-p78lf","status":"Running","discoveryStatus":"UP","startTime":"2022-03-20T07:59:52Z"}]},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert/deployments/default","name":"default","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T07:59:48.5765983Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-20T07:59:48.5765983Z"}}]}' @@ -1027,7 +1027,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"loadedCertificates":[{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/balti-cert","loadTrustStore":true}],"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert","name":"test-app-cert","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T07:59:12.8576427Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-20T07:59:49.6703751Z"}}' @@ -1079,7 +1079,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/digi-cert?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/digi-cert?api-version=2022-09-01-preview response: body: string: '{"properties":{"type":"ContentCertificate","thumbprint":"a8985d3a65e5e5c4b2d7d66d40c6dd2fb19c5436","issuer":"DigiCert @@ -1141,13 +1141,13 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"loadedCertificates":[{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/balti-cert","loadTrustStore":true},{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/digi-cert","loadTrustStore":true}],"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert","name":"test-app-cert","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T07:59:12.8576427Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-20T08:00:28.0241629Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-app-cert/operationId/5d2fbf1c-a97f-4b3e-baee-add93d17bac8?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-app-cert/operationId/5d2fbf1c-a97f-4b3e-baee-add93d17bac8?api-version=2022-01-01-preview cache-control: - no-cache content-length: @@ -1159,7 +1159,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/5d2fbf1c-a97f-4b3e-baee-add93d17bac8/Spring/test-app-cert?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationResults/5d2fbf1c-a97f-4b3e-baee-add93d17bac8/Spring/test-app-cert?api-version=2022-01-01-preview pragma: - no-cache request-context: @@ -1193,7 +1193,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-app-cert/operationId/5d2fbf1c-a97f-4b3e-baee-add93d17bac8?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-app-cert/operationId/5d2fbf1c-a97f-4b3e-baee-add93d17bac8?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/6c933f90-8115-4392-90f2-7077c9fa5dbd/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/southeastasia/operationStatus/test-app-cert/operationId/5d2fbf1c-a97f-4b3e-baee-add93d17bac8","name":"5d2fbf1c-a97f-4b3e-baee-add93d17bac8","status":"Succeeded","startTime":"2022-03-20T08:00:28.3603234Z","endTime":"2022-03-20T08:00:34.9311103Z"}' @@ -1243,7 +1243,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"loadedCertificates":[{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/balti-cert","loadTrustStore":true},{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/digi-cert","loadTrustStore":true}],"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert","name":"test-app-cert","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T07:59:12.8576427Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-20T08:00:28.0241629Z"}}' @@ -1295,7 +1295,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"loadedCertificates":[{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/balti-cert","loadTrustStore":true},{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/digi-cert","loadTrustStore":true}],"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert","name":"test-app-cert","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T07:59:12.8576427Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-20T08:00:28.0241629Z"}}' @@ -1347,7 +1347,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps?api-version=2022-01-01-preview response: body: string: '{"value":[{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy","name":"deploy","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T06:26:14.6362979Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-20T06:30:37.7345786Z"}},{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/diagnostic-settings-app","name":"diagnostic-settings-app","systemData":{"createdBy":"3462cf92-dc17-43c5-8c7e-e50c11a1c181","createdByType":"Application","createdAt":"2022-03-19T18:05:51.0507057Z","lastModifiedBy":"3462cf92-dc17-43c5-8c7e-e50c11a1c181","lastModifiedByType":"Application","lastModifiedAt":"2022-03-19T18:07:49.4153942Z"}},{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":true,"url":"https://cli-unittest-gateway-shared.azuremicroservices.io","provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/gateway-shared","name":"gateway-shared","systemData":{"createdBy":"3462cf92-dc17-43c5-8c7e-e50c11a1c181","createdByType":"Application","createdAt":"2022-03-19T18:05:41.0026342Z","lastModifiedBy":"3462cf92-dc17-43c5-8c7e-e50c11a1c181","lastModifiedByType":"Application","lastModifiedAt":"2022-03-19T18:08:19.2450107Z"}},{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":true,"url":"https://cli-unittest-mi-app-b.azuremicroservices.io","provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned","principalId":"3731fd1d-ad37-4dc5-9d13-d9846d5d2824","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/mi-app-b","name":"mi-app-b","systemData":{"createdBy":"3462cf92-dc17-43c5-8c7e-e50c11a1c181","createdByType":"Application","createdAt":"2022-03-19T19:59:03.9959862Z","lastModifiedBy":"3462cf92-dc17-43c5-8c7e-e50c11a1c181","lastModifiedByType":"Application","lastModifiedAt":"2022-03-19T20:04:46.9925208Z"}},{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"loadedCertificates":[{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/balti-cert","loadTrustStore":true},{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/digi-cert","loadTrustStore":true}],"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert","name":"test-app-cert","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T07:59:12.8576427Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-20T08:00:28.0241629Z"}},{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container-2","name":"test-container-2","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T07:51:05.5316002Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-20T07:51:42.297469Z"}}]}' @@ -1399,7 +1399,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/digi-cert?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/digi-cert?api-version=2022-01-01-preview response: body: string: '{"properties":{"type":"ContentCertificate","thumbprint":"a8985d3a65e5e5c4b2d7d66d40c6dd2fb19c5436","issuer":"DigiCert @@ -1451,7 +1451,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps?api-version=2022-01-01-preview response: body: string: '{"value":[{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/deploy","name":"deploy","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T06:26:14.6362979Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-20T06:30:37.7345786Z"}},{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/diagnostic-settings-app","name":"diagnostic-settings-app","systemData":{"createdBy":"3462cf92-dc17-43c5-8c7e-e50c11a1c181","createdByType":"Application","createdAt":"2022-03-19T18:05:51.0507057Z","lastModifiedBy":"3462cf92-dc17-43c5-8c7e-e50c11a1c181","lastModifiedByType":"Application","lastModifiedAt":"2022-03-19T18:07:49.4153942Z"}},{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":true,"url":"https://cli-unittest-gateway-shared.azuremicroservices.io","provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/gateway-shared","name":"gateway-shared","systemData":{"createdBy":"3462cf92-dc17-43c5-8c7e-e50c11a1c181","createdByType":"Application","createdAt":"2022-03-19T18:05:41.0026342Z","lastModifiedBy":"3462cf92-dc17-43c5-8c7e-e50c11a1c181","lastModifiedByType":"Application","lastModifiedAt":"2022-03-19T18:08:19.2450107Z"}},{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":true,"url":"https://cli-unittest-mi-app-b.azuremicroservices.io","provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":{"type":"SystemAssigned","principalId":"3731fd1d-ad37-4dc5-9d13-d9846d5d2824","tenantId":"72f988bf-86f1-41af-91ab-2d7cd011db47"},"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/mi-app-b","name":"mi-app-b","systemData":{"createdBy":"3462cf92-dc17-43c5-8c7e-e50c11a1c181","createdByType":"Application","createdAt":"2022-03-19T19:59:03.9959862Z","lastModifiedBy":"3462cf92-dc17-43c5-8c7e-e50c11a1c181","lastModifiedByType":"Application","lastModifiedAt":"2022-03-19T20:04:46.9925208Z"}},{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"loadedCertificates":[{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/balti-cert","loadTrustStore":true},{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/digi-cert","loadTrustStore":true}],"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app-cert","name":"test-app-cert","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T07:59:12.8576427Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-20T08:00:28.0241629Z"}},{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"southeastasia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-container-2","name":"test-container-2","systemData":{"createdBy":"jiec@microsoft.com","createdByType":"User","createdAt":"2022-03-20T07:51:05.5316002Z","lastModifiedBy":"jiec@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-03-20T07:51:42.297469Z"}}]}' @@ -1503,7 +1503,7 @@ interactions: User-Agent: - AZURECLI/2.34.1 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.5 (Windows-10-10.0.22000-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/digi-cert?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/certificates/digi-cert?api-version=2022-01-01-preview response: body: string: '{"properties":{"type":"ContentCertificate","thumbprint":"a8985d3a65e5e5c4b2d7d66d40c6dd2fb19c5436","issuer":"DigiCert diff --git a/src/spring/azext_spring/tests/latest/recordings/test_persistent_storage.yaml b/src/spring/azext_spring/tests/latest/recordings/test_persistent_storage.yaml index 05749aab4a0..5c38ee740c9 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_persistent_storage.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_persistent_storage.yaml @@ -926,13 +926,13 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.3.1"},"provisioningState":"Updating","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=4fd6bb8d-e6c4-44aa-988d-90826cacf718;IngestionEndpoint=https://centralus-0.in.applicationinsights.azure.com/;LiveEndpoint=https://centralus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/monitoringSettings/default","name":"default"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/cli-unittest/operationId/a85c311a-dd33-44d9-bb01-2c0db0539756?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/cli-unittest/operationId/a85c311a-dd33-44d9-bb01-2c0db0539756?api-version=2020-11-01-preview cache-control: - no-cache content-length: @@ -944,7 +944,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationResults/a85c311a-dd33-44d9-bb01-2c0db0539756/Spring/cli-unittest?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationResults/a85c311a-dd33-44d9-bb01-2c0db0539756/Spring/cli-unittest?api-version=2020-11-01-preview pragma: - no-cache request-context: @@ -981,13 +981,13 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/storages/test-storage-name?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/storages/test-storage-name?api-version=2022-01-01-preview response: body: string: '{"type":"Microsoft.AppPlatform/Spring/storages","properties":{"accountName":"clitest000002","storageType":"StorageAccount"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/storages/test-storage-name","name":"test-storage-name"}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-storage-name/operationId/70f0810c-27c3-4005-9b5d-05a953541da9?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-storage-name/operationId/70f0810c-27c3-4005-9b5d-05a953541da9?api-version=2022-01-01-preview cache-control: - no-cache content-length: @@ -999,7 +999,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationResults/70f0810c-27c3-4005-9b5d-05a953541da9/Spring/test-storage-name?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationResults/70f0810c-27c3-4005-9b5d-05a953541da9/Spring/test-storage-name?api-version=2022-01-01-preview pragma: - no-cache request-context: @@ -1031,7 +1031,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/cli-unittest/operationId/a85c311a-dd33-44d9-bb01-2c0db0539756?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/cli-unittest/operationId/a85c311a-dd33-44d9-bb01-2c0db0539756?api-version=2020-11-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/cli-unittest/operationId/a85c311a-dd33-44d9-bb01-2c0db0539756","name":"a85c311a-dd33-44d9-bb01-2c0db0539756","status":"Succeeded","startTime":"2022-11-25T06:19:59.4886001Z","endTime":"2022-11-25T06:20:06.626776Z"}' @@ -1079,7 +1079,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/monitoringSettings/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/monitoringSettings/default?api-version=2020-11-01-preview response: body: string: '{"properties":{"appInsightsSamplingRate":10.0,"appInsightsAgentVersions":{"java":"3.3.1"},"provisioningState":"Succeeded","traceEnabled":true,"appInsightsInstrumentationKey":"InstrumentationKey=4fd6bb8d-e6c4-44aa-988d-90826cacf718;IngestionEndpoint=https://centralus-0.in.applicationinsights.azure.com/;LiveEndpoint=https://centralus.livediagnostics.monitor.azure.com/"},"type":"Microsoft.AppPlatform/Spring/monitoringSettings","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/monitoringSettings/default","name":"default"}' @@ -1127,7 +1127,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-storage-name/operationId/70f0810c-27c3-4005-9b5d-05a953541da9?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-storage-name/operationId/70f0810c-27c3-4005-9b5d-05a953541da9?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-storage-name/operationId/70f0810c-27c3-4005-9b5d-05a953541da9","name":"70f0810c-27c3-4005-9b5d-05a953541da9","status":"Succeeded","startTime":"2022-11-25T06:20:02.2067271Z","endTime":"2022-11-25T06:20:08.9671555Z"}' @@ -1175,7 +1175,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/storages/test-storage-name?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/storages/test-storage-name?api-version=2022-01-01-preview response: body: string: '{"type":"Microsoft.AppPlatform/Spring/storages","properties":{"accountName":"clitest000002","storageType":"StorageAccount"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/storages/test-storage-name","name":"test-storage-name"}' @@ -1223,7 +1223,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/storages/test-storage-name?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/storages/test-storage-name?api-version=2022-01-01-preview response: body: string: '{"type":"Microsoft.AppPlatform/Spring/storages","properties":{"accountName":"clitest000002","storageType":"StorageAccount"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/storages/test-storage-name","name":"test-storage-name"}' @@ -1271,7 +1271,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/storages?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/storages?api-version=2022-01-01-preview response: body: string: '{"value":[{"type":"Microsoft.AppPlatform/Spring/storages","properties":{"accountName":"clitest000002","storageType":"StorageAccount"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/storages/test-storage-name","name":"test-storage-name"}]}' @@ -1319,7 +1319,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/storages/test-storage-name?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/storages/test-storage-name?api-version=2022-01-01-preview response: body: string: '{"type":"Microsoft.AppPlatform/Spring/storages","properties":{"accountName":"clitest000002","storageType":"StorageAccount"},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/storages/test-storage-name","name":"test-storage-name"}' @@ -1369,13 +1369,13 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/storages/test-storage-name?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/storages/test-storage-name?api-version=2022-01-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-storage-name/operationId/8a60a40b-92c1-4f68-950f-c11f17746c44?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-storage-name/operationId/8a60a40b-92c1-4f68-950f-c11f17746c44?api-version=2022-01-01-preview cache-control: - no-cache content-length: @@ -1385,7 +1385,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationResults/8a60a40b-92c1-4f68-950f-c11f17746c44/Spring/test-storage-name?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationResults/8a60a40b-92c1-4f68-950f-c11f17746c44/Spring/test-storage-name?api-version=2022-01-01-preview pragma: - no-cache request-context: @@ -1417,7 +1417,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-storage-name/operationId/8a60a40b-92c1-4f68-950f-c11f17746c44?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-storage-name/operationId/8a60a40b-92c1-4f68-950f-c11f17746c44?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-storage-name/operationId/8a60a40b-92c1-4f68-950f-c11f17746c44","name":"8a60a40b-92c1-4f68-950f-c11f17746c44","status":"Succeeded","startTime":"2022-11-25T06:20:39.990859Z","endTime":"2022-11-25T06:20:46.9660652Z"}' @@ -1465,7 +1465,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/storages/test-storage-name?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest/storages/test-storage-name?api-version=2022-01-01-preview response: body: string: '{"error":{"code":"EntityNotFound","message":"Storage ''test-storage-name'' @@ -1512,13 +1512,13 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-05-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/cli-unittest/operationId/8b2d95bb-e694-4e6e-86db-e8c8b443ba4e?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/cli-unittest/operationId/8b2d95bb-e694-4e6e-86db-e8c8b443ba4e?api-version=2022-05-01-preview cache-control: - no-cache content-length: @@ -1528,7 +1528,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationResults/8b2d95bb-e694-4e6e-86db-e8c8b443ba4e/Spring/cli-unittest?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationResults/8b2d95bb-e694-4e6e-86db-e8c8b443ba4e/Spring/cli-unittest?api-version=2022-05-01-preview pragma: - no-cache request-context: @@ -1560,7 +1560,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.8.3 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/cli-unittest/operationId/8b2d95bb-e694-4e6e-86db-e8c8b443ba4e?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/cli-unittest/operationId/8b2d95bb-e694-4e6e-86db-e8c8b443ba4e?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/d51e3ffe-6b84-49cd-b426-0dc4ec660356/resourceGroups/clitest.rg000001/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/cli-unittest/operationId/8b2d95bb-e694-4e6e-86db-e8c8b443ba4e","name":"8b2d95bb-e694-4e6e-86db-e8c8b443ba4e","status":"Succeeded","startTime":"2022-11-25T06:21:14.6464076Z","endTime":"2022-11-25T06:21:36.1281415Z"}' diff --git a/src/spring/azext_spring/tests/latest/recordings/test_predefined_accelerator.yaml b/src/spring/azext_spring/tests/latest/recordings/test_predefined_accelerator.yaml index 7d7ac29d924..b04a6ed5594 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_predefined_accelerator.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_predefined_accelerator.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.4 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"eb79f22957e743f59cea2f1539024d9b","networkProfile":{"outboundIPs":{"publicIPs":["20.121.252.78","20.121.252.139"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"acc-test.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test","name":"acc-test","systemData":{"createdBy":"guitarsheng@microsoft.com","createdByType":"User","createdAt":"2022-11-04T15:57:20.9072729Z","lastModifiedBy":"guitarsheng@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-04T15:57:20.9072729Z"}}' @@ -118,7 +118,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.4 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"eb79f22957e743f59cea2f1539024d9b","networkProfile":{"outboundIPs":{"publicIPs":["20.121.252.78","20.121.252.139"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"acc-test.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test","name":"acc-test","systemData":{"createdBy":"guitarsheng@microsoft.com","createdByType":"User","createdAt":"2022-11-04T15:57:20.9072729Z","lastModifiedBy":"guitarsheng@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-04T15:57:20.9072729Z"}}' @@ -217,7 +217,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.4 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"eb79f22957e743f59cea2f1539024d9b","networkProfile":{"outboundIPs":{"publicIPs":["20.121.252.78","20.121.252.139"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"acc-test.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test","name":"acc-test","systemData":{"createdBy":"guitarsheng@microsoft.com","createdByType":"User","createdAt":"2022-11-04T15:57:20.9072729Z","lastModifiedBy":"guitarsheng@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-04T15:57:20.9072729Z"}}' @@ -410,7 +410,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.4 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"eb79f22957e743f59cea2f1539024d9b","networkProfile":{"outboundIPs":{"publicIPs":["20.121.252.78","20.121.252.139"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"acc-test.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test","name":"acc-test","systemData":{"createdBy":"guitarsheng@microsoft.com","createdByType":"User","createdAt":"2022-11-04T15:57:20.9072729Z","lastModifiedBy":"guitarsheng@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-04T15:57:20.9072729Z"}}' @@ -509,7 +509,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.4 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"eb79f22957e743f59cea2f1539024d9b","networkProfile":{"outboundIPs":{"publicIPs":["20.121.252.78","20.121.252.139"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"acc-test.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test","name":"acc-test","systemData":{"createdBy":"guitarsheng@microsoft.com","createdByType":"User","createdAt":"2022-11-04T15:57:20.9072729Z","lastModifiedBy":"guitarsheng@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-04T15:57:20.9072729Z"}}' @@ -702,7 +702,7 @@ interactions: User-Agent: - AZURECLI/2.42.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.4 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"eb79f22957e743f59cea2f1539024d9b","networkProfile":{"outboundIPs":{"publicIPs":["20.121.252.78","20.121.252.139"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"acc-test.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/acc/providers/Microsoft.AppPlatform/Spring/acc-test","name":"acc-test","systemData":{"createdBy":"guitarsheng@microsoft.com","createdByType":"User","createdAt":"2022-11-04T15:57:20.9072729Z","lastModifiedBy":"guitarsheng@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-11-04T15:57:20.9072729Z"}}' diff --git a/src/spring/azext_spring/tests/latest/recordings/test_remote_debugging.yaml b/src/spring/azext_spring/tests/latest/recordings/test_remote_debugging.yaml index ad15f9eb462..2468b8feb35 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_remote_debugging.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_remote_debugging.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging?api-version=2022-09-01-preview response: body: string: '{"error":{"code":"NotFound","message":"App was not found","target":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging","details":null}}' @@ -61,7 +61,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-09-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"f7d4a4626c344bbd95266264a8882c19","networkProfile":{"outboundIPs":{"publicIPs":["20.244.73.9","20.244.73.29"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"centralindia","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest","systemData":{"createdBy":"pensh@microsoft.com","createdByType":"User","createdAt":"2022-10-15T03:25:28.7260805Z","lastModifiedBy":"pensh@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-10-15T03:39:48.8667057Z"}}' @@ -116,13 +116,13 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Creating","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging","name":"test-remote-debugging","systemData":{"createdBy":"pensh@microsoft.com","createdByType":"User","createdAt":"2022-10-15T03:43:30.4560313Z","lastModifiedBy":"pensh@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-10-15T03:43:30.4560313Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-remote-debugging/operationId/7343cdc5-7efd-4b5d-92d6-b1a7d7c0a547?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-remote-debugging/operationId/7343cdc5-7efd-4b5d-92d6-b1a7d7c0a547?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -134,7 +134,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/7343cdc5-7efd-4b5d-92d6-b1a7d7c0a547/Spring/test-remote-debugging?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/7343cdc5-7efd-4b5d-92d6-b1a7d7c0a547/Spring/test-remote-debugging?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -166,7 +166,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-remote-debugging/operationId/7343cdc5-7efd-4b5d-92d6-b1a7d7c0a547?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-remote-debugging/operationId/7343cdc5-7efd-4b5d-92d6-b1a7d7c0a547?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-remote-debugging/operationId/7343cdc5-7efd-4b5d-92d6-b1a7d7c0a547","name":"7343cdc5-7efd-4b5d-92d6-b1a7d7c0a547","status":"Running","startTime":"2022-10-15T03:43:30.9301919Z"}' @@ -214,7 +214,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-remote-debugging/operationId/7343cdc5-7efd-4b5d-92d6-b1a7d7c0a547?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-remote-debugging/operationId/7343cdc5-7efd-4b5d-92d6-b1a7d7c0a547?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-remote-debugging/operationId/7343cdc5-7efd-4b5d-92d6-b1a7d7c0a547","name":"7343cdc5-7efd-4b5d-92d6-b1a7d7c0a547","status":"Succeeded","startTime":"2022-10-15T03:43:30.9301919Z","endTime":"2022-10-15T03:43:38.783783Z"}' @@ -262,7 +262,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging","name":"test-remote-debugging","systemData":{"createdBy":"pensh@microsoft.com","createdByType":"User","createdAt":"2022-10-15T03:43:30.4560313Z","lastModifiedBy":"pensh@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-10-15T03:43:30.4560313Z"}}' @@ -319,13 +319,13 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/mock-deployment?api-version=2022-09-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90},"provisioningState":"Creating","status":"Running","active":true,"instances":null,"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/default","name":"default","systemData":{"createdBy":"pensh@microsoft.com","createdByType":"User","createdAt":"2022-10-15T03:43:46.3936757Z","lastModifiedBy":"pensh@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-10-15T03:43:46.3936757Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -337,7 +337,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/0ce06d04-bce5-43a6-911a-472209f91483/Spring/default?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/0ce06d04-bce5-43a6-911a-472209f91483/Spring/default?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -374,13 +374,13 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging","name":"test-remote-debugging","systemData":{"createdBy":"pensh@microsoft.com","createdByType":"User","createdAt":"2022-10-15T03:43:30.4560313Z","lastModifiedBy":"pensh@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-10-15T03:43:47.5343128Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-remote-debugging/operationId/90f2fec1-d813-4768-a3b9-a0972d3b47e8?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-remote-debugging/operationId/90f2fec1-d813-4768-a3b9-a0972d3b47e8?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -392,7 +392,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/90f2fec1-d813-4768-a3b9-a0972d3b47e8/Spring/test-remote-debugging?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationResults/90f2fec1-d813-4768-a3b9-a0972d3b47e8/Spring/test-remote-debugging?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -424,7 +424,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-remote-debugging/operationId/90f2fec1-d813-4768-a3b9-a0972d3b47e8?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-remote-debugging/operationId/90f2fec1-d813-4768-a3b9-a0972d3b47e8?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-remote-debugging/operationId/90f2fec1-d813-4768-a3b9-a0972d3b47e8","name":"90f2fec1-d813-4768-a3b9-a0972d3b47e8","status":"Running","startTime":"2022-10-15T03:43:47.9214433Z"}' @@ -472,7 +472,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483","name":"0ce06d04-bce5-43a6-911a-472209f91483","status":"Running","startTime":"2022-10-15T03:43:47.1905897Z"}' @@ -520,7 +520,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-remote-debugging/operationId/90f2fec1-d813-4768-a3b9-a0972d3b47e8?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-remote-debugging/operationId/90f2fec1-d813-4768-a3b9-a0972d3b47e8?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/test-remote-debugging/operationId/90f2fec1-d813-4768-a3b9-a0972d3b47e8","name":"90f2fec1-d813-4768-a3b9-a0972d3b47e8","status":"Succeeded","startTime":"2022-10-15T03:43:47.9214433Z","endTime":"2022-10-15T03:43:54.9306385Z"}' @@ -568,7 +568,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging","name":"test-remote-debugging","systemData":{"createdBy":"pensh@microsoft.com","createdByType":"User","createdAt":"2022-10-15T03:43:30.4560313Z","lastModifiedBy":"pensh@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-10-15T03:43:47.5343128Z"}}' @@ -618,7 +618,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483","name":"0ce06d04-bce5-43a6-911a-472209f91483","status":"Running","startTime":"2022-10-15T03:43:47.1905897Z"}' @@ -666,7 +666,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483","name":"0ce06d04-bce5-43a6-911a-472209f91483","status":"Running","startTime":"2022-10-15T03:43:47.1905897Z"}' @@ -714,7 +714,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483","name":"0ce06d04-bce5-43a6-911a-472209f91483","status":"Running","startTime":"2022-10-15T03:43:47.1905897Z"}' @@ -762,7 +762,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483","name":"0ce06d04-bce5-43a6-911a-472209f91483","status":"Running","startTime":"2022-10-15T03:43:47.1905897Z"}' @@ -810,7 +810,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483","name":"0ce06d04-bce5-43a6-911a-472209f91483","status":"Running","startTime":"2022-10-15T03:43:47.1905897Z"}' @@ -858,7 +858,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralindia/operationStatus/default/operationId/0ce06d04-bce5-43a6-911a-472209f91483","name":"0ce06d04-bce5-43a6-911a-472209f91483","status":"Succeeded","startTime":"2022-10-15T03:43:47.1905897Z","endTime":"2022-10-15T03:44:50.9697693Z"}' @@ -906,7 +906,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/mock-deployment?api-version=2022-09-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-remote-debugging-default-21-68546d98fb-62gxg","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-10-15T03:43:54Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/default","name":"default","systemData":{"createdBy":"pensh@microsoft.com","createdByType":"User","createdAt":"2022-10-15T03:43:46.3936757Z","lastModifiedBy":"pensh@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-10-15T03:43:46.3936757Z"}}' @@ -956,7 +956,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralindia","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging","name":"test-remote-debugging","systemData":{"createdBy":"pensh@microsoft.com","createdByType":"User","createdAt":"2022-10-15T03:43:30.4560313Z","lastModifiedBy":"pensh@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-10-15T03:43:47.5343128Z"}}' @@ -1006,7 +1006,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments?api-version=2022-09-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-remote-debugging-default-21-68546d98fb-62gxg","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-10-15T03:43:54Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/default","name":"default","systemData":{"createdBy":"pensh@microsoft.com","createdByType":"User","createdAt":"2022-10-15T03:43:46.3936757Z","lastModifiedBy":"pensh@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-10-15T03:43:46.3936757Z"}}]}' @@ -1056,7 +1056,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/mock-deployment?api-version=2022-05-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-remote-debugging-default-21-68546d98fb-62gxg","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-10-15T03:43:54Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/default","name":"default","systemData":{"createdBy":"pensh@microsoft.com","createdByType":"User","createdAt":"2022-10-15T03:43:46.3936757Z","lastModifiedBy":"pensh@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-10-15T03:43:46.3936757Z"}}' @@ -1110,7 +1110,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/default/enableRemoteDebugging?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/mock-deployment/enableRemoteDebugging?api-version=2022-09-01-preview response: body: string: '{"error":{"code":"InvalidArgument","message":"Only java applications @@ -1157,7 +1157,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/mock-deployment?api-version=2022-05-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-remote-debugging-default-21-68546d98fb-62gxg","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-10-15T03:43:54Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/default","name":"default","systemData":{"createdBy":"pensh@microsoft.com","createdByType":"User","createdAt":"2022-10-15T03:43:46.3936757Z","lastModifiedBy":"pensh@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-10-15T03:43:46.3936757Z"}}' @@ -1209,7 +1209,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/default/disableRemoteDebugging?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/mock-deployment/disableRemoteDebugging?api-version=2022-09-01-preview response: body: string: '{"port":5005,"enabled":false}' @@ -1259,7 +1259,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/mock-deployment?api-version=2022-05-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-remote-debugging-default-21-68546d98fb-62gxg","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-10-15T03:43:54Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/default","name":"default","systemData":{"createdBy":"pensh@microsoft.com","createdByType":"User","createdAt":"2022-10-15T03:43:46.3936757Z","lastModifiedBy":"pensh@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-10-15T03:43:46.3936757Z"}}' @@ -1311,7 +1311,7 @@ interactions: User-Agent: - AZURECLI/2.40.0 (PIP) azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.8 (Windows-10-10.0.22621-SP0) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/default/getRemoteDebuggingConfig?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-remote-debugging/deployments/mock-deployment/getRemoteDebuggingConfig?api-version=2022-09-01-preview response: body: string: '{"port":5005,"enabled":false}' diff --git a/src/spring/azext_spring/tests/latest/recordings/test_service_registry.yaml b/src/spring/azext_spring/tests/latest/recordings/test_service_registry.yaml index 8358efd3e4f..0a4a59e2408 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_service_registry.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_service_registry.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -65,7 +65,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/serviceRegistries/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/serviceRegistries/default?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","resourceRequests":{"cpu":"500m","memory":"1Gi","instanceCount":2},"instances":[{"name":"eureka-tx-enterprise-default-46b1d-0","status":"Running"},{"name":"eureka-tx-enterprise-default-46b1d-1","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/serviceRegistries","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/serviceRegistries/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T09:01:20.5105937Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T09:01:20.5105937Z"}}' @@ -113,7 +113,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -163,7 +163,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-01-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"tx-enterprise.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1","name":"app1","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-10T03:52:15.6583077Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T04:20:44.8337983Z"}}' @@ -221,13 +221,13 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-01-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/serviceRegistries/default"}},"public":false,"provisioningState":"Updating","fqdn":"tx-enterprise.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1","name":"app1","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-10T03:52:15.6583077Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T05:37:51.991956Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/50981bee-10df-4cdd-9de2-c99c0cf5bbd9?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/50981bee-10df-4cdd-9de2-c99c0cf5bbd9?api-version=2022-01-01-preview cache-control: - no-cache content-length: @@ -239,7 +239,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/50981bee-10df-4cdd-9de2-c99c0cf5bbd9/Spring/app1?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/50981bee-10df-4cdd-9de2-c99c0cf5bbd9/Spring/app1?api-version=2022-01-01-preview pragma: - no-cache request-context: @@ -271,7 +271,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/50981bee-10df-4cdd-9de2-c99c0cf5bbd9?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/50981bee-10df-4cdd-9de2-c99c0cf5bbd9?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/50981bee-10df-4cdd-9de2-c99c0cf5bbd9","name":"50981bee-10df-4cdd-9de2-c99c0cf5bbd9","status":"Running","startTime":"2023-01-10T05:37:52.7539902Z"}' @@ -319,7 +319,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/50981bee-10df-4cdd-9de2-c99c0cf5bbd9?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/50981bee-10df-4cdd-9de2-c99c0cf5bbd9?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/50981bee-10df-4cdd-9de2-c99c0cf5bbd9","name":"50981bee-10df-4cdd-9de2-c99c0cf5bbd9","status":"Running","startTime":"2023-01-10T05:37:52.7539902Z"}' @@ -367,7 +367,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/50981bee-10df-4cdd-9de2-c99c0cf5bbd9?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/50981bee-10df-4cdd-9de2-c99c0cf5bbd9?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/50981bee-10df-4cdd-9de2-c99c0cf5bbd9","name":"50981bee-10df-4cdd-9de2-c99c0cf5bbd9","status":"Succeeded","startTime":"2023-01-10T05:37:52.7539902Z","endTime":"2023-01-10T05:38:05.5140645Z"}' @@ -415,7 +415,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-01-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/serviceRegistries/default"}},"public":false,"provisioningState":"Succeeded","fqdn":"tx-enterprise.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1","name":"app1","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-10T03:52:15.6583077Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T05:37:51.991956Z"}}' @@ -465,7 +465,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -515,7 +515,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-01-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{"resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/serviceRegistries/default"}},"public":false,"provisioningState":"Succeeded","fqdn":"tx-enterprise.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1","name":"app1","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-10T03:52:15.6583077Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T05:37:51.991956Z"}}' @@ -573,13 +573,13 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-01-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"tx-enterprise.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1","name":"app1","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-10T03:52:15.6583077Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T05:38:20.8719841Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/884b5b68-0bfd-4782-bd07-4a2c8e3dc43f?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/884b5b68-0bfd-4782-bd07-4a2c8e3dc43f?api-version=2022-01-01-preview cache-control: - no-cache content-length: @@ -591,7 +591,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/884b5b68-0bfd-4782-bd07-4a2c8e3dc43f/Spring/app1?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/884b5b68-0bfd-4782-bd07-4a2c8e3dc43f/Spring/app1?api-version=2022-01-01-preview pragma: - no-cache request-context: @@ -623,7 +623,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/884b5b68-0bfd-4782-bd07-4a2c8e3dc43f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/884b5b68-0bfd-4782-bd07-4a2c8e3dc43f?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/884b5b68-0bfd-4782-bd07-4a2c8e3dc43f","name":"884b5b68-0bfd-4782-bd07-4a2c8e3dc43f","status":"Running","startTime":"2023-01-10T05:38:21.8809288Z"}' @@ -671,7 +671,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/884b5b68-0bfd-4782-bd07-4a2c8e3dc43f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/884b5b68-0bfd-4782-bd07-4a2c8e3dc43f?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/884b5b68-0bfd-4782-bd07-4a2c8e3dc43f","name":"884b5b68-0bfd-4782-bd07-4a2c8e3dc43f","status":"Running","startTime":"2023-01-10T05:38:21.8809288Z"}' @@ -719,7 +719,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/884b5b68-0bfd-4782-bd07-4a2c8e3dc43f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/884b5b68-0bfd-4782-bd07-4a2c8e3dc43f?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/app1/operationId/884b5b68-0bfd-4782-bd07-4a2c8e3dc43f","name":"884b5b68-0bfd-4782-bd07-4a2c8e3dc43f","status":"Succeeded","startTime":"2023-01-10T05:38:21.8809288Z","endTime":"2023-01-10T05:38:34.6812483Z"}' @@ -767,7 +767,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1?api-version=2022-01-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"tx-enterprise.asc-test.net","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"ingressSettings":{"readTimeoutInSeconds":300,"sendTimeoutInSeconds":60,"sessionCookieMaxAge":0,"sessionAffinity":"None","backendProtocol":"Default"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"eastus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/apps/app1","name":"app1","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-10T03:52:15.6583077Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T05:38:20.8719841Z"}}' @@ -817,7 +817,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -869,13 +869,13 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/serviceRegistries/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/serviceRegistries/default?api-version=2022-01-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/1fe4b257-3a16-4a4f-a8a4-18c81b9e5edb?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/1fe4b257-3a16-4a4f-a8a4-18c81b9e5edb?api-version=2022-01-01-preview cache-control: - no-cache content-length: @@ -885,7 +885,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/1fe4b257-3a16-4a4f-a8a4-18c81b9e5edb/Spring/tx-enterprise?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/1fe4b257-3a16-4a4f-a8a4-18c81b9e5edb/Spring/tx-enterprise?api-version=2022-01-01-preview pragma: - no-cache request-context: @@ -917,7 +917,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/1fe4b257-3a16-4a4f-a8a4-18c81b9e5edb?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/1fe4b257-3a16-4a4f-a8a4-18c81b9e5edb?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/1fe4b257-3a16-4a4f-a8a4-18c81b9e5edb","name":"1fe4b257-3a16-4a4f-a8a4-18c81b9e5edb","status":"Running","startTime":"2023-01-10T05:38:49.9161621Z"}' @@ -965,7 +965,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/1fe4b257-3a16-4a4f-a8a4-18c81b9e5edb?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/1fe4b257-3a16-4a4f-a8a4-18c81b9e5edb?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/1fe4b257-3a16-4a4f-a8a4-18c81b9e5edb","name":"1fe4b257-3a16-4a4f-a8a4-18c81b9e5edb","status":"Succeeded","startTime":"2023-01-10T05:38:49.9161621Z","endTime":"2023-01-10T05:38:56.2976122Z"}' @@ -1013,7 +1013,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"08b7340d552d4f1caff6f328754d8bee","networkProfile":{"outboundIPs":{"publicIPs":["20.241.208.147","20.241.209.0"]},"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"tx-enterprise.asc-test.net"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"E0","tier":"Enterprise"},"location":"eastus","tags":{},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise","name":"tx-enterprise","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-09T08:27:36.5209559Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-09T08:27:36.5209559Z"}}' @@ -1065,13 +1065,13 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/serviceRegistries/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/serviceRegistries/default?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Creating","resourceRequests":{"cpu":"500m","memory":"1Gi","instanceCount":2},"instances":[]},"type":"Microsoft.AppPlatform/Spring/serviceRegistries","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/serviceRegistries/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-10T05:39:04.4127152Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T05:39:04.4127152Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-01-01-preview cache-control: - no-cache content-length: @@ -1083,7 +1083,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/cd707688-c1ea-4d0f-ae09-77d00e55da36/Spring/tx-enterprise?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationResults/cd707688-c1ea-4d0f-ae09-77d00e55da36/Spring/tx-enterprise?api-version=2022-01-01-preview pragma: - no-cache request-context: @@ -1115,7 +1115,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36","name":"cd707688-c1ea-4d0f-ae09-77d00e55da36","status":"Running","startTime":"2023-01-10T05:39:06.3640756Z"}' @@ -1163,7 +1163,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36","name":"cd707688-c1ea-4d0f-ae09-77d00e55da36","status":"Running","startTime":"2023-01-10T05:39:06.3640756Z"}' @@ -1211,7 +1211,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36","name":"cd707688-c1ea-4d0f-ae09-77d00e55da36","status":"Running","startTime":"2023-01-10T05:39:06.3640756Z"}' @@ -1259,7 +1259,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36","name":"cd707688-c1ea-4d0f-ae09-77d00e55da36","status":"Running","startTime":"2023-01-10T05:39:06.3640756Z"}' @@ -1307,7 +1307,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36","name":"cd707688-c1ea-4d0f-ae09-77d00e55da36","status":"Running","startTime":"2023-01-10T05:39:06.3640756Z"}' @@ -1355,7 +1355,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36","name":"cd707688-c1ea-4d0f-ae09-77d00e55da36","status":"Running","startTime":"2023-01-10T05:39:06.3640756Z"}' @@ -1403,7 +1403,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36","name":"cd707688-c1ea-4d0f-ae09-77d00e55da36","status":"Running","startTime":"2023-01-10T05:39:06.3640756Z"}' @@ -1451,7 +1451,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36","name":"cd707688-c1ea-4d0f-ae09-77d00e55da36","status":"Running","startTime":"2023-01-10T05:39:06.3640756Z"}' @@ -1499,7 +1499,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36","name":"cd707688-c1ea-4d0f-ae09-77d00e55da36","status":"Running","startTime":"2023-01-10T05:39:06.3640756Z"}' @@ -1547,7 +1547,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36?api-version=2022-01-01-preview response: body: string: '{"id":"subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/locations/eastus/operationStatus/tx-enterprise/operationId/cd707688-c1ea-4d0f-ae09-77d00e55da36","name":"cd707688-c1ea-4d0f-ae09-77d00e55da36","status":"Succeeded","startTime":"2023-01-10T05:39:06.3640756Z","endTime":"2023-01-10T05:40:32.6446777Z"}' @@ -1595,7 +1595,7 @@ interactions: User-Agent: - AZURECLI/2.43.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.10.2 (Windows-10-10.0.22621-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/serviceRegistries/default?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/serviceRegistries/default?api-version=2022-01-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","resourceRequests":{"cpu":"500m","memory":"1Gi","instanceCount":2},"instances":[{"name":"eureka-tx-enterprise-default-46b1d-0","status":"Running"},{"name":"eureka-tx-enterprise-default-46b1d-1","status":"Running"}]},"type":"Microsoft.AppPlatform/Spring/serviceRegistries","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/tx/providers/Microsoft.AppPlatform/Spring/tx-enterprise/serviceRegistries/default","name":"default","systemData":{"createdBy":"ninpan@microsoft.com","createdByType":"User","createdAt":"2023-01-10T05:39:04.4127152Z","lastModifiedBy":"ninpan@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-01-10T05:39:04.4127152Z"}}' diff --git a/src/spring/azext_spring/tests/latest/recordings/test_stop_and_start_service.yaml b/src/spring/azext_spring/tests/latest/recordings/test_stop_and_start_service.yaml index f05b36147c9..c08970b8287 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_stop_and_start_service.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_stop_and_start_service.yaml @@ -1274,7 +1274,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/Spring/cli-unittest-start-stop?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/Spring/cli-unittest-start-stop?api-version=2022-05-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"70e9c137b51f42a28abdb6a8c3b6be4c","networkProfile":{"outboundIPs":{"publicIPs":["20.47.176.83","20.47.178.18"]}},"powerState":"Running","fqdn":"cli-unittest-start-stop.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2euap","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/Spring/cli-unittest-start-stop","name":"cli-unittest-start-stop","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:34:05.411824Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:34:05.411824Z"}}' @@ -1326,13 +1326,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/Spring/cli-unittest-start-stop/stop?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/Spring/cli-unittest-start-stop/stop?api-version=2022-05-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-05-01-preview cache-control: - no-cache content-length: @@ -1342,7 +1342,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationResults/90d621b9-ae82-4edb-a805-ce2fd913ac69/Spring/cli-unittest-start-stop?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationResults/90d621b9-ae82-4edb-a805-ce2fd913ac69/Spring/cli-unittest-start-stop?api-version=2022-05-01-preview pragma: - no-cache request-context: @@ -1374,7 +1374,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69","name":"90d621b9-ae82-4edb-a805-ce2fd913ac69","status":"Running","startTime":"2022-09-07T06:38:42.3481349Z"}' @@ -1422,7 +1422,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69","name":"90d621b9-ae82-4edb-a805-ce2fd913ac69","status":"Running","startTime":"2022-09-07T06:38:42.3481349Z"}' @@ -1470,7 +1470,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69","name":"90d621b9-ae82-4edb-a805-ce2fd913ac69","status":"Running","startTime":"2022-09-07T06:38:42.3481349Z"}' @@ -1518,7 +1518,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69","name":"90d621b9-ae82-4edb-a805-ce2fd913ac69","status":"Running","startTime":"2022-09-07T06:38:42.3481349Z"}' @@ -1566,7 +1566,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69","name":"90d621b9-ae82-4edb-a805-ce2fd913ac69","status":"Running","startTime":"2022-09-07T06:38:42.3481349Z"}' @@ -1614,7 +1614,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69","name":"90d621b9-ae82-4edb-a805-ce2fd913ac69","status":"Running","startTime":"2022-09-07T06:38:42.3481349Z"}' @@ -1662,7 +1662,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69","name":"90d621b9-ae82-4edb-a805-ce2fd913ac69","status":"Running","startTime":"2022-09-07T06:38:42.3481349Z"}' @@ -1710,7 +1710,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69","name":"90d621b9-ae82-4edb-a805-ce2fd913ac69","status":"Running","startTime":"2022-09-07T06:38:42.3481349Z"}' @@ -1758,7 +1758,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69","name":"90d621b9-ae82-4edb-a805-ce2fd913ac69","status":"Running","startTime":"2022-09-07T06:38:42.3481349Z"}' @@ -1806,7 +1806,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69","name":"90d621b9-ae82-4edb-a805-ce2fd913ac69","status":"Running","startTime":"2022-09-07T06:38:42.3481349Z"}' @@ -1854,7 +1854,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69","name":"90d621b9-ae82-4edb-a805-ce2fd913ac69","status":"Running","startTime":"2022-09-07T06:38:42.3481349Z"}' @@ -1902,7 +1902,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69","name":"90d621b9-ae82-4edb-a805-ce2fd913ac69","status":"Running","startTime":"2022-09-07T06:38:42.3481349Z"}' @@ -1950,7 +1950,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69","name":"90d621b9-ae82-4edb-a805-ce2fd913ac69","status":"Running","startTime":"2022-09-07T06:38:42.3481349Z"}' @@ -1998,7 +1998,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69","name":"90d621b9-ae82-4edb-a805-ce2fd913ac69","status":"Running","startTime":"2022-09-07T06:38:42.3481349Z"}' @@ -2046,7 +2046,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/90d621b9-ae82-4edb-a805-ce2fd913ac69","name":"90d621b9-ae82-4edb-a805-ce2fd913ac69","status":"Succeeded","startTime":"2022-09-07T06:38:42.3481349Z","endTime":"2022-09-07T06:41:31.5413492Z"}' @@ -2094,7 +2094,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationResults/90d621b9-ae82-4edb-a805-ce2fd913ac69/Spring/cli-unittest-start-stop?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationResults/90d621b9-ae82-4edb-a805-ce2fd913ac69/Spring/cli-unittest-start-stop?api-version=2022-05-01-preview response: body: string: '' @@ -2136,7 +2136,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/Spring/cli-unittest-start-stop?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/Spring/cli-unittest-start-stop?api-version=2022-05-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"70e9c137b51f42a28abdb6a8c3b6be4c","networkProfile":{"outboundIPs":{"publicIPs":["20.47.176.83","20.47.178.18"]}},"powerState":"Stopped","fqdn":"cli-unittest-start-stop.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2euap","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/Spring/cli-unittest-start-stop","name":"cli-unittest-start-stop","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:34:05.411824Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:38:41.6168559Z"}}' @@ -2186,7 +2186,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/Spring/cli-unittest-start-stop?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/Spring/cli-unittest-start-stop?api-version=2022-05-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"70e9c137b51f42a28abdb6a8c3b6be4c","networkProfile":{"outboundIPs":{"publicIPs":["20.47.176.83","20.47.178.18"]}},"powerState":"Stopped","fqdn":"cli-unittest-start-stop.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2euap","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/Spring/cli-unittest-start-stop","name":"cli-unittest-start-stop","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:34:05.411824Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:38:41.6168559Z"}}' @@ -2238,13 +2238,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/Spring/cli-unittest-start-stop/start?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/Spring/cli-unittest-start-stop/start?api-version=2022-05-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview cache-control: - no-cache content-length: @@ -2254,7 +2254,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationResults/7932b5ad-fa63-477c-9104-344d4a490813/Spring/cli-unittest-start-stop?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationResults/7932b5ad-fa63-477c-9104-344d4a490813/Spring/cli-unittest-start-stop?api-version=2022-05-01-preview pragma: - no-cache request-context: @@ -2286,7 +2286,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -2334,7 +2334,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -2382,7 +2382,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -2430,7 +2430,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -2478,7 +2478,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -2526,7 +2526,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -2574,7 +2574,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -2622,7 +2622,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -2670,7 +2670,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -2718,7 +2718,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -2766,7 +2766,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -2814,7 +2814,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -2862,7 +2862,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -2910,7 +2910,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -2958,7 +2958,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -3006,7 +3006,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -3054,7 +3054,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -3102,7 +3102,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -3150,7 +3150,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -3198,7 +3198,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -3246,7 +3246,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -3294,7 +3294,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -3342,7 +3342,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -3390,7 +3390,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -3438,7 +3438,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -3486,7 +3486,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -3534,7 +3534,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Running","startTime":"2022-09-07T06:41:47.864941Z"}' @@ -3582,7 +3582,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813?api-version=2022-05-01-preview response: body: string: '{"id":"subscriptions/0753feba-86f1-4242-aff1-27938fb04531/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/7932b5ad-fa63-477c-9104-344d4a490813","name":"7932b5ad-fa63-477c-9104-344d4a490813","status":"Succeeded","startTime":"2022-09-07T06:41:47.864941Z","endTime":"2022-09-07T06:46:59.9909803Z"}' @@ -3630,7 +3630,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationResults/7932b5ad-fa63-477c-9104-344d4a490813/Spring/cli-unittest-start-stop?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationResults/7932b5ad-fa63-477c-9104-344d4a490813/Spring/cli-unittest-start-stop?api-version=2022-05-01-preview response: body: string: '' @@ -3672,7 +3672,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/Spring/cli-unittest-start-stop?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/Spring/cli-unittest-start-stop?api-version=2022-05-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"version":3,"serviceId":"70e9c137b51f42a28abdb6a8c3b6be4c","networkProfile":{"outboundIPs":{"publicIPs":["20.47.176.83","20.47.178.18"]}},"powerState":"Running","fqdn":"cli-unittest-start-stop.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"eastus2euap","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/Spring/cli-unittest-start-stop","name":"cli-unittest-start-stop","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T06:34:05.411824Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T06:41:47.2497112Z"}}' @@ -3724,13 +3724,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/Spring/cli-unittest-start-stop?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/Spring/cli-unittest-start-stop?api-version=2022-05-01-preview response: body: string: '' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/0ba00342-e595-4397-aa91-6cd1b4db7305?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationStatus/cli-unittest-start-stop/operationId/0ba00342-e595-4397-aa91-6cd1b4db7305?api-version=2022-05-01-preview cache-control: - no-cache content-length: @@ -3740,7 +3740,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationResults/0ba00342-e595-4397-aa91-6cd1b4db7305/Spring/cli-unittest-start-stop?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli-group/providers/Microsoft.AppPlatform/locations/eastus2euap/operationResults/0ba00342-e595-4397-aa91-6cd1b4db7305/Spring/cli-unittest-start-stop?api-version=2022-05-01-preview pragma: - no-cache request-context: diff --git a/src/spring/azext_spring/tests/latest/recordings/test_vnet_public_endpoint.yaml b/src/spring/azext_spring/tests/latest/recordings/test_vnet_public_endpoint.yaml index 37417dcbe65..493114e2534 100644 --- a/src/spring/azext_spring/tests/latest/recordings/test_vnet_public_endpoint.yaml +++ b/src/spring/azext_spring/tests/latest/recordings/test_vnet_public_endpoint.yaml @@ -15,7 +15,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-09-01-preview response: body: string: '{"error":{"code":"NotFound","message":"App was not found","target":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app","details":null}}' @@ -61,7 +61,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest?api-version=2022-09-01-preview response: body: string: '{"properties":{"provisioningState":"Succeeded","zoneRedundant":false,"vnetAddons":{"logStreamPublicEndpoint":false},"version":3,"serviceId":"05f4c23f24f54574a7a6a7d1d6d8c766","networkProfile":{"serviceRuntimeSubnetId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.Network/virtualNetworks/lr-test-vnet-centralus-01/subnets/service_runtime_subnet","appSubnetId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.Network/virtualNetworks/lr-test-vnet-centralus-01/subnets/app_subnet","serviceCidr":"10.1.0.0/16,10.2.0.0/16,10.3.0.1/16","serviceRuntimeNetworkResourceGroup":"ap-svc-rt_cli-unittest_centralus","appNetworkResourceGroup":"ap-app_cli-unittest_centralus","outboundIPs":{"publicIPs":["13.86.34.164"]},"requiredTraffics":[{"protocol":"TCP","port":443,"ips":["52.154.155.4","20.37.136.48"],"direction":"Outbound"},{"protocol":"UDP","port":1194,"ips":["52.154.155.4","20.37.136.48"],"direction":"Outbound"},{"protocol":"TCP","port":9000,"ips":["52.154.155.4","20.37.136.48"],"direction":"Outbound"}],"outboundType":"loadBalancer"},"powerState":"Running","fqdn":"cli-unittest.private.azuremicroservices.io"},"type":"Microsoft.AppPlatform/Spring","sku":{"name":"S0","tier":"Standard"},"location":"centralus","tags":null,"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest","name":"cli-unittest"}' @@ -117,13 +117,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Creating","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"enableEndToEndTLS":false,"vnetAddons":{"publicEndpoint":true}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app","name":"test-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:52:02.3346945Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:52:02.3346945Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/d0a05e2b-69a9-44f7-925d-f364ba411d2f?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/d0a05e2b-69a9-44f7-925d-f364ba411d2f?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -135,7 +135,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationResults/d0a05e2b-69a9-44f7-925d-f364ba411d2f/Spring/test-app?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationResults/d0a05e2b-69a9-44f7-925d-f364ba411d2f/Spring/test-app?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -167,7 +167,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/d0a05e2b-69a9-44f7-925d-f364ba411d2f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/d0a05e2b-69a9-44f7-925d-f364ba411d2f?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/d0822b01-62ea-4eb9-885b-95c60e4250b4/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/d0a05e2b-69a9-44f7-925d-f364ba411d2f","name":"d0a05e2b-69a9-44f7-925d-f364ba411d2f","status":"Running","startTime":"2022-09-07T11:52:02.8646525Z"}' @@ -215,7 +215,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/d0a05e2b-69a9-44f7-925d-f364ba411d2f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/d0a05e2b-69a9-44f7-925d-f364ba411d2f?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/d0822b01-62ea-4eb9-885b-95c60e4250b4/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/d0a05e2b-69a9-44f7-925d-f364ba411d2f","name":"d0a05e2b-69a9-44f7-925d-f364ba411d2f","status":"Running","startTime":"2022-09-07T11:52:02.8646525Z"}' @@ -263,7 +263,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/d0a05e2b-69a9-44f7-925d-f364ba411d2f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/d0a05e2b-69a9-44f7-925d-f364ba411d2f?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/d0822b01-62ea-4eb9-885b-95c60e4250b4/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/d0a05e2b-69a9-44f7-925d-f364ba411d2f","name":"d0a05e2b-69a9-44f7-925d-f364ba411d2f","status":"Running","startTime":"2022-09-07T11:52:02.8646525Z"}' @@ -311,7 +311,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/d0a05e2b-69a9-44f7-925d-f364ba411d2f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/d0a05e2b-69a9-44f7-925d-f364ba411d2f?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/d0822b01-62ea-4eb9-885b-95c60e4250b4/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/d0a05e2b-69a9-44f7-925d-f364ba411d2f","name":"d0a05e2b-69a9-44f7-925d-f364ba411d2f","status":"Running","startTime":"2022-09-07T11:52:02.8646525Z"}' @@ -359,7 +359,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/d0a05e2b-69a9-44f7-925d-f364ba411d2f?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/d0a05e2b-69a9-44f7-925d-f364ba411d2f?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/d0822b01-62ea-4eb9-885b-95c60e4250b4/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/d0a05e2b-69a9-44f7-925d-f364ba411d2f","name":"d0a05e2b-69a9-44f7-925d-f364ba411d2f","status":"Succeeded","startTime":"2022-09-07T11:52:02.8646525Z","endTime":"2022-09-07T11:53:13.1050171Z"}' @@ -407,7 +407,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.private.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"vnetAddons":{"publicEndpoint":false}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app","name":"test-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:52:02.3346945Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:52:02.3346945Z"}}' @@ -464,13 +464,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments/mock-deployment?api-version=2022-09-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90},"provisioningState":"Creating","status":"Running","active":true,"instances":null,"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:53:18.3498623Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:53:18.3498623Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/default/operationId/bd28c704-e5d3-4dbd-a14c-3b5a1f932ef5?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/default/operationId/bd28c704-e5d3-4dbd-a14c-3b5a1f932ef5?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -482,7 +482,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationResults/bd28c704-e5d3-4dbd-a14c-3b5a1f932ef5/Spring/default?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationResults/bd28c704-e5d3-4dbd-a14c-3b5a1f932ef5/Spring/default?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -519,13 +519,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.private.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"vnetAddons":{"publicEndpoint":true}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app","name":"test-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:52:02.3346945Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:53:19.9123533Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/ddc1e079-f671-4b5a-945b-f871b4637df7?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/ddc1e079-f671-4b5a-945b-f871b4637df7?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -537,7 +537,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationResults/ddc1e079-f671-4b5a-945b-f871b4637df7/Spring/test-app?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationResults/ddc1e079-f671-4b5a-945b-f871b4637df7/Spring/test-app?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -569,7 +569,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/default/operationId/bd28c704-e5d3-4dbd-a14c-3b5a1f932ef5?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/default/operationId/bd28c704-e5d3-4dbd-a14c-3b5a1f932ef5?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/d0822b01-62ea-4eb9-885b-95c60e4250b4/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/default/operationId/bd28c704-e5d3-4dbd-a14c-3b5a1f932ef5","name":"bd28c704-e5d3-4dbd-a14c-3b5a1f932ef5","status":"Succeeded","startTime":"2022-09-07T11:53:19.1873013Z","endTime":"2022-09-07T11:53:47.1311298Z"}' @@ -617,7 +617,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments/mock-deployment?api-version=2022-09-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-default-8-57c694d5d4-6dzkv","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-09-07T11:53:23Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:53:18.3498623Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:53:18.3498623Z"}}' @@ -667,7 +667,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/ddc1e079-f671-4b5a-945b-f871b4637df7?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/ddc1e079-f671-4b5a-945b-f871b4637df7?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/d0822b01-62ea-4eb9-885b-95c60e4250b4/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/ddc1e079-f671-4b5a-945b-f871b4637df7","name":"ddc1e079-f671-4b5a-945b-f871b4637df7","status":"Succeeded","startTime":"2022-09-07T11:53:22.0223614Z","endTime":"2022-09-07T11:53:40.401339Z"}' @@ -715,7 +715,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.private.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"vnetAddons":{"publicEndpoint":true,"publicEndpointUrl":"https://cli-unittest-test-app.azuremicroservices.io"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app","name":"test-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:52:02.3346945Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:53:19.9123533Z"}}' @@ -765,7 +765,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.private.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"vnetAddons":{"publicEndpoint":true,"publicEndpointUrl":"https://cli-unittest-test-app.azuremicroservices.io"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app","name":"test-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:52:02.3346945Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:53:19.9123533Z"}}' @@ -815,7 +815,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments?api-version=2022-09-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-default-8-57c694d5d4-6dzkv","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-09-07T11:53:23Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:53:18.3498623Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:53:18.3498623Z"}}]}' @@ -865,7 +865,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments?api-version=2022-05-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-default-8-57c694d5d4-6dzkv","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-09-07T11:53:23Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:53:18.3498623Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:53:18.3498623Z"}}]}' @@ -919,13 +919,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.private.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"vnetAddons":{"publicEndpoint":false}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app","name":"test-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:52:02.3346945Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:54:08.0338551Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/c7355207-8f22-48a8-b278-0757550d679e?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/c7355207-8f22-48a8-b278-0757550d679e?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -937,7 +937,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationResults/c7355207-8f22-48a8-b278-0757550d679e/Spring/test-app?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationResults/c7355207-8f22-48a8-b278-0757550d679e/Spring/test-app?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -974,7 +974,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments/mock-deployment?api-version=2022-09-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-default-8-57c694d5d4-6dzkv","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-09-07T11:53:23Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:53:18.3498623Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:53:18.3498623Z"}}' @@ -1024,7 +1024,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/c7355207-8f22-48a8-b278-0757550d679e?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/c7355207-8f22-48a8-b278-0757550d679e?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/d0822b01-62ea-4eb9-885b-95c60e4250b4/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/c7355207-8f22-48a8-b278-0757550d679e","name":"c7355207-8f22-48a8-b278-0757550d679e","status":"Succeeded","startTime":"2022-09-07T11:54:09.1438322Z","endTime":"2022-09-07T11:54:29.1247368Z"}' @@ -1072,7 +1072,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.private.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"vnetAddons":{"publicEndpoint":false}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app","name":"test-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:52:02.3346945Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:54:08.0338551Z"}}' @@ -1122,7 +1122,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.private.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"vnetAddons":{"publicEndpoint":false}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app","name":"test-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:52:02.3346945Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:54:08.0338551Z"}}' @@ -1172,7 +1172,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments?api-version=2022-09-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-default-8-57c694d5d4-6dzkv","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-09-07T11:53:23Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:53:18.3498623Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:53:18.3498623Z"}}]}' @@ -1222,7 +1222,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments?api-version=2022-05-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-default-8-57c694d5d4-6dzkv","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-09-07T11:53:23Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:53:18.3498623Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:53:18.3498623Z"}}]}' @@ -1276,13 +1276,13 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Updating","fqdn":"cli-unittest.private.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"vnetAddons":{"publicEndpoint":true}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app","name":"test-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:52:02.3346945Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:54:56.5472312Z"}}' headers: azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/7a474912-d3ee-4346-89c2-6e719040303b?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/7a474912-d3ee-4346-89c2-6e719040303b?api-version=2022-09-01-preview cache-control: - no-cache content-length: @@ -1294,7 +1294,7 @@ interactions: expires: - '-1' location: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationResults/7a474912-d3ee-4346-89c2-6e719040303b/Spring/test-app?api-version=2022-11-01-preview + - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationResults/7a474912-d3ee-4346-89c2-6e719040303b/Spring/test-app?api-version=2022-09-01-preview pragma: - no-cache request-context: @@ -1331,7 +1331,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: PATCH - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments/mock-deployment?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments/mock-deployment?api-version=2022-09-01-preview response: body: string: '{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-default-8-57c694d5d4-6dzkv","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-09-07T11:53:23Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:53:18.3498623Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:53:18.3498623Z"}}' @@ -1381,7 +1381,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/7a474912-d3ee-4346-89c2-6e719040303b?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/7a474912-d3ee-4346-89c2-6e719040303b?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/d0822b01-62ea-4eb9-885b-95c60e4250b4/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/7a474912-d3ee-4346-89c2-6e719040303b","name":"7a474912-d3ee-4346-89c2-6e719040303b","status":"Running","startTime":"2022-09-07T11:55:00.8318185Z"}' @@ -1429,7 +1429,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/7a474912-d3ee-4346-89c2-6e719040303b?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/7a474912-d3ee-4346-89c2-6e719040303b?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/d0822b01-62ea-4eb9-885b-95c60e4250b4/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/7a474912-d3ee-4346-89c2-6e719040303b","name":"7a474912-d3ee-4346-89c2-6e719040303b","status":"Running","startTime":"2022-09-07T11:55:00.8318185Z"}' @@ -1477,7 +1477,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/7a474912-d3ee-4346-89c2-6e719040303b?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/7a474912-d3ee-4346-89c2-6e719040303b?api-version=2022-09-01-preview response: body: string: '{"id":"subscriptions/d0822b01-62ea-4eb9-885b-95c60e4250b4/resourceGroups/cli/providers/Microsoft.AppPlatform/locations/centralus/operationStatus/test-app/operationId/7a474912-d3ee-4346-89c2-6e719040303b","name":"7a474912-d3ee-4346-89c2-6e719040303b","status":"Succeeded","startTime":"2022-09-07T11:55:00.8318185Z","endTime":"2022-09-07T11:55:48.8896484Z"}' @@ -1525,7 +1525,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.private.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"vnetAddons":{"publicEndpoint":true,"publicEndpointUrl":"https://cli-unittest-test-app.azuremicroservices.io"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app","name":"test-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:52:02.3346945Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:54:56.5472312Z"}}' @@ -1575,7 +1575,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app?api-version=2022-09-01-preview response: body: string: '{"properties":{"addonConfigs":{"applicationConfigurationService":{},"serviceRegistry":{}},"public":false,"provisioningState":"Succeeded","fqdn":"cli-unittest.private.azuremicroservices.io","httpsOnly":false,"temporaryDisk":{"sizeInGB":5,"mountPath":"/tmp"},"persistentDisk":{"sizeInGB":0,"mountPath":"/persistent"},"enableEndToEndTLS":false,"vnetAddons":{"publicEndpoint":true,"publicEndpointUrl":"https://cli-unittest-test-app.azuremicroservices.io"}},"type":"Microsoft.AppPlatform/Spring/apps","identity":null,"location":"centralus","id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app","name":"test-app","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:52:02.3346945Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:54:56.5472312Z"}}' @@ -1625,7 +1625,7 @@ interactions: User-Agent: - AZURECLI/2.39.0 azsdk-python-mgmt-appplatform/6.1.0 Python/3.9.13 (Windows-10-10.0.19044-SP0) method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments?api-version=2022-11-01-preview + uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments?api-version=2022-09-01-preview response: body: string: '{"value":[{"properties":{"deploymentSettings":{"resourceRequests":{"cpu":"1","memory":"1Gi"},"environmentVariables":null,"terminationGracePeriodSeconds":90,"livenessProbe":{"disableProbe":false,"failureThreshold":24,"initialDelaySeconds":60,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}},"readinessProbe":{"disableProbe":false,"failureThreshold":3,"initialDelaySeconds":0,"periodSeconds":10,"successThreshold":1,"timeoutSeconds":1,"probeAction":{"type":"TCPSocketAction"}}},"provisioningState":"Succeeded","status":"Running","active":true,"instances":[{"name":"test-app-default-8-57c694d5d4-6dzkv","status":"Running","discoveryStatus":"UNREGISTERED","startTime":"2022-09-07T11:53:23Z"}],"source":{"type":"Jar","relativePath":"","runtimeVersion":"Java_8"}},"type":"Microsoft.AppPlatform/Spring/apps/deployments","sku":{"name":"S0","tier":"Standard","capacity":1},"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli/providers/Microsoft.AppPlatform/Spring/cli-unittest/apps/test-app/deployments/default","name":"default","systemData":{"createdBy":"caihuarui@microsoft.com","createdByType":"User","createdAt":"2022-09-07T11:53:18.3498623Z","lastModifiedBy":"caihuarui@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2022-09-07T11:53:18.3498623Z"}}]}' diff --git a/src/spring/azext_spring/tests/latest/test_asa_api_portal.py b/src/spring/azext_spring/tests/latest/test_asa_api_portal.py index 4b96f43f94f..5a48e2afded 100644 --- a/src/spring/azext_spring/tests/latest/test_asa_api_portal.py +++ b/src/spring/azext_spring/tests/latest/test_asa_api_portal.py @@ -3,6 +3,8 @@ # Licensed under the MIT License. See License.txt in the project root for license information. # -------------------------------------------------------------------------------------------- +import os + from azure.cli.testsdk import (ScenarioTest, record_only) # pylint: disable=line-too-long diff --git a/src/spring/azext_spring/tests/latest/test_asa_app.py b/src/spring/azext_spring/tests/latest/test_asa_app.py index a8b77c676f3..3e951fe16cc 100644 --- a/src/spring/azext_spring/tests/latest/test_asa_app.py +++ b/src/spring/azext_spring/tests/latest/test_asa_app.py @@ -2,12 +2,13 @@ # Copyright (c) Microsoft Corporation. All rights reserved. # Licensed under the MIT License. See License.txt in the project root for license information. # -------------------------------------------------------------------------------------------- +from time import time import unittest import os from azure.cli.core.azclierror import ResourceNotFoundError from knack.util import CLIError from msrestazure.tools import resource_id -from ...vendored_sdks.appplatform.v2022_11_01_preview import models +from ...vendored_sdks.appplatform.v2022_09_01_preview import models from ..._utils import _get_sku_name from ...app import (app_create, app_update, app_deploy, deployment_create) from ...custom import (app_set_deployment, app_unset_deployment) @@ -83,23 +84,29 @@ def test_unset_active_enterprise(self): request = call_args[0][0][3] self.assertEqual(0, len(request.active_deployment_names)) - def test_blue_green_standard(self): + @mock.patch('azext_spring.custom.cf_spring', autospec=True) + def test_blue_green_standard(self, client_mock_factory): + client_mock = self._get_basic_mock_client(sku='Standard') + client_mock_factory.return_value = client_mock client = self._get_basic_mock_client(sku='Standard') app_set_deployment(_get_test_cmd(), client, 'rg', 'asc', 'app', 'default') - call_args = client.apps.begin_set_active_deployments.call_args_list + call_args = client_mock.apps.begin_update.call_args_list self.assertEqual(1, len(call_args)) self.assertEqual(4, len(call_args[0][0])) - active_deployment_collection = call_args[0][0][3] - self.assertEqual('default', active_deployment_collection.active_deployment_names[0]) + request = call_args[0][0][3] + self.assertEqual('default', request.properties.active_deployment_name) - def test_unset_active_standard(self): + @mock.patch('azext_spring.custom.cf_spring', autospec=True) + def test_unset_active_standard(self, client_mock_factory): + client_mock = self._get_basic_mock_client(sku='Standard') + client_mock_factory.return_value = client_mock client = self._get_basic_mock_client(sku='Standard') app_unset_deployment(_get_test_cmd(), client, 'rg', 'asc', 'app') - call_args = client.apps.begin_set_active_deployments.call_args_list + call_args = client_mock.apps.begin_update.call_args_list self.assertEqual(1, len(call_args)) self.assertEqual(4, len(call_args[0][0])) - active_deployment_collection = call_args[0][0][3] - self.assertEqual(0, len(active_deployment_collection.active_deployment_names)) + request = call_args[0][0][3] + self.assertEqual('', request.properties.active_deployment_name) class TestAppDeploy_Patch(BasicTest): @@ -591,8 +598,8 @@ def _execute(self, *args, **kwargs): call_args = client.deployments.begin_create_or_update.call_args_list self.assertEqual(1, len(call_args)) self.assertEqual(5, len(call_args[0][0])) + self.assertEqual(args[0:3] + ('default',), call_args[0][0][0:4]) self.put_deployment_resource = call_args[0][0][4] - self.put_deployment_resource.name = call_args[0][0][3] call_args = client.apps.begin_update.call_args_list self.assertEqual(1, len(call_args)) @@ -686,11 +693,6 @@ def test_app_with_client_auth(self): resource = self.patch_app_resource self.assertIsNone(resource.properties.ingress_settings) - def test_app_create_with_deployment_name(self): - self._execute('rg', 'asc', 'app', cpu='1', memory='1Gi', instance_count=1, deployment_name='hello') - resource = self.put_deployment_resource - self.assertEqual('hello', resource.name) - class TestDeploymentCreate(BasicTest): def __init__(self, methodName: str = ...): super().__init__(methodName=methodName) diff --git a/src/spring/azext_spring/tests/latest/test_asa_app_validator.py b/src/spring/azext_spring/tests/latest/test_asa_app_validator.py index f3641e83358..d62c4432c02 100644 --- a/src/spring/azext_spring/tests/latest/test_asa_app_validator.py +++ b/src/spring/azext_spring/tests/latest/test_asa_app_validator.py @@ -107,7 +107,7 @@ def test_more_than_one_path_2(self): class TestActiveDeploymentExist(unittest.TestCase): - @mock.patch('azext_spring._app_validator.cf_spring', autospec=True) + @mock.patch('azext_spring._app_validator.cf_spring_20220501preview', autospec=True) def test_deployment_found(self, client_factory_mock): client = mock.MagicMock() client.deployments.list.return_value = [ @@ -119,7 +119,7 @@ def test_deployment_found(self, client_factory_mock): ns = Namespace(name='app1', service='asc1', resource_group='rg1', deployment=None) active_deployment_exist(_get_test_cmd(), ns) - @mock.patch('azext_spring._app_validator.cf_spring', autospec=True) + @mock.patch('azext_spring._app_validator.cf_spring_20220501preview', autospec=True) def test_deployment_without_active_exist(self, client_factory_mock): client = mock.MagicMock() client.deployments.list.return_value = [ @@ -132,7 +132,7 @@ def test_deployment_without_active_exist(self, client_factory_mock): active_deployment_exist(_get_test_cmd(), ns) self.assertEqual('This app has no production deployment, use \"az spring app deployment create\" to create a deployment and \"az spring app set-deployment\" to set production deployment.', str(context.exception)) - @mock.patch('azext_spring._app_validator.cf_spring', autospec=True) + @mock.patch('azext_spring._app_validator.cf_spring_20220501preview', autospec=True) def test_no_deployments(self, client_factory_mock): client = mock.MagicMock() client.deployments.list.return_value = [] @@ -143,7 +143,7 @@ def test_no_deployments(self, client_factory_mock): active_deployment_exist(_get_test_cmd(), ns) self.assertEqual('This app has no production deployment, use \"az spring app deployment create\" to create a deployment and \"az spring app set-deployment\" to set production deployment.', str(context.exception)) - @mock.patch('azext_spring._app_validator.cf_spring', autospec=True) + @mock.patch('azext_spring._app_validator.cf_spring_20220501preview', autospec=True) def test_app_not_found(self, client_factory_mock): client = mock.MagicMock() resp = mock.MagicMock() @@ -159,7 +159,7 @@ def test_app_not_found(self, client_factory_mock): class TestFulfillDeploymentParameter(unittest.TestCase): - @mock.patch('azext_spring._app_validator.cf_spring', autospec=True) + @mock.patch('azext_spring._app_validator.cf_spring_20220501preview', autospec=True) def test_deployment_provide(self, client_factory_mock): client = mock.MagicMock() client.deployments.get.return_value = _get_deployment('rg1', 'asc1', 'app1', 'green1', False) @@ -172,7 +172,7 @@ def test_deployment_provide(self, client_factory_mock): self.assertFalse(ns.deployment.properties.active) - @mock.patch('azext_spring._app_validator.cf_spring', autospec=True) + @mock.patch('azext_spring._app_validator.cf_spring_20220501preview', autospec=True) def test_deployment_provide_but_not_found(self, client_factory_mock): client = mock.MagicMock() resp = mock.MagicMock() @@ -186,7 +186,7 @@ def test_deployment_provide_but_not_found(self, client_factory_mock): fulfill_deployment_param(_get_test_cmd(), ns) self.assertEqual('Deployment green1 not found under app app1', str(context.exception)) - @mock.patch('azext_spring._app_validator.cf_spring', autospec=True) + @mock.patch('azext_spring._app_validator.cf_spring_20220501preview', autospec=True) def test_deployment_with_active_deployment(self, client_factory_mock): client = mock.MagicMock() client.deployments.list.return_value = [ @@ -201,7 +201,7 @@ def test_deployment_with_active_deployment(self, client_factory_mock): ns.deployment.id) self.assertTrue(ns.deployment.properties.active) - @mock.patch('azext_spring._app_validator.cf_spring', autospec=True) + @mock.patch('azext_spring._app_validator.cf_spring_20220501preview', autospec=True) def test_deployment_with_active_deployment_for_app_parameter(self, client_factory_mock): client = mock.MagicMock() client.deployments.list.return_value = [ @@ -216,7 +216,7 @@ def test_deployment_with_active_deployment_for_app_parameter(self, client_factor ns.deployment.id) self.assertTrue(ns.deployment.properties.active) - @mock.patch('azext_spring._app_validator.cf_spring', autospec=True) + @mock.patch('azext_spring._app_validator.cf_spring_20220501preview', autospec=True) def test_deployment_without_active_deployment(self, client_factory_mock): client = mock.MagicMock() client.deployments.list.return_value = [ @@ -229,7 +229,7 @@ def test_deployment_without_active_deployment(self, client_factory_mock): fulfill_deployment_param(_get_test_cmd(), ns) self.assertEqual('No production deployment found, use --deployment to specify deployment or create deployment with: az spring app deployment create', str(context.exception)) - @mock.patch('azext_spring._app_validator.cf_spring', autospec=True) + @mock.patch('azext_spring._app_validator.cf_spring_20220501preview', autospec=True) def test_deployment_without_deployment(self, client_factory_mock): client = mock.MagicMock() client.deployments.list.return_value = [] diff --git a/src/spring/azext_spring/tests/latest/test_asa_application_accelerator.py b/src/spring/azext_spring/tests/latest/test_asa_application_accelerator.py index 0f7545c7451..52807bb086e 100644 --- a/src/spring/azext_spring/tests/latest/test_asa_application_accelerator.py +++ b/src/spring/azext_spring/tests/latest/test_asa_application_accelerator.py @@ -5,6 +5,8 @@ import json import unittest from azure.cli.testsdk import (ScenarioTest, record_only) +from azure.cli.core.azclierror import ResourceNotFoundError +from knack.util import CLIError from ...vendored_sdks.appplatform.v2022_11_01_preview import models from ...application_accelerator import (application_accelerator_create as create, application_accelerator_delete as delete) diff --git a/src/spring/azext_spring/tests/latest/test_asa_application_configuration_service.py b/src/spring/azext_spring/tests/latest/test_asa_application_configuration_service.py index 557793fed13..27d942329de 100644 --- a/src/spring/azext_spring/tests/latest/test_asa_application_configuration_service.py +++ b/src/spring/azext_spring/tests/latest/test_asa_application_configuration_service.py @@ -3,6 +3,8 @@ # Licensed under the MIT License. See License.txt in the project root for license information. # -------------------------------------------------------------------------------------------- +import os + from azure.cli.testsdk import (ScenarioTest, record_only) # pylint: disable=line-too-long diff --git a/src/spring/azext_spring/tests/latest/test_asa_application_live_view.py b/src/spring/azext_spring/tests/latest/test_asa_application_live_view.py index 8680498bb89..34a76706225 100644 --- a/src/spring/azext_spring/tests/latest/test_asa_application_live_view.py +++ b/src/spring/azext_spring/tests/latest/test_asa_application_live_view.py @@ -5,6 +5,8 @@ import json import unittest from azure.cli.testsdk import (ScenarioTest, record_only) +from azure.cli.core.azclierror import ResourceNotFoundError +from knack.util import CLIError from ...vendored_sdks.appplatform.v2022_11_01_preview import models from ...application_live_view import (create, delete) try: diff --git a/src/spring/azext_spring/tests/latest/test_asa_buildpack_binding.py b/src/spring/azext_spring/tests/latest/test_asa_buildpack_binding.py index 51028d5b0ab..61c3ac0cfa3 100644 --- a/src/spring/azext_spring/tests/latest/test_asa_buildpack_binding.py +++ b/src/spring/azext_spring/tests/latest/test_asa_buildpack_binding.py @@ -4,7 +4,9 @@ # -------------------------------------------------------------------------------------------- import os +import json from azure.cli.testsdk import (ScenarioTest, record_only) +from knack.log import get_logger # pylint: disable=line-too-long # pylint: disable=too-many-lines diff --git a/src/spring/azext_spring/tests/latest/test_asa_create.py b/src/spring/azext_spring/tests/latest/test_asa_create.py index 3ebf75970a6..c4999fe38e7 100644 --- a/src/spring/azext_spring/tests/latest/test_asa_create.py +++ b/src/spring/azext_spring/tests/latest/test_asa_create.py @@ -3,6 +3,9 @@ # Licensed under the MIT License. See License.txt in the project root for license information. # -------------------------------------------------------------------------------------------- import unittest +from azure.cli.core.azclierror import ResourceNotFoundError +from knack.util import CLIError +from msrestazure.tools import resource_id from ...vendored_sdks.appplatform.v2022_11_01_preview import models from ...spring_instance import (spring_create) from ..._utils import (_get_sku_name) diff --git a/src/spring/azext_spring/tests/latest/test_asa_customized_accelerator.py b/src/spring/azext_spring/tests/latest/test_asa_customized_accelerator.py index e49f6fea31a..17f8033fda9 100644 --- a/src/spring/azext_spring/tests/latest/test_asa_customized_accelerator.py +++ b/src/spring/azext_spring/tests/latest/test_asa_customized_accelerator.py @@ -3,6 +3,8 @@ # Licensed under the MIT License. See License.txt in the project root for license information. # -------------------------------------------------------------------------------------------- +import os + from azure.cli.testsdk import (ScenarioTest, record_only) # pylint: disable=line-too-long diff --git a/src/spring/azext_spring/tests/latest/test_asa_gateway.py b/src/spring/azext_spring/tests/latest/test_asa_gateway.py index d18fa4aeaaf..4f62b915d25 100644 --- a/src/spring/azext_spring/tests/latest/test_asa_gateway.py +++ b/src/spring/azext_spring/tests/latest/test_asa_gateway.py @@ -4,6 +4,8 @@ # -------------------------------------------------------------------------------------------- import os +import json +from azure.cli.core.mock import DummyCli from azure.cli.testsdk import (ScenarioTest, record_only) # pylint: disable=line-too-long diff --git a/src/spring/azext_spring/tests/latest/test_asa_predefined_accelerator.py b/src/spring/azext_spring/tests/latest/test_asa_predefined_accelerator.py index 8e2dc245423..62fa64e94b5 100644 --- a/src/spring/azext_spring/tests/latest/test_asa_predefined_accelerator.py +++ b/src/spring/azext_spring/tests/latest/test_asa_predefined_accelerator.py @@ -3,6 +3,8 @@ # Licensed under the MIT License. See License.txt in the project root for license information. # -------------------------------------------------------------------------------------------- +import os + from azure.cli.testsdk import (ScenarioTest, record_only) # pylint: disable=line-too-long diff --git a/src/spring/azext_spring/tests/latest/test_asa_scenario.py b/src/spring/azext_spring/tests/latest/test_asa_scenario.py index a96d12f1e5f..8f169cfff38 100644 --- a/src/spring/azext_spring/tests/latest/test_asa_scenario.py +++ b/src/spring/azext_spring/tests/latest/test_asa_scenario.py @@ -4,7 +4,9 @@ # -------------------------------------------------------------------------------------------- import os +import unittest +from knack.util import CLIError from azure.cli.testsdk import (ScenarioTest, ResourceGroupPreparer, StorageAccountPreparer, record_only) # pylint: disable=line-too-long diff --git a/src/spring/azext_spring/tests/latest/test_asa_service_registry.py b/src/spring/azext_spring/tests/latest/test_asa_service_registry.py index e72439ca4ff..6f937eb5bc1 100644 --- a/src/spring/azext_spring/tests/latest/test_asa_service_registry.py +++ b/src/spring/azext_spring/tests/latest/test_asa_service_registry.py @@ -3,6 +3,8 @@ # Licensed under the MIT License. See License.txt in the project root for license information. # -------------------------------------------------------------------------------------------- +import os + from azure.cli.testsdk import (ScenarioTest, record_only) # pylint: disable=line-too-long diff --git a/src/spring/azext_spring/tests/latest/test_asa_validator.py b/src/spring/azext_spring/tests/latest/test_asa_validator.py index 3f82d7bdc6a..1b80700c3a5 100644 --- a/src/spring/azext_spring/tests/latest/test_asa_validator.py +++ b/src/spring/azext_spring/tests/latest/test_asa_validator.py @@ -3,6 +3,7 @@ # Licensed under the MIT License. See License.txt in the project root for license information. # -------------------------------------------------------------------------------------------- import unittest +import copy from argparse import Namespace from azure.cli.core.util import CLIError from azure.cli.core.azclierror import InvalidArgumentValueError diff --git a/src/spring/setup.py b/src/spring/setup.py index b109b71803a..5e610ff902b 100644 --- a/src/spring/setup.py +++ b/src/spring/setup.py @@ -16,7 +16,7 @@ # TODO: Confirm this is the right version number you want and it matches your # HISTORY.rst entry. -VERSION = '1.6.7' +VERSION = '1.6.4' # The full list of classifiers is available at # https://pypi.python.org/pypi?%3Aaction=list_classifiers diff --git a/src/storage-blob-preview/azext_storage_blob_preview/_params.py b/src/storage-blob-preview/azext_storage_blob_preview/_params.py index 670d6a6cd90..3d4dc6a9959 100644 --- a/src/storage-blob-preview/azext_storage_blob_preview/_params.py +++ b/src/storage-blob-preview/azext_storage_blob_preview/_params.py @@ -343,6 +343,26 @@ def load_arguments(self, _): # pylint: disable=too-many-locals, too-many-statem c.extra('lease_id', help='Required if the blob has an active lease.', required=True) c.extra('if_tags_match_condition', tags_condition_type) + with self.argument_context('storage blob list') as c: + from .track2_util import get_include_help_string + t_blob_include = self.get_sdk('_generated.models._azure_blob_storage_enums#ListBlobsIncludeItem', + resource_type=CUSTOM_DATA_STORAGE_BLOB) + c.register_container_arguments() + c.argument('delimiter', + help='When the request includes this parameter, the operation returns a BlobPrefix element in the ' + 'result list that acts as a placeholder for all blobs whose names begin with the same substring ' + 'up to the appearance of the delimiter character. The delimiter may be a single character or a ' + 'string.') + c.argument('include', help="Specify one or more additional datasets to include in the response. " + "Options include: {}. Can be combined.".format(get_include_help_string(t_blob_include)), + validator=validate_included_datasets_v2) + c.argument('marker', arg_type=marker_type) + c.argument('num_results', arg_type=num_results_type) + c.argument('prefix', + help='Filter the results to return only blobs whose name begins with the specified prefix.') + c.argument('show_next_marker', action='store_true', is_preview=True, + help='Show nextMarker in result when specified.') + for item in ['show', 'update']: with self.argument_context('storage blob metadata {}'.format(item), resource_type=CUSTOM_DATA_STORAGE_BLOB) \ as c: diff --git a/src/storage-blob-preview/azext_storage_blob_preview/commands.py b/src/storage-blob-preview/azext_storage_blob_preview/commands.py index b461a970a01..eeec5e7f6d6 100644 --- a/src/storage-blob-preview/azext_storage_blob_preview/commands.py +++ b/src/storage-blob-preview/azext_storage_blob_preview/commands.py @@ -49,6 +49,9 @@ def get_custom_sdk(custom_module, client_factory, resource_type=ResourceType.DAT create_boolean_result_output_transformer, transform_blob_list_output from ._validators import (process_blob_download_batch_parameters, process_blob_delete_batch_parameters, process_blob_upload_batch_parameters) + g.storage_custom_command_oauth('list', 'list_blobs', client_factory=cf_container_client, + transform=transform_blob_list_output, + table_transformer=transform_blob_output) g.storage_command_oauth('delete', 'delete_blob') g.storage_custom_command_oauth('download', 'download_blob', transform=transform_blob_json_output) g.storage_command_oauth('exists', 'exists', transform=create_boolean_result_output_transformer('exists')) diff --git a/src/storage-blob-preview/azext_storage_blob_preview/operations/blob.py b/src/storage-blob-preview/azext_storage_blob_preview/operations/blob.py index 725181d9e9a..1d5881164be 100644 --- a/src/storage-blob-preview/azext_storage_blob_preview/operations/blob.py +++ b/src/storage-blob-preview/azext_storage_blob_preview/operations/blob.py @@ -537,6 +537,29 @@ def generate_sas_container_uri(client, cmd, container_name, permission=None, return sas_token +def list_blobs(client, delimiter=None, include=None, marker=None, num_results=None, prefix=None, + show_next_marker=None, **kwargs): + from ..track2_util import list_generator + + if delimiter: + generator = client.walk_blobs(name_starts_with=prefix, include=include, results_per_page=num_results, **kwargs) + else: + generator = client.list_blobs(name_starts_with=prefix, include=include, results_per_page=num_results, **kwargs) + + pages = generator.by_page(continuation_token=marker) # BlobPropertiesPaged + result = list_generator(pages=pages, num_results=num_results) + + if show_next_marker: + next_marker = {"nextMarker": pages.continuation_token} + result.append(next_marker) + else: + if pages.continuation_token: + logger.warning('Next Marker:') + logger.warning(pages.continuation_token) + + return result + + def list_containers(client, include_metadata=False, include_deleted=False, marker=None, num_results=None, prefix=None, show_next_marker=None, **kwargs): from ..track2_util import list_generator diff --git a/src/storage-preview/azext_storage_preview/__init__.py b/src/storage-preview/azext_storage_preview/__init__.py index e49bb29496e..69ffeb1ed41 100644 --- a/src/storage-preview/azext_storage_preview/__init__.py +++ b/src/storage-preview/azext_storage_preview/__init__.py @@ -128,10 +128,9 @@ def register_common_storage_account_options(self): help='Generate and assign a new Storage Account Identity for this storage account for use ' 'with key management services like Azure KeyVault.') self.argument('access_tier', arg_type=get_enum_type(t_access_tier), - help='Required for storage accounts where kind = BlobStorage. ' - 'The access tier is used for billing. The "Premium" access tier is the default value for ' - 'premium block blobs storage account type and it cannot be changed for ' - 'the premium block blobs storage account type.') + help='The access tier used for billing StandardBlob accounts. Cannot be set for StandardLRS, ' + 'StandardGRS, StandardRAGRS, or PremiumLRS account types. It is required for ' + 'StandardBlob accounts during creation') if t_encryption_services: encryption_choices = list( diff --git a/src/storage-preview/azext_storage_preview/_params.py b/src/storage-preview/azext_storage_preview/_params.py index 70edd99260d..12f95696cd0 100644 --- a/src/storage-preview/azext_storage_preview/_params.py +++ b/src/storage-preview/azext_storage_preview/_params.py @@ -532,6 +532,10 @@ def load_arguments(self, _): # pylint: disable=too-many-locals, too-many-statem 'the file owning group, and others. Both symbolic (rwxrw-rw-) and 4-digit ' 'octal notation (e.g. 0766) are supported.') + with self.argument_context('storage blob list') as c: + c.argument('include', validator=validate_included_datasets, default='mc') + c.argument('num_results', arg_type=num_results_type) + with self.argument_context('storage blob move') as c: from ._validators import validate_move_file c.argument('source_path', options_list=['--source-blob', '-s'], validator=validate_move_file, diff --git a/src/storage-preview/azext_storage_preview/commands.py b/src/storage-preview/azext_storage_preview/commands.py index 3f55da22e50..6055163604d 100644 --- a/src/storage-preview/azext_storage_preview/commands.py +++ b/src/storage-preview/azext_storage_preview/commands.py @@ -104,6 +104,15 @@ def _adls_deprecate_message(self): msg += " https://github.com/Azure/azure-cli/blob/dev/src/azure-cli/azure/cli/command_modules/storage/docs/ADLS%20Gen2.md" return msg + # Change existing Blob Commands + with self.command_group('storage blob', command_type=adls_base_blob_sdk) as g: + from ._format import transform_blob_output + from ._transformers import transform_storage_list_output + g.storage_command_oauth('list', 'list_blobs', transform=transform_storage_list_output, + table_transformer=transform_blob_output, + deprecate_info=self.deprecate(redirect="az storage fs file list", hide=True, + message_func=_adls_deprecate_message)) + # New Blob Commands with self.command_group('storage blob', command_type=adls_base_blob_sdk, custom_command_type=get_custom_sdk('blob', adls_blob_data_service_factory, diff --git a/src/storage-preview/azext_storage_preview/operations/blob.py b/src/storage-preview/azext_storage_preview/operations/blob.py index 1523c6b9fdb..e92121695e2 100644 --- a/src/storage-preview/azext_storage_preview/operations/blob.py +++ b/src/storage-preview/azext_storage_preview/operations/blob.py @@ -57,6 +57,12 @@ def delete_directory(client, container_name, directory_name): logger.info("Took {} call(s) to finish moving.".format(count)) +def list_blobs(client, container_name, prefix=None, num_results=None, include='mc', + delimiter=None, marker=None, timeout=None): + client.list_blobs(container_name, prefix, num_results, include, + delimiter, marker, timeout) + + def list_directory(client, container_name, directory_path, prefix=None, num_results=None, include='mc', delimiter=None, marker=None, timeout=None): ''' diff --git a/src/voice-service/HISTORY.rst b/src/voice-service/HISTORY.rst deleted file mode 100644 index 8c34bccfff8..00000000000 --- a/src/voice-service/HISTORY.rst +++ /dev/null @@ -1,8 +0,0 @@ -.. :changelog: - -Release History -=============== - -0.1.0 -++++++ -* Initial release. \ No newline at end of file diff --git a/src/voice-service/README.md b/src/voice-service/README.md deleted file mode 100644 index 0c729d02ddd..00000000000 --- a/src/voice-service/README.md +++ /dev/null @@ -1,62 +0,0 @@ -# Azure CLI VoiceService Extension # -This is an extension to Azure CLI to manage VoiceService resources. - -## How to use ## -Install this extension using the below CLI command -``` -az extension add --name voice-service -``` - -### Included Features ### -#### voice-service gateway #### -##### Create ##### -``` -az voice-service gateway create -n gateway-name -g rg --service-locations '[{name:useast,PrimaryRegionProperties:{operatorAddresses:[198.51.100.1],allowedSignalingSourceAddressPrefixes:[10.1.1.0/24],allowedMediaSourceAddressPrefixes:[10.1.2.0/24]}},{name:useast2,PrimaryRegionProperties:{operatorAddresses:[198.51.100.2],allowedSignalingSourceAddressPrefixes:[10.2.1.0/24],allowedMediaSourceAddressPrefixes:[10.2.2.0/24]}}]' --connectivity PublicAddress --codecs '[PCMA]' --e911-type Standard --platforms '[OperatorConnect]' - -``` -##### Show ##### -``` -az voice-service gateway show -n gateway-name -g rg -``` -##### List ##### -``` -az voice-service gateway list -g rg -``` -##### Update ##### -``` -az voice-service gateway update -n gateway-name -g rg --tags "{tag:test,tag2:test2}" -``` - -##### Delete ##### -``` -az voice-service gateway delete -n gateway-name -g rg -y -``` - -#### voice-service test-line #### -##### Create ##### -``` -az voice-service test-line create -n test-line-name -g rg --gateway-name gateway-name --phone-number "+1-555-1234" --purpose Automated - -``` -##### Show ##### -``` -az voice-service test-line show -n test-line-name --gateway-name gateway-name -g rg -``` -##### List ##### -``` -az voice-service test-line list -g rg --gateway-name gateway-name -``` -##### Update ##### -``` -az voice-service test-line update -n test-line-name -g rg --gateway-name gateway-name --tags "{tag:test,tag2:test2}" -``` - -##### Delete ##### -``` -az voice-service test-line delete -n test-line-name -g rg --gateway-name gateway-name -y -``` - -#### voice-service check-name-availability #### -``` -az voice-service check-name-availability -l centraluseuap --name voicenametest --type microsoft.voiceservices/communicationsgateways/testlines -``` diff --git a/src/voice-service/azext_voice_service/__init__.py b/src/voice-service/azext_voice_service/__init__.py deleted file mode 100644 index 74808adfe69..00000000000 --- a/src/voice-service/azext_voice_service/__init__.py +++ /dev/null @@ -1,42 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- - -from azure.cli.core import AzCommandsLoader -from azext_voice_service._help import helps # pylint: disable=unused-import - - -class VoiceServiceCommandsLoader(AzCommandsLoader): - - def __init__(self, cli_ctx=None): - from azure.cli.core.commands import CliCommandType - custom_command_type = CliCommandType( - operations_tmpl='azext_voice_service.custom#{}') - super().__init__(cli_ctx=cli_ctx, - custom_command_type=custom_command_type) - - def load_command_table(self, args): - from azext_voice_service.commands import load_command_table - from azure.cli.core.aaz import load_aaz_command_table - try: - from . import aaz - except ImportError: - aaz = None - if aaz: - load_aaz_command_table( - loader=self, - aaz_pkg_name=aaz.__name__, - args=args - ) - load_command_table(self, args) - return self.command_table - - def load_arguments(self, command): - from azext_voice_service._params import load_arguments - load_arguments(self, command) - - -COMMAND_LOADER_CLS = VoiceServiceCommandsLoader diff --git a/src/voice-service/azext_voice_service/_help.py b/src/voice-service/azext_voice_service/_help.py deleted file mode 100644 index 126d5d00714..00000000000 --- a/src/voice-service/azext_voice_service/_help.py +++ /dev/null @@ -1,11 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- - -# pylint: disable=line-too-long -# pylint: disable=too-many-lines - -from knack.help_files import helps # pylint: disable=unused-import diff --git a/src/voice-service/azext_voice_service/_params.py b/src/voice-service/azext_voice_service/_params.py deleted file mode 100644 index cfcec717c9c..00000000000 --- a/src/voice-service/azext_voice_service/_params.py +++ /dev/null @@ -1,13 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- - -# pylint: disable=too-many-lines -# pylint: disable=too-many-statements - - -def load_arguments(self, _): # pylint: disable=unused-argument - pass diff --git a/src/voice-service/azext_voice_service/aaz/__init__.py b/src/voice-service/azext_voice_service/aaz/__init__.py deleted file mode 100644 index 5757aea3175..00000000000 --- a/src/voice-service/azext_voice_service/aaz/__init__.py +++ /dev/null @@ -1,6 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- diff --git a/src/voice-service/azext_voice_service/aaz/latest/__init__.py b/src/voice-service/azext_voice_service/aaz/latest/__init__.py deleted file mode 100644 index 5757aea3175..00000000000 --- a/src/voice-service/azext_voice_service/aaz/latest/__init__.py +++ /dev/null @@ -1,6 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- diff --git a/src/voice-service/azext_voice_service/aaz/latest/voice_service/__cmd_group.py b/src/voice-service/azext_voice_service/aaz/latest/voice_service/__cmd_group.py deleted file mode 100644 index ffa43a061c8..00000000000 --- a/src/voice-service/azext_voice_service/aaz/latest/voice_service/__cmd_group.py +++ /dev/null @@ -1,23 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- - -# pylint: skip-file -# flake8: noqa - -from azure.cli.core.aaz import * - - -@register_command_group( - "voice-service", -) -class __CMDGroup(AAZCommandGroup): - """Manage voice services - """ - pass - - -__all__ = ["__CMDGroup"] diff --git a/src/voice-service/azext_voice_service/aaz/latest/voice_service/__init__.py b/src/voice-service/azext_voice_service/aaz/latest/voice_service/__init__.py deleted file mode 100644 index be757259c47..00000000000 --- a/src/voice-service/azext_voice_service/aaz/latest/voice_service/__init__.py +++ /dev/null @@ -1,12 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- - -# pylint: skip-file -# flake8: noqa - -from .__cmd_group import * -from ._check_name_availability import * diff --git a/src/voice-service/azext_voice_service/aaz/latest/voice_service/_check_name_availability.py b/src/voice-service/azext_voice_service/aaz/latest/voice_service/_check_name_availability.py deleted file mode 100644 index eb8c58f3747..00000000000 --- a/src/voice-service/azext_voice_service/aaz/latest/voice_service/_check_name_availability.py +++ /dev/null @@ -1,189 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- - -# pylint: skip-file -# flake8: noqa - -from azure.cli.core.aaz import * - - -@register_command( - "voice-service check-name-availability", -) -class CheckNameAvailability(AAZCommand): - """Check whether the resource name is available in the given region. - - :example: check name availability - az voice-service check-name-availability -l centraluseuap --name voicenametest --type microsoft.voiceservices/communicationsgateways/testlines - """ - - _aaz_info = { - "version": "2023-01-31", - "resources": [ - ["mgmt-plane", "/subscriptions/{}/providers/microsoft.voiceservices/locations/{}/checknameavailability", "2023-01-31"], - ] - } - - def _handler(self, command_args): - super()._handler(command_args) - self._execute_operations() - return self._output() - - _args_schema = None - - @classmethod - def _build_arguments_schema(cls, *args, **kwargs): - if cls._args_schema is not None: - return cls._args_schema - cls._args_schema = super()._build_arguments_schema(*args, **kwargs) - - # define Arg Group "" - - _args_schema = cls._args_schema - _args_schema.location = AAZResourceLocationArg( - required=True, - id_part="name", - ) - - # define Arg Group "Body" - - _args_schema = cls._args_schema - _args_schema.name = AAZStrArg( - options=["--name"], - arg_group="Body", - help="The name of the resource for which availability needs to be checked.", - ) - _args_schema.type = AAZStrArg( - options=["--type"], - arg_group="Body", - help="The resource type.", - ) - return cls._args_schema - - def _execute_operations(self): - self.pre_operations() - self.NameAvailabilityCheckLocal(ctx=self.ctx)() - self.post_operations() - - @register_callback - def pre_operations(self): - pass - - @register_callback - def post_operations(self): - pass - - def _output(self, *args, **kwargs): - result = self.deserialize_output(self.ctx.vars.instance, client_flatten=True) - return result - - class NameAvailabilityCheckLocal(AAZHttpOperation): - CLIENT_TYPE = "MgmtClient" - - def __call__(self, *args, **kwargs): - request = self.make_request() - session = self.client.send_request(request=request, stream=False, **kwargs) - if session.http_response.status_code in [200]: - return self.on_200(session) - - return self.on_error(session.http_response) - - @property - def url(self): - return self.client.format_url( - "/subscriptions/{subscriptionId}/providers/Microsoft.VoiceServices/locations/{location}/checkNameAvailability", - **self.url_parameters - ) - - @property - def method(self): - return "POST" - - @property - def error_format(self): - return "MgmtErrorFormat" - - @property - def url_parameters(self): - parameters = { - **self.serialize_url_param( - "location", self.ctx.args.location, - required=True, - ), - **self.serialize_url_param( - "subscriptionId", self.ctx.subscription_id, - required=True, - ), - } - return parameters - - @property - def query_parameters(self): - parameters = { - **self.serialize_query_param( - "api-version", "2023-01-31", - required=True, - ), - } - return parameters - - @property - def header_parameters(self): - parameters = { - **self.serialize_header_param( - "Content-Type", "application/json", - ), - **self.serialize_header_param( - "Accept", "application/json", - ), - } - return parameters - - @property - def content(self): - _content_value, _builder = self.new_content_builder( - self.ctx.args, - typ=AAZObjectType, - typ_kwargs={"flags": {"required": True, "client_flatten": True}} - ) - _builder.set_prop("name", AAZStrType, ".name") - _builder.set_prop("type", AAZStrType, ".type") - - return self.serialize_content(_content_value) - - def on_200(self, session): - data = self.deserialize_http_content(session) - self.ctx.set_var( - "instance", - data, - schema_builder=self._build_schema_on_200 - ) - - _schema_on_200 = None - - @classmethod - def _build_schema_on_200(cls): - if cls._schema_on_200 is not None: - return cls._schema_on_200 - - cls._schema_on_200 = AAZObjectType() - - _schema_on_200 = cls._schema_on_200 - _schema_on_200.message = AAZStrType() - _schema_on_200.name_available = AAZBoolType( - serialized_name="nameAvailable", - ) - _schema_on_200.reason = AAZStrType() - - return cls._schema_on_200 - - -class _CheckNameAvailabilityHelper: - """Helper class for CheckNameAvailability""" - - -__all__ = ["CheckNameAvailability"] diff --git a/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/__cmd_group.py b/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/__cmd_group.py deleted file mode 100644 index eb7e28d94e1..00000000000 --- a/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/__cmd_group.py +++ /dev/null @@ -1,23 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- - -# pylint: skip-file -# flake8: noqa - -from azure.cli.core.aaz import * - - -@register_command_group( - "voice-service gateway", -) -class __CMDGroup(AAZCommandGroup): - """Manage communications gateway - """ - pass - - -__all__ = ["__CMDGroup"] diff --git a/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/__init__.py b/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/__init__.py deleted file mode 100644 index db73033039b..00000000000 --- a/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/__init__.py +++ /dev/null @@ -1,17 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- - -# pylint: skip-file -# flake8: noqa - -from .__cmd_group import * -from ._create import * -from ._delete import * -from ._list import * -from ._show import * -from ._update import * -from ._wait import * diff --git a/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_create.py b/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_create.py deleted file mode 100644 index 9047c042e5f..00000000000 --- a/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_create.py +++ /dev/null @@ -1,525 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- - -# pylint: skip-file -# flake8: noqa - -from azure.cli.core.aaz import * - - -@register_command( - "voice-service gateway create", -) -class Create(AAZCommand): - """Create a communications gateway - - :example: Create gateway - az voice-service gateway create -n gw1 -g voicetest --service-locations "[{name:useast,PrimaryRegionProperties:{operatorAddresses:[198.51.100.1],allowedSignalingSourceAddressPrefixes:[10.1.1.0/24],allowedMediaSourceAddressPrefixes:[10.1.2.0/24]}},{name:useast2,PrimaryRegionProperties:{operatorAddresses:[198.51.100.2],allowedSignalingSourceAddressPrefixes:[10.2.1.0/24],allowedMediaSourceAddressPrefixes:[10.2.2.0/24]}}]" --connectivity PublicAddress --codecs "[PCMA]" --e911-type Standard --platforms "[OperatorConnect]" - """ - - _aaz_info = { - "version": "2023-01-31", - "resources": [ - ["mgmt-plane", "/subscriptions/{}/resourcegroups/{}/providers/microsoft.voiceservices/communicationsgateways/{}", "2023-01-31"], - ] - } - - AZ_SUPPORT_NO_WAIT = True - - def _handler(self, command_args): - super()._handler(command_args) - return self.build_lro_poller(self._execute_operations, self._output) - - _args_schema = None - - @classmethod - def _build_arguments_schema(cls, *args, **kwargs): - if cls._args_schema is not None: - return cls._args_schema - cls._args_schema = super()._build_arguments_schema(*args, **kwargs) - - # define Arg Group "" - - _args_schema = cls._args_schema - _args_schema.gateway_name = AAZStrArg( - options=["-n", "--name", "--gateway-name"], - help="Unique identifier for this deployment", - required=True, - fmt=AAZStrArgFormat( - pattern="^[a-zA-Z0-9-]{3,24}$", - ), - ) - _args_schema.resource_group = AAZResourceGroupNameArg( - required=True, - ) - - # define Arg Group "Properties" - - _args_schema = cls._args_schema - _args_schema.domain_scope = AAZStrArg( - options=["--domain-scope"], - arg_group="Properties", - help="The scope at which the auto-generated domain name can be re-used", - default="TenantReuse", - enum={"NoReuse": "NoReuse", "ResourceGroupReuse": "ResourceGroupReuse", "SubscriptionReuse": "SubscriptionReuse", "TenantReuse": "TenantReuse"}, - ) - _args_schema.codecs = AAZListArg( - options=["--codecs"], - arg_group="Properties", - help="Voice codecs to support", - ) - _args_schema.connectivity = AAZStrArg( - options=["--connectivity"], - arg_group="Properties", - help="How to connect back to the operator network, e.g. MAPS", - enum={"PublicAddress": "PublicAddress"}, - ) - _args_schema.e911_type = AAZStrArg( - options=["--e911-type"], - arg_group="Properties", - help="How to handle 911 calls", - enum={"DirectToEsrp": "DirectToEsrp", "Standard": "Standard"}, - ) - _args_schema.emergency_dial_strings = AAZListArg( - options=["--emergency-dial-strings"], - arg_group="Properties", - help="A list of dial strings used for emergency calling.", - default=["911", "933"], - ) - _args_schema.on_prem_mcp_enabled = AAZBoolArg( - options=["--on-prem-mcp-enabled"], - arg_group="Properties", - help="Whether an on-premises Mobile Control Point is in use.", - default=False, - ) - _args_schema.platforms = AAZListArg( - options=["--platforms"], - arg_group="Properties", - help="What platforms to support", - ) - _args_schema.service_locations = AAZListArg( - options=["--service-locations"], - arg_group="Properties", - help="The regions in which to deploy the resources needed for Teams Calling", - ) - _args_schema.teams_voicemail = AAZStrArg( - options=["--teams-voicemail"], - arg_group="Properties", - help="This number is used in Teams Phone Mobile scenarios for access to the voicemail IVR from the native dialer.", - ) - - codecs = cls._args_schema.codecs - codecs.Element = AAZStrArg( - enum={"G722": "G722", "G722_2": "G722_2", "PCMA": "PCMA", "PCMU": "PCMU", "SILK_16": "SILK_16", "SILK_8": "SILK_8"}, - ) - - emergency_dial_strings = cls._args_schema.emergency_dial_strings - emergency_dial_strings.Element = AAZStrArg() - - platforms = cls._args_schema.platforms - platforms.Element = AAZStrArg( - enum={"OperatorConnect": "OperatorConnect", "TeamsPhoneMobile": "TeamsPhoneMobile"}, - ) - - service_locations = cls._args_schema.service_locations - service_locations.Element = AAZObjectArg() - - _element = cls._args_schema.service_locations.Element - _element.name = AAZStrArg( - options=["name"], - help="The name of the region in which the resources needed for Teams Calling will be deployed.", - required=True, - ) - _element.primary_region_properties = AAZObjectArg( - options=["primary-region-properties"], - help="The configuration used in this region as primary, and other regions as backup.", - required=True, - ) - - primary_region_properties = cls._args_schema.service_locations.Element.primary_region_properties - primary_region_properties.allowed_media_source_address_prefixes = AAZListArg( - options=["allowed-media-source-address-prefixes"], - help="The allowed source IP address or CIDR ranges for media", - default=[], - ) - primary_region_properties.allowed_signaling_source_address_prefixes = AAZListArg( - options=["allowed-signaling-source-address-prefixes"], - help="The allowed source IP address or CIDR ranges for signaling", - default=[], - ) - primary_region_properties.esrp_addresses = AAZListArg( - options=["esrp-addresses"], - help="IP address to use to contact the ESRP from this region", - ) - primary_region_properties.operator_addresses = AAZListArg( - options=["operator-addresses"], - help="IP address to use to contact the operator network from this region", - required=True, - ) - - allowed_media_source_address_prefixes = cls._args_schema.service_locations.Element.primary_region_properties.allowed_media_source_address_prefixes - allowed_media_source_address_prefixes.Element = AAZStrArg() - - allowed_signaling_source_address_prefixes = cls._args_schema.service_locations.Element.primary_region_properties.allowed_signaling_source_address_prefixes - allowed_signaling_source_address_prefixes.Element = AAZStrArg() - - esrp_addresses = cls._args_schema.service_locations.Element.primary_region_properties.esrp_addresses - esrp_addresses.Element = AAZStrArg() - - operator_addresses = cls._args_schema.service_locations.Element.primary_region_properties.operator_addresses - operator_addresses.Element = AAZStrArg() - - # define Arg Group "Resource" - - _args_schema = cls._args_schema - _args_schema.location = AAZResourceLocationArg( - arg_group="Resource", - help="The geo-location where the resource lives", - required=True, - fmt=AAZResourceLocationArgFormat( - resource_group_arg="resource_group", - ), - ) - _args_schema.tags = AAZDictArg( - options=["--tags"], - arg_group="Resource", - help="Resource tags.", - ) - - tags = cls._args_schema.tags - tags.Element = AAZStrArg() - return cls._args_schema - - def _execute_operations(self): - self.pre_operations() - yield self.CommunicationsGatewaysCreateOrUpdate(ctx=self.ctx)() - self.post_operations() - - @register_callback - def pre_operations(self): - pass - - @register_callback - def post_operations(self): - pass - - def _output(self, *args, **kwargs): - result = self.deserialize_output(self.ctx.vars.instance, client_flatten=True) - return result - - class CommunicationsGatewaysCreateOrUpdate(AAZHttpOperation): - CLIENT_TYPE = "MgmtClient" - - def __call__(self, *args, **kwargs): - request = self.make_request() - session = self.client.send_request(request=request, stream=False, **kwargs) - if session.http_response.status_code in [202]: - return self.client.build_lro_polling( - self.ctx.args.no_wait, - session, - self.on_200_201, - self.on_error, - lro_options={"final-state-via": "azure-async-operation"}, - path_format_arguments=self.url_parameters, - ) - if session.http_response.status_code in [200, 201]: - return self.client.build_lro_polling( - self.ctx.args.no_wait, - session, - self.on_200_201, - self.on_error, - lro_options={"final-state-via": "azure-async-operation"}, - path_format_arguments=self.url_parameters, - ) - - return self.on_error(session.http_response) - - @property - def url(self): - return self.client.format_url( - "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}", - **self.url_parameters - ) - - @property - def method(self): - return "PUT" - - @property - def error_format(self): - return "MgmtErrorFormat" - - @property - def url_parameters(self): - parameters = { - **self.serialize_url_param( - "communicationsGatewayName", self.ctx.args.gateway_name, - required=True, - ), - **self.serialize_url_param( - "resourceGroupName", self.ctx.args.resource_group, - required=True, - ), - **self.serialize_url_param( - "subscriptionId", self.ctx.subscription_id, - required=True, - ), - } - return parameters - - @property - def query_parameters(self): - parameters = { - **self.serialize_query_param( - "api-version", "2023-01-31", - required=True, - ), - } - return parameters - - @property - def header_parameters(self): - parameters = { - **self.serialize_header_param( - "Content-Type", "application/json", - ), - **self.serialize_header_param( - "Accept", "application/json", - ), - } - return parameters - - @property - def content(self): - _content_value, _builder = self.new_content_builder( - self.ctx.args, - typ=AAZObjectType, - typ_kwargs={"flags": {"required": True, "client_flatten": True}} - ) - _builder.set_prop("location", AAZStrType, ".location", typ_kwargs={"flags": {"required": True}}) - _builder.set_prop("properties", AAZObjectType, typ_kwargs={"flags": {"client_flatten": True}}) - _builder.set_prop("tags", AAZDictType, ".tags") - - properties = _builder.get(".properties") - if properties is not None: - properties.set_prop("autoGeneratedDomainNameLabelScope", AAZStrType, ".domain_scope") - properties.set_prop("codecs", AAZListType, ".codecs", typ_kwargs={"flags": {"required": True}}) - properties.set_prop("connectivity", AAZStrType, ".connectivity", typ_kwargs={"flags": {"required": True}}) - properties.set_prop("e911Type", AAZStrType, ".e911_type", typ_kwargs={"flags": {"required": True}}) - properties.set_prop("emergencyDialStrings", AAZListType, ".emergency_dial_strings") - properties.set_prop("onPremMcpEnabled", AAZBoolType, ".on_prem_mcp_enabled") - properties.set_prop("platforms", AAZListType, ".platforms", typ_kwargs={"flags": {"required": True}}) - properties.set_prop("serviceLocations", AAZListType, ".service_locations", typ_kwargs={"flags": {"required": True}}) - properties.set_prop("teamsVoicemailPilotNumber", AAZStrType, ".teams_voicemail") - - codecs = _builder.get(".properties.codecs") - if codecs is not None: - codecs.set_elements(AAZStrType, ".") - - emergency_dial_strings = _builder.get(".properties.emergencyDialStrings") - if emergency_dial_strings is not None: - emergency_dial_strings.set_elements(AAZStrType, ".") - - platforms = _builder.get(".properties.platforms") - if platforms is not None: - platforms.set_elements(AAZStrType, ".") - - service_locations = _builder.get(".properties.serviceLocations") - if service_locations is not None: - service_locations.set_elements(AAZObjectType, ".") - - _elements = _builder.get(".properties.serviceLocations[]") - if _elements is not None: - _elements.set_prop("name", AAZStrType, ".name", typ_kwargs={"flags": {"required": True}}) - _elements.set_prop("primaryRegionProperties", AAZObjectType, ".primary_region_properties", typ_kwargs={"flags": {"required": True}}) - - primary_region_properties = _builder.get(".properties.serviceLocations[].primaryRegionProperties") - if primary_region_properties is not None: - primary_region_properties.set_prop("allowedMediaSourceAddressPrefixes", AAZListType, ".allowed_media_source_address_prefixes") - primary_region_properties.set_prop("allowedSignalingSourceAddressPrefixes", AAZListType, ".allowed_signaling_source_address_prefixes") - primary_region_properties.set_prop("esrpAddresses", AAZListType, ".esrp_addresses") - primary_region_properties.set_prop("operatorAddresses", AAZListType, ".operator_addresses", typ_kwargs={"flags": {"required": True}}) - - allowed_media_source_address_prefixes = _builder.get(".properties.serviceLocations[].primaryRegionProperties.allowedMediaSourceAddressPrefixes") - if allowed_media_source_address_prefixes is not None: - allowed_media_source_address_prefixes.set_elements(AAZStrType, ".") - - allowed_signaling_source_address_prefixes = _builder.get(".properties.serviceLocations[].primaryRegionProperties.allowedSignalingSourceAddressPrefixes") - if allowed_signaling_source_address_prefixes is not None: - allowed_signaling_source_address_prefixes.set_elements(AAZStrType, ".") - - esrp_addresses = _builder.get(".properties.serviceLocations[].primaryRegionProperties.esrpAddresses") - if esrp_addresses is not None: - esrp_addresses.set_elements(AAZStrType, ".") - - operator_addresses = _builder.get(".properties.serviceLocations[].primaryRegionProperties.operatorAddresses") - if operator_addresses is not None: - operator_addresses.set_elements(AAZStrType, ".") - - tags = _builder.get(".tags") - if tags is not None: - tags.set_elements(AAZStrType, ".") - - return self.serialize_content(_content_value) - - def on_200_201(self, session): - data = self.deserialize_http_content(session) - self.ctx.set_var( - "instance", - data, - schema_builder=self._build_schema_on_200_201 - ) - - _schema_on_200_201 = None - - @classmethod - def _build_schema_on_200_201(cls): - if cls._schema_on_200_201 is not None: - return cls._schema_on_200_201 - - cls._schema_on_200_201 = AAZObjectType() - - _schema_on_200_201 = cls._schema_on_200_201 - _schema_on_200_201.id = AAZStrType( - flags={"read_only": True}, - ) - _schema_on_200_201.location = AAZStrType( - flags={"required": True}, - ) - _schema_on_200_201.name = AAZStrType( - flags={"read_only": True}, - ) - _schema_on_200_201.properties = AAZObjectType( - flags={"client_flatten": True}, - ) - _schema_on_200_201.system_data = AAZObjectType( - serialized_name="systemData", - flags={"read_only": True}, - ) - _schema_on_200_201.tags = AAZDictType() - _schema_on_200_201.type = AAZStrType( - flags={"read_only": True}, - ) - - properties = cls._schema_on_200_201.properties - properties.auto_generated_domain_name_label = AAZStrType( - serialized_name="autoGeneratedDomainNameLabel", - flags={"read_only": True}, - ) - properties.auto_generated_domain_name_label_scope = AAZStrType( - serialized_name="autoGeneratedDomainNameLabelScope", - ) - properties.codecs = AAZListType( - flags={"required": True}, - ) - properties.connectivity = AAZStrType( - flags={"required": True}, - ) - properties.e911_type = AAZStrType( - serialized_name="e911Type", - flags={"required": True}, - ) - properties.emergency_dial_strings = AAZListType( - serialized_name="emergencyDialStrings", - ) - properties.on_prem_mcp_enabled = AAZBoolType( - serialized_name="onPremMcpEnabled", - ) - properties.platforms = AAZListType( - flags={"required": True}, - ) - properties.provisioning_state = AAZStrType( - serialized_name="provisioningState", - ) - properties.service_locations = AAZListType( - serialized_name="serviceLocations", - flags={"required": True}, - ) - properties.status = AAZStrType() - properties.teams_voicemail_pilot_number = AAZStrType( - serialized_name="teamsVoicemailPilotNumber", - ) - - codecs = cls._schema_on_200_201.properties.codecs - codecs.Element = AAZStrType() - - emergency_dial_strings = cls._schema_on_200_201.properties.emergency_dial_strings - emergency_dial_strings.Element = AAZStrType() - - platforms = cls._schema_on_200_201.properties.platforms - platforms.Element = AAZStrType() - - service_locations = cls._schema_on_200_201.properties.service_locations - service_locations.Element = AAZObjectType() - - _element = cls._schema_on_200_201.properties.service_locations.Element - _element.name = AAZStrType( - flags={"required": True}, - ) - _element.primary_region_properties = AAZObjectType( - serialized_name="primaryRegionProperties", - flags={"required": True}, - ) - - primary_region_properties = cls._schema_on_200_201.properties.service_locations.Element.primary_region_properties - primary_region_properties.allowed_media_source_address_prefixes = AAZListType( - serialized_name="allowedMediaSourceAddressPrefixes", - ) - primary_region_properties.allowed_signaling_source_address_prefixes = AAZListType( - serialized_name="allowedSignalingSourceAddressPrefixes", - ) - primary_region_properties.esrp_addresses = AAZListType( - serialized_name="esrpAddresses", - ) - primary_region_properties.operator_addresses = AAZListType( - serialized_name="operatorAddresses", - flags={"required": True}, - ) - - allowed_media_source_address_prefixes = cls._schema_on_200_201.properties.service_locations.Element.primary_region_properties.allowed_media_source_address_prefixes - allowed_media_source_address_prefixes.Element = AAZStrType() - - allowed_signaling_source_address_prefixes = cls._schema_on_200_201.properties.service_locations.Element.primary_region_properties.allowed_signaling_source_address_prefixes - allowed_signaling_source_address_prefixes.Element = AAZStrType() - - esrp_addresses = cls._schema_on_200_201.properties.service_locations.Element.primary_region_properties.esrp_addresses - esrp_addresses.Element = AAZStrType() - - operator_addresses = cls._schema_on_200_201.properties.service_locations.Element.primary_region_properties.operator_addresses - operator_addresses.Element = AAZStrType() - - system_data = cls._schema_on_200_201.system_data - system_data.created_at = AAZStrType( - serialized_name="createdAt", - ) - system_data.created_by = AAZStrType( - serialized_name="createdBy", - ) - system_data.created_by_type = AAZStrType( - serialized_name="createdByType", - ) - system_data.last_modified_at = AAZStrType( - serialized_name="lastModifiedAt", - ) - system_data.last_modified_by = AAZStrType( - serialized_name="lastModifiedBy", - ) - system_data.last_modified_by_type = AAZStrType( - serialized_name="lastModifiedByType", - ) - - tags = cls._schema_on_200_201.tags - tags.Element = AAZStrType() - - return cls._schema_on_200_201 - - -class _CreateHelper: - """Helper class for Create""" - - -__all__ = ["Create"] diff --git a/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_delete.py b/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_delete.py deleted file mode 100644 index ca4215acb87..00000000000 --- a/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_delete.py +++ /dev/null @@ -1,166 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- - -# pylint: skip-file -# flake8: noqa - -from azure.cli.core.aaz import * - - -@register_command( - "voice-service gateway delete", - confirmation="Are you sure you want to perform this operation?", -) -class Delete(AAZCommand): - """Delete a communications gateway - - :example: Delete gateway - az voice-service gateway delete -n gateway-name -g rg -y - """ - - _aaz_info = { - "version": "2023-01-31", - "resources": [ - ["mgmt-plane", "/subscriptions/{}/resourcegroups/{}/providers/microsoft.voiceservices/communicationsgateways/{}", "2023-01-31"], - ] - } - - AZ_SUPPORT_NO_WAIT = True - - def _handler(self, command_args): - super()._handler(command_args) - return self.build_lro_poller(self._execute_operations, None) - - _args_schema = None - - @classmethod - def _build_arguments_schema(cls, *args, **kwargs): - if cls._args_schema is not None: - return cls._args_schema - cls._args_schema = super()._build_arguments_schema(*args, **kwargs) - - # define Arg Group "" - - _args_schema = cls._args_schema - _args_schema.gateway_name = AAZStrArg( - options=["-n", "--name", "--gateway-name"], - help="Unique identifier for this deployment", - required=True, - id_part="name", - fmt=AAZStrArgFormat( - pattern="^[a-zA-Z0-9-]{3,24}$", - ), - ) - _args_schema.resource_group = AAZResourceGroupNameArg( - required=True, - ) - return cls._args_schema - - def _execute_operations(self): - self.pre_operations() - yield self.CommunicationsGatewaysDelete(ctx=self.ctx)() - self.post_operations() - - @register_callback - def pre_operations(self): - pass - - @register_callback - def post_operations(self): - pass - - class CommunicationsGatewaysDelete(AAZHttpOperation): - CLIENT_TYPE = "MgmtClient" - - def __call__(self, *args, **kwargs): - request = self.make_request() - session = self.client.send_request(request=request, stream=False, **kwargs) - if session.http_response.status_code in [202]: - return self.client.build_lro_polling( - self.ctx.args.no_wait, - session, - self.on_200, - self.on_error, - lro_options={"final-state-via": "azure-async-operation"}, - path_format_arguments=self.url_parameters, - ) - if session.http_response.status_code in [200]: - return self.client.build_lro_polling( - self.ctx.args.no_wait, - session, - self.on_200, - self.on_error, - lro_options={"final-state-via": "azure-async-operation"}, - path_format_arguments=self.url_parameters, - ) - if session.http_response.status_code in [204]: - return self.client.build_lro_polling( - self.ctx.args.no_wait, - session, - self.on_204, - self.on_error, - lro_options={"final-state-via": "azure-async-operation"}, - path_format_arguments=self.url_parameters, - ) - - return self.on_error(session.http_response) - - @property - def url(self): - return self.client.format_url( - "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}", - **self.url_parameters - ) - - @property - def method(self): - return "DELETE" - - @property - def error_format(self): - return "MgmtErrorFormat" - - @property - def url_parameters(self): - parameters = { - **self.serialize_url_param( - "communicationsGatewayName", self.ctx.args.gateway_name, - required=True, - ), - **self.serialize_url_param( - "resourceGroupName", self.ctx.args.resource_group, - required=True, - ), - **self.serialize_url_param( - "subscriptionId", self.ctx.subscription_id, - required=True, - ), - } - return parameters - - @property - def query_parameters(self): - parameters = { - **self.serialize_query_param( - "api-version", "2023-01-31", - required=True, - ), - } - return parameters - - def on_200(self, session): - pass - - def on_204(self, session): - pass - - -class _DeleteHelper: - """Helper class for Delete""" - - -__all__ = ["Delete"] diff --git a/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_list.py b/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_list.py deleted file mode 100644 index e8d3ebdae4e..00000000000 --- a/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_list.py +++ /dev/null @@ -1,516 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- - -# pylint: skip-file -# flake8: noqa - -from azure.cli.core.aaz import * - - -@register_command( - "voice-service gateway list", -) -class List(AAZCommand): - """List communications gateway resources by resource group - - :example: List gateway by resource group - az voice-service gateway list -g rg - """ - - _aaz_info = { - "version": "2023-01-31", - "resources": [ - ["mgmt-plane", "/subscriptions/{}/providers/microsoft.voiceservices/communicationsgateways", "2023-01-31"], - ["mgmt-plane", "/subscriptions/{}/resourcegroups/{}/providers/microsoft.voiceservices/communicationsgateways", "2023-01-31"], - ] - } - - def _handler(self, command_args): - super()._handler(command_args) - return self.build_paging(self._execute_operations, self._output) - - _args_schema = None - - @classmethod - def _build_arguments_schema(cls, *args, **kwargs): - if cls._args_schema is not None: - return cls._args_schema - cls._args_schema = super()._build_arguments_schema(*args, **kwargs) - - # define Arg Group "" - - _args_schema = cls._args_schema - _args_schema.resource_group = AAZResourceGroupNameArg() - return cls._args_schema - - def _execute_operations(self): - self.pre_operations() - condition_0 = has_value(self.ctx.args.resource_group) and has_value(self.ctx.subscription_id) - condition_1 = has_value(self.ctx.subscription_id) and has_value(self.ctx.args.resource_group) is not True - if condition_0: - self.CommunicationsGatewaysListByResourceGroup(ctx=self.ctx)() - if condition_1: - self.CommunicationsGatewaysListBySubscription(ctx=self.ctx)() - self.post_operations() - - @register_callback - def pre_operations(self): - pass - - @register_callback - def post_operations(self): - pass - - def _output(self, *args, **kwargs): - result = self.deserialize_output(self.ctx.vars.instance.value, client_flatten=True) - next_link = self.deserialize_output(self.ctx.vars.instance.next_link) - return result, next_link - - class CommunicationsGatewaysListByResourceGroup(AAZHttpOperation): - CLIENT_TYPE = "MgmtClient" - - def __call__(self, *args, **kwargs): - request = self.make_request() - session = self.client.send_request(request=request, stream=False, **kwargs) - if session.http_response.status_code in [200]: - return self.on_200(session) - - return self.on_error(session.http_response) - - @property - def url(self): - return self.client.format_url( - "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways", - **self.url_parameters - ) - - @property - def method(self): - return "GET" - - @property - def error_format(self): - return "MgmtErrorFormat" - - @property - def url_parameters(self): - parameters = { - **self.serialize_url_param( - "resourceGroupName", self.ctx.args.resource_group, - required=True, - ), - **self.serialize_url_param( - "subscriptionId", self.ctx.subscription_id, - required=True, - ), - } - return parameters - - @property - def query_parameters(self): - parameters = { - **self.serialize_query_param( - "api-version", "2023-01-31", - required=True, - ), - } - return parameters - - @property - def header_parameters(self): - parameters = { - **self.serialize_header_param( - "Accept", "application/json", - ), - } - return parameters - - def on_200(self, session): - data = self.deserialize_http_content(session) - self.ctx.set_var( - "instance", - data, - schema_builder=self._build_schema_on_200 - ) - - _schema_on_200 = None - - @classmethod - def _build_schema_on_200(cls): - if cls._schema_on_200 is not None: - return cls._schema_on_200 - - cls._schema_on_200 = AAZObjectType() - - _schema_on_200 = cls._schema_on_200 - _schema_on_200.next_link = AAZStrType( - serialized_name="nextLink", - ) - _schema_on_200.value = AAZListType( - flags={"required": True}, - ) - - value = cls._schema_on_200.value - value.Element = AAZObjectType() - - _element = cls._schema_on_200.value.Element - _element.id = AAZStrType( - flags={"read_only": True}, - ) - _element.location = AAZStrType( - flags={"required": True}, - ) - _element.name = AAZStrType( - flags={"read_only": True}, - ) - _element.properties = AAZObjectType( - flags={"client_flatten": True}, - ) - _element.system_data = AAZObjectType( - serialized_name="systemData", - flags={"read_only": True}, - ) - _element.tags = AAZDictType() - _element.type = AAZStrType( - flags={"read_only": True}, - ) - - properties = cls._schema_on_200.value.Element.properties - properties.auto_generated_domain_name_label = AAZStrType( - serialized_name="autoGeneratedDomainNameLabel", - flags={"read_only": True}, - ) - properties.auto_generated_domain_name_label_scope = AAZStrType( - serialized_name="autoGeneratedDomainNameLabelScope", - ) - properties.codecs = AAZListType( - flags={"required": True}, - ) - properties.connectivity = AAZStrType( - flags={"required": True}, - ) - properties.e911_type = AAZStrType( - serialized_name="e911Type", - flags={"required": True}, - ) - properties.emergency_dial_strings = AAZListType( - serialized_name="emergencyDialStrings", - ) - properties.on_prem_mcp_enabled = AAZBoolType( - serialized_name="onPremMcpEnabled", - ) - properties.platforms = AAZListType( - flags={"required": True}, - ) - properties.provisioning_state = AAZStrType( - serialized_name="provisioningState", - ) - properties.service_locations = AAZListType( - serialized_name="serviceLocations", - flags={"required": True}, - ) - properties.status = AAZStrType() - properties.teams_voicemail_pilot_number = AAZStrType( - serialized_name="teamsVoicemailPilotNumber", - ) - - codecs = cls._schema_on_200.value.Element.properties.codecs - codecs.Element = AAZStrType() - - emergency_dial_strings = cls._schema_on_200.value.Element.properties.emergency_dial_strings - emergency_dial_strings.Element = AAZStrType() - - platforms = cls._schema_on_200.value.Element.properties.platforms - platforms.Element = AAZStrType() - - service_locations = cls._schema_on_200.value.Element.properties.service_locations - service_locations.Element = AAZObjectType() - - _element = cls._schema_on_200.value.Element.properties.service_locations.Element - _element.name = AAZStrType( - flags={"required": True}, - ) - _element.primary_region_properties = AAZObjectType( - serialized_name="primaryRegionProperties", - flags={"required": True}, - ) - - primary_region_properties = cls._schema_on_200.value.Element.properties.service_locations.Element.primary_region_properties - primary_region_properties.allowed_media_source_address_prefixes = AAZListType( - serialized_name="allowedMediaSourceAddressPrefixes", - ) - primary_region_properties.allowed_signaling_source_address_prefixes = AAZListType( - serialized_name="allowedSignalingSourceAddressPrefixes", - ) - primary_region_properties.esrp_addresses = AAZListType( - serialized_name="esrpAddresses", - ) - primary_region_properties.operator_addresses = AAZListType( - serialized_name="operatorAddresses", - flags={"required": True}, - ) - - allowed_media_source_address_prefixes = cls._schema_on_200.value.Element.properties.service_locations.Element.primary_region_properties.allowed_media_source_address_prefixes - allowed_media_source_address_prefixes.Element = AAZStrType() - - allowed_signaling_source_address_prefixes = cls._schema_on_200.value.Element.properties.service_locations.Element.primary_region_properties.allowed_signaling_source_address_prefixes - allowed_signaling_source_address_prefixes.Element = AAZStrType() - - esrp_addresses = cls._schema_on_200.value.Element.properties.service_locations.Element.primary_region_properties.esrp_addresses - esrp_addresses.Element = AAZStrType() - - operator_addresses = cls._schema_on_200.value.Element.properties.service_locations.Element.primary_region_properties.operator_addresses - operator_addresses.Element = AAZStrType() - - system_data = cls._schema_on_200.value.Element.system_data - system_data.created_at = AAZStrType( - serialized_name="createdAt", - ) - system_data.created_by = AAZStrType( - serialized_name="createdBy", - ) - system_data.created_by_type = AAZStrType( - serialized_name="createdByType", - ) - system_data.last_modified_at = AAZStrType( - serialized_name="lastModifiedAt", - ) - system_data.last_modified_by = AAZStrType( - serialized_name="lastModifiedBy", - ) - system_data.last_modified_by_type = AAZStrType( - serialized_name="lastModifiedByType", - ) - - tags = cls._schema_on_200.value.Element.tags - tags.Element = AAZStrType() - - return cls._schema_on_200 - - class CommunicationsGatewaysListBySubscription(AAZHttpOperation): - CLIENT_TYPE = "MgmtClient" - - def __call__(self, *args, **kwargs): - request = self.make_request() - session = self.client.send_request(request=request, stream=False, **kwargs) - if session.http_response.status_code in [200]: - return self.on_200(session) - - return self.on_error(session.http_response) - - @property - def url(self): - return self.client.format_url( - "/subscriptions/{subscriptionId}/providers/Microsoft.VoiceServices/communicationsGateways", - **self.url_parameters - ) - - @property - def method(self): - return "GET" - - @property - def error_format(self): - return "MgmtErrorFormat" - - @property - def url_parameters(self): - parameters = { - **self.serialize_url_param( - "subscriptionId", self.ctx.subscription_id, - required=True, - ), - } - return parameters - - @property - def query_parameters(self): - parameters = { - **self.serialize_query_param( - "api-version", "2023-01-31", - required=True, - ), - } - return parameters - - @property - def header_parameters(self): - parameters = { - **self.serialize_header_param( - "Accept", "application/json", - ), - } - return parameters - - def on_200(self, session): - data = self.deserialize_http_content(session) - self.ctx.set_var( - "instance", - data, - schema_builder=self._build_schema_on_200 - ) - - _schema_on_200 = None - - @classmethod - def _build_schema_on_200(cls): - if cls._schema_on_200 is not None: - return cls._schema_on_200 - - cls._schema_on_200 = AAZObjectType() - - _schema_on_200 = cls._schema_on_200 - _schema_on_200.next_link = AAZStrType( - serialized_name="nextLink", - ) - _schema_on_200.value = AAZListType( - flags={"required": True}, - ) - - value = cls._schema_on_200.value - value.Element = AAZObjectType() - - _element = cls._schema_on_200.value.Element - _element.id = AAZStrType( - flags={"read_only": True}, - ) - _element.location = AAZStrType( - flags={"required": True}, - ) - _element.name = AAZStrType( - flags={"read_only": True}, - ) - _element.properties = AAZObjectType( - flags={"client_flatten": True}, - ) - _element.system_data = AAZObjectType( - serialized_name="systemData", - flags={"read_only": True}, - ) - _element.tags = AAZDictType() - _element.type = AAZStrType( - flags={"read_only": True}, - ) - - properties = cls._schema_on_200.value.Element.properties - properties.auto_generated_domain_name_label = AAZStrType( - serialized_name="autoGeneratedDomainNameLabel", - flags={"read_only": True}, - ) - properties.auto_generated_domain_name_label_scope = AAZStrType( - serialized_name="autoGeneratedDomainNameLabelScope", - ) - properties.codecs = AAZListType( - flags={"required": True}, - ) - properties.connectivity = AAZStrType( - flags={"required": True}, - ) - properties.e911_type = AAZStrType( - serialized_name="e911Type", - flags={"required": True}, - ) - properties.emergency_dial_strings = AAZListType( - serialized_name="emergencyDialStrings", - ) - properties.on_prem_mcp_enabled = AAZBoolType( - serialized_name="onPremMcpEnabled", - ) - properties.platforms = AAZListType( - flags={"required": True}, - ) - properties.provisioning_state = AAZStrType( - serialized_name="provisioningState", - ) - properties.service_locations = AAZListType( - serialized_name="serviceLocations", - flags={"required": True}, - ) - properties.status = AAZStrType() - properties.teams_voicemail_pilot_number = AAZStrType( - serialized_name="teamsVoicemailPilotNumber", - ) - - codecs = cls._schema_on_200.value.Element.properties.codecs - codecs.Element = AAZStrType() - - emergency_dial_strings = cls._schema_on_200.value.Element.properties.emergency_dial_strings - emergency_dial_strings.Element = AAZStrType() - - platforms = cls._schema_on_200.value.Element.properties.platforms - platforms.Element = AAZStrType() - - service_locations = cls._schema_on_200.value.Element.properties.service_locations - service_locations.Element = AAZObjectType() - - _element = cls._schema_on_200.value.Element.properties.service_locations.Element - _element.name = AAZStrType( - flags={"required": True}, - ) - _element.primary_region_properties = AAZObjectType( - serialized_name="primaryRegionProperties", - flags={"required": True}, - ) - - primary_region_properties = cls._schema_on_200.value.Element.properties.service_locations.Element.primary_region_properties - primary_region_properties.allowed_media_source_address_prefixes = AAZListType( - serialized_name="allowedMediaSourceAddressPrefixes", - ) - primary_region_properties.allowed_signaling_source_address_prefixes = AAZListType( - serialized_name="allowedSignalingSourceAddressPrefixes", - ) - primary_region_properties.esrp_addresses = AAZListType( - serialized_name="esrpAddresses", - ) - primary_region_properties.operator_addresses = AAZListType( - serialized_name="operatorAddresses", - flags={"required": True}, - ) - - allowed_media_source_address_prefixes = cls._schema_on_200.value.Element.properties.service_locations.Element.primary_region_properties.allowed_media_source_address_prefixes - allowed_media_source_address_prefixes.Element = AAZStrType() - - allowed_signaling_source_address_prefixes = cls._schema_on_200.value.Element.properties.service_locations.Element.primary_region_properties.allowed_signaling_source_address_prefixes - allowed_signaling_source_address_prefixes.Element = AAZStrType() - - esrp_addresses = cls._schema_on_200.value.Element.properties.service_locations.Element.primary_region_properties.esrp_addresses - esrp_addresses.Element = AAZStrType() - - operator_addresses = cls._schema_on_200.value.Element.properties.service_locations.Element.primary_region_properties.operator_addresses - operator_addresses.Element = AAZStrType() - - system_data = cls._schema_on_200.value.Element.system_data - system_data.created_at = AAZStrType( - serialized_name="createdAt", - ) - system_data.created_by = AAZStrType( - serialized_name="createdBy", - ) - system_data.created_by_type = AAZStrType( - serialized_name="createdByType", - ) - system_data.last_modified_at = AAZStrType( - serialized_name="lastModifiedAt", - ) - system_data.last_modified_by = AAZStrType( - serialized_name="lastModifiedBy", - ) - system_data.last_modified_by_type = AAZStrType( - serialized_name="lastModifiedByType", - ) - - tags = cls._schema_on_200.value.Element.tags - tags.Element = AAZStrType() - - return cls._schema_on_200 - - -class _ListHelper: - """Helper class for List""" - - -__all__ = ["List"] diff --git a/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_show.py b/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_show.py deleted file mode 100644 index 8d85288b06f..00000000000 --- a/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_show.py +++ /dev/null @@ -1,297 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- - -# pylint: skip-file -# flake8: noqa - -from azure.cli.core.aaz import * - - -@register_command( - "voice-service gateway show", -) -class Show(AAZCommand): - """Show a communications gateway - - :example: Show a gateway - az voice-service gateway show -n gateway-name -g rg - """ - - _aaz_info = { - "version": "2023-01-31", - "resources": [ - ["mgmt-plane", "/subscriptions/{}/resourcegroups/{}/providers/microsoft.voiceservices/communicationsgateways/{}", "2023-01-31"], - ] - } - - def _handler(self, command_args): - super()._handler(command_args) - self._execute_operations() - return self._output() - - _args_schema = None - - @classmethod - def _build_arguments_schema(cls, *args, **kwargs): - if cls._args_schema is not None: - return cls._args_schema - cls._args_schema = super()._build_arguments_schema(*args, **kwargs) - - # define Arg Group "" - - _args_schema = cls._args_schema - _args_schema.gateway_name = AAZStrArg( - options=["-n", "--name", "--gateway-name"], - help="Unique identifier for this deployment", - required=True, - id_part="name", - fmt=AAZStrArgFormat( - pattern="^[a-zA-Z0-9-]{3,24}$", - ), - ) - _args_schema.resource_group = AAZResourceGroupNameArg( - required=True, - ) - return cls._args_schema - - def _execute_operations(self): - self.pre_operations() - self.CommunicationsGatewaysGet(ctx=self.ctx)() - self.post_operations() - - @register_callback - def pre_operations(self): - pass - - @register_callback - def post_operations(self): - pass - - def _output(self, *args, **kwargs): - result = self.deserialize_output(self.ctx.vars.instance, client_flatten=True) - return result - - class CommunicationsGatewaysGet(AAZHttpOperation): - CLIENT_TYPE = "MgmtClient" - - def __call__(self, *args, **kwargs): - request = self.make_request() - session = self.client.send_request(request=request, stream=False, **kwargs) - if session.http_response.status_code in [200]: - return self.on_200(session) - - return self.on_error(session.http_response) - - @property - def url(self): - return self.client.format_url( - "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}", - **self.url_parameters - ) - - @property - def method(self): - return "GET" - - @property - def error_format(self): - return "MgmtErrorFormat" - - @property - def url_parameters(self): - parameters = { - **self.serialize_url_param( - "communicationsGatewayName", self.ctx.args.gateway_name, - required=True, - ), - **self.serialize_url_param( - "resourceGroupName", self.ctx.args.resource_group, - required=True, - ), - **self.serialize_url_param( - "subscriptionId", self.ctx.subscription_id, - required=True, - ), - } - return parameters - - @property - def query_parameters(self): - parameters = { - **self.serialize_query_param( - "api-version", "2023-01-31", - required=True, - ), - } - return parameters - - @property - def header_parameters(self): - parameters = { - **self.serialize_header_param( - "Accept", "application/json", - ), - } - return parameters - - def on_200(self, session): - data = self.deserialize_http_content(session) - self.ctx.set_var( - "instance", - data, - schema_builder=self._build_schema_on_200 - ) - - _schema_on_200 = None - - @classmethod - def _build_schema_on_200(cls): - if cls._schema_on_200 is not None: - return cls._schema_on_200 - - cls._schema_on_200 = AAZObjectType() - - _schema_on_200 = cls._schema_on_200 - _schema_on_200.id = AAZStrType( - flags={"read_only": True}, - ) - _schema_on_200.location = AAZStrType( - flags={"required": True}, - ) - _schema_on_200.name = AAZStrType( - flags={"read_only": True}, - ) - _schema_on_200.properties = AAZObjectType( - flags={"client_flatten": True}, - ) - _schema_on_200.system_data = AAZObjectType( - serialized_name="systemData", - flags={"read_only": True}, - ) - _schema_on_200.tags = AAZDictType() - _schema_on_200.type = AAZStrType( - flags={"read_only": True}, - ) - - properties = cls._schema_on_200.properties - properties.auto_generated_domain_name_label = AAZStrType( - serialized_name="autoGeneratedDomainNameLabel", - flags={"read_only": True}, - ) - properties.auto_generated_domain_name_label_scope = AAZStrType( - serialized_name="autoGeneratedDomainNameLabelScope", - ) - properties.codecs = AAZListType( - flags={"required": True}, - ) - properties.connectivity = AAZStrType( - flags={"required": True}, - ) - properties.e911_type = AAZStrType( - serialized_name="e911Type", - flags={"required": True}, - ) - properties.emergency_dial_strings = AAZListType( - serialized_name="emergencyDialStrings", - ) - properties.on_prem_mcp_enabled = AAZBoolType( - serialized_name="onPremMcpEnabled", - ) - properties.platforms = AAZListType( - flags={"required": True}, - ) - properties.provisioning_state = AAZStrType( - serialized_name="provisioningState", - ) - properties.service_locations = AAZListType( - serialized_name="serviceLocations", - flags={"required": True}, - ) - properties.status = AAZStrType() - properties.teams_voicemail_pilot_number = AAZStrType( - serialized_name="teamsVoicemailPilotNumber", - ) - - codecs = cls._schema_on_200.properties.codecs - codecs.Element = AAZStrType() - - emergency_dial_strings = cls._schema_on_200.properties.emergency_dial_strings - emergency_dial_strings.Element = AAZStrType() - - platforms = cls._schema_on_200.properties.platforms - platforms.Element = AAZStrType() - - service_locations = cls._schema_on_200.properties.service_locations - service_locations.Element = AAZObjectType() - - _element = cls._schema_on_200.properties.service_locations.Element - _element.name = AAZStrType( - flags={"required": True}, - ) - _element.primary_region_properties = AAZObjectType( - serialized_name="primaryRegionProperties", - flags={"required": True}, - ) - - primary_region_properties = cls._schema_on_200.properties.service_locations.Element.primary_region_properties - primary_region_properties.allowed_media_source_address_prefixes = AAZListType( - serialized_name="allowedMediaSourceAddressPrefixes", - ) - primary_region_properties.allowed_signaling_source_address_prefixes = AAZListType( - serialized_name="allowedSignalingSourceAddressPrefixes", - ) - primary_region_properties.esrp_addresses = AAZListType( - serialized_name="esrpAddresses", - ) - primary_region_properties.operator_addresses = AAZListType( - serialized_name="operatorAddresses", - flags={"required": True}, - ) - - allowed_media_source_address_prefixes = cls._schema_on_200.properties.service_locations.Element.primary_region_properties.allowed_media_source_address_prefixes - allowed_media_source_address_prefixes.Element = AAZStrType() - - allowed_signaling_source_address_prefixes = cls._schema_on_200.properties.service_locations.Element.primary_region_properties.allowed_signaling_source_address_prefixes - allowed_signaling_source_address_prefixes.Element = AAZStrType() - - esrp_addresses = cls._schema_on_200.properties.service_locations.Element.primary_region_properties.esrp_addresses - esrp_addresses.Element = AAZStrType() - - operator_addresses = cls._schema_on_200.properties.service_locations.Element.primary_region_properties.operator_addresses - operator_addresses.Element = AAZStrType() - - system_data = cls._schema_on_200.system_data - system_data.created_at = AAZStrType( - serialized_name="createdAt", - ) - system_data.created_by = AAZStrType( - serialized_name="createdBy", - ) - system_data.created_by_type = AAZStrType( - serialized_name="createdByType", - ) - system_data.last_modified_at = AAZStrType( - serialized_name="lastModifiedAt", - ) - system_data.last_modified_by = AAZStrType( - serialized_name="lastModifiedBy", - ) - system_data.last_modified_by_type = AAZStrType( - serialized_name="lastModifiedByType", - ) - - tags = cls._schema_on_200.tags - tags.Element = AAZStrType() - - return cls._schema_on_200 - - -class _ShowHelper: - """Helper class for Show""" - - -__all__ = ["Show"] diff --git a/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_update.py b/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_update.py deleted file mode 100644 index 19bdd5b05ac..00000000000 --- a/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_update.py +++ /dev/null @@ -1,491 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- - -# pylint: skip-file -# flake8: noqa - -from azure.cli.core.aaz import * - - -@register_command( - "voice-service gateway update", -) -class Update(AAZCommand): - """Update a communications gateway - - :example: Update a gateway - az voice-service gateway update -n gateway-name -g rg --tags "{tag:test,tag2:test2}" - """ - - _aaz_info = { - "version": "2023-01-31", - "resources": [ - ["mgmt-plane", "/subscriptions/{}/resourcegroups/{}/providers/microsoft.voiceservices/communicationsgateways/{}", "2023-01-31"], - ] - } - - AZ_SUPPORT_NO_WAIT = True - - AZ_SUPPORT_GENERIC_UPDATE = True - - def _handler(self, command_args): - super()._handler(command_args) - return self.build_lro_poller(self._execute_operations, self._output) - - _args_schema = None - - @classmethod - def _build_arguments_schema(cls, *args, **kwargs): - if cls._args_schema is not None: - return cls._args_schema - cls._args_schema = super()._build_arguments_schema(*args, **kwargs) - - # define Arg Group "" - - _args_schema = cls._args_schema - _args_schema.gateway_name = AAZStrArg( - options=["-n", "--name", "--gateway-name"], - help="Unique identifier for this deployment", - required=True, - id_part="name", - fmt=AAZStrArgFormat( - pattern="^[a-zA-Z0-9-]{3,24}$", - ), - ) - _args_schema.resource_group = AAZResourceGroupNameArg( - required=True, - ) - - # define Arg Group "Resource" - - _args_schema = cls._args_schema - _args_schema.tags = AAZDictArg( - options=["--tags"], - arg_group="Resource", - help="Resource tags.", - nullable=True, - ) - - tags = cls._args_schema.tags - tags.Element = AAZStrArg( - nullable=True, - ) - return cls._args_schema - - def _execute_operations(self): - self.pre_operations() - self.CommunicationsGatewaysGet(ctx=self.ctx)() - self.pre_instance_update(self.ctx.vars.instance) - self.InstanceUpdateByJson(ctx=self.ctx)() - self.InstanceUpdateByGeneric(ctx=self.ctx)() - self.post_instance_update(self.ctx.vars.instance) - yield self.CommunicationsGatewaysCreateOrUpdate(ctx=self.ctx)() - self.post_operations() - - @register_callback - def pre_operations(self): - pass - - @register_callback - def post_operations(self): - pass - - @register_callback - def pre_instance_update(self, instance): - pass - - @register_callback - def post_instance_update(self, instance): - pass - - def _output(self, *args, **kwargs): - result = self.deserialize_output(self.ctx.vars.instance, client_flatten=True) - return result - - class CommunicationsGatewaysGet(AAZHttpOperation): - CLIENT_TYPE = "MgmtClient" - - def __call__(self, *args, **kwargs): - request = self.make_request() - session = self.client.send_request(request=request, stream=False, **kwargs) - if session.http_response.status_code in [200]: - return self.on_200(session) - - return self.on_error(session.http_response) - - @property - def url(self): - return self.client.format_url( - "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}", - **self.url_parameters - ) - - @property - def method(self): - return "GET" - - @property - def error_format(self): - return "MgmtErrorFormat" - - @property - def url_parameters(self): - parameters = { - **self.serialize_url_param( - "communicationsGatewayName", self.ctx.args.gateway_name, - required=True, - ), - **self.serialize_url_param( - "resourceGroupName", self.ctx.args.resource_group, - required=True, - ), - **self.serialize_url_param( - "subscriptionId", self.ctx.subscription_id, - required=True, - ), - } - return parameters - - @property - def query_parameters(self): - parameters = { - **self.serialize_query_param( - "api-version", "2023-01-31", - required=True, - ), - } - return parameters - - @property - def header_parameters(self): - parameters = { - **self.serialize_header_param( - "Accept", "application/json", - ), - } - return parameters - - def on_200(self, session): - data = self.deserialize_http_content(session) - self.ctx.set_var( - "instance", - data, - schema_builder=self._build_schema_on_200 - ) - - _schema_on_200 = None - - @classmethod - def _build_schema_on_200(cls): - if cls._schema_on_200 is not None: - return cls._schema_on_200 - - cls._schema_on_200 = AAZObjectType() - _UpdateHelper._build_schema_communications_gateway_read(cls._schema_on_200) - - return cls._schema_on_200 - - class CommunicationsGatewaysCreateOrUpdate(AAZHttpOperation): - CLIENT_TYPE = "MgmtClient" - - def __call__(self, *args, **kwargs): - request = self.make_request() - session = self.client.send_request(request=request, stream=False, **kwargs) - if session.http_response.status_code in [202]: - return self.client.build_lro_polling( - self.ctx.args.no_wait, - session, - self.on_200_201, - self.on_error, - lro_options={"final-state-via": "azure-async-operation"}, - path_format_arguments=self.url_parameters, - ) - if session.http_response.status_code in [200, 201]: - return self.client.build_lro_polling( - self.ctx.args.no_wait, - session, - self.on_200_201, - self.on_error, - lro_options={"final-state-via": "azure-async-operation"}, - path_format_arguments=self.url_parameters, - ) - - return self.on_error(session.http_response) - - @property - def url(self): - return self.client.format_url( - "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}", - **self.url_parameters - ) - - @property - def method(self): - return "PUT" - - @property - def error_format(self): - return "MgmtErrorFormat" - - @property - def url_parameters(self): - parameters = { - **self.serialize_url_param( - "communicationsGatewayName", self.ctx.args.gateway_name, - required=True, - ), - **self.serialize_url_param( - "resourceGroupName", self.ctx.args.resource_group, - required=True, - ), - **self.serialize_url_param( - "subscriptionId", self.ctx.subscription_id, - required=True, - ), - } - return parameters - - @property - def query_parameters(self): - parameters = { - **self.serialize_query_param( - "api-version", "2023-01-31", - required=True, - ), - } - return parameters - - @property - def header_parameters(self): - parameters = { - **self.serialize_header_param( - "Content-Type", "application/json", - ), - **self.serialize_header_param( - "Accept", "application/json", - ), - } - return parameters - - @property - def content(self): - _content_value, _builder = self.new_content_builder( - self.ctx.args, - value=self.ctx.vars.instance, - ) - - return self.serialize_content(_content_value) - - def on_200_201(self, session): - data = self.deserialize_http_content(session) - self.ctx.set_var( - "instance", - data, - schema_builder=self._build_schema_on_200_201 - ) - - _schema_on_200_201 = None - - @classmethod - def _build_schema_on_200_201(cls): - if cls._schema_on_200_201 is not None: - return cls._schema_on_200_201 - - cls._schema_on_200_201 = AAZObjectType() - _UpdateHelper._build_schema_communications_gateway_read(cls._schema_on_200_201) - - return cls._schema_on_200_201 - - class InstanceUpdateByJson(AAZJsonInstanceUpdateOperation): - - def __call__(self, *args, **kwargs): - self._update_instance(self.ctx.vars.instance) - - def _update_instance(self, instance): - _instance_value, _builder = self.new_content_builder( - self.ctx.args, - value=instance, - typ=AAZObjectType - ) - _builder.set_prop("tags", AAZDictType, ".tags") - - tags = _builder.get(".tags") - if tags is not None: - tags.set_elements(AAZStrType, ".") - - return _instance_value - - class InstanceUpdateByGeneric(AAZGenericInstanceUpdateOperation): - - def __call__(self, *args, **kwargs): - self._update_instance_by_generic( - self.ctx.vars.instance, - self.ctx.generic_update_args - ) - - -class _UpdateHelper: - """Helper class for Update""" - - _schema_communications_gateway_read = None - - @classmethod - def _build_schema_communications_gateway_read(cls, _schema): - if cls._schema_communications_gateway_read is not None: - _schema.id = cls._schema_communications_gateway_read.id - _schema.location = cls._schema_communications_gateway_read.location - _schema.name = cls._schema_communications_gateway_read.name - _schema.properties = cls._schema_communications_gateway_read.properties - _schema.system_data = cls._schema_communications_gateway_read.system_data - _schema.tags = cls._schema_communications_gateway_read.tags - _schema.type = cls._schema_communications_gateway_read.type - return - - cls._schema_communications_gateway_read = _schema_communications_gateway_read = AAZObjectType() - - communications_gateway_read = _schema_communications_gateway_read - communications_gateway_read.id = AAZStrType( - flags={"read_only": True}, - ) - communications_gateway_read.location = AAZStrType( - flags={"required": True}, - ) - communications_gateway_read.name = AAZStrType( - flags={"read_only": True}, - ) - communications_gateway_read.properties = AAZObjectType( - flags={"client_flatten": True}, - ) - communications_gateway_read.system_data = AAZObjectType( - serialized_name="systemData", - flags={"read_only": True}, - ) - communications_gateway_read.tags = AAZDictType() - communications_gateway_read.type = AAZStrType( - flags={"read_only": True}, - ) - - properties = _schema_communications_gateway_read.properties - properties.auto_generated_domain_name_label = AAZStrType( - serialized_name="autoGeneratedDomainNameLabel", - flags={"read_only": True}, - ) - properties.auto_generated_domain_name_label_scope = AAZStrType( - serialized_name="autoGeneratedDomainNameLabelScope", - ) - properties.codecs = AAZListType( - flags={"required": True}, - ) - properties.connectivity = AAZStrType( - flags={"required": True}, - ) - properties.e911_type = AAZStrType( - serialized_name="e911Type", - flags={"required": True}, - ) - properties.emergency_dial_strings = AAZListType( - serialized_name="emergencyDialStrings", - ) - properties.on_prem_mcp_enabled = AAZBoolType( - serialized_name="onPremMcpEnabled", - ) - properties.platforms = AAZListType( - flags={"required": True}, - ) - properties.provisioning_state = AAZStrType( - serialized_name="provisioningState", - ) - properties.service_locations = AAZListType( - serialized_name="serviceLocations", - flags={"required": True}, - ) - properties.status = AAZStrType() - properties.teams_voicemail_pilot_number = AAZStrType( - serialized_name="teamsVoicemailPilotNumber", - ) - - codecs = _schema_communications_gateway_read.properties.codecs - codecs.Element = AAZStrType() - - emergency_dial_strings = _schema_communications_gateway_read.properties.emergency_dial_strings - emergency_dial_strings.Element = AAZStrType() - - platforms = _schema_communications_gateway_read.properties.platforms - platforms.Element = AAZStrType() - - service_locations = _schema_communications_gateway_read.properties.service_locations - service_locations.Element = AAZObjectType() - - _element = _schema_communications_gateway_read.properties.service_locations.Element - _element.name = AAZStrType( - flags={"required": True}, - ) - _element.primary_region_properties = AAZObjectType( - serialized_name="primaryRegionProperties", - flags={"required": True}, - ) - - primary_region_properties = _schema_communications_gateway_read.properties.service_locations.Element.primary_region_properties - primary_region_properties.allowed_media_source_address_prefixes = AAZListType( - serialized_name="allowedMediaSourceAddressPrefixes", - ) - primary_region_properties.allowed_signaling_source_address_prefixes = AAZListType( - serialized_name="allowedSignalingSourceAddressPrefixes", - ) - primary_region_properties.esrp_addresses = AAZListType( - serialized_name="esrpAddresses", - ) - primary_region_properties.operator_addresses = AAZListType( - serialized_name="operatorAddresses", - flags={"required": True}, - ) - - allowed_media_source_address_prefixes = _schema_communications_gateway_read.properties.service_locations.Element.primary_region_properties.allowed_media_source_address_prefixes - allowed_media_source_address_prefixes.Element = AAZStrType() - - allowed_signaling_source_address_prefixes = _schema_communications_gateway_read.properties.service_locations.Element.primary_region_properties.allowed_signaling_source_address_prefixes - allowed_signaling_source_address_prefixes.Element = AAZStrType() - - esrp_addresses = _schema_communications_gateway_read.properties.service_locations.Element.primary_region_properties.esrp_addresses - esrp_addresses.Element = AAZStrType() - - operator_addresses = _schema_communications_gateway_read.properties.service_locations.Element.primary_region_properties.operator_addresses - operator_addresses.Element = AAZStrType() - - system_data = _schema_communications_gateway_read.system_data - system_data.created_at = AAZStrType( - serialized_name="createdAt", - ) - system_data.created_by = AAZStrType( - serialized_name="createdBy", - ) - system_data.created_by_type = AAZStrType( - serialized_name="createdByType", - ) - system_data.last_modified_at = AAZStrType( - serialized_name="lastModifiedAt", - ) - system_data.last_modified_by = AAZStrType( - serialized_name="lastModifiedBy", - ) - system_data.last_modified_by_type = AAZStrType( - serialized_name="lastModifiedByType", - ) - - tags = _schema_communications_gateway_read.tags - tags.Element = AAZStrType() - - _schema.id = cls._schema_communications_gateway_read.id - _schema.location = cls._schema_communications_gateway_read.location - _schema.name = cls._schema_communications_gateway_read.name - _schema.properties = cls._schema_communications_gateway_read.properties - _schema.system_data = cls._schema_communications_gateway_read.system_data - _schema.tags = cls._schema_communications_gateway_read.tags - _schema.type = cls._schema_communications_gateway_read.type - - -__all__ = ["Update"] diff --git a/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_wait.py b/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_wait.py deleted file mode 100644 index 725a5d68fee..00000000000 --- a/src/voice-service/azext_voice_service/aaz/latest/voice_service/gateway/_wait.py +++ /dev/null @@ -1,293 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- - -# pylint: skip-file -# flake8: noqa - -from azure.cli.core.aaz import * - - -@register_command( - "voice-service gateway wait", -) -class Wait(AAZWaitCommand): - """Place the CLI in a waiting state until a condition is met. - """ - - _aaz_info = { - "resources": [ - ["mgmt-plane", "/subscriptions/{}/resourcegroups/{}/providers/microsoft.voiceservices/communicationsgateways/{}", "2023-01-31"], - ] - } - - def _handler(self, command_args): - super()._handler(command_args) - self._execute_operations() - return self._output() - - _args_schema = None - - @classmethod - def _build_arguments_schema(cls, *args, **kwargs): - if cls._args_schema is not None: - return cls._args_schema - cls._args_schema = super()._build_arguments_schema(*args, **kwargs) - - # define Arg Group "" - - _args_schema = cls._args_schema - _args_schema.gateway_name = AAZStrArg( - options=["-n", "--name", "--gateway-name"], - help="Unique identifier for this deployment", - required=True, - id_part="name", - fmt=AAZStrArgFormat( - pattern="^[a-zA-Z0-9-]{3,24}$", - ), - ) - _args_schema.resource_group = AAZResourceGroupNameArg( - required=True, - ) - return cls._args_schema - - def _execute_operations(self): - self.pre_operations() - self.CommunicationsGatewaysGet(ctx=self.ctx)() - self.post_operations() - - @register_callback - def pre_operations(self): - pass - - @register_callback - def post_operations(self): - pass - - def _output(self, *args, **kwargs): - result = self.deserialize_output(self.ctx.vars.instance, client_flatten=False) - return result - - class CommunicationsGatewaysGet(AAZHttpOperation): - CLIENT_TYPE = "MgmtClient" - - def __call__(self, *args, **kwargs): - request = self.make_request() - session = self.client.send_request(request=request, stream=False, **kwargs) - if session.http_response.status_code in [200]: - return self.on_200(session) - - return self.on_error(session.http_response) - - @property - def url(self): - return self.client.format_url( - "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}", - **self.url_parameters - ) - - @property - def method(self): - return "GET" - - @property - def error_format(self): - return "MgmtErrorFormat" - - @property - def url_parameters(self): - parameters = { - **self.serialize_url_param( - "communicationsGatewayName", self.ctx.args.gateway_name, - required=True, - ), - **self.serialize_url_param( - "resourceGroupName", self.ctx.args.resource_group, - required=True, - ), - **self.serialize_url_param( - "subscriptionId", self.ctx.subscription_id, - required=True, - ), - } - return parameters - - @property - def query_parameters(self): - parameters = { - **self.serialize_query_param( - "api-version", "2023-01-31", - required=True, - ), - } - return parameters - - @property - def header_parameters(self): - parameters = { - **self.serialize_header_param( - "Accept", "application/json", - ), - } - return parameters - - def on_200(self, session): - data = self.deserialize_http_content(session) - self.ctx.set_var( - "instance", - data, - schema_builder=self._build_schema_on_200 - ) - - _schema_on_200 = None - - @classmethod - def _build_schema_on_200(cls): - if cls._schema_on_200 is not None: - return cls._schema_on_200 - - cls._schema_on_200 = AAZObjectType() - - _schema_on_200 = cls._schema_on_200 - _schema_on_200.id = AAZStrType( - flags={"read_only": True}, - ) - _schema_on_200.location = AAZStrType( - flags={"required": True}, - ) - _schema_on_200.name = AAZStrType( - flags={"read_only": True}, - ) - _schema_on_200.properties = AAZObjectType( - flags={"client_flatten": True}, - ) - _schema_on_200.system_data = AAZObjectType( - serialized_name="systemData", - flags={"read_only": True}, - ) - _schema_on_200.tags = AAZDictType() - _schema_on_200.type = AAZStrType( - flags={"read_only": True}, - ) - - properties = cls._schema_on_200.properties - properties.auto_generated_domain_name_label = AAZStrType( - serialized_name="autoGeneratedDomainNameLabel", - flags={"read_only": True}, - ) - properties.auto_generated_domain_name_label_scope = AAZStrType( - serialized_name="autoGeneratedDomainNameLabelScope", - ) - properties.codecs = AAZListType( - flags={"required": True}, - ) - properties.connectivity = AAZStrType( - flags={"required": True}, - ) - properties.e911_type = AAZStrType( - serialized_name="e911Type", - flags={"required": True}, - ) - properties.emergency_dial_strings = AAZListType( - serialized_name="emergencyDialStrings", - ) - properties.on_prem_mcp_enabled = AAZBoolType( - serialized_name="onPremMcpEnabled", - ) - properties.platforms = AAZListType( - flags={"required": True}, - ) - properties.provisioning_state = AAZStrType( - serialized_name="provisioningState", - ) - properties.service_locations = AAZListType( - serialized_name="serviceLocations", - flags={"required": True}, - ) - properties.status = AAZStrType() - properties.teams_voicemail_pilot_number = AAZStrType( - serialized_name="teamsVoicemailPilotNumber", - ) - - codecs = cls._schema_on_200.properties.codecs - codecs.Element = AAZStrType() - - emergency_dial_strings = cls._schema_on_200.properties.emergency_dial_strings - emergency_dial_strings.Element = AAZStrType() - - platforms = cls._schema_on_200.properties.platforms - platforms.Element = AAZStrType() - - service_locations = cls._schema_on_200.properties.service_locations - service_locations.Element = AAZObjectType() - - _element = cls._schema_on_200.properties.service_locations.Element - _element.name = AAZStrType( - flags={"required": True}, - ) - _element.primary_region_properties = AAZObjectType( - serialized_name="primaryRegionProperties", - flags={"required": True}, - ) - - primary_region_properties = cls._schema_on_200.properties.service_locations.Element.primary_region_properties - primary_region_properties.allowed_media_source_address_prefixes = AAZListType( - serialized_name="allowedMediaSourceAddressPrefixes", - ) - primary_region_properties.allowed_signaling_source_address_prefixes = AAZListType( - serialized_name="allowedSignalingSourceAddressPrefixes", - ) - primary_region_properties.esrp_addresses = AAZListType( - serialized_name="esrpAddresses", - ) - primary_region_properties.operator_addresses = AAZListType( - serialized_name="operatorAddresses", - flags={"required": True}, - ) - - allowed_media_source_address_prefixes = cls._schema_on_200.properties.service_locations.Element.primary_region_properties.allowed_media_source_address_prefixes - allowed_media_source_address_prefixes.Element = AAZStrType() - - allowed_signaling_source_address_prefixes = cls._schema_on_200.properties.service_locations.Element.primary_region_properties.allowed_signaling_source_address_prefixes - allowed_signaling_source_address_prefixes.Element = AAZStrType() - - esrp_addresses = cls._schema_on_200.properties.service_locations.Element.primary_region_properties.esrp_addresses - esrp_addresses.Element = AAZStrType() - - operator_addresses = cls._schema_on_200.properties.service_locations.Element.primary_region_properties.operator_addresses - operator_addresses.Element = AAZStrType() - - system_data = cls._schema_on_200.system_data - system_data.created_at = AAZStrType( - serialized_name="createdAt", - ) - system_data.created_by = AAZStrType( - serialized_name="createdBy", - ) - system_data.created_by_type = AAZStrType( - serialized_name="createdByType", - ) - system_data.last_modified_at = AAZStrType( - serialized_name="lastModifiedAt", - ) - system_data.last_modified_by = AAZStrType( - serialized_name="lastModifiedBy", - ) - system_data.last_modified_by_type = AAZStrType( - serialized_name="lastModifiedByType", - ) - - tags = cls._schema_on_200.tags - tags.Element = AAZStrType() - - return cls._schema_on_200 - - -class _WaitHelper: - """Helper class for Wait""" - - -__all__ = ["Wait"] diff --git a/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/__cmd_group.py b/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/__cmd_group.py deleted file mode 100644 index f644ad0db54..00000000000 --- a/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/__cmd_group.py +++ /dev/null @@ -1,23 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- - -# pylint: skip-file -# flake8: noqa - -from azure.cli.core.aaz import * - - -@register_command_group( - "voice-service test-line", -) -class __CMDGroup(AAZCommandGroup): - """Manage gateway test line - """ - pass - - -__all__ = ["__CMDGroup"] diff --git a/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/__init__.py b/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/__init__.py deleted file mode 100644 index db73033039b..00000000000 --- a/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/__init__.py +++ /dev/null @@ -1,17 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- - -# pylint: skip-file -# flake8: noqa - -from .__cmd_group import * -from ._create import * -from ._delete import * -from ._list import * -from ._show import * -from ._update import * -from ._wait import * diff --git a/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_create.py b/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_create.py deleted file mode 100644 index dbf6a72f952..00000000000 --- a/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_create.py +++ /dev/null @@ -1,310 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- - -# pylint: skip-file -# flake8: noqa - -from azure.cli.core.aaz import * - - -@register_command( - "voice-service test-line create", -) -class Create(AAZCommand): - """Create a test line - - :example: Create test line - az voice-service test-line create -n test-line-name -g rg --gateway-name gateway-name --phone-number "+1-555-1234" --purpose Automated - """ - - _aaz_info = { - "version": "2023-01-31", - "resources": [ - ["mgmt-plane", "/subscriptions/{}/resourcegroups/{}/providers/microsoft.voiceservices/communicationsgateways/{}/testlines/{}", "2023-01-31"], - ] - } - - AZ_SUPPORT_NO_WAIT = True - - def _handler(self, command_args): - super()._handler(command_args) - return self.build_lro_poller(self._execute_operations, self._output) - - _args_schema = None - - @classmethod - def _build_arguments_schema(cls, *args, **kwargs): - if cls._args_schema is not None: - return cls._args_schema - cls._args_schema = super()._build_arguments_schema(*args, **kwargs) - - # define Arg Group "" - - _args_schema = cls._args_schema - _args_schema.gateway_name = AAZStrArg( - options=["--gateway-name"], - help="Unique identifier for this deployment", - required=True, - fmt=AAZStrArgFormat( - pattern="^[a-zA-Z0-9-]{3,24}$", - ), - ) - _args_schema.resource_group = AAZResourceGroupNameArg( - required=True, - ) - _args_schema.test_line_name = AAZStrArg( - options=["-n", "--name", "--test-line-name"], - help="Unique identifier for this test line", - required=True, - fmt=AAZStrArgFormat( - pattern="^[a-zA-Z0-9-]{3,24}$", - ), - ) - - # define Arg Group "Properties" - - _args_schema = cls._args_schema - _args_schema.phone_number = AAZStrArg( - options=["--phone-number"], - arg_group="Properties", - help="The phone number", - ) - _args_schema.purpose = AAZStrArg( - options=["--purpose"], - arg_group="Properties", - help="Purpose of this test line, e.g. automated or manual testing", - enum={"Automated": "Automated", "Manual": "Manual"}, - ) - - # define Arg Group "Resource" - - _args_schema = cls._args_schema - _args_schema.location = AAZResourceLocationArg( - arg_group="Resource", - help="The geo-location where the resource lives", - required=True, - fmt=AAZResourceLocationArgFormat( - resource_group_arg="resource_group", - ), - ) - _args_schema.tags = AAZDictArg( - options=["--tags"], - arg_group="Resource", - help="Resource tags.", - ) - - tags = cls._args_schema.tags - tags.Element = AAZStrArg() - return cls._args_schema - - def _execute_operations(self): - self.pre_operations() - yield self.TestLinesCreateOrUpdate(ctx=self.ctx)() - self.post_operations() - - @register_callback - def pre_operations(self): - pass - - @register_callback - def post_operations(self): - pass - - def _output(self, *args, **kwargs): - result = self.deserialize_output(self.ctx.vars.instance, client_flatten=True) - return result - - class TestLinesCreateOrUpdate(AAZHttpOperation): - CLIENT_TYPE = "MgmtClient" - - def __call__(self, *args, **kwargs): - request = self.make_request() - session = self.client.send_request(request=request, stream=False, **kwargs) - if session.http_response.status_code in [202]: - return self.client.build_lro_polling( - self.ctx.args.no_wait, - session, - self.on_200_201, - self.on_error, - lro_options={"final-state-via": "azure-async-operation"}, - path_format_arguments=self.url_parameters, - ) - if session.http_response.status_code in [200, 201]: - return self.client.build_lro_polling( - self.ctx.args.no_wait, - session, - self.on_200_201, - self.on_error, - lro_options={"final-state-via": "azure-async-operation"}, - path_format_arguments=self.url_parameters, - ) - - return self.on_error(session.http_response) - - @property - def url(self): - return self.client.format_url( - "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}/testLines/{testLineName}", - **self.url_parameters - ) - - @property - def method(self): - return "PUT" - - @property - def error_format(self): - return "MgmtErrorFormat" - - @property - def url_parameters(self): - parameters = { - **self.serialize_url_param( - "communicationsGatewayName", self.ctx.args.gateway_name, - required=True, - ), - **self.serialize_url_param( - "resourceGroupName", self.ctx.args.resource_group, - required=True, - ), - **self.serialize_url_param( - "subscriptionId", self.ctx.subscription_id, - required=True, - ), - **self.serialize_url_param( - "testLineName", self.ctx.args.test_line_name, - required=True, - ), - } - return parameters - - @property - def query_parameters(self): - parameters = { - **self.serialize_query_param( - "api-version", "2023-01-31", - required=True, - ), - } - return parameters - - @property - def header_parameters(self): - parameters = { - **self.serialize_header_param( - "Content-Type", "application/json", - ), - **self.serialize_header_param( - "Accept", "application/json", - ), - } - return parameters - - @property - def content(self): - _content_value, _builder = self.new_content_builder( - self.ctx.args, - typ=AAZObjectType, - typ_kwargs={"flags": {"required": True, "client_flatten": True}} - ) - _builder.set_prop("location", AAZStrType, ".location", typ_kwargs={"flags": {"required": True}}) - _builder.set_prop("properties", AAZObjectType, typ_kwargs={"flags": {"client_flatten": True}}) - _builder.set_prop("tags", AAZDictType, ".tags") - - properties = _builder.get(".properties") - if properties is not None: - properties.set_prop("phoneNumber", AAZStrType, ".phone_number", typ_kwargs={"flags": {"required": True}}) - properties.set_prop("purpose", AAZStrType, ".purpose", typ_kwargs={"flags": {"required": True}}) - - tags = _builder.get(".tags") - if tags is not None: - tags.set_elements(AAZStrType, ".") - - return self.serialize_content(_content_value) - - def on_200_201(self, session): - data = self.deserialize_http_content(session) - self.ctx.set_var( - "instance", - data, - schema_builder=self._build_schema_on_200_201 - ) - - _schema_on_200_201 = None - - @classmethod - def _build_schema_on_200_201(cls): - if cls._schema_on_200_201 is not None: - return cls._schema_on_200_201 - - cls._schema_on_200_201 = AAZObjectType() - - _schema_on_200_201 = cls._schema_on_200_201 - _schema_on_200_201.id = AAZStrType( - flags={"read_only": True}, - ) - _schema_on_200_201.location = AAZStrType( - flags={"required": True}, - ) - _schema_on_200_201.name = AAZStrType( - flags={"read_only": True}, - ) - _schema_on_200_201.properties = AAZObjectType( - flags={"client_flatten": True}, - ) - _schema_on_200_201.system_data = AAZObjectType( - serialized_name="systemData", - flags={"read_only": True}, - ) - _schema_on_200_201.tags = AAZDictType() - _schema_on_200_201.type = AAZStrType( - flags={"read_only": True}, - ) - - properties = cls._schema_on_200_201.properties - properties.phone_number = AAZStrType( - serialized_name="phoneNumber", - flags={"required": True}, - ) - properties.provisioning_state = AAZStrType( - serialized_name="provisioningState", - ) - properties.purpose = AAZStrType( - flags={"required": True}, - ) - - system_data = cls._schema_on_200_201.system_data - system_data.created_at = AAZStrType( - serialized_name="createdAt", - ) - system_data.created_by = AAZStrType( - serialized_name="createdBy", - ) - system_data.created_by_type = AAZStrType( - serialized_name="createdByType", - ) - system_data.last_modified_at = AAZStrType( - serialized_name="lastModifiedAt", - ) - system_data.last_modified_by = AAZStrType( - serialized_name="lastModifiedBy", - ) - system_data.last_modified_by_type = AAZStrType( - serialized_name="lastModifiedByType", - ) - - tags = cls._schema_on_200_201.tags - tags.Element = AAZStrType() - - return cls._schema_on_200_201 - - -class _CreateHelper: - """Helper class for Create""" - - -__all__ = ["Create"] diff --git a/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_delete.py b/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_delete.py deleted file mode 100644 index 2eb764f2f95..00000000000 --- a/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_delete.py +++ /dev/null @@ -1,179 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- - -# pylint: skip-file -# flake8: noqa - -from azure.cli.core.aaz import * - - -@register_command( - "voice-service test-line delete", - confirmation="Are you sure you want to perform this operation?", -) -class Delete(AAZCommand): - """Delete a test line - - :example: Delete test line - az voice-service test-line delete -n test-line-name -g rg --gateway-name gateway-name -y - """ - - _aaz_info = { - "version": "2023-01-31", - "resources": [ - ["mgmt-plane", "/subscriptions/{}/resourcegroups/{}/providers/microsoft.voiceservices/communicationsgateways/{}/testlines/{}", "2023-01-31"], - ] - } - - AZ_SUPPORT_NO_WAIT = True - - def _handler(self, command_args): - super()._handler(command_args) - return self.build_lro_poller(self._execute_operations, None) - - _args_schema = None - - @classmethod - def _build_arguments_schema(cls, *args, **kwargs): - if cls._args_schema is not None: - return cls._args_schema - cls._args_schema = super()._build_arguments_schema(*args, **kwargs) - - # define Arg Group "" - - _args_schema = cls._args_schema - _args_schema.gateway_name = AAZStrArg( - options=["--gateway-name"], - help="Unique identifier for this deployment", - required=True, - id_part="name", - fmt=AAZStrArgFormat( - pattern="^[a-zA-Z0-9-]{3,24}$", - ), - ) - _args_schema.resource_group = AAZResourceGroupNameArg( - required=True, - ) - _args_schema.test_line_name = AAZStrArg( - options=["-n", "--name", "--test-line-name"], - help="Unique identifier for this test line", - required=True, - id_part="child_name_1", - fmt=AAZStrArgFormat( - pattern="^[a-zA-Z0-9-]{3,24}$", - ), - ) - return cls._args_schema - - def _execute_operations(self): - self.pre_operations() - yield self.TestLinesDelete(ctx=self.ctx)() - self.post_operations() - - @register_callback - def pre_operations(self): - pass - - @register_callback - def post_operations(self): - pass - - class TestLinesDelete(AAZHttpOperation): - CLIENT_TYPE = "MgmtClient" - - def __call__(self, *args, **kwargs): - request = self.make_request() - session = self.client.send_request(request=request, stream=False, **kwargs) - if session.http_response.status_code in [202]: - return self.client.build_lro_polling( - self.ctx.args.no_wait, - session, - self.on_200, - self.on_error, - lro_options={"final-state-via": "azure-async-operation"}, - path_format_arguments=self.url_parameters, - ) - if session.http_response.status_code in [200]: - return self.client.build_lro_polling( - self.ctx.args.no_wait, - session, - self.on_200, - self.on_error, - lro_options={"final-state-via": "azure-async-operation"}, - path_format_arguments=self.url_parameters, - ) - if session.http_response.status_code in [204]: - return self.client.build_lro_polling( - self.ctx.args.no_wait, - session, - self.on_204, - self.on_error, - lro_options={"final-state-via": "azure-async-operation"}, - path_format_arguments=self.url_parameters, - ) - - return self.on_error(session.http_response) - - @property - def url(self): - return self.client.format_url( - "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}/testLines/{testLineName}", - **self.url_parameters - ) - - @property - def method(self): - return "DELETE" - - @property - def error_format(self): - return "MgmtErrorFormat" - - @property - def url_parameters(self): - parameters = { - **self.serialize_url_param( - "communicationsGatewayName", self.ctx.args.gateway_name, - required=True, - ), - **self.serialize_url_param( - "resourceGroupName", self.ctx.args.resource_group, - required=True, - ), - **self.serialize_url_param( - "subscriptionId", self.ctx.subscription_id, - required=True, - ), - **self.serialize_url_param( - "testLineName", self.ctx.args.test_line_name, - required=True, - ), - } - return parameters - - @property - def query_parameters(self): - parameters = { - **self.serialize_query_param( - "api-version", "2023-01-31", - required=True, - ), - } - return parameters - - def on_200(self, session): - pass - - def on_204(self, session): - pass - - -class _DeleteHelper: - """Helper class for Delete""" - - -__all__ = ["Delete"] diff --git a/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_list.py b/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_list.py deleted file mode 100644 index f49ee47036c..00000000000 --- a/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_list.py +++ /dev/null @@ -1,232 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- - -# pylint: skip-file -# flake8: noqa - -from azure.cli.core.aaz import * - - -@register_command( - "voice-service test-line list", -) -class List(AAZCommand): - """List test line resources by communications gateway - - :example: List test line by resource group and gateway - az voice-service test-line list --gateway-name gateway-name -g rg - """ - - _aaz_info = { - "version": "2023-01-31", - "resources": [ - ["mgmt-plane", "/subscriptions/{}/resourcegroups/{}/providers/microsoft.voiceservices/communicationsgateways/{}/testlines", "2023-01-31"], - ] - } - - def _handler(self, command_args): - super()._handler(command_args) - return self.build_paging(self._execute_operations, self._output) - - _args_schema = None - - @classmethod - def _build_arguments_schema(cls, *args, **kwargs): - if cls._args_schema is not None: - return cls._args_schema - cls._args_schema = super()._build_arguments_schema(*args, **kwargs) - - # define Arg Group "" - - _args_schema = cls._args_schema - _args_schema.gateway_name = AAZStrArg( - options=["--gateway-name"], - help="Unique identifier for this deployment", - required=True, - fmt=AAZStrArgFormat( - pattern="^[a-zA-Z0-9-]{3,24}$", - ), - ) - _args_schema.resource_group = AAZResourceGroupNameArg( - required=True, - ) - return cls._args_schema - - def _execute_operations(self): - self.pre_operations() - self.TestLinesListByCommunicationsGateway(ctx=self.ctx)() - self.post_operations() - - @register_callback - def pre_operations(self): - pass - - @register_callback - def post_operations(self): - pass - - def _output(self, *args, **kwargs): - result = self.deserialize_output(self.ctx.vars.instance.value, client_flatten=True) - next_link = self.deserialize_output(self.ctx.vars.instance.next_link) - return result, next_link - - class TestLinesListByCommunicationsGateway(AAZHttpOperation): - CLIENT_TYPE = "MgmtClient" - - def __call__(self, *args, **kwargs): - request = self.make_request() - session = self.client.send_request(request=request, stream=False, **kwargs) - if session.http_response.status_code in [200]: - return self.on_200(session) - - return self.on_error(session.http_response) - - @property - def url(self): - return self.client.format_url( - "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}/testLines", - **self.url_parameters - ) - - @property - def method(self): - return "GET" - - @property - def error_format(self): - return "MgmtErrorFormat" - - @property - def url_parameters(self): - parameters = { - **self.serialize_url_param( - "communicationsGatewayName", self.ctx.args.gateway_name, - required=True, - ), - **self.serialize_url_param( - "resourceGroupName", self.ctx.args.resource_group, - required=True, - ), - **self.serialize_url_param( - "subscriptionId", self.ctx.subscription_id, - required=True, - ), - } - return parameters - - @property - def query_parameters(self): - parameters = { - **self.serialize_query_param( - "api-version", "2023-01-31", - required=True, - ), - } - return parameters - - @property - def header_parameters(self): - parameters = { - **self.serialize_header_param( - "Accept", "application/json", - ), - } - return parameters - - def on_200(self, session): - data = self.deserialize_http_content(session) - self.ctx.set_var( - "instance", - data, - schema_builder=self._build_schema_on_200 - ) - - _schema_on_200 = None - - @classmethod - def _build_schema_on_200(cls): - if cls._schema_on_200 is not None: - return cls._schema_on_200 - - cls._schema_on_200 = AAZObjectType() - - _schema_on_200 = cls._schema_on_200 - _schema_on_200.next_link = AAZStrType( - serialized_name="nextLink", - ) - _schema_on_200.value = AAZListType( - flags={"required": True}, - ) - - value = cls._schema_on_200.value - value.Element = AAZObjectType() - - _element = cls._schema_on_200.value.Element - _element.id = AAZStrType( - flags={"read_only": True}, - ) - _element.location = AAZStrType( - flags={"required": True}, - ) - _element.name = AAZStrType( - flags={"read_only": True}, - ) - _element.properties = AAZObjectType( - flags={"client_flatten": True}, - ) - _element.system_data = AAZObjectType( - serialized_name="systemData", - flags={"read_only": True}, - ) - _element.tags = AAZDictType() - _element.type = AAZStrType( - flags={"read_only": True}, - ) - - properties = cls._schema_on_200.value.Element.properties - properties.phone_number = AAZStrType( - serialized_name="phoneNumber", - flags={"required": True}, - ) - properties.provisioning_state = AAZStrType( - serialized_name="provisioningState", - ) - properties.purpose = AAZStrType( - flags={"required": True}, - ) - - system_data = cls._schema_on_200.value.Element.system_data - system_data.created_at = AAZStrType( - serialized_name="createdAt", - ) - system_data.created_by = AAZStrType( - serialized_name="createdBy", - ) - system_data.created_by_type = AAZStrType( - serialized_name="createdByType", - ) - system_data.last_modified_at = AAZStrType( - serialized_name="lastModifiedAt", - ) - system_data.last_modified_by = AAZStrType( - serialized_name="lastModifiedBy", - ) - system_data.last_modified_by_type = AAZStrType( - serialized_name="lastModifiedByType", - ) - - tags = cls._schema_on_200.value.Element.tags - tags.Element = AAZStrType() - - return cls._schema_on_200 - - -class _ListHelper: - """Helper class for List""" - - -__all__ = ["List"] diff --git a/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_show.py b/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_show.py deleted file mode 100644 index ca3e787bd15..00000000000 --- a/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_show.py +++ /dev/null @@ -1,235 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- - -# pylint: skip-file -# flake8: noqa - -from azure.cli.core.aaz import * - - -@register_command( - "voice-service test-line show", -) -class Show(AAZCommand): - """Show a test line - - :example: Show a test line - az voice-service test-line show -n test-line-name -g rg --gateway-name gateway-name - """ - - _aaz_info = { - "version": "2023-01-31", - "resources": [ - ["mgmt-plane", "/subscriptions/{}/resourcegroups/{}/providers/microsoft.voiceservices/communicationsgateways/{}/testlines/{}", "2023-01-31"], - ] - } - - def _handler(self, command_args): - super()._handler(command_args) - self._execute_operations() - return self._output() - - _args_schema = None - - @classmethod - def _build_arguments_schema(cls, *args, **kwargs): - if cls._args_schema is not None: - return cls._args_schema - cls._args_schema = super()._build_arguments_schema(*args, **kwargs) - - # define Arg Group "" - - _args_schema = cls._args_schema - _args_schema.gateway_name = AAZStrArg( - options=["--gateway-name"], - help="Unique identifier for this deployment", - required=True, - id_part="name", - fmt=AAZStrArgFormat( - pattern="^[a-zA-Z0-9-]{3,24}$", - ), - ) - _args_schema.resource_group = AAZResourceGroupNameArg( - required=True, - ) - _args_schema.test_line_name = AAZStrArg( - options=["-n", "--name", "--test-line-name"], - help="Unique identifier for this test line", - required=True, - id_part="child_name_1", - fmt=AAZStrArgFormat( - pattern="^[a-zA-Z0-9-]{3,24}$", - ), - ) - return cls._args_schema - - def _execute_operations(self): - self.pre_operations() - self.TestLinesGet(ctx=self.ctx)() - self.post_operations() - - @register_callback - def pre_operations(self): - pass - - @register_callback - def post_operations(self): - pass - - def _output(self, *args, **kwargs): - result = self.deserialize_output(self.ctx.vars.instance, client_flatten=True) - return result - - class TestLinesGet(AAZHttpOperation): - CLIENT_TYPE = "MgmtClient" - - def __call__(self, *args, **kwargs): - request = self.make_request() - session = self.client.send_request(request=request, stream=False, **kwargs) - if session.http_response.status_code in [200]: - return self.on_200(session) - - return self.on_error(session.http_response) - - @property - def url(self): - return self.client.format_url( - "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}/testLines/{testLineName}", - **self.url_parameters - ) - - @property - def method(self): - return "GET" - - @property - def error_format(self): - return "MgmtErrorFormat" - - @property - def url_parameters(self): - parameters = { - **self.serialize_url_param( - "communicationsGatewayName", self.ctx.args.gateway_name, - required=True, - ), - **self.serialize_url_param( - "resourceGroupName", self.ctx.args.resource_group, - required=True, - ), - **self.serialize_url_param( - "subscriptionId", self.ctx.subscription_id, - required=True, - ), - **self.serialize_url_param( - "testLineName", self.ctx.args.test_line_name, - required=True, - ), - } - return parameters - - @property - def query_parameters(self): - parameters = { - **self.serialize_query_param( - "api-version", "2023-01-31", - required=True, - ), - } - return parameters - - @property - def header_parameters(self): - parameters = { - **self.serialize_header_param( - "Accept", "application/json", - ), - } - return parameters - - def on_200(self, session): - data = self.deserialize_http_content(session) - self.ctx.set_var( - "instance", - data, - schema_builder=self._build_schema_on_200 - ) - - _schema_on_200 = None - - @classmethod - def _build_schema_on_200(cls): - if cls._schema_on_200 is not None: - return cls._schema_on_200 - - cls._schema_on_200 = AAZObjectType() - - _schema_on_200 = cls._schema_on_200 - _schema_on_200.id = AAZStrType( - flags={"read_only": True}, - ) - _schema_on_200.location = AAZStrType( - flags={"required": True}, - ) - _schema_on_200.name = AAZStrType( - flags={"read_only": True}, - ) - _schema_on_200.properties = AAZObjectType( - flags={"client_flatten": True}, - ) - _schema_on_200.system_data = AAZObjectType( - serialized_name="systemData", - flags={"read_only": True}, - ) - _schema_on_200.tags = AAZDictType() - _schema_on_200.type = AAZStrType( - flags={"read_only": True}, - ) - - properties = cls._schema_on_200.properties - properties.phone_number = AAZStrType( - serialized_name="phoneNumber", - flags={"required": True}, - ) - properties.provisioning_state = AAZStrType( - serialized_name="provisioningState", - ) - properties.purpose = AAZStrType( - flags={"required": True}, - ) - - system_data = cls._schema_on_200.system_data - system_data.created_at = AAZStrType( - serialized_name="createdAt", - ) - system_data.created_by = AAZStrType( - serialized_name="createdBy", - ) - system_data.created_by_type = AAZStrType( - serialized_name="createdByType", - ) - system_data.last_modified_at = AAZStrType( - serialized_name="lastModifiedAt", - ) - system_data.last_modified_by = AAZStrType( - serialized_name="lastModifiedBy", - ) - system_data.last_modified_by_type = AAZStrType( - serialized_name="lastModifiedByType", - ) - - tags = cls._schema_on_200.tags - tags.Element = AAZStrType() - - return cls._schema_on_200 - - -class _ShowHelper: - """Helper class for Show""" - - -__all__ = ["Show"] diff --git a/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_update.py b/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_update.py deleted file mode 100644 index f7f157ea4fc..00000000000 --- a/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_update.py +++ /dev/null @@ -1,433 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- - -# pylint: skip-file -# flake8: noqa - -from azure.cli.core.aaz import * - - -@register_command( - "voice-service test-line update", -) -class Update(AAZCommand): - """Update a test line - - :example: Update test line - az voice-service test-line update -n test-line-name --gateway-name gateway-name -g rg --tags "{tag:test,tag2:test2}" - """ - - _aaz_info = { - "version": "2023-01-31", - "resources": [ - ["mgmt-plane", "/subscriptions/{}/resourcegroups/{}/providers/microsoft.voiceservices/communicationsgateways/{}/testlines/{}", "2023-01-31"], - ] - } - - AZ_SUPPORT_NO_WAIT = True - - AZ_SUPPORT_GENERIC_UPDATE = True - - def _handler(self, command_args): - super()._handler(command_args) - return self.build_lro_poller(self._execute_operations, self._output) - - _args_schema = None - - @classmethod - def _build_arguments_schema(cls, *args, **kwargs): - if cls._args_schema is not None: - return cls._args_schema - cls._args_schema = super()._build_arguments_schema(*args, **kwargs) - - # define Arg Group "" - - _args_schema = cls._args_schema - _args_schema.gateway_name = AAZStrArg( - options=["--gateway-name"], - help="Unique identifier for this deployment", - required=True, - id_part="name", - fmt=AAZStrArgFormat( - pattern="^[a-zA-Z0-9-]{3,24}$", - ), - ) - _args_schema.resource_group = AAZResourceGroupNameArg( - required=True, - ) - _args_schema.test_line_name = AAZStrArg( - options=["-n", "--name", "--test-line-name"], - help="Unique identifier for this test line", - required=True, - id_part="child_name_1", - fmt=AAZStrArgFormat( - pattern="^[a-zA-Z0-9-]{3,24}$", - ), - ) - - # define Arg Group "Resource" - - _args_schema = cls._args_schema - _args_schema.tags = AAZDictArg( - options=["--tags"], - arg_group="Resource", - help="Resource tags.", - nullable=True, - ) - - tags = cls._args_schema.tags - tags.Element = AAZStrArg( - nullable=True, - ) - return cls._args_schema - - def _execute_operations(self): - self.pre_operations() - self.TestLinesGet(ctx=self.ctx)() - self.pre_instance_update(self.ctx.vars.instance) - self.InstanceUpdateByJson(ctx=self.ctx)() - self.InstanceUpdateByGeneric(ctx=self.ctx)() - self.post_instance_update(self.ctx.vars.instance) - yield self.TestLinesCreateOrUpdate(ctx=self.ctx)() - self.post_operations() - - @register_callback - def pre_operations(self): - pass - - @register_callback - def post_operations(self): - pass - - @register_callback - def pre_instance_update(self, instance): - pass - - @register_callback - def post_instance_update(self, instance): - pass - - def _output(self, *args, **kwargs): - result = self.deserialize_output(self.ctx.vars.instance, client_flatten=True) - return result - - class TestLinesGet(AAZHttpOperation): - CLIENT_TYPE = "MgmtClient" - - def __call__(self, *args, **kwargs): - request = self.make_request() - session = self.client.send_request(request=request, stream=False, **kwargs) - if session.http_response.status_code in [200]: - return self.on_200(session) - - return self.on_error(session.http_response) - - @property - def url(self): - return self.client.format_url( - "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}/testLines/{testLineName}", - **self.url_parameters - ) - - @property - def method(self): - return "GET" - - @property - def error_format(self): - return "MgmtErrorFormat" - - @property - def url_parameters(self): - parameters = { - **self.serialize_url_param( - "communicationsGatewayName", self.ctx.args.gateway_name, - required=True, - ), - **self.serialize_url_param( - "resourceGroupName", self.ctx.args.resource_group, - required=True, - ), - **self.serialize_url_param( - "subscriptionId", self.ctx.subscription_id, - required=True, - ), - **self.serialize_url_param( - "testLineName", self.ctx.args.test_line_name, - required=True, - ), - } - return parameters - - @property - def query_parameters(self): - parameters = { - **self.serialize_query_param( - "api-version", "2023-01-31", - required=True, - ), - } - return parameters - - @property - def header_parameters(self): - parameters = { - **self.serialize_header_param( - "Accept", "application/json", - ), - } - return parameters - - def on_200(self, session): - data = self.deserialize_http_content(session) - self.ctx.set_var( - "instance", - data, - schema_builder=self._build_schema_on_200 - ) - - _schema_on_200 = None - - @classmethod - def _build_schema_on_200(cls): - if cls._schema_on_200 is not None: - return cls._schema_on_200 - - cls._schema_on_200 = AAZObjectType() - _UpdateHelper._build_schema_test_line_read(cls._schema_on_200) - - return cls._schema_on_200 - - class TestLinesCreateOrUpdate(AAZHttpOperation): - CLIENT_TYPE = "MgmtClient" - - def __call__(self, *args, **kwargs): - request = self.make_request() - session = self.client.send_request(request=request, stream=False, **kwargs) - if session.http_response.status_code in [202]: - return self.client.build_lro_polling( - self.ctx.args.no_wait, - session, - self.on_200_201, - self.on_error, - lro_options={"final-state-via": "azure-async-operation"}, - path_format_arguments=self.url_parameters, - ) - if session.http_response.status_code in [200, 201]: - return self.client.build_lro_polling( - self.ctx.args.no_wait, - session, - self.on_200_201, - self.on_error, - lro_options={"final-state-via": "azure-async-operation"}, - path_format_arguments=self.url_parameters, - ) - - return self.on_error(session.http_response) - - @property - def url(self): - return self.client.format_url( - "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}/testLines/{testLineName}", - **self.url_parameters - ) - - @property - def method(self): - return "PUT" - - @property - def error_format(self): - return "MgmtErrorFormat" - - @property - def url_parameters(self): - parameters = { - **self.serialize_url_param( - "communicationsGatewayName", self.ctx.args.gateway_name, - required=True, - ), - **self.serialize_url_param( - "resourceGroupName", self.ctx.args.resource_group, - required=True, - ), - **self.serialize_url_param( - "subscriptionId", self.ctx.subscription_id, - required=True, - ), - **self.serialize_url_param( - "testLineName", self.ctx.args.test_line_name, - required=True, - ), - } - return parameters - - @property - def query_parameters(self): - parameters = { - **self.serialize_query_param( - "api-version", "2023-01-31", - required=True, - ), - } - return parameters - - @property - def header_parameters(self): - parameters = { - **self.serialize_header_param( - "Content-Type", "application/json", - ), - **self.serialize_header_param( - "Accept", "application/json", - ), - } - return parameters - - @property - def content(self): - _content_value, _builder = self.new_content_builder( - self.ctx.args, - value=self.ctx.vars.instance, - ) - - return self.serialize_content(_content_value) - - def on_200_201(self, session): - data = self.deserialize_http_content(session) - self.ctx.set_var( - "instance", - data, - schema_builder=self._build_schema_on_200_201 - ) - - _schema_on_200_201 = None - - @classmethod - def _build_schema_on_200_201(cls): - if cls._schema_on_200_201 is not None: - return cls._schema_on_200_201 - - cls._schema_on_200_201 = AAZObjectType() - _UpdateHelper._build_schema_test_line_read(cls._schema_on_200_201) - - return cls._schema_on_200_201 - - class InstanceUpdateByJson(AAZJsonInstanceUpdateOperation): - - def __call__(self, *args, **kwargs): - self._update_instance(self.ctx.vars.instance) - - def _update_instance(self, instance): - _instance_value, _builder = self.new_content_builder( - self.ctx.args, - value=instance, - typ=AAZObjectType - ) - _builder.set_prop("tags", AAZDictType, ".tags") - - tags = _builder.get(".tags") - if tags is not None: - tags.set_elements(AAZStrType, ".") - - return _instance_value - - class InstanceUpdateByGeneric(AAZGenericInstanceUpdateOperation): - - def __call__(self, *args, **kwargs): - self._update_instance_by_generic( - self.ctx.vars.instance, - self.ctx.generic_update_args - ) - - -class _UpdateHelper: - """Helper class for Update""" - - _schema_test_line_read = None - - @classmethod - def _build_schema_test_line_read(cls, _schema): - if cls._schema_test_line_read is not None: - _schema.id = cls._schema_test_line_read.id - _schema.location = cls._schema_test_line_read.location - _schema.name = cls._schema_test_line_read.name - _schema.properties = cls._schema_test_line_read.properties - _schema.system_data = cls._schema_test_line_read.system_data - _schema.tags = cls._schema_test_line_read.tags - _schema.type = cls._schema_test_line_read.type - return - - cls._schema_test_line_read = _schema_test_line_read = AAZObjectType() - - test_line_read = _schema_test_line_read - test_line_read.id = AAZStrType( - flags={"read_only": True}, - ) - test_line_read.location = AAZStrType( - flags={"required": True}, - ) - test_line_read.name = AAZStrType( - flags={"read_only": True}, - ) - test_line_read.properties = AAZObjectType( - flags={"client_flatten": True}, - ) - test_line_read.system_data = AAZObjectType( - serialized_name="systemData", - flags={"read_only": True}, - ) - test_line_read.tags = AAZDictType() - test_line_read.type = AAZStrType( - flags={"read_only": True}, - ) - - properties = _schema_test_line_read.properties - properties.phone_number = AAZStrType( - serialized_name="phoneNumber", - flags={"required": True}, - ) - properties.provisioning_state = AAZStrType( - serialized_name="provisioningState", - ) - properties.purpose = AAZStrType( - flags={"required": True}, - ) - - system_data = _schema_test_line_read.system_data - system_data.created_at = AAZStrType( - serialized_name="createdAt", - ) - system_data.created_by = AAZStrType( - serialized_name="createdBy", - ) - system_data.created_by_type = AAZStrType( - serialized_name="createdByType", - ) - system_data.last_modified_at = AAZStrType( - serialized_name="lastModifiedAt", - ) - system_data.last_modified_by = AAZStrType( - serialized_name="lastModifiedBy", - ) - system_data.last_modified_by_type = AAZStrType( - serialized_name="lastModifiedByType", - ) - - tags = _schema_test_line_read.tags - tags.Element = AAZStrType() - - _schema.id = cls._schema_test_line_read.id - _schema.location = cls._schema_test_line_read.location - _schema.name = cls._schema_test_line_read.name - _schema.properties = cls._schema_test_line_read.properties - _schema.system_data = cls._schema_test_line_read.system_data - _schema.tags = cls._schema_test_line_read.tags - _schema.type = cls._schema_test_line_read.type - - -__all__ = ["Update"] diff --git a/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_wait.py b/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_wait.py deleted file mode 100644 index 42ed22dfc22..00000000000 --- a/src/voice-service/azext_voice_service/aaz/latest/voice_service/test_line/_wait.py +++ /dev/null @@ -1,231 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- - -# pylint: skip-file -# flake8: noqa - -from azure.cli.core.aaz import * - - -@register_command( - "voice-service test-line wait", -) -class Wait(AAZWaitCommand): - """Place the CLI in a waiting state until a condition is met. - """ - - _aaz_info = { - "resources": [ - ["mgmt-plane", "/subscriptions/{}/resourcegroups/{}/providers/microsoft.voiceservices/communicationsgateways/{}/testlines/{}", "2023-01-31"], - ] - } - - def _handler(self, command_args): - super()._handler(command_args) - self._execute_operations() - return self._output() - - _args_schema = None - - @classmethod - def _build_arguments_schema(cls, *args, **kwargs): - if cls._args_schema is not None: - return cls._args_schema - cls._args_schema = super()._build_arguments_schema(*args, **kwargs) - - # define Arg Group "" - - _args_schema = cls._args_schema - _args_schema.gateway_name = AAZStrArg( - options=["--gateway-name"], - help="Unique identifier for this deployment", - required=True, - id_part="name", - fmt=AAZStrArgFormat( - pattern="^[a-zA-Z0-9-]{3,24}$", - ), - ) - _args_schema.resource_group = AAZResourceGroupNameArg( - required=True, - ) - _args_schema.test_line_name = AAZStrArg( - options=["-n", "--name", "--test-line-name"], - help="Unique identifier for this test line", - required=True, - id_part="child_name_1", - fmt=AAZStrArgFormat( - pattern="^[a-zA-Z0-9-]{3,24}$", - ), - ) - return cls._args_schema - - def _execute_operations(self): - self.pre_operations() - self.TestLinesGet(ctx=self.ctx)() - self.post_operations() - - @register_callback - def pre_operations(self): - pass - - @register_callback - def post_operations(self): - pass - - def _output(self, *args, **kwargs): - result = self.deserialize_output(self.ctx.vars.instance, client_flatten=False) - return result - - class TestLinesGet(AAZHttpOperation): - CLIENT_TYPE = "MgmtClient" - - def __call__(self, *args, **kwargs): - request = self.make_request() - session = self.client.send_request(request=request, stream=False, **kwargs) - if session.http_response.status_code in [200]: - return self.on_200(session) - - return self.on_error(session.http_response) - - @property - def url(self): - return self.client.format_url( - "/subscriptions/{subscriptionId}/resourceGroups/{resourceGroupName}/providers/Microsoft.VoiceServices/communicationsGateways/{communicationsGatewayName}/testLines/{testLineName}", - **self.url_parameters - ) - - @property - def method(self): - return "GET" - - @property - def error_format(self): - return "MgmtErrorFormat" - - @property - def url_parameters(self): - parameters = { - **self.serialize_url_param( - "communicationsGatewayName", self.ctx.args.gateway_name, - required=True, - ), - **self.serialize_url_param( - "resourceGroupName", self.ctx.args.resource_group, - required=True, - ), - **self.serialize_url_param( - "subscriptionId", self.ctx.subscription_id, - required=True, - ), - **self.serialize_url_param( - "testLineName", self.ctx.args.test_line_name, - required=True, - ), - } - return parameters - - @property - def query_parameters(self): - parameters = { - **self.serialize_query_param( - "api-version", "2023-01-31", - required=True, - ), - } - return parameters - - @property - def header_parameters(self): - parameters = { - **self.serialize_header_param( - "Accept", "application/json", - ), - } - return parameters - - def on_200(self, session): - data = self.deserialize_http_content(session) - self.ctx.set_var( - "instance", - data, - schema_builder=self._build_schema_on_200 - ) - - _schema_on_200 = None - - @classmethod - def _build_schema_on_200(cls): - if cls._schema_on_200 is not None: - return cls._schema_on_200 - - cls._schema_on_200 = AAZObjectType() - - _schema_on_200 = cls._schema_on_200 - _schema_on_200.id = AAZStrType( - flags={"read_only": True}, - ) - _schema_on_200.location = AAZStrType( - flags={"required": True}, - ) - _schema_on_200.name = AAZStrType( - flags={"read_only": True}, - ) - _schema_on_200.properties = AAZObjectType( - flags={"client_flatten": True}, - ) - _schema_on_200.system_data = AAZObjectType( - serialized_name="systemData", - flags={"read_only": True}, - ) - _schema_on_200.tags = AAZDictType() - _schema_on_200.type = AAZStrType( - flags={"read_only": True}, - ) - - properties = cls._schema_on_200.properties - properties.phone_number = AAZStrType( - serialized_name="phoneNumber", - flags={"required": True}, - ) - properties.provisioning_state = AAZStrType( - serialized_name="provisioningState", - ) - properties.purpose = AAZStrType( - flags={"required": True}, - ) - - system_data = cls._schema_on_200.system_data - system_data.created_at = AAZStrType( - serialized_name="createdAt", - ) - system_data.created_by = AAZStrType( - serialized_name="createdBy", - ) - system_data.created_by_type = AAZStrType( - serialized_name="createdByType", - ) - system_data.last_modified_at = AAZStrType( - serialized_name="lastModifiedAt", - ) - system_data.last_modified_by = AAZStrType( - serialized_name="lastModifiedBy", - ) - system_data.last_modified_by_type = AAZStrType( - serialized_name="lastModifiedByType", - ) - - tags = cls._schema_on_200.tags - tags.Element = AAZStrType() - - return cls._schema_on_200 - - -class _WaitHelper: - """Helper class for Wait""" - - -__all__ = ["Wait"] diff --git a/src/voice-service/azext_voice_service/azext_metadata.json b/src/voice-service/azext_voice_service/azext_metadata.json deleted file mode 100644 index f5c45b78119..00000000000 --- a/src/voice-service/azext_voice_service/azext_metadata.json +++ /dev/null @@ -1,4 +0,0 @@ -{ - "azext.isPreview": true, - "azext.minCliCoreVersion": "2.44.1" -} \ No newline at end of file diff --git a/src/voice-service/azext_voice_service/commands.py b/src/voice-service/azext_voice_service/commands.py deleted file mode 100644 index b0d842e4993..00000000000 --- a/src/voice-service/azext_voice_service/commands.py +++ /dev/null @@ -1,15 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- - -# pylint: disable=too-many-lines -# pylint: disable=too-many-statements - -# from azure.cli.core.commands import CliCommandType - - -def load_command_table(self, _): # pylint: disable=unused-argument - pass diff --git a/src/voice-service/azext_voice_service/custom.py b/src/voice-service/azext_voice_service/custom.py deleted file mode 100644 index 86df1e48ef5..00000000000 --- a/src/voice-service/azext_voice_service/custom.py +++ /dev/null @@ -1,14 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- - -# pylint: disable=too-many-lines -# pylint: disable=too-many-statements - -from knack.log import get_logger - - -logger = get_logger(__name__) diff --git a/src/voice-service/azext_voice_service/tests/__init__.py b/src/voice-service/azext_voice_service/tests/__init__.py deleted file mode 100644 index 5757aea3175..00000000000 --- a/src/voice-service/azext_voice_service/tests/__init__.py +++ /dev/null @@ -1,6 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- diff --git a/src/voice-service/azext_voice_service/tests/latest/__init__.py b/src/voice-service/azext_voice_service/tests/latest/__init__.py deleted file mode 100644 index 5757aea3175..00000000000 --- a/src/voice-service/azext_voice_service/tests/latest/__init__.py +++ /dev/null @@ -1,6 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- diff --git a/src/voice-service/azext_voice_service/tests/latest/recordings/test_voice_service_check_name_availability.yaml b/src/voice-service/azext_voice_service/tests/latest/recordings/test_voice_service_check_name_availability.yaml deleted file mode 100644 index 5051d6ab74a..00000000000 --- a/src/voice-service/azext_voice_service/tests/latest/recordings/test_voice_service_check_name_availability.yaml +++ /dev/null @@ -1,54 +0,0 @@ -interactions: -- request: - body: '{"name": "voicenametest", "type": "microsoft.voiceservices/communicationsgateways/testlines"}' - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - voice-service check-name-availability - Connection: - - keep-alive - Content-Length: - - '93' - Content-Type: - - application/json - ParameterSetName: - - -l --name --type - User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.9 (Windows-10-10.0.22621-SP0) - method: POST - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.VoiceServices/locations/centraluseuap/checkNameAvailability?api-version=2023-01-31 - response: - body: - string: '{"nameAvailable":true}' - headers: - cache-control: - - no-cache - content-length: - - '22' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 06 Feb 2023 05:32:23 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-providerhub-traffic: - - 'True' - x-ms-ratelimit-remaining-subscription-writes: - - '1199' - status: - code: 200 - message: OK -version: 1 diff --git a/src/voice-service/azext_voice_service/tests/latest/recordings/test_voice_service_gateway.yaml b/src/voice-service/azext_voice_service/tests/latest/recordings/test_voice_service_gateway.yaml deleted file mode 100644 index 732282eb57b..00000000000 --- a/src/voice-service/azext_voice_service/tests/latest/recordings/test_voice_service_gateway.yaml +++ /dev/null @@ -1,558 +0,0 @@ -interactions: -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - voice-service gateway create - Connection: - - keep-alive - ParameterSetName: - - -n -g --service-locations --connectivity --codecs --e911-type --platforms - User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.9 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_voice_service_gateway000001?api-version=2021-04-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_gateway000001","name":"cli_test_voice_service_gateway000001","type":"Microsoft.Resources/resourceGroups","location":"centraluseuap","tags":{"product":"azurecli","cause":"automation","date":"2023-02-06T04:41:34Z"},"properties":{"provisioningState":"Succeeded"}}' - headers: - cache-control: - - no-cache - content-length: - - '357' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 06 Feb 2023 04:41:35 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: '{"location": "centraluseuap", "properties": {"autoGeneratedDomainNameLabelScope": - "TenantReuse", "codecs": ["PCMA"], "connectivity": "PublicAddress", "e911Type": - "Standard", "emergencyDialStrings": ["911", "933"], "onPremMcpEnabled": false, - "platforms": ["OperatorConnect"], "serviceLocations": [{"name": "useast", "primaryRegionProperties": - {"allowedMediaSourceAddressPrefixes": ["10.1.2.0/24"], "allowedSignalingSourceAddressPrefixes": - ["10.1.1.0/24"], "operatorAddresses": ["198.51.100.1"]}}, {"name": "useast2", - "primaryRegionProperties": {"allowedMediaSourceAddressPrefixes": ["10.2.2.0/24"], - "allowedSignalingSourceAddressPrefixes": ["10.2.1.0/24"], "operatorAddresses": - ["198.51.100.2"]}}]}}' - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - voice-service gateway create - Connection: - - keep-alive - Content-Length: - - '698' - Content-Type: - - application/json - ParameterSetName: - - -n -g --service-locations --connectivity --codecs --e911-type --platforms - User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.9 (Windows-10-10.0.22621-SP0) - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_gateway000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002?api-version=2023-01-31 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_gateway000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002","name":"gateway000002","type":"microsoft.voiceservices/communicationsgateways","location":"centraluseuap","systemData":{"createdBy":"v-jingszhang@microsoft.com","createdByType":"User","createdAt":"2023-02-06T04:41:41.4158998Z","lastModifiedBy":"v-jingszhang@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-06T04:41:41.4158998Z"},"properties":{"autoGeneratedDomainNameLabelScope":"TenantReuse","codecs":["PCMA"],"connectivity":"PublicAddress","e911Type":"Standard","emergencyDialStrings":["911","933"],"onPremMcpEnabled":false,"platforms":["OperatorConnect"],"serviceLocations":[{"name":"useast","primaryRegionProperties":{"allowedMediaSourceAddressPrefixes":["10.1.2.0/24"],"allowedSignalingSourceAddressPrefixes":["10.1.1.0/24"],"operatorAddresses":["198.51.100.1"]}},{"name":"useast2","primaryRegionProperties":{"allowedMediaSourceAddressPrefixes":["10.2.2.0/24"],"allowedSignalingSourceAddressPrefixes":["10.2.1.0/24"],"operatorAddresses":["198.51.100.2"]}}],"provisioningState":"Accepted"}}' - headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.VoiceServices/locations/CENTRALUSEUAP/operationStatuses/3d1cc1f5-1b5d-4f23-ac61-68df733a3cff*2EF8EE69C583E7A4E9879970DB2701A745CA97D0D7C11E7D81B0E38BA8AEE145?api-version=2023-01-31 - cache-control: - - no-cache - content-length: - - '1198' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 06 Feb 2023 04:41:44 GMT - etag: - - '"0000ae0b-0000-3300-0000-63e085060000"' - expires: - - '-1' - pragma: - - no-cache - request-context: - - appId=cid-v1:ee9ea8e7-bc71-4c0f-83ad-dc11c5b30732 - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-providerhub-traffic: - - 'True' - x-ms-ratelimit-remaining-subscription-writes: - - '1199' - status: - code: 201 - message: Created -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - voice-service gateway create - Connection: - - keep-alive - ParameterSetName: - - -n -g --service-locations --connectivity --codecs --e911-type --platforms - User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.9 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.VoiceServices/locations/CENTRALUSEUAP/operationStatuses/3d1cc1f5-1b5d-4f23-ac61-68df733a3cff*2EF8EE69C583E7A4E9879970DB2701A745CA97D0D7C11E7D81B0E38BA8AEE145?api-version=2023-01-31 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.VoiceServices/locations/CENTRALUSEUAP/operationStatuses/3d1cc1f5-1b5d-4f23-ac61-68df733a3cff*2EF8EE69C583E7A4E9879970DB2701A745CA97D0D7C11E7D81B0E38BA8AEE145","name":"3d1cc1f5-1b5d-4f23-ac61-68df733a3cff*2EF8EE69C583E7A4E9879970DB2701A745CA97D0D7C11E7D81B0E38BA8AEE145","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_gateway000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002","status":"Succeeded","startTime":"2023-02-06T04:41:42.3389638Z","properties":null}' - headers: - cache-control: - - no-cache - content-length: - - '621' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 06 Feb 2023 04:42:14 GMT - etag: - - '"0000800a-0000-3300-0000-63e0850c0000"' - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - voice-service gateway create - Connection: - - keep-alive - ParameterSetName: - - -n -g --service-locations --connectivity --codecs --e911-type --platforms - User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.9 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_gateway000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002?api-version=2023-01-31 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_gateway000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002","name":"gateway000002","type":"microsoft.voiceservices/communicationsgateways","location":"centraluseuap","systemData":{"createdBy":"v-jingszhang@microsoft.com","createdByType":"User","createdAt":"2023-02-06T04:41:41.4158998Z","lastModifiedBy":"v-jingszhang@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-06T04:41:41.4158998Z"},"properties":{"status":"ChangePending","apiBridge":null,"autoGeneratedDomainNameLabelScope":"TenantReuse","autoGeneratedDomainNameLabel":"gateway000002.e4hwabg0h3cdg4fu","codecs":["PCMA"],"connectivity":"PublicAddress","e911Type":"Standard","emergencyDialStrings":["911","933"],"onPremMcpEnabled":false,"platforms":["OperatorConnect"],"serviceLocations":[{"name":"useast","primaryRegionProperties":{"allowedMediaSourceAddressPrefixes":["10.1.2.0/24"],"allowedSignalingSourceAddressPrefixes":["10.1.1.0/24"],"operatorAddresses":["198.51.100.1"]}},{"name":"useast2","primaryRegionProperties":{"allowedMediaSourceAddressPrefixes":["10.2.2.0/24"],"allowedSignalingSourceAddressPrefixes":["10.2.1.0/24"],"operatorAddresses":["198.51.100.2"]}}],"provisioningState":"Succeeded"}}' - headers: - cache-control: - - no-cache - content-length: - - '1305' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 06 Feb 2023 04:42:15 GMT - etag: - - '"0000af0b-0000-3300-0000-63e0850c0000"' - expires: - - '-1' - pragma: - - no-cache - request-context: - - appId=cid-v1:ee9ea8e7-bc71-4c0f-83ad-dc11c5b30732 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-ms-providerhub-traffic: - - 'True' - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - voice-service gateway update - Connection: - - keep-alive - ParameterSetName: - - -n -g --tags - User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.9 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_gateway000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002?api-version=2023-01-31 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_gateway000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002","name":"gateway000002","type":"microsoft.voiceservices/communicationsgateways","location":"centraluseuap","systemData":{"createdBy":"v-jingszhang@microsoft.com","createdByType":"User","createdAt":"2023-02-06T04:41:41.4158998Z","lastModifiedBy":"v-jingszhang@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-06T04:41:41.4158998Z"},"properties":{"status":"ChangePending","apiBridge":null,"autoGeneratedDomainNameLabelScope":"TenantReuse","autoGeneratedDomainNameLabel":"gateway000002.e4hwabg0h3cdg4fu","codecs":["PCMA"],"connectivity":"PublicAddress","e911Type":"Standard","emergencyDialStrings":["911","933"],"onPremMcpEnabled":false,"platforms":["OperatorConnect"],"serviceLocations":[{"name":"useast","primaryRegionProperties":{"allowedMediaSourceAddressPrefixes":["10.1.2.0/24"],"allowedSignalingSourceAddressPrefixes":["10.1.1.0/24"],"operatorAddresses":["198.51.100.1"]}},{"name":"useast2","primaryRegionProperties":{"allowedMediaSourceAddressPrefixes":["10.2.2.0/24"],"allowedSignalingSourceAddressPrefixes":["10.2.1.0/24"],"operatorAddresses":["198.51.100.2"]}}],"provisioningState":"Succeeded"}}' - headers: - cache-control: - - no-cache - content-length: - - '1305' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 06 Feb 2023 04:42:18 GMT - etag: - - '"0000af0b-0000-3300-0000-63e0850c0000"' - expires: - - '-1' - pragma: - - no-cache - request-context: - - appId=cid-v1:ee9ea8e7-bc71-4c0f-83ad-dc11c5b30732 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-ms-providerhub-traffic: - - 'True' - status: - code: 200 - message: OK -- request: - body: '{"location": "centraluseuap", "properties": {"autoGeneratedDomainNameLabelScope": - "TenantReuse", "codecs": ["PCMA"], "connectivity": "PublicAddress", "e911Type": - "Standard", "emergencyDialStrings": ["911", "933"], "onPremMcpEnabled": false, - "platforms": ["OperatorConnect"], "provisioningState": "Succeeded", "serviceLocations": - [{"name": "useast", "primaryRegionProperties": {"allowedMediaSourceAddressPrefixes": - ["10.1.2.0/24"], "allowedSignalingSourceAddressPrefixes": ["10.1.1.0/24"], "operatorAddresses": - ["198.51.100.1"]}}, {"name": "useast2", "primaryRegionProperties": {"allowedMediaSourceAddressPrefixes": - ["10.2.2.0/24"], "allowedSignalingSourceAddressPrefixes": ["10.2.1.0/24"], "operatorAddresses": - ["198.51.100.2"]}}], "status": "ChangePending"}, "tags": {"tag": "test", "tag2": - "test2"}}' - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - voice-service gateway update - Connection: - - keep-alive - Content-Length: - - '801' - Content-Type: - - application/json - ParameterSetName: - - -n -g --tags - User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.9 (Windows-10-10.0.22621-SP0) - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_gateway000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002?api-version=2023-01-31 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_gateway000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002","name":"gateway000002","type":"microsoft.voiceservices/communicationsgateways","location":"centraluseuap","tags":{"tag":"test","tag2":"test2"},"systemData":{"createdBy":"v-jingszhang@microsoft.com","createdByType":"User","createdAt":"2023-02-06T04:41:41.4158998Z","lastModifiedBy":"v-jingszhang@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-06T04:42:19.1614601Z"},"properties":{"autoGeneratedDomainNameLabel":"gateway000002.e4hwabg0h3cdg4fu","autoGeneratedDomainNameLabelScope":"TenantReuse","codecs":["PCMA"],"connectivity":"PublicAddress","e911Type":"Standard","emergencyDialStrings":["911","933"],"onPremMcpEnabled":false,"platforms":["OperatorConnect"],"provisioningState":"Accepted","serviceLocations":[{"name":"useast","primaryRegionProperties":{"allowedMediaSourceAddressPrefixes":["10.1.2.0/24"],"allowedSignalingSourceAddressPrefixes":["10.1.1.0/24"],"operatorAddresses":["198.51.100.1"]}},{"name":"useast2","primaryRegionProperties":{"allowedMediaSourceAddressPrefixes":["10.2.2.0/24"],"allowedSignalingSourceAddressPrefixes":["10.2.1.0/24"],"operatorAddresses":["198.51.100.2"]}}],"status":"ChangePending"}}' - headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.VoiceServices/locations/CENTRALUSEUAP/operationStatuses/35cd234f-78d8-46b2-8b9a-c494928f3c42*2EF8EE69C583E7A4E9879970DB2701A745CA97D0D7C11E7D81B0E38BA8AEE145?api-version=2023-01-31 - cache-control: - - no-cache - content-length: - - '1324' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 06 Feb 2023 04:42:22 GMT - etag: - - '"0000b00b-0000-3300-0000-63e0852b0000"' - expires: - - '-1' - pragma: - - no-cache - request-context: - - appId=cid-v1:ee9ea8e7-bc71-4c0f-83ad-dc11c5b30732 - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-providerhub-traffic: - - 'True' - x-ms-ratelimit-remaining-subscription-writes: - - '1199' - status: - code: 201 - message: Created -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - voice-service gateway update - Connection: - - keep-alive - ParameterSetName: - - -n -g --tags - User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.9 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.VoiceServices/locations/CENTRALUSEUAP/operationStatuses/35cd234f-78d8-46b2-8b9a-c494928f3c42*2EF8EE69C583E7A4E9879970DB2701A745CA97D0D7C11E7D81B0E38BA8AEE145?api-version=2023-01-31 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.VoiceServices/locations/CENTRALUSEUAP/operationStatuses/35cd234f-78d8-46b2-8b9a-c494928f3c42*2EF8EE69C583E7A4E9879970DB2701A745CA97D0D7C11E7D81B0E38BA8AEE145","name":"35cd234f-78d8-46b2-8b9a-c494928f3c42*2EF8EE69C583E7A4E9879970DB2701A745CA97D0D7C11E7D81B0E38BA8AEE145","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_gateway000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002","status":"Succeeded","startTime":"2023-02-06T04:42:19.4010041Z","properties":null}' - headers: - cache-control: - - no-cache - content-length: - - '621' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 06 Feb 2023 04:42:53 GMT - etag: - - '"0000840a-0000-3300-0000-63e085320000"' - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - voice-service gateway update - Connection: - - keep-alive - ParameterSetName: - - -n -g --tags - User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.9 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_gateway000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002?api-version=2023-01-31 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_gateway000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002","name":"gateway000002","type":"microsoft.voiceservices/communicationsgateways","location":"centraluseuap","tags":{"tag":"test","tag2":"test2"},"systemData":{"createdBy":"v-jingszhang@microsoft.com","createdByType":"User","createdAt":"2023-02-06T04:41:41.4158998Z","lastModifiedBy":"v-jingszhang@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-06T04:42:19.1614601Z"},"properties":{"status":"ChangePending","apiBridge":null,"autoGeneratedDomainNameLabelScope":"TenantReuse","autoGeneratedDomainNameLabel":"gateway000002.e4hwabg0h3cdg4fu","codecs":["PCMA"],"connectivity":"PublicAddress","e911Type":"Standard","emergencyDialStrings":["911","933"],"onPremMcpEnabled":false,"platforms":["OperatorConnect"],"provisioningState":"Succeeded","serviceLocations":[{"name":"useast","primaryRegionProperties":{"allowedMediaSourceAddressPrefixes":["10.1.2.0/24"],"allowedSignalingSourceAddressPrefixes":["10.1.1.0/24"],"operatorAddresses":["198.51.100.1"]}},{"name":"useast2","primaryRegionProperties":{"allowedMediaSourceAddressPrefixes":["10.2.2.0/24"],"allowedSignalingSourceAddressPrefixes":["10.2.1.0/24"],"operatorAddresses":["198.51.100.2"]}}]}}' - headers: - cache-control: - - no-cache - content-length: - - '1342' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 06 Feb 2023 04:42:53 GMT - etag: - - '"0000b10b-0000-3300-0000-63e085310000"' - expires: - - '-1' - pragma: - - no-cache - request-context: - - appId=cid-v1:ee9ea8e7-bc71-4c0f-83ad-dc11c5b30732 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-ms-providerhub-traffic: - - 'True' - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - voice-service gateway list - Connection: - - keep-alive - ParameterSetName: - - -g - User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.9 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_gateway000001/providers/Microsoft.VoiceServices/communicationsGateways?api-version=2023-01-31 - response: - body: - string: '{"value":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_gateway000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002","name":"gateway000002","type":"microsoft.voiceservices/communicationsgateways","location":"centraluseuap","tags":{"tag":"test","tag2":"test2"},"systemData":{"createdBy":"v-jingszhang@microsoft.com","createdByType":"User","createdAt":"2023-02-06T04:41:41.4158998Z","lastModifiedBy":"v-jingszhang@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-06T04:42:19.1614601Z"},"properties":{"apiBridge":null,"autoGeneratedDomainNameLabelScope":"TenantReuse","autoGeneratedDomainNameLabel":"gateway000002.e4hwabg0h3cdg4fu","codecs":["PCMA"],"connectivity":"PublicAddress","e911Type":"Standard","emergencyDialStrings":["911","933"],"onPremMcpEnabled":false,"platforms":["OperatorConnect"],"provisioningState":"Succeeded","serviceLocations":[{"name":"useast","primaryRegionProperties":{"allowedMediaSourceAddressPrefixes":["10.1.2.0/24"],"allowedSignalingSourceAddressPrefixes":["10.1.1.0/24"],"operatorAddresses":["198.51.100.1"]}},{"name":"useast2","primaryRegionProperties":{"allowedMediaSourceAddressPrefixes":["10.2.2.0/24"],"allowedSignalingSourceAddressPrefixes":["10.2.1.0/24"],"operatorAddresses":["198.51.100.2"]}}]}}]}' - headers: - cache-control: - - no-cache - content-length: - - '1329' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 06 Feb 2023 04:42:54 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-original-request-ids: - - 272ca5a3-d9e3-4f7c-a849-9dea48dd7b65 - - 180e0e2f-22d9-4816-a26e-985c55d91974 - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - voice-service gateway show - Connection: - - keep-alive - ParameterSetName: - - -n -g - User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.9 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_gateway000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002?api-version=2023-01-31 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_gateway000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002","name":"gateway000002","type":"microsoft.voiceservices/communicationsgateways","location":"centraluseuap","tags":{"tag":"test","tag2":"test2"},"systemData":{"createdBy":"v-jingszhang@microsoft.com","createdByType":"User","createdAt":"2023-02-06T04:41:41.4158998Z","lastModifiedBy":"v-jingszhang@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-06T04:42:19.1614601Z"},"properties":{"status":"ChangePending","apiBridge":null,"autoGeneratedDomainNameLabelScope":"TenantReuse","autoGeneratedDomainNameLabel":"gateway000002.e4hwabg0h3cdg4fu","codecs":["PCMA"],"connectivity":"PublicAddress","e911Type":"Standard","emergencyDialStrings":["911","933"],"onPremMcpEnabled":false,"platforms":["OperatorConnect"],"provisioningState":"Succeeded","serviceLocations":[{"name":"useast","primaryRegionProperties":{"allowedMediaSourceAddressPrefixes":["10.1.2.0/24"],"allowedSignalingSourceAddressPrefixes":["10.1.1.0/24"],"operatorAddresses":["198.51.100.1"]}},{"name":"useast2","primaryRegionProperties":{"allowedMediaSourceAddressPrefixes":["10.2.2.0/24"],"allowedSignalingSourceAddressPrefixes":["10.2.1.0/24"],"operatorAddresses":["198.51.100.2"]}}]}}' - headers: - cache-control: - - no-cache - content-length: - - '1342' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 06 Feb 2023 04:42:57 GMT - etag: - - '"0000b10b-0000-3300-0000-63e085310000"' - expires: - - '-1' - pragma: - - no-cache - request-context: - - appId=cid-v1:ee9ea8e7-bc71-4c0f-83ad-dc11c5b30732 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-ms-providerhub-traffic: - - 'True' - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - voice-service gateway delete - Connection: - - keep-alive - Content-Length: - - '0' - ParameterSetName: - - -n -g -y - User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.9 (Windows-10-10.0.22621-SP0) - method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_gateway000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002?api-version=2023-01-31 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - date: - - Mon, 06 Feb 2023 04:43:03 GMT - expires: - - '-1' - pragma: - - no-cache - request-context: - - appId=cid-v1:ee9ea8e7-bc71-4c0f-83ad-dc11c5b30732 - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-providerhub-traffic: - - 'True' - x-ms-ratelimit-remaining-subscription-deletes: - - '14999' - status: - code: 200 - message: OK -version: 1 diff --git a/src/voice-service/azext_voice_service/tests/latest/recordings/test_voice_service_test_line.yaml b/src/voice-service/azext_voice_service/tests/latest/recordings/test_voice_service_test_line.yaml deleted file mode 100644 index 866c0b525a6..00000000000 --- a/src/voice-service/azext_voice_service/tests/latest/recordings/test_voice_service_test_line.yaml +++ /dev/null @@ -1,552 +0,0 @@ -interactions: -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - voice-service gateway create - Connection: - - keep-alive - ParameterSetName: - - -n -g --service-locations --connectivity --codecs --e911-type --platforms - User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.9 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_voice_service_test_line000001?api-version=2021-04-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_test_line000001","name":"cli_test_voice_service_test_line000001","type":"Microsoft.Resources/resourceGroups","location":"centraluseuap","tags":{"product":"azurecli","cause":"automation","date":"2023-02-06T05:10:40Z"},"properties":{"provisioningState":"Succeeded"}}' - headers: - cache-control: - - no-cache - connection: - - close - content-length: - - '361' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 06 Feb 2023 05:10:45 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: '{"location": "centraluseuap", "properties": {"autoGeneratedDomainNameLabelScope": - "TenantReuse", "codecs": ["PCMA"], "connectivity": "PublicAddress", "e911Type": - "Standard", "emergencyDialStrings": ["911", "933"], "onPremMcpEnabled": false, - "platforms": ["OperatorConnect"], "serviceLocations": [{"name": "useast", "primaryRegionProperties": - {"allowedMediaSourceAddressPrefixes": ["10.1.2.0/24"], "allowedSignalingSourceAddressPrefixes": - ["10.1.1.0/24"], "operatorAddresses": ["198.51.100.1"]}}, {"name": "useast2", - "primaryRegionProperties": {"allowedMediaSourceAddressPrefixes": ["10.2.2.0/24"], - "allowedSignalingSourceAddressPrefixes": ["10.2.1.0/24"], "operatorAddresses": - ["198.51.100.2"]}}]}}' - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - voice-service gateway create - Connection: - - keep-alive - Content-Length: - - '698' - Content-Type: - - application/json - ParameterSetName: - - -n -g --service-locations --connectivity --codecs --e911-type --platforms - User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.9 (Windows-10-10.0.22621-SP0) - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_test_line000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002?api-version=2023-01-31 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_test_line000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002","name":"gateway000002","type":"microsoft.voiceservices/communicationsgateways","location":"centraluseuap","systemData":{"createdBy":"v-jingszhang@microsoft.com","createdByType":"User","createdAt":"2023-02-06T05:10:50.0659244Z","lastModifiedBy":"v-jingszhang@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-06T05:10:50.0659244Z"},"properties":{"autoGeneratedDomainNameLabelScope":"TenantReuse","codecs":["PCMA"],"connectivity":"PublicAddress","e911Type":"Standard","emergencyDialStrings":["911","933"],"onPremMcpEnabled":false,"platforms":["OperatorConnect"],"serviceLocations":[{"name":"useast","primaryRegionProperties":{"allowedMediaSourceAddressPrefixes":["10.1.2.0/24"],"allowedSignalingSourceAddressPrefixes":["10.1.1.0/24"],"operatorAddresses":["198.51.100.1"]}},{"name":"useast2","primaryRegionProperties":{"allowedMediaSourceAddressPrefixes":["10.2.2.0/24"],"allowedSignalingSourceAddressPrefixes":["10.2.1.0/24"],"operatorAddresses":["198.51.100.2"]}}],"provisioningState":"Accepted"}}' - headers: - azure-asyncoperation: - - https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.VoiceServices/locations/CENTRALUSEUAP/operationStatuses/017b0deb-5723-41ff-942f-89d57abe5382*4E624E4FFD02FCBA6020028660027D06A5F0CBD0B0192FEB50A8A121BB996456?api-version=2023-01-31 - cache-control: - - no-cache - content-length: - - '1200' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 06 Feb 2023 05:10:51 GMT - etag: - - '"0000bc0b-0000-3300-0000-63e08bdb0000"' - expires: - - '-1' - pragma: - - no-cache - request-context: - - appId=cid-v1:ee9ea8e7-bc71-4c0f-83ad-dc11c5b30732 - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-providerhub-traffic: - - 'True' - x-ms-ratelimit-remaining-subscription-writes: - - '1199' - status: - code: 201 - message: Created -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - voice-service gateway create - Connection: - - keep-alive - ParameterSetName: - - -n -g --service-locations --connectivity --codecs --e911-type --platforms - User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.9 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.VoiceServices/locations/CENTRALUSEUAP/operationStatuses/017b0deb-5723-41ff-942f-89d57abe5382*4E624E4FFD02FCBA6020028660027D06A5F0CBD0B0192FEB50A8A121BB996456?api-version=2023-01-31 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/providers/Microsoft.VoiceServices/locations/CENTRALUSEUAP/operationStatuses/017b0deb-5723-41ff-942f-89d57abe5382*4E624E4FFD02FCBA6020028660027D06A5F0CBD0B0192FEB50A8A121BB996456","name":"017b0deb-5723-41ff-942f-89d57abe5382*4E624E4FFD02FCBA6020028660027D06A5F0CBD0B0192FEB50A8A121BB996456","resourceId":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_test_line000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002","status":"Succeeded","startTime":"2023-02-06T05:10:51.0204151Z","properties":null}' - headers: - cache-control: - - no-cache - content-length: - - '623' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 06 Feb 2023 05:11:22 GMT - etag: - - '"00009e0a-0000-3300-0000-63e08be10000"' - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - voice-service gateway create - Connection: - - keep-alive - ParameterSetName: - - -n -g --service-locations --connectivity --codecs --e911-type --platforms - User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.9 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_test_line000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002?api-version=2023-01-31 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_test_line000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002","name":"gateway000002","type":"microsoft.voiceservices/communicationsgateways","location":"centraluseuap","systemData":{"createdBy":"v-jingszhang@microsoft.com","createdByType":"User","createdAt":"2023-02-06T05:10:50.0659244Z","lastModifiedBy":"v-jingszhang@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-06T05:10:50.0659244Z"},"properties":{"status":"ChangePending","apiBridge":null,"autoGeneratedDomainNameLabelScope":"TenantReuse","autoGeneratedDomainNameLabel":"gateway000002.b6apg6e2f4anbaa8","codecs":["PCMA"],"connectivity":"PublicAddress","e911Type":"Standard","emergencyDialStrings":["911","933"],"onPremMcpEnabled":false,"platforms":["OperatorConnect"],"serviceLocations":[{"name":"useast","primaryRegionProperties":{"allowedMediaSourceAddressPrefixes":["10.1.2.0/24"],"allowedSignalingSourceAddressPrefixes":["10.1.1.0/24"],"operatorAddresses":["198.51.100.1"]}},{"name":"useast2","primaryRegionProperties":{"allowedMediaSourceAddressPrefixes":["10.2.2.0/24"],"allowedSignalingSourceAddressPrefixes":["10.2.1.0/24"],"operatorAddresses":["198.51.100.2"]}}],"provisioningState":"Succeeded"}}' - headers: - cache-control: - - no-cache - content-length: - - '1307' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 06 Feb 2023 05:11:23 GMT - etag: - - '"0000bd0b-0000-3300-0000-63e08be10000"' - expires: - - '-1' - pragma: - - no-cache - request-context: - - appId=cid-v1:ee9ea8e7-bc71-4c0f-83ad-dc11c5b30732 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-ms-providerhub-traffic: - - 'True' - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - voice-service test-line create - Connection: - - keep-alive - ParameterSetName: - - -n -g --gateway-name --phone-number --purpose - User-Agent: - - AZURECLI/2.44.1 azsdk-python-azure-mgmt-resource/21.1.0b1 Python/3.10.9 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourcegroups/cli_test_voice_service_test_line000001?api-version=2021-04-01 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_test_line000001","name":"cli_test_voice_service_test_line000001","type":"Microsoft.Resources/resourceGroups","location":"centraluseuap","tags":{"product":"azurecli","cause":"automation","date":"2023-02-06T05:10:40Z"},"properties":{"provisioningState":"Succeeded"}}' - headers: - cache-control: - - no-cache - content-length: - - '361' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 06 Feb 2023 05:11:23 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - status: - code: 200 - message: OK -- request: - body: '{"location": "centraluseuap", "properties": {"phoneNumber": "+1-555-1234", - "purpose": "Automated"}}' - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - voice-service test-line create - Connection: - - keep-alive - Content-Length: - - '99' - Content-Type: - - application/json - ParameterSetName: - - -n -g --gateway-name --phone-number --purpose - User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.9 (Windows-10-10.0.22621-SP0) - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_test_line000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002/testLines/line000003?api-version=2023-01-31 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_test_line000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002/testLines/line000003","name":"line000003","type":"microsoft.voiceservices/communicationsgateways/testlines","location":"centraluseuap","systemData":{"createdBy":"v-jingszhang@microsoft.com","createdByType":"User","createdAt":"2023-02-06T05:11:28.6691607Z","lastModifiedBy":"v-jingszhang@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-06T05:11:28.6691607Z"},"properties":{"phoneNumber":"+1-555-1234","purpose":"Automated","provisioningState":"Succeeded"}}' - headers: - cache-control: - - no-cache - content-length: - - '660' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 06 Feb 2023 05:11:31 GMT - etag: - - '"0000ce05-0000-3300-0000-63e08c010000"' - expires: - - '-1' - pragma: - - no-cache - request-context: - - appId=cid-v1:ee9ea8e7-bc71-4c0f-83ad-dc11c5b30732 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-ms-providerhub-traffic: - - 'True' - x-ms-ratelimit-remaining-subscription-writes: - - '1198' - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - voice-service test-line update - Connection: - - keep-alive - ParameterSetName: - - -n --gateway-name -g --tags - User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.9 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_test_line000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002/testLines/line000003?api-version=2023-01-31 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_test_line000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002/testLines/line000003","name":"line000003","type":"microsoft.voiceservices/communicationsgateways/testlines","location":"centraluseuap","systemData":{"createdBy":"v-jingszhang@microsoft.com","createdByType":"User","createdAt":"2023-02-06T05:11:28.6691607Z","lastModifiedBy":"v-jingszhang@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-06T05:11:28.6691607Z"},"properties":{"phoneNumber":"+1-555-1234","purpose":"Automated","provisioningState":"Succeeded"}}' - headers: - cache-control: - - no-cache - content-length: - - '660' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 06 Feb 2023 05:11:33 GMT - etag: - - '"0000ce05-0000-3300-0000-63e08c010000"' - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-providerhub-traffic: - - 'True' - status: - code: 200 - message: OK -- request: - body: '{"location": "centraluseuap", "properties": {"phoneNumber": "+1-555-1234", - "provisioningState": "Succeeded", "purpose": "Automated"}, "tags": {"tag": "test", - "tag2": "test2"}}' - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - voice-service test-line update - Connection: - - keep-alive - Content-Length: - - '175' - Content-Type: - - application/json - ParameterSetName: - - -n --gateway-name -g --tags - User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.9 (Windows-10-10.0.22621-SP0) - method: PUT - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_test_line000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002/testLines/line000003?api-version=2023-01-31 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_test_line000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002/testLines/line000003","name":"line000003","type":"microsoft.voiceservices/communicationsgateways/testlines","location":"centraluseuap","tags":{"tag":"test","tag2":"test2"},"systemData":{"createdBy":"v-jingszhang@microsoft.com","createdByType":"User","createdAt":"2023-02-06T05:11:28.6691607Z","lastModifiedBy":"v-jingszhang@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-06T05:11:34.2229929Z"},"properties":{"phoneNumber":"+1-555-1234","provisioningState":"Succeeded","purpose":"Automated"}}' - headers: - cache-control: - - no-cache - content-length: - - '697' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 06 Feb 2023 05:11:36 GMT - etag: - - '"0000cf05-0000-3300-0000-63e08c060000"' - expires: - - '-1' - pragma: - - no-cache - request-context: - - appId=cid-v1:ee9ea8e7-bc71-4c0f-83ad-dc11c5b30732 - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding,Accept-Encoding - x-content-type-options: - - nosniff - x-ms-providerhub-traffic: - - 'True' - x-ms-ratelimit-remaining-subscription-writes: - - '1198' - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - voice-service test-line list - Connection: - - keep-alive - ParameterSetName: - - --gateway-name -g - User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.9 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_test_line000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002/testLines?api-version=2023-01-31 - response: - body: - string: '{"value":[{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_test_line000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002/testLines/line000003","name":"line000003","type":"microsoft.voiceservices/communicationsgateways/testlines","location":"centraluseuap","tags":{"tag":"test","tag2":"test2"},"systemData":{"createdBy":"v-jingszhang@microsoft.com","createdByType":"User","createdAt":"2023-02-06T05:11:28.6691607Z","lastModifiedBy":"v-jingszhang@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-06T05:11:34.2229929Z"},"properties":{"phoneNumber":"+1-555-1234","provisioningState":"Succeeded","purpose":"Automated"}}]}' - headers: - cache-control: - - no-cache - content-length: - - '709' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 06 Feb 2023 05:11:39 GMT - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-original-request-ids: - - 0ac805cb-a352-4188-861b-554c17964e9f - - 7982fad1-bcaf-4669-ba14-d034db417007 - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - application/json - Accept-Encoding: - - gzip, deflate - CommandName: - - voice-service test-line show - Connection: - - keep-alive - ParameterSetName: - - -n -g --gateway-name - User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.9 (Windows-10-10.0.22621-SP0) - method: GET - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_test_line000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002/testLines/line000003?api-version=2023-01-31 - response: - body: - string: '{"id":"/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_test_line000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002/testLines/line000003","name":"line000003","type":"microsoft.voiceservices/communicationsgateways/testlines","location":"centraluseuap","tags":{"tag":"test","tag2":"test2"},"systemData":{"createdBy":"v-jingszhang@microsoft.com","createdByType":"User","createdAt":"2023-02-06T05:11:28.6691607Z","lastModifiedBy":"v-jingszhang@microsoft.com","lastModifiedByType":"User","lastModifiedAt":"2023-02-06T05:11:34.2229929Z"},"properties":{"phoneNumber":"+1-555-1234","provisioningState":"Succeeded","purpose":"Automated"}}' - headers: - cache-control: - - no-cache - content-length: - - '697' - content-type: - - application/json; charset=utf-8 - date: - - Mon, 06 Feb 2023 05:11:41 GMT - etag: - - '"0000cf05-0000-3300-0000-63e08c060000"' - expires: - - '-1' - pragma: - - no-cache - strict-transport-security: - - max-age=31536000; includeSubDomains - transfer-encoding: - - chunked - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-providerhub-traffic: - - 'True' - status: - code: 200 - message: OK -- request: - body: null - headers: - Accept: - - '*/*' - Accept-Encoding: - - gzip, deflate - CommandName: - - voice-service test-line delete - Connection: - - keep-alive - Content-Length: - - '0' - ParameterSetName: - - -n -g --gateway-name -y - User-Agent: - - AZURECLI/2.44.1 (AAZ) azsdk-python-core/1.24.0 Python/3.10.9 (Windows-10-10.0.22621-SP0) - method: DELETE - uri: https://management.azure.com/subscriptions/00000000-0000-0000-0000-000000000000/resourceGroups/cli_test_voice_service_test_line000001/providers/Microsoft.VoiceServices/communicationsGateways/gateway000002/testLines/line000003?api-version=2023-01-31 - response: - body: - string: '' - headers: - cache-control: - - no-cache - content-length: - - '0' - date: - - Mon, 06 Feb 2023 05:11:46 GMT - expires: - - '-1' - pragma: - - no-cache - request-context: - - appId=cid-v1:ee9ea8e7-bc71-4c0f-83ad-dc11c5b30732 - strict-transport-security: - - max-age=31536000; includeSubDomains - vary: - - Accept-Encoding - x-content-type-options: - - nosniff - x-ms-providerhub-traffic: - - 'True' - x-ms-ratelimit-remaining-subscription-deletes: - - '14998' - status: - code: 200 - message: OK -version: 1 diff --git a/src/voice-service/azext_voice_service/tests/latest/test_voice_service.py b/src/voice-service/azext_voice_service/tests/latest/test_voice_service.py deleted file mode 100644 index 9eefc0802fe..00000000000 --- a/src/voice-service/azext_voice_service/tests/latest/test_voice_service.py +++ /dev/null @@ -1,152 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- - -from azure.cli.testsdk import * - - -class VoiceServiceScenario(ScenarioTest): - @ResourceGroupPreparer(name_prefix='cli_test_voice_service_gateway', location='centraluseuap') - def test_voice_service_gateway(self, resource_group): - self.kwargs.update({ - 'gateway': self.create_random_name('gateway', 15), - }) - self.cmd('voice-service gateway create -n {gateway} -g {rg} --service-locations [{{name:useast,PrimaryRegionProperties:{{operatorAddresses:[198.51.100.1],allowedSignalingSourceAddressPrefixes:[10.1.1.0/24],allowedMediaSourceAddressPrefixes:[10.1.2.0/24]}}}},{{name:useast2,PrimaryRegionProperties:{{operatorAddresses:[198.51.100.2],allowedSignalingSourceAddressPrefixes:[10.2.1.0/24],allowedMediaSourceAddressPrefixes:[10.2.2.0/24]}}}}] --connectivity PublicAddress --codecs [PCMA] --e911-type Standard --platforms [OperatorConnect]', checks=[ - self.check('name', '{gateway}'), - self.check('resourceGroup', '{rg}'), - self.check('connectivity', 'PublicAddress'), - self.check('e911Type', 'Standard'), - self.check('emergencyDialStrings[0]', '911'), - self.check('emergencyDialStrings[1]', '933'), - self.check('platforms[0]', 'OperatorConnect'), - self.check('serviceLocations[0].name', 'useast'), - self.check('serviceLocations[0].primaryRegionProperties.allowedMediaSourceAddressPrefixes[0]', '10.1.2.0/24'), - self.check('serviceLocations[0].primaryRegionProperties.allowedSignalingSourceAddressPrefixes[0]', '10.1.1.0/24'), - self.check('serviceLocations[0].primaryRegionProperties.operatorAddresses[0]', '198.51.100.1'), - self.check('serviceLocations[1].name', 'useast2'), - self.check('serviceLocations[1].primaryRegionProperties.allowedMediaSourceAddressPrefixes[0]', '10.2.2.0/24'), - self.check('serviceLocations[1].primaryRegionProperties.allowedSignalingSourceAddressPrefixes[0]', '10.2.1.0/24'), - self.check('serviceLocations[1].primaryRegionProperties.operatorAddresses[0]', '198.51.100.2') - ]) - self.cmd('voice-service gateway update -n {gateway} -g {rg} --tags {{tag:test,tag2:test2}}', checks=[ - self.check('name', '{gateway}'), - self.check('resourceGroup', '{rg}'), - self.check('connectivity', 'PublicAddress'), - self.check('e911Type', 'Standard'), - self.check('emergencyDialStrings[0]', '911'), - self.check('emergencyDialStrings[1]', '933'), - self.check('platforms[0]', 'OperatorConnect'), - self.check('serviceLocations[0].name', 'useast'), - self.check('serviceLocations[0].primaryRegionProperties.allowedMediaSourceAddressPrefixes[0]', '10.1.2.0/24'), - self.check('serviceLocations[0].primaryRegionProperties.allowedSignalingSourceAddressPrefixes[0]', '10.1.1.0/24'), - self.check('serviceLocations[0].primaryRegionProperties.operatorAddresses[0]', '198.51.100.1'), - self.check('serviceLocations[1].name', 'useast2'), - self.check('serviceLocations[1].primaryRegionProperties.allowedMediaSourceAddressPrefixes[0]', '10.2.2.0/24'), - self.check('serviceLocations[1].primaryRegionProperties.allowedSignalingSourceAddressPrefixes[0]', '10.2.1.0/24'), - self.check('serviceLocations[1].primaryRegionProperties.operatorAddresses[0]', '198.51.100.2'), - self.check('tags.tag', 'test'), - self.check('tags.tag2', 'test2') - ]) - self.cmd('voice-service gateway list -g {rg}', checks=[ - self.check('[0].name', '{gateway}'), - self.check('[0].resourceGroup', '{rg}'), - self.check('[0].connectivity', 'PublicAddress'), - self.check('[0].e911Type', 'Standard'), - self.check('[0].emergencyDialStrings[0]', '911'), - self.check('[0].emergencyDialStrings[1]', '933'), - self.check('[0].platforms[0]', 'OperatorConnect'), - self.check('[0].serviceLocations[0].name', 'useast'), - self.check('[0].serviceLocations[0].primaryRegionProperties.allowedMediaSourceAddressPrefixes[0]', '10.1.2.0/24'), - self.check('[0].serviceLocations[0].primaryRegionProperties.allowedSignalingSourceAddressPrefixes[0]', '10.1.1.0/24'), - self.check('[0].serviceLocations[0].primaryRegionProperties.operatorAddresses[0]', '198.51.100.1'), - self.check('[0].serviceLocations[1].name', 'useast2'), - self.check('[0].serviceLocations[1].primaryRegionProperties.allowedMediaSourceAddressPrefixes[0]', '10.2.2.0/24'), - self.check('[0].serviceLocations[1].primaryRegionProperties.allowedSignalingSourceAddressPrefixes[0]', '10.2.1.0/24'), - self.check('[0].serviceLocations[1].primaryRegionProperties.operatorAddresses[0]', '198.51.100.2'), - self.check('[0].tags.tag', 'test'), - self.check('[0].tags.tag2', 'test2') - ]) - self.cmd('voice-service gateway show -n {gateway} -g {rg}', checks=[ - self.check('name', '{gateway}'), - self.check('resourceGroup', '{rg}'), - self.check('connectivity', 'PublicAddress'), - self.check('e911Type', 'Standard'), - self.check('emergencyDialStrings[0]', '911'), - self.check('emergencyDialStrings[1]', '933'), - self.check('platforms[0]', 'OperatorConnect'), - self.check('serviceLocations[0].name', 'useast'), - self.check('serviceLocations[0].primaryRegionProperties.allowedMediaSourceAddressPrefixes[0]', '10.1.2.0/24'), - self.check('serviceLocations[0].primaryRegionProperties.allowedSignalingSourceAddressPrefixes[0]', '10.1.1.0/24'), - self.check('serviceLocations[0].primaryRegionProperties.operatorAddresses[0]', '198.51.100.1'), - self.check('serviceLocations[1].name', 'useast2'), - self.check('serviceLocations[1].primaryRegionProperties.allowedMediaSourceAddressPrefixes[0]', '10.2.2.0/24'), - self.check('serviceLocations[1].primaryRegionProperties.allowedSignalingSourceAddressPrefixes[0]', '10.2.1.0/24'), - self.check('serviceLocations[1].primaryRegionProperties.operatorAddresses[0]', '198.51.100.2'), - self.check('tags.tag', 'test'), - self.check('tags.tag2', 'test2') - ]) - self.cmd('voice-service gateway delete -n {gateway} -g {rg} -y') - - @ResourceGroupPreparer(name_prefix='cli_test_voice_service_test_line', location='centraluseuap') - def test_voice_service_test_line(self, resource_group): - self.kwargs.update({ - 'gateway': self.create_random_name('gateway', 15), - 'testline': self.create_random_name('line', 10) - }) - self.cmd('voice-service gateway create -n {gateway} -g {rg} --service-locations [{{name:useast,PrimaryRegionProperties:{{operatorAddresses:[198.51.100.1],allowedSignalingSourceAddressPrefixes:[10.1.1.0/24],allowedMediaSourceAddressPrefixes:[10.1.2.0/24]}}}},{{name:useast2,PrimaryRegionProperties:{{operatorAddresses:[198.51.100.2],allowedSignalingSourceAddressPrefixes:[10.2.1.0/24],allowedMediaSourceAddressPrefixes:[10.2.2.0/24]}}}}] --connectivity PublicAddress --codecs [PCMA] --e911-type Standard --platforms [OperatorConnect]', checks=[ - self.check('name', '{gateway}'), - self.check('resourceGroup', '{rg}'), - self.check('connectivity', 'PublicAddress'), - self.check('e911Type', 'Standard'), - self.check('emergencyDialStrings[0]', '911'), - self.check('emergencyDialStrings[1]', '933'), - self.check('platforms[0]', 'OperatorConnect'), - self.check('serviceLocations[0].name', 'useast'), - self.check('serviceLocations[0].primaryRegionProperties.allowedMediaSourceAddressPrefixes[0]', '10.1.2.0/24'), - self.check('serviceLocations[0].primaryRegionProperties.allowedSignalingSourceAddressPrefixes[0]', '10.1.1.0/24'), - self.check('serviceLocations[0].primaryRegionProperties.operatorAddresses[0]', '198.51.100.1'), - self.check('serviceLocations[1].name', 'useast2'), - self.check('serviceLocations[1].primaryRegionProperties.allowedMediaSourceAddressPrefixes[0]', '10.2.2.0/24'), - self.check('serviceLocations[1].primaryRegionProperties.allowedSignalingSourceAddressPrefixes[0]', '10.2.1.0/24'), - self.check('serviceLocations[1].primaryRegionProperties.operatorAddresses[0]', '198.51.100.2') - ]) - self.cmd('voice-service test-line create -n {testline} -g {rg} --gateway-name {gateway} --phone-number +1-555-1234 --purpose Automated', checks=[ - self.check('name', '{testline}'), - self.check('resourceGroup', '{rg}'), - self.check('phoneNumber', '+1-555-1234'), - self.check('purpose', 'Automated') - ]) - self.cmd('voice-service test-line update -n {testline} --gateway-name {gateway} -g {rg} --tags {{tag:test,tag2:test2}}', checks=[ - self.check('name', '{testline}'), - self.check('resourceGroup', '{rg}'), - self.check('phoneNumber', '+1-555-1234'), - self.check('purpose', 'Automated'), - self.check('tags.tag', 'test'), - self.check('tags.tag2', 'test2') - ]) - self.cmd('voice-service test-line list --gateway-name {gateway} -g {rg}', checks=[ - self.check('[0].name', '{testline}'), - self.check('[0].resourceGroup', '{rg}'), - self.check('[0].phoneNumber', '+1-555-1234'), - self.check('[0].purpose', 'Automated'), - self.check('[0].tags.tag', 'test'), - self.check('[0].tags.tag2', 'test2') - ]) - self.cmd('voice-service test-line show -n {testline} -g {rg} --gateway-name {gateway}', checks=[ - self.check('name', '{testline}'), - self.check('resourceGroup', '{rg}'), - self.check('phoneNumber', '+1-555-1234'), - self.check('purpose', 'Automated'), - self.check('tags.tag', 'test'), - self.check('tags.tag2', 'test2') - ]) - self.cmd('voice-service test-line delete -n {testline} -g {rg} --gateway-name {gateway} -y') - - @ResourceGroupPreparer(name_prefix='cli_test_voice_check_name_availability', location='centraluseuap') - def test_voice_service_check_name_availability(self, resource_group): - self.cmd('voice-service check-name-availability -l centraluseuap --name voicenametest --type microsoft.voiceservices/communicationsgateways/testlines', checks=[ - self.check('nameAvailable', True) - ]) \ No newline at end of file diff --git a/src/voice-service/setup.cfg b/src/voice-service/setup.cfg deleted file mode 100644 index 2fdd96e5d39..00000000000 --- a/src/voice-service/setup.cfg +++ /dev/null @@ -1 +0,0 @@ -#setup.cfg \ No newline at end of file diff --git a/src/voice-service/setup.py b/src/voice-service/setup.py deleted file mode 100644 index a18446942a2..00000000000 --- a/src/voice-service/setup.py +++ /dev/null @@ -1,49 +0,0 @@ -# -------------------------------------------------------------------------------------------- -# Copyright (c) Microsoft Corporation. All rights reserved. -# Licensed under the MIT License. See License.txt in the project root for license information. -# -# Code generated by aaz-dev-tools -# -------------------------------------------------------------------------------------------- - -from codecs import open -from setuptools import setup, find_packages - - -# HISTORY.rst entry. -VERSION = '0.1.0' - -# The full list of classifiers is available at -# https://pypi.python.org/pypi?%3Aaction=list_classifiers -CLASSIFIERS = [ - 'Development Status :: 4 - Beta', - 'Intended Audience :: Developers', - 'Intended Audience :: System Administrators', - 'Programming Language :: Python', - 'Programming Language :: Python :: 3', - 'Programming Language :: Python :: 3.7', - 'Programming Language :: Python :: 3.8', - 'Programming Language :: Python :: 3.9', - 'License :: OSI Approved :: MIT License', -] - -DEPENDENCIES = [] - -with open('README.md', 'r', encoding='utf-8') as f: - README = f.read() -with open('HISTORY.rst', 'r', encoding='utf-8') as f: - HISTORY = f.read() - -setup( - name='voice-service', - version=VERSION, - description='Microsoft Azure Command-Line Tools VoiceService Extension.', - long_description=README + '\n\n' + HISTORY, - license='MIT', - author='Microsoft Corporation', - author_email='azpycli@microsoft.com', - url='https://github.com/Azure/azure-cli-extensions/tree/main/src/voice-service', - classifiers=CLASSIFIERS, - packages=find_packages(exclude=["tests"]), - package_data={'azext_voice_service': ['azext_metadata.json']}, - install_requires=DEPENDENCIES -) From de4f530d71eb6b039e1ce0accb5465983be97a0d Mon Sep 17 00:00:00 2001 From: bavneetsingh16 Date: Fri, 17 Feb 2023 16:04:25 -0800 Subject: [PATCH 32/44] [k8s-extension] Update extension CLI to v1.4.0 --- src/k8s-extension/HISTORY.rst | 4 ++++ src/k8s-extension/setup.py | 2 +- 2 files changed, 5 insertions(+), 1 deletion(-) diff --git a/src/k8s-extension/HISTORY.rst b/src/k8s-extension/HISTORY.rst index 00f8e22c2e4..20019ce969b 100644 --- a/src/k8s-extension/HISTORY.rst +++ b/src/k8s-extension/HISTORY.rst @@ -3,6 +3,10 @@ Release History =============== +1.4.0 +++++++++++++++++++ +* microsoft.dapr: Update version comparison logic to use semver based comparison + 1.3.9 ++++++++++++++++++ * Deprecating --config-settings alias for --configuration-settings diff --git a/src/k8s-extension/setup.py b/src/k8s-extension/setup.py index 2ac25f917b6..0fcc313500e 100644 --- a/src/k8s-extension/setup.py +++ b/src/k8s-extension/setup.py @@ -33,7 +33,7 @@ # TODO: Add any additional SDK dependencies here DEPENDENCIES = [] -VERSION = "1.3.9" +VERSION = "1.4.0" with open("README.rst", "r", encoding="utf-8") as f: README = f.read() From 4ced5e8832bba3e1b73898748bd5a34cf7762208 Mon Sep 17 00:00:00 2001 From: Bavneet Singh Date: Wed, 22 Mar 2023 12:09:42 -0700 Subject: [PATCH 33/44] update release history --- src/k8s-extension/HISTORY.rst | 3 --- 1 file changed, 3 deletions(-) diff --git a/src/k8s-extension/HISTORY.rst b/src/k8s-extension/HISTORY.rst index f21def0f081..66cd5aea491 100644 --- a/src/k8s-extension/HISTORY.rst +++ b/src/k8s-extension/HISTORY.rst @@ -6,10 +6,7 @@ Release History 1.4.0 ++++++++++++++++++ * microsoft.dapr: Update version comparison logic to use semver based comparison -<<<<<<< HEAD -======= * microsoft.azuremonitor.containers: Make ContainerInsights DataCollectionRuleName consistent with portal and other onboarding clients ->>>>>>> dc9973937b87b7b658506b0a8a28e773e39834c4 1.3.9 ++++++++++++++++++ From f30b5c9fbc561d296a19abb9c413a4b8d9ac3673 Mon Sep 17 00:00:00 2001 From: Bavneet Singh Date: Wed, 22 Mar 2023 12:54:55 -0700 Subject: [PATCH 34/44] fix openservice mesh cli testcase issue --- testing/test/extensions/public/OpenServiceMesh.Tests.ps1 | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/testing/test/extensions/public/OpenServiceMesh.Tests.ps1 b/testing/test/extensions/public/OpenServiceMesh.Tests.ps1 index 75756a8ad1f..07c00e4d42d 100644 --- a/testing/test/extensions/public/OpenServiceMesh.Tests.ps1 +++ b/testing/test/extensions/public/OpenServiceMesh.Tests.ps1 @@ -14,7 +14,7 @@ Describe 'Azure OpenServiceMesh Testing' { # Should Not BeNullOrEmpty checks if the command returns JSON output It 'Creates the extension and checks that it onboards correctly' { - az $Env:K8sExtensionName create -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters --extension-type $extensionType -n $extensionName --release-train $releaseTrain --version $extensionVersion --no-wait + az $Env:K8sExtensionName create -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters --extension-type $extensionType -n $extensionName --release-train $releaseTrain --version $extensionVersion --auto-upgrade false --no-wait $? | Should -BeTrue $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName From e09dcc64dbc26a90d172cab14f010cd7f6c49adb Mon Sep 17 00:00:00 2001 From: Zeliang Tian <83852443+zetiaatgithub@users.noreply.github.com> Date: Thu, 23 Mar 2023 04:52:13 +0800 Subject: [PATCH 35/44] Zetia/fix ssl secret flag (#224) * fix bug: update operation doesn't respect sslSecret parameter * fix bug: update operation doesn't respect sslSecret parameter * fix typo --- src/k8s-extension/HISTORY.rst | 4 ++++ .../partner_extensions/AzureMLKubernetes.py | 19 +++++++++++-------- 2 files changed, 15 insertions(+), 8 deletions(-) diff --git a/src/k8s-extension/HISTORY.rst b/src/k8s-extension/HISTORY.rst index 66cd5aea491..66d0de1c583 100644 --- a/src/k8s-extension/HISTORY.rst +++ b/src/k8s-extension/HISTORY.rst @@ -3,6 +3,10 @@ Release History =============== +1.4.1 +++++++++++++++++++ +* microsoft.azureml.kubernetes: Fix sslSecret parameter in update operation + 1.4.0 ++++++++++++++++++ * microsoft.dapr: Update version comparison logic to use semver based comparison diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/AzureMLKubernetes.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/AzureMLKubernetes.py index e0e88de3851..acd60254d91 100644 --- a/src/k8s-extension/azext_k8s_extension/partner_extensions/AzureMLKubernetes.py +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/AzureMLKubernetes.py @@ -366,14 +366,17 @@ def Update(self, cmd, resource_group_name, cluster_name, auto_upgrade_minor_vers configuration_protected_settings = _dereference(self.reference_mapping, configuration_protected_settings) - if self.sslKeyPemFile in configuration_protected_settings and \ - self.sslCertPemFile in configuration_protected_settings: - logger.info(f"Both {self.sslKeyPemFile} and {self.sslCertPemFile} are set, update ssl key.") - fe_ssl_cert_file = configuration_protected_settings.get(self.sslCertPemFile) - fe_ssl_key_file = configuration_protected_settings.get(self.sslKeyPemFile) - - if fe_ssl_cert_file and fe_ssl_key_file: - self.__set_inference_ssl_from_file(configuration_protected_settings, fe_ssl_cert_file, fe_ssl_key_file) + fe_ssl_secret = _get_value_from_config_protected_config( + self.SSL_SECRET, configuration_settings, configuration_protected_settings) + fe_ssl_cert_file = configuration_protected_settings.get(self.sslCertPemFile) + fe_ssl_key_file = configuration_protected_settings.get(self.sslKeyPemFile) + # always take ssl key/cert first, then secret if key/cert file is not provided + if fe_ssl_cert_file and fe_ssl_key_file: + logger.info(f"Both {self.sslKeyPemFile} and {self.sslCertPemFile} are set, updating ssl key.") + self.__set_inference_ssl_from_file(configuration_protected_settings, fe_ssl_cert_file, fe_ssl_key_file) + elif fe_ssl_secret: + logger.info(f"{self.SSL_SECRET} is set, updating ssl secret.") + self.__set_inference_ssl_from_secret(configuration_settings, fe_ssl_secret) # if no entries are existed in configuration_protected_settings, configuration_settings, return whatever passed # in the Update function(empty dict or None). From db556d2c051f948d92f4d10304eef3d38a46fc0c Mon Sep 17 00:00:00 2001 From: bragi92 Date: Fri, 19 May 2023 16:18:54 -0700 Subject: [PATCH 36/44] feat: public preview support for microsoft.azuremonitor.containers.metrics in ARC clusters (managed prometheus) (#227) --- src/k8s-extension/HISTORY.rst | 13 +- .../azext_k8s_extension/custom.py | 2 + .../partner_extensions/AzureMonitorMetrics.py | 77 ++++++++++++ .../azuremonitormetrics/__init__.py | 0 .../azuremonitormetrics/amg/__init__.py | 0 .../azuremonitormetrics/amg/link.py | 91 ++++++++++++++ .../azuremonitormetrics/amw/__init__.py | 0 .../azuremonitormetrics/amw/create.py | 45 +++++++ .../azuremonitormetrics/amw/defaults.py | 40 ++++++ .../azuremonitormetrics/amw/helper.py | 39 ++++++ .../azuremonitorprofile.py | 88 +++++++++++++ .../azuremonitormetrics/constants.py | 89 +++++++++++++ .../azuremonitormetrics/dc/__init__.py | 0 .../azuremonitormetrics/dc/dce_api.py | 27 ++++ .../azuremonitormetrics/dc/dcr_api.py | 45 +++++++ .../azuremonitormetrics/dc/dcra_api.py | 32 +++++ .../azuremonitormetrics/dc/defaults.py | 41 ++++++ .../azuremonitormetrics/dc/delete.py | 79 ++++++++++++ .../azuremonitormetrics/deaults.py | 14 +++ .../azuremonitormetrics/helper.py | 119 ++++++++++++++++++ .../recordingrules/__init__.py | 0 .../recordingrules/create.py | 78 ++++++++++++ .../recordingrules/delete.py | 37 ++++++ .../responseparsers/__init__.py | 0 .../amwlocationresponseparser.py | 29 +++++ src/k8s-extension/setup.py | 2 +- testing/pipeline/k8s-custom-pipelines.yml | 10 +- .../public/AzureMonitorMetrics.Tests.ps1 | 69 ++++++++++ 28 files changed, 1056 insertions(+), 10 deletions(-) create mode 100644 src/k8s-extension/azext_k8s_extension/partner_extensions/AzureMonitorMetrics.py create mode 100644 src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/__init__.py create mode 100644 src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/amg/__init__.py create mode 100644 src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/amg/link.py create mode 100644 src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/amw/__init__.py create mode 100644 src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/amw/create.py create mode 100644 src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/amw/defaults.py create mode 100644 src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/amw/helper.py create mode 100644 src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/azuremonitorprofile.py create mode 100644 src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/constants.py create mode 100644 src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/dc/__init__.py create mode 100644 src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/dc/dce_api.py create mode 100644 src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/dc/dcr_api.py create mode 100644 src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/dc/dcra_api.py create mode 100644 src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/dc/defaults.py create mode 100644 src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/dc/delete.py create mode 100644 src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/deaults.py create mode 100644 src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/helper.py create mode 100644 src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/recordingrules/__init__.py create mode 100644 src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/recordingrules/create.py create mode 100644 src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/recordingrules/delete.py create mode 100644 src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/responseparsers/__init__.py create mode 100644 src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/responseparsers/amwlocationresponseparser.py create mode 100644 testing/test/extensions/public/AzureMonitorMetrics.Tests.ps1 diff --git a/src/k8s-extension/HISTORY.rst b/src/k8s-extension/HISTORY.rst index 66d0de1c583..3a9ff5ff82d 100644 --- a/src/k8s-extension/HISTORY.rst +++ b/src/k8s-extension/HISTORY.rst @@ -6,6 +6,7 @@ Release History 1.4.1 ++++++++++++++++++ * microsoft.azureml.kubernetes: Fix sslSecret parameter in update operation +* microsoft.azuremonitor.containers.metrics : public preview support for managed prometheus in ARC clusters 1.4.0 ++++++++++++++++++ @@ -43,7 +44,7 @@ Release History 1.3.4 ++++++++++++++++++ -* Fix to address the error TypeError: cf_k8s_extension() takes 1 positional argument but 2 were given while running command az k8s-extension extension-types list +* Fix to address the error TypeError: cf_k8s_extension() takes 1 positional argument but 2 were given while running command az k8s-extension extension-types list 1.3.3 ++++++++++++++++++ @@ -97,9 +98,9 @@ Release History 1.2.0 ++++++++++++++++++ * microsoft.azureml.kubernetes: Update AzureMLKubernetes install parameters on inferenceRouterServiceType and internalLoadBalancerProvider -* microsoft.openservicemesh: Change extension validation logic osm-arc -* microsoft.azuremonitor.containers: Add Managed Identity Auth support for ContainerInsights Extension -* microsoft.azuremonitor.containers: Bring back containerInsights solution addition in MSI mode +* microsoft.openservicemesh: Change extension validation logic osm-arc +* microsoft.azuremonitor.containers: Add Managed Identity Auth support for ContainerInsights Extension +* microsoft.azuremonitor.containers: Bring back containerInsights solution addition in MSI mode 1.1.0 ++++++++++++++++++ @@ -162,7 +163,7 @@ Release History 0.5.0 ++++++++++++++++++ * Add microsoft.openservicemesh customization to check distros -* Delete customization for partners +* Delete customization for partners 0.4.3 ++++++++++++++++++ @@ -199,7 +200,7 @@ Release History ++++++++++++++++++ * Remove `k8s-extension update` until PATCH is supported -* Improved logging for overwriting extension name with default +* Improved logging for overwriting extension name with default 0.2.0 ++++++++++++++++++ diff --git a/src/k8s-extension/azext_k8s_extension/custom.py b/src/k8s-extension/azext_k8s_extension/custom.py index 96d98a3af86..323ef341fd4 100644 --- a/src/k8s-extension/azext_k8s_extension/custom.py +++ b/src/k8s-extension/azext_k8s_extension/custom.py @@ -24,6 +24,7 @@ from ._validators import validate_cc_registration from .partner_extensions.ContainerInsights import ContainerInsights +from .partner_extensions.AzureMonitorMetrics import AzureMonitorMetrics from .partner_extensions.AzureDefender import AzureDefender from .partner_extensions.OpenServiceMesh import OpenServiceMesh from .partner_extensions.AzureMLKubernetes import AzureMLKubernetes @@ -44,6 +45,7 @@ def ExtensionFactory(extension_name): extension_map = { "microsoft.azuremonitor.containers": ContainerInsights, + "microsoft.azuremonitor.containers.metrics": AzureMonitorMetrics, "microsoft.azuredefender.kubernetes": AzureDefender, "microsoft.openservicemesh": OpenServiceMesh, "microsoft.azureml.kubernetes": AzureMLKubernetes, diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/AzureMonitorMetrics.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/AzureMonitorMetrics.py new file mode 100644 index 00000000000..9eb4a74dab0 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/AzureMonitorMetrics.py @@ -0,0 +1,77 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- + +# pylint: disable=unused-argument + +import datetime +import json +import re + +from ..utils import get_cluster_rp_api_version + +from knack.log import get_logger + +from azure.cli.core.commands.client_factory import get_subscription_id + +from ..vendored_sdks.models import Extension +from ..vendored_sdks.models import ScopeCluster +from ..vendored_sdks.models import Scope + +from .DefaultExtension import DefaultExtension +from .azuremonitormetrics.azuremonitorprofile import ensure_azure_monitor_profile_prerequisites, unlink_azure_monitor_profile_artifacts + +from .._client_factory import ( + cf_resources, cf_resource_groups, cf_log_analytics) + +logger = get_logger(__name__) + + +class AzureMonitorMetrics(DefaultExtension): + def Create(self, cmd, client, resource_group_name, cluster_name, name, cluster_type, cluster_rp, + extension_type, scope, auto_upgrade_minor_version, release_train, version, target_namespace, + release_namespace, configuration_settings, configuration_protected_settings, + configuration_settings_file, configuration_protected_settings_file, + plan_name, plan_publisher, plan_product): + """ExtensionType 'microsoft.azuremonitor.containers.metrics' specific validations & defaults for Create + Must create and return a valid 'Extension' object. + + """ + name = 'azuremonitor-metrics' + release_namespace = 'kube-system' + # Scope is always cluster + scope_cluster = ScopeCluster(release_namespace=release_namespace) + ext_scope = Scope(cluster=scope_cluster, namespace=None) + + # If release-train is not input, set it to 'stable' + if release_train is None: + release_train = 'stable' + + cluster_subscription = get_subscription_id(cmd.cli_ctx) + ensure_azure_monitor_profile_prerequisites( + cmd, + cluster_rp, + cluster_subscription, + resource_group_name, + cluster_name, + configuration_settings, + cluster_type + ) + + create_identity = True + extension = Extension( + extension_type=extension_type, + auto_upgrade_minor_version=auto_upgrade_minor_version, + release_train=release_train, + version=version, + scope=ext_scope, + configuration_settings=configuration_settings, + configuration_protected_settings=configuration_protected_settings + ) + return extension, name, create_identity + + def Delete(self, cmd, client, resource_group_name, cluster_name, name, cluster_type, cluster_rp, yes): + # cluster_rp, _ = get_cluster_rp_api_version(cluster_type=cluster_type, cluster_rp=cluster_rp) + cluster_subscription = get_subscription_id(cmd.cli_ctx) + unlink_azure_monitor_profile_artifacts(cmd, cluster_subscription, resource_group_name, cluster_name) diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/__init__.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/__init__.py new file mode 100644 index 00000000000..e69de29bb2d diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/amg/__init__.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/amg/__init__.py new file mode 100644 index 00000000000..e69de29bb2d diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/amg/link.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/amg/link.py new file mode 100644 index 00000000000..07bb2016e8a --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/amg/link.py @@ -0,0 +1,91 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- +import json +import uuid +from knack.util import CLIError +from ..constants import ( + GRAFANA_API, + GRAFANA_ROLE_ASSIGNMENT_API, + GrafanaLink +) +from ..helper import safe_key_check, safe_value_get, sanitize_resource_id + + +def link_grafana_instance(cmd, azure_monitor_workspace_resource_id, configuration_settings): + from azure.cli.core.util import send_raw_request + # GET grafana principal ID + try: + grafana_resource_id = "" + if safe_key_check('grafana-resource-id', configuration_settings): + grafana_resource_id = safe_value_get('grafana-resource-id', configuration_settings) + if grafana_resource_id is None or grafana_resource_id == "": + return GrafanaLink.NOPARAMPROVIDED + grafana_resource_id = sanitize_resource_id(grafana_resource_id) + grafanaURI = "{0}{1}?api-version={2}".format( + cmd.cli_ctx.cloud.endpoints.resource_manager, + grafana_resource_id, + GRAFANA_API + ) + headers = ['User-Agent=arc-azuremonitormetrics.link_grafana_instance'] + grafanaArmResponse = send_raw_request(cmd.cli_ctx, "GET", grafanaURI, body={}, headers=headers) + servicePrincipalId = grafanaArmResponse.json()["identity"]["principalId"] + except CLIError as e: + raise CLIError(e) + # Add Role Assignment + try: + MonitoringDataReader = "b0d8363b-8ddd-447d-831f-62ca05bff136" + roleDefinitionURI = "{0}{1}/providers/Microsoft.Authorization/roleAssignments/{2}?api-version={3}".format( + cmd.cli_ctx.cloud.endpoints.resource_manager, + azure_monitor_workspace_resource_id, + uuid.uuid4(), + GRAFANA_ROLE_ASSIGNMENT_API + ) + roleDefinitionId = "{0}/providers/Microsoft.Authorization/roleDefinitions/{1}".format( + azure_monitor_workspace_resource_id, + MonitoringDataReader + ) + association_body = json.dumps({ + "properties": { + "roleDefinitionId": roleDefinitionId, + "principalId": servicePrincipalId + } + }) + headers = ['User-Agent=arc-azuremonitormetrics.add_role_assignment'] + send_raw_request(cmd.cli_ctx, "PUT", roleDefinitionURI, body=association_body, headers=headers) + except CLIError as e: + if e.response.status_code != 409: + erroString = "Role Assingment failed. Please manually assign the `Monitoring Data Reader` role\ + to the Azure Monitor Workspace ({0}) for the Azure Managed Grafana\ + System Assigned Managed Identity ({1})".format( + azure_monitor_workspace_resource_id, + servicePrincipalId + ) + print(erroString) + # Setting up AMW Integration + targetGrafanaArmPayload = grafanaArmResponse.json() + if targetGrafanaArmPayload["properties"] is None: + raise CLIError("Invalid grafana payload to add AMW integration") + if "grafanaIntegrations" not in json.dumps(targetGrafanaArmPayload): + targetGrafanaArmPayload["properties"]["grafanaIntegrations"] = {} + if "azureMonitorWorkspaceIntegrations" not in json.dumps(targetGrafanaArmPayload): + targetGrafanaArmPayload["properties"]["grafanaIntegrations"]["azureMonitorWorkspaceIntegrations"] = [] + amwIntegrations = targetGrafanaArmPayload["properties"]["grafanaIntegrations"]["azureMonitorWorkspaceIntegrations"] + if amwIntegrations != [] and azure_monitor_workspace_resource_id in json.dumps(amwIntegrations).lower(): + return GrafanaLink.ALREADYPRESENT + try: + grafanaURI = "{0}{1}?api-version={2}".format( + cmd.cli_ctx.cloud.endpoints.resource_manager, + grafana_resource_id, + GRAFANA_API + ) + targetGrafanaArmPayload["properties"]["grafanaIntegrations"]["azureMonitorWorkspaceIntegrations"].append({ + "azureMonitorWorkspaceResourceId": azure_monitor_workspace_resource_id + }) + targetGrafanaArmPayload = json.dumps(targetGrafanaArmPayload) + headers = ['User-Agent=arc-azuremonitormetrics.setup_amw_grafana_integration', 'Content-Type=application/json'] + send_raw_request(cmd.cli_ctx, "PUT", grafanaURI, body=targetGrafanaArmPayload, headers=headers) + except CLIError as e: + raise CLIError(e) + return GrafanaLink.SUCCESS diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/amw/__init__.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/amw/__init__.py new file mode 100644 index 00000000000..e69de29bb2d diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/amw/create.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/amw/create.py new file mode 100644 index 00000000000..03f904895ab --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/amw/create.py @@ -0,0 +1,45 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- +import json +from azure.core.exceptions import HttpResponseError +from knack.util import CLIError + +from ..constants import MAC_API +from .defaults import get_default_mac_name_and_region +from ...._client_factory import cf_resources, cf_resource_groups + + +def create_default_mac(cmd, cluster_subscription, cluster_region): + from azure.cli.core.util import send_raw_request + default_mac_name, default_mac_region = get_default_mac_name_and_region(cmd, cluster_region) + default_resource_group_name = f"DefaultResourceGroup-{default_mac_region}" + azure_monitor_workspace_resource_id = f"/subscriptions/{cluster_subscription}/resourceGroups/{default_resource_group_name}/providers/microsoft.monitor/accounts/{default_mac_name}" + # Check if default resource group exists or not, if it does not then create it + resource_groups = cf_resource_groups(cmd.cli_ctx, cluster_subscription) + resources = cf_resources(cmd.cli_ctx, cluster_subscription) + + if resource_groups.check_existence(default_resource_group_name): + try: + resource = resources.get_by_id(azure_monitor_workspace_resource_id, MAC_API) + # If MAC already exists then return from here + # location can have spaces for example 'East US' + # and some workspaces it will be "eastus" hence remove the spaces and converting lowercase + amw_location = resource.location.replace(" ", "").lower() + return azure_monitor_workspace_resource_id, amw_location + except HttpResponseError as ex: + if ex.status_code != 404: + raise ex + else: + resource_groups.create_or_update(default_resource_group_name, {"location": default_mac_region}) + association_body = json.dumps({"location": default_mac_region, "properties": {}}) + armendpoint = cmd.cli_ctx.cloud.endpoints.resource_manager + association_url = f"{armendpoint}{azure_monitor_workspace_resource_id}?api-version={MAC_API}" + try: + headers = ['User-Agent=arc-azuremonitormetrics.create_default_mac'] + send_raw_request(cmd.cli_ctx, "PUT", association_url, + body=association_body, headers=headers) + return azure_monitor_workspace_resource_id, default_mac_region.lower() + except CLIError as e: + raise e diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/amw/defaults.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/amw/defaults.py new file mode 100644 index 00000000000..996eeafbcbf --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/amw/defaults.py @@ -0,0 +1,40 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- +import json +from ..deaults import get_default_region +from ..responseparsers.amwlocationresponseparser import ( + parseResourceProviderResponseForLocations +) +from ..constants import RP_LOCATION_API +from knack.util import CLIError + + +def get_supported_rp_locations(cmd, rp_name): + from azure.cli.core.util import send_raw_request + supported_locations = [] + headers = ['User-Agent=arc-azuremonitormetrics.get_supported_rp_locations'] + armendpoint = cmd.cli_ctx.cloud.endpoints.resource_manager + association_url = f"{armendpoint}/providers/{rp_name}?api-version={RP_LOCATION_API}" + r = send_raw_request(cmd.cli_ctx, "GET", association_url, headers=headers) + data = json.loads(r.text) + supported_locations = parseResourceProviderResponseForLocations(data) + return supported_locations + + +def get_default_mac_region(cmd, cluster_region): + supported_locations = get_supported_rp_locations(cmd, 'Microsoft.Monitor') + if cluster_region in supported_locations: + return cluster_region + if len(supported_locations) > 0: + return supported_locations[0] + # default to eastus/usgovvirginia based on cloud (mooncake not supported yet) + return get_default_region(cmd) + + +def get_default_mac_name_and_region(cmd, cluster_region): + default_mac_region = get_default_mac_region(cmd, cluster_region) + default_mac_name = "DefaultAzureMonitorWorkspace-" + default_mac_region + default_mac_name = default_mac_name[0:43] + return default_mac_name, default_mac_region diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/amw/helper.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/amw/helper.py new file mode 100644 index 00000000000..dcf1d01b405 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/amw/helper.py @@ -0,0 +1,39 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- +from azure.core.exceptions import HttpResponseError +from .create import create_default_mac +from ..helper import sanitize_resource_id, safe_key_check, safe_value_get +from ..constants import MAC_API +from ...._client_factory import cf_resources + + +def get_amw_region(cmd, azure_monitor_workspace_resource_id): + # Region of MAC can be different from region of RG so find the location of the azure_monitor_workspace_resource_id + amw_subscription_id = azure_monitor_workspace_resource_id.split("/")[2] + resources = cf_resources(cmd.cli_ctx, amw_subscription_id) + try: + resource = resources.get_by_id( + azure_monitor_workspace_resource_id, MAC_API) + amw_location = resource.location.replace(" ", "").lower() + return amw_location + except HttpResponseError as ex: + raise ex + + +def get_azure_monitor_workspace_resource(cmd, cluster_subscription, cluster_region, configuration_settings): + azure_monitor_workspace_resource_id = "" + if safe_key_check('azure-monitor-workspace-resource-id', configuration_settings): + azure_monitor_workspace_resource_id = safe_value_get('azure-monitor-workspace-resource-id', configuration_settings) + if azure_monitor_workspace_resource_id is None or azure_monitor_workspace_resource_id == "": + azure_monitor_workspace_resource_id, azure_monitor_workspace_location = create_default_mac( + cmd, + cluster_subscription, + cluster_region + ) + else: + azure_monitor_workspace_resource_id = sanitize_resource_id(azure_monitor_workspace_resource_id) + azure_monitor_workspace_location = get_amw_region(cmd, azure_monitor_workspace_resource_id) + print(f"Using Azure Monitor Workspace (stores prometheus metrics) : {azure_monitor_workspace_resource_id}") + return azure_monitor_workspace_resource_id, azure_monitor_workspace_location diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/azuremonitorprofile.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/azuremonitorprofile.py new file mode 100644 index 00000000000..dc574ea8657 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/azuremonitorprofile.py @@ -0,0 +1,88 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- +from azure.cli.core.azclierror import InvalidArgumentValueError +from knack.util import CLIError +from .helper import ( + get_cluster_region, + rp_registrations +) +from .amw.helper import get_azure_monitor_workspace_resource +from .dc.dce_api import create_dce +from .dc.dcr_api import create_dcr +from .dc.dcra_api import create_dcra +from .amg.link import link_grafana_instance +from .recordingrules.create import create_rules +from .recordingrules.delete import delete_rules +from .dc.delete import get_dc_objects_list, delete_dc_objects_if_prometheus_enabled +from .helper import safe_key_check, safe_value_get + + +# pylint: disable=line-too-long +def link_azure_monitor_profile_artifacts( + cmd, + cluster_rp, + cluster_subscription, + cluster_resource_group_name, + cluster_name, + configuration_settings, + cluster_type +): + cluster_region = get_cluster_region(cmd, cluster_rp, cluster_subscription, cluster_resource_group_name, cluster_name, cluster_type) + # MAC creation if required + azure_monitor_workspace_resource_id, azure_monitor_workspace_location = get_azure_monitor_workspace_resource(cmd, cluster_subscription, cluster_region, configuration_settings) + # DCE creation + dce_resource_id = create_dce(cmd, cluster_subscription, cluster_resource_group_name, cluster_name, azure_monitor_workspace_location) + # DCR creation + dcr_resource_id = create_dcr(cmd, azure_monitor_workspace_location, azure_monitor_workspace_resource_id, cluster_subscription, cluster_resource_group_name, cluster_name, dce_resource_id) + # DCRA creation + create_dcra(cmd, cluster_region, cluster_subscription, cluster_resource_group_name, cluster_name, dcr_resource_id) + # Link grafana + link_grafana_instance(cmd, azure_monitor_workspace_resource_id, configuration_settings) + # create recording rules and alerts + create_rules(cmd, cluster_subscription, cluster_resource_group_name, cluster_name, azure_monitor_workspace_resource_id, azure_monitor_workspace_location) + + +# pylint: disable=line-too-long +def unlink_azure_monitor_profile_artifacts(cmd, cluster_subscription, cluster_resource_group_name, cluster_name): + # Remove DC* if prometheus is enabled + dc_objects_list = get_dc_objects_list(cmd, cluster_subscription, cluster_resource_group_name, cluster_name) + delete_dc_objects_if_prometheus_enabled(cmd, dc_objects_list, cluster_subscription, cluster_resource_group_name, cluster_name) + # Delete rules (Conflict({"error":{"code":"InvalidResourceLocation","message":"The resource 'NodeRecordingRulesRuleGroup-' already exists in location 'eastus2' in resource group ''. + # A resource with the same name cannot be created in location 'eastus'. Please select a new resource name."}}) + delete_rules(cmd, cluster_subscription, cluster_resource_group_name, cluster_name) + + +# pylint: disable=too-many-locals,too-many-branches,too-many-statements,line-too-long +def ensure_azure_monitor_profile_prerequisites( + cmd, + cluster_rp, + cluster_subscription, + cluster_resource_group_name, + cluster_name, + configuration_settings, + cluster_type +): + cloud_name = cmd.cli_ctx.cloud.name + if cloud_name.lower() == 'azurechinacloud': + raise CLIError("Azure China Cloud is not supported for the Azure Monitor Metrics extension") + + if cloud_name.lower() == "azureusgovernment": + if safe_key_check('grafana-resource-id', configuration_settings): + grafana_resource_id = safe_value_get('grafana-resource-id', configuration_settings) + if grafana_resource_id is not None: + if grafana_resource_id != "": + raise InvalidArgumentValueError("Azure US Government cloud does not support Azure Managed Grarfana yet. Please follow this documenation for enabling it via the public cloud : aka.ms/ama-grafana-link-ff") + + # Do RP registrations if required + rp_registrations(cmd, cluster_subscription) + link_azure_monitor_profile_artifacts( + cmd, + cluster_rp, + cluster_subscription, + cluster_resource_group_name, + cluster_name, + configuration_settings, + cluster_type + ) diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/constants.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/constants.py new file mode 100644 index 00000000000..0abf3081f01 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/constants.py @@ -0,0 +1,89 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- +from enum import Enum + +AKS_CLUSTER_API = "2023-01-01" +MAC_API = "2023-04-03" +DC_API = "2022-06-01" +GRAFANA_API = "2022-08-01" +GRAFANA_ROLE_ASSIGNMENT_API = "2022-04-01" +RULES_API = "2023-03-01" +FEATURE_API = "2020-09-01" +RP_API = "2021-04-01" +ALERTS_API = "2023-01-01-preview" +RP_LOCATION_API = "2022-01-01" +ClUSTER_RESOURCE_API = "2020-01-01-preview" + +CLUSTER_RESOURCE_ID = "/subscriptions/{0}/resourceGroups/{1}/providers/{2}/{3}/{4}" + +MapToClosestMACRegion = { + "australiacentral": "eastus", + "australiacentral2": "eastus", + "australiaeast": "eastus", + "australiasoutheast": "eastus", + "brazilsouth": "eastus", + "canadacentral": "eastus", + "canadaeast": "eastus", + "centralus": "centralus", + "centralindia": "centralindia", + "eastasia": "westeurope", + "eastus": "eastus", + "eastus2": "eastus2", + "francecentral": "westeurope", + "francesouth": "westeurope", + "japaneast": "eastus", + "japanwest": "eastus", + "koreacentral": "westeurope", + "koreasouth": "westeurope", + "northcentralus": "eastus", + "northeurope": "westeurope", + "southafricanorth": "westeurope", + "southafricawest": "westeurope", + "southcentralus": "eastus", + "southeastasia": "westeurope", + "southindia": "centralindia", + "uksouth": "westeurope", + "ukwest": "westeurope", + "westcentralus": "eastus", + "westeurope": "westeurope", + "westindia": "centralindia", + "westus": "westus", + "westus2": "westus2", + "westus3": "westus", + "norwayeast": "westeurope", + "norwaywest": "westeurope", + "switzerlandnorth": "westeurope", + "switzerlandwest": "westeurope", + "uaenorth": "westeurope", + "germanywestcentral": "westeurope", + "germanynorth": "westeurope", + "uaecentral": "westeurope", + "eastus2euap": "eastus2euap", + "centraluseuap": "westeurope", + "brazilsoutheast": "eastus", + "jioindiacentral": "centralindia", + "swedencentral": "westeurope", + "swedensouth": "westeurope", + "qatarcentral": "westeurope" +} + + +class GrafanaLink(Enum): + """ + Status of Grafana link to the Prometheus Addon + """ + SUCCESS = "SUCCESS" + FAILURE = "FAILURE" + ALREADYPRESENT = "ALREADYPRESENT" + NOPARAMPROVIDED = "NOPARAMPROVIDED" + + +class DC_TYPE(Enum): + """ + Types of DC* objects + """ + DCE = "DCE" + DCR = "DCR" + DCRA = "DCRA" diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/dc/__init__.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/dc/__init__.py new file mode 100644 index 00000000000..e69de29bb2d diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/dc/dce_api.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/dc/dce_api.py new file mode 100644 index 00000000000..100cd6dffac --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/dc/dce_api.py @@ -0,0 +1,27 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- +import json +from knack.util import CLIError +from ..constants import DC_API +from .defaults import get_default_dce_name + + +def create_dce(cmd, cluster_subscription, cluster_resource_group_name, cluster_name, mac_region): + from azure.cli.core.util import send_raw_request + dce_name = get_default_dce_name(cmd, mac_region, cluster_name) + dce_resource_id = f"/subscriptions/{cluster_subscription}/resourceGroups/{cluster_resource_group_name}/providers/Microsoft.Insights/dataCollectionEndpoints/{dce_name}" + try: + armendpoint = cmd.cli_ctx.cloud.endpoints.resource_manager + dce_url = f"{armendpoint}{dce_resource_id}?api-version={DC_API}" + dce_creation_body = json.dumps({"name": dce_name, + "location": mac_region, + "kind": "Linux", + "properties": {}}) + headers = ['User-Agent=arc-azuremonitormetrics.create_dce'] + send_raw_request(cmd.cli_ctx, "PUT", + dce_url, body=dce_creation_body, headers=headers) + return dce_resource_id + except CLIError as error: + raise error diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/dc/dcr_api.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/dc/dcr_api.py new file mode 100644 index 00000000000..0363a99140f --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/dc/dcr_api.py @@ -0,0 +1,45 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- +import json +from knack.util import CLIError +from ..constants import MapToClosestMACRegion +from .defaults import get_default_region, sanitize_name +from ..constants import ( + DC_TYPE, + DC_API +) + + +def get_default_dcr_name(cmd, mac_region, cluster_name): + region = get_default_region(cmd) + if dict.get(MapToClosestMACRegion, mac_region): + region = MapToClosestMACRegion[mac_region] + default_dcr_name = "MSProm-" + region + "-" + cluster_name + return sanitize_name(default_dcr_name, DC_TYPE.DCR, 64) + + +# pylint: disable=too-many-locals,too-many-branches,too-many-statements,line-too-long +def create_dcr(cmd, mac_region, azure_monitor_workspace_resource_id, cluster_subscription, cluster_resource_group_name, cluster_name, dce_resource_id): + from azure.cli.core.util import send_raw_request + dcr_name = get_default_dcr_name(cmd, mac_region, cluster_name) + dcr_resource_id = f"/subscriptions/{cluster_subscription}/resourceGroups/{cluster_resource_group_name}/providers/Microsoft.Insights/dataCollectionRules/{dcr_name}" + dcr_creation_body = json.dumps({"location": mac_region, + "kind": "Linux", + "properties": { + "dataCollectionEndpointId": dce_resource_id, + "dataSources": {"prometheusForwarder": [{"name": "PrometheusDataSource", "streams": ["Microsoft-PrometheusMetrics"], "labelIncludeFilter": {}}]}, + "dataFlows": [{"destinations": ["MonitoringAccount1"], "streams": ["Microsoft-PrometheusMetrics"]}], + "description": "DCR description", + "destinations": { + "monitoringAccounts": [{"accountResourceId": azure_monitor_workspace_resource_id, "name": "MonitoringAccount1"}]}}}) + armendpoint = cmd.cli_ctx.cloud.endpoints.resource_manager + dcr_url = f"{armendpoint}{dcr_resource_id}?api-version={DC_API}" + try: + headers = ['User-Agent=arc-azuremonitormetrics.create_dcr'] + send_raw_request(cmd.cli_ctx, "PUT", + dcr_url, body=dcr_creation_body, headers=headers) + return dcr_resource_id + except CLIError as error: + raise error diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/dc/dcra_api.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/dc/dcra_api.py new file mode 100644 index 00000000000..66e4688cf33 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/dc/dcra_api.py @@ -0,0 +1,32 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- +import json +from knack.util import CLIError +from ..constants import DC_API +from .defaults import get_default_dcra_name + + +# pylint: disable=line-too-long +def create_dcra(cmd, cluster_region, cluster_subscription, cluster_resource_group_name, cluster_name, dcr_resource_id): + from azure.cli.core.util import send_raw_request + cluster_resource_id = f"/subscriptions/{cluster_subscription}/resourceGroups/{cluster_resource_group_name}/providers/Microsoft.Kubernetes/connectedClusters/{cluster_name}" + dcra_name = get_default_dcra_name(cmd, cluster_region, cluster_name) + dcra_resource_id = f"/subscriptions/{cluster_subscription}/resourceGroups/{cluster_resource_group_name}/providers/Microsoft.Insights/dataCollectionRuleAssociations/{dcra_name}" + description_str = "Promtheus data collection association between DCR, DCE and target AKS resource" + # only create or delete the association between the DCR and cluster + association_body = json.dumps({"location": cluster_region, + "properties": { + "dataCollectionRuleId": dcr_resource_id, + "description": description_str + }}) + armendpoint = cmd.cli_ctx.cloud.endpoints.resource_manager + association_url = f"{armendpoint}{cluster_resource_id}/providers/Microsoft.Insights/dataCollectionRuleAssociations/{dcra_name}?api-version={DC_API}" + try: + headers = ['User-Agent=arc-azuremonitormetrics.create_dcra'] + send_raw_request(cmd.cli_ctx, "PUT", association_url, + body=association_body, headers=headers) + return dcra_resource_id + except CLIError as error: + raise error diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/dc/defaults.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/dc/defaults.py new file mode 100644 index 00000000000..8dd7260377e --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/dc/defaults.py @@ -0,0 +1,41 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- +from ..constants import ( + DC_TYPE, + MapToClosestMACRegion +) +from ..deaults import get_default_region + + +# DCR = 64, DCE = 44, DCRA = 64 +# All DC* object names should end only in alpha numeric (after `length` trim) +# DCE remove underscore from cluster name +def sanitize_name(name, objtype, length): + length = length - 1 + if objtype == DC_TYPE.DCE: + name = name.replace("_", "") + name = name[0:length] + lastIndexAlphaNumeric = len(name) - 1 + while ((name[lastIndexAlphaNumeric].isalnum() is False) and lastIndexAlphaNumeric > -1): + lastIndexAlphaNumeric = lastIndexAlphaNumeric - 1 + if lastIndexAlphaNumeric < 0: + return "" + return name[0:lastIndexAlphaNumeric + 1] + + +def get_default_dce_name(cmd, mac_region, cluster_name): + region = get_default_region(cmd) + if dict.get(MapToClosestMACRegion, mac_region): + region = MapToClosestMACRegion[mac_region] + default_dce_name = "MSProm-" + region + "-" + cluster_name + return sanitize_name(default_dce_name, DC_TYPE.DCE, 44) + + +def get_default_dcra_name(cmd, cluster_region, cluster_name): + region = get_default_region(cmd) + if dict.get(MapToClosestMACRegion, cluster_region): + region = MapToClosestMACRegion[cluster_region] + default_dcra_name = "ContainerInsightsMetricsExtension-" + region + "-" + cluster_name + return sanitize_name(default_dcra_name, DC_TYPE.DCRA, 64) diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/dc/delete.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/dc/delete.py new file mode 100644 index 00000000000..40d92ac7933 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/dc/delete.py @@ -0,0 +1,79 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- +import json +from ..constants import DC_API +from knack.util import CLIError + + +def get_dce_from_dcr(cmd, dcrId): + from azure.cli.core.util import send_raw_request + armendpoint = cmd.cli_ctx.cloud.endpoints.resource_manager + association_url = f"{armendpoint}{dcrId}?api-version={DC_API}" + headers = ['User-Agent=arc-azuremonitormetrics.get_dce_from_dcr'] + r = send_raw_request(cmd.cli_ctx, "GET", association_url, headers=headers) + data = json.loads(r.text) + if 'dataCollectionEndpointId' in data['properties']: + return str(data['properties']['dataCollectionEndpointId']) + return "" + + +# pylint: disable=line-too-long +def get_dc_objects_list(cmd, cluster_subscription, cluster_resource_group_name, cluster_name): + try: + from azure.cli.core.util import send_raw_request + cluster_resource_id = \ + "/subscriptions/{0}/resourceGroups/{1}/providers/Microsoft.Kubernetes/connectedClusters/{2}".format( + cluster_subscription, + cluster_resource_group_name, + cluster_name + ) + armendpoint = cmd.cli_ctx.cloud.endpoints.resource_manager + association_url = f"{armendpoint}{cluster_resource_id}/providers/Microsoft.Insights/dataCollectionRuleAssociations?api-version={DC_API}" + headers = ['User-Agent=arc-azuremonitormetrics.get_dcra'] + r = send_raw_request(cmd.cli_ctx, "GET", association_url, headers=headers) + data = json.loads(r.text) + dc_object_array = [] + for item in data['value']: + if 'properties' in item and 'dataCollectionRuleId' in item['properties']: + dce_id = get_dce_from_dcr(cmd, item['properties']['dataCollectionRuleId']) + dc_object_array.append({'name': item['name'], 'dataCollectionRuleId': item['properties']['dataCollectionRuleId'], 'dceId': dce_id}) + return dc_object_array + except CLIError as e: + error = e + raise CLIError(error) + + +# pylint: disable=line-too-long +def delete_dc_objects_if_prometheus_enabled(cmd, dc_objects_list, cluster_subscription, cluster_resource_group_name, cluster_name): + from azure.cli.core.util import send_raw_request + cluster_resource_id = "/subscriptions/{0}/resourceGroups/{1}/providers/Microsoft.Kubernetes/connectedClusters/{2}".format( + cluster_subscription, + cluster_resource_group_name, + cluster_name + ) + for item in dc_objects_list: + armendpoint = cmd.cli_ctx.cloud.endpoints.resource_manager + association_url = f"{armendpoint}{item['dataCollectionRuleId']}?api-version={DC_API}" + try: + headers = ['User-Agent=arc-azuremonitormetrics.get_dcr_if_prometheus_enabled'] + r = send_raw_request(cmd.cli_ctx, "GET", association_url, headers=headers) + data = json.loads(r.text) + if 'microsoft-prometheusmetrics' in [stream.lower() for stream in data['properties']['dataFlows'][0]['streams']]: + # delete DCRA + armendpoint = cmd.cli_ctx.cloud.endpoints.resource_manager + url = f"{armendpoint}{cluster_resource_id}/providers/Microsoft.Insights/dataCollectionRuleAssociations/{item['name']}?api-version={DC_API}" + headers = ['User-Agent=arc-azuremonitormetrics.delete_dcra'] + send_raw_request(cmd.cli_ctx, "DELETE", url, headers=headers) + # delete DCR + url = f"{armendpoint}{item['dataCollectionRuleId']}?api-version={DC_API}" + headers = ['User-Agent=arc-azuremonitormetrics.delete_dcr'] + send_raw_request(cmd.cli_ctx, "DELETE", url, headers=headers) + # delete DCE + url = f"{armendpoint}{item['dceId']}?api-version={DC_API}" + headers = ['User-Agent=arc-azuremonitormetrics.delete_dce'] + send_raw_request(cmd.cli_ctx, "DELETE", url, headers=headers) + except CLIError as e: + error = e + raise CLIError(error) diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/deaults.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/deaults.py new file mode 100644 index 00000000000..2e338217c2a --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/deaults.py @@ -0,0 +1,14 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- +from knack.util import CLIError + + +def get_default_region(cmd): + cloud_name = cmd.cli_ctx.cloud.name + if cloud_name.lower() == 'azurechinacloud': + raise CLIError("Azure China Cloud is not supported for the Azure Monitor Metrics addon") + if cloud_name.lower() == 'azureusgovernment': + return "usgovvirginia" + return "eastus" diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/helper.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/helper.py new file mode 100644 index 00000000000..2169ac0a3b3 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/helper.py @@ -0,0 +1,119 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- +import json +from knack.util import CLIError +from azure.cli.core.azclierror import ( + UnknownError +) +from .constants import ( + RP_API, ClUSTER_RESOURCE_API, CLUSTER_RESOURCE_ID +) +from ..._client_factory import ( + cf_resources, cf_resource_groups, cf_log_analytics) +from azure.core.exceptions import HttpResponseError +from ... import consts + + +def sanitize_resource_id(resource_id): + resource_id = resource_id.strip() + if not resource_id.startswith("/"): + resource_id = "/" + resource_id + if resource_id.endswith("/"): + resource_id = resource_id.rstrip("/") + return resource_id.lower() + + +def post_request(cmd, subscription_id, rp_name, headers): + from azure.cli.core.util import send_raw_request + armendpoint = cmd.cli_ctx.cloud.endpoints.resource_manager + customUrl = "{0}/subscriptions/{1}/providers/{2}/register?api-version={3}".format( + armendpoint, + subscription_id, + rp_name, + RP_API, + ) + try: + send_raw_request(cmd.cli_ctx, "POST", customUrl, headers=headers) + except CLIError as e: + raise CLIError(e) + + +# pylint: disable=line-too-long +def rp_registrations(cmd, subscription_id): + from azure.cli.core.util import send_raw_request + # Get list of RP's for RP's subscription + try: + headers = ['User-Agent=arc-azuremonitormetrics.get_mac_sub_list'] + armendpoint = cmd.cli_ctx.cloud.endpoints.resource_manager + customUrl = "{0}/subscriptions/{1}/providers?api-version={2}&$select=namespace,registrationstate".format( + armendpoint, + subscription_id, + RP_API + ) + r = send_raw_request(cmd.cli_ctx, "GET", customUrl, headers=headers) + except CLIError as e: + raise CLIError(e) + isInsightsRpRegistered = False + isAlertsManagementRpRegistered = False + isMoniotrRpRegistered = False + isDashboardRpRegistered = False + json_response = json.loads(r.text) + values_array = json_response["value"] + for value in values_array: + if value["namespace"].lower() == "microsoft.insights" and value["registrationState"].lower() == "registered": + isInsightsRpRegistered = True + if value["namespace"].lower() == "microsoft.alertsmanagement" and value["registrationState"].lower() == "registered": + isAlertsManagementRpRegistered = True + if value["namespace"].lower() == "microsoft.monitor" and value["registrationState"].lower() == "registered": + isAlertsManagementRpRegistered = True + if value["namespace"].lower() == "microsoft.dashboard" and value["registrationState"].lower() == "registered": + isAlertsManagementRpRegistered = True + if isInsightsRpRegistered is False: + print(f"Registering microsoft.insights RP for the subscription {subscription_id}") + headers = ['User-Agent=arc-azuremonitormetrics.register_insights_rp'] + post_request(cmd, subscription_id, "microsoft.insights", headers) + if isAlertsManagementRpRegistered is False: + print(f"Registering microsoft.alertsmanagement RP for the subscription {subscription_id}") + headers = ['User-Agent=arc-azuremonitormetrics.register_alertsmanagement_rp'] + post_request(cmd, subscription_id, "microsoft.alertsmanagement", headers) + if isMoniotrRpRegistered is False: + print(f"Registering microsoft.monitor RP for the subscription {subscription_id}") + headers = ['User-Agent=arc-azuremonitormetrics.register_monitor_rp'] + post_request(cmd, subscription_id, "microsoft.monitor", headers) + if isDashboardRpRegistered is False: + print(f"Registering microsoft.dashboard RP for the subscription {subscription_id}") + headers = ['User-Agent=arc-azuremonitormetrics.register_dashboard_rp'] + post_request(cmd, subscription_id, "microsoft.dashboard", headers) + + +def get_cluster_region(cmd, cluster_rp, subscription_id, cluster_resource_group_name, cluster_name, cluster_type): + cluster_region = '' + resources = cf_resources(cmd.cli_ctx, subscription_id) + cluster_resource_id = CLUSTER_RESOURCE_ID.format( + subscription_id, cluster_resource_group_name, cluster_rp, cluster_type, cluster_name) + try: + if cluster_rp.lower() == consts.HYBRIDCONTAINERSERVICE_RP: + resource = resources.get_by_id(cluster_resource_id, consts.HYBRIDCONTAINERSERVICE_API_VERSION) + else: + resource = resources.get_by_id(cluster_resource_id, ClUSTER_RESOURCE_API) + cluster_region = resource.location.lower() + except HttpResponseError as ex: + raise ex + return cluster_region + + +def safe_key_check(key_to_check, strStrDict): + if strStrDict is None or key_to_check is None: + return False + if key_to_check.lower() in [key.lower() for key in strStrDict.keys()]: + return True + return False + + +def safe_value_get(key_to_find, strStrDict): + for key in strStrDict: + if key.lower() == key_to_find.lower(): + return strStrDict[key] + return "" diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/recordingrules/__init__.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/recordingrules/__init__.py new file mode 100644 index 00000000000..e69de29bb2d diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/recordingrules/create.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/recordingrules/create.py new file mode 100644 index 00000000000..5f022b6bb88 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/recordingrules/create.py @@ -0,0 +1,78 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- +import json +from ..constants import ALERTS_API, RULES_API +from knack.util import CLIError + + +# pylint: disable=line-too-long +def get_recording_rules_template(cmd, azure_monitor_workspace_resource_id): + from azure.cli.core.util import send_raw_request + headers = ['User-Agent=arc-azuremonitormetrics.get_recording_rules_template'] + armendpoint = cmd.cli_ctx.cloud.endpoints.resource_manager + url = f"{armendpoint}{azure_monitor_workspace_resource_id}/providers/microsoft.alertsManagement/alertRuleRecommendations?api-version={ALERTS_API}" + r = send_raw_request(cmd.cli_ctx, "GET", url, headers=headers) + data = json.loads(r.text) + return data['value'] + + +# pylint: disable=line-too-long +def put_rules(cmd, default_rule_group_id, default_rule_group_name, mac_region, azure_monitor_workspace_resource_id, cluster_name, default_rules_template, url, enable_rules, i): + from azure.cli.core.util import send_raw_request + body = json.dumps({ + "id": default_rule_group_id, + "name": default_rule_group_name, + "type": "Microsoft.AlertsManagement/prometheusRuleGroups", + "location": mac_region, + "properties": { + "scopes": [ + azure_monitor_workspace_resource_id + ], + "enabled": enable_rules, + "clusterName": cluster_name, + "interval": "PT1M", + "rules": default_rules_template[i]["properties"]["rulesArmTemplate"]["resources"][0]["properties"]["rules"] + } + }) + for _ in range(3): + try: + headers = ['User-Agent=arc-azuremonitormetrics.put_rules.' + default_rule_group_name] + send_raw_request(cmd.cli_ctx, "PUT", url, + body=body, headers=headers) + break + except CLIError as e: + error = e + else: + raise error + + +# pylint: disable=line-too-long +def create_rules(cmd, cluster_subscription, cluster_resource_group_name, cluster_name, azure_monitor_workspace_resource_id, mac_region): + default_rules_template = get_recording_rules_template(cmd, azure_monitor_workspace_resource_id) + default_rule_group_name = "NodeRecordingRulesRuleGroup-{0}".format(cluster_name) + default_rule_group_id = "/subscriptions/{0}/resourceGroups/{1}/providers/Microsoft.AlertsManagement/prometheusRuleGroups/{2}".format( + cluster_subscription, + cluster_resource_group_name, + default_rule_group_name + ) + url = "{0}{1}?api-version={2}".format( + cmd.cli_ctx.cloud.endpoints.resource_manager, + default_rule_group_id, + RULES_API + ) + put_rules(cmd, default_rule_group_id, default_rule_group_name, mac_region, azure_monitor_workspace_resource_id, cluster_name, default_rules_template, url, True, 0) + + default_rule_group_name = "KubernetesRecordingRulesRuleGroup-{0}".format(cluster_name) + default_rule_group_id = "/subscriptions/{0}/resourceGroups/{1}/providers/Microsoft.AlertsManagement/prometheusRuleGroups/{2}".format( + cluster_subscription, + cluster_resource_group_name, + default_rule_group_name + ) + url = "{0}{1}?api-version={2}".format( + cmd.cli_ctx.cloud.endpoints.resource_manager, + default_rule_group_id, + RULES_API + ) + put_rules(cmd, default_rule_group_id, default_rule_group_name, mac_region, azure_monitor_workspace_resource_id, cluster_name, default_rules_template, url, True, 1) diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/recordingrules/delete.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/recordingrules/delete.py new file mode 100644 index 00000000000..ac945fbaed8 --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/recordingrules/delete.py @@ -0,0 +1,37 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- +from ..constants import RULES_API + + +def delete_rule(cmd, cluster_subscription, cluster_resource_group_name, default_rule_group_name): + from azure.cli.core.util import send_raw_request + default_rule_group_id = \ + "/subscriptions/{0}/resourceGroups/{1}/providers/Microsoft.AlertsManagement/prometheusRuleGroups/{2}".format( + cluster_subscription, + cluster_resource_group_name, + default_rule_group_name + ) + headers = ['User-Agent=arc-azuremonitormetrics.delete_rule.' + default_rule_group_name] + url = "{0}{1}?api-version={2}".format( + cmd.cli_ctx.cloud.endpoints.resource_manager, + default_rule_group_id, + RULES_API + ) + send_raw_request(cmd.cli_ctx, "DELETE", url, headers=headers) + + +def delete_rules(cmd, cluster_subscription, cluster_resource_group_name, cluster_name): + delete_rule( + cmd, + cluster_subscription, + cluster_resource_group_name, + "NodeRecordingRulesRuleGroup-{0}".format(cluster_name) + ) + delete_rule( + cmd, + cluster_subscription, + cluster_resource_group_name, + "KubernetesRecordingRulesRuleGroup-{0}".format(cluster_name) + ) diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/responseparsers/__init__.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/responseparsers/__init__.py new file mode 100644 index 00000000000..e69de29bb2d diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/responseparsers/amwlocationresponseparser.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/responseparsers/amwlocationresponseparser.py new file mode 100644 index 00000000000..ab0fbe9df8e --- /dev/null +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/azuremonitormetrics/responseparsers/amwlocationresponseparser.py @@ -0,0 +1,29 @@ +# -------------------------------------------------------------------------------------------- +# Copyright (c) Microsoft Corporation. All rights reserved. +# Licensed under the MIT License. See License.txt in the project root for license information. +# -------------------------------------------------------------------------------------------- +from typing import List + + +def parseResourceProviderResponseForLocations(resourceProviderResponse): + supportedLocationMap = {} + if not resourceProviderResponse.get('resourceTypes'): + return supportedLocationMap + resourceTypesRawArr = resourceProviderResponse['resourceTypes'] + for resourceTypeResponse in resourceTypesRawArr: + if resourceTypeResponse['resourceType'] == 'accounts': + supportedLocationMap = parseLocations(resourceTypeResponse['locations']) + return supportedLocationMap + + +def parseLocations(locations: List[str]) -> List[str]: + if not locations or len(locations) == 0: + return [] + return [reduceLocation(location) for location in locations] + + +def reduceLocation(location: str) -> str: + if not location: + return location + location = location.replace(' ', '').lower() + return location diff --git a/src/k8s-extension/setup.py b/src/k8s-extension/setup.py index 0fcc313500e..f129b4e4aae 100644 --- a/src/k8s-extension/setup.py +++ b/src/k8s-extension/setup.py @@ -33,7 +33,7 @@ # TODO: Add any additional SDK dependencies here DEPENDENCIES = [] -VERSION = "1.4.0" +VERSION = "1.4.1" with open("README.rst", "r", encoding="utf-8") as f: README = f.read() diff --git a/testing/pipeline/k8s-custom-pipelines.yml b/testing/pipeline/k8s-custom-pipelines.yml index d794a2f5d4d..5186a9cab89 100644 --- a/testing/pipeline/k8s-custom-pipelines.yml +++ b/testing/pipeline/k8s-custom-pipelines.yml @@ -29,6 +29,10 @@ stages: parameters: jobName: AzureMLKubernetes path: ./test/extensions/public/AzureMLKubernetes.Tests.ps1 + - template: ./templates/run-test.yml + parameters: + jobName: AzureMonitorMetrics + path: ./test/extensions/public/AzureMonitorMetrics.Tests.ps1 - template: ./templates/run-test.yml parameters: jobName: AzureMonitor @@ -57,7 +61,7 @@ stages: pool: vmImage: 'ubuntu-20.04' displayName: "Build and Publish the Extension Artifact" - variables: + variables: CLI_REPO_PATH: $(Agent.BuildDirectory)/s workingDirectory: $(CLI_REPO_PATH) displayName: "Setup and Build Extension with azdev" @@ -67,9 +71,9 @@ stages: CLI_REPO_PATH: $(CLI_REPO_PATH) IS_PRIVATE_BRANCH: $(IS_PRIVATE_BRANCH) - task: PublishBuildArtifacts@1 - inputs: + inputs: pathToPublish: $(CLI_REPO_PATH)/dist - + - stage: AzureCLIOfficial displayName: "Azure Official CLI Code Checks" dependsOn: [] diff --git a/testing/test/extensions/public/AzureMonitorMetrics.Tests.ps1 b/testing/test/extensions/public/AzureMonitorMetrics.Tests.ps1 new file mode 100644 index 00000000000..d1eca16ddb8 --- /dev/null +++ b/testing/test/extensions/public/AzureMonitorMetrics.Tests.ps1 @@ -0,0 +1,69 @@ +Describe 'Azure Monitor Metrics Testing' { + Describe 'Azure Monitor Metrics Testing' { + BeforeAll { + $extensionType = "microsoft.azuremonitor.containers.metrics" + $extensionName = "azuremonitor-metrics" + $extensionAgentName = "ama-metrics" + $extensionAgentNamespace = "kube-system" + + . $PSScriptRoot/../../helper/Constants.ps1 + . $PSScriptRoot/../../helper/Helper.ps1 + } + + It 'Creates the extension and checks that it onboards correctly' { + az $Env:K8sExtensionName create -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters --extension-type $extensionType -n $extensionName --no-wait + $? | Should -BeTrue + + $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName + $? | Should -BeTrue + + $isAutoUpgradeMinorVersion = ($output | ConvertFrom-Json).autoUpgradeMinorVersion + $isAutoUpgradeMinorVersion.ToString() -eq "True" | Should -BeTrue + + # Loop and retry until the extension installs + $n = 0 + do { + if (Has-ExtensionData $extensionName) { + break + } + Start-Sleep -Seconds 10 + $n += 1 + } while ($n -le $MAX_RETRY_ATTEMPTS) + $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS + } + + It "Performs a show on the extension" { + $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName + $? | Should -BeTrue + $output | Should -Not -BeNullOrEmpty + } + + It "Lists the extensions on the cluster" { + $output = az $Env:K8sExtensionName list -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters + $? | Should -BeTrue + + $output | Should -Not -BeNullOrEmpty + $extensionExists = $output | ConvertFrom-Json | Where-Object { $_.extensionType -eq $extensionType } + $extensionExists | Should -Not -BeNullOrEmpty + } + + It "Deletes the extension from the cluster" { + $output = az $Env:K8sExtensionName delete -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName --force + $? | Should -BeTrue + + # Extension should not be found on the cluster + $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName + $? | Should -BeFalse + $output | Should -BeNullOrEmpty + } + + It "Performs another list after the delete" { + $output = az $Env:K8sExtensionName list -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters + $? | Should -BeTrue + $output | Should -Not -BeNullOrEmpty + + $extensionExists = $output | ConvertFrom-Json | Where-Object { $_.extensionType -eq $extensionName } + $extensionExists | Should -BeNullOrEmpty + } + } +} From 4f2b74cdd32eae16eee88fcab5a0d6c537e49afa Mon Sep 17 00:00:00 2001 From: Bavneet Singh <33008256+bavneetsingh16@users.noreply.github.com> Date: Fri, 19 May 2023 18:08:44 -0700 Subject: [PATCH 37/44] remove redundant extension test (#230) --- testing/pipeline/k8s-custom-pipelines.yml | 4 - .../extensions/public/Cassandra.Tests.ps1 | 98 ------------------- 2 files changed, 102 deletions(-) delete mode 100644 testing/test/extensions/public/Cassandra.Tests.ps1 diff --git a/testing/pipeline/k8s-custom-pipelines.yml b/testing/pipeline/k8s-custom-pipelines.yml index 5186a9cab89..fcbfd8e3b63 100644 --- a/testing/pipeline/k8s-custom-pipelines.yml +++ b/testing/pipeline/k8s-custom-pipelines.yml @@ -41,10 +41,6 @@ stages: parameters: jobName: AzurePolicy path: ./test/extensions/public/AzurePolicy.Tests.ps1 - - template: ./templates/run-test.yml - parameters: - jobName: Cassandra - path: ./test/extensions/public/Cassandra.Tests.ps1 - template: ./templates/run-test.yml parameters: jobName: ExtensionTypes diff --git a/testing/test/extensions/public/Cassandra.Tests.ps1 b/testing/test/extensions/public/Cassandra.Tests.ps1 deleted file mode 100644 index 2099c9f55d3..00000000000 --- a/testing/test/extensions/public/Cassandra.Tests.ps1 +++ /dev/null @@ -1,98 +0,0 @@ -Describe 'Cassandra Testing' { - BeforeAll { - $extensionType = "microsoft.contoso.clusters" - $extensionName = "cassandra" - - . $PSScriptRoot/../../helper/Constants.ps1 - . $PSScriptRoot/../../helper/Helper.ps1 - } - - It 'Creates the extension and checks that it onboards correctly' { - az $Env:K8sExtensionName create -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters --extension-type $extensionType -n $extensionName --no-wait - $? | Should -BeTrue - - $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName - $? | Should -BeTrue - - $isAutoUpgradeMinorVersion = ($output | ConvertFrom-Json).autoUpgradeMinorVersion - $isAutoUpgradeMinorVersion.ToString() -eq "True" | Should -BeTrue - - # Check that we get the principal id back for the created identity - $principalId = ($output | ConvertFrom-Json).identity.principalId - $principalId | Should -Not -BeNullOrEmpty - - # Loop and retry until the extension installs - $n = 0 - do - { - # Only check the extension config, not the pod since this doesn't bring up pods - $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName - $provisioningState = ($output | ConvertFrom-Json).provisioningState - Write-Host "Got ProvisioningState: $provisioningState for the extension" - if ((Has-ExtensionData $extensionName) -And ($provisioningState -eq "Succeeded")) { - break - } - Start-Sleep -Seconds 40 - $n += 1 - } while ($n -le $MAX_RETRY_ATTEMPTS) - $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS - } - - It "Performs a show on the extension" { - $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName - $? | Should -BeTrue - $output | Should -Not -BeNullOrEmpty - } - - It "Runs an update on the extension on the cluster" { - $output = az $Env:K8sExtensionName update -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName --auto-upgrade false --no-wait - $? | Should -BeTrue - - $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName - $? | Should -BeTrue - - $isAutoUpgradeMinorVersion = ($output | ConvertFrom-Json).autoUpgradeMinorVersion - $isAutoUpgradeMinorVersion.ToString() -eq "False" | Should -BeTrue - - # Loop and retry until the extension config updates - $n = 0 - do - { - $isAutoUpgradeMinorVersion = (Get-ExtensionData $extensionName).spec.autoUpgradeMinorVersion - if (!$isAutoUpgradeMinorVersion) { #autoUpgradeMinorVersion doesn't exist in ExtensionConfig CRD if false - break - } - Start-Sleep -Seconds 10 - $n += 1 - } while ($n -le $MAX_RETRY_ATTEMPTS) - $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS - } - - It "Lists the extensions on the cluster" { - $output = az $Env:K8sExtensionName list -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters - $? | Should -BeTrue - - $output | Should -Not -BeNullOrEmpty - $extensionExists = $output | ConvertFrom-Json | Where-Object { $_.extensionType -eq $extensionType } - $extensionExists | Should -Not -BeNullOrEmpty - } - - It "Deletes the extension from the cluster" { - $output = az $Env:K8sExtensionName delete -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName --force - $? | Should -BeTrue - - # Extension should not be found on the cluster - $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName - $? | Should -BeFalse - $output | Should -BeNullOrEmpty - } - - It "Performs another list after the delete" { - $output = az $Env:K8sExtensionName list -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters - $? | Should -BeTrue - $output | Should -Not -BeNullOrEmpty - - $extensionExists = $output | ConvertFrom-Json | Where-Object { $_.extensionType -eq $extensionName } - $extensionExists | Should -BeNullOrEmpty - } -} From 6e583a91ad4be8c7688e5be0a3d16d7c36a52e22 Mon Sep 17 00:00:00 2001 From: Long Wan Date: Wed, 31 May 2023 11:02:21 -0700 Subject: [PATCH 38/44] ci MSI default for arc cluster (#231) --- .../azext_k8s_extension/partner_extensions/ContainerInsights.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/ContainerInsights.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/ContainerInsights.py index 76c9013b5a3..a943d88584c 100644 --- a/src/k8s-extension/azext_k8s_extension/partner_extensions/ContainerInsights.py +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/ContainerInsights.py @@ -454,7 +454,7 @@ def _get_container_insights_settings(cmd, cluster_resource_group_name, cluster_r subscription_id = get_subscription_id(cmd.cli_ctx) workspace_resource_id = '' - useAADAuth = False + useAADAuth = True extensionSettings = {} if configuration_settings is not None: From 029ce31f67b3a98e2eda744af82c0de626ab6cf9 Mon Sep 17 00:00:00 2001 From: Bavneet Singh Date: Fri, 23 Jun 2023 13:49:12 -0700 Subject: [PATCH 39/44] bump k8s-extension version to 1.4.2 --- src/k8s-extension/HISTORY.rst | 4 ++++ src/k8s-extension/setup.py | 2 +- 2 files changed, 5 insertions(+), 1 deletion(-) diff --git a/src/k8s-extension/HISTORY.rst b/src/k8s-extension/HISTORY.rst index 3a9ff5ff82d..b973a4fe888 100644 --- a/src/k8s-extension/HISTORY.rst +++ b/src/k8s-extension/HISTORY.rst @@ -3,6 +3,10 @@ Release History =============== +1.4.2 +++++++++++++++++++ +* microsoft.azuremonitor.containers: ContainerInsights Extension Managed Identity Auth Enabled by default + 1.4.1 ++++++++++++++++++ * microsoft.azureml.kubernetes: Fix sslSecret parameter in update operation diff --git a/src/k8s-extension/setup.py b/src/k8s-extension/setup.py index f129b4e4aae..beda2d80308 100644 --- a/src/k8s-extension/setup.py +++ b/src/k8s-extension/setup.py @@ -33,7 +33,7 @@ # TODO: Add any additional SDK dependencies here DEPENDENCIES = [] -VERSION = "1.4.1" +VERSION = "1.4.2" with open("README.rst", "r", encoding="utf-8") as f: README = f.read() From dfd11392ec363f8a86db261d651bd85bd1ccddf6 Mon Sep 17 00:00:00 2001 From: Ganga Mahesh Siddem Date: Fri, 30 Jun 2023 15:14:32 -0700 Subject: [PATCH 40/44] ContainerInsights extension - Extend dataCollectionSettings config settings with streams field (#232) * extend containerinsights datacollection settings with streams field * bug fix * fix lint issues * fix pr feedback * fix pr feedback * fix lint error --- .../partner_extensions/ContainerInsights.py | 27 +++++++++++-------- 1 file changed, 16 insertions(+), 11 deletions(-) diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/ContainerInsights.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/ContainerInsights.py index a943d88584c..4735a5b5373 100644 --- a/src/k8s-extension/azext_k8s_extension/partner_extensions/ContainerInsights.py +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/ContainerInsights.py @@ -31,6 +31,7 @@ cf_resources, cf_resource_groups, cf_log_analytics) logger = get_logger(__name__) +DCR_API_VERSION = "2022-06-01" class ContainerInsights(DefaultExtension): @@ -100,7 +101,7 @@ def Delete(self, cmd, client, resource_group_name, cluster_name, name, cluster_t if (isinstance(useAADAuthSetting, str) and str(useAADAuthSetting).lower() == "true") or (isinstance(useAADAuthSetting, bool) and useAADAuthSetting): useAADAuth = True if useAADAuth: - association_url = cmd.cli_ctx.cloud.endpoints.resource_manager + f"{cluster_resource_id}/providers/Microsoft.Insights/dataCollectionRuleAssociations/ContainerInsightsExtension?api-version=2021-04-01" + association_url = cmd.cli_ctx.cloud.endpoints.resource_manager + f"{cluster_resource_id}/providers/Microsoft.Insights/dataCollectionRuleAssociations/ContainerInsightsExtension?api-version={DCR_API_VERSION}" for _ in range(3): try: send_raw_request(cmd.cli_ctx, "GET", association_url,) @@ -114,7 +115,7 @@ def Delete(self, cmd, client, resource_group_name, cluster_name, name, cluster_t pass # its OK to ignore the exception since MSI auth in preview if isDCRAExists: - association_url = cmd.cli_ctx.cloud.endpoints.resource_manager + f"{cluster_resource_id}/providers/Microsoft.Insights/dataCollectionRuleAssociations/ContainerInsightsExtension?api-version=2021-04-01" + association_url = cmd.cli_ctx.cloud.endpoints.resource_manager + f"{cluster_resource_id}/providers/Microsoft.Insights/dataCollectionRuleAssociations/ContainerInsightsExtension?api-version={DCR_API_VERSION}" for _ in range(3): try: send_raw_request(cmd.cli_ctx, "DELETE", association_url,) @@ -495,6 +496,10 @@ def _get_container_insights_settings(cmd, cluster_resource_group_name, cluster_r namspaces = dataCollectionSettings["namespaces"] if isinstance(namspaces, list) is False: raise InvalidArgumentValueError('namespaces must be an array type') + if 'streams' in dataCollectionSettings.keys(): + streams = dataCollectionSettings["streams"] + if isinstance(streams, list) is False: + raise InvalidArgumentValueError('streams must be an array type') extensionSettings["dataCollectionSettings"] = dataCollectionSettings workspace_resource_id = workspace_resource_id.strip() @@ -673,9 +678,14 @@ def _ensure_container_insights_dcr_for_monitoring(cmd, subscription_id, cluster_ if (cluster_region not in region_ids): raise ClientRequestError(f"Data Collection Rule Associations are not supported for cluster region {cluster_region}") - dcr_url = cmd.cli_ctx.cloud.endpoints.resource_manager + f"{dcr_resource_id}?api-version=2021-04-01" + dcr_url = cmd.cli_ctx.cloud.endpoints.resource_manager + f"{dcr_resource_id}?api-version={DCR_API_VERSION}" # get existing tags on the container insights extension DCR if the customer added any existing_tags = get_existing_container_insights_extension_dcr_tags(cmd, dcr_url) + streams = ["Microsoft-ContainerInsights-Group-Default"] + if extensionSettings is not None and 'dataCollectionSettings' in extensionSettings.keys(): + dataCollectionSettings = extensionSettings["dataCollectionSettings"] + if dataCollectionSettings is not None and 'streams' in dataCollectionSettings.keys(): + streams = dataCollectionSettings["streams"] # create the DCR dcr_creation_body = json.dumps( @@ -687,9 +697,7 @@ def _ensure_container_insights_dcr_for_monitoring(cmd, subscription_id, cluster_ "extensions": [ { "name": "ContainerInsightsExtension", - "streams": [ - "Microsoft-ContainerInsights-Group-Default" - ], + "streams": streams, "extensionName": "ContainerInsights", "extensionSettings": extensionSettings } @@ -697,10 +705,7 @@ def _ensure_container_insights_dcr_for_monitoring(cmd, subscription_id, cluster_ }, "dataFlows": [ { - "streams": [ - "Microsoft-ContainerInsights-Group-Default" - - ], + "streams": streams, "destinations": ["la-workspace"], } ], @@ -735,7 +740,7 @@ def _ensure_container_insights_dcr_for_monitoring(cmd, subscription_id, cluster_ }, } ) - association_url = cmd.cli_ctx.cloud.endpoints.resource_manager + f"{cluster_resource_id}/providers/Microsoft.Insights/dataCollectionRuleAssociations/ContainerInsightsExtension?api-version=2021-04-01" + association_url = cmd.cli_ctx.cloud.endpoints.resource_manager + f"{cluster_resource_id}/providers/Microsoft.Insights/dataCollectionRuleAssociations/ContainerInsightsExtension?api-version={DCR_API_VERSION}" for _ in range(3): try: send_raw_request(cmd.cli_ctx, "PUT", association_url, body=association_body,) From 5ff7d6635bd374c3cba8b43ef745d71a776d08cc Mon Sep 17 00:00:00 2001 From: Long Wan Date: Tue, 18 Jul 2023 16:40:43 -0700 Subject: [PATCH 41/44] ContainerInsights extension - Extend dataCollectionSettings with containerlogv2 (#237) --- .../tests/latest/data/datacollectionsettings.json | 4 ++++ .../partner_extensions/ContainerInsights.py | 10 ++++++++++ 2 files changed, 14 insertions(+) diff --git a/src/aks-preview/azext_aks_preview/tests/latest/data/datacollectionsettings.json b/src/aks-preview/azext_aks_preview/tests/latest/data/datacollectionsettings.json index 822876f792f..080f0cda526 100644 --- a/src/aks-preview/azext_aks_preview/tests/latest/data/datacollectionsettings.json +++ b/src/aks-preview/azext_aks_preview/tests/latest/data/datacollectionsettings.json @@ -3,5 +3,9 @@ "namespaceFilteringMode": "Include", "namespaces": [ "kube-system" + ], + "enableContainerLogV2": true, + "streams": [ + "Microsoft-ContainerLogV2" ] } \ No newline at end of file diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/ContainerInsights.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/ContainerInsights.py index 4735a5b5373..4225ea164aa 100644 --- a/src/k8s-extension/azext_k8s_extension/partner_extensions/ContainerInsights.py +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/ContainerInsights.py @@ -456,6 +456,8 @@ def _get_container_insights_settings(cmd, cluster_resource_group_name, cluster_r subscription_id = get_subscription_id(cmd.cli_ctx) workspace_resource_id = '' useAADAuth = True + if 'amalogs.useAADAuth' not in configuration_settings: + configuration_settings['amalogs.useAADAuth'] = "true" extensionSettings = {} if configuration_settings is not None: @@ -472,11 +474,15 @@ def _get_container_insights_settings(cmd, cluster_resource_group_name, cluster_r logger.info("provided useAADAuth flag is : %s", useAADAuthSetting) if (isinstance(useAADAuthSetting, str) and str(useAADAuthSetting).lower() == "true") or (isinstance(useAADAuthSetting, bool) and useAADAuthSetting): useAADAuth = True + else: + useAADAuth = False elif 'amalogs.useAADAuth' in configuration_settings: useAADAuthSetting = configuration_settings['amalogs.useAADAuth'] logger.info("provided useAADAuth flag is : %s", useAADAuthSetting) if (isinstance(useAADAuthSetting, str) and str(useAADAuthSetting).lower() == "true") or (isinstance(useAADAuthSetting, bool) and useAADAuthSetting): useAADAuth = True + else: + useAADAuth = False if useAADAuth and ('dataCollectionSettings' in configuration_settings): dataCollectionSettingsString = configuration_settings["dataCollectionSettings"] logger.info("provided dataCollectionSettings is : %s", dataCollectionSettingsString) @@ -496,6 +502,10 @@ def _get_container_insights_settings(cmd, cluster_resource_group_name, cluster_r namspaces = dataCollectionSettings["namespaces"] if isinstance(namspaces, list) is False: raise InvalidArgumentValueError('namespaces must be an array type') + if 'enableContainerLogV2' in dataCollectionSettings.keys(): + enableContainerLogV2Value = dataCollectionSettings["enableContainerLogV2"] + if not isinstance(enableContainerLogV2Value, bool): + raise InvalidArgumentValueError('enableContainerLogV2Value value MUST be either true or false') if 'streams' in dataCollectionSettings.keys(): streams = dataCollectionSettings["streams"] if isinstance(streams, list) is False: From 42d8b15d642c6e96f08a63fee5b41cc4d4c973df Mon Sep 17 00:00:00 2001 From: Long Wan Date: Tue, 25 Jul 2023 13:36:49 -0700 Subject: [PATCH 42/44] [k8s-extension] add kind tag in DCR creation (#240) --- .../azext_k8s_extension/partner_extensions/ContainerInsights.py | 1 + 1 file changed, 1 insertion(+) diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/ContainerInsights.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/ContainerInsights.py index 4225ea164aa..119f29421e9 100644 --- a/src/k8s-extension/azext_k8s_extension/partner_extensions/ContainerInsights.py +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/ContainerInsights.py @@ -702,6 +702,7 @@ def _ensure_container_insights_dcr_for_monitoring(cmd, subscription_id, cluster_ { "location": workspace_region, "tags": existing_tags, + "kind": "Linux", "properties": { "dataSources": { "extensions": [ From e9aebbcbd3df15fd874a32babc40ae1a0ba23c1f Mon Sep 17 00:00:00 2001 From: Shubham Sharma Date: Fri, 28 Jul 2023 21:15:27 +0530 Subject: [PATCH 43/44] Use semver package (#241) Signed-off-by: Shubham Sharma --- .../azext_k8s_extension/partner_extensions/Dapr.py | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/src/k8s-extension/azext_k8s_extension/partner_extensions/Dapr.py b/src/k8s-extension/azext_k8s_extension/partner_extensions/Dapr.py index 752e6c39587..46520c69a7a 100644 --- a/src/k8s-extension/azext_k8s_extension/partner_extensions/Dapr.py +++ b/src/k8s-extension/azext_k8s_extension/partner_extensions/Dapr.py @@ -13,7 +13,7 @@ from copy import deepcopy from knack.log import get_logger from knack.prompting import prompt, prompt_y_n -from packaging import version as packaging_version +from semver import VersionInfo from ..vendored_sdks.models import Extension, PatchExtension, Scope, ScopeCluster from .DefaultExtension import DefaultExtension @@ -204,7 +204,7 @@ def _is_downgrade(v1: str, v2: str) -> bool: Returns True if version v1 is less than version v2. """ try: - return packaging_version.Version(v1) < packaging_version.Version(v2) - except packaging_version.InvalidVersion: + return VersionInfo.parse(v1) < VersionInfo.parse(v2) + except ValueError: logger.debug("Warning: Unable to compare versions %s and %s.", v1, v2) return True # This will cause the apply-CRDs hook to be disabled, which is safe. From 2dad4b66131545a60c02d1ba79e0c33caf5ac252 Mon Sep 17 00:00:00 2001 From: Bavneet Singh Date: Fri, 28 Jul 2023 14:59:26 -0700 Subject: [PATCH 44/44] [k8s-extension] Update extension CLI to v1.4.3 --- testing/.gitignore | 9 - testing/Bootstrap.ps1 | 80 ------- testing/Cleanup.ps1 | 30 --- testing/README.md | 128 ---------- testing/Test.ps1 | 133 ----------- .../k8s_configuration-1.0.0-py3-none-any.whl | Bin 42351 -> 0 bytes .../bin/k8s_extension-0.4.0-py3-none-any.whl | Bin 55464 -> 0 bytes testing/docs/test_authoring.md | 142 ----------- testing/owners.txt | 2 - testing/pipeline/k8s-custom-pipelines.yml | 212 ----------------- .../pipeline/templates/build-extension.yml | 52 ----- testing/pipeline/templates/run-test.yml | 104 --------- testing/settings.template.json | 11 - .../Configuration.HTTPS.Tests.ps1 | 54 ----- .../Configuration.HelmOperator.Tests.ps1 | 137 ----------- .../Configuration.KnownHost.Tests.ps1 | 6 - .../Configuration.PrivateKey.Tests.ps1 | 86 ------- .../configurations/Configuration.Tests.ps1 | 80 ------- testing/test/configurations/Constants.ps1 | 8 - testing/test/configurations/Helper.ps1 | 45 ---- .../extensions/data/azure_ml/test_cert.pem | 32 --- .../extensions/data/azure_ml/test_key.pem | 52 ----- .../extensions/public/AzureDefender.Tests.ps1 | 71 ------ .../public/AzureMLKubernetes.Tests.ps1 | 221 ------------------ .../extensions/public/AzureMonitor.Tests.ps1 | 68 ------ .../public/AzureMonitorMetrics.Tests.ps1 | 69 ------ .../extensions/public/AzurePolicy.Tests.ps1 | 74 ------ testing/test/extensions/public/Dapr.Tests.ps1 | 63 ----- .../public/ExtensionTypes.Tests.ps1 | 33 --- testing/test/extensions/public/Flux.Tests.ps1 | 63 ----- .../public/OpenServiceMesh.Tests.ps1 | 72 ------ testing/test/helper/Constants.ps1 | 7 - testing/test/helper/Helper.ps1 | 72 ------ 33 files changed, 2216 deletions(-) delete mode 100644 testing/.gitignore delete mode 100644 testing/Bootstrap.ps1 delete mode 100644 testing/Cleanup.ps1 delete mode 100644 testing/README.md delete mode 100644 testing/Test.ps1 delete mode 100644 testing/bin/k8s_configuration-1.0.0-py3-none-any.whl delete mode 100644 testing/bin/k8s_extension-0.4.0-py3-none-any.whl delete mode 100644 testing/docs/test_authoring.md delete mode 100644 testing/owners.txt delete mode 100644 testing/pipeline/k8s-custom-pipelines.yml delete mode 100644 testing/pipeline/templates/build-extension.yml delete mode 100644 testing/pipeline/templates/run-test.yml delete mode 100644 testing/settings.template.json delete mode 100644 testing/test/configurations/Configuration.HTTPS.Tests.ps1 delete mode 100644 testing/test/configurations/Configuration.HelmOperator.Tests.ps1 delete mode 100644 testing/test/configurations/Configuration.KnownHost.Tests.ps1 delete mode 100644 testing/test/configurations/Configuration.PrivateKey.Tests.ps1 delete mode 100644 testing/test/configurations/Configuration.Tests.ps1 delete mode 100644 testing/test/configurations/Constants.ps1 delete mode 100644 testing/test/configurations/Helper.ps1 delete mode 100644 testing/test/extensions/data/azure_ml/test_cert.pem delete mode 100644 testing/test/extensions/data/azure_ml/test_key.pem delete mode 100644 testing/test/extensions/public/AzureDefender.Tests.ps1 delete mode 100644 testing/test/extensions/public/AzureMLKubernetes.Tests.ps1 delete mode 100644 testing/test/extensions/public/AzureMonitor.Tests.ps1 delete mode 100644 testing/test/extensions/public/AzureMonitorMetrics.Tests.ps1 delete mode 100644 testing/test/extensions/public/AzurePolicy.Tests.ps1 delete mode 100644 testing/test/extensions/public/Dapr.Tests.ps1 delete mode 100644 testing/test/extensions/public/ExtensionTypes.Tests.ps1 delete mode 100644 testing/test/extensions/public/Flux.Tests.ps1 delete mode 100644 testing/test/extensions/public/OpenServiceMesh.Tests.ps1 delete mode 100644 testing/test/helper/Constants.ps1 delete mode 100644 testing/test/helper/Helper.ps1 diff --git a/testing/.gitignore b/testing/.gitignore deleted file mode 100644 index 5687a0bf32d..00000000000 --- a/testing/.gitignore +++ /dev/null @@ -1,9 +0,0 @@ -settings.json -tmp/ -bin/* -!bin/connectedk8s-1.0.0-py3-none-any.whl -!bin/k8s_extension-0.4.0-py3-none-any.whl -!bin/k8s_extension_private-0.1.0-py3-none-any.whl -!bin/k8s_configuration-1.0.0-py3-none-any.whl -!bin/connectedk8s-values.yaml -*.xml \ No newline at end of file diff --git a/testing/Bootstrap.ps1 b/testing/Bootstrap.ps1 deleted file mode 100644 index 0598b139c79..00000000000 --- a/testing/Bootstrap.ps1 +++ /dev/null @@ -1,80 +0,0 @@ -param ( - [switch] $SkipInstall, - [switch] $CI -) - -# Disable confirm prompt for script -az config set core.disable_confirm_prompt=true - -# Configuring the environment -$ENVCONFIG = Get-Content -Path $PSScriptRoot/settings.json | ConvertFrom-Json - -az account set --subscription $ENVCONFIG.subscriptionId - -if (-not (Test-Path -Path $PSScriptRoot/tmp)) { - New-Item -ItemType Directory -Path $PSScriptRoot/tmp -} - -if (!$SkipInstall) { - Write-Host "Removing the old connnectedk8s extension..." - az extension remove -n connectedk8s - Write-Host "Installing connectedk8s..." - az extension add -n connectedk8s - if (!$?) { - Write-Host "Unable to install connectedk8s, exiting..." - exit 1 - } -} - -Write-Host "Onboard cluster to Azure...starting!" - -az group show --name $envConfig.resourceGroup -if (!$?) { - Write-Host "Resource group does not exist, creating it now in region 'eastus2euap'" - az group create --name $envConfig.resourceGroup --location eastus2euap - - if (!$?) { - Write-Host "Failed to create Resource Group - exiting!" - Exit 1 - } -} - -# Skip creating the AKS Cluster if this is CI -if (!$CI) { - az aks show -g $ENVCONFIG.resourceGroup -n $ENVCONFIG.aksClusterName - if (!$?) { - Write-Host "Cluster does not exist, creating it now" - az aks create -g $ENVCONFIG.resourceGroup -n $ENVCONFIG.aksClusterName --generate-ssh-keys - } else { - Write-Host "Cluster already exists, no need to create it." - } - - Write-Host "Retrieving credentials for your AKS cluster..." - - az aks get-credentials -g $ENVCONFIG.resourceGroup -n $ENVCONFIG.aksClusterName -f tmp/KUBECONFIG - if (!$?) - { - Write-Host "Cluster did not create successfully, exiting!" -ForegroundColor Red - Exit 1 - } - Write-Host "Successfully retrieved the AKS kubectl credentials" -} else { - Copy-Item $HOME/.kube/config -Destination $PSScriptRoot/tmp/KUBECONFIG -} - -az connectedk8s show -g $ENVCONFIG.resourceGroup -n $ENVCONFIG.arcClusterName -if ($?) -{ - Write-Host "Cluster is already connected, no need to re-connect" - Exit 0 -} - -Write-Host "Connecting the cluster to Arc with connectedk8s..." -$Env:KUBECONFIG="$PSScriptRoot/tmp/KUBECONFIG" -az connectedk8s connect -g $ENVCONFIG.resourceGroup -n $ENVCONFIG.arcClusterName -if (!$?) -{ - kubectl get pods -A - Exit 1 -} -Write-Host "Successfully onboarded the cluster to Azure" \ No newline at end of file diff --git a/testing/Cleanup.ps1 b/testing/Cleanup.ps1 deleted file mode 100644 index cef1e2d1bc3..00000000000 --- a/testing/Cleanup.ps1 +++ /dev/null @@ -1,30 +0,0 @@ -param ( - [switch] $CI -) - -# Disable confirm prompt for script -az config set core.disable_confirm_prompt=true - -$ENVCONFIG = Get-Content -Path $PSScriptRoot/settings.json | ConvertFrom-Json - -az account set --subscription $ENVCONFIG.subscriptionId - -$Env:KUBECONFIG="$PSScriptRoot/tmp/KUBECONFIG" -Write-Host "Removing the connectedk8s arc agents from the cluster..." -az connectedk8s delete -g $ENVCONFIG.resourceGroup -n $ENVCONFIG.arcClusterName -if (!$?) -{ - kubectl get pods -A - kubectl logs -l app.kubernetes.io/component=cluster-metadata-operator -n azure-arc -c cluster-metadata-operator - Exit 0 -} - -# Skip deleting the AKS Cluster if this is CI -if (!$CI) { - Write-Host "Deleting the AKS cluster from Azure..." - az aks delete -g $ENVCONFIG.resourceGroup -n $ENVCONFIG.aksClusterName - if (Test-Path -Path $PSScriptRoot/tmp) { - Write-Host "Deleting the tmp directory from the test directory" - Remove-Item -Path $PSScriptRoot/tmp -Force -Confirm:$false - } -} \ No newline at end of file diff --git a/testing/README.md b/testing/README.md deleted file mode 100644 index 088a819a429..00000000000 --- a/testing/README.md +++ /dev/null @@ -1,128 +0,0 @@ -# K8s Partner Extension Test Suite - -This repository serves as the integration testing suite for the `k8s-extension` Azure CLI module. - -## Testing Requirements - -All partners who wish to merge their __Custom Private Preview Release__ (owner: _Partner_) into the __Official Private Preview Release__ are required to author additional integration tests for their extension to ensure that their extension will continue to function correctly as more extensions are added into the __Official Private Preview Release__. - -For more information on creating these tests, see [Authoring Tests](docs/test_authoring.md) - -## Pre-Requisites - -In order to properly test all regression tests within the test suite, you must onboard an AKS cluster which you will use to generate your Azure Arc resource to test the extensions. Ensure that you have a resource group where you can onboard this cluster. - -### Required Installations - -The following installations are required in your environment for the integration tests to run correctly: - -1. [Helm 3](https://helm.sh/docs/intro/install/) -2. [Kubectl](https://kubernetes.io/docs/tasks/tools/install-kubectl/) -3. [Azure CLI](https://docs.microsoft.com/en-us/cli/azure/install-azure-cli) - -## Setup - -### Step 1: Install Pester - -This project contains [Pester](https://pester.dev/) test framework commands that are required for the integration tests to run. In an admin powershell terminal, run - -```powershell -Install-Module Pester -Force -SkipPublisherCheck -Import-Module Pester -PassThru -``` - -If you run into issues installing the framework, refer to the [Installation Guide](https://pester.dev/docs/introduction/installation) provided by the Pester docs. - -### Step 2: Get Test suite files - -You can either clone this repo (preferred option, since you will be adding your tests to this suite) or copy the files in this repo locally. Rest of the instructions here assume your working directory is k8spartner-extension-testing. - -### Step 3: Generate `k8s-extension` .whl package - -You can perform the generation of the `k8s-extension` .whl package by running the following command - -```bash -azdev setup -r . -e k8s-extension -azdev extension build k8s-extension -``` - -Additional guidance for build the extension .whl package can be found [here](https://github.com/Azure/azure-cli/blob/master/doc/extensions/authoring.md#building) - -### Step 4: Update the `k8s-extension`/`k8s-extension-private` .whl package - -This integration test suite references the .whl packages found in the `\bin` directory. After generating your `k8s-extension`/`k8s-extension-private` .whl package, copy your updated package into the `\bin` directory. - - -### Step 5: Create a `settings.json` - -To onboard the AKS and Arc clusters correctly, you will need to create a `settings.json` configuration. Create a new `settings.json` file by copying the contents of the `settings.template.json` into this file. Update the subscription id, resource group, and AKS and Arc cluster name fields with your specific values. - -### Step 6: Update the extension version value in `settings.json` - -To ensure that the tests point to your `k8s-extension-private` `.whl` package, change the value of the `k8s-extension-private` to match your package versioning in the format (Major.Minor.Patch.Extension). For example, the `k8s_extension_private-0.1.0.openservicemesh_5-py3-none-any.whl` whl package would have extension versions set to -```json -{ - "k8s-extension": "0.1.0", - "k8s-extension-private": "0.1.0.openservicemesh_5", - "connectedk8s": "0.3.5" -} - -``` - -_Note: Updates to the `connectedk8s` version and `k8s-extension` version can also be made by adding a different version of the `connectedk8s` and `k8s-extension` whl packages and changing the `connectedk8s` and `k8s-extension` values to match the (Major.Minor.Patch) version format shown above_ - -### Step 7: Run the Bootstrap Command -To bootstrap the environment with AKS and Arc clusters, run -```powershell -.\Bootstrap.ps1 -``` -This script will provision the AKS and Arc clusters needed to run the integration test suite - -## Testing - -### Testing All Extension Suites -To test all extension test suites, you must call `.\Test.ps1` with the `-ExtensionType` parameter set to either `Public` or `Private`. Based on this flag, the test suite will install the extension type specified below - -| `-ExtensionType` | Installs `az extension` | -| ---------------- | --------------------- | -| `Public` | `k8s-extension` | -| `Private` | `k8s-extension-private` | - -For example, when calling -```bash -.\Test.ps1 -ExtensionType Public -``` -the script will install your `k8s-extension` whl package and run the full test suite of `*.Tests.ps1` files included in the `\test\extensions` directory - -### Testing Public Extensions Only -If you only want to run the test cases against public-preview or GA extension test cases, you can use the `-OnlyPublicTests` flag to specify this -```bash -.\Test.ps1 -ExtensionType Public -OnlyPublicTests -``` - -### Testing Specific Extension Suite - -If you only want to run the test script on your specific test file, you can do so by specifying path to your extension test suite in the execution call - -```powershell -.\Test.ps1 -Path -``` -For example to call the `AzureMonitor.Tests.ps1` test suite, we run -```powershell -.\Test.ps1 -ExtensionType Public -Path .\test\extensions\public\AzureMonitor.Tests.ps1 -``` - -### Skipping Extension Re-Install - -By default the `Test.ps1` script will uninstall any old versions of `k8s-extension`/'`k8s-extension-private` and re-install the version specified in `settings.json`. If you do not want this re-installation to occur, you can specify the `-SkipInstall` flag to skip this process. - -```powershell -.\Test.ps1 -ExtensionType Public -SkipInstall -``` - -## Cleanup -To cleanup the AKS and Arc clusters you have provisioned in testing, run -```powershell -.\Cleanup.ps1 -``` -This will remove the AKS and Arc clusters as well as the `\tmp` directory that were created by the bootstrapping script. \ No newline at end of file diff --git a/testing/Test.ps1 b/testing/Test.ps1 deleted file mode 100644 index c1d4f093b2e..00000000000 --- a/testing/Test.ps1 +++ /dev/null @@ -1,133 +0,0 @@ -param ( - [string] $Path, - [switch] $SkipInstall, - [switch] $CI, - [switch] $ParallelCI, - [switch] $OnlyPublicTests, - - [Parameter(Mandatory=$True)] - [ValidateSet('k8s-extension','k8s-configuration', 'k8s-extension-private')] - [string]$Type -) - -# Disable confirm prompt for script -# Only show errors, don't show warnings -az config set core.disable_confirm_prompt=true -az config set core.only_show_errors=true - -$ENVCONFIG = Get-Content -Path $PSScriptRoot/settings.json | ConvertFrom-Json - -az account set --subscription $ENVCONFIG.subscriptionId - -$Env:KUBECONFIG="$PSScriptRoot/tmp/KUBECONFIG" -$TestFileDirectory="$PSScriptRoot/results" - -if (-not (Test-Path -Path $TestFileDirectory)) { - New-Item -ItemType Directory -Path $TestFileDirectory -} - -if ($Type -eq 'k8s-extension') { - $k8sExtensionVersion = $ENVCONFIG.extensionVersion.'k8s-extension' - $Env:K8sExtensionName = "k8s-extension" - - if (!$SkipInstall) { - Write-Host "Removing the old k8s-extension extension..." - az extension remove -n k8s-extension - Write-Host "Installing k8s-extension version $k8sExtensionVersion..." - az extension add --source ./bin/k8s_extension-$k8sExtensionVersion-py3-none-any.whl - if (!$?) { - Write-Host "Unable to find k8s-extension version $k8sExtensionVersion, exiting..." - exit 1 - } - } - if ($OnlyPublicTests) { - $testFilePath = "$PSScriptRoot/test/extensions/public" - } else { - $testFilePath = "$PSScriptRoot/test/extensions" - } -} elseif ($Type -eq 'k8s-extension-private') { - $k8sExtensionPrivateVersion = $ENVCONFIG.extensionVersion.'k8s-extension-private' - $Env:K8sExtensionName = "k8s-extension-private" - - if (!$SkipInstall) { - Write-Host "Removing the old k8s-extension-private extension..." - az extension remove -n k8s-extension-private - Write-Host "Installing k8s-extension-private version $k8sExtensionPrivateVersion..." - az extension add --source ./bin/k8s_extension_private-$k8sExtensionPrivateVersion-py3-none-any.whl - if (!$?) { - Write-Host "Unable to find k8s-extension-private version $k8sExtensionPrivateVersion, exiting..." - exit 1 - } - } - if ($OnlyPublicTests) { - $testFilePath = "$PSScriptRoot/test/extensions/public" - } else { - $testFilePath = "$PSScriptRoot/test/extensions" - } -} elseif ($Type -eq 'k8s-configuration') { - $k8sConfigurationVersion = $ENVCONFIG.extensionVersion.'k8s-configuration' - if (!$SkipInstall) { - Write-Host "Removing the old k8s-configuration extension..." - az extension remove -n k8s-configuration - Write-Host "Installing k8s-configuration version $k8sConfigurationVersion..." - az extension add --source ./bin/k8s_configuration-$k8sConfigurationVersion-py3-none-any.whl - } - $testFilePaths = "$PSScriptRoot/test/configurations" -} - -if ($ParallelCI) { - # This runs the tests in parallel during the CI pipline to speed up testing - - Write-Host "Invoking Pester to run tests from '$testFilePath'..." - $testFiles = @() - foreach ($paths in $testFilePaths) - { - $temp = Get-ChildItem $paths - $testFiles += $temp - } - $resultFileNumber = 0 - foreach ($testFile in $testFiles) - { - $resultFileNumber++ - $testName = Split-Path $testFile –leaf - Start-Job -ArgumentList $testName, $testFile, $resultFileNumber, $TestFileDirectory -Name $testName -ScriptBlock { - param($name, $testFile, $resultFileNumber, $testFileDirectory) - - Write-Host "$testFile to result file #$resultFileNumber" - $testResult = Invoke-Pester $testFile -Passthru -Output Detailed - $testResult | Export-JUnitReport -Path "$testFileDirectory/$name.xml" - } - } - - do { - Write-Host ">> Still running tests @ $(Get-Date –Format "HH:mm:ss")" –ForegroundColor Blue - Get-Job | Where-Object { $_.State -eq "Running" } | Format-Table –AutoSize - Start-Sleep –Seconds 30 - } while((Get-Job | Where-Object { $_.State -eq "Running" } | Measure-Object).Count -ge 1) - - Get-Job | Wait-Job - $failedJobs = Get-Job | Where-Object { -not ($_.State -eq "Completed")} - Get-Job | Receive-Job –AutoRemoveJob –Wait –ErrorAction 'Continue' - - if ($failedJobs.Count -gt 0) { - Write-Host "Failed Jobs" –ForegroundColor Red - $failedJobs - throw "One or more tests failed" - } -} elseif ($CI) { - if ($Path) { - $testFilePath = "$PSScriptRoot/$Path" - } - Write-Host "Invoking Pester to run tests from '$testFilePath'..." - $testResult = Invoke-Pester $testFilePath -Passthru -Output Detailed - $testName = Split-Path $testFilePath –leaf - $testResult | Export-JUnitReport -Path "$testFileDirectory/$testName.xml" -} else { - if ($Path) { - Write-Host "Invoking Pester to run tests from '$PSScriptRoot/$Path'" - Invoke-Pester -Output Detailed $PSScriptRoot/$Path - } else { - Write-Host "Invoking Pester to run tests from '$testFilePath'..." - Invoke-Pester -Output Detailed $testFilePath - } -} diff --git a/testing/bin/k8s_configuration-1.0.0-py3-none-any.whl b/testing/bin/k8s_configuration-1.0.0-py3-none-any.whl deleted file mode 100644 index cc8e8e0995f81da31f6f919f83d344cc164e9568..0000000000000000000000000000000000000000 GIT binary patch literal 0 HcmV?d00001 literal 42351 zcmd41Q?Mve(U$WwIq6!mIqDkP+L)M|Iy>k) zncLdX>gt-?m^2Gvb&hl?)Mr z6A%6VOj}bqErM+kbg!d6zrT<7(CNDd7isWYXa=uspnrYC0YII@jcRd%ONM>O>@R4;JUARJB)Vk*HNY+f4-%qw9Yp3W-CvA(~2opunQOV;QrrH_QnKXf>M_EaCR zKT*f6)x-X|%SrjYJ^O?oWQIHlM|NzS+=13t+tgf`cM4=K+6|GEoSM3u!b&ZQKlSK_ zcofTSEe$_bEGT!FxxnlxrNitP{i(E@m!QoozY$|!=28v+op>;BROjXidtSWQUsRQ^ z$z9J{osRngl>0AiFykQfgZsyZJ0Ji6ivNxchF0drHcq-G`i4%n4(|UUg?oP0D$nn3#*B(gSEcXf5NFyZ!^FLy-jqCM@1hemehWs(hQ}L z4}2XYm!y+rcYTcgj{VnnR}zS1ZVrYv{QC9lD=TX6CIkVD$gRL)wqp%Kh$5t2MJmSO z-nk}Bao(u(&J4Ni$gj@o5>4;-)u#CoPjJ(Ky!?R$u_iSw&1>8C=ww@<{@&}zWq98CS zj2q^nQ9|aBrGaLPVum@d&#H{ZgamoD9-e#I!KLHP=yg;U-zEi z&8S4H2y$_t>bWHwQn|d!amz6op)G`jVYs}v4;G4{~}-?F}0u8K3-V=-l{L!m{QSdL5rBIP$V8j1!y zv+{MHCRHEqSqtI<3;|Ngt`eJtksxRzEUK_PfKND?XiBlfNr4&1^g%6MK))V5Aa~6& zThKt6NN6*4_>`66>Q<9rLWYi!Nk4fWnhw5~mCc-(Q_?(ltN4+3P4u5~{+m1hJ#)0f z{yTr*ulT&2U`8Fw1T%CM0BGXcd&nnT+4Q}rq_1&Qu-`kpx*BK;fD4x8G-P#nxS5UF z?tQi@49Ut74yLJ7fz3l3_Z!vK)mNZx{cb`YVR7j&b=i85vutcAR@n16ar2_ABz*ym zQ4(WBzFdz-NOd?^RY7VqTx(|8+rOudQ1>Z*1m#^8CX*u5Ftyas1|xs=#b9#C)tm42 zm<#x;tMC;jF%<#(Lq9*CG+9_7y}!I~KLR_tmG+}i#Blc72mr&P7FbyeTPo1{^_fSy zy;D+zOcfJmd>aOjq#gLsGZ6u9CVsM)Q-x5}p&eDox}i8TdZJYWH8dHlhmtS@r0as& zbeI`&z0r7uRn(Xu)^sOELQ<~JIZ4X)CyFXQ- zUEmu0$GVY)>;2$tfM#AAARs~ts8*Q96O<5NS6#)t*J6yvXE-?2iA_(sSqBM@ zU*mfA89m@uH>|4EP;p1BfO0__H_o>X+n6^LXqz$yv?RhJvDI$cypPtAt$86wk`FPG zC=OA*`u88NwHdjBK~JwEeP8gEv<$0$LK)#yEaBQ)@GF_wVr?%eNIQHDPfUn{AMo&z zVtB-O23d1FsujzZ9hfGnbp|EmTQU?nsaCZJJnKc|<+5a3A3d&Y4BfiZepEGhj1{EP zVR@fCq?J!fLNq!~ayD0dxPZJ;wvcqyX2Ktr91|ovx-3lFC{~9GUoFNKiz90b$NAbs zDTGD3cS4|U7;+XBJP4U1ffDxu^;n$EF~}qQ&@~@Vu-~_eMgBK4;AYU2#fDtet-v<(m65IvNJas zM|*JZ=yU{wO|^qs%A_w z0{QV}7Tv@dWogWWN*9k)b0j)WX6J4BfPpY$zCIaG*4q(Y#3c#+(t~y9V$fKez{zMAph|r~2})Td7t16OqNSFr<(JOn z=qBZEK5e=>XJ?Q+!w)O-O;m(DX2`2#2J_*ld(1j%UBKFX|G}8UJjYASxgRlaY^$(* z>Gf5ZS;TzAkB$ZRUfO2~gbc00Ut!aWqA_K*eF)6jO&%{U-TM5go$Wn~H;q~!R;jCF zd6pX!JGpX{HYPvG);&E_k<6WmZ$=tm)eJY4U@YOGnLiP=7_17m2kj0*+1%=4T-Dno zOYC|bqV(24pe17U?ze^>I2iix$!pI*vvL5QVtP~#Wloc%WcSe&@uF9}qOpaM3o-W# zEINZezHcB170J^yY??uikK42D0x#B{^OgyVX)yU~oygiCQ`XlAOEdZJ&90BGPHi@R zz(y_}pP*r0=3T+Jp``+KgiRk|;JlJPG0Krne)7ND`_K&II=41ovir9H)f?;h*u?Er zxt=prr+*Bp+@OtAyci*@bv_EiEh1VL9e$$Xjow5TRzeG{(MZefe zY+0v#>`?d+j~C$N-Qv+z_v0iuaAxue3dK|Uo1daL0Zxuih002BzP}spE2%#ZPZ_{4 zl5Oe!O~S<_eYGaN2U^)$xx#w%%==&KO;$YnfaAaB`vwjGK>FV`Ul)BVb0htKr_2A; zoMB~s$t^zk?;KtFoM7T(#HQedKP_R%6n~K^d=Ri!y2p(-r)|=#WMt2MZ;9K9(QcC{ z#9kL~rZ!t`cVt*P;kys+T=v&cB^4g0`0)kV6cen>6-VtUs31$L!uQ22&G<;*Q^cUM zhPz&s#F#gAX6*)`k!V74ypZCX+ zce;JG${31~L=J#|$cAHHxHRv~Ue%mZEtXyf-Y-dwR`NN2>uIq-GxL?LH;-%ru>2|6 z@l+go@=b=P$2Y|yG)xwnW|239CzB#Kg$gmcj)yrof@X0}ioJJ-TsYXaZolsjUzq=Z zk?aS`>fI&Z;|Kd&g2+qCyC(-q@B8E)Vhj=&PEaQa+UxJKwfLkMjEqy^|DG0y-MkdY zs`eWT&q+^GL_uMJ-Fte|Qg zX8Hc(=`^%W(&XB@mAa8xOMS@i>rVCj6LOWn86i>#N?d}aH$Z@-h2{DR zlGc>&|Df$#m4X7UU9&&sKf3WS3*h4ggH?sjMM+yxZC zFO4Z?+!W|l0^nXEZJ$mW6C_(iHITfFW}MGYF+KT4c0$lF>~!^HUU2GY%)sBBGPrM_ zk@G2Vc}=ywm{kHHo}?RC4b}^67kNKCY*fYb#YOaaHI>y5d7XMPbmM1+RM|A#H1J*~ z_jmnJ;w|&nbeVsFpfpgWsnfTN^T&)FH?{gyl;vXSCkmCw3v{7YsRwe;#qZd*w=}Gn zFs|P#$i)$ZVbCj*(?nx-8DmSx`Hn(~{q0ylmVuRg-x8#|57oi%0y=k;&UdFggen8} zEsh?KZP#vcz{u{!QgG4_C8K^DT#|WxN`@&su05NNt#C)(7ra93hmH$`FU`&xnE+l? z{hTI8?`nrNmvpv>mT)%)KPs)s!DpAKYfQ_X)EL3q**lCSA654RYfapueh_Nr^nyms zfN@E2AK%wi$XNF*qYi7Ly%uMz>xa3GR5f{Nh&nD{pgQx}tbZstO$x7+zIE3#N0Z2U z{}(>g$sj{&zybiA@c{r3{5Pf3(Am++*7{%7oW|02++=ys?gfg+6Pp&3+K}Yrp1tos zWlNQ!!9ybJ4lNnX7Z)>-M&R;msy2DpwM7Hq_ahWuSFx!uH-yxpdV%@`y$ho1IW%<; zm{D&(UboOj;7yNjRUb&#oBT84KJKPvTm>TGs4Qx_wXihVOK+C5c|NVTlnvu@^c6Qwa39UR(9l=X`XxurjQCV;=LIvSVOCAPbYB=*M1C;6ezBJe8 z?UQ+%B@fNw2xi-bZ&gYOfDE%w^$shKCL+R>KUhuli6)<c30>c^#&O1mv6Q$Nf-zCBY z4Fbx2hzzO3Fmcngv0kF zPGt*8cD96Lj!fxq0ZKTOz%7HkKS?6%Gs-b&b=lkoz6Q?FyeOSH{8%s95vbIDW)*;2 z^UNsRgLoqat^ed-0Um1suTY9$2yzjGUT44StuxKt;tO&!tI01nxgq?wxTOSI-Uc9&jzFg*v=pb4e9!ltRewioKWj zCX4Bv06v%-f>86Y@TK?yc5dZO2!78##ax;;{9yJZp!I5I)>Lw=#7KF1GxU3YhDq=+ z%tMPjuD7F~A6J`;wY+`5ygrH|R9$?a6u)$lY0qN|El+^q3tqWW$%Fmt6Mgv5gQSy6 zO9T@6LKI8DYkd$f1FMy?K{qw&wPkmBnSb|m?wOoXhtWPhny?A+)ZTHtA14Y3ntj=$_n1Y}GUxRbM!4r3X|UV*NQs zp$^NV5Vx^2=mGLyJmb;Pe<@!;53&YEaS=Tt)K(@?Tf-rdr4vFblmB3<%xPIzTIeeR zJ1Cp`%NbyE`ZsvUxp^h7y5hNGtUx}Kc`*zzE!>8YFYhI27jo=1LQ_m=jgck5IPB5x ztX~bpp$M^q*A!=z94wQ#<#A~}N`_@S56A%Trpf6DV@I;9FgNGP#P!T9vJFz@_ii3F z5il!hq@ zKS&TRD)0@YrpKUTCEh--+(Ic}&Aj+L1Hx{Z#A8MDc^TGFBY*2OlZi3(`B*7XN#6Gg z^&CPJhjyKO=P5+FkXv}FyCO%BBCC6NSI`naYgL6mw>S-Noyvyl`8)EpRPNDs4F;0} z8Sx&mGqp8o4r?x*OQioQ%8TvO>F1Bm4s`Sx7EsAdIY-aw88=@U-Vn+U)n ztzunrFcu=p2(4nmQWh|a8joW4`WxwtLy{+733beDofIB!b2$K<)li7U*wVT5hy|e7 z^5c?okH3Hw%Y$9K>q8xb?QTq?B~xo38@tD=cHuSi2R)*xN5jsIraDP?lq0`py|x0^ z7?q{_6_E21cA}$QkS3zzSk?vN7lbr38<&Htec^penQ{?@MgXkcTDrBgo!HlqrC`3c zWTiAqg9#eP)eNuE@~z@a7BmV^L`I-QE{;!Vz`KmJeO}Wi*GbrzXK7G(8Z5y<&>jL7 zm|>R1l4zAmkd+Bx(2mX7N>E0Vx%&JO3=311P1NALpeMe=I=8>EP@Jf3F0{CZ-%23M zn*0WR=z763v{^#VBx%`sAlxq99p}yB;wn1R34q&@Pi-`hY*)>q^9?2MNlr9Rw<3?qL6J^Ea%F7Q?Ul$a&e(rozn9m>RK5->Y)X)Gm}hmFJ*?d1SQ zh7q+X@dbT@b(*BPOswu@llTu*_;0NX(b3$K^8%4ON&V}|&1+vZ z%gedl>F;Ih4(=^K`R-qC6SACQa&>=0DtZPn^Z;*-_CFvvg6fwm$J~%yYc^K_wrE{6 z5J_$h6o0h9s+Q2BBsQ`^@e%m}B9eo`IS5p@T~UCEXbgmX82J*1aKv2km!{d*&0xc8 zv02XF4L`oR2a>rjT261ZbO&ZfCmZ>+!3NoTl>9o@*OI#@A~qWdy-&-!bIu5F>TF5{ zyMwf{a(#6Ln#M#S-S4|e5^(<_w8Pc>0JKGcrp8U9RIc8Ro&%N!q`G?5)}%!0cBOl& z7Iep*AFlL+3UtrG620I|0;Y3_Y?LG+nzS1Nr|CH_>&F&*+g&5lz)+CjbWvS$_PyO7 zy&-Lp&D=C6j-8+;Z47dE*Rk+l%b<<`dbPQA%0bMn;v;KH$R6wnXCKn1tc0%q@m=-( zVF69x{Tsn=zqso39Uph4wbB^SjoT zA_zMm^J>3`LBUnjV-OA5n)WKuXL)v$Z8IZxJlslCPpu!SLa!aEPDMNuJfwcu?L0N1 zuANTC$3LpZW#vYB*(W4iG0-1K*i-_n2oJW3pNFI3A@s#2bL7G8B{mQ<7Mgv3MWI|u zVyM1iZW#1p7T2gb@r|*={)~T2PHX`~V8vg)+}&g8kh4RZicxe4>(QP`FimvAUR>%5ac03^LY_o!sgpO z)WgJ5ILmDG{Dea}1=sauc?f{)s4Y2(3Jd?ICc>hFk6L7-V&$qzH}WQ|G9mzF`f*}m zpnvQRY-bW3Nb#b%b5FmBD+AVj{cma!TY2Zu{B*e}?9XS!-MgMQ_wCZS#wHGf{-pOz$}Hu4mNP6Oh)TqJ9QAvX@aDo za@a_a%qLGBWFbuLs8a24MlUVJ%m)e_7joq2<<5ZKrEX?W>mtCK<3)bZ;SwQrP}yBw ze+?f;V`p=yLZ}bB@tJp$C&`20=fql|4aecf2MRYG3-KRa>pski%v~qjb;>f88A2Te zh~EfCswVFSvg5{)^=dD#nabf$na9#0HcYNq0_?%e?sQ&AAthOl|rd z2e1_fzV0w^%s6z4&bd<*86&e8pgX2Do&JZr^503T)vcu)T$_UN9z-9?LyPT`#cOAY zCyeRGABjVrpZfR>-g>37Gn^S>Y4up&X@zQ8tG8`kue`A%?%5akvT%ADxpYC1Xvx;N z4Hc(R`Q1$ra_IYNK=x?GMYE@9_|2oHQnp3K{qStoia**F6T%ke!|M(VLUo8NtO8Tx zNwTJ9E1A?XoXM*&bW2I~@DmDlTU+a`<>7V1aKz>1fHkz&@CwFUEd|H{YW%jvll_gu zZ1JOp_=9S?>s$RM@3@RDjnCfyWcCkWjoB8cl&%C0t0unjhp^B$BGy{`#kq`W_O&+_ z#xt02T~#VWb#zPcoYZGb|3xEL&L}FB#Lg8Up+tt!-jNcAUBs<(I$G7)wiU4)#-#Op znNG`=*)*1~OpySOD|RT(>@ps-@&;jZ+mf5z^P?lqJ~dx-iDd`SDd1*w7sjaH|K--WF{okK_n#o;{%2N@|2M+a$=K1!@qeBqsE(zF9iW32c9pp= zrlE`D#3v=@=m(WMP$+~KjfvcQQLEkqd49>wvHphrWHw#g|NC6%g$J|QCO9i!Jgzs> z9I+Es41(=2LdE=-c>%3>uhTR}36n&MBz{0dz_;Vat}plu@5*|Qfm8XIe?E^egnxE4Ttn~kb=Kr@~Jh#qnN8tegGXEJ?(*JM4{0EV) zrL%#tgN^aO_x~~gqU&gAY@_dBZu`$yxMsJEEo5ui70vjCzxFw^DX$C>UAU-XTDT_W z69`yDw+g(~Nro;F?Bn_)CSZ2$+bdIS@uA$vSh=l!EfKARVwLN7$IfH>>+bXj&cpk2 zcRJryF+1&(>Qb0`Um4#Rn^{rK)q z`l;Wy!JarSm%@r}XdWhIdV_!dhmB!9a>Qe$?ca&wqZF72W^>H(XQE?ecO!$@UFJ@~_#_;YgE(|F zKUrNsWm6S}5xB+F?vIeuU1}A(r^c->>*T z&!1DYgw4*#zqb#q*V^H)6m%$=wF2^}4rOb0-1o36g^=Vb4^ z+(HWVk-2K_VG1r;7K^z&VS>Jmk{y{XhSI5bwh+qBgm8@(H!sB?A~=q8^LvW|TtJn<`tU+6L@EXSKfWWJs=a zBGkc!szTX!-avVPaAvm&p0n|}9F=-smH5Iz|ENS@VzrMj#wjKV&^B_8G7wCfOmv;e z#4xnG!cP-eV3Cdb`{um#F*pWToRBAZq_e^2=H&CY>d+N-^#$qsZBc2z4_XA!^Lp}Z z=|ytPNxZi8IaV#DM;sR z+W;?evJ?#^Q^6#=C}r$Db0{h?q; z;i=C@Zbf`Q2|*|lmIP2Iz(%&4T-`=m4L(m@jyH$rw{AFPcZq{@5@9=7vqIFjIW4x! z8;NYT0c(=FWv!6IS&$|yw$;+w{p{FwEWAwXtDKIz%%_=1D?;0DPJ3_x_&oQg+72-- z>)q(HaBIpHXRBIK-Q0IXa}FgQv}h7K9RheYGVcM$40Vu|NDF5itTV~5V4sj#*H|Rw zUwm8vC(xWibz)b{TUpm!Vw4TE4Ws2U*nsM(L@}B3%#l}qKx?CTO&>>7QZm(LeI5$x zDRmf~_n2ssDQ*7_p(Xb(X1_<7W9yjn$9Nq&Sb$x?pwd5&KhMH9gU_veEZ}WV>xfxK zlcJ{|yP{W8+P=>hp-<`=0Ko=Eq-;*4G8N@n3odm=&c7KNx{^X!HpOhtUx=;;f{T$y zSvLP-i=VPydgNS^YKoOTcnF&0tRh0B5fBXLG=yP;-8%BWmMSa*GE>4kh5En6Fz!x zP)ru$_|Ui%gIvT|3>E{(h*~6S%X3X+$wg}8?DU{R(7w?LoWrl&6<(|>^l^2Tw`^ZX zV6M3+U8M8f{1x*xocdb)bZc4Lgzz%#T{cIL5)zS;MF=%8mMMcRseFR5q-~Tnz@QWc zu*oKg;*(Pn6KR%3E%1Ucl=uh>AR zs?)z+v`Y|>O7=~>FjyG5 z=M`BV4Sv(vfiKR({f64)1w;>Xm7Z8#lnW4sku5u!d;oniFdcV-Vd$-s#!jnG;Ot1{ z9dQ8OI5B%Cba8@<%3ZRPB!uZA$PCKm#<~N>fN9Z5v|5gKYJi)~i42x}0%L=xc~X~5 z&pk2asF3z8GP`O={z`NeXzDyrztG&IL@{bk>|L)Z)nH`KvFVO>7rd#sh+SkW(XKY$ znAf-Iid6mpUiO5fvgfCtF)EV#9wE+EsbjtEajYqGNLvJ#Vpws&t?LI`UlK&w$vEE0 zfKVx}b>tCL;-NO-K~zXBXK9`~U_5YxR77K_t3;52-H(XH)p$#kpus1{g~kYOUL*76 zhW{AzcG5}2|D-bl=?{h_?hCBFJ!dyhv9P-3DJgZ3XHm2r%}p>McKNbZ#IKg2uXW`_ z-aSUWjgqR?djgn*KB$aat-`Bh6h05&Q2D!hP^!!_tT^L5(~Wv$MdZ2j!-= z*ZkDZU-Zl(lt?qwc9;@T7XC^PJIk=bE)|U9e95h@kP4-^3+)o@m@b1%9*&A{c&hRY zpY1MzX<#79OZDA){}NWm7k~a2*%9^F1PXcc8EiAzUid!XtF2k-9O)cW!+?wSfrw@) z;=Pehfpmb<1GvC^61-2~_&V(!XaU+Y9u8Wek3^$S>0u*8m`B`!Cy{-QyJ>1lo^8Kp zv9@_*WQ9q1QbXv}B^%$detx5{a1BZJYDE0J;vR^`Ual1&^Kz|EvNUVirtf+P-twZG zyY|`R1jKA0@(B^o1g+C<9%PP0HnAX=4X~_zAaJbO`k>j+N&&oVWL(*Dk*vE{-fj?@ z*@+3MjRXcG0C4pHX=WGp(h)6Bm;yV2hHD9rzyFpsA}Wn^*KRUyCl3>zzS~Wl?2#+m zun@O1g8}dXy2byU2caB}x&j^=%a(k0^@wIt7?ZpLDCw?CUZXtoCFf)7F5;<8{%pKI zKcGn`@rRB`(r30v*ErJk(#*U90dae!?%Ig=daYrm%(f<<@DVaylZ>AyBrFm%pG+9X%CNKeKNQbNzGe1;=$YC90fJt7D}c@b?+ zbIjE5fPW@~Ejsaz$jEUY!U05}R{-7J7pNEQBSR>GBlRxp(g9QbS)85@ow5h7^fOT; z7(S9TaXHei91Ac$0_3U^AkTy+IqzRb!wqX=8T@CUeFBpF*y7zLV1pHgSz!O6?Lhz9 zG807;DHPGnn^p!~#H1MYoJ+oGXEJz3rXv5+=Q+pAxoz3oW1m>Q>}l4IDOWmJZldf_ zlH2X9T;cY&d~I#h*lZl`i6h4(1=P!BODT5V$)V=jc5!yN-I3e z^5J&|-fdUaXIE_8)w3r$n=CqC6guUl|HkuRu?*F;8&~G9K=P=fxc`|Tjaya_7w*ap zlZ$cR!xpIKbpTp)d%uAPYsN$qo00BZMufJi$uXQ>^UloOIB|xZfoC|4ea3Q{#kosP z#5HE%(WuTrZnHz(8+tgGU(w`X=#w}xF!W2R&t2aTxs2HyzCpK)K(%mN%OE^F9v)fv z1F2q`?gT0CE6Zqi2W;i8HsTw|xy7n(6hIoUqk2(;0^Z1jJw+uF1NQuthR^AjLgd}( zPFNgO>E8rgYhBb^g>)}7VtFGZwBqp>#t3$ESTbIIDVRYu@g5OaH`Z7yFu%(8+b!OO zO;tv1kQozNJa!^2a@Eq9ONgCqB+!vG(kXebBWihrf5++WYaJbAZ`x(wqAG1|iLTXN zW)oi87)QTS91I~*BTLLn-LmQppM|)NOij|d!)>+Bo%J5bbwJ)VHnoYQ*LKGNqi=$FgDhfHI|Y!6?KBFZSu^Pw#P*IVUC38g(Ok8xf|Ez>0tP5 zQ+inSY1G<#d}{DsY!(C~8oxp(xc@eXdgV16_-_mm)KLzPwbyEb$3 zMg%YSHu4)RTGvA%cmJ2+6|0TeQf)rw=c6<;bGxUry==1>ijpknv`X3*H&ct%-64g` zXZ`sD#a*ll{MF-ePp4Kb_kHuUJ|RJvuw5KU{;Ofv6tLH?EnIQMiFLHdoOYvd$D(!O zw(mm<)_Nhjh|1=e)OJ&-LKnP<&NoF-d7Hw@Pf_>TF(G&9?KQqK^P;U6`>SWmJ)5f(iv89>H|{Rz*HH5T z*Q2MF_xAlq@a^Y4!X`rS_mi%8q?%Txz6*W0i=wkAX?#o=Ul(g?ae5qW_SgH^t@@~a z&*8cBi~aXAR5<81<41e(S4>)$nDE~yS73wg@@H#ev~6;>Zu!^Z1y2XNZ#M9^CGDSI zE=+3g-|kmkJNojUPg>H&n#xVuTGGY}BZgHP;|}GU&DG#y!Vt+L+xYOqBa9<82*)#hzKgG$q{+-nv!AIBSHgy#k3YL8#eWN3@4@iS%c1R=>mK5j_k1`Bg<@Q{(5txA+;W^1PX_nq$>RNG4Z-P%w?64Lk3R(rxZzXD@QUt`6{Q4Ybgp; zqRQ+2t1auL=CI1CvL!-*RHbe$Ybgy&n;Ep*ZR_;KRnaLO(Pkvz_51GkX3TV!JE`+C zS5jF*_JbxMGWfW#`+6PT!>h%^r63lWb`Xkm^1Eo6@pR88 zYQ0tyqXcoSmMvWFsuGCD18YCj;HouItS7C|`d5oN04EovTUE5{;A_4kHn%n|KXvx* z)cJNe@^x2q(nBc5o_6TVcyWdH@QY!6RNOf!SG6`)($_iY2`TJ?^ovkv^n=J0WVS}T zyxZj%VPNV(uL0Ry%yok<%QtYX9#)!&p_Re9=E}b}=LU3|Bvo zbJP}flB!k1!3Uh5#ym=C%w5;l!tu+JS&F0ERNMxyEMjH8AtQ989VRjCCT@`t#c&d# zeZk7yEtb@3y3IZhDTC04{|vm@x@d^H&jq%MaAKW?DgO_kc74D&u7B~NJUrzdokk$( z)G@+P-JOxyK)5s9=%RI2WB2uBxo+LU@T7HCJ=W?TUD6wqPGH7~oe7#pv{J^5Q5%`N z@9AMvTu6U@%PX@pHKh@(YWl0enqmOUUG=0(Ce2);Vj=7KitvW9AY-^iZw{kH?36n9^d{OPoGf5R# z)#{?&);MBn0+lU;3Kwfz6<1PNhT|Iwpz4l(Ob7Qg_g2f-ZJ2%-s{OvQr1^!0b;!=jsGmg$+}tr)d<41@R$tcoQbY83qo4b+bE@8 znz!L^sDqbm2mYAxvu0;Ihel&}?FLiow>{=_uqte_G)dRBNC?bD^I}TOU`7Rk+QB2d zVNyTCyo24VHEr(_`G#?kG{;+*@yr@kz$1&7!PZjTxX4_i_!EAJ`Ovib4{@75%ZN`^ zNYQ1mFDRuaT3ATZMT#>=tfnAVBTFz&P+CiT&avH+mdR#P~bHj&e#;6-vyL#*2yR2<{zqx@CU2Do8S-Zp#xz zdP&aeyf;*PX!R$~{ZrFS+)3iRC-|>0)_gFRBa;g75Z*Bma)MO1*io?k8hgX_N6upr z-VVH+(Ai?gFbETHPXoe%3eo@fV)J<|nX%-Zj*^pCL%Ph6{fTHrqbBdsZh@Q$sODr~{~WV~1>m z&oypH;8>`_0VAh6z=ewuf}0ohm4!a-8uB}UK)#}WNUL4f)n>%W;nqe+A10J8Jz=FQ zXDIxhJ5z9FiAZ9EobMUq{jG*Dj64E@i}Rt~hO9{Sv4kH)4xz09V3iuij2!z!SU5}^ zVJ|Zwb4~ih2z}X2cW}-IQplMAUZ;A;BjcsUT#cbHV_n1&A3vkf6Wq9v8WYf|qa!(F zju=ZRPvXm8@+x(K8WS~w%e7WzO_|bqi?X3zxW6kc<3XN7cr#@N)%l{5OT|8Wu%)=N znd~-(^n5*V|KN!Ml%Pqb&CvY;-avGX1Ob z2ITF2=K{XqG9k#N034_<>Sw>ryy2ZeYYfQ-(I)lClpENGR=m0JM}M%0dxGm$6A@~I zx|hJ>!KpdHbGGfJm)@EH6g>&7{QO@Gyy@;2@$dQfjr+o;U4)=5Es!P=9_Bpq4#=|a zUl}x!0vrLlL6PVq=pE~-7!B11AlLM>YSe0)W1_^;u0O5(EqeI~4$8w|7Pg)lU^)cH zkei;x@yU2H5XuLJtY8~uQgI4o4P!CKITQ(#-{Tdl?ZJ?Jt71<#8SXOo|4wtLfe=a-iBpEh(H5#DO}q6_sGqrCuG8rU_7crq?W2EAk}P0Q)aL5mxP+ z>PSeBIOD_vg}ma?t#>umaIsri?ODXnn% zc@p=Dx9jPjkf0y$kZ<$j_a?Wp!^RXu5Sb|^(dtFJDh0@hI?=JbXXifRr>sQz(NVet zz%=#?{+#f%-?L4^+bN~p!($AJH^gwZ)hR^yTT<$wh~dN3@Aa>(yYp3TG6ij8uoQZ= zWsXn5H15;rAfbn~L7=Jc;x+>x+$!NYuIgYtR}lrnhygMxv1zfY(Rd9At&IUOE2-lO zaUE()-mAPtxrenQh^dhm|;nF&5n4{CH^f=Lm5ap14MOEE7^PWzp?b{*XH^ovaQ?U^6P0Jr| zpmnl9L3YBdPUSSAdY$1|n`gG*UIhBP3O1IA(0%FjtK3f{#BjPQ#p1MZAqskw%J zF%LvFaIb*qa!HElLYrQMPnFl_#46|`5%de(rl*e2v_e@${}iV0>Vy~VoQXL-UIGQp zX|TX_r9l1wnd_NCYmmnMI7!U}+GEK*nq#AnZ=m;8^FjvCU&9C5;US|vdXtRaCT1~zRZRH2+x>CE4IxjRaDIq7Zk|JH zP5)&9?<3gpYYO}TT`t=%exMt0x^+Ois|#@czMUb8&k6C%e_yjj#-5f3+8Vrb69C&G zm2ewwn*AwGC`x}Vvqp~Y;Ki1V;CH7XT3=QBtu-Xe(+!Chf;iDKMT|%q!V=?91TvHn z<*-IyGO~0(_QdDta!64JZ+XrYXp&RsXrq6n9SqZj9g{DFHXtj$x=;hl zwfE`9%QM~Wr$|xg2?v7skfnZ*y&4*%4eieS{IG;--y6mqHypGZL#lj&$@j=saN7K+ z>=bn!r6gMy^3BLAB9qb)gJ~Jwep^s=HCV+xBy;RhQgWyT+%j+Sl5s0kCD{!+9e-~t_r%lDqlUU{!=fD6r) z>k-cVqG*^}51AMA_z=+jjw^$75iQEYgUKn?uUFxz&(f>|DcX4)O|soSF^)RLTjhZ=H3=7*?J1X$K+{w zN+mM@2&= zya!!K`UzJL6-Heh_m27)WJR%T;5p$8UMGd-XdQHh0lz#DLK{bfgabpcZG>Bxn;?1v z=RtbN5gbQ318xi$)iP}@gd~h5BXbD8+*H)5=xV6r03tO$(PAztf~8-lw*>}x!gsnV z<2(s(7mcDcx0vWB2644)j{C;-UDTC^Rf;RE!f9mEC?n%Y*IpY(WksWjDauGT{|9H^ z6s1|WY?-!gRi$m)wq0r4wr$(C?X0wI+eYW>zqil(rJ;wdsF5S^CK#_~xZTI|8hz#vl z?tV(WH4QJs9HW*;^qH>L(j7TdMZVbpk&H}(7hbk(`e!tPH2yHRz~kNPYBy-vGp=mx zXPc?l_~W)6<2g@|w*~iyG{csv~jLNr%?K{(AOZ~gR2RyBeHtp16OzKm`(ru=-H?Vv*f%#hC zuURX{a(43-AN1Ht%bp;Ey!@x8zI7Kt^0yllAJ;$l+41nQF8J9rsE<7nEn%aebAm}E zLpei#gu7m1Ol}?6Aw`zE)rKZdW!6;>h>339IyG&(5nZS@7Cs<(aymGl?}qFbziM8J zGfo(2?sJxm5TUl^AmBAC(^<{>?_+dSe`}%lzb+C%cetj$DLi=DO>OBs^NnUa`(%gD z#WjnfKYVHUxi`@R|&oQ}0PJ7{6 z&7oLUzCC!;!9g3L^p~IG38%&w3$i}!&ak}}tEabCGvyDGGZ6f@{y8hQB z=)(e$t^Qm7_}lb}x5Bq4?UPq^bvi9Y_SO4rk@M-StFx7@OB*73*?(13*MWxZij+G> ztcENiq6Z;ydy&Z7T-TfSn1xf~@qlbWcXxHl@Aa3kt2@-I*ua^s3k*BRTng2y4$p=u z?R^1@_JZ_E2NJ$^kTzR9eBB=$-4WHPByXy2dl4JbCN1|b?#`V1sm3Fh;>8es5xDs) znQC;v^M;lV``RTp=Pq3BN6F%Q3v&E@;G`|Km#O=!gvl7IYO=p>4WDrfgAEOR&LKCN zR+ydaFsxO^qUM22S*F)3mUgZ9Ii_J!@0$)y3glc!A`|0+elgYG>** z6tEPdVCL3hGmAJTOt;`WzB&}z`)4?WC(V~-)^@bC zU5oOxB|vc>gA0Gv<=XMw6;~IuQ1NU8ipY0&0Y`J=Q3kL^4PF}?E#zEoNqf8ERnTUE z`#_ztZt(eBJ$?T*G5*v7dl}S%-eo`A+g5nKCUNR=VDNOR=O|zd|Avfr^`JVc*fZOD zj1>FY|BT`6-x7S*QGZY&%0!U%7?J-8L`}=@q`{|cK_Pta?)xh5SN&^xsMWGNC6|^x zc|~WuHYA@*M<>BS?HW!JGcD3sxvpIkbNenFR#0U_o&-G&;K?+>zS`eml(YYT0C#$DwV@FLHKz32a@nZ!}o?ZSnsTJhnJrM0}JvmM7mV>5? z;}gaab9Mw3b!{;)X9#WLRMDA>^{Uo8S(#o@2w zRcP@CFaLR^G=LE7P~wF}zl++tDI6jc}?S&DTWHw9F6 zf+ZXU$`f8QAb+{CP|j^u6DX1VZOa+R$_hVF=gYijx6i{a$1&Jw$fLLG8);X|JSgUb zKZMw6Xl1aW8IX{E&v_H#YfoTtAjx# z+trt~K`BV!1c{GY(!yT~yI*QGqvpzHgc*DzM(b^J+hT}iN~O9mHjPWKJ3#DWd&o*z z&{BT(1}EfIx$;YW3(oIaXQRgEt1BwMw6v(HmIW8}tN53qEPzUrz$J<3?K6`&8eq+; zB@6o#_Zy*etD6Om{c9oc7_k-c7#OZa@KnbjCK-eggnV*GpW8VQzx|m?eF_RQ$_UjjBqdNJrh5sPitFYG%s?o7@`HsK#Z598|^ z5-&{pKnp#VtzMs~KSD2)M!O4m_X=()m>eIU-c;+(*qX8CUW@k1#y7oK0hwc@t!-!@ zV=1Hl7nr(TU2QV&t2YjMZ8Yuv7{bImtMd}y`zC5*WZTz;$u@DlJ zxn^#UwGW^R1@EnH?l7muSWoAjx)wLxBIDZ*QeiS?jlF?3GX~-_1k(!IkunXCQ|Wg* zR5z_28vSajtlf2V4+!gLx>u~STqYXgWqyj7$r8fhWSt=)U4d5P6rbXp=&9K{*t^utp=8kZgR=N;}g6lPifdE=CFsjG%iGM;A$U*Muvx)N7A~yqfC{6OofVp40W+;Qh-Fz=B(Ef0qCoBSI5amb zoaz}My%2_9c3i)Ey71rwt2V_}n3<#`sE*M~eXSDIwyj+>s#Q@Jas^oQH8Gf*nQ7Z3 zR#(c!_f?wpVq?yj%GuNzAH1vBCW2X<7)D`TVC}x$&3`fk#DoqEdN&Xhwyc^yg0_KH zB?cAE1ulS4*5|rmt0frF)`+O(3B?NtMQHz~?;6uvQg;d%1{;XbD{WL{)m60*0$Vc& z?>yt;P}Sf(1N~Wemcyb@A5i5V(Ij9Bw;i0bIDnJE@SkOyY4E}RFf3DsuF8wmILepc zCv*EH7ay6NZ?n7qy0}3**gQaDF3-Hjd4@Bkt?{M~KOs?lpitQ!JJcuXl)kSeUZKnw zLk%=ICDR_0#>8c#Lx*gO!Ecxk3+Jwq{0BKq!)T)S3 zsErN4F`F=jY9+pG)5@04M+c9nn_z)>*)2N35^sRHc6v~49yxaLS>~68YL$_TAf1Sa zeDvye((o6T$1)K`B(HhYWDY6SANbe|3DqjfnDjmAln{jDcSy0q?=_RTmOxuZZGLic zZS=hDG*yHh0e6E&|FgCiuJh|ERcuCARypWpSY1(;37@~=nsr0;=@VTqcdgCs&xIK>I_Nhp)exG?ta379TqK!Yzk(8u1ghJ+DO3 zvY!251hB^%vCxwG>gT0*HImQmZ9VRvzPf|87Fq-AQ506{r2@viF)WkaaF#w|8Sx>C zuM>sLLB%g71o(R&+*D~kIma!h7v;T*WbF=g6o-QcM37cf?R(-bWl_p&VWQ%v9`>t! zt7>LDGQCg2U^Rv0pk+X$)GVdb+ft-42+M|lk2q!o{MCJOz^O3*HBRlsrpm6!=4SV{ zXKDXtZ}0BR&`cR}JUry&>OL3OdC^-kyh7<+5BE779n)MQdXMFl8KOM&HsXwO_HpC+ zDtHTi9KO{;{z2ORZ&df?X`6t{pAzNrr(F3@RQG@0S7#%8haV}xe|;Kb`K|lu5QLxE zhtOAhfuNlhVW9&l0+slnl%J!y#kD|XnVd}>-Z{d;-2pl?X7As(r}S4ibZy?%s&pH0 z&P%d>uRE}YR%C=0sqY>{+U`&kcR5mVa6CbEG!KD*LV(6|swZ7_a|-gr3SU!0{t;xu z<^5WMQq3Ph@FB{~NtJntkP4&|RiYYOm{KB|^UP3e@GLihWOkEKR*+-=sA#29S$T|u zhOz^LXB=f{UT0lfMzNg-j=Uo6(2t{UFBI9vg>GzlaXxh;&O1D?TU?lpuVvQ;t9SCBi?cj_to)8rHMXCp(Q^h z^aPtD8K#| z8jEzWNfO$p^XvaDwxbH+!Wtv(3I;vsyvvH02$`OFVUvhAssUd{>^#>Lj@mhORz9n4 zO3Sa7&u<+B&7H(a9gR<7tM2;lJGIUDJl&-M*C4@*FX%NjH0qS8;(K0pcDK7&NfM5p%9}kk9Nv8M&|#V}NYBphvc3;J~jk7`o7V zd=T$|p1__q;5G2=EdZ<_%?7#L5%zV1h9^f?l(%IQ`;*s2OHXx`PKyqdkwq$|o{`0) z8rya&%RKcjYDa9av{y6iPd!7-XI72+r$&Z^Y1LM27xQ*jU%4)s$AOEYM;7WKB=RUD z0_SYO&@Y%M1;C1|Mk6K$jrQcRwI==VnGUiL2%3Ua<%0bmsL* z>Y1?1q6`HvhJ(sy=`|0vM0CE~i(bu}5xgJAl_ua#n0 z7PIStUA-A3t9unRKXYbB<-0><4kH$t{O@e1AcXOeo|pS6hu+x-NJ6dR}fd9 zd`xooF?q$KLXkhxGefUUUR?aDfvvQA1$>Q4Ov;mA(hPp)!yp>q^B}iP1ym$2WtLmD5TjXKBN#TwPBAMi*dP2W zZ()s?`;DTl$)#-g<@)&Gv?*{I$)oKN6p>j!4$Pu{HnCR0tk_bOqJX!Y@<*U>_7vx#Z#kk@%Q%5zB}8yyLnze z^}ejksxhzu4LP|zT*C;^ZhG&auwsgy<30;U&!0JQNi$Zu)iHe7Sap4g1yGt>D1kf{ z_%_TvR+t7&lpR>|w4@<4g5dY%@ge z-pH*TtXa=s9ad1W?=C=t{z&^0C=Oo5^o%l7;9OPwSv5#L#VsmV6-BGfQ_}BqH*eM^ zE*tYDr5m1?FUGCd4swtu*dVE!EuD1HcwbdEV2bA}cg$r>qbV}Kpwd&IBaZDIin0-KBK5--15ziD225gRhJ~|tfUfze znTl&O_X0DSWK*6JV$}OrMAD%<46nz<5KXO`)-i`9YFL1QxXBrV-;la8I63>Kn7(=f z4ymuxmA`ilP;JZ5$E%Klg7AW1Yb5xGmhyhcF+g!7e29439*AKqNbLuXMN6rkIB3EFfVkSLlTg^Nq)W&v-& zb(2dMY9mLTelcNwrG;)V!QK)&r;c&~1VBeq!0$c=5|WHX5h)%fXrQ7R0xl&rY7tMQ zc9Fgkyt01gEdtw|REuHuYTtMO_iVttT;D`o#$3$_RCtC#FuTMlarL&iLwKmtDZq2% z69FGS^JRjp6~;e*=tu|r{t$TR#9}K<%*fuwJeIn#o;nrS#f$@!2ibBwL@nV%O{wxZ&iJ6k!Ve?I*(m8W2Kxi9a}3e0&=0d@z)s8vdEfJhJ-n z8T`==^pxz=s0uey;qQK#^cSo`85n#fL&8v19M(GT4<8*z!res-0bm zu;-&fMKaA1) ztDJH8(Lu74C)q)+DJaGaa1;4huxn{iiY$<3T~x5@@F2{yBXMlp-~&7hX~Uc@3hqNL zW+l0!HKREW8l+D(QjLU5?Mn*IAf7r7IM;(DD@8n~^@OUNYNgjxoTLhAPJ3#Zq;B&B z7O21&ftaJgCmFxH!EY?SAY7y1e0}16KoECNH>C>F$_sgXPH{a?gIB_N&UHu6nO{ul zUARN)U)1C*YlD@+Ry>|aiH=Xum)Jqg@sM@n&3}O{bp`vlz>)3b?1R1M@u^ZZ@TmD` z!RT-qL|v`6%ApW{pG(96I!Qb1srY>c(+RXA@cbxHI0KH4qZ=0snx4mO9xlh^z&OuG zZ(@6WwhhzatPqBcd`Zo3I5!i*`R3z?xO<;{0&94C;r2+3IYj*;zS26mv>XG`*vA&L z>)bO>iIDGOxKI|EhV45J-nkze{5~-x>J10fihyUbx@hkw(z&Qkm%xh_h^Lp#{}q16 za%rjH$?|)~A{WlPr2WmC>RG!T6Ug11(yRW>Ee!&HGw`aDm|lWR5kp=F)s<7w0{#TP>2Xmio~QHiP9JWp`Q9q5>HsMo+N<>!Y7Z-v%Eylj+i9@5#q{B0 zhiR~v%r_o`cUuU8HFhw9U2gBY3=prhS{oisNfGulOt!c}>rJ>cu5*&qH9fdC&-r4y z!H8N2QJ{`sO?*08#ZVb)e^%wZcrYDj%?6U*w)}Ke_YCleX8i_uOGcq!dK7e>SQoZy z)Dy%Oe1W&cBCq>Id6484Ruv-9UoL}ZBQ$Lab$|rq<|-g+m}ogw9fq%nwt2p=bwS;o zC!5h8f*^0u?Uq6t4xU?DJT^4*Ez%bXTJ$o0Hk>wRe}cWMHrvcG{I7BKTj4@3#uif- z@8{g}nDgE!&W$>*I*1d;!nM}@*M2z>WadJD#960DDc!91e50aXpaF0VWD;m8S!l6f zE6htd9p^^-+p>wATN(XQ8)AjwQ?Ewi$6KJP6B1e!P0t(9^5GTQ3@6AG+-6E@zgv(M z?QMI-3XIIy$HNnx{WA|8{fV;Dh+#J@2z84T*Jdl7}KviuS(b_W5Ps_x2Xp zC~=vN+BJvmYByi_eM&z5YHL6cmU25_Zv)i16f?_Z;g}}0{Jn-#6d=z{s)NPcG7iyn z3f$qPy!|L1X{=>s7Ht$u`b|AZ`uPkS5?xuwN8mL2>Jzo294ea^!-Sq0tjNny1BeTH zzIV1n+`@*Md+rO{qL-idVRL^YjdkN3GdxQ=nE7aLK-EdnH+a|3b-yX3G_M| zwN#VGuy2qfT~o6CDb}4Q_)v{JL{t-V1o?}h*-E#Ag`QDKx##>ovI@N^!(^#1XKVnF zm_=hOrO#+zy^hf(>~)i7e|cq55q}`g4Go*ZPn<`q4E?>g^(?lfM~&T;IQtu^x;is< z8IQ^Yz8QWXX}(-0`T+j!;r#vtBPevq6bamlYl{6&kbZ#=PUf-EO!rm@y0c13FSMfn zI3ar-Z$DAbI9N?zFUx1tNAJXG3Qpx*?RCXBtIv&!@KiPi3)CKE>qFNFklKm76=GsH z-3I>@pCIO^=9$M3r|I(Y;rULt*M`-_LWtv008 z9?Do3c6}9wf>-%*ygC2v7Dj2j-tKtw@dm4N_fupHy02yB>@(XMB)qEIR&Pt>BV7C1 zoa?GJ>QHC3I%nB-%O%lo@}Ne`C19b3i@}AV)TaON*cjkdjAlbT3xAn|Yti0&W4KF@ z69CP44nt9Ggodsvu?S;SjWU+hy<+J*}y%p|iZ!HaGNm^gx_p8e#^IEBN zZBA%bPk%V>iDcY0%|yj++V6o}-GyrLA@9=!Ca#{4L@#UDmG|I=dwnhIM!UFb9f9L# zd-w&ps%wwdIx)uKD~ZpuiI}jiz{29V=m_pXr{V?3FxS`aYP%=D1K^f!*dfI)Rrvl; zluCtq$M>2~c!CAQ2`mQ)1sK%gwlD7b=N{3V^T;nqACG6xweN4wHQIrh4oA|SH|Tut zO`jE0;N|bSg3SH!+Bz@Nf;y62bzy!Re>_LZW9W{v>JtE4W2VL5K>uuiNzC%9QQ-jqMq~j1 zIRD3kod0Tnb#2`k|J4HHSlDc^+;#knG5}0UZmQQkP=?AbyJtfLL6q^MG&QyADhA+0P}j zTZC#c+Pm2qWE>x)(?1h!i}y~8fBV*<^68#-|ny|hh2q0D9a2`VyAwwVRPwcCGZrd@rxh= zFt}z=p+wNv*AZ9$R${CwN0$b^+gSe#MF9fXr(~5-Cs=szStq(<R~o5n-RiA#`9rLQk^WPelaFrTX%-lWe*YTzk1+6nar5jDAoZaU$g_TqugvU zC-e!@!KGTl?z5Q}2&CNruA_>!3UQuEN#y6sZejgc5LP*l6%I zUbMGoroZLQiGO$xBz{0EAd3Ykt*wB5d#g{ItW|Jg4{=R;j%5mS3We0LBin2cvxZ?+~5)Q@#5hSX;K~ z4V?8_ckzD@@8oLtu0lO;hca3k)x(YrpIq(?lV+ZS%UB zN(Gjc$t%#Kh;}vPn>$Pl?JZQCr-=q9ERBRjldO35nWfcPh#OJ5Cu;M~0uVrmyWMh@ z=%pDLko&^!uWM8Gshl6HD{tK@TRdTE)T$;S;9wB%NbuA5pfrCL$pIWf%Z@}lFUhAPkH41+=^0U=53BG8$5WthGbPvClC{l*Ld3BvT z9gKSwC&6IPXPg!6JaV}r#zRw2QkFKF9Hhd8hVru>L(s7oen+U%(yc$>uBB>gPJN8hA=D5#pbV;83{AuxmY5LW;K zBx*-$Kf~-}eJ&KVCG-OTmrv@KSKRUyI9CjVJi(o8C$LY}&nmI3U1{&e$#xJ8ztIhz((U7>N_Q@9Q zFUXhyw`q&S`TJX1YXNkVX0*-Q7e`Zp&J^mMQQioLH274lg+Mf|p7?f0U^2HDhSob2 zMRI5%-WUm81QqHEs(mhG1;-H554#cQ4wNS&R(&#cD-1g6aQ8zmFkZOn%QbbqoT8Y+ z)A!9z=3P#d3F}7QG9jc%aszN|(9seG@p#6re4YDFLM6c-$0UR#h`v%r+7zsWp1Fj6 zB>jx^f-aIz_X;!j98MT12jn8&8pjLo%%*!@qvRQ`y1n>nZQ^%9RHmrG^N zTSb1lgibtXmEXD7tYA_j8IAWCPdsyaw$53LdU}rna+_OdT$%zLb-qn<+zHpKEOnfF zv-Oz@+l2dSa3|fAa-&D-9cgvp1ICwi6=fug{poL96bLYMSeW?;=Z6{f?wT~qNwET( zps@(Vy%60&e9w=%CY4Gfne4Z|p`iBnv56J$3_|ci)it_^7*dWS&j>DN$@HVLXJCV5 zm~LZ5_oTZe9sw}InGFiWSbv!*StKi5ltTo}`d!;~b4J+Um%0Jp)a=q`1Z>OG3$Mqi zf+KR*jSaMLJtOgToc3W9Tx(a0r)9a;h1car2y-dFNiw(bwt^&4&|O~W41p_?-`uC$ z)=)D%lxo)JbjsST0fP^rhKD~Flv`0+VjNE>W0V|mX`J|LK_4G$Xt3fk9|z8Q54)Za zf1IZPK)c(62x|Mr;ZCZ`!@8Xe{xY~%HYGNx;o$#B8mwzNv7TVaW=6+_q$!_R7EEUu zOK0J3qb*+E2A3l^cz!Q_{N0D?=}wzXpHBQPdk~pmePx{Nn}}uu9?0f5%?WA*c6oC9 z$xGFU*BdhDjO;^vsfK!+K?|%$+8EphZ-SZCgGhl)JQU(-wanMPdI_~13kN0>z$nzY z>jl#JScYAkWa}^=Be+1&cWbyzHqH=?63i}g9dmpJ%b?DMA;7>OrmAS?Yea6q-64p) zg(bdb>(Q8c3M{kjMBg}!3|YPWUo0Z-WbBx^a68+SC#p~{6aCR%YO$m2V5SywK4bVC zyL{t<>caq!P7FymqGF`j;K+Y;d>T1)vPUi%QPCB_FsloBCS8+YlQyW;`P*iy#CVFV zv(lC5rBLYn`yFhyefG*hL=CWSQ$zpITHiP4KNU~Gsm74!dSthLF3-BwTi1r%n*!4r zrWda(jx4O5*}^)ScQG#@Cog^mE7@(TW>wU`M*)lZF?bE;8UU<%Zeeu7`UlEZ`M6qQpm?CSCoHdqP{}F}gSQI+kvAxz3;k^0?8UYL-N~u$F_A(< zjA1_QX=%V^xs;Z<*lhawM#$ZcO%`!aD_f@Ha#?0Fj?&ZjsDMg+9D&>0D-%6jWw{m| z+~5`WgKD;Jo@Eu$u#Z=Df9SdY@)TNrCxz#vNo}Li)P0axR}{ruZT_Ni+=S$n8QUN% z>ds2hO$Ag+kU)&*^3jUBlbU~Z##SZ21W-yBcL*how>D>XXyJ8{;QV+!x^R;yh2njb zNAm{CXXYwpn}!luSS~>!rw3ap8{cZxsNAF<21Yd>hwW(M=shi2vSN#zzbP=JAN7*G zov+5_?0~z1Sx<{JHqDd#ed}^*&QT$qn=_t;A2S5?P*&P4InT_KP>2bWu*O`bMk|;& ze9Y=i$qAFkG7HU&)TCgB6%WTXbBr8*%*-z9AUS^^xn)g6foMl7$j8DPt}(Z>V?dfM zC6Md-_O#AkV}{dLA8&~-DBQe9($c=o#N;t>7Z-5`wx{?diZ&OUs2tVkh+F@DO?^XU zDh;|q7u40$R_Co(Q;GkflLE@KiykPu4EL2&gGeIEbIZ%?lWcw-0vWTNv znZC+n6a@2{w-ZmNoH_v0Is(p1kAY2(+jd=wIm#Y99!JLv zEP-%m9a1^QG){?V-bkkKTfUArj;$kOfTFfTa2oh#AHZ>;LenO(YF4n~DOWl4Vh!=J z40@w9%MN5b`Np)c6DZHF-=Mry{@HOD8g`f7%X#aF6txXagO>WRQn6_QLyA({q*a+Y zSv>wk#0~zLCU&@~L8=;2F^vPJAgopWV=4u5G);UNV(Ifq&baZX;#xeN#qD zf`eAL11gz*@lKx$y;GGJNPlUG+GJghK;7`+4JDyzu4UL{p9&wZ7xnWc#(bYxb;2;b zH?^fafYLSk>Z=efhs`E(vsltqrll1fJ8QYi29W%k^TI2eoSVuU^o(G>Ia8AKhRL}k z-M7R~cjVDq5l!{&(qL@cmRv30bjiON^E~-%{a%EI=TOCdI}_5 z^0*z7Y*{i;|D>QRaL3KfqcD!rNE^ke#j2&YsDCSf^oKh3+Y_4DM2Vo+1r8^P^@;{gzIl_;>V>e8d<^Po?Sb6&$T7w~ z!z7W)*QXJ~jGb>ZrIL93;B&a)sAi2eIqI2K$F-I#HuUx+-eW?tSsjb=ZNMU>%Fr6j z;@Teh)sJ{FXNFvU_QYIRm^LwbT_>p&ZVOqNVMKy#&AOeJcM;*9uqWwQQq+HqTjN^E zpsbW58RT&*Br@rbH+64X zOx%ny(ACu`q0wEre`8i8p88Fbr$+{}Via)fP-oBRI7bN8JFvUYgQ{Q4$DNbDqz&{9 zyr9%a&~v+d;N3atUa71ek-sKx`%GUn!hfrmH%l8ziM-e9W|q@~71aq2A5eLTei`Po zB@*hiG8Qp|O>t^H*;&iw3ty$&mc=j%L}52KPU=^Wh=9~i{OKTcyDU}--1PWb(P1I` z!8Sf(*rclcx!}2VhVL?sJ5^+?yFKZMIaoHF3#F^8-W5o`h6BBX$G-o~dgYGAHv9Ka zpq2eFzqtO}fo5ZC^k43||73o}(OV4AAq2U6hl69r^X<1u2JhsdU_ptuCu|ich zk+EO9Fp3$kaZY0;ZaX-xPBFxW$2eB>N;j@ETyBq!|6{H!i^h zAhV=WeOS2AL4a&bK&<>FQf~0s>-E@?;<%ZuAY6DNDA#!UGI}Y{r2efTwR@>UF2~b?3ofOk5@-Y%RPrF7>(j^jFpdyotLCOZS zaK|*HN;)!)W#o4{;!InNF8YUW5=0%5^uV1SwX3*9*iCt>F*8bKKR{)#QD3gY@&h7c z75g5F+AW(ku>?#@EI)!FXj1%#d;oP8%&UY!ml%-$v?a@V48*n0elO1VBsNh?C%L_X zoi%i^c=a7ufLMIX%+u8YRf4j*_7 z2K5R$0%RMXen1N70w;Fq!A)ko&)LFCG|{4Y@)e&L3^^g|XkA1F{Gb;>xCIzXdm3Ka z8W!A_yMx2x5$1WO6#Hm28tiXFXJ>oocCJ@_H+znV^)rnJD(q1=QRq+l5N2^j75b#& zyud%W>`X-9ng>PLu=RXT7|3t4>2~JKvjJY1SojA0`@No?iFG=dlZGj#dY~U!l&B z!v5!fW^s)`wNZDPlGtCW)cs2N{BY`#II~!Z0;Y(fhj8Z|lvtXq&zdQ{_UH{)=`I3W z(Q9^N#hIq#Bt|K4{r6{9*23=vjx%z7%>yHro!jB2BeA4nRk6eTPUrE2YxLYmxt{2T zX$ix8o$R+^2~{aW#BH(+hCtsEZ7#*6T&)m>AZG^NuXwI-*HENb8H{KFsXl-ofFVbE zn+86{`8S7lSLNTa-WU?TPf|qqw5%mic^!*z0&&+_B6`d|!>tK=ykI3=baE5LV|5C{ z(#FR=JqTM(ZNi^rF)>cIx;NhSfv>N;u3WC$`^*8=Y{YP<`=PRx!qHa(PRVP`9sgH!rq7q6CFPh(!ndYw4ZYF1EM^dp718a9g8L%8 z)}V6}e0sc9&zz%?%}+@dKB}WC@%`&&Ax!qoSRzP(X^0$P9J(=zeVP5pCD4N4hS7}~ z5$^5m6b)^yd$=P;g$|s(}w5=BvDgM}HKY@Sn zP)oKomP?kj8@5%2BIRw>|M{FYYgLOJz?fXP?uf|1A_w1d$IrdQsT)u?K#^Eu>Nk%4;q~yba{BB2s1b{JbJMrL(D5!$F`B8#H+i}erY{w_ zY7^s{cyV;$W1;q)rHz}Dy)C1@Z^HfV!WE8GQ+dHH{r3@_m5M}T$9|_^nL#`Nyp-A%WeFSqI-VuH0}SdB>kW2F$dj$ zr0{ynjUz5>dUgeo z#JMk;$DWJ;t&Hs07;&Z|7!~ky1B-v_QcKijelocG8oM|H)+1|d(A8@|Gl>_UfQn-r zI+E|OQ<6o1=DCGNH^7h+L}MJKYVR@ywoQxsJ47og9g!Q0RnoiPuDd<53DwY7`-DCN z#cB1SM1J`p`(YFTQIi8pr3C{)ymZYfiNd3Jkc&`e8t8#SXm6=e$xIcWw4yw~IOGB5 znDdSQb|F1y)76h=xrLS3Q_zDg!5k0M=H2=^^R~gJgkQ5msQt&&1U9`q*49Qc# zq0bcTn`*3lfnq=xb!9{Pq-f*v)H860gN<#)3@!iBicNvhr-XRVLc^GRyljD3O@apE z0$L($W8nhKIoh_+6?(>qT&}+sCngGHvJeDVkLsZt8zG+waT5Ts45<#mu0C1TfX0Uo z=%jYnP-l>83jjCFL1#C4zR1j%Bw*^J21FkCoTXEPqIX?V#8G{E4kC-4PG~RkBWx81 z7q}LwXba3@A}xL|PyDGgO{DryZGgX!YO0-{S@cvNK(wrn;1M8_Qo1NP^=Eo$6GQBG zW=@XEIm}`Df^%*K8|5tyE*FRUgRS$!{l&>HznWENa`qBoV`-8&kJK%aFydHPXg=h~ zDg)gdMC1yP#gF9_lpIx%fR4Q}#%UTK|F&zvqZEK?tt%fIAV9-dn{V<8z?4qYNTN>A zf%qmU%R>y$!z#+edwKQK#`aP4PAtq{-&xgP3V_VFp`yp{2vP)X26|O z5{-QfEjHcGLUu00+sD0ayW!oZk{okMru!)33~8@$Lb5`&K@gTC^W!pV986>vR31wZ z1C(ZiG7Zo}?Vx%f0Vpy{+t3Ukmx3Mt*Fr2nbExTY$q9QZx|-mbRq}K~7!7MHCu9eK zwqgt|Mh~kgUv74hBQ25IA<}0tdbX`LOCiF!<}lprU}*CU5}xhU}`n9JP|Die~WPjOjIO z;zj@?lV?=lnM=JqpxaTCvzfbxA68io1SY$%&QNgKfYM)Tq;d`#rJW!T4dM#folS-1 zDRlUwF@@tT^&Dv)64R7wW_HsDc^tIvw&h9QGn z-_eIo&EW5K&iCOxkT44#I1}#caSaTB5v)a8cJN!t{f^lc1Y-LSXHFr87 z{zbpPE;B((`^_B7|2Sr}FHAU4zcl z7?r|#sudqc79@}L2;HCTy)`wo5eQ-o+^-{ZD?F2E_x7W~!^Q2g8>;E2#EJ|}Sb}6O zEmLdE$~4V$cBj;h00m0ciss^?-b=9aNv6L#kTPMXNg5yDJ0D#OQo&=WYpaXnWKddF zMIWCX4XB$fqvte>jTSzHwasK}6lCT7*f9oc36YryzEy$g;ikgqBAOF}=Uwo7Zfi3$xB3-qoY}j- zu4ePXg7tk(I^^@`S+yoTB2)%e58wc|)#~xaD_-b+E4@Hg`AWtnZC6Ed>2wL zv3d2Z9ygG%+psTpyBBRPFWlxqO<|k-U__}1=my=+VcJe0fmMn!c!Qwgj>i^21XE!yDi)D6vcj=)lyddt9OU2)aaht)#e|8TNHp*m!L37g0++s6%sp+uI zZ*kSlp`s8P^d?Yl{{zw8Xj9|kyGB*yeJxpAQSZz9LEDy{W#k<>Q~;2-RAe7D0>KtO z4Z|WYE^8b$;Qg=8&I786ZR_Jy>74-5B{YFR0OC%h97w-LhXrA83dy_RQ$*h&%f6tjSlQVnv*_#M`BJ^BrpBIki z&XO<4ff#I8M6S;Oc?Y}qEQCRw`H4KZ*sqE*xe}YHr_}mz^spOO{GkziC_RXuiVGG| z)bvVKVs2tZwCbp2kUVSi*47j5^`?pKg}KZL87 z=mR3lS(*=rZKXx_IW2{zb4Nos7pG(vr&gt`q8=SO;X6xADA?IiQ39 z^+Qn)5@_hv$X7j*-%Q0{RHJBmAM*N(!#rrOedOU49=SCW&G)U(To_pr_r#tO%)$Eo zBzx5_wi!HEs+=^Hs&AYMF!6os1%sF4*-tFFcKUXJG##Y7&cR@WE?R7dN{5z|}9ZBb3CrX2a1;OZ-rL8jpWP8`zUPwt< zPZ6S~tFNY`E$HNoKpFfs(Gcw{r~Hs^A~9s^b{1z5Y>8ql1cmr6z9P@N*@M(Iq2A~c zJJ`%z98`Ns%Ro%Zl&^T>YLq8uD($?!wSkPO`_2xfK;wqx8L#pcmX1^6kOEoB zs_i^xpH~!q7a6Jxvv7g0Os;Zt+N6Vah}}ePbVP#_Z{T=MU?a^RMqB|(_SZMuAtd+D zvCB!OchNGTX)d7vX+V+Q&V?<&nS`%7RD3oP5)uyy4Q|BDHdIoR-F=OmOK{J5B|Y`z ztqpC;{B(v39_%f1kwO%C&O#&&66us4*cRPi+qVg1{(kEM6qc`W5O6hr!*y^Nu9Q?)XT7hoogpk%)#A$}`ChV&RwTfP#I-7Zs`#m5zlWJ< z+8Ze=ly##cE+ne9+^o?#k(< zxIS#O=KfJ;d*>8TySaQ zpA3B9FHCv^H~L(%CbM=Y+>B_UUWlhUUE>Q~B?k*RzwIIZfis>P0F~e;xb4Z2TGBL& zetNO~{l%+FkzI|-2SU?1$*L-b!JZ#zVs$(5iI9bzJve=isr5oS^m~Q(g2{Emss~L? zFKyG!>A-YN1h|HX-+61J=x4%>oB<>0x-7Iop>TwK!F^h^)_U}wAiHvxEv8@lbXM=$DhlmQtw5&?5JKN7 z{^vgZOF{LBSo7nA03k;Yrgf5(;uNSJsjEJMQ&X`N+^SDMzqW`Txh^>%NlXF0GP9gC zD9Q{NNAq^dO6}}&gB7S|fQf8w_o2`DDsZzpW#186jHj;TF+TfOL1fH`dN4x1#iGYp9TUztT+HLAv96G>O%CHGWUXT8$fXU$VpT9n;#@&$(Y* zywCsDj#31HE9C&DO#{+zx0&_tJ?o-==9Uz#W&?5LC*^#zsd&#+(vF#`UsfK0&e_TE%BhH zjUeo1mY58aO`M~+oK9^&?)Cnlrrr#zv++QAearh3&evu*B&Vr`53wR~b;Tz*}b1$;MT9ogNL%3`REexA&#^ zcpImf%9f~KiS(B5$kX|9c;?rh^1Veai4omH7|`qKdJ4kc0cL0AYGo&ga7Snqsu%Hw zbs%{ob=o^LK57bq)CF2Tbxh*?G z3sP@u(R>BrJr=th^u#o#mDN&W@yX~@hJh3di|0 zb&Wzg@(f&-#XZuehQP?*}p4_RNv- zH5-56!~Ql{nl%>c8B8`mq?D5tsaef9TC$*CaXm@ef8^`*2I_^Lcz#fs$YWLY_HWqy zsNOv0Pst8n6k;1B8pc(K*UumdKZKErGVEz)s0*_{{!Tkp-`sAzRuy7yputrH4BZe# z-pM2Z-p-&0Q{}JHjx~6oVtZ~=+}e>w(X;tfOEkNAIVZy%1VjO{qOUmOK+sD3mZ{6_4)PnPh%OA{lOlOG30!P~%SCpGeq*;Y@+}82(vY&c4>g>ny z&@;igVvLuy@KH~EbwbNG%DG-r^}a#UyRrD5uW8!S)xT+WPUvO67c!;7v6ZcA8rSyx zLzBB1^l2KkBvWzSbw=lBh?oijYm-VUt<&3Hyz>L1YcygCb=RL{p{4O6eGcPl@LuIzGA{bX%6hb*b> zAAiUL0$9Ye6jzg3cbs$Q$2FNNk77JLRF>zi4Xu|t*XfcO+#X0ERyWm(@o-}c^v1zUV+;?bWNtn>lvr^a zyPTqAMRC`x({SngyK`A&YiSp83(7@ZE;Wm^2pFa&CgmgOq^|EMxe|ZG6;8NJ>tB~v z0fmom>U0u0#km6H7i@xFs*|sd>qD?3Q@+1l<{M)*?tbWZefUD;xe!mlfo$sn&yB|r zF5#7Ct6WgRmGn9%*t=I6Eui=1BdaqGn|S%)mU6@j1+MADYdCLNEY9GjO#R6KX^E*^?{u1GjMrvdhkn3 z#!LPoWhh69dpjgk6He^>*sTKLugehX7jziD6F`r-TV)=lU>I2g14t&Ej zCg~2Jjo6`A(;pbf27N4s7(VoL6|pn#%PQ*vf(=7DzEMcms(j|WQh2jU*aFIKV|Iml zg>N^3S z9e0MB%nzD6DV2ftqCUIpVH7c*+8o_?EVwthYi9|%Lb}}LKi{b*_nCJ}TL-egEmb#M z65R;5Jft@_lpSW@``l9wJ#<;AFWRrnla5>5MukyqOhjfdYnHr&7L;>)eqnDd=9(-D z)b4}c0o+3A)G#$smZ1i4qx3wai5Ar=m>1>)VBY3u!PufxBHRI?M7p7F@JC?tG)2kv zEst=%himry(yH{`Go?B3(lsj%vZUB2tF8iu)j2#~IqO%G zO1MiYCtmheFsVrMQ|>KRT&gC=q1J6Bkzima%Wgmo(94E9Na(so8nulIFDZQ2LV-0FEk=@rqtW!55^2bSr( zCY#$%t_lP#G^yRjKT;J9!;e`pX%_wJSC{H;^2rMIl7#YeHh(z` z6xLFY7gm_ErlG_%g=^+#-o2TWRRi@SoJf=)=W%{^MsB$Hs3lnK!57<-w`Wx@FV-3{ zgV`!o!Z;ZW4MlaaXCR^Ao%c)Zw1Hi2d9+=Y`2Chg%(C`P!_E0Lb963<_f3HmxVb#l z**V|4H`Ze3&wh8;@48#-Gu}~rc!ykZN=)%yn%kDN*VRXUXDnvT9#rMud`jJRBYg61 z);NP{k)leG1ONc3&I;G9_7r#{O;C?}wA5Li-MXL9yPad7I%5t7j^qnnz}jwq&U8Td z+Cw?XE)hQkU-+Gg?NR~bR2Stm+rfs-0rR<_h~TuyP01ZZhqcY>QEe#67X0~>arEiy#^6SDupTSrHG{gHRe%Ff|8 zG!a3&K`{DvBGj1Hq1*Y-GzW7h^S|Q1F!weYUHixxZQTw!$0YYJ);XZ<{iAiilnVNp zxl;&%usW3aqsuj8{aAlsk^VgBz?VNU|K9$~4f4<6<37~N=F`xDJ~XNS)`yb*0c>Fp zhnwHEbpB0imT1!w8KYAN&0WI6I`_j&^gGhOfa=edTDUkP?BTz`{aktbxPJJL1?jKE z{%72Awd!92t1x%_XY6s7vmXo6pBQcQpW5?p?7x@y#-w9b*gl~ToR)qpb((tHn9`V~ zs!pVdL{GV6e@XwbHy(Ey%yhOVBI+uC7Wp+}91LcA*A@YT{pOfsCTTsv_o$v4kD0O+ zv!O8aQl5w?Yo1!1oft@KI4Jxn@g7P=EU`08otKQej!`50kl z2s=^P)BA5#{uR89xht6SuunvGZ~kv0|351mQwTEz{Y1#d>Aw}i2uR12!i-Bkk*Y=f zw^FC*e*cP6#%EcgFK=|uH6*AC23qZ2VT-~UDI zpPCpW@aX3j{@vr56I0T{PUA;NlxCK>@Vm0v9gl&v+63` zRkf64LBY^~fPkQYvTAEpa?+7ZkAQ)IB*1}y2>*RG_BQ|JW@yXhYWVMM?%-lDoFvYa2~7z?mUZhEX7b z#K7O&(_%iXD-pVG2vX3r8n{JzD8KHQF$(6Q|J)5;rj)atQA8uCVJ5IK757}H*B=okaZ6+d35kn3P|M!a6OJ05{rPGC0RmGA&Ep}|s>U1X|@E*U)gO3Nm z8vxz{N#5EQF4OrCKG?B@kL|uS6hwqn<%W=VtJn6j%#T3LF^ z=T>n+p5V*yDZmgT5j22w%O({sa9Y8s?n2ef-@;YSqQJJCw^n*LN>KJ}`+Ygrl`XPSZW!F$r-sDu8p+I027LCc|d8RRd&czVoyB%Wk>2kxMi?{R;6 zJL8gOUB@nfi7jumraW`k`6$cPiPJc7ys&$~&-hVz*7|4+wVjNA?^7o3SgcWU9_!RC zGc+&zaX1_9$Gj{1EcWVu2yL<8sgX}-{3zxcIedYG6M%bb7T=>ZzO|S(qqjet8{L(b z^quFHdn$e3uX%Y){4u(;5_YrkHxc3oNa;WLP`A!>oc+g#J_HaD#s9{KshzdCgPWm+ zv8kJ*i`PF)R@4R@wwU00K4_tiRS;umMFR<<3b0_7aTCle2U4vxtLbo3@P-GkS9wiD;5H6baf+1b1R{Xp(tBZbXrBQ|up;?T_wCaeEQTEk#4& zF~RtsMA&@E$Z`B5!Uq%xh~R%C!otzT-q`KG5=Mf&;~*1U*lp@NA)RwUD%PoWyLFcw z&L*$}l)CfKz#6(vI82)caj+edg=4g=7mVw$EeRyBy`tRIQ)ns> zD)jQO5y{bqfNhc0y8qtMQi+940f}ihZvD9s=eJcL;`3>N_ev@lojls=-PaimUj*mH z!k`spXi7dr^cnXfV>A2VLpd8TVN8=b>{OA~QK;Ewe&eT`=O^Nv3xUB-k}K}!4<)Bk z7x8n~Ux@j=MQ%aeQH2OQyD5mVGB*~|QrlRYLZ9!S77ec)xIM!Ew78cr~k5d zqOdIpGg9d72Q7hj1OHW?_#II#WaVZs0Zi#Q2X9w)mVBC7o4U-8&zL?PT8PF#4okAv z?Ud}h62np(7H7`bP(}P}l6*lJu25fCNEQ96w$L3o~Ycn*(XaPRV9ol%G zYFdOx9r}h4HcoaTWO~Smou3`07V;Nbx2e_E?DB3;qRFpQtly7JJ25%3>h9CFl<_XN zGEigM&D@OcstdV5$8Fbw909QxZdjH&Nuy{bORfF5^px@wk1XNovUYPB&*XF@ zu;iMyUH=?*yvM1N^J;72^45w%-MbSU^A_MG4mDTWgH7CHo zo~}$}LM`KNC`Uohl7asBAIc{y{BhKCp$oczUJ!m!{oD+}^p2af&jk{e)8CS5vuFMHyugXFJ{bo55mRR7}lx&cM-HXt6g*1}pb9o6iM~mfj3<_`df5B_Z1d5O9l>tJwJjPA2 zU0cG@41yGD&OEDk>aoaG)P=oABTkX&rAfl>>AnUtcY-NYW`M9Vf`UN& zx@7%${?abglk-gWB;>b(9$N0yY4PpwzeuKv$VaK1H8ikOtY(yzvF4sB8)o(3ZH=LA z^#aQt^$fJdNLEW=o5Moc3`l(I`BV*oDu}noe{z_3K@fu_ol0lt#RA7ca4?qadB}H~ z&z@fQbp&>o;jB2qiFsz>&GKRfD45E*q#(1xSZ%(=7i#jQ=8Hsb61=AVG?#A#h=LJL zI6Y%@2@Yr2hOHrDBUtQ(n)5=no{I{%bE?-k^EjSDJ_IYGYPZV+GP@ojt>y z7hncmDlH@?o7XFEmDgJ-Ip;g(AunXn(@pSqG# zhm^M=OQm%RdC?NZuj&g`5$SK({|sgfp3pH;5FjA7e|;~>|CUodjP0z=jQ{mC{}s@! zssnMG|5{(tdqhqEywkAZfv-!dr!pg=ut=d4 z8)$tpO*Hxa{%s0KuQ_f%C(&jsZ#Egf}R zr(JAL!}5SnB&tLXnL%{7qzMiHPVs4Mgq<2Tea{+1A3TI)AiRf?YRrdInTztlq_eVa zh=BWq0X;OmF?}3vwbx{E;Tw?7ivoSbC+za(bdj1nSL@rbf(ODqp78WsW{h+?VBT&K z^|QS4Hmu={iG@h&f>`gJT38e;Njyxe{t5A)h-p?sNge+y+c*DOXZ-&Kv40)&KZW&= zt`QY^+wFgJ{VNy8M!0sO^{_rnh2bKqFxEcQBUBIT)f#ETQVPw~U$^*PJ=s{4Y-nwn z$!vy>7Q0;m4>4(a{iW_cDqjpj6s{dANj2^IMuOb3BviIE6|G^^6QG5Xog;0Bn=dj& z_v?dJI%H71A=RGwaW^n^$cp(+m_nJ~{cQ zu)hikV^BbP7GpWP9k`9wH&!WCU~dZ@wq$L2R^r2>4NajYp9FXnG}&8S ztu}Q=oqDBFjBFc&%MwK{%O?0P>H?^-Q)f$t1z?NL<4?5YZPvuG8bJ1f2wfU7EG@y~@?c7wvWWvwc(jL%t_N_d3jI z^vw=(#W43};p8|CgOil#3fOtId3uaVoQJvseSOa?ARMuLKHSW3C~Gw$<~D_gHV(Jn zhBg6iQX8%@m`GmJ)u^?KNEeE~Wn)~a?vENje`Hw{cDsuhFkkCQW>Gz1Gs_s$P2Sr9 z%^g3|O|;hCVqMY2bzq;6|A~jgoP>_RKP;sGJ(T|&9{;Vz?akec|D_>g1{+sLhw2j* zAdu4Gs^ut@p6SDYqUEOPWfyYV(4?Y8HGH#)?PiU=1O2xN+D8 zMDZW(F?9HIuDS&kElGW=FSsd4pstlM+WySeVpAP$%Ve?xt-xjS@>5__WgBG;?s>Z` zvVBvbSx+T6JSknh2mp$#{?0gwOybDPUz5M@cilyd&2L9n0AbDMKOnsW8F)(0x6Fvc zX?hou@tz(Fm7Avmir=63r#-u^rz7(lbP7&r4zR{mH{|D|XMV}MZkU~&&dIkAb8ZZb zzpSr&kkU9H5JBQcHm{h22{rE)2Q4-&IYO>$m)u`?&NHy-@Z(&$^6Rp(ED2LwQm|x? ztd+9DODl%o7-MGq`Y|+^oLZ~7%%ZYS3K(eDt|+`irK0 z{*UIDgj`MY=^v#S|7zy{mds2Y9bDc18UXl`NXU6aZQU>TftdzWr zylF@cI5Rj=Q>e~NXTNm6nX-7n-Irlq;wC_3sr@_#UwyQ`a{{eMXX9Bs!fiFf@z6B=Mz=madv8IvxE zr+xXH<*iKwllHED3*q@=DU)eiOR2G{gP-2LZPw$2w0JeEO^dkO-f+~G&$zw?upZiK zd}+=toS8#z9(hxhMHl@co=O>%6>DvhK{4b3v}D{IFsGL_wo&jAXqzZ7R5eFt z9{%5IQ^1}5T0f<|waPkotmxEzhaD0nbha%F(38X1>*0NWKqv!#>T*CoZPH7{{UVZ5 zBs8%N*u_Do=}4QbUG$ctJL%HB)UMLBu_dwbV;AwnREq0c=p<}aPR=?b4ljvlIi(!z zo$v<@IWuC0BXffKFV5n__5*%+hufL!u%gxUz0*_WUF4)H86uCI(;%EDZU=r$+UgyA zM_cTqV&*2_MWF{z(=pFlDzmAkJjU9cSLdG~2&FZSztfR}_N1Lr&8>@`0r5=`Q=qq# zcvuQLMuJB_?9>DAqt-IkI(A?q0zsz0VNK{Ip2-( zm|J_sY^QfLcRev6?<7-#;-pLNt3n~~a=+hYT|=b*p5p48_SiHtg+gk(=~Mzh>*#Bv6%f11+Rl3NrGjDVTH}BNOl^0k z_NBqmy=R2$oytqk0V!T5!WOuh?(7<)um)JdELDNRLh>2uED|ei9WH{0Kbb;i%abfT zQfp_p5|=GfN>#1|gc;r$cfX z5?H33L?_FV610+lB>wDew|Z+*lVZn@5jw|`NZ^T4M0}p5=T|f~7?s3HS9U`lB;j3w zu;7M2zoG6aH$bztGMPCTr&%Ca05?%|iPn;m?xUmFIp4o>EqQtaAgZSt6v|Y+(D-z1|@)IEGw#*4bk@GBibad<%lsBoadY+BeYp;vz+o1ymI| zSYe4?2v?(f``kUxANT|*tjYirSV0sG6NVJJIpBmf-`D7yPLDkf#TlVr)3WvQc1ZS_ zCe?ZN>#9XVQOq-DIw{Mzi-8&*enjaTYqMcN76IjWv0GW?`f#<{1`+_AIfn1KUpzf@ zt#C}})_rNJ$jOFdJ37jVP=`ZV{Di1jugP^{&QP#42gQk6H9hMO=CVIDJ6{pxVqDg} z+0)2#emFU-Z&r5VUxaLv$@S1QwWN;1je)cGmiWZRGY*LpvF>@prBYO`>TNA`&Pk?6 zz?xMm(a#>t0`t(XA&SDF2SgxJ(0^4oHwFB}XLZ75+kjSrh9f=6pzI1g1Pna@4Pb|b z;EPD7PqqT&ZdPz~kfD-dG<1Y@Y=rIV$J%N`(AMZQmco@f+Y30W2Sl}vFSl=j3F?;M z1Tllb!L-t_GB1?K@Ij3gLn>Xb-Q;2-aqWQNzO2J9b04ri1qKWed_X%Ihqg zh_D2GFK)h;{92KG^@|VzI5%NUe5OJNKu!QxZdt|-K?~wIfa#y+KeQ6g3r>1p9_rdO z@sym^l2ek$!C+emb#Yn;B^y;GN)@_i+~5p?UcG3|<`Y51dP$M(h>CEjVonJ(p#;S0 z6|nTRbMh4}Nm4|p+wwz9ZedESG~gqQx5{QcVR`bKWpHI|07VHb-C>6i2cpYJ<20wW zpZz|wAo4iCxy7iNb6C%i)h!mQKOwBaZ@!yp$6s`IFVgiT1*`Sm+XbX~G#kh$7Qn4%Iqcsx>z zC`Sd2?7bhxFQNd(#=KbVgm&G+M78AJ7?~`NHFbK0DFV4k%r0e=iUv7^88lXNnIto$ zFpuEAlPqN1OePrH@NpS#=R$M6z8u#oAd8o48IH_}B!Rr&8)M(u-3;FGs*mjS93c+AL9qeTOfog>0nCNv>uum$~)wQh@9_*M&j zsJ3Q&pv6w}8smUhJZf!boXJL=>!B~#oAJ;b#@JfXM{9Y96>gxqDV%UDI!D8uQTZ4s zNwdF?!ffMHY?L;n85A;kbJHL2XhRx{bFACVF3Wk7b+!P$>?`*Y3|H)S-q7dG5#r7k ze!h`Cmn0e1U(z0Qy-=^SR09NM6U>QRe{#|Is}}w`*Jmxlq1``iWLsW5XOxvpv5=l} z!_l^7(cC|6elV@l4u1>$n_lNBY{jzaHhNx)}PKhuntmYVe(a9ziK6CUF7&G;5C^s#IRTb zX>F^7Ko&1x!uK2~dG|}pORtC9%V31tm;+<;(0VPk&l#7EC@d_>4?O?G zHUCh02!|%xJ3`Rm(ojVZsT;E6zEk06P97K_U9*YTk*Un}DT@XgXQnnN7f@DCJ{@j& zuhBbwtS^V56lEb`t)1YXW~xUc83SEz%QWb0=`LU^oO4Tt@qM;>#jJ5uW%rOS=@ z@jM}p+mW?Lje~ZNcm0&=m(^?HD0nd}Ig0;BQJ6&#d6F>n1`s0Xcw2sPP!@VO&^~+m zo%hiDzMXF_;Ez!SX%Jw5k(s)tMQZVz7%Q@#Gbih&CQ9oZQ$oF}n!MxbWPfJhVW0gY zT+`__JA?WWbIt(l;y1j`9LU(GYIx7xr{CLqeE?+-u%{mw&)4sWPhV3+yZWCtz5ss% z+PfCkgWIpH8T^}S7A5|ON94Vy8$gwe)u!4NE`c_N4tsr!#QUEXT+EHRmysaAjzOl; zU{uka%^0ZyrxYDu5EEC81a2n)-^(4ePKJQ}{LqjhBOZ3kkQD0eK-V}tNq!cCHk;8y zNDlzkdQ#ROX%}Y(aR>0^H09Jp$axc4stNv7N<(hBcOy$qH&^gb9)qXF(1=F$8hl1U z7`m0w7rhpWtD=$Bwr2%vy5#c_A_!Q!kE6`^{MNYPw4|I%mZ7~arI-$vsr-zaFY0%M zhG^Tu{JMp|vSj!E**pZHPX}Ssn=im@pdn&_7Zcb`M|93cdw(~&0@}U&nt#I^QAf}3 zXeE1K<9KqPjkv(;!=&`1d6^a+QSkcvSE<{iWqHbjhq2R}@=m7oR&Ku;N;BpodfpM1 z;GDk-*m3GwdnY}ug#GADXLcW{bgiF3R;~0?dV+6fo$SpLLr3aL9`Z(E?JCyxoljSF z4MIZrf_Y|wu;(`C%Fq~nMVDHbl5ooQGt@nFJ-zhgbFf7FQajb}9Pyr4#$r{UvL|bQ zD{k?fwtwRlbm*67eYv|yMEtjxGhmc3+?|QzSoWX+TtW(>g{JdllH>RU2LCD?_cT>~ z%*|<{p?*H*8}UEI|1dD12LcQT2onJai1U9D|NmAAZVu)y|KB3sl~LH+-NjtY+``VX{h&)`|#gunydF$KcM*r3NL*udC%l4DwwGL}ySktVbeI!@aG7`lBpgmG~1Vl4u=G|;R%F~Str*5S=$YvA65Xkhy$ zpadm?2V=~zre%75>!VfBrOj8Oz;{rFd~}5y^8_|rg9J! z!`CiVL<;kNZ&BQmw(wG?bOowteN!>ts!6`-xvF}?)11cA6yvVb7}&8^+9JWPj0nfZ zEi_25ZklbdR;l39Wzx5E*t$h7A|T}V@=PYObg8a7tMA8qeeI-e_sqV?7V37V=DGut z>)kUJ-;#05=VNp`UPgnj7e)piHE74c>6hwA?Y$XKrZnKH<({Udi(ExkRw3inLw)Oq zX-Cl<6B=7NJG!aJ+A#!tFW~^gF#K;ClAJBQzq^6nWoq_UiPRm;l{IjwvXTHQO7Wa| zOP#FXO`B(R@P(fyRC=Tkh%Jpz zoCc;b0YUn77^a2<6&ek85QP&RwD|f0 z)b)6cmC_(D%cN9;d`{{rrFxcVcTk{H8;LqWfG6)1d^;~3y@69f0s;LW7f^p=+RF7I z3X^zKHjxm_gFGWiv!Ec4Lfm`$=^r*>WNR(A$%AH%4#Hzjhe?riHL){j&P$hZs&`#s zpKy@?4Hw8Z+b`&5wg(;@R@ha3>*6&4SD(}dSN(4#o0iD|RR2+6SdTM`B*kkYkaZ!g zD2fpb>7~%zfG-2;-%oA{ZoTuw`id5h%Pv}EW>PpvEzlw042G|>2-@-##QYp&*_0RU zS>RKatd~dpFih119Ew3=>Jd)8sh57=P*X4iizGFc$8*+009O#y@NoyesQ&(*t#np+JmP=SniO%TePn+H|6CmYB zF8R>GTxshMU?&cX(uiVqCLrX>;|tXJ}V;Ro?wSZAeW3q-T}6xpbuVG>N+WG`JY{! zhvz;_KeOnWCS)(>dAoU)e}Me(C>sO_=iUY`oCS{Sizc`!j!)qzI>hKe$xrxk3@NNV zAx+*q6@8hXZ}X53BzMV&Y$yF4JxdW8w|k1dPigs0a{AVN3Q)hRe~<%Fbw2;cW+Sl$ zD{mDQ2&hR12#ELpGPTId$-0}EyEvG;ng7=uXGYJ*^-wD5Ctp!natt2{*2c%e$79Xe z4lMQ@yY34n*wbY8QVFWE9|tyaX~>~$XwQ%Jl2~1u9N6LABodobEw!oXLA|dgd^d5x z^Rs0)(Ya+~^!tLDT)$nC!H+X8$tqLCt2@$!@^A4xNih*ojk1VI*8FRxHwK^2K^L1` zg=EuwF|#xw_3xZn^G0!tloP>4M(TUfRSQ(fK2=U~XS7l?>=Ckk`vL+$tyjL#cUK(V znPXcZVVULdBdR6xyfKCaQ$`?aeG@zUQd%DbbjdI{bZeS(3q`!b1J)}n3C-#*q(Pno zC!ix~q}XYT^0YVm+4v6nGuJXZppA_CG@h<()w@-pHUna|t!`UKk^mmX)E&jVQMQ)I zC0`C+Nt9?&d{s|-Pc$j$LbIi}?0bPohr1BfPIYfboj#HYTW6IOzK5zTFZY*Xlfq=n z7RgKJ*$4XIG>}iP-Gid9C|EO?U3ERzm9v7#>zAl5CCAWXSCeD~q zcu}+U>lIipCyK`%BIWoQ7%o=6XYt=n=pHcHg4P~4y@Uk~6y1g8(Zns08xF@+OLXZr zsqOW>f|0G>@x&AqHbWtrzA?`o;jeQ(n zhbp5I3IIH@%&~BKcC+m8GY0#K3bm71)NpdHb$4 zn+b-iWo_Z&dVJ2Z0_!;gJ6_9@qnhCIJ_=BpNDl+u+B94)X%Pvo!KvuEji6CtdFw@X zmw8@OiIWBLMti|0)vX%}HmxX^&+cHO{wp{TVhD!U)+bGD#ALEUYZzyu#)s$E4tIe! zw$84Mt@h;T2`i4qdWrPpjTtMxKxMa#r!`?of3U1LK=as|re^ZJueYE1+)4XVb^i5S z^4=XW2B8*KoL3E&q%qVcB!z`F9Nm@ljjxLE^EiZ9J2g0+kXZ|u1GMJkWPgh5lxP| zHa_27T&iOh#pXjZaBHpMob3sV%;lGpW>$?8YMK}I3tSx`URcysk~4L>RJJ>TR8ix*kKtj@r<6l7tMkd8&1 z;F{oaQWdhQ2lDpf$}~+P^sXM)0|QjCqpbvc-r0WV>fHwn5N3qQ;;3fa$oN$cOav=o z)_)}=rAxwezz(8EXW-R>>xR(D4T|ZMO>E3_3FAn7G0kN&&#{ieEfCsDz>FZ*aUC*F zphsK)y{O?Gn5MD)rPe{d!*mtweEZ7!fbsyw;7o#exs)T1cC~ScJ|>UKPl^TI5yG_2 zS@1SL3sT_X-|wdAjlDVPV}eyXf#L;N!{9;5DOBexx9~rTT<9OK zv{gv-Cvt8qiO!CH)lGE!kAHs7*SpN0(I*AwvKmA-Vf+Eo-I)riTsu!js4$Pc2eT+T zytEV5haJ#_+jTym11i_S!7hzo(?Dn$ovy{2zCiW79v}pcckO78Dz+Q4GBOu#RD5EQ z8r;{6`+0S=*P~*~L+8@Q+1Ri^=Ow6EM=V|s!wQQx9s_nq3CP4s{vcyiBxVFNippil zub)pt#GrTcwUYJKVt}MBLmFdxOr)P|nF+ZnB~GTUk@Bx{%q1MGz51MH|MZr=3@4$wv6)=FTm9B8*fs%o?v#3{A-bzwR zo9Z#J!))2M^CU}*em-+w7GDWrkv%(_z6+gVN2cDQV%udy#gveO9O}I6RsWFO{p0=c zZqW9MEsB7a+uNJ&iuCz@&?@>}2|4*<=h04_p?g5;&`I_+7nawzjP%X4k>P zY$?}t4)>XsXK!OFF60JD`-D)}M(WRIs7XzUi@4Eos%$^rMz`k!%+-mN6;QhWTR4LTYg`q$+Zcy+WZJ*_2g% z*1LLKt6VQN$j>%_hg|HLEg0gJVWJWP@*S&nhJG*O9cKAvF189* z#XdJ)Diz*dWKxx`&$sqt1DOkw^~#OE=igoH5hPOPiiL0^;;SDTLUj(Zc2+U2+z?)S zsn);}Use-`{L!#~-~xYI^3OOb^J^R0bmKf=ct^{tx6{slA)SpB&zDp;ERz0|Vx03^ zXBr3%)s-xf`cqPR!-*z9s&`z{>7K)P{5=v#{(Csw@vQ^i{(7EcncY8@3qPo3AfbIm zydj<@GL zXkdKmdQN6Qmv!&?Q(50088;sWN-Q5sSb6|mw?6Rhpg58nxLH>W#R04_=1A&yGU&K{ zFm4CNZ{xrOv%8;YM1lRcfPb5wjm@5_U#atu&14KKTe4ZvSGZ|pF4~YL2jzAmV57Q; zug0+YsR{EK#h7Qjf-I)c&blKK%~?h=SYm!{n5z2Fw#6_l+dzzIzU|6M87pct(h(yi;}XEfMSxvXL~|-Xob+!mOt{4% zClkx0WSB0s7z{sBx$Fs)&$(umTnkwHyCgkP#C1OpwL`=wM%!v3X{DA{c*oOD^rNxk zjeqe5tsvkkO1f0P9Vg8u8Oa?z&A=c_JVxq3m%E|m0@cpB`QViW%q#y2I%o9`+z#qQ zT8OqkIiAs5MgH8~CONFA<{(BKQSLm03|$DwGy%qRVGM_MAMW#t`*V4-PUu|d?>}+C z@C=)<#^N=|u2941`xo<|G5_!enI)o`@koh3w80j^K11YELO&Ne-7QN_w2>Z%dsmWD z2n~sFX!i{{{LMp@es6w6*{(X!zooYG0>4fDMT@kfma2kOT1XZ$p~@`w8V9CkGM!H{ z-*VdJZcn;HB!K++3Z=SuCgGztpz34gN8qyH9f8rx60@#~7j%g-KZmH0KN#ajdqE_T ziOsWZt+IZ%_X%F;tUoWNEsS!$E0@@Jd~9NFi55gnN+I;q+wUWja0hQsVf_Snpbek@ z)JwYGJ(=w&d{1a0USWETv1H9wa?@_L*R5)%VJ2+VWBuD?$J^_%pHlPG5yu1ddDofh zzOdW(6T`dIHBw4-ZCDt#2L3BW9@>Y-t;YP87q7VJm_H8vFT!I4r+Z_*BNIt1#el-M zdTf^>fxcfC7NEFM=7)*@1)smj(DU7aP;-Mm^h>T*n;g+Dc$;dbC%4QS3Agg1YCT)) z4^>-1D9X17rWIe42O6T)jj94}a@H zm`Ek6w-uR|NAHbi@WDzI2V2IA?Wr)qh%MXw?X2#Eu+8gYZpn%Xb;$UIZ+xaf`gM0> zy=BD2f^WL)Pc;7g9o*t#i{h%neYGTn|Cj~ecgQb3%DW$-DQQ!Wi>Y`1hoPHA#Jg@{ zG#$Vpm~q=pauKPs@0c`-+_rPN9Odxy#JN>h)X$Xd4B*2#dbU41Iy=dJOqgO{R) zW0op)7;KM5p1sWd=BM(pX{x}X#K@o}=kTH=rI<<)#BFAom}8EF4XC-Ih%qH0%&Gge zUjuj|@wXD2<-&X{-=@9g`9r4he{OmkP`C)@_rIx^Tq`9NYR-qAEA6}rmL9TI~tieYa!K5$c?Q_@lhc)?h3mnG0~}kRBdnK;Cu)ZWQIC8Mvx*j-opF{f5^qT ztAI7!*NvqsMpq&VStMqO1RpDI{(??f?a3*1wCCrqfjI_a5gf6bYasW8+}Waj%mIWn z#a&th#|tE?En57Bxz{EZC3$B-00dbhJRY3yy-tc4#3O`_s|@R`*bD~A7Md8ard(kI zt4Zjx;x1;NME7fJz(4W)THIO0~2WGn^rmZ@+nxZNU23Qh3(KB(Zpx+-ew_J8oy z{pzdb1R!|XCaQEM$0p409-tTo(}-XcRlSC&(!i}>o`TylOW5y=5M0zo~EHOUGF#G_vcm${*7^KRr`D|Lk)FHeE|gr$9^g zF~Wf=!2vyX^k`qLJQbZ1S`g3y`|e$5IE2Fw`;dp)1`%QXbX=b5+l0d`ri>|Y>!}~G`0XrbHGVQ>uJH^|$y{9ZI>EdxPbOEf- zl_nu4Vqd?o3Rf#+^JU%vqXxfS@=YPZ^;7ObI8tb;lo&SW9;!#jhB1BI=WRi7f(C)4 zG7d(2RZ{Z579wf7O@k9DUW=cz`OJBED!Ug)v;1=S&BcG<{5S>gQizKh?-J5Zhx1xZ z$Gfn(poq|cUa4`@Ms?J1l+ZBJh16Dh`+#LuF1yNZe&7`wdG+XE)P65qWnxqIdRO7G z&W<_4U$4I6WxFpFp-R2k3%0De{h@2i2mo+>9hAiTOe4VIP9}qG z?N z*dxxlIwr+gA?gZSAO|Or<(gb`;6&65j~K*SWnr*b6A;3JgR%#Irmz}pW^s_VP2qUp ze3R{o<0svQt(mshpx$lRO9wke5lHZEfkcJ|=YsXB=^oX=Z8ocq8B#Rc@K9^6ccig< zk8i`Qfn4^wHPnz*;gPmt`vC6?a>|IeVeK#4eUpJ6h`K+<$ik8g>^ki(+7zonbw&pK zNW)koYV;TxUB4XFo#(#wQzg#bL2`ArRlQi^|BeZX@pQ5KRWcqe=IwIV@dT0cZ1SXg z{VD0iwZEX+tsIVDZh%$rg;9-HUdfbMi0Eq;di%m4J^ypB&b?nOW+YzccMXSx*m%)n z_(~C2el1*8MN#vbHy=ta;DU-{xC0yUHl4yDTX( zBffEq@TTJT=weoNuCb)|4;=5GA|tUDakNrvYg*4WV10=c|J!7jS|l1cF}PGr%{E1^ zdp`yuWjzW?$puxf?NfKE)+yrqGAP4Q&bo-s!y7Qt3Ve9<~1bsA>FW&c=kzr5Tyr(9I?mU1^Cqd#sA0Bb)i zE7*~8E4vgzA|P=2UKA&~v|z_K=iA%~yhx`jie9qA7P>p|eFPgAjzr?UE;JBpa8%DmYF! z3Jz&vKtA&7i((IVsO0cLKO@{^OGefeBOTVbPS_&KS;YOzx7tWS;E!oCBJxG9Mp!yg zDyks6MXa^2fM*bgd}tVG1(~jJmcxRSER`#ze^*NrN-L=P8ws7nfYB$H&u%hg2uNb zmNW@Bj6NMBW4}L&tQPV+3mJmD7pyq>SG-0qcDwPbohbMTZj*d2ZoWc?UG;qKD97%~ zcZgrbued}60Zf!0@P&q%Y;RE!69Z~f>OB(hJ|yj8rwmr;Kk>o2UnNBCja!4W6FzhN zU@*2at=2`IF5%OYcH7H0>VpR4g`E5*5`Y|P#?-vf%%#=_rC0vzm6a7tI`LxcHWAv5 zPM%k^ca)mCR9n0GGiF;uM=BlOSB{UG-^8FKi~TcptB(EOaI!?XA$x?rYY%O#2?N3G zkoRiXx)76r_q1f&3}db5#FcIS2}$5)*xPQZ&doV1%t4O``=A6Dw3)3;+1ePclS41< zZqkzZu|Xq=u`R@j(5M&1m2d*($=F1GpTb`gZZ^%82Q_ZbH^~9P-|r#McFtlh|8e9laI+%xmBm~IL|j7J$|P{8u9)PI~s&oyUp&HQ|$~j-|>G7L>vvY z5|8$5t4Vnd@;@b)xNPnX|1%QQv>sSRP=J6+)&8#r=c0}dZpPOC7Io79{+6}0`tJkC z8NM&aZH}fs%(I{Vt?s-Q&#nhZ?+zb{_FsTF#_3T2K#xt+2l`yFffpC*IG8j%7s z@SqAQIa&>J+A>_gkyqFkr+F`lCwA;j5Sw9Andd|ml0kaSGSic(eiM;QGSTEgARt6i zBdy<`^@Ogg+!}?DGx>_`Ly!^a9am|+5nMxUTg8I{o3F;C;Pa74CBoPBgi+Nxuu zd&hACQVJ#;3x&n*IQf$qVfDOnoTdVDOJcVZcjy+1`xr7lv?Mm&R-B;yJac9x>~J9* zL=CTL9lP>)^b8Uum$U&p?cqGm3;n=n7Mm;c6wE8KTCb7Gdr%#Z-T9_Ttx9PwNh9#f zD>gCYPWt|zXIzlJGYQ#*x#@N%?Gtz6t^P^TtOYlHa^!px2kRFzW3E8LFl_xsCN!Wu z0BUK9D-?^iIBEgnFvVc>ZHcEh*+k?9JU2Bq)aof+PvC}Tft`5{hrJ2U6`G6v?p2$O zem}0N>VzkE^8FFjHFlwUYPfqNo%QsfdeR^BUvn~e;jHB`LGT*nOsu4xJwZ$$DE-=A z!laNc>`mar%6U6vQ#zfDzl_ua1s@%FL*`*bsBj{J&WJrtVH}fMIOPd*fkX$|ttgWt zSEqCn(C;;DekV9|Pd0)m^pA!}* zL%9YcL5HfUnu<}14Ex0&{wM{Ajh2}&?C|pvHu!mXb^|zxF=!))U zNaU4P2VD>QB;h;Ms?0(oAxWdx@+cFs4n3{j5tqbe$yYs2-(v}bsoh+~{-(hz1cG@2 z+gv(XB)kuCF^-sn$P#4di5~`du<;U{)=bCwOPT(Y zPMO0OG#en;!&sgKG)yeqCNHZE+*U3n#N!Fb&2cI#(}?909I<8CedA>|4T;Bll-Uy- zlFn`(#_euYq4#L`((CuTSK9;?cdG?3S6Zd9i>>x3OqCI`#13Z3_FY>o!$X8$j57p$iqwSr0R`7^CDgc4` zQ>(ECb23YcgS1l^3jL2)@?t4erX_QYmvpPc{ge@OWZcz!nbo?lXjWT*xWB_5M%2ul z$&n6sw+I6VT^sWfgp-QrA6HwV@T~?NjHqG4rHcoA#gyu28gtjfA{0iXZ-Y z&d6#V3*B^tS=EM_7|xI@3r4Et!L6t6mAZx9xZCN7!Qp!EF=qtC=!aqAmyQOp>=J6C zZ-QYfRbjtwke&EwNr-~lNsQ?{PQS~|BQM5i!qKrU9VutX1V)8*#X3wg_im1);7XzCP zPMm4hR}A23F~Xca9)Dbe9E0zNo5N!@K|Kx!YxxthLCr;-j^Q>Y@(3{oKCR&aM<8hV z9t(`#s4SidWvAj3B{gF;{@HP?P03noeSG)ba^Wd^)Y>Fmdr--q6d+D}Uq@iUhraUq zS%c*E@>55E0KiA4VdnA_$pq*o56roTMu&NjB+J-W7f%5aVnSQNuP2jmaG;ClWoA>W)395z;1pq*XI)Lf&455pFTvq>NOl=z1gWsL%P zlvatToYt{5O_MFtv{2y3QIO;o)3t;+a+v;yYFVV>7Xk4X`Qp0#gE||^Fb6GJ$Vq3y zzy-FNBa5ea|4mRM+Jn!-;(~88N&jZJkKGK7-R)WkqL&w?$}Q4rYJ>JN^AKjW1SQ*5 z63dG}4fS4DBQ2zlutp12!*D;lVhvtNMZIc`rn8Td@IhPkNrY8g0aTH8n&xpQ^^JB6 z@BFReu6__-dPmVH`_Kb<5m3CeYgP>k`cpy4EI2R|oRNYt8Wg5yRB@JTkFt@X0duFy zP?yh?dfuESo9^5aUlDcwxu=v2&1#4)x7HoaFF0ha2tt(v-w{!1?q%_eD5V&#{Ftlo zRjtu-XmDiBf3c~SOv=LD%a=Q?rv$VA^qPxH1X8sRY^=b;M5KqK3q(1_5pWe$kf*fZ z|Gc?k=(_NBvv?skNtOQpF!xSTwsy<9X4;%-+qP|Mrfu7{XWF)H+s>S6+qN?+|Fia~ zI%~Ds)%ImweQn&082x)=M1OmaCxGQ*JhdHW%M9hG;4`X)RPidz3GBP;+HEDJVPI{x zuyxe{diyNIXPysdGwp~v~bU3cM47CbkpGy%|9~YSJ zhD)uHw)HkcNAtzH&S&HI&nR|?Q0Vp4ap z7cPe59a++e&t@_ zdl{$3t%BD%Lxx43VP(d#-dYQWH>iAdi=p1d%bsS}U~x>8O=`qPfC=Ol1*Ucxm!^i* z8@g`iHgir0S>aw0pR*xno_R0%E-AuP_ZB>^=lkYy6D6M|CMCN|t~){a7MJmTRT!?~ zd|N&|JQcEy4bWORY=DqM<#h1rDqc1T%|ivnWEGPvE2a|*{Lp9+>I&?-z%IH2&oOS{ zp5g8JfWPS^U2|_0Q3(bf>+JYB{NOb+C^HZ+lgvRm4)jDGa3|Aa{@<{=d5#~ zy|&pPRZJ7}WpK5lAXrOLdZ^YhUdfPMtvE^A?A^k96qsxrho&55J)tl=l@?Y%pSDss z28jgVZZ-cF7jm>B1#^XbfW*JHzQfRlsBC)XPf;k1Y zpHP??zTSu+AEZB7{*5obK37OmgSVp?(4OH_R2M?>4Z-qNFiv~;^ewey2g17r`!+ zsh-2F>)E>3L9N!vV9atXhL>{Gq$Rw9?rBqG<5BtN~hyFL-DCA&TVl{Mp>*cl%EHk5C3?Qz_ zf>!%e4(h@C=QWp}0i!lI`$rSm=(PEYip2D!g>q^p6y=t}3{^JkOCx*#vCCrzWJ(>z zPLruUz)Df*_Ts0?T;LP5Hm=U^aPxH2%7#6@rW!dHl9^@o1>BuxmA^^b_cBLm$G$=V zi}AiYn>X|HpLQ9A(pp9hm%u!B`u5nPD&IS{A=-f=8uSQfX?&L}hPDpjV-5fx+JWfT z$U{*rD~9i;)zRyb)rKl1P-{x^Pijfb<&`(W(>koKMd_{hDLD2c!#E4u+8@-25%8q3 zb6Y7$-5CfRm1xUZdS z$HIE(yOa|1AZc>-%k7EkCcxRO3ci_H~M}w>3XCtOzxE1}|IkJJ2HD;I&V9Dr? z=r3pvwLLv}7na-m?i$c>E;dNHXiwcUslFB|mf+CC0joS8A#AK8NVX8>6Qa&jT{+WN zd%pH+9I6Jox6S2HK8-D8ngJ+NCyLmK;8QI1UW*U6Jb6NOz|G4Jcg<;pz2~BI7gHKL zuoZ0X91x~l5Kp&!(B)l&ET==~;jCmyds#!?mCL!? zeDMOAa$8-dYtMf&xQW~te*w(@cJ2*S=UowEWmqP?8aHX(<=+@{CN*Y#oox@jZWB3| zsmUZai$kvlpMHOS> zwN~nZHSvE2wjXbJQY?i|TTn(C4w-|j8+rj5G!T_gvOQ`(4@*>1HsQ@^WS>NeHypw<2R^9yd0R7Vj zY<1TA@CuVL)y8atgsAneCQ$p*`K8{U2~C2tVwQ*{b!ONDd`%>=s72abkFen*bIfgd zjQuqlg>{}TkI>|~k1IT{t)=62Xk6jP0A>}E`u4984(oi?Lm(sknx-ezVeheqPonHg zJkIj-3uya;qMkd2n)PlphGrg7?>de*kHKS~w%5rT)<>~x9MKGTXU?i6G?=OC#o6L^ zQ`{jA^#S{e%+KM6GZ9LBU zcEyO=8hmv#d!_dNBE?Qn#=JYf`zr}Z9Z!B(NcPTDz0SQ`aJ@b{Ausq~vf;?AHGOni zKM>MT-`yEG^&_m`vbSc3wH*mjJ)70!r8zXTiYXMkE$&&vcXF>4`fuo^~I30nzAF z@b9_(F}W7|Y|iP`j~>Vgyy`7($zae}BYdW_O=|aah|6(o)vrR6+Eu1{Skv)c>bDu3ZIsL z_Oa@{x;JoN)_GhY<nAu`ET}QWq(l>Ft>D3?WLcNp8C`QLY{rzCn zf1X@f>efLj*gA<_%wE}0{Fu;lwVDcbW91+G>8!ZoDwsi6Ko@t>+wQ9s76ynD=hFCs zJ@T{+mV!Rxy2UZz`nf8I$Za>uTjQ}ep9=h1l0%O@Sk2)wk>3iVQpxdyGh(S&HLnP{dh|E9`SyeyFk}YRy2je6DFP=H>pky@YV=dL*I*s4qwEK!~^R8CP4K)v2<{wjf7*S)JkZvAMU0ygX{QvcDFsj2KP zU>)BqlfOKm64oacG*AJHKpE_4nEmtBk5`-hHdsPqOK$NXv#WueW{G-;Lz zj^Hk3ZVzDI%-dVTpP~6SoR@S=L=`@a5Waa#+j!rsxK1P~hVsf;u1RO&oO#ZhWvMnc zgq(VXd#)7JY+%|((+Yw5&$*M^AxLYw0hL-3KLZ?7h&epF1KJp= z3u+QjjT+3Sw#_YVeUIyZJQ$wIwUPFJT{%r-0xoO$!I z^%&_wY{Eb`5XAN5;s6|oY!Lc3J;pTy2o$VRw8CmX<`5|? zXnnbGl^ncL|AOiqhVg1&+==XfY9foK*L?&0 zo)Tz(=zzqZE|@3{sGq|8IJKW&&XBPGIJJG7ywGc0)wa?a*v?&>%5$<21CzyMX~^b{ zJFAiJJ{}VdXdrr%42nOrBUnQtG4D*W1)6gzt~Q?TjaA4;w=vi5_f<dX><(2V*#`JLs_*H! zZ53)a;@)AGgAH+bjV$^-fb>rb1(!9yit7!wsyj*IO;61&aUQ#P-Udlwe?9nEfnt)` zOh{VgWSfJNxv3M}g`>G!syHGk=C@wXt(*l#>A6iNBmSI$ya=$M7bZd&SE7QYjf74WSRsgrNDjLKEyN z)W`On`OwFv;YLgS?*SEDFv>7hG%Ya`>Vu1iuNXTicQ{&D(ZzH$DIF}t?h)U)F-e+A zljnblxu^foLeu?$>pFb2Xg!7lt#%_S*HDf3$RXif>Xj_nuOEexa?gY=lIc7S*@`n7 zOFOJ%lHRG`bVbiKSu-r)En$h9?c;FOwq(0?=x;)P4G z1<8TP6nwuN_5$Zpr`G7xCRU93jxU1y^Q~ZOMK8aAEni)zB6u6HV1!xxjcX5AQ@#Y@TR##8Y>W4!(g^u_^t3tkm zH3=-@u6nB&yB>@{fX0cI*VDTt0@p%8Ih?mz4n=IjurzN&U@-U=h^j06K2wT73NH??q-D;U8x84e4Za1Jsr)X848UH&D^7 zxTX8*5#VhWh*vcL9Aoqcfh-`wv1_2d&s|;}mi12i+W@~Rn4QP+2g?Irf%^UD`Po-8 z1N;NQ_f9CvSk8BqK213um-Z|QlVb+Jx0{~{hnC=P=0=9H4TgZ2u#1aB3i#3KS(orM zx0%{)M3DNiGl)89(|RW8EoreH7$Uo6 zVUs@Znj+u)KPxESEG8jDk)~9T?lor+0Gn)2itnOKmDsYQY`HT;S1&_5JQb4-5P)yk zNNI9zTsrOJN|8!N!g+7W)8_-aEg&Fr(iF^&9PCve)0B=_NCDsI()KUNu&6~hTXdOj zPN^(UrPEm!oyohZ>**wGQwGQJFV8|AsaPrno->$x+MlcPHgn&Ov5sZyC&90+BUqta zPi`unFeBge&Khipf5F-?qwpG7vWtn3jg;>LB4?#Gh<0DhW59~l?oNSu;Eu4xmRi#n z%)eq#axxZXd2r#><*Pm~W)~D^TZiuH%QN4K6S+QG7T~sN z2DSVdtkB{8I-WPWFDM-uuP7OV+9zQ;v^>ANpttKh&9dmyt|_&gJdDwJuoo4D@_5Xw zJ^l93nGVCZ3jHO~vN;61Gvg^FLK>+NAg|`X~4(AHoR2C=jf?-nzOx$=V!gB#;RB<+faeAzRga6S_POOr+2C?VOjY-DkLITWbK#5Sh!R zj-K&Stz!s<0#Vy^oLXdod|%YF9SDh@^eA|vGQl=SAVFR*ubNRTPyf}^v0C*G_?}ao z7$917>gWSj)DQTPd2k0@`YYRZbGGrs_v&UsWMIMHhkmD>yRvtx<&tzep_cV;-o;op zzp`_$Uie(O(RX1vQ6z6v=XFf{r|EJFK{y=Pcg!P|294Su8nof_#2uXmkORmzDxeB0 zM{PQ^*qP;J8>u-1V9nvmCdrcw*wpExP*-##C021Btlug z*?VQoPF!5{0EU-F`RkhLTz>iGO>{|B94&` z%vt%Yh7}4Y&YSXPTI=w0Dv%;tW=gP27-^9`!pA$3a5n14Qd?N%<@R4yzK_{=Os=rY zx<~qDIVgtFl4Fy6zzjj>$YJIRk6JIln(46jTT8St^lIs_cmHt-0ES6hHsELB1%F-w z#{c;X@PB}Tt6~J8fEZvzo&#K8=&`g{xWcIV)K5VRr`Y4x5}6~mwp_q?`i!3O==cf; zY{t}UII)R+6KxCh_ghX@E08fN9j5YC4JF{-(HSH_C4(PC`kD@rJSBsHvMFNwMFo93 zKWYckPVg?QcbGZU4`sJ<2}1-Lm50CAM*W)gy$zBlK&>6 zpC%_K$N!UVTouCr_X8^xah1I-qNR`J!Y3u>>;skGQ!GFbi;moRQmfhld3?&rw*G{B zXEB}MC4VgN!h>CJ6`D~f8q=F@irD&71cL1_OwB^h@)xaWr^7V*HztWRN!&jnw13(4 z2LG=R7`c=W1?K(5IJR<=LGLECVb`S~Mr#K+A>t--td+_0&F;)PlhlqRtV85x^AnQEX|_sAz1F zI}?X2lN3Z$f(-_{itD;9pWP{1t%imO#M}e;HzqsuM{cYtiNP8J&r066Mx{2tt9T0l zd9JO19=y)#?7QB~=xkMkIKYDYgZQR!e&MOz_PzZEUm|Nj&ALA^(h2*)|JSMt!d_69AsO9}XE7uOGUK@6avtt04q_OxqC%gXe#PG(7`9cF zk4L25dJRO@%T$Xli`{yPZI$-yFz;_m#3TDXEcmI{-c z4jtW+n+gr+9ZZAj0b^0u+Ai^6uM2;;rk<@b@5^WNHD;0c`=Z46H~P&vJsvg1Je>1` z$6D`ctyywY;e{=fbejO73&!fHZUL)RTrBYsLyC0%t;8=L>X6o8J2%p zcHgiWsaz6B7MB4@h!&WXB|$njy~hD?vU;jER@Ag1WEWMO0A|qC*(I@Qtq?cgfmm)9xZ?wl!Y622zhAyXr?m{478Z_Lge$CAgXT4qG*QN^zbIfRT5RTg zuVW*u#G^10DTS-h^NCb4w*^(BicjE|d7bLKz`d#o8&#v8#E7pDcZh;Kwuj4D?- zc}tdJoyN@oRh?l8MuGA~)(k0Lt}K;vo7DtMq=@afg4o#L2kQJ-_U!k0IpjG98;yAN zcK!a?*Rl+XJL3%@cG`L@oe+*vAyO`kDyEt_qD%a_Mru9FY!f?w>s9s6C8)7!N@y2^ zj^gGg=pnMe*Daiq-Gzngk zirqdlOP~VQtXi>hJn_5{xU{-kVmrJR0*{eclZ=7kScXh@3}TQ&7(*x|cl5cR0|_{s zsnnP7XUhU-J4G)PJDQ0g!`1tp>PsH|u5ZSul*O7I{hq*QcVZBS9u&3QcKgD*L*>cj zYGfCgz*I81t|9ftUg z#SF|GBWrC#{TNFb4YJ{N6WJ8zbMoHlkk>E+$$L zk8~Gv9u|`J%$9ZY{PwUD+m8Iz5_>F3m2zxfb7!tz*%E25j&__GNz`|@WM;IF1Ly`I z#^w#_CCo~IU*?v%J=Q*eCLFT2y1B!W8e=n)cj{K$bc=*%H%N`alr{DS+RPM$#~4B< zWKYICKtZkF?O5HkdT314R9U<0+yqET}{~Ca|D25#}uG!2|9J2GZn`PoTTJ1tsB~68kxURLtO_X^E z?2IncGf_YJT9upGutb|3S~y>9q4l<69m|ZiiMsDa+vAlL=|jI)@=P!Bg~u$d)!zL@ z=50=XiIhQRDmjd+6^+9I`|};{HWcUB{=MqUMu0sP`cd1{k5Bp!SM&dEn#F&p&C%A` z!O&RuM|4gOwpRZ<{~z(`{%f$oPtnn(tZh3_kL-P2)4GP6EMCUq1}Fkkb~ejw?Z>>s zQ8;aFnY9ffB)jY_f#egmcd+3({dx09V5bb(#(sL?_2J_Lv9GFmU{$`> zgc?~C98_|nZddguUGuG4vq*|6(TKjx@&+Fm6ZQ;6<&PB|sF?ZB6bzNpK3YWH9N(Vz z$sH_%p1Ky)podhI3f)l}vm)xrBvLtNe#C$$89f{v4|kM)Ad+}w!t^Sl@G)hmgz0iB zW>$b1AbIl=n|A6$AXw%@Ot)3{Yc2E3QqxvyRY7xdV^Fq${tSYJh>x(g<+B|= zst&ZM+NB1zMVwRi<%Nso*~4MI%rA|%g&HuP_l;=xP2hY#7|qcVO(~qZ8LQgeXm7QN!R3je*M_B<4y5S zOp!WdI#PCMYt&E4^Zuj0vaCw|=g}CQ7^P_$U3i2r_cQqiDwVaRL0GYpHGE%xj5BOZ zT2ZT@OA(aewj~Num|j4SOaAykat?!y_qsjpe>hQ@ze3qf?s^##5)(Zkc8-Cs``O{ zxN76I>V3;)FQR$``2pX5DNo$*?RceJ_6_*&N_D_y62JOU=;cp=^55-l{#~gq#t#2X zqxlhIRjh!;06l`pGw%@D7I9=4Kij4eq9CL{DPV~cos^;G&|GR<=2AA z*0&Piz0DLFrR?8aER z)AJ_Aoj;#&!MGFP^1dL~BWuOa+d_8w}nT)y(N?#8$*Q z30ZYyM?&Hj`wuz@vw>r13p#q-04!;I)=!gwdxHo39vd}mv(Ng+_GT!W^Nr=A*Wem$ z%9E}aK@6A{@w9X}nwUUHE{&DUi_|&G`b8$E)LNeDBY3W{vy56QqqO-LQAVOct_GW_ z%*(Yr%&gk86Hyh++WQ;K7qsa)0H5U$v8^VK?KG%}8LZ>{7?0~?FzrnW=wU31RxcaX zsjSgl-4{q<_93G>LJ_K%ofg|MDJoByHd*=I!WDy(OzYESw2EPELytDmEI`!He66Us zCH*m`1uOb63>ixdelxM8((;WH@vC9-ghUi9Ds7c5aVVzVc&cFTVFL2cAcBpO(tbN* z9hj_;!d??TMH8q$>w@0Xi4}VKdp&zPG+LmZFPY^`gP&dUWUSE zri~Z3oWE3+aE4$VsRd@lQ>iTuSB4Xu!CY~V;OBwYuxdJft^;Y68joqumao>veS+J9hD;kuri0-Wl6lWHEM7EKrddr%piixVY^ah-#XNcJn-nm3;hHGJhb`|fU;{$Jv6ZE2Ur5h~3u{1z$yW=kQ*XT3X>woaHJHI?$SAMuR zuXg{_O8b8+<6qBztOe~&$Bkx0-(_8YdlL_b_yC^31_>wdi5RzoF7cA%ymv z%-r!L0;{Sq?=7xqx*+_12d74C)|n|M;(B!}F?gtvpr4=;6Ms;ieXUt;R9Q59?7H{kFL{&c@IJy8gs_ zYRKz>g0-(}QfGI&%T8&}^mu9P=2)FMh`GRqCDI9$Q;)6o3~oTK``>W1 z0ns{?V0fqeh00)VpOTucu%)6@el*q&z4H!o z1pNRN?-%m5ns0RgK=l;6 zkjpnU+z!Zk60reQg?Tinq-bG{hUKzN>4;`D>b%MfgH8f30e3LxcE<`V*kH+VXC-Um z(TwfeNgLVtPE$5X3yn@OV;(}&4J6R38!xAqa7~4&*R;z5$N~lQE&H{&27IegT4Kl(PhW{GaRZ7wUxj&m9(Z5O zdV3Mx(V8kaH;3#c*-xjfYk!11KD)OUs8V*B07#l2%1YwRW3ZcNwT?!kniB2TN6Gfb z5<#i371CS`*oqx8(g~Fj4nb~E(j2UMje6gUhxgj77ZX{}*Q1JPx*q0=0Aqjrq*ybTa$LeoEqZ}eNM6&89o*^VASRe& znLT%`#Pp*1al@E+LR&PGZHivhgw~4pX=>BaYhA%v{7BLF8vT+6?1+42O+X7!`lf!X zRPJ)?4J}82TR{wDvZ)1Yrr(v=OGJRXH&PQA+^g2vCaM&cnE=`h*GmYMP2}6ok;vF(JcB-yMQUTf?|)Q(MOHz;lgWiqwFtd__z3E|jKPTz8JsQeHZ?-%+*~sdY;5 z-JpE)S?QLg*^ql-jB-Be>TeWDT_@*!ckJ2G6i!h4H8~z9k9I`BbOmHlb1y0BH^J5# zH6v5F+q8WH>#!t8$h6}m?x+(3%W8Z)pY2;K1?u_sYh9-Lta zk0v!@4Drhqxz}LmnWwJ8Y8JlwFT(cBV6h=d6O*uv?+P}6=Lw5|zU|sZz;w*0#Ri=A z32XFym2fLo4Y7dtnD~5vg|t+J&n&gPq%YEx4$z_-mDAH#eZ1>j8%0^+EVt79gZV0k zvq2Ym6N@HDhmr5BrW=)m3kCfKAqq*ed5YmHWE*^v- zv`G!wc0gJHBxMkjiw<_W!Gs*Qb|Wr$H0tphl@^;2^A~JOp<=BglST8ako6Xbrzi|+OU zqt^%y5ZYVs;WAS`n>HsQSQxcAE~{?ewSF7r?!C(hElO`#|1foR{$A}V$kwFX{Ny7s zEp##vw1kxnn}HUrMvdU^DA&JmqN9uzf#uOzTofa&* z?fLh9G2sBU5%nRT-^vkr2j0H4(8Gkja=|M3doOSprV3XQy@(FGXKtUlOnMwKv%Ura z=|0l$wWUSK@=9R2;DgA*iIM1g=BjE!9ToyKiW z{LAY)?tYID0?=RkS0Hdr>(Me1&a@9Zuw~UWOKx-iJr>7Qp{Xkl=Y<^u0Z=1|xZ{rj zwhRj7AxgYo(#wsWK6tI=K#N9Gq=;GEggYW}vwL=2Q;lGaw*A9$wSHEJo6Hf_be;J9 z-9WIUiCZ!#&iC$yWljQa?pn>fz*ONmtA-i7^Q2MdV~j<%ehBmf8`@%f@4EFo}LjyS=)G43EtR8{&%SA-j*Yxs?Bn+xkw= z--Bl=gK?_yoX%Q^1S4|7M74mCSPi9V0JKy?^Na7LZrlnT4LCv7+GdqrPgt)(4gpK2 z%q1c0Z4{G~;+RczHgL<&(Ga+j;Zt0!&qu}PY%X9}v1h9`aHV&w8`|_szdq7g0LUKX zJ`9#$JGM4Z1D6JEE?{#&8YY^2XM|5$Ar{#THzZ$2Mg*aT6yd^f2LBY`Hz>IM>~O&e zp@NzylzdUbHjy{Vtv!+M6z{<0R-xwX+@)?1Nv^Lg6=1%3Dl?ET7| zNUCaX#ispbujsRRQnM0L{LZ}0lESqS>LvRMTk;X%0Fqs;( zr6y{t$Y`sm{Fjc>z$@ZViSuYd3*cbV0~}xW zj8Psty{>pXp$o_nzkR5~E=?0}Emiu^e^oK3-S;Q9lEHE7<9z;=|b_2WHisRtbWZ}3m9VmykCT?Ea4lvTV9^hww<@%~C zI&5-C0zi3|(i&^gx;Va$k|GJR;XTN$k(G4j-3cTO#@^P+40w7SY=kR)vW1loizeWT zEeHfvhM_U-F@^YRoS}j?rZZBDnt+D<>iz1FRhIl#N{f8f5F!Wk+l_6GnaH{z{RrE@ z7j^HShx=rXVYLQi@4-B(+XC1eL2Tkn(gR(OR@#;eER@R*7}YWiuC_zARGn6E6@q0M zsm6=gtEEF9^V<6fE|gMsFz0*E*se@}d;H}nDxcGP;7zYtW^PK-X2B<{y6SPsj{K6O zzVst3ZX|Wm7#SE8jZONV zpbntDmS`I+5{R#oSX+$|?*kE`&a&uU2U0J$f($WA&h5#NL$f)_VL_6wW)B-uTQ@TF!3U#WqWX37yrO&s{dT)n?TUVEwll=}DMz41m=7w;`l#4yDEVh^*UPl&zMC zW`T7`Bp5sEh&=IFgvyWlh?n;tr?JH1$Usx_Eh`0lN8 zbM&{bR(P<1!fc}9#MNSQsLjytgHE57jD2UsXaK>PpvE;mjRN9qa+ORcZRj)`31I4| zCkGJ4s=IDLT>87zh*y={>@YV-pKW+ffpF(6suV?P%_?l({JZ@^Oe!ZRexF8f-{T8C zdvK9W?=3d@+$XAl#HU(N;RgB;ZW(T?hO;YNnhRrly|m$F@oO5KTBReSuPcxWMnk`L zflq37hB%j$#V39R`|*Q{bYA+Z-c_~C$9eO|F$PO217<-Gfn(6?ipmeHts}`i%$AFU z{zeOpNW&h;M+`;#L)jl%e;S|Bd>PN=$SQpn=UZPLG+P0LNc1L<=5>-l4}+`!9WZ;4 zmCVRvn_^^w4nQ~Hjc@d~0m>~rUUo(uS08K5K|5yFTz7)^4?9D9O_^$cMYPriqrRG{ zA{0RoyD~#Ih1$5_v^1@9&}=vfl`=<@7Ir);L}TxWmW&PVzdRWiv?BLQ6!%rRYogsr z5$P()`iN9(Uint;qWR9B-=kEes~8Wssb4Q!XVr|lHgWuT&KFVUCs!$(SAE)!>g)1; zU>mQ{beA2vq`_5z^p0Jin6zWcchQ$?IE*hHd|%lIhni}5N?KwGool2b9R(~>BE?t- zQs*YJ&F_*}W%T;!eo1Myk6(bgq`n=Yo_QRD#bq&DOMiu7DI=+4e1Fx-7p-J;Q4pfR zm0Y8XP_-Hk47Hx=b~BNo8*U%JQQB@#2?}AkdQ3XQXJtLh@%}*l8`R_O4dkjjuE|dm zqHUwnQiB_7U1KP>u@losFY)UBY>m5LZUY0Ur@L5m!EVz+`Cv|MyTl<*uN3iedgq)iz}TdZmH*rOGnT5(Gu1c6DQW2fGO# zpE#-ME_BAF%yn>;FtVcV&CYSzJf*W6M2ymohNQos8=rppR+8_fS=nMdfc4Q$3}TM` zXU7)6$@gs_0M$)41F-^eE^3n7t-rQdKu1SrY-&mhD3E1yd8`(MGB~)X?;4+1uWNnT zZCBwnp*0J5X>qnhB zu8$H_j9!WBQAkC0wW}d=gf#0Y&4GaIC*xn7^`9G`ybe2Iwu7NFN*@UEojuP$3G?Mk zhccQc^(h&sYqK!xW*hL{xEzC*L^yA2gom4N(B91LD5`9qGwM`vS`YdxcLK*xh@1~S z4CmH{U+>RZ0kw=vWi{h>6feSOTd$J|+eunTQeXyDK3p zMQ4LiM2XHY?;gS@vPSHJju*5^Xq8d&9m!E4<8r*8%J^(I7-@Y`zMAE}PpJ2|1Vjl0 z2*Uh+88>qJ2*=c^za z7cnZY&>OYhA+;<%AkT z9KC1-C;9vIp8gdov0;do1{WV9Yf(ct}k^^N^IYK7)NZ*Fcca;X- zEh8~2IvzU z?JB=kL$0XKb~G4@Kjf4-GD)-;h5%&U>nk$lvQI624<0(!Bae3hV*}o=r$M?!9a1+s z;Js6?V^$38Ur*qfAJh{e(-FS+qIqg7-WT^D5cLhimi0H)tcn##9w9l)({J=$3`GmD zM3#4oS>;~Tq;wrZn{x)E=}Pxq+Oij%5JSD*TKZbKiA8(9S9r%0s@6X<*R=z`A>`%v zmiQ)|Gd@$}_NO*E@%GH?)u@*u zhxUZFYa1tpZ{4~R;3N66y#`QoF8TOf)K%U!xNV5JWOVB-?0RXo(H_yk|B0B#xi0RnjgL1ZSdlF}Ndydh%)O(F!l>zoF`x!?qXxqf^ z#j#msT&SmCAV2-sg%@wxw((>NOVkvMPddFfR~!>ky+pXkQ55+|u(@Sz=RU9QX})*z zDVojJenk$DS|}2hbRHes7FnSi!mt6`EQQezQSG$#+KI$4UR7gD8Cl=s9Th2;|UL27~?vM z16LQBV0#&9k>c2-Hv4pcp&xt0IY?Mcj}vY;lvld6q0lkvnyc}U^&`fJr~{9_!_pz= zhoG6EPy<4KKEt^eaH)lt6oS2~GcLi#_NiXTN-QFlNUEC`X>*5-WGT1?hioRw5c$bJ zB_80+G??hH(z{L&ZPEu*yEiT}i{2ZDq3xNcu}wcf9CoVmr7xN!AI!!j%HqK8O@X*_ zp3ZUm8DVmRN2Q?Da)DBS7*h|3JmpL3tRLjD$eE{}0<*puC&=g}KgbE$bOio8LfUa) zEjyp-cl>IEcjhAZ*lfVge)ZO^oTFt0aPmgXC0cY?Cufn!C;~RGN?)vLF;XyTJ}56~ zW%utUwBo-5B5D_Xd=LX;$Z%mJQj)7@iS{xcUp>+g+ z;W_4?`etxrE=aK|1dj%_Ljj7O8ulJisgd;@Pr+uWzG^BKk zuQ-fCU@=#i6>~STQ;Wqsf;6!EE?NUonbh6g(Q%vp#*lNxfP3?r*a?(T5v+lz-ZHvw zEF<^9PO>p>6;|XKv66vTIoL-kVxW%TZLDOFb&B{m*PNYpKFlN_4V|5L#aDSFRxA zVjH5YY*H%gjN_(~7P)UTNBF!AZ9d9kRm5y&CB1Y4*3litxW^(j7tyHc?^2AG@LztN zH+52FqtgVN=m;I6lw#u%fn}_L(j7dS;O5 zS*x7Ii9aXaUU~eOMB-xO%Ay66HmRDu4+kv0a%;lCAa!+$D9hsQTA`69)`LeC!O^M9 zJGV%73&ukagkZ%ZAQO%FY`KF|XBQWU500)eQdLYWB-s>nb)_;n&|PX}XwFI5o5zQr ztE_z@6RY#rDLq_)D(m%X#7Sy?cyZ40<0frW-E+v)Rx!}2P-qg_bmUjV_X|1Y9n$dE1o48kH zxEp8hzmGSO%n4IM1ZQo6#i$lMb*Jez7Y;+a9A%%x&U0wDv<>&Z2eQ>kzRwc7Ig4s! zPrtjB2$Q#OrFjLfTS8l4DfxPV+WLaouF{ZqL?J9N&)M}%^3>g9)+2N`BUY~{l#J!5 zo`ygA5jw66=CC;7-YQ({2kOtoE6gnuz*#utPc3(`rJT-$Y=r0UFnq`~;!^D*-fE35 zB-_1U(3QdS&cJTDp^W0x>CA;~puJuLu@J_z)In|Qlsn$Fn6YGk5$%ow&5?1bSGz76 zW*O}ug02i+-YZX?`f2ilPr54<=X=<{090(L61kOJgl5&2!;cvs&52FbWB==-*+?_TFO4@elMo`P_$TV`t7KNz1me8Hn=R2 zNI2^&@?VP1I^lwcn*u=p7iI4pCE5063#V0Lf zZ%GoSSiIyA<(w^&mn0k#2(>@01n-gv7TR_c11M}&om|6LZ@G$SW`P+N*ny8jOVU+o zXqhwMezm!Z2&1OjqcF#gWvf)de?Bey!4aZN1p{Rdm#E<*tD!X>spY&bfdxj(QZCs>bM+!T zKg>KVSUAdS56%^40}aPBxC!#~&7UrBV;_+9k%NCsAm>pwcHihK#n9nuqnNgXx_iRkDImc6Nx8TtyVX`vwO{Wh_~vGbsQ=flcku!$#a|&;RHY>b4WuvarDK1 z{%(hKl;1yo^3UZy2?FclbF*ad`$p`R(pF5*hHq{#u`;i{{4%EuJ|LIBql3r~;$^AN z_x{blO&;{Q-F_({%f_nQTqjPi1hV^DC{yqB)!%+NmF!3S?Y0yvCfOs4XBKawSv#IAhFPq#xjSZQIQD|0?Yh{@Bp~)xnYOO-JLB z9sJ@x8EAUq*!3@dV{JYXY;GBPNt45qqrhmVqm8%A99+X=mjF@<7R>sAx)&F0xY{Qf z)+cFN^qHGC+uQo0mZF82z1pxU&*ypll|y0YlFz}F(%hBwgwUhU!Sze zY2eq5S=ud9U-x5ugEA~1X{G!`PrFvs&DJqUdaY87;f))ZWW_q)Mb?Xf`kMgcwVH@; z&M^^`R`;99@$L4B`NWG)kbr_Pz>o`C8w+hMW6NSaf0A!1WAav-dQaX}@?U8! zaoFU+;#+Cu_YqkQjE(6okkdPZGA*>BmSd$iTC+lcOE(pm?e$2>Ryr8^X|&g) zT#EHI(8I;`Tg?|oV^OJ!fF#a7?=ziAY!I}jMv|77ezW^6X= zeJrdNHI`EmuWVXucXTXRNoWtL4aA_-2nG5HlF3H4L|eHqxeS5HZQ(T|+#85rU4z>! zkx`={lE!a4y+7lPMB+c#9Bx^ z?s}J(hSN<{FrmHAaa-pZINMgticjZNzfR4i=L_vs0Uq(Ltr|MKTciuDu;lCTm|vv7 z9$SKfC|s1p$V?{r_1@|)w$vBy+uPgtel2{$u^@}xOmE~+3Rr?3?HKK8hZhGOeg5|D z1};C4vx>7S*Iq@UFXUNnJ4Yq~Z)At2NEwi2(bBVBA@aQNM|5nVv~vHw30XOs)l$}0 z%O*~#64?Oi1p3UT0veFTm?|%w@q2;ZPF&2wkYoaDbzv1H=B-H5fA$+DHD&99t+rm% z9-R!oY+}Lt7Iuxg{s1PzrF1Lwl6V{ZFV$j`R<8SEkV!$1bxWioEnfx0SOSl^xEu=- z6}Gse-^VM+LFEuPxkidk^B9&MMnW<`hoCbR=v$4kEsW=>DvvL`2xpRV4@&I}lBAF;K~<6Yyf-%M(&GP&>_69*5k`n^>` zb-dYWTole%W#0gVVd5{drD5q>u)Z7S%*zT{8VfrRQ^!&H%{%xM+l7HFN_Ovu%J-|B zzG3%~YjQT)AIZBJeOynnSN-r-{hs4-E&-Q+qJTYfXGK?SMm&r9N@g21^Le|E0v6a7 zoZx5sVTyR(Cw;cxB$|}KSZrmyicQEi_z|O`CQ0Va+dB}Vjm?y6dA{=ng(xZ3YkVmt zTtz$-Ss4Y|nhULy3qpT_MPDL*wQYmj%$ZDp8eoh>36q1!%N$3vQnhz_Pv+DYc{jty z=oK>7vObILqh>X~5imI7coN^qG6(`6bo8hjbnd*kSRX{cNrk7+WLGVFW={oduqmbJ zkSG#9h2=l@*E<*dF;N4vVMee;YyP-5;8eHX^GwXTq~7RF!81DOCcQ|WZ!RE74<=#v zirvLkc(vK3nQ%ytXT5R>=2LcT2gS-FihOvhEiN!zATXcdASl}wGd%ad$ZSi(;s3B! zcUW~U=ZpDy75!WPImD)>?&WRkAiOQHR!m1By79Q?)_pCyyRcj{dv6RKKFAZ%Lz57y zewgFudrCcIJ~*BhiBbir4PLL6;Yu@!3`Oh?)KsmffnW`Lz=aqnJig7#?Q(|MHVbpW z+BLblD{A%hP-ucor~nc$Jhkui{bnG3kFUV-GL)COekeVbsL4fFxfsksHY;R|>eJ*r z-wMa<=*krlzs@xI^Q4Wf3TH3;ndwCH5L(=n=smsZ57%{1nOJbXRrQOC!0C-Lcm4)O z_*lYK{nTbwp7ULFwkF4Bf>cDv>c=S!TWxcoS2Sw}oLY|2r}H&!Wo_!r3(OzeRbU$? zbw5|;e~m2IN&uwN)60$a+aZ-L{Shmq13L4ky-6ZYe{Xs3Gixk-8_s4wR}feSx-89u zGWZjgd`mpopr5@YwAV!)o^y7VM{>?techml%jB$^7-g#M3k$u>@ctBZUp4mX6Elr) zCX+OY0HfOu7uT*+{FrebEq}xnr-!^xR4jSdG;|1M=o>_IUe4z-f5?6KI$~(ik@g~u zdx83-N8l|ITpfr!hGPB;Wjn*Du5yIN@$ry^=i}t^*0=+7K;X;i$3AdM|MO;7^THKh41~mztAQ5F$-8oka);6C)7!Gva zSi|2$M+m{$B61@oM|54FRjVwNZTIqlpJaP)rp1$Z~{6&ns zaXwrk3Q_RX)VWYaJ2&tmXZZ?6=_VA}-S%~n^5@D6fsEV9Lkw9@_o(OtU?WY_U;k2V z1chqgLDcFf&HIM$Vp`d%QXQwpQmc1QQ^3_SN9-iq&}?R zq(m26!unwP8iX={umcO9a@%|K_2xnlWOBSgXWiIv^Fo%eSg)}Xt1 zd|<5>59uOx=Ew)Iswna!ovGd8Kd}aTR&aN9K}h@lGbEKv5oAweW(@=^W>z6!9U?7V z@3-gCI|%k)eYg;Y!ZNa#JQffR(L}DK62_Qh$hW%AD*5_3$wX*o3MCS`PM!kxUOfKp z{g)VguKw9=0^)S-gNmyle99KEnry&2Jb6t{;nI!l(E_V*1d$EN#0heCG6bBb7*lTk zMC-{h@;vX96l#J8#szrGWk^xI%FNCoxGH)WqOtUePj*K*b1imBqlpF%O01czL^gO? z@fu(b5P^a73jFJV(poQ1R{dlO6Gn3(Or^^3nAceA7uXu>c8WOdIFsA<4Skg> z+Z`6(N?12dLrX`gV(ll@A{)Q{B%!8)5gb;jtZwV?F8g$CiM0c@oVl5#2*+Vra!L*n zjC;YDhQlx%T0P8ciiGlkZY@acVeY33MX-cD)pUdMTl-hI1GNz~v)^`lSKav13EGw} zp9?UItZDn}wo$D3bxS{0!(Q9>-^M3YNS|qF`17=0i<9Y+JS*I;p}qb(ga-SpXJvqW zL;ZVFdM-kT&N(2FKMWiQNcDe|l>Yxvee=`U#@X8OuNoX>S-_eE)WNC2Jr0Hp9ifc$ z7ML>)$ku>zB|TV>+G<>cug0Q&yhXaGNl9&B2$j&MO>@|8Rj@){NbjANN0&!T58~1D zpCi{;Zao^ElJpBP=v%VBY||uhHfEvWUa8hJVHhX?_4zsV0a(eK#qwd*g^r|1w@Lb3 z?ifSVYQ!_}d`uYWmm2nc^Gpb@u&Lz(jFb|Ue{B_%4)V^?AX_+5DjUt@`U>0EYW1}l zcK7#`UTaa`v(~ipQ>z*Ji9O_~V9qvD;D~*@E|D8TrBv&SkKMyZs=&lk5{>roV-eJY zD!wU?LGLaZ;qa@n>|rHl?~hs$RWK_T`i;s~$u?%bUN7T&tfdWBBwuUcu7O4ePlwwOoCFJad(+~|HR=_#zl3iGasEH8FIzj~f2*JTd*MSYlO>>VB-r&UJP=MY=VqNu zn6VHI2S&14F^D+Z8ePLw&H?A^E$d>apdc7wmiX*`!&CkU8*8kRVcD8i^=TANl|zd- zNnyU0t{e)sKB$sS#y_0W+2)sX!@klACnPAE9~0p>Ci%jrRh)ZZM>FqexLTnV{?4p% zs&nLGVP4T1A3dBRL{{V!N+Cg7DVu_z-;R83znuBC<%|nTz zxA&k>o=)nd-cUdn+CcNy1UHZzZM}P>zR@w6W%m~+9^oV5g+4923mRcjyxlkT z%fl4mD594b2af%Yk*V5()oR*156pw;{@%NED@}Y3$&Y(;4*9{{YkG6`XbB;&Q1lhL z*6-v#n?hNbsRXlho#a>X(k(Q3CHCBQn;x;=N%1eF1PZ)S2^G*lKv(KOKw|&nnK1r$ zA~MIH|1m*-{gtNuWxLjd^0na$zVoi-CZlIo zfm%TIQg~z_^h+WnaqOsKuVXBE0Cm;?0arM2UKlB|472@|5aMCi4sZk+tRzOL3{s=X z{<2!}i(yQMam8~EJ^D^BM z)iiRwVt=Bijtm3PQ!xidEHLE6xQ-TOJvqj_cRphi)B{e9oJEQ|V1G+aJa**Rf|dt} zwCib75{FD91&Lj-<{#8JGzf=;MB-XvYI=R20uqT#&15@& zfJe}wdNXsRX7!@vO9v1GKzU5qQj3*m;70_r?lL&!#ACo911evCLOg;l>b#Qb-lET( zWv6Q3OC}A{_SY~&hHyqbZ^=xIA|qLjW0UY0CQ=cdrR_)mF@Mhpcq?50ZVKY6FDKV~ z6&?K(`OU8ctdqGP)TMV(^X zh3WqGgI$$1O9%lrxi^$Z3uWtwNv-R960N3OrApC~my+q~{Fp^gHY;q0UC~i`Dq-*X zf>=bVzz>H~WG)cD33N3wrwK?W+45>CQ`Nw>lXQoNp>MExlLoGT%tZA6G$Y-4Y`+RO zJWUT?QL=V@b@%x+a1qosg(WvAB1GZmpibQJ@2F$$oReG1#!a&3MZ3Cw&fz!|5kYk) zLv&88Gr>>{Yb%*c5evw##V4j1HWI_a0~rP#liBX&`hf;g*a`l9(dw4j&dgSa|MkxW8T)}?CuT)2JrdSb;5vlxmg?8rrQXWkyg2jo0wA^v2 zs`N&jiWTfmoq9zDLlKE^CY{PCQ=){hK4~ao|afWO&lVP3qr(hC( ztZ+o2eE~89v!&Hj*0H3>Vk2BgB{BnwsOcc!(*ad!P*HJiWbVI$B}#v%|LhBBq0c3- zKQf|Uaro>i$&?sGAbSEsNdQW{6<6Arj8|S(v->?}a8~>@C6+=qF`5K_BVn@`pk8ZW z^Me?`AlQja%y>sry@67FZ;ae6@|Iv<}6t@_WcMr8#yt#@60mM%OhryP4 z@)ja^M6IzjF+p~mtO9G0u>rOURk6(Tig)@+T$0b4#@$mCS5zjpOMDrPj|!(++pw$t z=)4&yIwM_*q~) zS;^H5A}Iqxzr4R^$!Om+lCIGWjn5(B=AITvt~r!6m3*6Z1BhRWw=7TsyU_A18y-&G zwnlXs7O4c9%9_x*Es3@3Si}aY4FdV}>{rP=X{v#T4$E%*F{5#83KRY%T*tXyW^jJ= zIxELwJmvH;BinqzReAi~UVV)@cL?_ZORH7MiBOCK|Kp(N!7rm2a$F_#o=x3khREUZ ze0y8R`O2A3fLrO=t^6t*LlJK^QR?DH`>I?g0wQ#Y@?y!5sq}M;zC12EbE8_KyHDLo z@D-MCxh_t-RLcZS(R`sE>UeLC*k0YdVdE}Detwm04&s`tG+gUft!A(Gm6`=C)>au? z)ss?ehGQiB+qVdiowg3wI?tB|{`yjysvf7eL3dE5D9I-eC!GLJnj!+=-c}mTyEs7w z>^}M%iNi?)#6R~rvWS1Y$N+ce`ya#k!uY>&Ju~u$xjg>5oiCE0TA#Utj0{-kf>?Rm zz@Xo63m_u29Q1Jb!L6*^y!85qx^?a$c4Aqnt&k;$50?`#9Nz>GFg$Bs2jDZfmjtaq z>1`Ez!&JLsMS1M!i}PpU-Re8|BKq8Ki~sN2+rTGTOwxhZ&W|zB&V7CAEKkqHz%sp! z?(^9_uIyh&3*i~IKy$#5hA|)~>*!rC8Z>gp@PfEz)tGaW<$;GL#ut)RLBq_ORj-5H}tnGYQBSGZ3ADmhix3 zozbeBAUL}-Oh6oUEO9e_a#)7mo!S4{6?#3gh=KKgS|hiu{ouWD&^gCnJEYrO){%QY z!MFCgIJUYgZ|}Fx_gIm`WPrl4dc(qnML&8EDKGu)+&JrYVOEGMY4eHzted?O(LC}| z;Im#fyBNyhkU9OQmuLE>j&@*N0xH3O#%|D*@JoinHY{hL)FJ7U1=b zApX~yNq-MG{KvtM;qQmQ%Kwjv6X4$M2bTEdWom08*#nWtuH{Htwp`{i!g+{B7syJ` zx3?!$qMg`Yod?RxU)u$YYCe$w`QJ26&6_?Wud*tk5&_9mUq)r?x6ulIx`>S^mh2Da$>W4YS za|9~doXC^Q@E9F6P&WYR!2%^(PnAuzv zAnPAacrDhAy24hd+#Mw-%=>N7LLRN7-39pt+`tG|A^d)5nA}%Odn?f>&aVv-*ai$;h zaSj1;6)BkJ$%E!fy}FGG}>#`~MLDUO}hSz+jKhjL0r$3M9%G}=orF?^9X5kyHXVOM{0 z_bm^YPAXu_I!Lom8*yW6OK9_0k-6Qr)B_Q zpC1bc>!j{{e=JPGLSGXS&t6kR=!@2F7u{;`8Es10;0-NY)6I#bQSOv51cU6R0 zUB|m3P;8j#^l5wAgV6@-De_B$GO zM!RhcF*9u5rEKtEf7q=_QZU>V zedK%>kG~bBDcx!FTsG%!+|2L6oudw(JHU)vIh3ai`&yFRy)9!n3wXg(6u=dS(ThV& zs@rS1sadlk|f!0jc*-oBKBs%)1#nPbxIqk zXRuqQa$Ea`iEXW%$hB`6-8esf|NAbTyo-pn3!ucAmIngT_#b=i|F;<3zdG`GmbPo0 zx9z^*u|74OzY`nOw=uff1b(lb(Y?aVt%r*KCq`tp>9arb1p!)igyXh&3S7#&I3bp|I~y>* zfFgDS|FO7&e6oDph8;p(WQ>9y>`{MUc)K{{jEMSY997L9zvE$LS%7p^dZwp!Gy6~{ zKiVPLf8otBV)w!Nh7$#tIbDIyo4Nk%^<#L zN6Qwd`+uUZtjiu3u3wyZ1#NS4a;}(TXXQ}5Ma3ZQ4~9h%fVYtmv)8q;%7nOuw_yOHlgQ@udZ^1i}{z$nUT;#71WX}=noe}83UXRDsU z9i%O|yFdZp}=g%ii2B8#F% z*Bk2WiOFkPm3fq`Z$?r&EP?b% zu=0EGr5CBGuBa2xkrV~=1BKVoT5!QJCny%7eki%A>KY^&`n$6QP07u|>Cbprj;CXx zjj;`Gm#tbF4xpYuMrU_cAzf1iKu!jQhy=<_x+i8ccL+}V)E0#tCpgH_vsA!G0GLt| zscb}|hdw4EK|LFCc^?OiBlIPtnk*h*DmJkjb?QSD=tQ7~-8=eD!ZZwHdITCBt~Cj? z1JCygf`&{fx4;HQM5zbb~ywhluB|0uK?{-W=e#}<;;Hx zk5`6p0#sSw&YQ!ZD_w7_;7wxdPHio5K{;S->J@JvW6$izI18~A2ahQUd`~Yp7}b(4 z^MJnd_mV90q8X2GExGRqNW^%Oxr{ab@;wQ%ssHnW+9>aYQP4VEL3)(8Oh}d8<6FdSJbSxW$99uc(K=KqCq~)jOuF+SrOWK$vsKteT zXO=x%I5{bqH%bs6V7_1M-%ebWU4WCYY`MVi#1e+!Wx>9FmYvig!D8#j3QeR_!_em| z!`vJ#3!{8U`P>*cvwSx2%8>Y(mjYH55lJd_9O`SQ*O?`e6kV#y21If-5=2+?r!}7m z|9*3t-K(g0a-soSvhg=q`pCR5<(CI%s+{$$E-gMeY7#gnJFh*3>{}8l4Yr6zMzz#P z1QK5QL9V9Bo7Qsv(NtM$W_x9EYu8Nv$%~M!lRET1a^@bdwK3vhvn~GZkHU$*<+Ys7 zp3>ln0e!^u0$!#Bkk(MnO*p(5u}5-cPGL^^h&b`Gse&`?W;kLU!3Nd z%7JO&qHCjJ7#79Nw~gwAdZPy;{qw~9*iWX|dva4wNqdT=6|`N^6*^`IM5yVwxUD3@ ziQdk+cu~AqxS2Th@en8K%9}vLVZuC4cm0SqCU&0316EkJgV$^Q0kbs3QTNxv_-?l8 zo-`Kh@*k->p*-Tdp&!694t!V}Hp9)b8bZmV#AC#JW?e>622lHVG*}cWvy8*bkHD@! z2UpaX9#tZ*I>MP)Eu-ZYp?@N&bC2LS64c{rjLgvI>sJip`ocv#x%6!%TRtA7+2&~P zQQ*D(ne1|@uikK4neK9#FWYdENw6Sn zVKI?;TPMW zmG*|9>G-r*8z)4&fT@(2t|}97W%2UdW2p`Q(ClJqi5&x@?I*3Wg~XQq6I`NI=Yh2t z-Hfo2!zQJqYm+(qMMCd-EaT8#HO8Nn=tF}ov94{{IfLVyXm8Tew-|GO)k$7#sNdH3 zbfdgUgz{w=DKJPrh!qyfCs}c?JY}E~ZnVD3lf07y!6L6iMDI78P0hossT>&HKgE+L z3ZRY2D-0BUt#e7p>Drhf8Cpwu@A{-D+XStS8jj_-xGA`=t!pYb^=kPX?N8b?BH!l0 z6UWNpu#e1nYD+^i;|gCjY2w7b)iO`_&Jk;Z=B9p3C-zY-pY}e2Z)g6tW!dJU>GYM^x;gE2Ytg41dea)WD){lreE7xadp+H9pEplIQ1&KTc@^Dc?J15; z+=JkTZM}@{srC#>?w=`F?I=+8g|PVLBpYptkt&Aq(KFOFcRr`@rG=&|SQcl_acfI| z&eS)jE;_RwymK+Kt0_CJ`Q0~8LVx4ra-XX)_)YJ@kyr0adN9(nXFP-`+0MFd zny_-;#BLc-t6o;jACD|l&+-a<)qU>es_vRMNs*1=UyZ$>lVh&m;%>fKw3E4^+BOG1 zdfMoR!>-_FP=Ilyk)6mlcdH&2aBpc{7<%!%{-=ZWer2ViyWw`+Gk|Z>5kPJI7sak6 zr{mB6^CuS_BRwlUBfXKiqZ6IEjfpLTh^UgVqT~-{NqISX2S=w#Rax6TcBIZbHKdVV z>!vu4bOH?EN4=KSp<@#*qxw!K*pwtO6yz{8iLtP|vo{INxI|9yfIKtj8c7TOtq$x{ zO%pLK9nLPdbGVy>V)X2d&Sq#nPDNDX4i0_Q_k6Btu1TCtR)rO)&hYUyd?UM!%Es6Axi~odg)$sbKe)82 zm*IxQ^<$5CB@@idPMIViifIxTb>z6dB>I4f&*bHw88$*9iN#$8hIMQ9hTmhvK($L@ zK8{=y9VfiPS>8K{rBw+jG!1jv6cs8`d8}&N_DZQ{JkS~5b{qkXE+EwXwZQDy+d4;y% zsr!D-ex06-VhXO%)f;q>jxVl7`TaF0JWrc*6ER(}t!yob2o=H`kJ*lXc;cMbLjqe` z$tPAtC^04H0NjwHw)h#{VcF#Ao>=eP`ql6?snh+D(Phl@0Iu~!j6b9aI=Pqg!|Ob0 zLe*s9cV$QK-TgUuAS~R)(sAX)Y=4Lp7`o@|7J`PTA815ni7`Pmos*BsL)CW}mI1dC z7}~eT&T5GlWZ4j9j7u6t10};-!|2FZi0w3P{3A!W$800t^}}{d;Fesm{O2<&ruL| zqU1YT5eNsccx(rDzb5pzzMRUeNVhdba@bT^f9OIG%q|gn?Lb&1e>9M92mJ*X`tKe+ zw6jB1^yV-lu30vG+j14C=Zy^`4uUuf>K4r8MsKMa`Av%!eCcUfeN{45+d(VCIW?zVB>E@fA&I`%}&iWdDxizA`k0F@fH}1$)GBm zJ)CV4=m*xNI{nNC%TN6HPbph}Z6P^~4QSbb+y)WAHbV2?ZXwpjPWndrPWto~jS-;ygq23tXW@(=A0|EAhwH8I_l-buvLC#9v(^Q{Gz} zPaCG$1vbi3kE22|4n$pJTATu?nvev85a@@b7_jzKCcB_HakfDfya60~1I)Ovx}c~- z>{+)AV}~h78R|Huow8WyA^x4wxzS?^tr#>1XBDSi`rZTH*I%aBC%ZD5H<#MGZ;oMV zGTIvO{0}SrMJVGTBBPE)x0zL5<=7|h9X}XiH9Y;Y)|@zM9Q5`vGQB%+ zjAm4O&y2lVHM*(V(`R!#&IU$wW4)(z`ThhH<)(sxX{^v?ay5yCf2C&Kx=Tr&|KkGT zeqF5EHo_roAg26YE!saJQ|acJxp0%vSoAkXec}UQ6A`PVS6Wj<`$x?_PHs-p6;hRyVbe{N(U5bc?t`f>?%Mx} z>isWpmW1yJ+5q6cE)u}?e}4|CNr;Ndz)nlZPR_zh(@{@NOxG(iF0gDn$WKbsNzsln z)G10xjndMGF+i3o%rMTdu+Ol}?8A&rGt55FF2PgMNllK*)G1O@QOh2{NXj%TQkJkT zO^yQ?RAeX0_jf`5#kd(EcdBE6vJ4*r5D@u)Yn-g8vY?2dvf!kemhBoln$J-+rvO1m zWBfYnpeht4!WaiKAm;z&s==xr)kV!-sh9kVJaaVdS z)M(80oBaqzRg1*gwR?D;qr{Qp&raC^4vK_sJ<9-&6Q1AN94dp8%=s*-xYiF7v&W@O z0Yf;LWfF3QD6ETZ4fpO!Nch#FS;tbOY}tF2!H$iSA^ojR5r_1X&TMeIA?v>J9SNCW z<6==-X7w+R>gk%emmMo^>A%9qnMppC8G1h*7w0^7&Xo_5LPDp>m0UC&IOdDSjt}4O zUIuNCth6004`g6?ZxwidDK01eh_1qSjVh$gcTJdKu+xok%F8hzg27=6Mx(~eau`H> z`rx~GnB!KMEh#C8Tk0k39CR_iU%!TVa^ya+*zEDnx^sZeUnD5-ac*Gne%;%|`+hNb z(=}Whp3vRak~LFO73Jf%R)^I7m{x1b$(uQo1G&=+anFB#XK2;-JINwz%hS0QOml>8 zpdNB*JYiJ1fOT8`gB6F-#m-KE;x#s-2*O2woP3O1Hwg)PRi}t`seQED5fY3KBK|f- z_x$lONzhGvA|fD8gvhZOWmzdioPwGGH>O1%gp$4QbsqF}eH}VK2({@hW^(1y@U?T! zu1cBZW7ySt4uiYdoS{2Jh%72tmI8&j*qp%@2SaCNnrB}fafxk+BVYI-J^jYc(ek!Be$nFAT~R>tQgeqrx4Ff> zIuVKy_Nm_ZcD2o}tm&}{FA7Zt=q@jq@QANO_hE+-U?ryY{zx6#I7&@_Ug4s$WlaEhDm1Sle+pWYoFghj zdd+L^T9J#`hr&p^N(*UH{(Nl-FBsVHLG5Gg`pukFlyCs+grhv;KD44TLB;KV@rSk< z7ue9g!~NrYc!kCy)p4bW<^^qzoHelO)qSIq5%E|$u?Cjmnv%~;a2rZ=?TJN$Ff=M< zIO{4nk7pki*j4YQM_MDu5H<@|g?=snhj66pBHTE;_cu(T7Zf^~6dEsih4(6v19AKl zR`}@hv4-+#g;igJ51UlmpH4lAB{P#JO^6dkk4+nj`5Ck)4y^duZZuX(h9i!7Kzjw6 zlfY1CyqrKD+daHEC!IC3*r0mffN}S)A~_24OXkO2rrZ$hz+$AdYiW9^qgp}M;rgT0;HW|`!m0}EjxO!=b-|*lDmYs24b1G6ET^Xk zc2Z{xWNY=cTJ9CaAz1eYag@l@;~A=(maRZBJ`T2lnq%BmQtC7c1tcYu!(PW)boOP{ z-w0ZjfKnWs8`MZHq9`>Tstdfn!b$2BD*ZA|myYG9wG&13Z%3bApc8e@*JsvTrglZNwx#3c0~ zh5i|P$XQJ!C`%Cg^Tx-tW@q;}HZ-cC06R3H@)-2|3*tISh@hh#C?<>!$mD|7Lv`og7=0{!c?cS5#2delJ{?Us9joFIqxsJ z6!_ucnPvrjy${GB^>yw%GJm4$XtBg&^7c6K%9qdNw%BH2i8KQ1vxHd>cS*O!>$)?pOn2Ja9wr@##=8IMD|ErT2T9ND{}PEcjG= zDa|~G;qLB_lj6vC+R$2&hEQw`I4TUwZSrS8^*@LN07hVS;dNXh7tpauk0tBsd>#&9~To{FD>ApRqg2n`k7$h>c zk#)=038RW8KsRwV5u_aNpnCbKmvgyB_&Rp}r|o&0_DK5D@SG53ufakHHY`jK(@1*k<7_aIg)cTm(65%b<)_V5`S?`cY7(U^SfxqV z3-d%GjLEr{)qW9eKd48gH`;EOn{hZf%q@AUS({cKAt^WiSiC9=_ZG=OjZ6B$URF&Z z@GR$jLOhC1?MB`Cu1fhDB^|iy=4gHA&m{dg-{SUg!#fpklTDbMkGS5f#_WfLy8%*QYd_n3NFZmyA zJ{@VFmdWkIOl4?7Q7C6c2V-8M-hI9AZoETXg~VZ?5_JFpL2VGEkeuw(&Z`mmg>p=l zk5H}Zfx7+^LHTq~+bhdW$_Mk9A=N7Ou_2y6uX`QM@G{3&m|#L-uENLp-o!!m7dl#36ILY2ms1@!n zQdYH*n(3R6w_$cDeZES<-AxEVUbHFrgum2Ix4?+`-A6@nN#X4f*}&^|-JDDz8brvH z45je*SZ#W1bn0{%$f5kJKOTE=v0j9{1iON$j<*}ymVIyf+$|;AsLW53F`T~3aRuYh z@Y{JfM7!5n)mxB|-F`^qjOG$4N0=0s$4Qf4LHuk#Z^ja3<$L0n5xO8ozgu0C>4%J54?-}y9 zOknM6zOnHQgThtMEG#GqP01095A9N8Mlh(|lI-@1=q;qOrW!z2dTDtV;8Z8c6C*JLHv*g20;V;%MFAAN(19d7$A-68{pf2e--%u z_357!Z2pt%;=h8an5WuK0l;)1{>|6=53s+=!u}EL-!yK1n&=xk**drbvhn{F)8a!) zh8=+E35ZY-{5v4vy}+Lt;MM&jrirbCwZ79oV7ZHh!pj1%-T_#6f5R#ObpIc*%#5w< z{sBqdNIO0jfD!@7Jo~#o&XKfzeA}3gdP47%GuG$*7_fy z27rA!Appx06A*OZ_}jR-0)Axw1O-?fPBz94{}I1;WDxXlb}$w(HUWs_89V$#Be4xw zSxW%R>NNi?`|;n~De#{IL}C6XjmXMKI~y1~*cbz}FaM#TbGs?0R>1gL0G1=mzqbN- zFYpHj)Imt5@epMrZT@@z84cGKY)p1HZLxT;hj|0ky z*dRVZg~4M@%~=_;i{~qeos)s7N+YClVTyc|8OAQXfQ?8ymJ(L-AD}`vLA;*%#mbN?@>?#Z8rd*9yk-Ha%9|K0p?uj%0!fgJt?Ct-^mv uJ{IIu90Z$v+enkd9Bc9;YiORm*fiq@*tMmq+$dEl6Y?ID8<5kt=-V%wG`o!e diff --git a/testing/docs/test_authoring.md b/testing/docs/test_authoring.md deleted file mode 100644 index b41286ba66d..00000000000 --- a/testing/docs/test_authoring.md +++ /dev/null @@ -1,142 +0,0 @@ -# Test Authoring - -All partners are _required_ to author additional integration tests when merging their extension into the __Official Private Preview Release__. The information below outlines how to setup and author these additional tests. - -## Requirements - -All partners are required to cover standard CLI scenarios in your extensions testing suite. When adding these tests and preparing to merge your updated extension whl package, your tests along with the other tests in the test suite must pass at 100%. - -Standard CLI scenarios include: - -1. `az k8s-extension create` -2. `az k8s-extension show` -3. `az k8s-extension list` -4. `az k8s-extension update` -5. `az k8s-extension delete` - -In addition to these standard scenarios, if there are any rigorous parameter validation standards, these should also be included in this test suite. - -## Setup - -The setup process for test authoring is the same as setup for generic testing. See [Setup](../README.md#setup) for guidance. - -## Writing Tests - -This section outlines the common flow for creating and running additional extension integration tests for the `k8s-extension` package. - -The suite utilizes the [Pester](https://pester.dev/) framework. For more information on creating generic Pester tests, see the [Create a Pester Test](https://pester.dev/docs/quick-start#creating-a-pester-test) section in the Pester docs. - -### Step 1: Create Test File - -To create an integration test suite for your extension, create an extension test file in the format `.Tests.ps1` and place the file in one of the following directories -| Extension Type | Directory | -| ---------------------- | ----------------------------------- | -| General Availability | .\test\extensions\public | -| Public Preview | .\test\extensions\public | -| Private Preview | .\test\extensions\private-preview | - -For example, to create a test suite file for the Azure Monitor extension, I create the file `AzureMonitor.Tests.ps1` in the `\test\extensions\public` directory because Container Insights extension is in _Public Preview_. - -### Step 2: Setup Global Variables - -All test suite files must have the following structure for importing the environment config and declaring globals - -```powershell -Describe ' Testing' { - BeforeAll { - $extensionType = "" - $extensionName = "" - $extensionAgentName = "" - $extensionAgentNamespace = "" - - . $PSScriptRoot/../../helper/Constants.ps1 - . $PSScriptRoot/../../helper/Helper.ps1 - } -} -``` - -You can declare additional global variables for your tests by adding additional powershell variable to this `BeforeAll` block. - -_Note: Commonly used constants used by all extension test suites are stored in the `Constants.ps1` file_ - -### Step 3: Add Tests - -Adding tests to the test suite can now be performed by adding `It` blocks to the outer `Describe` block. For instance to test create on a extension in the case of AzureMonitor, I write the following test: - -```powershell -Describe 'Azure Monitor Testing' { - BeforeAll { - $extensionType = "microsoft.azuremonitor.containers" - $extensionName = "azuremonitor-containers" - $extensionAgentName = "omsagent" - $extensionAgentNamespace = "kube-system" - - . $PSScriptRoot/../../helper/Constants.ps1 - . $PSScriptRoot/../../helper/Helper.ps1 - } - - It 'Creates the extension and checks that it onboards correctly' { - $output = az k8s-extension create -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters --extension-type $extensionType -n $extensionName - $? | Should -BeTrue - - $output = az k8s-extension show -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters -n $extensionName - $? | Should -BeTrue - - $isAutoUpgradeMinorVersion = ($output | ConvertFrom-Json).autoUpgradeMinorVersion - $isAutoUpgradeMinorVersion.ToString() -eq "True" | Should -BeTrue - - # Loop and retry until the extension installs - $n = 0 - do - { - if (Get-ExtensionStatus $extensionName -eq $SUCCESS_MESSAGE) { - if (Get-PodStatus $extensionAgentName -Namespace $extensionAgentNamespace -eq $POD_RUNNING) { - break - } - } - Start-Sleep -Seconds 10 - $n += 1 - } while ($n -le $MAX_RETRY_ATTEMPTS) - $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS - } -} -``` - -The above test calls `az k8s-extension create` to create the `azuremonitor-containers` extension and retries checking that the extension resource was actually created on the Arc cluster and that the extension status successfully returns `$SUCCESS_MESSAGE` which is equivalent to `Successfully installed the extension`. - -## Tips/Notes - -### Accessing Extension Data - -`.\Test.ps1` assumes that the user has `kubectl` and `az` installed in their environment; therefore, tests are able to access information on the extension at the service and on the arc cluster. For instance, in the above test, we access the `extensionconfig` CRDs on the arc cluster by calling - -```powershell -kubectl get extensionconfigs -A -o json -``` - -If we want to access the extension data on the cluster with a specific `$extensionName`, we run - -```powershell -(kubectl get extensionconfigs -A -o json).items | Where-Object { $_.metadata.name -eq $extensionName } -``` - -Because some of these commands are so common, we provide the following helper commands in the `test\Helper.ps1` file - -| Command | Description | -| ------------------------------------------------------------- | --------------------------------------------------------------------------------------------------------------- | -| Get-ExtensionData | Retrieves the ExtensionConfig CRD in JSON format with `.meatadata.name` matching the `extensionName` | -| Get-ExtensionStatus | Retrieves the `.status.status` from the ExtensionConfig CRD with `.meatadata.name` matching the `extensionName` | -| Get-PodStatus -Namespace | Retrieves the `status.phase` from the first pod on the cluster with `.metadata.name` matching `extensionName` | - -### Stdout for Debugging - -To print out to the Console for debugging while writing your test cases use the `Write-Host` command. If you attempt to use the `Write-Output` command, it will not show because of the way that Pester is invoked - -```powershell -Write-Host "Some example output" -``` - -### Global Constants - -Looking at the above test, we can see that we are accessing the `ENVCONFIG` to retrieve the environment variables from the `settings.json`. All variables in the `settings.json` are accessible from the `ENVCONFIG`. The most useful ones for testing will be `ENVCONFIG.arcClusterName` and `ENVCONFIG.resourceGroup`. - diff --git a/testing/owners.txt b/testing/owners.txt deleted file mode 100644 index ead6f446410..00000000000 --- a/testing/owners.txt +++ /dev/null @@ -1,2 +0,0 @@ -joinnis -nanthi \ No newline at end of file diff --git a/testing/pipeline/k8s-custom-pipelines.yml b/testing/pipeline/k8s-custom-pipelines.yml deleted file mode 100644 index fcbfd8e3b63..00000000000 --- a/testing/pipeline/k8s-custom-pipelines.yml +++ /dev/null @@ -1,212 +0,0 @@ -trigger: - batch: true - branches: - include: - - k8s-extension/public - - k8s-extension/private -pr: - branches: - include: - - k8s-extension/public - - k8s-extension/private - -stages: -- stage: BuildTestPublishExtension - displayName: "Build, Test, and Publish Extension" - variables: - TEST_PATH: $(Agent.BuildDirectory)/s/testing - CLI_REPO_PATH: $(Agent.BuildDirectory)/s - SUBSCRIPTION_ID: "15c06b1b-01d6-407b-bb21-740b8617dea3" - RESOURCE_GROUP: "K8sPartnerExtensionTest" - BASE_CLUSTER_NAME: "k8s-extension-cluster" - IS_PRIVATE_BRANCH: $[or(eq(variables['Build.SourceBranch'], 'refs/heads/k8s-extension/private'), eq(variables['System.PullRequest.TargetBranch'], 'k8s-extension/private'))] - jobs: - - template: ./templates/run-test.yml - parameters: - jobName: AzureDefender - path: ./test/extensions/public/AzureDefender.Tests.ps1 - - template: ./templates/run-test.yml - parameters: - jobName: AzureMLKubernetes - path: ./test/extensions/public/AzureMLKubernetes.Tests.ps1 - - template: ./templates/run-test.yml - parameters: - jobName: AzureMonitorMetrics - path: ./test/extensions/public/AzureMonitorMetrics.Tests.ps1 - - template: ./templates/run-test.yml - parameters: - jobName: AzureMonitor - path: ./test/extensions/public/AzureMonitor.Tests.ps1 - - template: ./templates/run-test.yml - parameters: - jobName: AzurePolicy - path: ./test/extensions/public/AzurePolicy.Tests.ps1 - - template: ./templates/run-test.yml - parameters: - jobName: ExtensionTypes - path: ./test/extensions/public/ExtensionTypes.Tests.ps1 - - template: ./templates/run-test.yml - parameters: - jobName: OpenServiceMesh - path: ./test/extensions/public/OpenServiceMesh.Tests.ps1 - - template: ./templates/run-test.yml - parameters: - jobName: Flux - path: ./test/extensions/public/Flux.Tests.ps1 - - job: BuildPublishExtension - pool: - vmImage: 'ubuntu-20.04' - displayName: "Build and Publish the Extension Artifact" - variables: - CLI_REPO_PATH: $(Agent.BuildDirectory)/s - workingDirectory: $(CLI_REPO_PATH) - displayName: "Setup and Build Extension with azdev" - steps: - - template: ./templates/build-extension.yml - parameters: - CLI_REPO_PATH: $(CLI_REPO_PATH) - IS_PRIVATE_BRANCH: $(IS_PRIVATE_BRANCH) - - task: PublishBuildArtifacts@1 - inputs: - pathToPublish: $(CLI_REPO_PATH)/dist - -- stage: AzureCLIOfficial - displayName: "Azure Official CLI Code Checks" - dependsOn: [] - jobs: - - job: CheckLicenseHeader - displayName: "Check License" - pool: - vmImage: 'ubuntu-latest' - steps: - - task: UsePythonVersion@0 - displayName: 'Use Python 3.10' - inputs: - versionSpec: 3.10 - - bash: | - set -ev - - # prepare and activate virtualenv - python -m venv env/ - - chmod +x ./env/bin/activate - source ./env/bin/activate - - # clone azure-cli - git clone -q --single-branch -b dev https://github.com/Azure/azure-cli.git ../azure-cli - - pip install --upgrade pip - pip install -q azdev - - azdev setup -c ../azure-cli -r ./ - - azdev --version - az --version - - azdev verify license - - - job: StaticAnalysis - displayName: "Static Analysis" - pool: - vmImage: 'ubuntu-20.04' - steps: - - task: UsePythonVersion@0 - displayName: 'Use Python 3.6' - inputs: - versionSpec: 3.6 - - bash: pip install wheel==0.30.0 pylint==1.9.5 flake8==3.5.0 requests - displayName: 'Install wheel, pylint, flake8, requests' - - bash: python scripts/ci/source_code_static_analysis.py - displayName: "Static Analysis" - - - job: IndexVerify - displayName: "Verify Extensions Index" - pool: - vmImage: 'ubuntu-latest' - steps: - - task: UsePythonVersion@0 - displayName: 'Use Python 3.10' - inputs: - versionSpec: 3.10 - - bash: | - #!/usr/bin/env bash - set -ev - pip install wheel==0.30.0 requests packaging - export CI="ADO" - python ./scripts/ci/test_index.py -v - displayName: "Verify Extensions Index" - - - job: SourceTests - displayName: "Integration Tests, Build Tests" - pool: - vmImage: 'ubuntu-latest' - strategy: - matrix: - Python38: - python.version: '3.8' - Python39: - python.version: '3.9' - Python310: - python.version: '3.10' - steps: - - task: UsePythonVersion@0 - displayName: 'Use Python $(python.version)' - inputs: - versionSpec: '$(python.version)' - - bash: pip install wheel==0.30.0 - displayName: 'Install wheel==0.30.0' - - bash: | - set -ev - - # prepare and activate virtualenv - pip install virtualenv - python -m virtualenv venv/ - source ./venv/bin/activate - - # clone azure-cli - git clone --single-branch -b dev https://github.com/Azure/azure-cli.git ../azure-cli - - pip install --upgrade pip - pip install azdev - - azdev --version - - azdev setup -c ../azure-cli -r ./ -e k8s-extension - azdev test k8s-extension - displayName: 'Run integration test and build test' - - - job: LintModifiedExtensions - displayName: "CLI Linter on Modified Extensions" - pool: - vmImage: 'ubuntu-latest' - steps: - - task: UsePythonVersion@0 - displayName: 'Use Python 3.10' - inputs: - versionSpec: 3.10 - - bash: | - set -ev - - # prepare and activate virtualenv - pip install virtualenv - python -m virtualenv venv/ - source ./venv/bin/activate - - # clone azure-cli - git clone --single-branch -b dev https://github.com/Azure/azure-cli.git ../azure-cli - - pip install --upgrade pip - pip install azdev - - azdev --version - - azdev setup -c ../azure-cli -r ./ -e k8s-extension - - # overwrite the default AZURE_EXTENSION_DIR set by ADO - AZURE_EXTENSION_DIR=~/.azure/cliextensions az --version - - AZURE_EXTENSION_DIR=~/.azure/cliextensions azdev linter --include-whl-extensions k8s-extension - displayName: "CLI Linter on Modified Extension" - env: - ADO_PULL_REQUEST_LATEST_COMMIT: $(System.PullRequest.SourceCommitId) - ADO_PULL_REQUEST_TARGET_BRANCH: $(System.PullRequest.TargetBranch) diff --git a/testing/pipeline/templates/build-extension.yml b/testing/pipeline/templates/build-extension.yml deleted file mode 100644 index 6ccd671f266..00000000000 --- a/testing/pipeline/templates/build-extension.yml +++ /dev/null @@ -1,52 +0,0 @@ -parameters: - CLI_REPO_PATH: "" -steps: -- bash: | - echo "Using the private preview of k8s-extension to build..." - - cp ${{ parameters.CLI_REPO_PATH }}/src/k8s-extension ${{ parameters.CLI_REPO_PATH }}/src/k8s-extension-private -r - mv ${{ parameters.CLI_REPO_PATH }}/src/k8s-extension-private/azext_k8s_extension ${{ parameters.CLI_REPO_PATH }}/src/k8s-extension-private/azext_k8s_extension_private - cp ${{ parameters.CLI_REPO_PATH }}/src/k8s-extension-private/setup_private.py ${{ parameters.CLI_REPO_PATH }}/src/k8s-extension-private/setup.py - cp ${{ parameters.CLI_REPO_PATH }}/src/k8s-extension-private/azext_k8s_extension_private/consts_private.py ${{ parameters.CLI_REPO_PATH }}/src/k8s-extension-private/azext_k8s_extension_private/consts.py - - EXTENSION_NAME="k8s-extension-private" - EXTENSION_FILE_NAME="k8s_extension_private" - - echo "##vso[task.setvariable variable=EXTENSION_NAME]$EXTENSION_NAME" - echo "##vso[task.setvariable variable=EXTENSION_FILE_NAME]$EXTENSION_FILE_NAME" - condition: and(succeeded(), eq(variables['IS_PRIVATE_BRANCH'], 'True')) - displayName: "Copy Files, Set Variables for k8s-extension-private" -- bash: | - echo "Using the public version of k8s-extension to build..." - - EXTENSION_NAME="k8s-extension" - EXTENSION_FILE_NAME="k8s_extension" - - echo "##vso[task.setvariable variable=EXTENSION_NAME]$EXTENSION_NAME" - echo "##vso[task.setvariable variable=EXTENSION_FILE_NAME]$EXTENSION_FILE_NAME" - condition: and(succeeded(), eq(variables['IS_PRIVATE_BRANCH'], 'False')) - displayName: "Copy Files, Set Variables for k8s-extension" -- task: UsePythonVersion@0 - displayName: 'Use Python 3.6' - inputs: - versionSpec: 3.6 -- bash: | - set -ev - echo "Building extension ${EXTENSION_NAME}..." - - # prepare and activate virtualenv - pip install virtualenv - python3 -m venv env/ - source env/bin/activate - - # clone azure-cli - git clone -q --single-branch -b dev https://github.com/Azure/azure-cli.git ../azure-cli - - pip install --upgrade pip - pip install -q azdev - - ls ${{ parameters.CLI_REPO_PATH }} - - azdev --version - azdev setup -c ../azure-cli -r ${{ parameters.CLI_REPO_PATH }} -e $(EXTENSION_NAME) - azdev extension build $(EXTENSION_NAME) diff --git a/testing/pipeline/templates/run-test.yml b/testing/pipeline/templates/run-test.yml deleted file mode 100644 index c0897f3b83e..00000000000 --- a/testing/pipeline/templates/run-test.yml +++ /dev/null @@ -1,104 +0,0 @@ -parameters: - jobName: '' - path: '' - -jobs: -- job: ${{ parameters.jobName}} - pool: - vmImage: 'ubuntu-20.04' - variables: - ${{ if eq(variables['IS_PRIVATE_BRANCH'], 'False') }}: - EXTENSION_NAME: "k8s-extension" - EXTENSION_FILE_NAME: "k8s_extension" - ${{ if ne(variables['IS_PRIVATE_BRANCH'], 'False') }}: - EXTENSION_NAME: "k8s-extension-private" - EXTENSION_FILE_NAME: "k8s_extension_private" - steps: - - bash: | - echo "Installing helm3" - curl -fsSL -o get_helm.sh https://raw.githubusercontent.com/helm/helm/master/scripts/get-helm-3 - chmod 700 get_helm.sh - ./get_helm.sh --version v3.6.3 - - echo "Installing kubectl" - curl -LO "https://storage.googleapis.com/kubernetes-release/release/$(curl -s https://storage.googleapis.com/kubernetes-release/release/stable.txt)/bin/linux/amd64/kubectl" - chmod +x ./kubectl - sudo mv ./kubectl /usr/local/bin/kubectl - kubectl version --client - displayName: "Setup the VM with helm3 and kubectl" - - template: ./build-extension.yml - parameters: - CLI_REPO_PATH: $(CLI_REPO_PATH) - - bash: | - K8S_EXTENSION_VERSION=$(ls ${EXTENSION_FILE_NAME}* | cut -d "-" -f2) - echo "##vso[task.setvariable variable=K8S_EXTENSION_VERSION]$K8S_EXTENSION_VERSION" - cp * $(TEST_PATH)/bin - workingDirectory: $(CLI_REPO_PATH)/dist - displayName: "Copy the Built .whl to Extension Test Path" - - - bash: | - RAND_STR=$RANDOM - AKS_CLUSTER_NAME="${BASE_CLUSTER_NAME}-${RAND_STR}-aks" - ARC_CLUSTER_NAME="${BASE_CLUSTER_NAME}-${RAND_STR}-arc" - - JSON_STRING=$(jq -n \ - --arg SUB_ID "$SUBSCRIPTION_ID" \ - --arg RG "$RESOURCE_GROUP" \ - --arg AKS_CLUSTER_NAME "$AKS_CLUSTER_NAME" \ - --arg ARC_CLUSTER_NAME "$ARC_CLUSTER_NAME" \ - --arg K8S_EXTENSION_VERSION "$K8S_EXTENSION_VERSION" \ - '{subscriptionId: $SUB_ID, resourceGroup: $RG, aksClusterName: $AKS_CLUSTER_NAME, arcClusterName: $ARC_CLUSTER_NAME, extensionVersion: {"k8s-extension": $K8S_EXTENSION_VERSION, "k8s-extension-private": $K8S_EXTENSION_VERSION, connectedk8s: "1.0.0"}}') - echo $JSON_STRING > settings.json - cat settings.json - workingDirectory: $(TEST_PATH) - displayName: "Generate a settings.json file" - - - bash : | - echo "Downloading the kind script" - curl -Lo ./kind https://kind.sigs.k8s.io/dl/v0.11.1/kind-linux-amd64 - chmod +x ./kind - ./kind create cluster - displayName: "Create and Start the Kind cluster" - - - bash: | - curl -sL https://aka.ms/InstallAzureCLIDeb | sudo bash - displayName: "Upgrade az to latest version" - - - task: AzureCLI@2 - displayName: Bootstrap - inputs: - azureSubscription: AzureResourceConnection - scriptType: pscore - scriptLocation: inlineScript - inlineScript: | - .\Bootstrap.ps1 -CI - workingDirectory: $(TEST_PATH) - - - task: AzureCLI@2 - displayName: Run the Test Suite for ${{ parameters.path }} - inputs: - azureSubscription: AzureResourceConnection - scriptType: pscore - scriptLocation: inlineScript - inlineScript: | - .\Test.ps1 -CI -Path ${{ parameters.path }} -Type $(EXTENSION_NAME) - workingDirectory: $(TEST_PATH) - continueOnError: true - - - task: PublishTestResults@2 - inputs: - testResultsFormat: 'JUnit' - testResultsFiles: '**/testing/results/*.xml' - failTaskOnFailedTests: true - condition: succeededOrFailed() - - - task: AzureCLI@2 - displayName: Cleanup - inputs: - azureSubscription: AzureResourceConnection - scriptType: pscore - scriptLocation: inlineScript - inlineScript: | - .\Cleanup.ps1 -CI - workingDirectory: $(TEST_PATH) - condition: succeededOrFailed() diff --git a/testing/settings.template.json b/testing/settings.template.json deleted file mode 100644 index 5129dbd0a20..00000000000 --- a/testing/settings.template.json +++ /dev/null @@ -1,11 +0,0 @@ -{ - "subscriptionId": "", - "resourceGroup": "", - "aksClusterName": "", - "arcClusterName": "", - - "extensionVersion": { - "k8s-extension": "0.3.0", - "k8s-extension-private": "0.1.0" - } -} \ No newline at end of file diff --git a/testing/test/configurations/Configuration.HTTPS.Tests.ps1 b/testing/test/configurations/Configuration.HTTPS.Tests.ps1 deleted file mode 100644 index a2dee2b348f..00000000000 --- a/testing/test/configurations/Configuration.HTTPS.Tests.ps1 +++ /dev/null @@ -1,54 +0,0 @@ -Describe 'Source Control Configuration (HTTPS) Testing' { - BeforeAll { - $configurationName = "https-config" - . $PSScriptRoot/Constants.ps1 - . $PSScriptRoot/Helper.ps1 - - $dummyValue = "dummyValue" - $secretName = "git-auth-$configurationName" - } - - It 'Creates a configuration with https user and https key on the cluster' { - $output = az k8s-configuration create -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type "connectedClusters" -u "https://github.com/Azure/arc-k8s-demo" -n $configurationName --scope cluster --https-user $dummyValue --https-key $dummyValue --operator-namespace $configurationName - $? | Should -BeTrue - - # Loop and retry until the configuration installs and helm pod comes up - $n = 0 - do - { - if (Get-ConfigStatus $configurationName -eq $SUCCESS_MESSAGE) { - if (Get-PodStatus $configurationName -Namespace $configurationName -eq $POD_RUNNING ) { - break - } - } - Start-Sleep -Seconds 10 - $n += 1 - } while ($n -le $MAX_RETRY_ATTEMPTS) - $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS - - Secret-Exists $secretName -Namespace $configurationName - } - - It "Lists the configurations on the cluster" { - $output = az k8s-configuration list -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters - $? | Should -BeTrue - - $configExists = $output | ConvertFrom-Json | Where-Object { $_.id -Match $configurationName } - $configExists | Should -Not -BeNullOrEmpty - } - - It "Deletes the configuration from the cluster" { - az k8s-configuration delete -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters -n $configurationName - $? | Should -BeTrue - - # Configuration should be removed from the resource model - az k8s-configuration show -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters -n $configurationName - $? | Should -BeFalse - } - - It "Performs another list after the delete" { - $output = az k8s-configuration list -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters - $configExists = $output | ConvertFrom-Json | Where-Object { $_.id -Match $configurationName } - $configExists | Should -BeNullOrEmpty - } -} \ No newline at end of file diff --git a/testing/test/configurations/Configuration.HelmOperator.Tests.ps1 b/testing/test/configurations/Configuration.HelmOperator.Tests.ps1 deleted file mode 100644 index 8b89ba24c58..00000000000 --- a/testing/test/configurations/Configuration.HelmOperator.Tests.ps1 +++ /dev/null @@ -1,137 +0,0 @@ -Describe 'Source Control Configuration (Helm Operator Properties) Testing' { - BeforeAll { - $configurationName = "helm-enabled-config" - . $PSScriptRoot/Constants.ps1 - . $PSScriptRoot/Helper.ps1 - - $customOperatorParams = "--set helm.versions=v3 --set mycustomhelmvalue=yay" - $customChartVersion = "0.6.0" - } - - It 'Creates a configuration with helm enabled on the cluster' { - $output = az k8s-configuration create -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type "connectedClusters" -u "https://github.com/Azure/arc-k8s-demo" -n $configurationName --scope cluster --enable-helm-operator --operator-namespace $configurationName --helm-operator-params "--set helm.versions=v3" - $? | Should -BeTrue - - # Loop and retry until the configuration installs and helm pod comes up - $n = 0 - do - { - if (Get-ConfigStatus $configurationName -eq $SUCCESS_MESSAGE) { - if (Get-PodStatus "$configurationName-helm" -Namespace $configurationName -eq $POD_RUNNING ) { - break - } - } - Start-Sleep -Seconds 10 - $n += 1 - } while ($n -le $MAX_RETRY_ATTEMPTS) - $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS - } - - It "Updates the helm operator params and performs a show" { - Set-ItResult -Skipped -Because "Update is not a valid scenario for now" - - az k8s-configuration update -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type "connectedClusters" -n $configurationName --helm-operator-params $customOperatorParams - $? | Should -BeTrue - - $output = az k8s-configuration show --cluster-name $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters -n $configurationName - $? | Should -BeTrue - - $configData = $output | ConvertFrom-Json | Where-Object { $_.id -Match $configurationName } - ($configData.helmOperatorProperties.chartValues -eq $customOperatorParams) | Should -BeTrue - - # Loop and retry until the configuration updates - $n = 0 - do - { - $helmOperatorChartValues = (Get-ConfigData $configurationName).spec.helmOperatorProperties.chartValues - if ($helmOperatorChartValues -ne $null -And $helmOperatorChartValues.ToString() -eq $customOperatorParams) { - if (Get-ConfigStatus $configurationName -Match $SUCCESS_MESSAGE) { - break - } - } - Start-Sleep -Seconds 10 - $n += 1 - } while ($n -le $MAX_RETRY_ATTEMPTS) - $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS - } - - It "Updates the helm operator chart version and performs a show" { - Set-ItResult -Skipped -Because "Update is not a valid scenario for now" - - az k8s-configuration update -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type "connectedClusters" -n $configurationName --helm-operator-chart-version $customChartVersion - $? | Should -BeTrue - - $output = az k8s-configuration show --cluster-name $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters -n $configurationName - $? | Should -BeTrue - - # Check that the helmOperatorProperties chartValues didn't change - $configData = $output | ConvertFrom-Json | Where-Object { $_.id -Match $configurationName } - ($configData.helmOperatorProperties.chartValues -eq $customOperatorParams) | Should -BeTrue - ($configData.helmOperatorProperties.chartVersion -eq $customChartVersion) | Should -BeTrue - - # Loop and retry until the configuration updates - $n = 0 - do - { - $helmOperatorChartVersion = (Get-ConfigData $configurationName).spec.helmOperatorProperties.chartVersion - if ($helmOperatorChartVersion -ne $null -And $helmOperatorChartVersion.ToString() -eq $customChartVersion) { - if (Get-ConfigStatus $configurationName -Match $SUCCESS_MESSAGE) { - break - } - } - Start-Sleep -Seconds 10 - $n += 1 - } while ($n -le $MAX_RETRY_ATTEMPTS) - $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS - } - - It "Disables the helm operator on the cluster" { - Set-ItResult -Skipped -Because "Update is not a valid scenario for now" - - az k8s-configuration update -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type "connectedClusters" -n $configurationName --enable-helm-operator=false - $? | Should -BeTrue - - $output = az k8s-configuration show --cluster-name $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters -n $configurationName - $? | Should -BeTrue - - $helmOperatorEnabled = ($output | ConvertFrom-Json).enableHelmOperator - $helmOperatorEnabled.ToString() -eq "False" | Should -BeTrue - - # Loop and retry until the configuration updates - $n = 0 - do { - $helmOperatorEnabled = (Get-ConfigData $configurationName).spec.enableHelmOperator - if ($helmOperatorEnabled -ne $null -And $helmOperatorEnabled.ToString() -eq "False") { - if (Get-ConfigStatus $configurationName -Match $SUCCESS_MESSAGE) { - break - } - } - Start-Sleep -Seconds 10 - $n += 1 - } while ($n -le $MAX_RETRY_ATTEMPTS) - $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS - } - - It "Lists the configurations on the cluster" { - $output = az k8s-configuration list -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters - $? | Should -BeTrue - - $configExists = $output | ConvertFrom-Json | Where-Object { $_.id -Match $configurationName } - $configExists | Should -Not -BeNullOrEmpty - } - - It "Deletes the configuration from the cluster" { - az k8s-configuration delete -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters -n $configurationName - $? | Should -BeTrue - - # Configuration should be removed from the resource model - az k8s-configuration show -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters -n $configurationName - $? | Should -BeFalse - } - - It "Performs another list after the delete" { - $output = az k8s-configuration list -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters - $configExists = $output | ConvertFrom-Json | Where-Object { $_.id -Match $configurationName } - $configExists | Should -BeNullOrEmpty - } -} \ No newline at end of file diff --git a/testing/test/configurations/Configuration.KnownHost.Tests.ps1 b/testing/test/configurations/Configuration.KnownHost.Tests.ps1 deleted file mode 100644 index 2cb2946bc3e..00000000000 --- a/testing/test/configurations/Configuration.KnownHost.Tests.ps1 +++ /dev/null @@ -1,6 +0,0 @@ -Describe 'Source Control Configuration (SSH Configs) Testing' { - BeforeAll { - . $PSScriptRoot/Constants.ps1 - . $PSScriptRoot/Helper.ps1 - } -} \ No newline at end of file diff --git a/testing/test/configurations/Configuration.PrivateKey.Tests.ps1 b/testing/test/configurations/Configuration.PrivateKey.Tests.ps1 deleted file mode 100644 index 4bf86d52012..00000000000 --- a/testing/test/configurations/Configuration.PrivateKey.Tests.ps1 +++ /dev/null @@ -1,86 +0,0 @@ -Describe 'Source Control Configuration (SSH Configs) Testing' { - BeforeAll { - . $PSScriptRoot/Constants.ps1 - . $PSScriptRoot/Helper.ps1 - - $RSA_KEYPATH = "$TMP_DIRECTORY\rsa.private" - $DSA_KEYPATH = "$TMP_DIRECTORY\dsa.private" - $ECDSA_KEYPATH = "$TMP_DIRECTORY\ecdsa.private" - $ED25519_KEYPATH = "$TMP_DIRECTORY\ed25519.private" - - $KEY_ARR = [System.Tuple]::Create("rsa", $RSA_KEYPATH), [System.Tuple]::Create("dsa", $DSA_KEYPATH), [System.Tuple]::Create("ecdsa", $ECDSA_KEYPATH), [System.Tuple]::Create("ed25519", $ED25519_KEYPATH) - foreach ($keyTuple in $KEY_ARR) { - # Automattically say yes to overwrite with ssh-keygen - Write-Output "y" | ssh-keygen -t $keyTuple.Item1 -f $keyTuple.Item2 -P """" - } - - $SSH_GIT_URL = "git://github.com/anubhav929/flux-get-started.git" - $HTTP_GIT_URL = "https://github.com/Azure/arc-k8s-demo" - - $configDataRSA = [System.Tuple]::Create("rsa-config", $RSA_KEYPATH) - $configDataDSA = [System.Tuple]::Create("dsa-config", $DSA_KEYPATH) - $configDataECDSA = [System.Tuple]::Create("ecdsa-config", $ECDSA_KEYPATH) - $configDataED25519 = [System.Tuple]::Create("ed25519-config", $ED25519_KEYPATH) - - $CONFIG_ARR = $configDataRSA, $configDataDSA, $configDataECDSA, $configDataED25519 - } - - It 'Creates a configuration with each type of ssh private key' { - foreach($configData in $CONFIG_ARR) { - az k8s-configuration create -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type "connectedClusters" -u $SSH_GIT_URL -n $configData.Item1 --scope cluster --operator-namespace $configData.Item1 --ssh-private-key-file $configData.Item2 - $? | Should -BeTrue - } - - # Loop and retry until the configuration installs and helm pod comes up - $n = 0 - do - { - $readyConfigs = 0 - foreach($configData in $CONFIG_ARR) { - # TODO: Change this to checking the success message after we merge in the bugfix into the agent - if (Get-PodStatus $configData.Item1 -Namespace $configData.Item1 -eq $POD_RUNNING) { - $readyConfigs += 1 - } - } - Start-Sleep -Seconds 10 - $n += 1 - } while ($n -le 30 -And $readyConfigs -ne 4) - $n | Should -BeLessOrEqual 30 - } - - It 'Fails when trying to create a configuration with ssh url and https auth values' { - az k8s-configuration create -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type "connectedClusters" -u $HTTP_GIT_URL -n "config-should-fail" --scope cluster --operator-namespace "config-should-fail" --ssh-private-key-file $RSA_KEYPATH - $? | Should -BeFalse - } - - It "Lists the configurations on the cluster" { - $output = az k8s-configuration list -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters - $? | Should -BeTrue - - foreach ($configData in $CONFIG_ARR) { - $configExists = $output | ConvertFrom-Json | Where-Object { $_.id -Match $configData.Item1 } - $configExists | Should -Not -BeNullOrEmpty - } - } - - It "Deletes the configuration from the cluster" { - foreach ($configData in $CONFIG_ARR) { - az k8s-configuration delete -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters -n $configData.Item1 - $? | Should -BeTrue - - # Configuration should be removed from the resource model - az k8s-configuration show -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters -n $configData.Item1 - $? | Should -BeFalse - } - } - - It "Performs another list after the delete" { - $output = az k8s-configuration list -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters - $? | Should -BeTrue - - foreach ($configData in $CONFIG_ARR) { - $configExists = $output | ConvertFrom-Json | Where-Object { $_.id -Match $configData.Item1 } - $configExists | Should -BeNullOrEmpty - } - } -} \ No newline at end of file diff --git a/testing/test/configurations/Configuration.Tests.ps1 b/testing/test/configurations/Configuration.Tests.ps1 deleted file mode 100644 index a85df42ed2e..00000000000 --- a/testing/test/configurations/Configuration.Tests.ps1 +++ /dev/null @@ -1,80 +0,0 @@ -Describe 'Basic Source Control Configuration Testing' { - BeforeAll { - $configurationName = "basic-config" - . $PSScriptRoot/Constants.ps1 - . $PSScriptRoot/Helper.ps1 - } - - It 'Creates a configuration and checks that it onboards correctly' { - az k8s-configuration create -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type "connectedClusters" -u "https://github.com/Azure/arc-k8s-demo" -n $configurationName --scope cluster --enable-helm-operator=false --operator-namespace $configurationName - $? | Should -BeTrue - - # Loop and retry until the configuration installs - $n = 0 - do - { - if (Get-ConfigStatus $configurationName -Match $SUCCESS_MESSAGE) { - break - } - Start-Sleep -Seconds 10 - $n += 1 - } while ($n -le $MAX_RETRY_ATTEMPTS) - $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS - } - - It "Performs a show on the configuration" { - $output = az k8s-configuration show -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type "connectedClusters" -n $configurationName - $? | Should -BeTrue - $output | Should -Not -BeNullOrEmpty - } - - It "Runs an update on the configuration on the cluster" { - Set-ItResult -Skipped -Because "Update is not a valid scenario for now" - - az k8s-configuration update -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters -n $configurationName --enable-helm-operator - $? | Should -BeTrue - - $output = az k8s-configuration show --cluster-name $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters -n $configurationName - $? | Should -BeTrue - - $helmOperatorEnabled = ($output | ConvertFrom-Json).enableHelmOperator - $helmOperatorEnabled.ToString() -eq "True" | Should -BeTrue - - # Loop and retry until the configuration updates - $n = 0 - do { - $helmOperatorEnabled = (Get-ConfigData $configurationName).spec.enableHelmOperator - if ($helmOperatorEnabled -And $helmOperatorEnabled.ToString() -eq "True") { - if (Get-ConfigStatus $configurationName -Match $SUCCESS_MESSAGE) { - break - } - } - Start-Sleep -Seconds 10 - $n += 1 - } while ($n -le $MAX_RETRY_ATTEMPTS) - $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS - } - - It "Lists the configurations on the cluster" { - $output = az k8s-configuration list -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters - $? | Should -BeTrue - - $configExists = $output | ConvertFrom-Json | Where-Object { $_.id -Match $configurationName } - $configExists | Should -Not -BeNullOrEmpty - } - - It "Deletes the configuration from the cluster" { - az k8s-configuration delete -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters -n $configurationName - $? | Should -BeTrue - - # Configuration should be removed from the resource model - az k8s-configuration show -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters -n $configurationName - $? | Should -BeFalse - } - - It "Performs another list after the delete" { - $output = az k8s-configuration list -c $ENVCONFIG.arcClusterName -g $ENVCONFIG.resourceGroup --cluster-type connectedClusters - $configExists = $output | ConvertFrom-Json | Where-Object { $_.id -Match $configurationName } - $configExists | Should -BeNullOrEmpty - } -} \ No newline at end of file diff --git a/testing/test/configurations/Constants.ps1 b/testing/test/configurations/Constants.ps1 deleted file mode 100644 index f1e8c6ffdc3..00000000000 --- a/testing/test/configurations/Constants.ps1 +++ /dev/null @@ -1,8 +0,0 @@ -$ENVCONFIG = Get-Content -Path $PSScriptRoot\..\..\settings.json | ConvertFrom-Json -$SUCCESS_MESSAGE = "Successfully installed the operator" -$FAILED_MESSAGE = "Failed the install of the operator" -$TMP_DIRECTORY = "$PSScriptRoot\..\..\tmp" - -$POD_RUNNING = "Running" - -$MAX_RETRY_ATTEMPTS = 18 \ No newline at end of file diff --git a/testing/test/configurations/Helper.ps1 b/testing/test/configurations/Helper.ps1 deleted file mode 100644 index 842e2da84aa..00000000000 --- a/testing/test/configurations/Helper.ps1 +++ /dev/null @@ -1,45 +0,0 @@ -function Get-ConfigData { - param( - [string]$configName - ) - - $output = kubectl get gitconfigs -A -o json | ConvertFrom-Json - return $output.items | Where-Object { $_.metadata.name -eq $configurationName } -} - -function Get-ConfigStatus { - param( - [string]$configName - ) - - $configData = Get-ConfigData $configName - if ($configData -ne $null) { - return $configData.status.status - } - return $null -} - -function Get-PodStatus { - param( - [string]$podName, - [string]$Namespace - ) - - $allPodData = kubectl get pods -n $Namespace -o json | ConvertFrom-Json - $podData = $allPodData.items | Where-Object { $_.metadata.name -Match $podName } - return $podData.status.phase -} - -function Secret-Exists { - param( - [string]$secretName, - [string]$Namespace - ) - - $allSecretData = kubectl get secrets -n $Namespace -o json | ConvertFrom-Json - $secretData = $allSecretData.items | Where-Object { $_.metadata.name -Match $secretName } - if ($secretData.Length -ge 1) { - return $true - } - return $false -} \ No newline at end of file diff --git a/testing/test/extensions/data/azure_ml/test_cert.pem b/testing/test/extensions/data/azure_ml/test_cert.pem deleted file mode 100644 index a8cfe1294b4..00000000000 --- a/testing/test/extensions/data/azure_ml/test_cert.pem +++ /dev/null @@ -1,32 +0,0 @@ ------BEGIN CERTIFICATE----- -MIIFlzCCA3+gAwIBAgIULOv9pTNMMZNMXFF3ctTJZEcPfQgwDQYJKoZIhvcNAQEL -BQAwWzELMAkGA1UEBhMCQVUxEzARBgNVBAgMClNvbWUtU3RhdGUxITAfBgNVBAoM -GEludGVybmV0IFdpZGdpdHMgUHR5IEx0ZDEUMBIGA1UEAwwLdGVzdGluZi5jb20w -HhcNMjIwOTA4MDMxNDA0WhcNMjMwOTA4MDMxNDA0WjBbMQswCQYDVQQGEwJBVTET -MBEGA1UECAwKU29tZS1TdGF0ZTEhMB8GA1UECgwYSW50ZXJuZXQgV2lkZ2l0cyBQ -dHkgTHRkMRQwEgYDVQQDDAt0ZXN0aW5mLmNvbTCCAiIwDQYJKoZIhvcNAQEBBQAD -ggIPADCCAgoCggIBAM1dfkb2+o/VzazOSSXlv03rRaV4/+wKALuOGrZGJbGzm4DJ -WyN6+zogIKIbDMPUm4eB1Jh9vSQ0RciwhCUogPel7HYQhlFtyfq4I2PReXm7MInm -ZGpkFZdHliYFMQv5O1FDN4SjHbpKpEomUIngj+j5IRuQ+5wksJfEE4GKBdTv0zSJ -kvIW3o4qf3kYUuoT53g93HqUQKg6LKZ0ra7som1F1dVuOgYXmyirrdFm2SJ6y4Z7 -Fuu7/bNHJAeUIcaw/3FZrKAdYst5MO6BquDPQ3LUmIW9MPO7ynfR0MKMXFvHmQmt -ve9IMRF52FkKqO6mut3kMEhQqE9iiEcLZDUghRwzxIgYU1cHw1jBCTxois4f6HdY -zK9fK9TZoI1ftWoFcofhV4uiB8NwsRQqFeAsMrd2qCbMjLoHysMbKl3ORwtG+sl0 -ti3DhiLQbedfBHzy0xtaZvkauP6+qoGYYjGiDQjP+acvCrjjSwVpWWhu44EWFWnc -Iszjp2AaG4LagaV+ZjTHDa4mkyz/dI3EDZ6wDmHCYdbI57yJhXqjSooVYNE4FYwo -KDXVT+42mtBGIA+e/pRFYE1bUsuIubhuKVLNd081W+rsS3Juv6KWMNnahUm8Mv1P -unwQKrtJtc31rEXGjsVp4E95ncbu/0aAoczCnYlXp1pLNevnNfRdeoOWnNLzAgMB -AAGjUzBRMB0GA1UdDgQWBBQNlOeOEqZh7hojtGoKETkk+Cdl/zAfBgNVHSMEGDAW -gBQNlOeOEqZh7hojtGoKETkk+Cdl/zAPBgNVHRMBAf8EBTADAQH/MA0GCSqGSIb3 -DQEBCwUAA4ICAQB3Dmv2Ftxp0vTDBZMUXjOKqpyuznpT5Y7LzoHxWKBXnwCGVuOo -1P1sse/QD87No+jAi3lPtQo1+GVbnN8kkIPAu8Cu3ogrlMr9938ogWz1/x33D2Nh -DLk2ZDg7UxsGxIKvMCV9MopZGQ2HCN7M43iXJ5dpZ82F6kMHZpGdigAnbTzh8iGu -vro1SiBCwPwlv+VW7VvU0OpGgBQlVj8CMON01/lWYZd4vXrv5iox59l/b1HcNrYN -Pe2CvZAmqx4Wnar8HLV6TAFPqvFf/6kAeWXt89mKaGx/LTy632sXeBHVnL62o6OD -WUjLECjTF1LSI/tzgoQUKIJ70FysIayUoSDcyb+jpb0dKBoi1vUQOS3R5gH35Z0c -fiGXvsDCtK8UvU5V4W8msBtEF1TB1vk5rrhAIGecHyY87iQnF/Lue6CvLQ6jhga6 -A7RRaKf05Stz+pyG3AF3P6iAyFK72k9LIpb+iGvlDZ2yWAMcqEuTRGeo3G3xQabN -VGG0thneWrQ7KicRXNavMgytnHs73mHGTMgffg4njcNPuio8ewcwxhDycYJpr4gz -NqtdgFPBzx9nQjrK6ZBDSzbkkLFNLnr+OSB9pvlpVnC957qqZ1L0GrJIfN/kbCF3 -TG7u3bkbTjlrvuxY1FAqrXesZrlBpx5cxLrO8XOuSlFB0q2pJSwfIv6Jbw== ------END CERTIFICATE----- \ No newline at end of file diff --git a/testing/test/extensions/data/azure_ml/test_key.pem b/testing/test/extensions/data/azure_ml/test_key.pem deleted file mode 100644 index e238b5c2225..00000000000 --- a/testing/test/extensions/data/azure_ml/test_key.pem +++ /dev/null @@ -1,52 +0,0 @@ ------BEGIN PRIVATE KEY----- -MIIJQgIBADANBgkqhkiG9w0BAQEFAASCCSwwggkoAgEAAoICAQDNXX5G9vqP1c2s -zkkl5b9N60WleP/sCgC7jhq2RiWxs5uAyVsjevs6ICCiGwzD1JuHgdSYfb0kNEXI -sIQlKID3pex2EIZRbcn6uCNj0Xl5uzCJ5mRqZBWXR5YmBTEL+TtRQzeEox26SqRK -JlCJ4I/o+SEbkPucJLCXxBOBigXU79M0iZLyFt6OKn95GFLqE+d4Pdx6lECoOiym -dK2u7KJtRdXVbjoGF5soq63RZtkiesuGexbru/2zRyQHlCHGsP9xWaygHWLLeTDu -gargz0Ny1JiFvTDzu8p30dDCjFxbx5kJrb3vSDERedhZCqjuprrd5DBIUKhPYohH -C2Q1IIUcM8SIGFNXB8NYwQk8aIrOH+h3WMyvXyvU2aCNX7VqBXKH4VeLogfDcLEU -KhXgLDK3dqgmzIy6B8rDGypdzkcLRvrJdLYtw4Yi0G3nXwR88tMbWmb5Grj+vqqB -mGIxog0Iz/mnLwq440sFaVlobuOBFhVp3CLM46dgGhuC2oGlfmY0xw2uJpMs/3SN -xA2esA5hwmHWyOe8iYV6o0qKFWDROBWMKCg11U/uNprQRiAPnv6URWBNW1LLiLm4 -bilSzXdPNVvq7Etybr+iljDZ2oVJvDL9T7p8ECq7SbXN9axFxo7FaeBPeZ3G7v9G -gKHMwp2JV6daSzXr5zX0XXqDlpzS8wIDAQABAoICAGA91WT6b7gikW3PitY40it4 -+72tc/oxQeCjmv8a5qVdr51uP8jj5IJ79e8iUBwiMfUSMgh4vMAPwzhnCLbFQZNN -bgByhA/7LLHTw7oOvCgBQqENmLeHSdsIkGQnALJEzbiqkIUXUGIygsXBKPNEiwy6 -W/qoOlIVm7C0EhQeE9eTwN4ZLwVHFGt5nR2p+Yl7ZHmkPAQyIA72nGAxxAd7HC+r -j6ejLYwXWf54XlAJK+8Nrv3KB5bYFfADge4PTLjpz/xV8yFiRB9pHzZXDDaoy0ow -OX5LiHpg4mS+rl/OGaZlZuHzS1Ss91niSTKJXVviRSahvsLVEduKKKVqwD5pjBcx -fRQOFIVX6Hk8aizHZaF01nZ48Y8Lyi/i6ZmajKxBODuVXhJXz6IWxREsUPNzJvHH -MSwnN8Mx3zx45dzVlgm8lDv56o0OWI4I2ppRs2dowWWbItjVHWdpreWxp2uMNYQB -o9lId5XEKisRhI0WRd42/CNUaYKf1ikAvw3d2UhrhteGQotYBaXVdhoH4g5z1F+A -wAfZXEif5gQoL3shHtQtdB9WSZhCiY7DUQhIKt2sqXOPEFwJUTnwyCrQymKUNKBj -BEtM1jDUT2ganQgNxGE9OtThFnrosnP95rSzCj87mrne56ZtMPNAmHiZt9JN4mfM -C4JDu22nqJKQ5FZMewwBAoIBAQDnCibtimNnl+SEhGK5SbRLgyRAY+AbwzSU4gWa -YyisIUmFb7YlwkjmiSSH0Bt5HUfgJssHtgUmOwHMGVEL8PpyNohzfP3Fe7yfJhxA -mIWZLYnvsnSRB4eVuUtk93ot0XaFJAbzMzOkuSWkWnlIf4Rdiv5JGwNiEwlOujGy -snzUOsFzT0j2lGzHIBaZYPC/L25kp8JQ7lrrsQOoF103lrO6Uqn0KTLGfRNYf6ZU -1FmOGkyIsl+csrI1lOyVDjTVi4XFgCv8EUeWaGM2jLaEIWmAYfzbmJamf0rNeF1H -Mh5Y5iSkOjzmuz31NGu+cW7MV4IFzYuoRC/MZbFX6KOabYDzAoIBAQDjjUPGmVh6 -eJQpSUB2KbJgj86DAilMLwpmdMrmyPNbZaiA0R9x5w7YWPbh4K48OFPnzJsntB7I -hNdniTq9qUPt5cgtDdHJ1PvdZ/DkPn8hOig/KpyPcUvkG3femtv3J1cNclqbX4ID -LoytnmHT2wB9V0frgp+G7JPAM75BlJwkgxhUnkyxn+4yPuoxasDYneh2bZUgxzYw -PcWKBM/j4gbIolg332ItsMcsKK/a0HwD2JWEYkkePrdcWE2T9qfacAdaoZaaZS4R -D2LU3eMmRotPKXIuI3JPYJmVWSZZndn+ysgmmYzen7/d9p8G1ZrA2N1dYDoVf3jh -X6A9N3YJl+YBAoIBAHjff9RA1ZbKCb0mwbusis4C00F4vzPnIahOw52tCQdc9uj/ -s+z3Q0qRL3J6dxUbM5Ja2Ve0a+c/ccZE7Hjx3yVH0IWTO/VIsjsVJizJXwPvpj2o -QIHrzYyQf5hYPSyhbH9lhNlRzU/9qWreBpveUvLZmAXJQzDZQsJUeVHDPbmO78yT -C1ot9ucKq6gc5ncvqnKwreHHgfvTBVW4u4Usq+TsAIyDzVO49hkT14KEAkJtEeNm -Zs1FVCTiQBAPeabLMvZMAzcCF1DiVh2g6pAgJuEK4s5Ee3SqHgl3Ul3AI85gwYTG -Dzyrc1PI1CGzmMMBeT3t9oXW/qbSAUE7rfRKG+8CggEAJGtCkrGOSKOtyuHPcFoC -E5RQkAUziN7qgjVlGATHdjRSALP3nWpGpPewI7yrBjZZr3q+xl78okkolIiRHzPN -DHE/VX6lufDdkrUFB/K8tBuzv1BZmFegttRyne0ZEXh5ZUyNFdr2Wv4DQ/JaY+bk -MCtc9mOElrqcdyGQ7LwVNX7J0Rk42yDmpaIOJ3SXgtPbFcE6IfHgSV5JlGpqv2U4 -groA9ohJFVj6t6WXZ6UAhDkQzQxR+YY+IIh9ehX7DWnqs2WzTeits8tLnRgaN9EI -kNXoUVwY+n1Sd2W6TpOGBVJ9MDhZJHRa5/KFxzk+uGi9HSm+ghxRw3hjlAihWq22 -AQKCAQEAgOtb7QKUIyhQh4sqAflyEzZyIvJ8+luM7ZaeXevBgarXBCOlrcfvsv4r -qdFOIV9ZFfBkf40dSwlHu50DiPnZSg8aRBXjRVlWP9QkabnB5hPwjZ7Rr3+F44ty -gr76n6yJbiLZIBOAlDs0e9W30vcereqvr6puO8TOZbjBm+41gyDnw0MzQODQFqgg -CngrENoMGjsBPAsRzO2Q0NPlUQx5o+qbc+izMdRj532jPZ4rymlfVAFLQ5qBJcVT -A09HY7HJu2GvCfoBRUICD1etd3tg/m9hK4rSrnLn+zLRjfg1v4FPxVK2ZO2+XY0G -hsfzUDNwvb4vnu9Yq3m//0pk/pMs6g== ------END PRIVATE KEY----- \ No newline at end of file diff --git a/testing/test/extensions/public/AzureDefender.Tests.ps1 b/testing/test/extensions/public/AzureDefender.Tests.ps1 deleted file mode 100644 index 419d226cb2e..00000000000 --- a/testing/test/extensions/public/AzureDefender.Tests.ps1 +++ /dev/null @@ -1,71 +0,0 @@ -Describe 'Azure Defender Testing' { - BeforeAll { - $extensionType = "microsoft.azuredefender.kubernetes" - $extensionName = "microsoft.azuredefender.kubernetes" - $extensionAgentNamespace = "azuredefender" - - . $PSScriptRoot/../../helper/Constants.ps1 - . $PSScriptRoot/../../helper/Helper.ps1 - } - - It 'Creates the extension and checks that it onboards correctly' { - $output = az $Env:K8sExtensionName create -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters --extension-type $extensionType -n $extensionName --no-wait - $? | Should -BeTrue - - $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName - $? | Should -BeTrue - - $isAutoUpgradeMinorVersion = ($output | ConvertFrom-Json).autoUpgradeMinorVersion - $isAutoUpgradeMinorVersion.ToString() -eq "True" | Should -BeTrue - - # Loop and retry until the extension installs - $n = 0 - do - { - # Only check the extension config, not the pod since this doesn't bring up pods - $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName - $provisioningState = ($output | ConvertFrom-Json).provisioningState - Write-Host "Got ProvisioningState: $provisioningState for the extension" - if (Has-ExtensionData $extensionName) { - break - } - Start-Sleep -Seconds 10 - $n += 1 - } while ($n -le $MAX_RETRY_ATTEMPTS) - $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS - } - - It "Performs a show on the extension" { - $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName - $? | Should -BeTrue - $output | Should -Not -BeNullOrEmpty - } - - It "Lists the extensions on the cluster" { - $output = az $Env:K8sExtensionName list -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters - $? | Should -BeTrue - - $output | Should -Not -BeNullOrEmpty - $extensionExists = $output | ConvertFrom-Json | Where-Object { $_.extensionType -eq $extensionType } - $extensionExists | Should -Not -BeNullOrEmpty - } - - It "Deletes the extension from the cluster" { - $output = az $Env:K8sExtensionName delete -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName --force - $? | Should -BeTrue - - # Extension should not be found on the cluster - $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName - $? | Should -BeFalse - $output | Should -BeNullOrEmpty - } - - It "Performs another list after the delete" { - $output = az $Env:K8sExtensionName list -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters - $? | Should -BeTrue - $output | Should -Not -BeNullOrEmpty - - $extensionExists = $output | ConvertFrom-Json | Where-Object { $_.extensionType -eq $extensionName } - $extensionExists | Should -BeNullOrEmpty - } -} diff --git a/testing/test/extensions/public/AzureMLKubernetes.Tests.ps1 b/testing/test/extensions/public/AzureMLKubernetes.Tests.ps1 deleted file mode 100644 index d38627219c1..00000000000 --- a/testing/test/extensions/public/AzureMLKubernetes.Tests.ps1 +++ /dev/null @@ -1,221 +0,0 @@ -Describe 'AzureML Kubernetes Testing' { - BeforeAll { - $extensionType = "Microsoft.AzureML.Kubernetes" - $extensionName = "azureml-kubernetes-connector" - $extensionAgentNamespace = "azureml" - $relayResourceIDKey = "relayserver.hybridConnectionResourceID" - $serviceBusResourceIDKey = "servicebus.resourceID" - $mockUpdateKey = "mockTest" - $mockProtectedUpdateKey = "mockProtectedTest" - - . $PSScriptRoot/../../helper/Constants.ps1 - . $PSScriptRoot/../../helper/Helper.ps1 - } - - It 'Creates the extension and checks that it onboards correctly with inference and SSL enabled' { - $sslKeyPemFile = Join-Path (Join-Path (Join-Path (Split-Path $PSScriptRoot -Parent) "data") "azure_ml") "test_key.pem" - $sslCertPemFile = Join-Path (Join-Path (Join-Path (Split-Path $PSScriptRoot -Parent) "data") "azure_ml") "test_cert.pem" - az $Env:K8sExtensionName create -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters --extension-type $extensionType -n $extensionName --release-train stable --config enableInference=true identity.proxy.remoteEnabled=True identity.proxy.remoteHost=https://master.experiments.azureml-test.net inferenceRouterServiceType=nodePort sslCname=testinf.com --config-protected sslKeyPemFile=$sslKeyPemFile sslCertPemFile=$sslCertPemFile --no-wait - $? | Should -BeTrue - - $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName - $? | Should -BeTrue - - $isAutoUpgradeMinorVersion = ($output | ConvertFrom-Json).autoUpgradeMinorVersion - $isAutoUpgradeMinorVersion.ToString() -eq "True" | Should -BeTrue - - # Loop and retry until the extension installs - $n = 0 - do - { - if (Has-ExtensionData $extensionName) { - break - } - Start-Sleep -Seconds 20 - $n += 1 - } while ($n -le $MAX_RETRY_ATTEMPTS) - $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS - - # check if relay is populated - $relayResourceID = Get-ExtensionConfigurationSettings $extensionName $relayResourceIDKey - $relayResourceID | Should -Not -BeNullOrEmpty - } - - It "Performs a show on the extension" { - $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName - $? | Should -BeTrue - $output | Should -Not -BeNullOrEmpty - } - - - It "Lists the extensions on the cluster" { - $output = az $Env:K8sExtensionName list -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters - $? | Should -BeTrue - - $output | Should -Not -BeNullOrEmpty - $extensionExists = $output | ConvertFrom-Json | Where-Object { $_.extensionType -eq $extensionType } - $extensionExists | Should -Not -BeNullOrEmpty - } - - It "Wait for the extension to be ready" { - # Loop and retry until the extension installed - $n = 0 - do - { - - $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName - $? | Should -BeTrue - - $provisioningState = ($output | ConvertFrom-Json).provisioningState - Write-Host "Provisioning state: $provisioningState" - if ($provisioningState -eq "Succeeded") { - break - } - Start-Sleep -Seconds 20 - $n += 1 - } while ($n -le $MAX_RETRY_ATTEMPTS) - $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS - } - - It "Perform Update extension" { - $sslKeyPemFile = Join-Path (Join-Path (Join-Path (Split-Path $PSScriptRoot -Parent) "data") "azure_ml") "test_key.pem" - $sslCertPemFile = Join-Path (Join-Path (Join-Path (Split-Path $PSScriptRoot -Parent) "data") "azure_ml") "test_cert.pem" - az $Env:K8sExtensionName update -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName --config "$($mockUpdateKey)=true" --config-protected "$($mockProtectedUpdateKey)=true" sslKeyPemFile=$sslKeyPemFile sslCertPemFile=$sslCertPemFile --no-wait - $? | Should -BeTrue - - # Loop and retry until the extension updated - $n = 0 - do - { - - $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName - $? | Should -BeTrue - - $provisioningState = ($output | ConvertFrom-Json).provisioningState - Write-Host "Provisioning state: $provisioningState" - if ($provisioningState -eq "Succeeded") { - break - } - Start-Sleep -Seconds 20 - $n += 1 - } while ($n -le $MAX_RETRY_ATTEMPTS) - $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS - - $mockedUpdateData = Get-ExtensionConfigurationSettings $extensionName $mockUpdateKey - $mockedUpdateData | Should -Not -BeNullOrEmpty - } - - It "Deletes the extension from the cluster with inference enabled" { - # cleanup the relay and servicebus - $relayResourceID = Get-ExtensionConfigurationSettings $extensionName $relayResourceIDKey - $relayNamespaceName = $relayResourceID.split("/")[8] - az relay namespace delete --resource-group $ENVCONFIG.resourceGroup --name $relayNamespaceName - - $output = az $Env:K8sExtensionName delete -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName --force - $? | Should -BeTrue - - # Extension should not be found on the cluster - $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName - $? | Should -BeFalse - $output | Should -BeNullOrEmpty - } - - It "Performs another list after the delete" { - $output = az $Env:K8sExtensionName list -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters - $? | Should -BeTrue - $output | Should -Not -BeNullOrEmpty - - $extensionExists = $output | ConvertFrom-Json | Where-Object { $_.extensionType -eq $extensionName } - $extensionExists | Should -BeNullOrEmpty - } - - # It 'Creates the extension and checks that it onboards correctly with training enabled' { - # az $Env:K8sExtensionName create -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters --extension-type $extensionType -n $extensionName --release-train staging --config enableTraining=true - # $? | Should -BeTrue - - # $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName - # $? | Should -BeTrue - - # $isAutoUpgradeMinorVersion = ($output | ConvertFrom-Json).autoUpgradeMinorVersion - # $isAutoUpgradeMinorVersion.ToString() -eq "True" | Should -BeTrue - - # # Loop and retry until the extension installs - # $n = 0 - # do - # { - # if (Has-ExtensionData $extensionName) { - # break - # } - # Start-Sleep -Seconds 20 - # $n += 1 - # } while ($n -le $MAX_RETRY_ATTEMPTS) - # $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS - - # # check if relay is populated - # $relayResourceID = Get-ExtensionConfigurationSettings $extensionName $relayResourceIDKey - # $relayResourceID | Should -Not -BeNullOrEmpty - # } - - # It "Deletes the extension from the cluster" { - # # cleanup the relay and servicebus - # $relayResourceID = Get-ExtensionConfigurationSettings $extensionName $relayResourceIDKey - # $serviceBusResourceID = Get-ExtensionConfigurationSettings $extensionName $serviceBusResourceIDKey - # $relayNamespaceName = $relayResourceID.split("/")[8] - # $serviceBusNamespaceName = $serviceBusResourceID.split("/")[8] - # az relay namespace delete --resource-group $ENVCONFIG.resourceGroup --name $relayNamespaceName - # az servicebus namespace delete --resource-group $ENVCONFIG.resourceGroup --name $serviceBusNamespaceName - - # $output = az $Env:K8sExtensionName delete -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName - # $? | Should -BeTrue - - # # Extension should not be found on the cluster - # $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName - # $? | Should -BeFalse - # $output | Should -BeNullOrEmpty - # } - - # It 'Creates the extension and checks that it onboards correctly with inference enabled' { - # az $Env:K8sExtensionName create -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters --extension-type $extensionType -n $extensionName --release-train staging --config enableInference=true identity.proxy.remoteEnabled=True identity.proxy.remoteHost=https://master.experiments.azureml-test.net allowInsecureConnections=True inferenceLoadBalancerHA=false - # $? | Should -BeTrue - - # $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName - # $? | Should -BeTrue - - # $isAutoUpgradeMinorVersion = ($output | ConvertFrom-Json).autoUpgradeMinorVersion - # $isAutoUpgradeMinorVersion.ToString() -eq "True" | Should -BeTrue - - # # Loop and retry until the extension installs - # $n = 0 - # do - # { - # if (Has-ExtensionData $extensionName) { - # break - # } - # Start-Sleep -Seconds 20 - # $n += 1 - # } while ($n -le $MAX_RETRY_ATTEMPTS) - # $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS - - # # check if relay is populated - # $relayResourceID = Get-ExtensionConfigurationSettings $extensionName $relayResourceIDKey - # $relayResourceID | Should -Not -BeNullOrEmpty - # } - - # It "Deletes the extension from the cluster with inference enabled" { - # # cleanup the relay and servicebus - # $relayResourceID = Get-ExtensionConfigurationSettings $extensionName $relayResourceIDKey - # $serviceBusResourceID = Get-ExtensionConfigurationSettings $extensionName $serviceBusResourceIDKey - # $relayNamespaceName = $relayResourceID.split("/")[8] - # $serviceBusNamespaceName = $serviceBusResourceID.split("/")[8] - # az relay namespace delete --resource-group $ENVCONFIG.resourceGroup --name $relayNamespaceName - # az servicebus namespace delete --resource-group $ENVCONFIG.resourceGroup --name $serviceBusNamespaceName - - # $output = az $Env:K8sExtensionName delete -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName - # $? | Should -BeTrue - - # # Extension should not be found on the cluster - # $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName - # $? | Should -BeFalse - # $output | Should -BeNullOrEmpty - # } -} diff --git a/testing/test/extensions/public/AzureMonitor.Tests.ps1 b/testing/test/extensions/public/AzureMonitor.Tests.ps1 deleted file mode 100644 index 9748755eea0..00000000000 --- a/testing/test/extensions/public/AzureMonitor.Tests.ps1 +++ /dev/null @@ -1,68 +0,0 @@ -Describe 'Azure Monitor Testing' { - BeforeAll { - $extensionType = "microsoft.azuremonitor.containers" - $extensionName = "azuremonitor-containers" - $extensionAgentName = "omsagent" - $extensionAgentNamespace = "kube-system" - - . $PSScriptRoot/../../helper/Constants.ps1 - . $PSScriptRoot/../../helper/Helper.ps1 - } - - It 'Creates the extension and checks that it onboards correctly' { - az $Env:K8sExtensionName create -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters --extension-type $extensionType -n $extensionName --no-wait - $? | Should -BeTrue - - $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName - $? | Should -BeTrue - - $isAutoUpgradeMinorVersion = ($output | ConvertFrom-Json).autoUpgradeMinorVersion - $isAutoUpgradeMinorVersion.ToString() -eq "True" | Should -BeTrue - - # Loop and retry until the extension installs - $n = 0 - do - { - if (Has-ExtensionData $extensionName) { - break - } - Start-Sleep -Seconds 10 - $n += 1 - } while ($n -le $MAX_RETRY_ATTEMPTS) - $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS - } - - It "Performs a show on the extension" { - $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName - $? | Should -BeTrue - $output | Should -Not -BeNullOrEmpty - } - - It "Lists the extensions on the cluster" { - $output = az $Env:K8sExtensionName list -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters - $? | Should -BeTrue - - $output | Should -Not -BeNullOrEmpty - $extensionExists = $output | ConvertFrom-Json | Where-Object { $_.extensionType -eq $extensionType } - $extensionExists | Should -Not -BeNullOrEmpty - } - - It "Deletes the extension from the cluster" { - $output = az $Env:K8sExtensionName delete -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName --force - $? | Should -BeTrue - - # Extension should not be found on the cluster - $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName - $? | Should -BeFalse - $output | Should -BeNullOrEmpty - } - - It "Performs another list after the delete" { - $output = az $Env:K8sExtensionName list -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters - $? | Should -BeTrue - $output | Should -Not -BeNullOrEmpty - - $extensionExists = $output | ConvertFrom-Json | Where-Object { $_.extensionType -eq $extensionName } - $extensionExists | Should -BeNullOrEmpty - } -} diff --git a/testing/test/extensions/public/AzureMonitorMetrics.Tests.ps1 b/testing/test/extensions/public/AzureMonitorMetrics.Tests.ps1 deleted file mode 100644 index d1eca16ddb8..00000000000 --- a/testing/test/extensions/public/AzureMonitorMetrics.Tests.ps1 +++ /dev/null @@ -1,69 +0,0 @@ -Describe 'Azure Monitor Metrics Testing' { - Describe 'Azure Monitor Metrics Testing' { - BeforeAll { - $extensionType = "microsoft.azuremonitor.containers.metrics" - $extensionName = "azuremonitor-metrics" - $extensionAgentName = "ama-metrics" - $extensionAgentNamespace = "kube-system" - - . $PSScriptRoot/../../helper/Constants.ps1 - . $PSScriptRoot/../../helper/Helper.ps1 - } - - It 'Creates the extension and checks that it onboards correctly' { - az $Env:K8sExtensionName create -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters --extension-type $extensionType -n $extensionName --no-wait - $? | Should -BeTrue - - $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName - $? | Should -BeTrue - - $isAutoUpgradeMinorVersion = ($output | ConvertFrom-Json).autoUpgradeMinorVersion - $isAutoUpgradeMinorVersion.ToString() -eq "True" | Should -BeTrue - - # Loop and retry until the extension installs - $n = 0 - do { - if (Has-ExtensionData $extensionName) { - break - } - Start-Sleep -Seconds 10 - $n += 1 - } while ($n -le $MAX_RETRY_ATTEMPTS) - $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS - } - - It "Performs a show on the extension" { - $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName - $? | Should -BeTrue - $output | Should -Not -BeNullOrEmpty - } - - It "Lists the extensions on the cluster" { - $output = az $Env:K8sExtensionName list -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters - $? | Should -BeTrue - - $output | Should -Not -BeNullOrEmpty - $extensionExists = $output | ConvertFrom-Json | Where-Object { $_.extensionType -eq $extensionType } - $extensionExists | Should -Not -BeNullOrEmpty - } - - It "Deletes the extension from the cluster" { - $output = az $Env:K8sExtensionName delete -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName --force - $? | Should -BeTrue - - # Extension should not be found on the cluster - $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName - $? | Should -BeFalse - $output | Should -BeNullOrEmpty - } - - It "Performs another list after the delete" { - $output = az $Env:K8sExtensionName list -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters - $? | Should -BeTrue - $output | Should -Not -BeNullOrEmpty - - $extensionExists = $output | ConvertFrom-Json | Where-Object { $_.extensionType -eq $extensionName } - $extensionExists | Should -BeNullOrEmpty - } - } -} diff --git a/testing/test/extensions/public/AzurePolicy.Tests.ps1 b/testing/test/extensions/public/AzurePolicy.Tests.ps1 deleted file mode 100644 index 8f68426f4ed..00000000000 --- a/testing/test/extensions/public/AzurePolicy.Tests.ps1 +++ /dev/null @@ -1,74 +0,0 @@ -Describe 'Azure Policy Testing' { - BeforeAll { - $extensionType = "microsoft.policyinsights" - $extensionName = "policy" - $extensionAgentName = "azure-policy" - $extensionAgentNamespace = "kube-system" - - . $PSScriptRoot/../../helper/Constants.ps1 - . $PSScriptRoot/../../helper/Helper.ps1 - } - - It 'Creates the extension and checks that it onboards correctly' { - az $Env:K8sExtensionName create -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters --extension-type $extensionType -n $extensionName --no-wait - $? | Should -BeTrue - - $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName - $? | Should -BeTrue - - $isAutoUpgradeMinorVersion = ($output | ConvertFrom-Json).autoUpgradeMinorVersion - $isAutoUpgradeMinorVersion.ToString() -eq "True" | Should -BeTrue - - # Check that we get the principal id back for the created identity - $principalId = ($output | ConvertFrom-Json).identity.principalId - $principalId | Should -Not -BeNullOrEmpty - - # Loop and retry until the extension installs - $n = 0 - do - { - # Only check the extension config, not the pod since this doesn't bring up pods - $output = Invoke-Expression "az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName" -ErrorVariable badOut - if (Has-ExtensionData $extensionName){ - break - } - Start-Sleep -Seconds 10 - $n += 1 - } while ($n -le $MAX_RETRY_ATTEMPTS) - $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS - } - - It "Performs a show on the extension" { - $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName - $? | Should -BeTrue - $output | Should -Not -BeNullOrEmpty - } - - It "Lists the extensions on the cluster" { - $output = az $Env:K8sExtensionName list -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters - $? | Should -BeTrue - - $output | Should -Not -BeNullOrEmpty - $extensionExists = $output | ConvertFrom-Json | Where-Object { $_.extensionType -eq $extensionType } - $extensionExists | Should -Not -BeNullOrEmpty - } - - It "Deletes the extension from the cluster" { - $output = az $Env:K8sExtensionName delete -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName --force - $? | Should -BeTrue - - # Extension should not be found on the cluster - $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName - $? | Should -BeFalse - $output | Should -BeNullOrEmpty - } - - It "Performs another list after the delete" { - $output = az $Env:K8sExtensionName list -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters - $? | Should -BeTrue - $output | Should -Not -BeNullOrEmpty - - $extensionExists = $output | ConvertFrom-Json | Where-Object { $_.extensionType -eq $extensionName } - $extensionExists | Should -BeNullOrEmpty - } -} diff --git a/testing/test/extensions/public/Dapr.Tests.ps1 b/testing/test/extensions/public/Dapr.Tests.ps1 deleted file mode 100644 index 5af40546c19..00000000000 --- a/testing/test/extensions/public/Dapr.Tests.ps1 +++ /dev/null @@ -1,63 +0,0 @@ -Describe 'DAPR Testing' { - BeforeAll { - $extensionType = "microsoft.dapr" - $extensionName = "dapr" - $clusterType = "connectedClusters" - - . $PSScriptRoot/../../helper/Constants.ps1 - . $PSScriptRoot/../../helper/Helper.ps1 - } - - It 'Creates the extension and checks that it onboards correctly' { - $output = az $Env:K8sExtensionName create -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type $clusterType -n $extensionName --extension-type $extensionType --configuration-settings "skipExistingDaprCheck=true" --no-wait - $? | Should -BeTrue - - $n = 0 - do - { - $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type $clusterType -n $extensionName - $provisioningState = ($output | ConvertFrom-Json).provisioningState - Write-Host "Provisioning State: $provisioningState" - if ($provisioningState -eq "Succeeded") { - break - } - Start-Sleep -Seconds 40 - $n += 1 - } while ($n -le $MAX_RETRY_ATTEMPTS) - $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS - } - - It "Performs a show on the extension" { - $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type $clusterType -n $extensionName - $? | Should -BeTrue - $output | Should -Not -BeNullOrEmpty - } - - It "Lists the extensions on the cluster" { - $output = az $Env:K8sExtensionName list -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type $clusterType - $? | Should -BeTrue - - $output | Should -Not -BeNullOrEmpty - $extensionExists = $output | ConvertFrom-Json | Where-Object { $_.extensionType -eq $extensionType } - $extensionExists | Should -Not -BeNullOrEmpty - } - - It "Deletes the extension from the cluster" { - $output = az $Env:K8sExtensionName delete -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type $clusterType -n $extensionName --force - $? | Should -BeTrue - - # Extension should not be found on the cluster - $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type $clusterType -n $extensionName - $? | Should -BeFalse - $output | Should -BeNullOrEmpty - } - - It "Performs another list after the delete" { - $output = az $Env:K8sExtensionName list -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type $clusterType - $? | Should -BeTrue - $output | Should -Not -BeNullOrEmpty - - $extensionExists = $output | ConvertFrom-Json | Where-Object { $_.extensionType -eq $extensionName } - $extensionExists | Should -BeNullOrEmpty - } -} \ No newline at end of file diff --git a/testing/test/extensions/public/ExtensionTypes.Tests.ps1 b/testing/test/extensions/public/ExtensionTypes.Tests.ps1 deleted file mode 100644 index d9634024432..00000000000 --- a/testing/test/extensions/public/ExtensionTypes.Tests.ps1 +++ /dev/null @@ -1,33 +0,0 @@ -Describe 'Extension Types Testing' { - BeforeAll { - $extensionType = "cassandradatacentersoperator" - $location = "eastus2euap" - - . $PSScriptRoot/../../helper/Constants.ps1 - . $PSScriptRoot/../../helper/Helper.ps1 - } - - It 'Performs a show extension types call' { - $output = az $Env:K8sExtensionName extension-types show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters --extension-type $extensionType - $? | Should -BeTrue - $output | Should -Not -BeNullOrEmpty - } - - It "Performs a cluster-scoped list extension types call" { - $output = az $Env:K8sExtensionName extension-types list -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters - $? | Should -BeTrue - $output | Should -Not -BeNullOrEmpty - } - - It "Performs a location-scoped list extension types call" { - $output = az $Env:K8sExtensionName extension-types list-by-location --location $location - $? | Should -BeTrue - $output | Should -Not -BeNullOrEmpty - } - - It "Performs a location-scoped list extension type versions call" { - $output = az $Env:K8sExtensionName extension-types list-versions --location $location --extension-type $extensionType - $? | Should -BeTrue - $output | Should -Not -BeNullOrEmpty - } -} diff --git a/testing/test/extensions/public/Flux.Tests.ps1 b/testing/test/extensions/public/Flux.Tests.ps1 deleted file mode 100644 index 7faa6aa9c70..00000000000 --- a/testing/test/extensions/public/Flux.Tests.ps1 +++ /dev/null @@ -1,63 +0,0 @@ -Describe 'Azure Flux Testing' { - BeforeAll { - $extensionType = "microsoft.flux" - $extensionName = "flux" - $clusterType = "connectedClusters" - - . $PSScriptRoot/../../helper/Constants.ps1 - . $PSScriptRoot/../../helper/Helper.ps1 - } - - It 'Creates the extension and checks that it onboards correctly' { - $output = az $Env:K8sExtensionName create -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type $clusterType -n $extensionName --extension-type $extensionType --no-wait - $? | Should -BeTrue - - $n = 0 - do - { - $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type $clusterType -n $extensionName - $provisioningState = ($output | ConvertFrom-Json).provisioningState - Write-Host "Provisioning State: $provisioningState" - if ($provisioningState -eq "Succeeded") { - break - } - Start-Sleep -Seconds 40 - $n += 1 - } while ($n -le $MAX_RETRY_ATTEMPTS) - $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS - } - - It "Performs a show on the extension" { - $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type $clusterType -n $extensionName - $? | Should -BeTrue - $output | Should -Not -BeNullOrEmpty - } - - It "Lists the extensions on the cluster" { - $output = az $Env:K8sExtensionName list -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type $clusterType - $? | Should -BeTrue - - $output | Should -Not -BeNullOrEmpty - $extensionExists = $output | ConvertFrom-Json | Where-Object { $_.extensionType -eq $extensionType } - $extensionExists | Should -Not -BeNullOrEmpty - } - - It "Deletes the extension from the cluster" { - $output = az $Env:K8sExtensionName delete -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type $clusterType -n $extensionName --force - $? | Should -BeTrue - - # Extension should not be found on the cluster - $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type $clusterType -n $extensionName - $? | Should -BeFalse - $output | Should -BeNullOrEmpty - } - - It "Performs another list after the delete" { - $output = az $Env:K8sExtensionName list -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type $clusterType - $? | Should -BeTrue - $output | Should -Not -BeNullOrEmpty - - $extensionExists = $output | ConvertFrom-Json | Where-Object { $_.extensionType -eq $extensionName } - $extensionExists | Should -BeNullOrEmpty - } -} \ No newline at end of file diff --git a/testing/test/extensions/public/OpenServiceMesh.Tests.ps1 b/testing/test/extensions/public/OpenServiceMesh.Tests.ps1 deleted file mode 100644 index 07c00e4d42d..00000000000 --- a/testing/test/extensions/public/OpenServiceMesh.Tests.ps1 +++ /dev/null @@ -1,72 +0,0 @@ -Describe 'Azure OpenServiceMesh Testing' { - BeforeAll { - $extensionType = "microsoft.openservicemesh" - $extensionName = "openservicemesh" - $extensionVersion = "1.0.0" - $extensionAgentName = "osm-controller" - $extensionAgentNamespace = "arc-osm-system" - $releaseTrain = "pilot" - - . $PSScriptRoot/../../helper/Constants.ps1 - . $PSScriptRoot/../../helper/Helper.ps1 - } - - # Should Not BeNullOrEmpty checks if the command returns JSON output - - It 'Creates the extension and checks that it onboards correctly' { - az $Env:K8sExtensionName create -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters --extension-type $extensionType -n $extensionName --release-train $releaseTrain --version $extensionVersion --auto-upgrade false --no-wait - $? | Should -BeTrue - - $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName - $? | Should -BeTrue - - $isAutoUpgradeMinorVersion = ($output | ConvertFrom-Json).autoUpgradeMinorVersion - $isAutoUpgradeMinorVersion.ToString() -eq "False" | Should -BeTrue - - # Loop and retry until the extension installs - $n = 0 - do - { - if (Has-ExtensionData $extensionName) { - break - } - Start-Sleep -Seconds 10 - $n += 1 - } while ($n -le $MAX_RETRY_ATTEMPTS) - $n | Should -BeLessOrEqual $MAX_RETRY_ATTEMPTS - } - - It "Performs a show on the extension" { - $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName - $? | Should -BeTrue - $output | Should -Not -BeNullOrEmpty - } - - It "Lists the extensions on the cluster" { - $output = az $Env:K8sExtensionName list -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters - $? | Should -BeTrue - - $output | Should -Not -BeNullOrEmpty - $extensionExists = $output | ConvertFrom-Json | Where-Object { $_.extensionType -eq $extensionType } - $extensionExists | Should -Not -BeNullOrEmpty - } - - It "Deletes the extension from the cluster" { - $output = az $Env:K8sExtensionName delete -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName --force - $? | Should -BeTrue - - # Extension should not be found on the cluster - $output = az $Env:K8sExtensionName show -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters -n $extensionName - $? | Should -BeFalse - $output | Should -BeNullOrEmpty - } - - It "Performs another list after the delete" { - $output = az $Env:K8sExtensionName list -c $($ENVCONFIG.arcClusterName) -g $($ENVCONFIG.resourceGroup) --cluster-type connectedClusters - $? | Should -BeTrue - $output | Should -Not -BeNullOrEmpty - - $extensionExists = $output | ConvertFrom-Json | Where-Object { $_.extensionType -eq $extensionName } - $extensionExists | Should -BeNullOrEmpty - } -} diff --git a/testing/test/helper/Constants.ps1 b/testing/test/helper/Constants.ps1 deleted file mode 100644 index 3ecd3621bc5..00000000000 --- a/testing/test/helper/Constants.ps1 +++ /dev/null @@ -1,7 +0,0 @@ -$ENVCONFIG = Get-Content -Path $PSScriptRoot/../../settings.json | ConvertFrom-Json -$SUCCESS_MESSAGE = "Successfully installed the extension" -$FAILED_MESSAGE = "Failed to install the extension" - -$POD_RUNNING = "Running" - -$MAX_RETRY_ATTEMPTS = 10 \ No newline at end of file diff --git a/testing/test/helper/Helper.ps1 b/testing/test/helper/Helper.ps1 deleted file mode 100644 index 4ff949e7ab4..00000000000 --- a/testing/test/helper/Helper.ps1 +++ /dev/null @@ -1,72 +0,0 @@ -function Get-ExtensionData { - param( - [string]$extensionName - ) - - $output = kubectl get extensionconfigs -A -o json | ConvertFrom-Json - return $output.items | Where-Object { $_.metadata.name -eq $extensionName } -} - -function Has-ExtensionData { - param( - [string]$extensionName - ) - $extensionData = Get-ExtensionData $extensionName - if ($extensionData) { - return $true - } - return $false -} - - -function Has-Identity-Provisioned { - $output = kubectl get azureclusteridentityrequests -n azure-arc container-insights-clusteridentityrequest -o json | ConvertFrom-Json - return ($null -ne $output.status.expirationTime) -and ($null -ne $output.status.tokenReference.dataName) -and ($null -ne $output.status.tokenReference.secretName) -} - -function Get-ExtensionStatus { - param( - [string]$extensionName - ) - - $extensionData = Get-ExtensionData $extensionName - if ($extensionData) { - return $extensionData.status.status - } - return $null -} - -function Get-PodStatus { - param( - [string]$podName, - [string]$Namespace - ) - - $allPodData = kubectl get pods -n $Namespace -o json | ConvertFrom-Json - $podData = $allPodData.items | Where-Object { $_.metadata.name -Match $podName } - if ($podData.Length -gt 1) { - return $podData[0].status.phase - } - return $podData.status.phase -} - -function Get-ExtensionConfigurationSettings { - param( - [string]$extensionName, - [string]$configKey - ) - - $extensionData = Get-ExtensionData $extensionName - if ($extensionData) { - return $extensionData.spec.parameter."$configKey" - } - return $null -} - -function Check-Error { - param( - [string]$output - ) - $hasError = $output -CMatch "ERROR" - return $hasError -} \ No newline at end of file